mirror of
https://github.com/aramperes/onetun.git
synced 2025-09-09 06:58:31 -04:00
241 lines
11 KiB
Rust
241 lines
11 KiB
Rust
use std::collections::{HashMap, HashSet, VecDeque};
|
|
use std::net::IpAddr;
|
|
use std::time::Duration;
|
|
|
|
use anyhow::Context;
|
|
use async_trait::async_trait;
|
|
use bytes::Bytes;
|
|
use smoltcp::iface::{InterfaceBuilder, SocketHandle};
|
|
use smoltcp::socket::{TcpSocket, TcpSocketBuffer, TcpState};
|
|
use smoltcp::wire::{IpAddress, IpCidr};
|
|
|
|
use crate::config::{PortForwardConfig, PortProtocol};
|
|
use crate::events::Event;
|
|
use crate::virtual_device::VirtualIpDevice;
|
|
use crate::virtual_iface::{VirtualInterfacePoll, VirtualPort};
|
|
use crate::Bus;
|
|
|
|
const MAX_PACKET: usize = 65536;
|
|
|
|
/// A virtual interface for proxying Layer 7 data to Layer 3 packets, and vice-versa.
|
|
pub struct TcpVirtualInterface {
|
|
source_peer_ip: IpAddr,
|
|
port_forwards: Vec<PortForwardConfig>,
|
|
bus: Bus,
|
|
}
|
|
|
|
impl TcpVirtualInterface {
|
|
/// Initialize the parameters for a new virtual interface.
|
|
/// Use the `poll_loop()` future to start the virtual interface poll loop.
|
|
pub fn new(port_forwards: Vec<PortForwardConfig>, bus: Bus, source_peer_ip: IpAddr) -> Self {
|
|
Self {
|
|
port_forwards: port_forwards
|
|
.into_iter()
|
|
.filter(|f| matches!(f.protocol, PortProtocol::Tcp))
|
|
.collect(),
|
|
source_peer_ip,
|
|
bus,
|
|
}
|
|
}
|
|
|
|
fn new_server_socket(port_forward: PortForwardConfig) -> anyhow::Result<TcpSocket<'static>> {
|
|
static mut TCP_SERVER_RX_DATA: [u8; 0] = [];
|
|
static mut TCP_SERVER_TX_DATA: [u8; 0] = [];
|
|
|
|
let tcp_rx_buffer = TcpSocketBuffer::new(unsafe { &mut TCP_SERVER_RX_DATA[..] });
|
|
let tcp_tx_buffer = TcpSocketBuffer::new(unsafe { &mut TCP_SERVER_TX_DATA[..] });
|
|
let mut socket = TcpSocket::new(tcp_rx_buffer, tcp_tx_buffer);
|
|
|
|
socket
|
|
.listen((
|
|
IpAddress::from(port_forward.destination.ip()),
|
|
port_forward.destination.port(),
|
|
))
|
|
.with_context(|| "Virtual server socket failed to listen")?;
|
|
|
|
Ok(socket)
|
|
}
|
|
|
|
fn new_client_socket() -> anyhow::Result<TcpSocket<'static>> {
|
|
let rx_data = vec![0u8; MAX_PACKET];
|
|
let tx_data = vec![0u8; MAX_PACKET];
|
|
let tcp_rx_buffer = TcpSocketBuffer::new(rx_data);
|
|
let tcp_tx_buffer = TcpSocketBuffer::new(tx_data);
|
|
let socket = TcpSocket::new(tcp_rx_buffer, tcp_tx_buffer);
|
|
Ok(socket)
|
|
}
|
|
|
|
fn addresses(&self) -> Vec<IpCidr> {
|
|
let mut addresses = HashSet::new();
|
|
addresses.insert(IpAddress::from(self.source_peer_ip));
|
|
for config in self.port_forwards.iter() {
|
|
addresses.insert(IpAddress::from(config.destination.ip()));
|
|
}
|
|
addresses
|
|
.into_iter()
|
|
.map(|addr| IpCidr::new(addr, 32))
|
|
.collect()
|
|
}
|
|
}
|
|
|
|
#[async_trait]
|
|
impl VirtualInterfacePoll for TcpVirtualInterface {
|
|
async fn poll_loop(self, device: VirtualIpDevice) -> anyhow::Result<()> {
|
|
// Create CIDR block for source peer IP + each port forward IP
|
|
let addresses = self.addresses();
|
|
|
|
// Create virtual interface (contains smoltcp state machine)
|
|
let mut iface = InterfaceBuilder::new(device, vec![])
|
|
.ip_addrs(addresses)
|
|
.finalize();
|
|
|
|
// Create virtual server for each port forward
|
|
for port_forward in self.port_forwards.iter() {
|
|
let server_socket = TcpVirtualInterface::new_server_socket(*port_forward)?;
|
|
iface.add_socket(server_socket);
|
|
}
|
|
|
|
// The next time to poll the interface. Can be None for instant poll.
|
|
let mut next_poll: Option<tokio::time::Instant> = None;
|
|
|
|
// Bus endpoint to read events
|
|
let mut endpoint = self.bus.new_endpoint();
|
|
|
|
// Maps virtual port to its client socket handle
|
|
let mut port_client_handle_map: HashMap<VirtualPort, SocketHandle> = HashMap::new();
|
|
|
|
// Data packets to send from a virtual client
|
|
let mut send_queue: HashMap<VirtualPort, VecDeque<Bytes>> = HashMap::new();
|
|
|
|
loop {
|
|
tokio::select! {
|
|
_ = match (next_poll, port_client_handle_map.len()) {
|
|
(None, 0) => tokio::time::sleep(Duration::MAX),
|
|
(None, _) => tokio::time::sleep(Duration::ZERO),
|
|
(Some(until), _) => tokio::time::sleep_until(until),
|
|
} => {
|
|
let loop_start = smoltcp::time::Instant::now();
|
|
|
|
// Find closed sockets
|
|
port_client_handle_map.retain(|virtual_port, client_handle| {
|
|
let client_socket = iface.get_socket::<TcpSocket>(*client_handle);
|
|
if client_socket.state() == TcpState::Closed {
|
|
endpoint.send(Event::ClientConnectionDropped(*virtual_port));
|
|
send_queue.remove(virtual_port);
|
|
iface.remove_socket(*client_handle);
|
|
false
|
|
} else {
|
|
// Not closed, retain
|
|
true
|
|
}
|
|
});
|
|
|
|
match iface.poll(loop_start) {
|
|
Ok(processed) if processed => {
|
|
trace!("TCP virtual interface polled some packets to be processed");
|
|
}
|
|
Err(e) => error!("TCP virtual interface poll error: {:?}", e),
|
|
_ => {}
|
|
}
|
|
|
|
for (virtual_port, client_handle) in port_client_handle_map.iter() {
|
|
let client_socket = iface.get_socket::<TcpSocket>(*client_handle);
|
|
if client_socket.can_send() {
|
|
if let Some(send_queue) = send_queue.get_mut(virtual_port) {
|
|
let to_transfer = send_queue.pop_front();
|
|
if let Some(to_transfer_slice) = to_transfer.as_deref() {
|
|
let total = to_transfer_slice.len();
|
|
match client_socket.send_slice(to_transfer_slice) {
|
|
Ok(sent) => {
|
|
if sent < total {
|
|
// Sometimes only a subset is sent, so the rest needs to be sent on the next poll
|
|
let tx_extra = Vec::from(&to_transfer_slice[sent..total]);
|
|
send_queue.push_front(tx_extra.into());
|
|
}
|
|
}
|
|
Err(e) => {
|
|
error!(
|
|
"Failed to send slice via virtual client socket: {:?}", e
|
|
);
|
|
}
|
|
}
|
|
} else if client_socket.state() == TcpState::CloseWait {
|
|
client_socket.close();
|
|
}
|
|
}
|
|
}
|
|
if client_socket.can_recv() {
|
|
match client_socket.recv(|buffer| (buffer.len(), Bytes::from(buffer.to_vec()))) {
|
|
Ok(data) => {
|
|
debug!("[{}] Received {} bytes from virtual server", virtual_port, data.len());
|
|
if !data.is_empty() {
|
|
endpoint.send(Event::RemoteData(*virtual_port, data));
|
|
}
|
|
}
|
|
Err(e) => {
|
|
error!(
|
|
"Failed to read from virtual client socket: {:?}", e
|
|
);
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
// The virtual interface determines the next time to poll (this is to reduce unnecessary polls)
|
|
next_poll = match iface.poll_delay(loop_start) {
|
|
Some(smoltcp::time::Duration::ZERO) => None,
|
|
Some(delay) => {
|
|
trace!("TCP Virtual interface delayed next poll by {}", delay);
|
|
Some(tokio::time::Instant::now() + Duration::from_millis(delay.total_millis()))
|
|
},
|
|
None => None,
|
|
};
|
|
}
|
|
event = endpoint.recv() => {
|
|
match event {
|
|
Event::ClientConnectionInitiated(port_forward, virtual_port) => {
|
|
let client_socket = TcpVirtualInterface::new_client_socket()?;
|
|
let client_handle = iface.add_socket(client_socket);
|
|
|
|
// Add handle to map
|
|
port_client_handle_map.insert(virtual_port, client_handle);
|
|
send_queue.insert(virtual_port, VecDeque::new());
|
|
|
|
let (client_socket, context) = iface.get_socket_and_context::<TcpSocket>(client_handle);
|
|
|
|
client_socket
|
|
.connect(
|
|
context,
|
|
(
|
|
IpAddress::from(port_forward.destination.ip()),
|
|
port_forward.destination.port(),
|
|
),
|
|
(IpAddress::from(self.source_peer_ip), virtual_port.num()),
|
|
)
|
|
.with_context(|| "Virtual server socket failed to listen")?;
|
|
|
|
next_poll = None;
|
|
}
|
|
Event::ClientConnectionDropped(virtual_port) => {
|
|
if let Some(client_handle) = port_client_handle_map.get(&virtual_port) {
|
|
let client_socket = iface.get_socket::<TcpSocket>(*client_handle);
|
|
client_socket.close();
|
|
next_poll = None;
|
|
}
|
|
}
|
|
Event::LocalData(_, virtual_port, data) if send_queue.contains_key(&virtual_port) => {
|
|
if let Some(send_queue) = send_queue.get_mut(&virtual_port) {
|
|
send_queue.push_back(data);
|
|
next_poll = None;
|
|
}
|
|
}
|
|
Event::VirtualDeviceFed(PortProtocol::Tcp) => {
|
|
next_poll = None;
|
|
}
|
|
_ => {}
|
|
}
|
|
}
|
|
}
|
|
}
|
|
}
|
|
}
|