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
use std::sync::Arc;
use futures::{FutureExt, StreamExt};
use tokio::sync::mpsc;
use tokio_stream::wrappers::ReceiverStream;
use warp::{filters::BoxedFilter, ws::Message, Filter, Rejection, Reply};
use diem_config::config::StreamConfig;
use diem_logger::debug;
use storage_interface::MoveDbReader;
use crate::stream_rpc::{
connection::{ConnectionContext, ConnectionManager},
counters,
errors::StreamError,
logging,
subscription_types::SubscriptionConfig,
transport::util::{get_remote_addr, Transport},
};
pub fn get_websocket_routes(
config: &StreamConfig,
content_length_limit: u64,
diem_db: Arc<dyn MoveDbReader>,
connection_manager: Option<ConnectionManager>,
) -> (BoxedFilter<(impl Reply,)>, ConnectionManager) {
let sub_config = Arc::new(SubscriptionConfig {
fetch_size: config.subscription_fetch_size,
poll_interval_ms: config.poll_interval_ms,
max_poll_interval_ms: config.max_poll_interval_ms,
queue_size: config.send_queue_size,
});
let connection_manager = match connection_manager {
None => ConnectionManager::new(diem_db.clone(), sub_config),
Some(cm) => cm,
};
let cm2 = connection_manager.clone();
let ws_route = warp::path("v1")
.and(warp::path("stream"))
.and(warp::path("ws"))
.and(warp::path::end())
.and(warp::body::content_length_limit(content_length_limit))
.and(warp::filters::header::header::<String>("user-agent"))
.and(warp::ws())
.and(warp::any().map(move || cm2.clone()))
.and(warp::any().map(move || content_length_limit as usize))
.and(warp::header::headers_cloned())
.and(warp::filters::addr::remote())
.and_then(handle_websocket_stream)
.with(warp::cors().allow_any_origin())
.with(warp::log::custom(|info| {
debug!(
logging::StreamRpcLog {
transport: Transport::Websocket.as_str(),
remote_addr: Some(&format!("{:?}", info.remote_addr())),
user_agent: Some(info.user_agent().unwrap_or("")),
action: logging::StreamRpcAction::HttpRequestLog(logging::HttpRequestLog {
path: info.path(),
status: info.status().as_u16(),
referer: info.referer(),
forwarded: info
.request_headers()
.get(warp::http::header::FORWARDED)
.and_then(|v| v.to_str().ok()),
}),
},
"http request"
)
}))
.boxed();
(ws_route, connection_manager)
}
#[derive(Clone)]
pub struct ContextWrapperMapper {
pub content_length_limit: usize,
pub context: ConnectionContext,
}
impl ContextWrapperMapper {
pub fn message_result_to_string(
&self,
result: Result<Message, warp::Error>,
) -> Result<Option<String>, StreamError> {
counters::MESSAGES_RECEIVED
.with_label_values(&[
self.context.transport.as_str(),
self.context.sdk_info.language.as_str(),
&self.context.sdk_info.version.to_string(),
])
.inc();
match result {
Ok(msg) => {
if msg.as_bytes().len() > self.content_length_limit {
debug!(
"Received websocket message that was too big from {:?}",
self.context.remote_addr
);
return Ok(None);
}
if msg.is_ping() || msg.is_pong() {
return Ok(None);
}
if msg.is_close() {
return Err(StreamError::ClientWantsToDisconnect);
}
match msg.to_str() {
Ok(s) => Ok(Some(s.to_string())),
Err(_) => {
debug!(
"Received unhandled '{}' websocket message from {:?}",
message_type_to_string(&msg),
self.context.remote_addr
);
Ok(None)
}
}
}
Err(e) => Err(StreamError::TransportError(e.to_string())),
}
}
fn string_result_to_message(&self, result: Result<String, StreamError>) -> Message {
counters::MESSAGES_SENT
.with_label_values(&[
self.context.transport.as_str(),
self.context.sdk_info.language.as_str(),
&self.context.sdk_info.version.to_string(),
])
.inc();
match result {
Ok(item) => Message::text(item),
Err(_e) => Message::close(),
}
}
}
pub async fn handle_websocket_stream(
user_agent: String,
socket: warp::ws::Ws,
cm: ConnectionManager,
content_length_limit: usize,
headers: warp::http::HeaderMap,
remote_socket: Option<std::net::SocketAddr>,
) -> Result<impl Reply, Rejection> {
let sdk_info = crate::util::sdk_info_from_user_agent(Some(&user_agent));
counters::HTTP_WEBSOCKET_REQUESTS
.with_label_values(&[sdk_info.language.as_str(), &sdk_info.version.to_string()])
.inc();
Ok(socket
.max_send_queue(cm.config.queue_size)
.max_message_size(content_length_limit)
.on_upgrade(move |socket| {
async move {
counters::HTTP_WEBSOCKET_REQUEST_UPGRADES
.with_label_values(&[sdk_info.language.as_str(), &sdk_info.version.to_string()])
.inc();
let context = ConnectionContext {
transport: Transport::Websocket,
sdk_info,
remote_addr: get_remote_addr(&headers, remote_socket.as_ref()),
};
let (to_client_ws, from_client_ws) = socket.split();
let (to_client, to_client_rcv) =
mpsc::channel::<Result<String, StreamError>>(cm.config.queue_size);
let cwm = Arc::new(ContextWrapperMapper {
content_length_limit,
context: context.clone(),
});
let cwm_i = cwm.clone();
let mapped_from_client_ws =
from_client_ws.map(move |result| cwm_i.message_result_to_string(result));
tokio::task::spawn(
ReceiverStream::new(to_client_rcv)
.map(move |result| Ok(cwm.string_result_to_message(result)))
.forward(to_client_ws)
.map(move |result: Result<(), warp::Error>| {
debug!(
logging::StreamRpcLog {
transport: Transport::Websocket.as_str(),
remote_addr: remote_socket
.map(|remote_socket| remote_socket.to_string())
.as_deref(),
user_agent: Some(&user_agent),
action: logging::StreamRpcAction::ClientConnectionLog(
logging::ClientConnectionLog {
client_id: None,
forwarded: headers
.get(warp::http::header::FORWARDED)
.and_then(|v| v.to_str().ok()),
rpc_method: None,
}
),
},
"websocket disconnected ({:?})", result
)
}),
);
cm.client_connection(to_client, Box::new(mapped_from_client_ws), context)
.await;
}
}))
}
pub fn message_type_to_string(msg: &Message) -> &str {
if msg.is_ping() {
return "ping";
}
if msg.is_pong() {
return "pong";
}
if msg.is_close() {
return "close";
}
if msg.is_binary() {
return "binary";
}
if msg.is_text() {
return "text";
}
"unknown"
}