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
use super::{jsonrpc::parse_jsonrpc_response, Error, JsonRpcRequest, Result, ALPN_QUIC_HTTP};
use crate::utils;
use log::debug;
use serde::de::DeserializeOwned;
use std::{fs, path::PathBuf, str, sync::Arc, time::Instant};
use url::Url;
pub struct ClientEndpoint {
config: quinn::ClientConfig,
}
impl ClientEndpoint {
pub fn new(cert_base_path: &str, idle_timeout: Option<u64>, keylog: bool) -> Result<Self> {
let mut client_config = quinn::ClientConfigBuilder::default();
client_config.protocols(ALPN_QUIC_HTTP);
if keylog {
client_config.enable_keylog();
}
let ca_path = PathBuf::from(cert_base_path).join("cert.der");
let ca_certificate = fs::read(&ca_path).map_err(|err| {
Error::ClientError(format!(
"Failed to read certificate from '{}': {}",
ca_path.display(),
err
))
})?;
let ca_authority = quinn::Certificate::from_der(&ca_certificate).map_err(|err| {
Error::ClientError(format!(
"Failed to obtain CA authority from certificate found at '{}': {}",
ca_path.display(),
err
))
})?;
client_config
.add_certificate_authority(ca_authority)
.map_err(|err| {
Error::ClientError(format!(
"Failed to add CA authority to QUIC client configuration: {}",
err
))
})?;
let mut config = client_config.build();
if let Some(timeout) = idle_timeout {
config.transport = Arc::new(utils::new_transport_cfg(timeout)?)
};
Ok(Self { config })
}
pub fn bind(&self) -> Result<OutgoingConn> {
let mut quinn_endpoint_builder = quinn::Endpoint::builder();
quinn_endpoint_builder.default_client_config(self.config.clone());
let socket_addr = "[::]:0".parse().map_err(|err| {
Error::ClientError(format!("Invalid client endpoint address: {}", err))
})?;
let (endpoint, _) = quinn_endpoint_builder.bind(&socket_addr).map_err(|err| {
Error::ClientError(format!("Failed to bind client endpoint: {}", err))
})?;
Ok(OutgoingConn::new(endpoint))
}
}
pub struct OutgoingConn {
pub quinn_endpoint: quinn::Endpoint,
}
impl OutgoingConn {
pub(crate) fn new(quinn_endpoint: quinn::Endpoint) -> Self {
Self { quinn_endpoint }
}
pub async fn connect(
&mut self,
dest_endpoint: &str,
cert_host: Option<&str>,
) -> Result<OutgoingJsonRpcRequest> {
let start = Instant::now();
let url = Url::parse(dest_endpoint)
.map_err(|_| Error::ClientError("Invalid end point address".to_string()))?;
let remote = url
.socket_addrs(|| None)
.map_err(|_| Error::ClientError("Invalid end point address".to_string()))?[0];
let host = cert_host
.as_ref()
.map_or_else(|| url.host_str(), |x| Some(&x))
.ok_or_else(|| Error::ClientError("No hostname specified".to_string()))?;
let new_conn = self
.quinn_endpoint
.connect(&remote, &host)
.map_err(|err| {
Error::ClientError(format!(
"Failed to establish connection with remote QUIC endpoint: {}",
err
))
})?
.await
.map_err(|err| {
Error::ClientError(format!(
"Failed to establish connection with remote QUIC endpoint: {}",
err
))
})?;
debug!(
"Connected with remote QUIC endpoint at {:?}",
start.elapsed()
);
let quinn::NewConnection {
connection: conn, ..
} = { new_conn };
Ok(OutgoingJsonRpcRequest::new(conn))
}
}
pub struct OutgoingJsonRpcRequest {
quinn_connection: quinn::Connection,
}
impl OutgoingJsonRpcRequest {
pub(crate) fn new(quinn_connection: quinn::Connection) -> Self {
Self { quinn_connection }
}
pub async fn send<T>(&mut self, method: &str, params: serde_json::Value) -> Result<T>
where
T: DeserializeOwned,
{
let (mut send, recv) = self
.quinn_connection
.open_bi()
.await
.map_err(|err| Error::ClientError(format!("Failed to open stream: {}", err)))?;
let jsonrpc_req = JsonRpcRequest::new(method, params);
let serialised_req = serde_json::to_string(&jsonrpc_req)
.map_err(|err| Error::ClientError(format!("Failed to serialise request: {}", err)))?;
send.write_all(serialised_req.as_bytes())
.await
.map_err(|err| Error::ClientError(format!("Failed to send request: {}", err)))?;
send.finish()
.await
.map_err(|err| Error::ClientError(format!("Failed to shutdown stream: {}", err)))?;
debug!("Request sent to remote endpoint");
let received_bytes = recv
.read_to_end(usize::max_value())
.await
.map_err(|err| Error::ClientError(format!("Failed to read response bytes: {}", err)))?;
self.quinn_connection.close(0u32.into(), b"");
parse_jsonrpc_response(received_bytes.as_slice())
}
}