socks5_impl/server/connection/mod.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267
use self::{associate::UdpAssociate, bind::Bind, connect::Connect};
use crate::{
protocol::{self, handshake, Address, AsyncStreamOperation, AuthMethod, Command},
server::AuthAdaptor,
};
use std::{net::SocketAddr, time::Duration};
use tokio::{io::AsyncWriteExt, net::TcpStream};
pub mod associate;
pub mod bind;
pub mod connect;
/// An incoming connection. This may not be a valid socks5 connection. You need to call [`authenticate()`](#method.authenticate)
/// to perform the socks5 handshake. It will be converted to a proper socks5 connection after the handshake succeeds.
pub struct IncomingConnection<O> {
stream: TcpStream,
auth: AuthAdaptor<O>,
}
impl<O: 'static> IncomingConnection<O> {
#[inline]
pub(crate) fn new(stream: TcpStream, auth: AuthAdaptor<O>) -> Self {
IncomingConnection { stream, auth }
}
/// Returns the local address that this stream is bound to.
#[inline]
pub fn local_addr(&self) -> std::io::Result<SocketAddr> {
self.stream.local_addr()
}
/// Returns the remote address that this stream is connected to.
#[inline]
pub fn peer_addr(&self) -> std::io::Result<SocketAddr> {
self.stream.peer_addr()
}
/// Shutdown the TCP stream.
#[inline]
pub async fn shutdown(&mut self) -> std::io::Result<()> {
self.stream.shutdown().await
}
/// Reads the linger duration for this socket by getting the `SO_LINGER` option.
///
/// For more information about this option, see [`set_linger`](crate::server::connection::IncomingConnection::set_linger).
#[inline]
pub fn linger(&self) -> std::io::Result<Option<Duration>> {
self.stream.linger()
}
/// Sets the linger duration of this socket by setting the `SO_LINGER` option.
///
/// This option controls the action taken when a stream has unsent messages and the stream is closed.
/// If `SO_LINGER` is set, the system shall block the process until it can transmit the data or until the time expires.
///
/// If `SO_LINGER` is not specified, and the stream is closed, the system handles the call in a way
/// that allows the process to continue as quickly as possible.
#[inline]
pub fn set_linger(&self, dur: Option<Duration>) -> std::io::Result<()> {
self.stream.set_linger(dur)
}
/// Gets the value of the `TCP_NODELAY` option on this socket.
///
/// For more information about this option, see
/// [`set_nodelay`](#method.set_nodelay).
#[inline]
pub fn nodelay(&self) -> std::io::Result<bool> {
self.stream.nodelay()
}
/// Sets the value of the `TCP_NODELAY` option on this socket.
///
/// If set, this option disables the Nagle algorithm. This means that segments are always sent as soon as possible,
/// even if there is only a small amount of data. When not set, data is buffered until there is a sufficient amount
/// to send out, thereby avoiding the frequent sending of small packets.
pub fn set_nodelay(&self, nodelay: bool) -> std::io::Result<()> {
self.stream.set_nodelay(nodelay)
}
/// Gets the value of the `IP_TTL` option for this socket.
///
/// For more information about this option, see
/// [`set_ttl`](#method.set_ttl).
pub fn ttl(&self) -> std::io::Result<u32> {
self.stream.ttl()
}
/// Sets the value for the `IP_TTL` option on this socket.
///
/// This value sets the time-to-live field that is used in every packet sent from this socket.
pub fn set_ttl(&self, ttl: u32) -> std::io::Result<()> {
self.stream.set_ttl(ttl)
}
/// Perform a SOCKS5 authentication handshake using the given
/// [`AuthExecutor`](crate::server::auth::AuthExecutor) adapter.
///
/// If the handshake succeeds, an [`Authenticated`]
/// alongs with the output of the [`AuthExecutor`](crate::server::auth::AuthExecutor) adapter is returned.
/// Otherwise, the error and the original [`TcpStream`](https://docs.rs/tokio/latest/tokio/net/struct.TcpStream.html) is returned.
///
/// Note that this method will not implicitly close the connection even if the handshake failed.
pub async fn authenticate(mut self) -> std::io::Result<(Authenticated, O)> {
let request = handshake::Request::retrieve_from_async_stream(&mut self.stream).await?;
if let Some(method) = self.evaluate_request(&request) {
let response = handshake::Response::new(method);
response.write_to_async_stream(&mut self.stream).await?;
let output = self.auth.execute(&mut self.stream).await;
Ok((Authenticated::new(self.stream), output))
} else {
let response = handshake::Response::new(AuthMethod::NoAcceptableMethods);
response.write_to_async_stream(&mut self.stream).await?;
let err = "No available handshake method provided by client";
Err(std::io::Error::new(std::io::ErrorKind::Unsupported, err))
}
}
fn evaluate_request(&self, req: &handshake::Request) -> Option<AuthMethod> {
let method = self.auth.auth_method();
if req.evaluate_method(method) {
Some(method)
} else {
None
}
}
}
impl<O> std::fmt::Debug for IncomingConnection<O> {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
f.debug_struct("IncomingConnection").field("stream", &self.stream).finish()
}
}
impl<O> From<IncomingConnection<O>> for TcpStream {
#[inline]
fn from(conn: IncomingConnection<O>) -> Self {
conn.stream
}
}
/// A TCP stream that has been authenticated.
///
/// To get the command from the SOCKS5 client, use
/// [`wait_request`](crate::server::connection::Authenticated::wait_request).
///
/// It can also be converted back into a raw [`tokio::TcpStream`](https://docs.rs/tokio/latest/tokio/net/struct.TcpStream.html) with `From` trait.
pub struct Authenticated(TcpStream);
impl Authenticated {
#[inline]
fn new(stream: TcpStream) -> Self {
Self(stream)
}
/// Waits the SOCKS5 client to send a request.
///
/// This method will return a [`Command`] if the client sends a valid command.
///
/// When encountering an error, the stream will be returned alongside the error.
///
/// Note that this method will not implicitly close the connection even if the client sends an invalid request.
pub async fn wait_request(mut self) -> crate::Result<ClientConnection> {
let req = protocol::Request::retrieve_from_async_stream(&mut self.0).await?;
match req.command {
Command::UdpAssociate => Ok(ClientConnection::UdpAssociate(
UdpAssociate::<associate::NeedReply>::new(self.0),
req.address,
)),
Command::Bind => Ok(ClientConnection::Bind(Bind::<bind::NeedFirstReply>::new(self.0), req.address)),
Command::Connect => Ok(ClientConnection::Connect(Connect::<connect::NeedReply>::new(self.0), req.address)),
}
}
/// Causes the other peer to receive a read of length 0, indicating that no more data will be sent. This only closes the stream in one direction.
#[inline]
pub async fn shutdown(&mut self) -> std::io::Result<()> {
self.0.shutdown().await
}
/// Returns the local address that this stream is bound to.
#[inline]
pub fn local_addr(&self) -> std::io::Result<SocketAddr> {
self.0.local_addr()
}
/// Returns the remote address that this stream is connected to.
#[inline]
pub fn peer_addr(&self) -> std::io::Result<SocketAddr> {
self.0.peer_addr()
}
/// Reads the linger duration for this socket by getting the `SO_LINGER` option.
///
/// For more information about this option, see
/// [`set_linger`](crate::server::connection::Authenticated::set_linger).
#[inline]
pub fn linger(&self) -> std::io::Result<Option<Duration>> {
self.0.linger()
}
/// Sets the linger duration of this socket by setting the `SO_LINGER` option.
///
/// This option controls the action taken when a stream has unsent messages and the stream is closed.
/// If `SO_LINGER` is set, the system shall block the process until it can transmit the data or until the time expires.
///
/// If `SO_LINGER` is not specified, and the stream is closed, the system handles the call in a way
/// that allows the process to continue as quickly as possible.
#[inline]
pub fn set_linger(&self, dur: Option<Duration>) -> std::io::Result<()> {
self.0.set_linger(dur)
}
/// Gets the value of the `TCP_NODELAY` option on this socket.
///
/// For more information about this option, see
/// [`set_nodelay`](crate::server::connection::Authenticated::set_nodelay).
#[inline]
pub fn nodelay(&self) -> std::io::Result<bool> {
self.0.nodelay()
}
/// Sets the value of the `TCP_NODELAY` option on this socket.
///
/// If set, this option disables the Nagle algorithm. This means that segments are always sent as soon as possible,
/// even if there is only a small amount of data. When not set, data is buffered until there is a sufficient amount to send out,
/// thereby avoiding the frequent sending of small packets.
pub fn set_nodelay(&self, nodelay: bool) -> std::io::Result<()> {
self.0.set_nodelay(nodelay)
}
/// Gets the value of the `IP_TTL` option for this socket.
///
/// For more information about this option, see
/// [`set_ttl`](crate::server::connection::Authenticated::set_ttl).
pub fn ttl(&self) -> std::io::Result<u32> {
self.0.ttl()
}
/// Sets the value for the `IP_TTL` option on this socket.
///
/// This value sets the time-to-live field that is used in every packet sent from this socket.
pub fn set_ttl(&self, ttl: u32) -> std::io::Result<()> {
self.0.set_ttl(ttl)
}
}
impl From<Authenticated> for TcpStream {
#[inline]
fn from(conn: Authenticated) -> Self {
conn.0
}
}
/// After the socks5 handshake succeeds, the connection may become:
///
/// - Associate
/// - Bind
/// - Connect
#[derive(Debug)]
pub enum ClientConnection {
UdpAssociate(UdpAssociate<associate::NeedReply>, Address),
Bind(Bind<bind::NeedFirstReply>, Address),
Connect(Connect<connect::NeedReply>, Address),
}