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
use std::sync::atomic::{AtomicUsize, Ordering};
use std::sync::Arc;
use std::time::Duration;
use crate::errors::Result;
use crate::transports::{BatchTransport, Transport};
use crate::types::{Call, MethodCall, Params, Request, RequestId, Response, Version};
#[derive(Clone)]
pub struct HttpTransport {
id: Arc<AtomicUsize>,
url: String,
bearer_auth_token: Option<String>,
client: reqwest::Client,
}
impl HttpTransport {
fn new_client() -> reqwest::Client {
reqwest::Client::builder()
.connect_timeout(Duration::from_secs(10))
.timeout(Duration::from_secs(30))
.build()
.expect("ClientBuilder config is valid; qed")
}
pub fn new<U: Into<String>>(url: U) -> Self {
Self {
id: Default::default(),
url: url.into(),
bearer_auth_token: None,
client: Self::new_client(),
}
}
pub fn new_with_bearer_auth<U: Into<String>, T: Into<String>>(url: U, token: T) -> Self {
Self {
id: Default::default(),
url: url.into(),
bearer_auth_token: Some(token.into()),
client: Self::new_client(),
}
}
async fn send_request(&self, request: &Request) -> Result<Response> {
let builder = self.client.post(&self.url).json(request);
let builder = if let Some(token) = &self.bearer_auth_token {
builder.bearer_auth(token)
} else {
builder
};
Ok(builder.send().await?.json().await?)
}
}
#[async_trait::async_trait]
impl Transport for HttpTransport {
fn prepare<M: Into<String>>(&self, method: M, params: Params) -> (RequestId, Call) {
let id = self.id.fetch_add(1, Ordering::AcqRel);
let call = Call::MethodCall(MethodCall {
jsonrpc: Some(Version::V2),
id,
method: method.into(),
params,
});
(id, call)
}
async fn execute(&self, _id: RequestId, request: &Request) -> Result<Response> {
self.send_request(request).await
}
}
#[async_trait::async_trait]
impl BatchTransport for HttpTransport {}