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
use anyhow::Context;
use dashmap::DashMap;
use smol::prelude::*;
use smol::{
channel::{Receiver, Sender},
net::{TcpListener, TcpStream},
};
use std::{
convert::TryInto,
net::{IpAddr, Ipv6Addr, SocketAddr},
sync::Arc,
time::{Duration, Instant},
};
use crate::{
buffer::Buff,
crypt::{triple_ecdh, Cookie, NgAead},
protocol::HandshakeFrame,
recfilter::RECENT_FILTER,
runtime, Backhaul,
};
use super::{write_encrypted, ObfsTcp, CONN_LIFETIME, TCP_DN_KEY, TCP_UP_KEY};
pub struct TcpServerBackhaul {
down_table: Arc<DownTable>,
recv_upcoming: Receiver<(Buff, SocketAddr)>,
_task: smol::Task<()>,
}
impl TcpServerBackhaul {
pub fn new(listener: TcpListener, seckey: x25519_dalek::StaticSecret) -> Self {
let down_table = Arc::new(DownTable::default());
let table_cloned = down_table.clone();
let (send_upcoming, recv_upcoming) = smol::channel::bounded(1000);
let _task = runtime::spawn(async move {
if let Err(err) = backhaul_loop(listener, seckey, table_cloned, send_upcoming).await {
tracing::debug!("backhaul_loop exited: {:?}", err)
}
});
Self {
down_table,
recv_upcoming,
_task,
}
}
}
#[async_trait::async_trait]
impl Backhaul for TcpServerBackhaul {
async fn recv_from(&self) -> std::io::Result<(Buff, SocketAddr)> {
Ok(self.recv_upcoming.recv().await.unwrap())
}
async fn send_to(&self, to_send: Buff, dest: SocketAddr) -> std::io::Result<()> {
self.down_table.send_to(to_send, dest);
Ok(())
}
}
async fn backhaul_loop(
listener: TcpListener,
seckey: x25519_dalek::StaticSecret,
down_table: Arc<DownTable>,
send_upcoming: Sender<(Buff, SocketAddr)>,
) -> anyhow::Result<()> {
loop {
let (client, _) = listener.accept().await?;
client.set_nodelay(true)?;
let down_table = down_table.clone();
let send_upcoming = send_upcoming.clone();
let seckey = seckey.clone();
smolscale::spawn(async move {
if let Err(err) = backhaul_one(client, seckey.clone(), down_table, send_upcoming)
.or(async {
smol::Timer::after(CONN_LIFETIME * 2).await;
Ok(())
})
.await
{
tracing::debug!("backhaul_one exited: {:?}", err)
}
})
.detach();
}
}
async fn backhaul_one(
mut client: TcpStream,
seckey: x25519_dalek::StaticSecret,
down_table: Arc<DownTable>,
send_upcoming: Sender<(Buff, SocketAddr)>,
) -> anyhow::Result<()> {
let cookie = Cookie::new((&seckey).into());
let mut encrypted_hello_length = vec![0u8; NgAead::overhead() + 2];
client.read_exact(&mut encrypted_hello_length).await?;
for (possible_c2s, possible_s2c) in cookie.generate_c2s().zip(cookie.generate_s2c()) {
let c2s_key = blake3::keyed_hash(TCP_UP_KEY, &possible_c2s);
let c2s_dec = NgAead::new(c2s_key.as_bytes());
let s2c_key = blake3::keyed_hash(TCP_DN_KEY, &possible_s2c);
let s2c_enc = NgAead::new(s2c_key.as_bytes());
if let Ok(hello_length) = c2s_dec.decrypt(&encrypted_hello_length) {
let hello_length = u16::from_be_bytes(
(&hello_length[..])
.try_into()
.context("hello length is the wrong size")?,
) as usize;
let mut encrypted_hello = vec![0u8; hello_length];
client.read_exact(&mut encrypted_hello).await?;
let raw_hello = c2s_dec
.decrypt(&encrypted_hello)
.context("cannot decrypt hello")?;
if !RECENT_FILTER.lock().check(&raw_hello) {
anyhow::bail!("hello failed replay check")
}
let real_hello = HandshakeFrame::from_bytes(&raw_hello)?;
if let HandshakeFrame::ClientHello {
long_pk,
eph_pk,
version: 3,
} = real_hello
{
let my_eph_sk = x25519_dalek::StaticSecret::new(&mut rand::thread_rng());
let response = HandshakeFrame::ServerHello {
long_pk: (&seckey).into(),
eph_pk: (&my_eph_sk).into(),
resume_token: Buff::new(),
};
write_encrypted(s2c_enc, &response.to_bytes(), &mut client).await?;
let ss = triple_ecdh(&seckey, &my_eph_sk, &long_pk, &eph_pk);
let obfs_tcp = ObfsTcp::new(ss, true, client);
let mut fake_addr = [0u8; 16];
obfs_tcp
.read_exact(&mut fake_addr)
.await
.context("cannot read fakeaddr")?;
let addr = SocketAddr::new(IpAddr::V6(Ipv6Addr::from(fake_addr)), 0);
return backhaul_one_inner(obfs_tcp, addr, &down_table, &send_upcoming).await;
}
}
}
anyhow::bail!("could not interpret the initial handshake")
}
async fn backhaul_one_inner(
obfs_tcp: ObfsTcp,
addr: SocketAddr,
down_table: &DownTable,
send_upcoming: &Sender<(Buff, SocketAddr)>,
) -> anyhow::Result<()> {
let (send_down, recv_down) = smol::channel::bounded(100);
let up_loop = async {
let mut buff = [0u8; 4096];
loop {
down_table.set(addr, send_down.clone());
obfs_tcp.read_exact(&mut buff[..2]).await?;
let length = u16::from_be_bytes(
(&buff[..2])
.try_into()
.context("length not right size? wtf?")?,
) as usize;
if length > 4096 {
break Err(anyhow::anyhow!("got a packet that's too long ({})", length));
}
obfs_tcp.read_exact(&mut buff[..length]).await?;
send_upcoming
.send((Buff::copy_from_slice(&buff[..length]), addr))
.await?;
}
};
let dn_loop = async {
let mut buff = [0u8; 4098];
loop {
let down = recv_down.recv().await?;
if down.len() > 4096 {
break Err(anyhow::anyhow!("rejecting a down that's too long"));
}
let length = down.len() as u16;
buff[..2].copy_from_slice(&length.to_be_bytes());
buff[2..2 + (length as usize)].copy_from_slice(&down);
let buff = &buff[..2 + (length as usize)];
obfs_tcp.write(buff).await?;
}
};
up_loop.race(dn_loop).await
}
#[derive(Default)]
struct DownTable {
mapping: DashMap<SocketAddr, (Sender<Buff>, Instant)>,
}
impl DownTable {
fn set(&self, addr: SocketAddr, sender: Sender<Buff>) {
if rand::random::<usize>() % self.mapping.len().max(1000) == 0 {
self.gc()
}
let now = Instant::now();
let mut entry = self.mapping.entry(addr).or_insert((sender.clone(), now));
if entry.1 != now {
entry.1 = now;
entry.0 = sender
}
}
fn send_to(&self, msg: Buff, dest: SocketAddr) {
if let Some(val) = self.mapping.get(&dest) {
let _ = val.value().0.try_send(msg);
}
}
fn gc(&self) {
let mut to_del = Vec::new();
for entry in self.mapping.iter() {
if entry.value().1.elapsed() > Duration::from_secs(3600) {
to_del.push(*entry.key())
}
}
for key in to_del {
self.mapping.remove(&key);
}
}
}