sui_bridge/
eth_syncer.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
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
// Copyright (c) Mysten Labs, Inc.
// SPDX-License-Identifier: Apache-2.0

//! The EthSyncer module is responsible for synchronizing Events emitted on Ethereum blockchain from
//! concerned contracts. Each contract is associated with a start block number, and the syncer will
//! only query from that block number onwards. The syncer also keeps track of the last finalized
//! block on Ethereum and will only query for events up to that block number.

use crate::error::BridgeResult;
use crate::eth_client::EthClient;
use crate::metrics::BridgeMetrics;
use crate::retry_with_max_elapsed_time;
use crate::types::EthLog;
use ethers::types::Address as EthAddress;
use mysten_metrics::spawn_logged_monitored_task;
use std::collections::HashMap;
use std::sync::Arc;
use tokio::sync::watch;
use tokio::task::JoinHandle;
use tokio::time::{self, Duration, Instant};
use tracing::error;

const ETH_LOG_QUERY_MAX_BLOCK_RANGE: u64 = 1000;
const ETH_EVENTS_CHANNEL_SIZE: usize = 1000;
const FINALIZED_BLOCK_QUERY_INTERVAL: Duration = Duration::from_secs(5);

pub struct EthSyncer<P> {
    eth_client: Arc<EthClient<P>>,
    contract_addresses: EthTargetAddresses,
}

/// Map from contract address to their start block.
pub type EthTargetAddresses = HashMap<EthAddress, u64>;

#[allow(clippy::new_without_default)]
impl<P> EthSyncer<P>
where
    P: ethers::providers::JsonRpcClient + 'static,
{
    pub fn new(eth_client: Arc<EthClient<P>>, contract_addresses: EthTargetAddresses) -> Self {
        Self {
            eth_client,
            contract_addresses,
        }
    }

    pub async fn run(
        self,
        metrics: Arc<BridgeMetrics>,
    ) -> BridgeResult<(
        Vec<JoinHandle<()>>,
        mysten_metrics::metered_channel::Receiver<(EthAddress, u64, Vec<EthLog>)>,
        watch::Receiver<u64>,
    )> {
        let (eth_evnets_tx, eth_events_rx) = mysten_metrics::metered_channel::channel(
            ETH_EVENTS_CHANNEL_SIZE,
            &mysten_metrics::get_metrics()
                .unwrap()
                .channel_inflight
                .with_label_values(&["eth_events_queue"]),
        );
        let last_finalized_block = self.eth_client.get_last_finalized_block_id().await?;
        let (last_finalized_block_tx, last_finalized_block_rx) =
            watch::channel(last_finalized_block);
        let mut task_handles = vec![];
        let eth_client_clone = self.eth_client.clone();
        let metrics_clone = metrics.clone();
        task_handles.push(spawn_logged_monitored_task!(
            Self::run_finalized_block_refresh_task(
                last_finalized_block_tx,
                eth_client_clone,
                metrics_clone
            )
        ));
        for (contract_address, start_block) in self.contract_addresses {
            let eth_evnets_tx_clone = eth_evnets_tx.clone();
            let last_finalized_block_rx_clone = last_finalized_block_rx.clone();
            let eth_client_clone = self.eth_client.clone();
            let metrics_clone = metrics.clone();
            task_handles.push(spawn_logged_monitored_task!(
                Self::run_event_listening_task(
                    contract_address,
                    start_block,
                    last_finalized_block_rx_clone,
                    eth_evnets_tx_clone,
                    eth_client_clone,
                    metrics_clone,
                )
            ));
        }
        Ok((task_handles, eth_events_rx, last_finalized_block_rx))
    }

    async fn run_finalized_block_refresh_task(
        last_finalized_block_sender: watch::Sender<u64>,
        eth_client: Arc<EthClient<P>>,
        metrics: Arc<BridgeMetrics>,
    ) {
        tracing::info!("Starting finalized block refresh task.");
        let mut last_block_number = 0;
        let mut interval = time::interval(FINALIZED_BLOCK_QUERY_INTERVAL);
        interval.set_missed_tick_behavior(time::MissedTickBehavior::Skip);
        loop {
            interval.tick().await;
            // TODO: allow to pass custom initial interval
            let Ok(Ok(new_value)) = retry_with_max_elapsed_time!(
                eth_client.get_last_finalized_block_id(),
                time::Duration::from_secs(600)
            ) else {
                error!("Failed to get last finalized block from eth client after retry");
                continue;
            };
            tracing::debug!("Last finalized block: {}", new_value);
            metrics.last_finalized_eth_block.set(new_value as i64);

            if new_value > last_block_number {
                last_finalized_block_sender
                    .send(new_value)
                    .expect("last_finalized_block channel receiver is closed");
                tracing::info!("Observed new finalized eth block: {}", new_value);
                last_block_number = new_value;
            }
        }
    }

    // TODO: define a type for block number for readability
    // TODO: add a metrics for current start block
    async fn run_event_listening_task(
        contract_address: EthAddress,
        mut start_block: u64,
        mut last_finalized_block_receiver: watch::Receiver<u64>,
        events_sender: mysten_metrics::metered_channel::Sender<(EthAddress, u64, Vec<EthLog>)>,
        eth_client: Arc<EthClient<P>>,
        metrics: Arc<BridgeMetrics>,
    ) {
        tracing::info!(contract_address=?contract_address, "Starting eth events listening task from block {start_block}");
        let contract_address_str = contract_address.to_string();
        let mut more_blocks = false;
        loop {
            // If no more known blocks, wait for the next finalized block.
            if !more_blocks {
                last_finalized_block_receiver
                    .changed()
                    .await
                    .expect("last_finalized_block channel sender is closed");
            }
            let new_finalized_block = *last_finalized_block_receiver.borrow();
            if new_finalized_block < start_block {
                tracing::info!(
                    contract_address=?contract_address,
                    "New finalized block {} is smaller than start block {}, ignore",
                    new_finalized_block,
                    start_block,
                );
                continue;
            }
            // Each query does at most ETH_LOG_QUERY_MAX_BLOCK_RANGE blocks.
            let end_block = std::cmp::min(
                start_block + ETH_LOG_QUERY_MAX_BLOCK_RANGE - 1,
                new_finalized_block,
            );
            more_blocks = end_block < new_finalized_block;
            let timer = Instant::now();
            let Ok(Ok(events)) = retry_with_max_elapsed_time!(
                eth_client.get_events_in_range(contract_address, start_block, end_block),
                Duration::from_secs(600)
            ) else {
                error!("Failed to get events from eth client after retry");
                continue;
            };
            tracing::debug!(
                ?contract_address,
                start_block,
                end_block,
                "Querying eth events took {:?}",
                timer.elapsed()
            );
            let len = events.len();
            let last_block = events.last().map(|e| e.block_number);

            // Note 1: we always events to the channel even when it is empty. This is because of
            // how `eth_getLogs` api is designed - we want cursor to move forward continuously.

            // Note 2: it's extremely critical to make sure the Logs we send via this channel
            // are complete per block height. Namely, we should never send a partial list
            // of events for a block. Otherwise, we may end up missing events.
            events_sender
                .send((contract_address, end_block, events))
                .await
                .expect("All Eth event channel receivers are closed");
            if len != 0 {
                tracing::info!(
                    ?contract_address,
                    start_block,
                    end_block,
                    "Observed {len} new Eth events",
                );
            }
            metrics
                .last_synced_eth_blocks
                .with_label_values(&[&contract_address_str])
                .set(last_block.unwrap_or(end_block) as i64);
            start_block = end_block + 1;
        }
    }
}

