sui_indexer_alt_framework/ingestion/
mod.rs

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
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
// Copyright (c) Mysten Labs, Inc.
// SPDX-License-Identifier: Apache-2.0

// Allow use of `unbounded_channel` in `ingestion` -- it is used by the regulator task to receive
// feedback. Traffic through this task should be minimal, but if a bound is applied to it and that
// bound is hit, the indexer could deadlock.
#![allow(clippy::disallowed_methods)]

use std::{path::PathBuf, sync::Arc, time::Duration};

use serde::{Deserialize, Serialize};
use tokio::{sync::mpsc, task::JoinHandle};
use tokio_util::sync::CancellationToken;
use url::Url;

use crate::ingestion::broadcaster::broadcaster;
use crate::ingestion::client::IngestionClient;
use crate::ingestion::error::{Error, Result};
use crate::ingestion::regulator::regulator;
use crate::metrics::IndexerMetrics;
use crate::types::full_checkpoint_content::CheckpointData;

mod broadcaster;
pub mod client;
pub mod error;
mod local_client;
mod regulator;
mod remote_client;
mod rpc_client;
#[cfg(test)]
mod test_utils;

#[derive(clap::Args, Clone, Debug)]
#[group(required = true)]
pub struct ClientArgs {
    /// Remote Store to fetch checkpoints from.
    #[clap(long, group = "source")]
    pub remote_store_url: Option<Url>,

    /// Path to the local ingestion directory.
    /// If both remote_store_url and local_ingestion_path are provided, remote_store_url will be used.
    #[clap(long, group = "source")]
    pub local_ingestion_path: Option<PathBuf>,

    /// Sui fullnode gRPC url to fetch checkpoints from.
    /// If all remote_store_url, local_ingestion_path and rpc_api_url are provided, remote_store_url will be used.
    #[clap(long, env, group = "source")]
    pub rpc_api_url: Option<Url>,

    /// Optional username for the gRPC service.
    #[clap(long, env)]
    pub rpc_username: Option<String>,

    /// Optional password for the gRPC service.
    #[clap(long, env)]
    pub rpc_password: Option<String>,
}

#[derive(Serialize, Deserialize, Debug, Clone)]
pub struct IngestionConfig {
    /// Maximum size of checkpoint backlog across all workers downstream of the ingestion service.
    pub checkpoint_buffer_size: usize,

    /// Maximum number of checkpoints to attempt to fetch concurrently.
    pub ingest_concurrency: usize,

    /// Polling interval to retry fetching checkpoints that do not exist, in milliseconds.
    pub retry_interval_ms: u64,
}

