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
use std::net::{IpAddr, SocketAddr};
use std::sync::Arc;
use std::time::Duration;
use tokio::net::UdpSocket;
use tokio::sync::Mutex;
use tokio::time;
use cjdns_crypto::hash::sha256;
use crate::ConnectionOptions;
use crate::errors::{ConnOptions, Error};
use crate::func_list::Funcs;
use crate::msgs::{self, Empty, Request};
use crate::txid::Counter;
const PING_TIMEOUT: Duration = Duration::from_millis(1_000);
const DEFAULT_TIMEOUT: Duration = Duration::from_millis(10_000);
#[derive(Clone)]
pub struct Connection {
socket: Arc<Mutex<UdpSocket>>,
password: String,
counter: Arc<Counter>,
pub functions: Funcs,
}
impl Connection {
pub(super) async fn new(opts: ConnectionOptions) -> Result<Self, Error> {
let mut conn = Connection {
socket: Arc::new(Mutex::new(create_udp_socket_sender(&opts.addr, opts.port).await?)),
password: opts.password.clone(),
counter: Arc::new(Counter::new_random()),
functions: Funcs::default(),
};
conn.probe_connection(opts).await?;
let fns = conn.load_available_functions().await?;
conn.functions = fns;
Ok(conn)
}
async fn probe_connection(&mut self, opts: ConnectionOptions) -> Result<(), Error> {
self.call_func::<(), Empty>("ping", (), true, PING_TIMEOUT)
.await
.map_err(|_| Error::ConnectError(ConnOptions::wrap(&opts)))?;
if !self.password.is_empty() {
self.call_func::<(), Empty>("AuthorizedPasswords_list", (), false, DEFAULT_TIMEOUT)
.await
.map_err(|_| Error::AuthError(ConnOptions::wrap(&opts)))?;
}
Ok(())
}
async fn load_available_functions(&mut self) -> Result<Funcs, Error> {
let mut res = Funcs::new();
for i in 0.. {
let ret: msgs::AvailableFnsResponsePayload = self
.call_func("Admin_availableFunctions", msgs::AvailableFnsQueryArg { page: i }, false, DEFAULT_TIMEOUT)
.await?;
let funcs = ret.available_fns;
if funcs.is_empty() {
break;
}
res.add_funcs(funcs);
}
Ok(res)
}
pub async fn invoke<A: msgs::Args, P: msgs::Payload>(&mut self, remote_fn_name: &str, args: A) -> Result<P, Error> {
self.call_func(remote_fn_name, args, false, DEFAULT_TIMEOUT).await
}
async fn call_func<A: msgs::Args, P: msgs::Payload>(&mut self, remote_fn_name: &str, args: A, disable_auth: bool, timeout: Duration) -> Result<P, Error> {
let call = async {
if disable_auth || self.password.is_empty() {
self.call_func_no_auth(remote_fn_name, args).await
} else {
self.call_func_auth(remote_fn_name, args).await
}
};
time::timeout(timeout, call).await.map_err(|_| Error::TimeOut(timeout))?
}
async fn call_func_no_auth<A: msgs::Args, P: msgs::Payload>(&mut self, remote_fn_name: &str, args: A) -> Result<P, Error> {
let msg = msgs::Query {
txid: self.counter.next().to_string(),
q: remote_fn_name.to_string(),
args,
};
let resp: msgs::GenericResponse<P> = self.send_msg(&msg).await?;
check_txid(&msg.txid, &resp.txid)?;
check_remote_error(&resp.error)?;
Ok(resp.payload)
}
async fn call_func_auth<A: msgs::Args, P: msgs::Payload>(&mut self, remote_fn_name: &str, args: A) -> Result<P, Error> {
let new_cookie = {
let resp: msgs::CookieResponsePayload = self.call_func_no_auth("cookie", ()).await?;
resp.cookie
};
let passwd_hash = {
let cookie_passwd = self.password.clone() + &new_cookie;
let digest = sha256::hash(cookie_passwd.as_bytes());
hex::encode(digest)
};
let mut msg = msgs::AuthQuery {
txid: self.counter.next().to_string(),
q: "auth".to_string(),
aq: remote_fn_name.to_string(),
args,
cookie: new_cookie,
hash: passwd_hash,
};
let msg_hash = {
let msg_bytes = msg.to_bencode()?;
let digest = sha256::hash(&msg_bytes);
hex::encode(digest)
};
msg.hash = msg_hash;
let resp: msgs::GenericResponse<P> = self.send_msg(&msg).await?;
check_txid(&msg.txid, &resp.txid)?;
check_remote_error(&resp.error)?;
Ok(resp.payload)
}
async fn send_msg<RQ, RS>(&mut self, req: &RQ) -> Result<RS, Error>
where
RQ: msgs::Request,
RS: msgs::Response,
{
let msg = req.to_bencode()?;
let mut socket = self.socket.lock().await;
socket.send(&msg).await.map_err(|e| Error::NetworkOperation(e))?;
let mut buf = [0; 1500];
let received = socket.recv(&mut buf).await.map_err(|e| Error::NetworkOperation(e))?;
let response = &buf[..received];
RS::from_bencode(response)
}
}
async fn create_udp_socket_sender(addr: &str, port: u16) -> Result<UdpSocket, Error> {
let ip_addr = addr.parse::<IpAddr>().map_err(|e| Error::BadNetworkAddress(e))?;
let remote_address = SocketAddr::new(ip_addr, port);
let local_address = "0.0.0.0:0";
let socket = UdpSocket::bind(local_address).await.map_err(|e| Error::NetworkOperation(e))?;
socket.connect(&remote_address).await.map_err(|e| Error::NetworkOperation(e))?;
Ok(socket)
}
#[inline]
fn check_txid(sent_txid: &String, received_txid: &String) -> Result<(), Error> {
if sent_txid == received_txid {
Ok(())
} else {
Err(Error::BrokenTx {
sent_txid: sent_txid.clone(),
received_txid: received_txid.clone(),
})
}
}
#[inline]
fn check_remote_error(remote_error_msg: &str) -> Result<(), Error> {
if remote_error_msg.is_empty() || remote_error_msg.eq_ignore_ascii_case("none") {
Ok(())
} else {
Err(Error::RemoteError(remote_error_msg.to_string()))
}
}