#[cfg(test)]
mod tests {
    use std::{collections::HashSet, str::FromStr};

    use ethers::types::{Log, U256, U64};
    use prometheus::Registry;
    use tokio::sync::mpsc::error::TryRecvError;

    use crate::{
        eth_mock_provider::EthMockProvider,
        test_utils::{mock_get_logs, mock_last_finalized_block},
    };

    use super::*;
    use ethers::types::TxHash;

    #[tokio::test]
    async fn test_last_finalized_block() -> anyhow::Result<()> {
        telemetry_subscribers::init_for_testing();
        let registry = Registry::new();
        mysten_metrics::init_metrics(&registry);
        let mock_provider = EthMockProvider::new();
        mock_last_finalized_block(&mock_provider, 777);
        let client = EthClient::new_mocked(
            mock_provider.clone(),
            HashSet::from_iter(vec![EthAddress::zero()]),
        );
        let result = client.get_last_finalized_block_id().await.unwrap();
        assert_eq!(result, 777);

        let addresses = HashMap::from_iter(vec![(EthAddress::zero(), 100)]);
        let log = Log {
            address: EthAddress::zero(),
            transaction_hash: Some(TxHash::random()),
            block_number: Some(U64::from(777)),
            log_index: Some(U256::from(3)),
            ..Default::default()
        };
        let eth_log = EthLog {
            block_number: 777,
            tx_hash: log.transaction_hash.unwrap(),
            log_index_in_tx: 0,
            log: log.clone(),
        };
        mock_get_logs(
            &mock_provider,
            EthAddress::zero(),
            100,
            777,
            vec![log.clone()],
        );
        let (_handles, mut logs_rx, mut finalized_block_rx) =
            EthSyncer::new(Arc::new(client), addresses)
                .run(Arc::new(BridgeMetrics::new_for_testing()))
                .await
                .unwrap();

        // The latest finalized block stays at 777, event listener should not query again.
        finalized_block_rx.changed().await.unwrap();
        assert_eq!(*finalized_block_rx.borrow(), 777);
        let (contract_address, end_block, received_logs) = logs_rx.recv().await.unwrap();
        assert_eq!(contract_address, EthAddress::zero());
        assert_eq!(end_block, 777);
        assert_eq!(received_logs, vec![eth_log.clone()]);
        assert_eq!(logs_rx.try_recv().unwrap_err(), TryRecvError::Empty);

        mock_get_logs(
            &mock_provider,
            EthAddress::zero(),
            778,
            888,
            vec![log.clone()],
        );
        // The latest finalized block is updated to 888, event listener should query again.
        mock_last_finalized_block(&mock_provider, 888);
        finalized_block_rx.changed().await.unwrap();
        assert_eq!(*finalized_block_rx.borrow(), 888);
        let (contract_address, end_block, received_logs) = logs_rx.recv().await.unwrap();
        assert_eq!(contract_address, EthAddress::zero());
        assert_eq!(end_block, 888);
        assert_eq!(received_logs, vec![eth_log]);
        assert_eq!(logs_rx.try_recv().unwrap_err(), TryRecvError::Empty);

        Ok(())
    }