pub struct IngestionService {
    config: IngestionConfig,
    client: IngestionClient,
    ingest_hi_tx: mpsc::UnboundedSender<(&'static str, u64)>,
    ingest_hi_rx: mpsc::UnboundedReceiver<(&'static str, u64)>,
    subscribers: Vec<mpsc::Sender<Arc<CheckpointData>>>,
    cancel: CancellationToken,
}

impl IngestionConfig {
    pub fn retry_interval(&self) -> Duration {
        Duration::from_millis(self.retry_interval_ms)
    }
}

impl IngestionService {
    /// TODO: If we want to expose this as part of the framework, so people can run just an
    /// ingestion service, we will need to split `IngestionMetrics` out from `IndexerMetrics`.
    pub fn new(
        args: ClientArgs,
        config: IngestionConfig,
        metrics: Arc<IndexerMetrics>,
        cancel: CancellationToken,
    ) -> Result<Self> {
        // TODO: Potentially support a hybrid mode where we can fetch from both local and remote.
        let client = if let Some(url) = args.remote_store_url.as_ref() {
            IngestionClient::new_remote(url.clone(), metrics.clone())?
        } else if let Some(path) = args.local_ingestion_path.as_ref() {
            IngestionClient::new_local(path.clone(), metrics.clone())
        } else if let Some(rpc_api_url) = args.rpc_api_url.as_ref() {
            IngestionClient::new_rpc(
                rpc_api_url.clone(),
                args.rpc_username,
                args.rpc_password,
                metrics.clone(),
            )?
        } else {
            panic!("One of remote_store_url, local_ingestion_path or rpc_api_url must be provided");
        };

        let subscribers = Vec::new();
        let (ingest_hi_tx, ingest_hi_rx) = mpsc::unbounded_channel();
        Ok(Self {
            config,
            client,
            ingest_hi_tx,
            ingest_hi_rx,
            subscribers,
            cancel,
        })
    }

    /// The client this service uses to fetch checkpoints.
    pub(crate) fn client(&self) -> &IngestionClient {
        &self.client
    }

    /// Add a new subscription to the ingestion service. Note that the service is susceptible to
    /// the "slow receiver" problem: If one receiver is slower to process checkpoints than the
    /// checkpoint ingestion rate, it will eventually hold up all receivers.
    ///
    /// The ingestion service can optionally receive checkpoint high watermarks from its
    /// subscribers. If a subscriber provides a watermark, the ingestion service will commit to not
    /// run ahead of the watermark by more than the config's buffer_size.
    ///
    /// Returns the channel to receive checkpoints from and the channel to accept watermarks from.
    pub fn subscribe(
        &mut self,
    ) -> (
        mpsc::Receiver<Arc<CheckpointData>>,
        mpsc::UnboundedSender<(&'static str, u64)>,
    ) {
        let (sender, receiver) = mpsc::channel(self.config.checkpoint_buffer_size);
        self.subscribers.push(sender);
        (receiver, self.ingest_hi_tx.clone())
    }

    /// Start the ingestion service as a background task, consuming it in the process.
    ///
    /// Checkpoints are fetched concurrently from the `checkpoints` iterator, and pushed to
    /// subscribers' channels (potentially out-of-order). Subscribers can communicate with the
    /// ingestion service via their channels in the following ways:
    ///
    /// - If a subscriber is lagging (not receiving checkpoints fast enough), it will eventually
    ///   provide back-pressure to the ingestion service, which will stop fetching new checkpoints.
    /// - If a subscriber closes its channel, the ingestion service will interpret that as a signal
    ///   to shutdown as well.
    ///
    /// If ingestion reaches the leading edge of the network, it will encounter checkpoints that do
    /// not exist yet. These will be retried repeatedly on a fixed `retry_interval` until they
    /// become available.
    pub async fn run<I>(self, checkpoints: I) -> Result<(JoinHandle<()>, JoinHandle<()>)>
    where
        I: IntoIterator<Item = u64> + Send + Sync + 'static,
        I::IntoIter: Send + Sync + 'static,
    {
        let IngestionService {
            config,
            client,
            ingest_hi_tx: _,
            ingest_hi_rx,
            subscribers,
            cancel,
        } = self;

        if subscribers.is_empty() {
            return Err(Error::NoSubscribers);
        }

        let (checkpoint_tx, checkpoint_rx) = mpsc::channel(config.ingest_concurrency);

        let regulator = regulator(
            checkpoints,
            config.checkpoint_buffer_size,
            ingest_hi_rx,
            checkpoint_tx,
            cancel.clone(),
        );

        let broadcaster = broadcaster(config, client, checkpoint_rx, subscribers, cancel.clone());

        Ok((regulator, broadcaster))
    }
}

impl Default for IngestionConfig {
    fn default() -> Self {
        Self {
            checkpoint_buffer_size: 5000,
            ingest_concurrency: 200,
            retry_interval_ms: 200,
        }
    }
}

#[cfg(test)]
mod tests {
    use std::sync::Mutex;

    use reqwest::StatusCode;
    use wiremock::{MockServer, Request};

    use crate::ingestion::remote_client::tests::{respond_with, status};
    use crate::ingestion::test_utils::test_checkpoint_data;
    use crate::metrics::tests::test_metrics;

    use super::*;

    async fn test_ingestion(
        uri: String,
        checkpoint_buffer_size: usize,
        ingest_concurrency: usize,
        cancel: CancellationToken,
    ) -> IngestionService {
        IngestionService::new(
            ClientArgs {
                remote_store_url: Some(Url::parse(&uri).unwrap()),
                local_ingestion_path: None,
                rpc_api_url: None,
                rpc_username: None,
                rpc_password: None,
            },
            IngestionConfig {
                checkpoint_buffer_size,
                ingest_concurrency,
                ..Default::default()
            },
            test_metrics(),
            cancel,
        )
        .unwrap()
    }

    async fn test_subscriber(
        stop_after: usize,
        mut rx: mpsc::Receiver<Arc<CheckpointData>>,
        cancel: CancellationToken,
    ) -> JoinHandle<Vec<u64>> {
        tokio::spawn(async move {
            let mut seqs = vec![];
            for _ in 0..stop_after {
                tokio::select! {
                    _ = cancel.cancelled() => break,
                    Some(checkpoint) = rx.recv() => {
                        seqs.push(checkpoint.checkpoint_summary.sequence_number);
                    }
                }
            }

            rx.close();
            seqs
        })
    }

    /// If the ingestion service has no subscribers, it will fail fast (before fetching any
    /// checkpoints).
    #[tokio::test]
    async fn fail_on_no_subscribers() {
        telemetry_subscribers::init_for_testing();

        // The mock server will repeatedly return 404, so if the service does try to fetch a
        // checkpoint, it will be stuck repeatedly retrying.
        let server = MockServer::start().await;
        respond_with(&server, status(StatusCode::NOT_FOUND)).await;

        let cancel = CancellationToken::new();
        let ingestion_service = test_ingestion(server.uri(), 1, 1, cancel.clone()).await;

        let err = ingestion_service.run(0..).await.unwrap_err();
        assert!(matches!(err, Error::NoSubscribers));
    }

    /// The subscriber has no effective limit, and the mock server will always return checkpoint
    /// information, but the ingestion service can still be stopped using the cancellation token.
    #[tokio::test]
    async fn shutdown_on_cancel() {
        telemetry_subscribers::init_for_testing();

        let server = MockServer::start().await;
        respond_with(
            &server,
            status(StatusCode::OK).set_body_bytes(test_checkpoint_data(42)),
        )
        .await;

        let cancel = CancellationToken::new();
        let mut ingestion_service = test_ingestion(server.uri(), 1, 1, cancel.clone()).await;

        let (rx, _) = ingestion_service.subscribe();
        let subscriber = test_subscriber(usize::MAX, rx, cancel.clone()).await;
        let (regulator, broadcaster) = ingestion_service.run(0..).await.unwrap();

        cancel.cancel();
        subscriber.await.unwrap();
        regulator.await.unwrap();
        broadcaster.await.unwrap();
    }

    /// The subscriber will stop after receiving a single checkpoint, and this will trigger the
    /// ingestion service to stop as well, even if there are more checkpoints to fetch.
    #[tokio::test]
    async fn shutdown_on_subscriber_drop() {
        telemetry_subscribers::init_for_testing();

        let server = MockServer::start().await;
        respond_with(
            &server,
            status(StatusCode::OK).set_body_bytes(test_checkpoint_data(42)),
        )
        .await;

        let cancel = CancellationToken::new();
        let mut ingestion_service = test_ingestion(server.uri(), 1, 1, cancel.clone()).await;

        let (rx, _) = ingestion_service.subscribe();
        let subscriber = test_subscriber(1, rx, cancel.clone()).await;
        let (regulator, broadcaster) = ingestion_service.run(0..).await.unwrap();

        cancel.cancelled().await;
        subscriber.await.unwrap();
        regulator.await.unwrap();
        broadcaster.await.unwrap();
    }

    /// If fetching the checkpoint throws an unexpected error, the whole pipeline will be shut
    /// down.
    #[tokio::test]
    async fn shutdown_on_unexpected_error() {
        telemetry_subscribers::init_for_testing();

        let server = MockServer::start().await;
        respond_with(&server, status(StatusCode::IM_A_TEAPOT)).await;

        let cancel = CancellationToken::new();
        let mut ingestion_service = test_ingestion(server.uri(), 1, 1, cancel.clone()).await;

        let (rx, _) = ingestion_service.subscribe();
        let subscriber = test_subscriber(usize::MAX, rx, cancel.clone()).await;
        let (regulator, broadcaster) = ingestion_service.run(0..).await.unwrap();

        cancel.cancelled().await;
        subscriber.await.unwrap();
        regulator.await.unwrap();
        broadcaster.await.unwrap();
    }

    /// The service will retry fetching a checkpoint that does not exist, in this test, the 4th
    /// checkpoint will return 404 a couple of times, before eventually succeeding.
    #[tokio::test]
    async fn retry_on_not_found() {
        telemetry_subscribers::init_for_testing();

        let server = MockServer::start().await;
        let times: Mutex<u64> = Mutex::new(0);
        respond_with(&server, move |_: &Request| {
            let mut times = times.lock().unwrap();
            *times += 1;
            match *times {
                1..4 => status(StatusCode::OK).set_body_bytes(test_checkpoint_data(*times)),
                4..6 => status(StatusCode::NOT_FOUND),
                _ => status(StatusCode::OK).set_body_bytes(test_checkpoint_data(*times)),
            }
        })
        .await;

        let cancel = CancellationToken::new();
        let mut ingestion_service = test_ingestion(server.uri(), 1, 1, cancel.clone()).await;

        let (rx, _) = ingestion_service.subscribe();
        let subscriber = test_subscriber(5, rx, cancel.clone()).await;
        let (regulator, broadcaster) = ingestion_service.run(0..).await.unwrap();

        cancel.cancelled().await;
        let seqs = subscriber.await.unwrap();
        regulator.await.unwrap();
        broadcaster.await.unwrap();

        assert_eq!(seqs, vec![1, 2, 3, 6, 7]);
    }

    /// Similar to the previous test, but now it's a transient error that causes the retry.
    #[tokio::test]
    async fn retry_on_transient_error() {
        telemetry_subscribers::init_for_testing();

        let server = MockServer::start().await;
        let times: Mutex<u64> = Mutex::new(0);
        respond_with(&server, move |_: &Request| {
            let mut times = times.lock().unwrap();
            *times += 1;
            match *times {
                1..4 => status(StatusCode::OK).set_body_bytes(test_checkpoint_data(*times)),
                4..6 => status(StatusCode::REQUEST_TIMEOUT),
                _ => status(StatusCode::OK).set_body_bytes(test_checkpoint_data(*times)),
            }
        })
        .await;

        let cancel = CancellationToken::new();
        let mut ingestion_service = test_ingestion(server.uri(), 1, 1, cancel.clone()).await;

        let (rx, _) = ingestion_service.subscribe();
        let subscriber = test_subscriber(5, rx, cancel.clone()).await;
        let (regulator, broadcaster) = ingestion_service.run(0..).await.unwrap();

        cancel.cancelled().await;
        let seqs = subscriber.await.unwrap();
        regulator.await.unwrap();
        broadcaster.await.unwrap();

        assert_eq!(seqs, vec![1, 2, 3, 6, 7]);
    }

    /// One subscriber is going to stop processing checkpoints, so even though the service can keep
    /// fetching checkpoints, it will stop short because of the slow receiver. Other subscribers
    /// can keep processing checkpoints that were buffered for the slow one.
    #[tokio::test]
    async fn back_pressure_and_buffering() {
        telemetry_subscribers::init_for_testing();

        let server = MockServer::start().await;
        let times: Mutex<u64> = Mutex::new(0);
        respond_with(&server, move |_: &Request| {
            let mut times = times.lock().unwrap();
            *times += 1;
            status(StatusCode::OK).set_body_bytes(test_checkpoint_data(*times))
        })
        .await;

        let cancel = CancellationToken::new();
        let mut ingestion_service =
            test_ingestion(server.uri(), /* buffer */ 3, 1, cancel.clone()).await;

        // This subscriber will take its sweet time processing checkpoints.
        let (mut laggard, _) = ingestion_service.subscribe();
        async fn unblock(laggard: &mut mpsc::Receiver<Arc<CheckpointData>>) -> u64 {
            let checkpoint = laggard.recv().await.unwrap();
            checkpoint.checkpoint_summary.sequence_number
        }

        let (rx, _) = ingestion_service.subscribe();
        let subscriber = test_subscriber(5, rx, cancel.clone()).await;
        let (regulator, broadcaster) = ingestion_service.run(0..).await.unwrap();

        // At this point, the service will have been able to pass 3 checkpoints to the non-lagging
        // subscriber, while the laggard's buffer fills up. Now the laggard will pull two
        // checkpoints, which will allow the rest of the pipeline to progress enough for the live
        // subscriber to receive its quota.
        assert_eq!(unblock(&mut laggard).await, 1);
        assert_eq!(unblock(&mut laggard).await, 2);

        cancel.cancelled().await;
        let seqs = subscriber.await.unwrap();
        regulator.await.unwrap();
        broadcaster.await.unwrap();

        assert_eq!(seqs, vec![1, 2, 3, 4, 5]);
    }
}