sui_storage/
lib.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
// Copyright (c) Mysten Labs, Inc.
// SPDX-License-Identifier: Apache-2.0
#![allow(dead_code)]

use crate::blob::BlobIter;
use anyhow::{anyhow, Result};
use byteorder::{BigEndian, ReadBytesExt, WriteBytesExt};
use bytes::{Buf, Bytes};
use fastcrypto::hash::{HashFunction, Sha3_256};
use futures::StreamExt;
use itertools::Itertools;
use num_enum::{IntoPrimitive, TryFromPrimitive};
use serde::de::DeserializeOwned;
use serde::{Deserialize, Serialize};
use std::fs::File;
use std::io::{BufReader, Read, Write};
use std::ops::Range;
use std::path::{Path, PathBuf};
use std::sync::atomic::{AtomicU64, Ordering};
use std::sync::Arc;
use std::{fs, io};
use sui_types::committee::Committee;
use sui_types::messages_checkpoint::{
    CertifiedCheckpointSummary, CheckpointSequenceNumber, VerifiedCheckpoint,
};
use sui_types::storage::WriteStore;
use tracing::debug;

pub mod blob;
pub mod http_key_value_store;
pub mod key_value_store;
pub mod key_value_store_metrics;
pub mod mutex_table;
pub mod object_store;
pub mod package_object_cache;
pub mod sharded_lru;
pub mod write_path_pending_tx_log;

pub const SHA3_BYTES: usize = 32;

#[derive(
    Copy, Clone, Debug, Eq, PartialEq, Serialize, Deserialize, TryFromPrimitive, IntoPrimitive,
)]
#[repr(u8)]
pub enum StorageFormat {
    Blob = 0,
}

#[derive(
    Copy, Clone, Debug, Eq, PartialEq, Serialize, Deserialize, TryFromPrimitive, IntoPrimitive,
)]
#[repr(u8)]
pub enum FileCompression {
    None = 0,
    Zstd,
}

impl FileCompression {
    pub fn zstd_compress<R: Read, W: Write>(reader: &mut R, writer: &mut W) -> io::Result<()> {
        // TODO: Add zstd compression level as function argument
        let mut encoder = zstd::Encoder::new(writer, 1)?;
        io::copy(reader, &mut encoder)?;
        encoder.finish()?;
        Ok(())
    }
    pub fn compress(&self, source: &std::path::Path) -> io::Result<()> {
        match self {
            FileCompression::Zstd => {
                let mut input = File::open(source)?;
                let tmp_file_name = source.with_extension("tmp");
                let mut output = File::create(&tmp_file_name)?;
                Self::zstd_compress(&mut input, &mut output)?;
                fs::rename(tmp_file_name, source)?;
            }
            FileCompression::None => {}
        }
        Ok(())
    }
    pub fn decompress(&self, source: &PathBuf) -> Result<Box<dyn Read>> {
        let file = File::open(source)?;
        let res: Box<dyn Read> = match self {
            FileCompression::Zstd => Box::new(zstd::stream::Decoder::new(file)?),
            FileCompression::None => Box::new(BufReader::new(file)),
        };
        Ok(res)
    }
    pub fn bytes_decompress(&self, bytes: Bytes) -> Result<Box<dyn Read>> {
        let res: Box<dyn Read> = match self {
            FileCompression::Zstd => Box::new(zstd::stream::Decoder::new(bytes.reader())?),
            FileCompression::None => Box::new(BufReader::new(bytes.reader())),
        };
        Ok(res)
    }
}

pub fn compute_sha3_checksum_for_bytes(bytes: Bytes) -> Result<[u8; 32]> {
    let mut hasher = Sha3_256::default();
    io::copy(&mut bytes.reader(), &mut hasher)?;
    Ok(hasher.finalize().digest)
}

pub fn compute_sha3_checksum_for_file(file: &mut File) -> Result<[u8; 32]> {
    let mut hasher = Sha3_256::default();
    io::copy(file, &mut hasher)?;
    Ok(hasher.finalize().digest)
}

pub fn compute_sha3_checksum(source: &std::path::Path) -> Result<[u8; 32]> {
    let mut file = fs::File::open(source)?;
    compute_sha3_checksum_for_file(&mut file)
}

