socks5_impl/protocol/
udp.rs

1#[cfg(feature = "tokio")]
2use crate::protocol::AsyncStreamOperation;
3use crate::protocol::{Address, StreamOperation};
4#[cfg(feature = "tokio")]
5use async_trait::async_trait;
6#[cfg(feature = "tokio")]
7use tokio::io::{AsyncRead, AsyncReadExt};
8
9/// SOCKS5 UDP packet header
10///
11/// ```plain
12/// +-----+------+------+----------+----------+----------+
13/// | RSV | FRAG | ATYP | DST.ADDR | DST.PORT |   DATA   |
14/// +-----+------+------+----------+----------+----------+
15/// |  2  |  1   |  1   | Variable |    2     | Variable |
16/// +-----+------+------+----------+----------+----------+
17/// ```
18#[derive(Clone, Debug)]
19pub struct UdpHeader {
20    pub frag: u8,
21    pub address: Address,
22}
23
24impl UdpHeader {
25    pub fn new(frag: u8, address: Address) -> Self {
26        Self { frag, address }
27    }
28
29    pub const fn max_serialized_len() -> usize {
30        3 + Address::max_serialized_len()
31    }
32}
33
34impl StreamOperation for UdpHeader {
35    fn retrieve_from_stream<R: std::io::Read>(stream: &mut R) -> std::io::Result<Self> {
36        let mut buf = [0; 3];
37        stream.read_exact(&mut buf)?;
38
39        let frag = buf[2];
40
41        let address = Address::retrieve_from_stream(stream)?;
42        Ok(Self { frag, address })
43    }
44
45    fn write_to_buf<B: bytes::BufMut>(&self, buf: &mut B) {
46        buf.put_bytes(0x00, 2);
47        buf.put_u8(self.frag);
48        self.address.write_to_buf(buf);
49    }
50
51    fn len(&self) -> usize {
52        3 + self.address.len()
53    }
54}
55
56#[cfg(feature = "tokio")]
57#[async_trait]
58impl AsyncStreamOperation for UdpHeader {
59    async fn retrieve_from_async_stream<R>(r: &mut R) -> std::io::Result<Self>
60    where
61        R: AsyncRead + Unpin + Send + ?Sized,
62    {
63        let mut buf = [0; 3];
64        r.read_exact(&mut buf).await?;
65
66        let frag = buf[2];
67
68        let address = Address::retrieve_from_async_stream(r).await?;
69        Ok(Self { frag, address })
70    }
71}