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
#[cfg(feature = "http")]
mod http;
#[cfg(feature = "ws")]
mod ws;
#[cfg(feature = "http")]
pub use self::http::*;
#[cfg(feature = "ws")]
pub use self::ws::*;
use serde::de::DeserializeOwned;
use crate::errors::Result;
use crate::types::*;
#[async_trait::async_trait]
pub trait Transport {
fn prepare<M: Into<String>>(&self, method: M, params: Params) -> (RequestId, Call);
async fn execute(&self, id: RequestId, request: &Request) -> Result<Response>;
async fn send<M, T>(&self, method: M, params: Params) -> Result<T>
where
M: Into<String> + Send,
T: DeserializeOwned,
{
let (id, call) = self.prepare(method, params);
let request = Request::Single(call);
debug!(
"Request: {}",
serde_json::to_string(&request).expect("Serialize `Request` never fails")
);
let response = self.execute(id, &request).await?;
debug!(
"Response: {}",
serde_json::to_string(&response).expect("Serialize `Response` never fails")
);
match response {
Response::Single(ResponseOutput::Success(success)) => {
Ok(serde_json::from_value(success.result)?)
}
Response::Single(ResponseOutput::Failure(failure)) => Err(failure.error.into()),
Response::Batch(_) => panic!("Expected single, got batch"),
}
}
}
#[async_trait::async_trait]
pub trait BatchTransport: Transport {
async fn execute_batch<I>(&self, requests: I) -> Result<Response>
where
I: IntoIterator<Item = (RequestId, Call)> + Send,
I::IntoIter: Send,
{
let mut iter = requests.into_iter();
let (id, first): (RequestId, Option<Call>) = match iter.next() {
Some(request) => (request.0, Some(request.1)),
None => (0, None),
};
let calls = first
.into_iter()
.chain(iter.map(|request| request.1))
.collect::<Vec<_>>();
let request = Request::Batch(calls);
debug!(
"Request: {}",
serde_json::to_string(&request).expect("Serialize `Request` never fails")
);
self.execute(id, &request).await
}
async fn send_batch<I, M>(&self, method_and_params: I) -> Result<Vec<Result<Value>>>
where
I: IntoIterator<Item = (M, Params)> + Send,
I::IntoIter: Send,
M: Into<String>,
{
let requests = method_and_params
.into_iter()
.map(|(method, params)| self.prepare(method, params));
let response = self.execute_batch(requests).await?;
debug!(
"Response: {}",
serde_json::to_string(&response).expect("Serialize `Response` never fails")
);
match response {
Response::Single(_) => panic!("Expected batch, got single"),
Response::Batch(outputs) => Ok(outputs
.into_iter()
.map(|output| match output {
ResponseOutput::Success(success) => Ok(success.result),
ResponseOutput::Failure(failure) => Err(failure.error.into()),
})
.collect::<Vec<_>>()),
}
}
async fn send_batch_same<I, M, T>(&self, method: M, batch_params: I) -> Result<Vec<T>>
where
I: IntoIterator<Item = Params> + Send,
I::IntoIter: Send,
M: Into<String> + Send,
T: DeserializeOwned,
{
let method = method.into();
let calls = batch_params
.into_iter()
.map(|params| self.prepare(method.clone(), params));
let response = self.execute_batch(calls).await?;
debug!(
"Response: {}",
serde_json::to_string(&response).expect("Serialize `Response` never fails")
);
let values = match response {
Response::Single(_) => panic!("Expected batch, got single"),
Response::Batch(outputs) => outputs,
};
let mut results = Vec::with_capacity(values.len());
for value in values {
let value = match value {
ResponseOutput::Success(success) => success.result,
ResponseOutput::Failure(failure) => return Err(failure.error.into()),
};
let result = serde_json::from_value(value).expect("Deserialize `Value` never fails");
results.push(result);
}
Ok(results)
}
}
pub type NotificationStream<T> = futures::stream::BoxStream<'static, T>;
pub trait PubsubTransport: Transport {
fn subscribe<T>(&self, id: SubscriptionId) -> NotificationStream<T>
where
T: DeserializeOwned;
fn unsubscribe(&self, id: SubscriptionId);
}