pub fn compress<R: Read, W: Write>(reader: &mut R, writer: &mut W) -> Result<()> {
    let magic = reader.read_u32::<BigEndian>()?;
    writer.write_u32::<BigEndian>(magic)?;
    let storage_format = reader.read_u8()?;
    writer.write_u8(storage_format)?;
    let file_compression = FileCompression::try_from(reader.read_u8()?)?;
    writer.write_u8(file_compression.into())?;
    match file_compression {
        FileCompression::Zstd => {
            FileCompression::zstd_compress(reader, writer)?;
        }
        FileCompression::None => {}
    }
    Ok(())
}

pub fn read<R: Read + 'static>(
    expected_magic: u32,
    mut reader: R,
) -> Result<(Box<dyn Read>, StorageFormat)> {
    let magic = reader.read_u32::<BigEndian>()?;
    if magic != expected_magic {
        Err(anyhow!(
            "Unexpected magic string in file: {:?}, expected: {:?}",
            magic,
            expected_magic
        ))
    } else {
        let storage_format = StorageFormat::try_from(reader.read_u8()?)?;
        let file_compression = FileCompression::try_from(reader.read_u8()?)?;
        let reader: Box<dyn Read> = match file_compression {
            FileCompression::Zstd => Box::new(zstd::stream::Decoder::new(reader)?),
            FileCompression::None => Box::new(BufReader::new(reader)),
        };
        Ok((reader, storage_format))
    }
}

pub fn make_iterator<T: DeserializeOwned, R: Read + 'static>(
    expected_magic: u32,
    reader: R,
) -> Result<impl Iterator<Item = T>> {
    let (reader, storage_format) = read(expected_magic, reader)?;
    match storage_format {
        StorageFormat::Blob => Ok(BlobIter::new(reader)),
    }
}

pub fn verify_checkpoint_with_committee(
    committee: Arc<Committee>,
    current: &VerifiedCheckpoint,
    checkpoint: CertifiedCheckpointSummary,
) -> Result<VerifiedCheckpoint, CertifiedCheckpointSummary> {
    assert_eq!(
        *checkpoint.sequence_number(),
        current.sequence_number().checked_add(1).unwrap()
    );

    if Some(*current.digest()) != checkpoint.previous_digest {
        debug!(
            current_checkpoint_seq = current.sequence_number(),
            current_digest =% current.digest(),
            checkpoint_seq = checkpoint.sequence_number(),
            checkpoint_digest =% checkpoint.digest(),
            checkpoint_previous_digest =? checkpoint.previous_digest,
            "checkpoint not on same chain"
        );
        return Err(checkpoint);
    }

    let current_epoch = current.epoch();
    if checkpoint.epoch() != current_epoch
        && checkpoint.epoch() != current_epoch.checked_add(1).unwrap()
    {
        debug!(
            checkpoint_seq = checkpoint.sequence_number(),
            checkpoint_epoch = checkpoint.epoch(),
            current_checkpoint_seq = current.sequence_number(),
            current_epoch = current_epoch,
            "cannot verify checkpoint with too high of an epoch",
        );
        return Err(checkpoint);
    }

    if checkpoint.epoch() == current_epoch.checked_add(1).unwrap()
        && current.next_epoch_committee().is_none()
    {
        debug!(
            checkpoint_seq = checkpoint.sequence_number(),
            checkpoint_epoch = checkpoint.epoch(),
            current_checkpoint_seq = current.sequence_number(),
            current_epoch = current_epoch,
            "next checkpoint claims to be from the next epoch but the latest verified \
            checkpoint does not indicate that it is the last checkpoint of an epoch"
        );
        return Err(checkpoint);
    }

    checkpoint
        .verify_authority_signatures(&committee)
        .map_err(|e| {
            debug!("error verifying checkpoint: {e}");
            checkpoint.clone()
        })?;
    Ok(VerifiedCheckpoint::new_unchecked(checkpoint))
}

pub fn verify_checkpoint<S>(
    current: &VerifiedCheckpoint,
    store: S,
    checkpoint: CertifiedCheckpointSummary,
) -> Result<VerifiedCheckpoint, CertifiedCheckpointSummary>
where
    S: WriteStore,
{
    let committee = store.get_committee(checkpoint.epoch()).unwrap_or_else(|| {
        panic!(
            "BUG: should have committee for epoch {} before we try to verify checkpoint {}",
            checkpoint.epoch(),
            checkpoint.sequence_number()
        )
    });

    verify_checkpoint_with_committee(committee, current, checkpoint)
}

