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
use std::io::Error as IoError;
use fluvio_future::net::TcpListener;
use fluvio_future::net::TcpStream;
use fluvio_future::task::spawn;
use fluvio_future::tls::DefaultServerTlsStream;
use fluvio_future::tls::TlsAcceptor;
use futures_lite::io::copy;
use futures_util::io::AsyncReadExt;
use futures_util::stream::StreamExt;
use log::debug;
use log::error;
use log::info;
pub async fn start(addr: &str, acceptor: TlsAcceptor, target: String) -> Result<(), IoError> {
let listener = TcpListener::bind(addr).await?;
info!("proxy started at: {}", addr);
let mut incoming = listener.incoming();
while let Some(stream) = incoming.next().await {
debug!("server: got connection from client");
if let Ok(tcp_stream) = stream {
spawn(process_stream(acceptor.clone(), tcp_stream, target.clone()));
} else {
error!("no stream detected");
}
}
info!("server terminated");
Ok(())
}
async fn process_stream(acceptor: TlsAcceptor, raw_stream: TcpStream, target: String) {
let source = raw_stream
.peer_addr()
.map(|addr| addr.to_string())
.unwrap_or_else(|_| "".to_owned());
debug!("new connection from {}", source);
let handshake = acceptor.accept(raw_stream);
match handshake.await {
Ok(inner_stream) => {
debug!("handshake success from: {}", source);
if let Err(err) = proxy(inner_stream, target, source.clone()).await {
error!("error processing tls: {} from source: {}", err, source);
}
}
Err(err) => error!("error handshaking: {} from source: {}", err, source),
}
}
async fn proxy(
tls_stream: DefaultServerTlsStream,
target: String,
source: String,
) -> Result<(), IoError> {
use futures_lite::future::zip;
debug!(
"trying to connect to target at: {} from source: {}",
target, source
);
let mut tcp_stream = TcpStream::connect(&target).await?;
debug!("connect to target: {} from source: {}", target, source);
let mut target_sink = tcp_stream.clone();
let (mut from_tls_stream, mut from_tls_sink) = tls_stream.split();
let s_t = format!("{}->{}", source, target);
let t_s = format!("{}->{}", target, source);
let source_to_target_ft = async {
match copy(&mut from_tls_stream, &mut target_sink).await {
Ok(len) => {
debug!("{} copy from source to target: len {}", s_t, len);
}
Err(err) => {
error!("{} error copying: {}", s_t, err);
}
}
};
let target_to_source = async {
match copy(&mut tcp_stream, &mut from_tls_sink).await {
Ok(len) => {
debug!("{} copy from target: len {}", t_s, len);
}
Err(err) => {
error!("{} error copying: {}", t_s, err);
}
}
};
zip(source_to_target_ft, target_to_source).await;
Ok(())
}