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
use std::{
convert::TryInto,
time::{Duration, SystemTime},
};
use anyhow::Context;
use async_compat::CompatExt;
use async_trait::async_trait;
use bytes::Bytes;
use nanorpc::{DynRpcTransport, RpcTransport};
use rand::Rng;
use reqwest::header::{HeaderMap, HeaderName};
use smol_str::SmolStr;
use super::protocol::{
box_decrypt, box_encrypt, AuthError, AuthRequest, AuthResponse, BinderClient, BlindToken,
BridgeDescriptor, ExitDescriptor, Level, MasterSummary, UserInfo,
};
#[allow(clippy::type_complexity)]
pub struct CachedBinderClient {
load_cache: Box<dyn Fn(&str) -> Option<Bytes> + Send + Sync + 'static>,
save_cache: Box<dyn Fn(&str, &[u8], Duration) + Send + Sync + 'static>,
inner: DynBinderClient,
username: SmolStr,
password: SmolStr,
}
impl CachedBinderClient {
pub fn new(
load_cache: impl Fn(&str) -> Option<Bytes> + Send + Sync + 'static,
save_cache: impl Fn(&str, &[u8], Duration) + Send + Sync + 'static,
inner: DynBinderClient,
username: &str,
password: &str,
) -> Self {
Self {
load_cache: Box::new(load_cache),
save_cache: Box::new(save_cache),
inner,
username: username.into(),
password: password.into(),
}
}
pub async fn get_summary(&self) -> anyhow::Result<MasterSummary> {
if let Some(summary) = (self.load_cache)("summary") {
if let Ok(summary) = serde_json::from_slice(&summary) {
return Ok(summary);
}
}
let summary = self.inner.get_summary().await?;
(self.save_cache)(
"summary",
&serde_json::to_vec(&summary)?,
Duration::from_secs(3600),
);
Ok(summary)
}
pub async fn get_closest_exit(&self, destination_exit: &str) -> anyhow::Result<ExitDescriptor> {
let token = self.get_auth_token().await?.1;
let summary = self.get_summary().await?;
let mut exits = summary.exits;
exits.retain(|e| e.allowed_levels.contains(&token.level));
exits.sort_by(|a, b| {
strsim::damerau_levenshtein(&a.hostname, destination_exit)
.cmp(&strsim::damerau_levenshtein(&b.hostname, destination_exit))
});
exits.get(0).cloned().context("no exits found at all lol")
}
pub async fn get_bridges(
&self,
destination_exit: &str,
force_fresh: bool,
) -> anyhow::Result<Vec<BridgeDescriptor>> {
let bridge_key = format!("bridges {}", destination_exit);
let auth = self.get_auth_token().await?.1;
if !force_fresh {
if let Some(bridges) = (self.load_cache)(&bridge_key) {
if let Ok(bridges) = serde_json::from_slice(&bridges) {
return Ok(bridges);
}
}
}
let bridges = self
.inner
.get_bridges(auth, destination_exit.into())
.await?;
(self.save_cache)(
&bridge_key,
&serde_json::to_vec(&bridges)?,
Duration::from_secs(600),
);
Ok(bridges)
}
pub async fn get_auth_token(&self) -> anyhow::Result<(UserInfo, BlindToken)> {
if let Some(auth_token) = (self.load_cache)("auth_token") {
if let Ok(auth_token) = serde_json::from_slice(&auth_token) {
return Ok(auth_token);
}
}
let digest: [u8; 32] = rand::thread_rng().gen();
for level in [Level::Free, Level::Plus] {
let mizaru_pk = self.get_mizaru_pk(level).await?;
let epoch = mizaru::time_to_epoch(SystemTime::now()) as u16;
let subkey = self.inner.get_mizaru_epoch_key(level, epoch).await?;
let digest = rsa_fdh::blind::hash_message::<sha2::Sha256, _>(&subkey, &digest).unwrap();
let (blinded_digest, unblinder) =
rsa_fdh::blind::blind(&mut rand::thread_rng(), &subkey, &digest);
let resp: AuthResponse = match self
.inner
.authenticate(AuthRequest {
username: self.username.clone(),
password: self.password.clone(),
level,
epoch,
blinded_digest: blinded_digest.into(),
})
.await?
{
Err(AuthError::WrongLevel) => continue,
x => x?,
};
let blind_signature: mizaru::BlindedSignature =
bincode::deserialize(&resp.blind_signature_bincode)?;
let unblinded_signature = blind_signature.unblind(&unblinder);
if unblinded_signature.epoch != epoch as usize
|| !mizaru_pk.blind_verify(&digest, &unblinded_signature)
{
anyhow::bail!("an invalid signature was given by the binder")
}
let tok = BlindToken {
level,
unblinded_digest: digest.into(),
unblinded_signature_bincode: bincode::serialize(&unblinded_signature)?.into(),
};
(self.save_cache)(
"auth_token",
&serde_json::to_vec(&(&resp.user_info, &tok))?,
Duration::from_secs(86400),
);
return Ok((resp.user_info, tok));
}
todo!()
}
async fn get_mizaru_pk(&self, level: Level) -> anyhow::Result<mizaru::PublicKey> {
let k = format!("mizaru_pk_{:?}", level);
if let Some(pk) = (self.load_cache)(&k) {
if let Ok(pk) = serde_json::from_slice(&pk) {
return Ok(pk);
}
}
let pk = self.inner.get_mizaru_pk(level).await?;
(self.save_cache)(
&k,
&serde_json::to_vec(&pk)?,
Duration::from_secs(1_000_000),
);
Ok(pk)
}
}
pub type DynBinderClient = BinderClient<DynRpcTransport>;
pub struct E2eeHttpTransport {
binder_lpk: x25519_dalek::PublicKey,
endpoint: String,
client: reqwest::Client,
}
#[async_trait]
impl RpcTransport for E2eeHttpTransport {
type Error = anyhow::Error;
async fn call_raw(
&self,
req: nanorpc::JrpcRequest,
) -> Result<nanorpc::JrpcResponse, Self::Error> {
let eph_sk = x25519_dalek::StaticSecret::new(&mut rand::thread_rng());
let encrypted_req =
box_encrypt(&serde_json::to_vec(&req)?, eph_sk.clone(), self.binder_lpk);
let resp = self
.client
.post(&self.endpoint)
.body(encrypted_req)
.send()
.compat()
.await?;
let encrypted_resp = resp.bytes().compat().await?;
let (resp, _) = box_decrypt(&encrypted_resp, eph_sk)?;
Ok(serde_json::from_slice(&resp)?)
}
}
impl E2eeHttpTransport {
pub fn new(binder_lpk: [u8; 32], endpoint: String, headers: Vec<(String, String)>) -> Self {
Self {
binder_lpk: x25519_dalek::PublicKey::from(binder_lpk),
endpoint,
client: reqwest::ClientBuilder::new()
.default_headers({
let mut hh = HeaderMap::new();
for (k, v) in headers {
hh.insert::<HeaderName>(
k.to_ascii_lowercase().try_into().unwrap(),
v.to_ascii_lowercase().parse().unwrap(),
);
}
hh
})
.build()
.unwrap(),
}
}
}
#[cfg(test)]
mod tests {
use async_compat::CompatExt;
use reqwest::header::HeaderMap;
#[test]
fn reqwest_domain_front() {
smolscale::block_on(
async move {
let client = reqwest::ClientBuilder::new()
.default_headers({
let mut hh = HeaderMap::new();
hh.insert("host", "loving-bell-981479.netlify.app".parse().unwrap());
hh
})
.build()
.unwrap();
let resp = client
.get("https://www.netlify.com/v4")
.send()
.await
.unwrap();
dbg!(resp);
}
.compat(),
);
}
}