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
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
#![cfg(feature = "reqwest")]
use crate::{agent::agent_error::HttpErrorPayload, ic_types::Principal, AgentError, RequestId};
use hyper_rustls::ConfigBuilderExt;
use reqwest::Method;
use std::{future::Future, pin::Pin, sync::Arc};
pub trait PasswordManager: Send + Sync {
fn cached(&self, url: &str) -> Result<Option<(String, String)>, String>;
fn required(&self, url: &str) -> Result<(String, String), String>;
}
impl_debug_empty!(dyn PasswordManager);
#[derive(Debug)]
pub struct ReqwestHttpReplicaV2Transport {
url: reqwest::Url,
client: reqwest::Client,
password_manager: Option<Arc<dyn PasswordManager>>,
}
const IC0_DOMAIN: &str = "ic0.app";
const IC0_SUB_DOMAIN: &str = ".ic0.app";
impl ReqwestHttpReplicaV2Transport {
pub fn create<U: Into<String>>(url: U) -> Result<Self, AgentError> {
let mut tls_config = rustls::ClientConfig::builder()
.with_safe_defaults()
.with_webpki_roots()
.with_no_client_auth();
tls_config.alpn_protocols = vec![b"h2".to_vec(), b"http/1.1".to_vec()];
let url = url.into();
Ok(Self {
url: reqwest::Url::parse(&url)
.and_then(|mut url| {
if let Some(domain) = url.domain() {
if domain.ends_with(IC0_SUB_DOMAIN) {
url.set_host(Some(IC0_DOMAIN))?;
}
}
url.join("api/v2/")
})
.map_err(|_| AgentError::InvalidReplicaUrl(url.clone()))?,
client: reqwest::Client::builder()
.use_preconfigured_tls(tls_config)
.build()
.expect("Could not create HTTP client."),
password_manager: None,
})
}
pub fn with_password_manager<P: 'static + PasswordManager>(self, password_manager: P) -> Self {
ReqwestHttpReplicaV2Transport {
password_manager: Some(Arc::new(password_manager)),
url: self.url,
client: self.client,
}
}
pub fn with_arc_password_manager(self, password_manager: Arc<dyn PasswordManager>) -> Self {
ReqwestHttpReplicaV2Transport {
password_manager: Some(password_manager),
url: self.url,
client: self.client,
}
}
pub fn password_manager(&self) -> Option<&dyn PasswordManager> {
self.password_manager.as_deref()
}
fn maybe_add_authorization(
&self,
http_request: &mut reqwest::Request,
cached: bool,
) -> Result<(), AgentError> {
if let Some(pm) = &self.password_manager {
let maybe_user_pass = if cached {
pm.cached(http_request.url().as_str())
} else {
pm.required(http_request.url().as_str()).map(Some)
};
if let Some((u, p)) = maybe_user_pass.map_err(AgentError::AuthenticationError)? {
let auth = base64::encode(&format!("{}:{}", u, p));
http_request.headers_mut().insert(
reqwest::header::AUTHORIZATION,
format!("Basic {}", auth).parse().unwrap(),
);
}
}
Ok(())
}
async fn request(
&self,
http_request: reqwest::Request,
) -> Result<(reqwest::StatusCode, reqwest::header::HeaderMap, Vec<u8>), AgentError> {
let response = self
.client
.execute(
http_request
.try_clone()
.expect("Could not clone a request."),
)
.await
.map_err(|x| AgentError::TransportError(Box::new(x)))?;
let http_status = response.status();
let response_headers = response.headers().clone();
let bytes = response
.bytes()
.await
.map_err(|x| AgentError::TransportError(Box::new(x)))?
.to_vec();
Ok((http_status, response_headers, bytes))
}
async fn execute(
&self,
method: Method,
endpoint: &str,
body: Option<Vec<u8>>,
) -> Result<Vec<u8>, AgentError> {
let url = self.url.join(endpoint)?;
let mut http_request = reqwest::Request::new(method, url);
http_request.headers_mut().insert(
reqwest::header::CONTENT_TYPE,
"application/cbor".parse().unwrap(),
);
self.maybe_add_authorization(&mut http_request, true)?;
*http_request.body_mut() = body.map(reqwest::Body::from);
let mut status;
let mut headers;
let mut body;
loop {
let request_result = self.request(http_request.try_clone().unwrap()).await?;
status = request_result.0;
headers = request_result.1;
body = request_result.2;
if status == reqwest::StatusCode::UNAUTHORIZED {
if self.url.scheme() == "https" || self.url.host_str() == Some("localhost") {
self.maybe_add_authorization(&mut http_request, false)?;
} else {
return Err(AgentError::CannotUseAuthenticationOnNonSecureUrl());
}
} else {
break;
}
}
if status.is_client_error() || status.is_server_error() {
Err(AgentError::HttpError(HttpErrorPayload {
status: status.into(),
content_type: headers
.get(reqwest::header::CONTENT_TYPE)
.and_then(|value| value.to_str().ok())
.map(|x| x.to_string()),
content: body,
}))
} else {
Ok(body)
}
}
}
impl super::ReplicaV2Transport for ReqwestHttpReplicaV2Transport {
fn call<'a>(
&'a self,
effective_canister_id: Principal,
envelope: Vec<u8>,
_request_id: RequestId,
) -> Pin<Box<dyn Future<Output = Result<(), AgentError>> + Send + 'a>> {
async fn run(
s: &ReqwestHttpReplicaV2Transport,
effective_canister_id: Principal,
envelope: Vec<u8>,
) -> Result<(), AgentError> {
let endpoint = format!("canister/{}/call", effective_canister_id.to_text());
s.execute(Method::POST, &endpoint, Some(envelope)).await?;
Ok(())
}
Box::pin(run(self, effective_canister_id, envelope))
}
fn read_state<'a>(
&'a self,
effective_canister_id: Principal,
envelope: Vec<u8>,
) -> Pin<Box<dyn Future<Output = Result<Vec<u8>, AgentError>> + Send + 'a>> {
async fn run(
s: &ReqwestHttpReplicaV2Transport,
effective_canister_id: Principal,
envelope: Vec<u8>,
) -> Result<Vec<u8>, AgentError> {
let endpoint = format!("canister/{}/read_state", effective_canister_id.to_text());
s.execute(Method::POST, &endpoint, Some(envelope)).await
}
Box::pin(run(self, effective_canister_id, envelope))
}
fn query<'a>(
&'a self,
effective_canister_id: Principal,
envelope: Vec<u8>,
) -> Pin<Box<dyn Future<Output = Result<Vec<u8>, AgentError>> + Send + 'a>> {
async fn run(
s: &ReqwestHttpReplicaV2Transport,
effective_canister_id: Principal,
envelope: Vec<u8>,
) -> Result<Vec<u8>, AgentError> {
let endpoint = format!("canister/{}/query", effective_canister_id.to_text());
s.execute(Method::POST, &endpoint, Some(envelope)).await
}
Box::pin(run(self, effective_canister_id, envelope))
}
fn status<'a>(
&'a self,
) -> Pin<Box<dyn Future<Output = Result<Vec<u8>, AgentError>> + Send + 'a>> {
async fn run(s: &ReqwestHttpReplicaV2Transport) -> Result<Vec<u8>, AgentError> {
s.execute(Method::GET, "status", None).await
}
Box::pin(run(self))
}
}
#[cfg(test)]
mod test {
use super::ReqwestHttpReplicaV2Transport;
#[test]
fn redirect() {
fn test(base: &str, result: &str) {
let t = ReqwestHttpReplicaV2Transport::create(base).unwrap();
assert_eq!(t.url.as_str(), result, "{}", base);
}
test("https://ic0.app", "https://ic0.app/api/v2/");
test("https://IC0.app", "https://ic0.app/api/v2/");
test("https://foo.ic0.app", "https://ic0.app/api/v2/");
test("https://foo.IC0.app", "https://ic0.app/api/v2/");
test("https://foo.Ic0.app", "https://ic0.app/api/v2/");
test("https://foo.iC0.app", "https://ic0.app/api/v2/");
test("https://foo.bar.ic0.app", "https://ic0.app/api/v2/");
test("https://ic0.app/foo/", "https://ic0.app/foo/api/v2/");
test("https://foo.ic0.app/foo/", "https://ic0.app/foo/api/v2/");
test("https://ic1.app", "https://ic1.app/api/v2/");
test("https://foo.ic1.app", "https://foo.ic1.app/api/v2/");
test("https://ic0.app.ic1.app", "https://ic0.app.ic1.app/api/v2/");
test("https://fooic0.app", "https://fooic0.app/api/v2/");
test("https://fooic0.app.ic0.app", "https://ic0.app/api/v2/");
}
}