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
use crate::{
error::{Error, Result, TransportError},
helpers, BatchTransport, RequestId, Transport,
};
#[cfg(not(feature = "wasm"))]
use futures::future::BoxFuture;
#[cfg(feature = "wasm")]
use futures::future::LocalBoxFuture as BoxFuture;
use jsonrpc_core::types::{Call, Output, Request, Value};
use crate::transports::ICHttpClient;
use serde::de::DeserializeOwned;
use std::{
collections::HashMap,
sync::{
atomic::{AtomicUsize, Ordering},
Arc,
},
};
#[derive(Clone, Debug)]
pub struct ICHttp {
client: ICHttpClient,
inner: Arc<Inner>,
}
#[derive(Debug)]
struct Inner {
url: String,
id: AtomicUsize,
}
impl ICHttp {
pub fn new(url: &str, max_resp: Option<u64>, cycles: Option<u64>) -> Result<Self> {
Ok(
Self {
client: ICHttpClient::new(max_resp, cycles),
inner: Arc::new(Inner {
url: url.to_string(),
id: AtomicUsize::new(0),
}),
}
)
}
pub fn set_max_response_bytes(&mut self, v: u64) {
self.client.set_max_response_bytes(v);
}
pub fn set_cycles_per_call(&mut self, v: u64) {
self.client.set_cycles_per_call(v);
}
fn next_id(&self) -> RequestId {
self.inner.id.fetch_add(1, Ordering::AcqRel)
}
fn new_request(&self) -> (ICHttpClient, String) {
(self.client.clone(), self.inner.url.clone())
}
}
async fn execute_rpc<T: DeserializeOwned>(client: &ICHttpClient, url: String, request: &Request, id: RequestId) -> Result<T> {
let response = client
.post(url, request, None, None)
.await
.map_err(|err| Error::Transport(TransportError::Message(err)))?;
helpers::arbitrary_precision_deserialize_workaround(&response).map_err(|err| {
Error::Transport(TransportError::Message(format!(
"failed to deserialize response: {}: {}",
err,
String::from_utf8_lossy(&response)
)))
})
}
type RpcResult = Result<Value>;
impl Transport for ICHttp {
type Out = BoxFuture<'static, Result<Value>>;
fn prepare(&self, method: &str, params: Vec<Value>) -> (RequestId, Call) {
let id = self.next_id();
let request = helpers::build_request(id, method, params);
(id, request)
}
fn send(&self, id: RequestId, call: Call) -> Self::Out {
let (client, url) = self.new_request();
Box::pin(async move {
let output: Output = execute_rpc(&client, url, &Request::Single(call), id).await?;
helpers::to_result_from_output(output)
})
}
}
impl BatchTransport for ICHttp {
type Batch = BoxFuture<'static, Result<Vec<RpcResult>>>;
fn send_batch<T>(&self, requests: T) -> Self::Batch
where
T: IntoIterator<Item = (RequestId, Call)>,
{
let id = self.next_id();
let (client, url) = self.new_request();
let (ids, calls): (Vec<_>, Vec<_>) = requests.into_iter().unzip();
Box::pin(async move {
let outputs: Vec<Output> = execute_rpc(&client, url, &Request::Batch(calls), id).await?;
handle_batch_response(&ids, outputs)
})
}
}
fn handle_batch_response(ids: &[RequestId], outputs: Vec<Output>) -> Result<Vec<RpcResult>> {
if ids.len() != outputs.len() {
return Err(Error::InvalidResponse("unexpected number of responses".to_string()));
}
let mut outputs = outputs
.into_iter()
.map(|output| Ok((id_of_output(&output)?, helpers::to_result_from_output(output))))
.collect::<Result<HashMap<_, _>>>()?;
ids.iter()
.map(|id| {
outputs
.remove(id)
.ok_or_else(|| Error::InvalidResponse(format!("batch response is missing id {}", id)))
})
.collect()
}
fn id_of_output(output: &Output) -> Result<RequestId> {
let id = match output {
Output::Success(success) => &success.id,
Output::Failure(failure) => &failure.id,
};
match id {
jsonrpc_core::Id::Num(num) => Ok(*num as RequestId),
_ => Err(Error::InvalidResponse("response id is not u64".to_string())),
}
}
#[cfg(test)]
mod tests {
use super::*;
async fn server(req: hyper::Request<hyper::Body>) -> hyper::Result<hyper::Response<hyper::Body>> {
use hyper::body::HttpBody;
let expected = r#"{"jsonrpc":"2.0","method":"eth_getAccounts","params":[],"id":0}"#;
let response = r#"{"jsonrpc":"2.0","id":0,"result":"x"}"#;
assert_eq!(req.method(), &hyper::Method::POST);
assert_eq!(req.uri().path(), "/");
let mut content: Vec<u8> = vec![];
let mut body = req.into_body();
while let Some(Ok(chunk)) = body.data().await {
content.extend(&*chunk);
}
assert_eq!(std::str::from_utf8(&*content), Ok(expected));
Ok(hyper::Response::new(response.into()))
}
#[tokio::test]
async fn should_make_a_request() {
use hyper::service::{make_service_fn, service_fn};
let addr = "127.0.0.1:3001";
let service = make_service_fn(|_| async { Ok::<_, hyper::Error>(service_fn(server)) });
let server = hyper::Server::bind(&addr.parse().unwrap()).serve(service);
tokio::spawn(async move {
println!("Listening on http://{}", addr);
server.await.unwrap();
});
let client = Http::new(&format!("http://{}", addr)).unwrap();
println!("Sending request");
let response = client.execute("eth_getAccounts", vec![]).await;
println!("Got response");
assert_eq!(response, Ok(Value::String("x".into())));
}
#[test]
fn handles_batch_response_being_in_different_order_than_input() {
let ids = vec![0, 1, 2];
let outputs = [1u64, 0, 2]
.iter()
.map(|&id| {
Output::Success(jsonrpc_core::Success {
jsonrpc: None,
result: id.into(),
id: jsonrpc_core::Id::Num(id),
})
})
.collect();
let results = handle_batch_response(&ids, outputs)
.unwrap()
.into_iter()
.map(|result| result.unwrap().as_u64().unwrap() as usize)
.collect::<Vec<_>>();
assert_eq!(ids, results);
}
}