    #[tokio::test]
    async fn test_multiple_addresses() -> anyhow::Result<()> {
        telemetry_subscribers::init_for_testing();
        let registry = Registry::new();
        mysten_metrics::init_metrics(&registry);

        let mock_provider = EthMockProvider::new();
        mock_last_finalized_block(&mock_provider, 198);

        let another_address =
            EthAddress::from_str("0x00000000219ab540356cbb839cbe05303d7705fa").unwrap();
        let client = EthClient::new_mocked(
            mock_provider.clone(),
            HashSet::from_iter(vec![another_address]),
        );

        let addresses = HashMap::from_iter(vec![(EthAddress::zero(), 100), (another_address, 200)]);

        let log1 = Log {
            address: EthAddress::zero(),
            transaction_hash: Some(TxHash::random()),
            block_number: Some(U64::from(101)),
            log_index: Some(U256::from(5)),
            ..Default::default()
        };
        let eth_log1 = EthLog {
            block_number: log1.block_number.unwrap().as_u64(),
            tx_hash: log1.transaction_hash.unwrap(),
            log_index_in_tx: 0,
            log: log1.clone(),
        };
        mock_get_logs(
            &mock_provider,
            EthAddress::zero(),
            100,
            198,
            vec![log1.clone()],
        );
        let log2 = Log {
            address: another_address,
            transaction_hash: Some(TxHash::random()),
            block_number: Some(U64::from(201)),
            log_index: Some(U256::from(6)),
            ..Default::default()
        };
        // Mock logs for another_address although it shouldn't be queried. We don't expect to
        // see log2 in the logs channel later on.
        mock_get_logs(
            &mock_provider,
            another_address,
            200,
            198,
            vec![log2.clone()],
        );

        let (_handles, mut logs_rx, mut finalized_block_rx) =
            EthSyncer::new(Arc::new(client), addresses)
                .run(Arc::new(BridgeMetrics::new_for_testing()))
                .await
                .unwrap();

        // The latest finalized block stays at 198.
        finalized_block_rx.changed().await.unwrap();
        assert_eq!(*finalized_block_rx.borrow(), 198);
        let (_contract_address, end_block, received_logs) = logs_rx.recv().await.unwrap();
        assert_eq!(end_block, 198);
        assert_eq!(received_logs, vec![eth_log1.clone()]);
        // log2 should not be received as another_address's start block is 200.
        assert_eq!(logs_rx.try_recv().unwrap_err(), TryRecvError::Empty);

        let log1 = Log {
            address: EthAddress::zero(),
            block_number: Some(U64::from(200)),
            transaction_hash: Some(TxHash::random()),
            log_index: Some(U256::from(7)),
            ..Default::default()
        };
        let eth_log1 = EthLog {
            block_number: log1.block_number.unwrap().as_u64(),
            tx_hash: log1.transaction_hash.unwrap(),
            log_index_in_tx: 0,
            log: log1.clone(),
        };
        mock_get_logs(
            &mock_provider,
            EthAddress::zero(),
            199,
            400,
            vec![log1.clone()],
        );
        let log2 = Log {
            address: another_address,
            transaction_hash: Some(TxHash::random()),
            block_number: Some(U64::from(201)),
            log_index: Some(U256::from(9)),
            ..Default::default()
        };
        let eth_log2 = EthLog {
            block_number: log2.block_number.unwrap().as_u64(),
            tx_hash: log2.transaction_hash.unwrap(),
            log_index_in_tx: 0,
            log: log2.clone(),
        };
        mock_get_logs(
            &mock_provider,
            another_address,
            200,
            400,
            vec![log2.clone()],
        );
        mock_last_finalized_block(&mock_provider, 400);

        finalized_block_rx.changed().await.unwrap();
        assert_eq!(*finalized_block_rx.borrow(), 400);
        let mut logs_set = HashSet::new();
        logs_rx.recv().await.unwrap().2.into_iter().for_each(|log| {
            logs_set.insert(format!("{:?}", log));
        });
        logs_rx.recv().await.unwrap().2.into_iter().for_each(|log| {
            logs_set.insert(format!("{:?}", log));
        });
        assert_eq!(
            logs_set,
            HashSet::from_iter(vec![format!("{:?}", eth_log1), format!("{:?}", eth_log2)])
        );
        // No more finalized block change, no more logs.
        assert_eq!(logs_rx.try_recv().unwrap_err(), TryRecvError::Empty);
        Ok(())
    }

