sui_indexer_alt/handlers/
ev_struct_inst.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
// Copyright (c) Mysten Labs, Inc.
// SPDX-License-Identifier: Apache-2.0

use std::{collections::BTreeSet, ops::Range, sync::Arc};

use anyhow::{Context, Result};
use diesel::{ExpressionMethods, QueryDsl};
use diesel_async::RunQueryDsl;
use sui_indexer_alt_framework::{
    db::{Connection, Db},
    pipeline::{concurrent::Handler, Processor},
    types::full_checkpoint_content::CheckpointData,
};
use sui_indexer_alt_schema::{events::StoredEvStructInst, schema::ev_struct_inst};

use crate::handlers::cp_sequence_numbers::tx_interval;

pub(crate) struct EvStructInst;

impl Processor for EvStructInst {
    const NAME: &'static str = "ev_struct_inst";

    type Value = StoredEvStructInst;

    fn process(&self, checkpoint: &Arc<CheckpointData>) -> Result<Vec<Self::Value>> {
        let CheckpointData {
            transactions,
            checkpoint_summary,
            ..
        } = checkpoint.as_ref();

        let mut values = BTreeSet::new();
        let first_tx = checkpoint_summary.network_total_transactions as usize - transactions.len();

        for (i, tx) in transactions.iter().enumerate() {
            let tx_sequence_number = (first_tx + i) as i64;
            for (j, ev) in tx.events.iter().flat_map(|evs| evs.data.iter().enumerate()) {
                values.insert(StoredEvStructInst {
                    package: ev.type_.address.to_vec(),
                    module: ev.type_.module.to_string(),
                    name: ev.type_.name.to_string(),
                    instantiation: bcs::to_bytes(&ev.type_.type_params)
                        .with_context(|| format!(
                            "Failed to serialize type parameters for event ({tx_sequence_number}, {j})"
                        ))?,
                    tx_sequence_number: (first_tx + i) as i64,
                    sender: ev.sender.to_vec(),
                });
            }
        }

        Ok(values.into_iter().collect())
    }
}

#[async_trait::async_trait]
impl Handler for EvStructInst {
    type Store = Db;

    const MIN_EAGER_ROWS: usize = 100;
    const MAX_PENDING_ROWS: usize = 10000;

    async fn commit<'a>(values: &[Self::Value], conn: &mut Connection<'a>) -> Result<usize> {
        Ok(diesel::insert_into(ev_struct_inst::table)
            .values(values)
            .on_conflict_do_nothing()
            .execute(conn)
            .await?)
    }

    async fn prune<'a>(
        &self,
        from: u64,
        to_exclusive: u64,
        conn: &mut Connection<'a>,
    ) -> Result<usize> {
        let Range {
            start: from_tx,
            end: to_tx,
        } = tx_interval(conn, from..to_exclusive).await?;

        let filter = ev_struct_inst::table
            .filter(ev_struct_inst::tx_sequence_number.between(from_tx as i64, to_tx as i64 - 1));

        Ok(diesel::delete(filter).execute(conn).await?)
    }
}

#[cfg(test)]
mod tests {
    use super::*;
    use diesel_async::RunQueryDsl;
    use sui_indexer_alt_framework::{
        types::{event::Event, test_checkpoint_data_builder::TestCheckpointDataBuilder},
        Indexer,
    };
    use sui_indexer_alt_schema::MIGRATIONS;

    use crate::handlers::cp_sequence_numbers::CpSequenceNumbers;

    async fn get_all_ev_struct_inst(conn: &mut Connection<'_>) -> Result<Vec<StoredEvStructInst>> {
        let query = ev_struct_inst::table
            .order_by((
                ev_struct_inst::tx_sequence_number,
                ev_struct_inst::sender,
                ev_struct_inst::package,
                ev_struct_inst::module,
                ev_struct_inst::name,
                ev_struct_inst::instantiation,
            ))
            .load(conn)
            .await?;
        Ok(query)
    }

