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
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
use crate::{
data_stream::{DataStream, DataStreamId, DataStreamListener},
error::Error,
logging::{LogEntry, LogEvent, LogSchema},
metrics,
streaming_client::{
StreamRequest, StreamRequestMessage, StreamingServiceListener, TerminateStreamRequest,
},
};
use aptos_config::config::DataStreamingServiceConfig;
use aptos_data_client::{AptosDataClient, GlobalDataSummary, OptimalChunkSizes};
use aptos_id_generator::{IdGenerator, U64IdGenerator};
use aptos_logger::prelude::*;
use futures::StreamExt;
use std::{collections::HashMap, sync::Arc, time::Duration};
use tokio::time::interval;
use tokio_stream::wrappers::IntervalStream;
const GLOBAL_DATA_REFRESH_LOG_FREQ_SECS: u64 = 3;
const NO_DATA_TO_FETCH_LOG_FREQ_SECS: u64 = 3;
const STREAM_REQUEST_ERROR_LOG_FREQ_SECS: u64 = 3;
pub struct DataStreamingService<T> {
config: DataStreamingServiceConfig,
aptos_data_client: T,
global_data_summary: GlobalDataSummary,
data_streams: HashMap<DataStreamId, DataStream<T>>,
stream_requests: StreamingServiceListener,
stream_id_generator: U64IdGenerator,
notification_id_generator: Arc<U64IdGenerator>,
}
impl<T: AptosDataClient + Send + Clone + 'static> DataStreamingService<T> {
pub fn new(
config: DataStreamingServiceConfig,
aptos_data_client: T,
stream_requests: StreamingServiceListener,
) -> Self {
Self {
config,
aptos_data_client,
global_data_summary: GlobalDataSummary::empty(),
data_streams: HashMap::new(),
stream_requests,
stream_id_generator: U64IdGenerator::new(),
notification_id_generator: Arc::new(U64IdGenerator::new()),
}
}
pub async fn start_service(mut self) {
let mut data_refresh_interval = IntervalStream::new(interval(Duration::from_millis(
self.config.global_summary_refresh_interval_ms,
)))
.fuse();
let mut progress_check_interval = IntervalStream::new(interval(Duration::from_millis(
self.config.progress_check_interval_ms,
)))
.fuse();
loop {
::futures::select! {
stream_request = self.stream_requests.select_next_some() => {
self.handle_stream_request_message(stream_request);
}
_ = data_refresh_interval.select_next_some() => {
self.refresh_global_data_summary();
}
_ = progress_check_interval.select_next_some() => {
self.check_progress_of_all_data_streams();
}
}
}
}
fn handle_stream_request_message(&mut self, request_message: StreamRequestMessage) {
if let StreamRequest::TerminateStream(request) = request_message.stream_request {
if let Err(error) = self.process_terminate_stream_request(&request) {
error!(LogSchema::new(LogEntry::HandleTerminateRequest)
.event(LogEvent::Error)
.error(&error));
}
return;
}
let response = self.process_new_stream_request(&request_message);
if let Err(error) = &response {
sample!(
SampleRate::Duration(Duration::from_secs(STREAM_REQUEST_ERROR_LOG_FREQ_SECS)),
error!(LogSchema::new(LogEntry::HandleStreamRequest)
.event(LogEvent::Error)
.error(error));
);
}
if let Err(error) = request_message.response_sender.send(response) {
error!(LogSchema::new(LogEntry::RespondToStreamRequest)
.event(LogEvent::Error)
.message(&format!(
"Failed to send response for stream request: {:?}",
error
)));
}
}
fn process_terminate_stream_request(
&mut self,
terminate_request: &TerminateStreamRequest,
) -> Result<(), Error> {
let notification_feedback = &terminate_request.notification_feedback;
metrics::increment_counter(
&metrics::TERMINATE_DATA_STREAM,
notification_feedback.get_label().into(),
);
let notification_id = &terminate_request.notification_id;
let data_stream_ids = self.get_all_data_stream_ids();
for data_stream_id in &data_stream_ids {
let data_stream = self.get_data_stream(data_stream_id);
if data_stream.sent_notification(notification_id) {
info!(LogSchema::new(LogEntry::HandleTerminateRequest)
.stream_id(*data_stream_id)
.event(LogEvent::Success)
.message(&format!(
"Terminating the stream that sent notification ID: {:?}. Feedback: {:?}",
notification_id, notification_feedback,
)));
data_stream.handle_notification_feedback(notification_id, notification_feedback)?;
self.data_streams.remove(notification_id);
return Ok(());
}
}
panic!(
"Unable to find the stream that sent notification ID: {:?}. Feedback: {:?}",
notification_id, notification_feedback,
);
}
fn process_new_stream_request(
&mut self,
request_message: &StreamRequestMessage,
) -> Result<DataStreamListener, Error> {
metrics::increment_counter(
&metrics::CREATE_DATA_STREAM,
request_message.stream_request.get_label().into(),
);
self.refresh_global_data_summary();
let stream_id = self.stream_id_generator.next();
let (data_stream, stream_listener) = DataStream::new(
self.config,
stream_id,
&request_message.stream_request,
self.aptos_data_client.clone(),
self.notification_id_generator.clone(),
&self.global_data_summary.advertised_data,
)?;
data_stream.ensure_data_is_available(&self.global_data_summary.advertised_data)?;
if self.data_streams.insert(stream_id, data_stream).is_some() {
panic!(
"Duplicate data stream found! This should not occur! ID: {:?}",
stream_id,
);
}
info!(LogSchema::new(LogEntry::HandleStreamRequest)
.stream_id(stream_id)
.event(LogEvent::Success)
.message(&format!(
"Stream created for request: {:?}",
request_message
)));
Ok(stream_listener)
}
fn refresh_global_data_summary(&mut self) {
if let Err(error) = self.fetch_global_data_summary() {
metrics::increment_counter(
&metrics::GLOBAL_DATA_SUMMARY_ERROR,
error.get_label().into(),
);
sample!(
SampleRate::Duration(Duration::from_secs(GLOBAL_DATA_REFRESH_LOG_FREQ_SECS)),
error!(LogSchema::new(LogEntry::RefreshGlobalData)
.event(LogEvent::Error)
.error(&error))
);
}
}
fn fetch_global_data_summary(&mut self) -> Result<(), Error> {
let global_data_summary = self.aptos_data_client.get_global_data_summary();
if global_data_summary.is_empty() {
sample!(
SampleRate::Duration(Duration::from_secs(GLOBAL_DATA_REFRESH_LOG_FREQ_SECS)),
info!(LogSchema::new(LogEntry::RefreshGlobalData)
.message("Latest global data summary is empty."))
);
} else {
verify_optimal_chunk_sizes(&global_data_summary.optimal_chunk_sizes)?;
self.global_data_summary = global_data_summary;
}
Ok(())
}
fn check_progress_of_all_data_streams(&mut self) {
let data_stream_ids = self.get_all_data_stream_ids();
for data_stream_id in &data_stream_ids {
if let Err(error) = self.update_progress_of_data_stream(data_stream_id) {
if matches!(error, Error::NoDataToFetch(_)) {
sample!(
SampleRate::Duration(Duration::from_secs(NO_DATA_TO_FETCH_LOG_FREQ_SECS)),
info!(LogSchema::new(LogEntry::CheckStreamProgress)
.stream_id(*data_stream_id)
.event(LogEvent::Pending)
.error(&error))
);
} else {
metrics::increment_counter(
&metrics::CHECK_STREAM_PROGRESS_ERROR,
error.get_label().into(),
);
error!(LogSchema::new(LogEntry::CheckStreamProgress)
.stream_id(*data_stream_id)
.event(LogEvent::Error)
.error(&error));
}
}
}
}
fn update_progress_of_data_stream(
&mut self,
data_stream_id: &DataStreamId,
) -> Result<(), Error> {
let global_data_summary = self.global_data_summary.clone();
let data_stream = self.get_data_stream_mut(data_stream_id);
if !data_stream.data_requests_initialized() {
data_stream.initialize_data_requests(global_data_summary)?;
info!(
(LogSchema::new(LogEntry::InitializeStream)
.stream_id(*data_stream_id)
.event(LogEvent::Success)
.message("Data stream initialized."))
);
} else {
data_stream.process_data_responses(global_data_summary)?;
}
Ok(())
}
fn get_all_data_stream_ids(&self) -> Vec<DataStreamId> {
self.data_streams
.keys()
.cloned()
.collect::<Vec<DataStreamId>>()
}
fn get_data_stream(&self, data_stream_id: &DataStreamId) -> &DataStream<T> {
self.data_streams.get(data_stream_id).unwrap_or_else(|| {
panic!(
"Expected a data stream with ID: {:?}, but found None!",
data_stream_id
)
})
}
fn get_data_stream_mut(&mut self, data_stream_id: &DataStreamId) -> &mut DataStream<T> {
self.data_streams
.get_mut(data_stream_id)
.unwrap_or_else(|| {
panic!(
"Expected a data stream with ID: {:?}, but found None!",
data_stream_id
)
})
}
}
fn verify_optimal_chunk_sizes(optimal_chunk_sizes: &OptimalChunkSizes) -> Result<(), Error> {
if optimal_chunk_sizes.account_states_chunk_size == 0
|| optimal_chunk_sizes.epoch_chunk_size == 0
|| optimal_chunk_sizes.transaction_chunk_size == 0
|| optimal_chunk_sizes.transaction_output_chunk_size == 0
{
Err(Error::AptosDataClientResponseIsInvalid(format!(
"Found at least one optimal chunk size of zero: {:?}",
optimal_chunk_sizes
)))
} else {
Ok(())
}
}