    /// Test that the syncer will query for logs in multiple queries if the range is too big.
    #[tokio::test]
    async fn test_paginated_eth_log_query() -> anyhow::Result<()> {
        telemetry_subscribers::init_for_testing();
        let registry = Registry::new();
        mysten_metrics::init_metrics(&registry);
        let mock_provider = EthMockProvider::new();
        let start_block = 100;
        // range too big, we need two queries
        let last_finalized_block = start_block + ETH_LOG_QUERY_MAX_BLOCK_RANGE + 1;
        mock_last_finalized_block(&mock_provider, last_finalized_block);
        let client = EthClient::new_mocked(
            mock_provider.clone(),
            HashSet::from_iter(vec![EthAddress::zero()]),
        );
        let result = client.get_last_finalized_block_id().await.unwrap();
        assert_eq!(result, last_finalized_block);

        let addresses = HashMap::from_iter(vec![(EthAddress::zero(), start_block)]);
        let log = Log {
            address: EthAddress::zero(),
            transaction_hash: Some(TxHash::random()),
            block_number: Some(U64::from(start_block)),
            log_index: Some(U256::from(3)),
            ..Default::default()
        };
        let log2 = Log {
            address: EthAddress::zero(),
            transaction_hash: Some(TxHash::random()),
            block_number: Some(U64::from(last_finalized_block)),
            log_index: Some(U256::from(3)),
            ..Default::default()
        };
        let eth_log = EthLog {
            block_number: start_block,
            tx_hash: log.transaction_hash.unwrap(),
            log_index_in_tx: 0,
            log: log.clone(),
        };
        let eth_log2 = EthLog {
            block_number: last_finalized_block,
            tx_hash: log2.transaction_hash.unwrap(),
            log_index_in_tx: 0,
            log: log2.clone(),
        };
        // First query handles [start, start + ETH_LOG_QUERY_MAX_BLOCK_RANGE - 1]
        mock_get_logs(
            &mock_provider,
            EthAddress::zero(),
            start_block,
            start_block + ETH_LOG_QUERY_MAX_BLOCK_RANGE - 1,
            vec![log.clone()],
        );
        // Second query handles [start + ETH_LOG_QUERY_MAX_BLOCK_RANGE, last_finalized_block]
        mock_get_logs(
            &mock_provider,
            EthAddress::zero(),
            start_block + ETH_LOG_QUERY_MAX_BLOCK_RANGE,
            last_finalized_block,
            vec![log2.clone()],
        );

        let (_handles, mut logs_rx, mut finalized_block_rx) =
            EthSyncer::new(Arc::new(client), addresses)
                .run(Arc::new(BridgeMetrics::new_for_testing()))
                .await
                .unwrap();

        finalized_block_rx.changed().await.unwrap();
        assert_eq!(*finalized_block_rx.borrow(), last_finalized_block);
        let (contract_address, end_block, received_logs) = logs_rx.recv().await.unwrap();
        assert_eq!(contract_address, EthAddress::zero());
        assert_eq!(end_block, start_block + ETH_LOG_QUERY_MAX_BLOCK_RANGE - 1);
        assert_eq!(received_logs, vec![eth_log.clone()]);
        let (contract_address, end_block, received_logs) = logs_rx.recv().await.unwrap();
        assert_eq!(contract_address, EthAddress::zero());
        assert_eq!(end_block, last_finalized_block);
        assert_eq!(received_logs, vec![eth_log2.clone()]);
        Ok(())
    }
}