    #[tokio::test]
    async fn test_ev_struct_inst_pruning_complains_if_no_mapping() {
        let (indexer, _db) = Indexer::new_for_testing(&MIGRATIONS).await;
        let mut conn = indexer.db().connect().await.unwrap();

        let result = EvStructInst.prune(0, 2, &mut conn).await;

        assert!(result.is_err());
        assert_eq!(
            result.unwrap_err().to_string(),
            "No checkpoint mapping found for checkpoint 0"
        );
    }

    #[tokio::test]
    async fn test_ev_struct_inst_process_no_events() {
        let (indexer, _db) = Indexer::new_for_testing(&MIGRATIONS).await;
        let mut conn = indexer.db().connect().await.unwrap();

        let checkpoint = Arc::new(
            TestCheckpointDataBuilder::new(0)
                .start_transaction(0)
                .finish_transaction()
                .build_checkpoint(),
        );

        let values = EvStructInst.process(&checkpoint).unwrap();
        EvStructInst::commit(&values, &mut conn).await.unwrap();

        assert_eq!(values.len(), 0);
    }

    #[tokio::test]
    async fn test_ev_struct_inst_process_single_event() {
        let (indexer, _db) = Indexer::new_for_testing(&MIGRATIONS).await;
        let mut conn = indexer.db().connect().await.unwrap();

        let checkpoint = Arc::new(
            TestCheckpointDataBuilder::new(0)
                .start_transaction(0)
                .with_events(vec![Event::random_for_testing()])
                .finish_transaction()
                .build_checkpoint(),
        );

        // Process checkpoint with one event
        let values = EvStructInst.process(&checkpoint).unwrap();
        EvStructInst::commit(&values, &mut conn).await.unwrap();

        let events = get_all_ev_struct_inst(&mut conn).await.unwrap();
        assert_eq!(events.len(), 1);
    }

    #[tokio::test]
    async fn test_ev_struct_inst_prune_events() {
        let (indexer, _db) = Indexer::new_for_testing(&MIGRATIONS).await;
        let mut conn = indexer.db().connect().await.unwrap();

        // 0th checkpoint has no events
        let mut builder = TestCheckpointDataBuilder::new(0);
        builder = builder.start_transaction(0).finish_transaction();
        let checkpoint = Arc::new(builder.build_checkpoint());
        let values = EvStructInst.process(&checkpoint).unwrap();
        EvStructInst::commit(&values, &mut conn).await.unwrap();
        let values = CpSequenceNumbers.process(&checkpoint).unwrap();
        CpSequenceNumbers::commit(&values, &mut conn).await.unwrap();

        // 1st checkpoint has 1 event
        builder = builder
            .start_transaction(0)
            .with_events(vec![Event::random_for_testing()])
            .finish_transaction();
        let checkpoint = Arc::new(builder.build_checkpoint());
        let values = EvStructInst.process(&checkpoint).unwrap();
        EvStructInst::commit(&values, &mut conn).await.unwrap();
        let values = CpSequenceNumbers.process(&checkpoint).unwrap();
        CpSequenceNumbers::commit(&values, &mut conn).await.unwrap();

        // 2nd checkpoint has 2 events
        builder = builder
            .start_transaction(0)
            .with_events(vec![
                Event::random_for_testing(),
                Event::random_for_testing(),
            ])
            .finish_transaction();
        let checkpoint = Arc::new(builder.build_checkpoint());
        let values = EvStructInst.process(&checkpoint).unwrap();
        EvStructInst::commit(&values, &mut conn).await.unwrap();
        let values = CpSequenceNumbers.process(&checkpoint).unwrap();
        CpSequenceNumbers::commit(&values, &mut conn).await.unwrap();

        // Prune checkpoints from `[0, 2)`, expect 2 events remaining
        let rows_pruned = EvStructInst.prune(0, 2, &mut conn).await.unwrap();
        assert_eq!(rows_pruned, 1);

        let remaining_events = get_all_ev_struct_inst(&mut conn).await.unwrap();
        assert_eq!(remaining_events.len(), 2);
    }
}