pub async fn verify_checkpoint_range<S>(
    checkpoint_range: Range<CheckpointSequenceNumber>,
    store: S,
    checkpoint_counter: Arc<AtomicU64>,
    max_concurrency: usize,
) where
    S: WriteStore + Clone,
{
    let range_clone = checkpoint_range.clone();
    futures::stream::iter(range_clone.into_iter().tuple_windows())
        .map(|(a, b)| {
            let current = store
                .get_checkpoint_by_sequence_number(a)
                .unwrap_or_else(|| {
                    panic!(
                        "Checkpoint {} should exist in store after summary sync but does not",
                        a
                    );
                });
            let next = store
                .get_checkpoint_by_sequence_number(b)
                .unwrap_or_else(|| {
                    panic!(
                        "Checkpoint {} should exist in store after summary sync but does not",
                        a
                    );
                });
            let committee = store.get_committee(next.epoch()).unwrap_or_else(|| {
                panic!(
                    "BUG: should have committee for epoch {} before we try to verify checkpoint {}",
                    next.epoch(),
                    next.sequence_number()
                )
            });
            tokio::spawn(async move {
                verify_checkpoint_with_committee(committee, &current, next.clone().into())
                    .expect("Checkpoint verification failed");
            })
        })
        .buffer_unordered(max_concurrency)
        .for_each(|result| {
            result.expect("Checkpoint verification task failed");
            checkpoint_counter.fetch_add(1, Ordering::Relaxed);
            futures::future::ready(())
        })
        .await;
    let last = checkpoint_range
        .last()
        .expect("Received empty checkpoint range");
    let final_checkpoint = store
        .get_checkpoint_by_sequence_number(last)
        .expect("Expected end of checkpoint range to exist in store");
    store
        .update_highest_verified_checkpoint(&final_checkpoint)
        .expect("Failed to update highest verified checkpoint");
}

fn hard_link(src: impl AsRef<Path>, dst: impl AsRef<Path>) -> io::Result<()> {
    fs::create_dir_all(&dst)?;
    for entry in fs::read_dir(src)? {
        let entry = entry?;
        let ty = entry.file_type()?;
        if ty.is_dir() {
            hard_link(entry.path(), dst.as_ref().join(entry.file_name()))?;
        } else {
            fs::hard_link(entry.path(), dst.as_ref().join(entry.file_name()))?;
        }
    }
    Ok(())
}

#[cfg(test)]
mod tests {
    use crate::hard_link;
    use tempfile::TempDir;
    use typed_store::rocks::DBMap;
    use typed_store::rocks::ReadWriteOptions;
    use typed_store::rocks::{open_cf, MetricConf};
    use typed_store::{reopen, Map};

    #[tokio::test]
    pub async fn test_db_hard_link() -> anyhow::Result<()> {
        let input = TempDir::new()?;
        let input_path = input.path();

        let output = TempDir::new()?;
        let output_path = output.path();

        const FIRST_CF: &str = "First_CF";
        const SECOND_CF: &str = "Second_CF";

        let db_a = open_cf(
            input_path,
            None,
            MetricConf::new("test_db_hard_link_1"),
            &[FIRST_CF, SECOND_CF],
        )
        .unwrap();

        let (db_map_1, db_map_2) = reopen!(&db_a, FIRST_CF;<i32, String>, SECOND_CF;<i32, String>);

        let keys_vals_cf1 = (1..100).map(|i| (i, i.to_string()));
        let keys_vals_cf2 = (1..100).map(|i| (i, i.to_string()));

        assert!(db_map_1.multi_insert(keys_vals_cf1).is_ok());
        assert!(db_map_2.multi_insert(keys_vals_cf2).is_ok());

        // set up db hard link
        hard_link(input_path, output_path)?;
        let db_b = open_cf(
            output_path,
            None,
            MetricConf::new("test_db_hard_link_2"),
            &[FIRST_CF, SECOND_CF],
        )
        .unwrap();

        let (db_map_1, db_map_2) = reopen!(&db_b, FIRST_CF;<i32, String>, SECOND_CF;<i32, String>);
        for i in 1..100 {
            assert!(db_map_1
                .contains_key(&i)
                .expect("Failed to call contains key"));
            assert!(db_map_2
                .contains_key(&i)
                .expect("Failed to call contains key"));
        }

        Ok(())
    }
}