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

use serde::{Deserialize, Serialize};
use std::collections::{BTreeMap, BTreeSet};
use std::{fs, io::Read, path::PathBuf};
use sui_framework::{SystemPackage, SystemPackageMetadata};
use sui_protocol_config::ProtocolVersion;
use sui_types::base_types::ObjectID;
use sui_types::{
    BRIDGE_PACKAGE_ID, DEEPBOOK_PACKAGE_ID, MOVE_STDLIB_PACKAGE_ID, SUI_FRAMEWORK_PACKAGE_ID,
    SUI_SYSTEM_PACKAGE_ID,
};

pub type SnapshotManifest = BTreeMap<u64, Snapshot>;

/// Encapsulation of an entry in the manifest file corresponding to a single version of the system
/// packages.
///
// Note: the [Snapshot] and [SnapshotPackage] types are similar to the
// [sui_framework::{SystemPackageMetadata, SystemPackage}] types,
// and also to the [sui::framework_versions::{FrameworkVersion, FrameworkPackage}] types.
// They are sort of a stepping stone from one to the other - the [sui_framework] types contain
// additional information about the compiled bytecode of the package, while the
// [framework_versions] types do not contain information about the object IDs of the packages.
//
// These types serve as a kind of stepping stone; they are constructed from the [sui_framework]
// types and serialized in the manifest, and then the build script for the [sui] crate reads them
// from the manifest file and encodes them in the `sui` binary. A little information is dropped in
// each of these steps.
#[derive(Serialize, Deserialize)]
pub struct Snapshot {
    /// Git revision that this snapshot is taken on.
    pub git_revision: String,

    /// List of system packages in this version
    pub packages: Vec<SnapshotPackage>,
}

/// Entry in the manifest file corresponding to a specific version of a specific system package
#[derive(Serialize, Deserialize)]
pub struct SnapshotPackage {
    /// Name of the package (e.g. "MoveStdLib")
    pub name: String,
    /// Path to the package in the monorepo (e.g. "crates/sui-framework/packages/move-stdlib")
    pub path: String,
    /// Object ID of the published package
    pub id: ObjectID,
}

impl Snapshot {
    pub fn package_ids(&self) -> impl Iterator<Item = ObjectID> + '_ {
        self.packages.iter().map(|p| p.id)
    }
}

impl SnapshotPackage {
    pub fn from_system_package_metadata(value: &SystemPackageMetadata) -> Self {
        Self {
            name: value.name.clone(),
            path: value.path.clone(),
            id: value.compiled.id,
        }
    }
}

const SYSTEM_PACKAGE_PUBLISH_ORDER: &[ObjectID] = &[
    MOVE_STDLIB_PACKAGE_ID,
    SUI_FRAMEWORK_PACKAGE_ID,
    SUI_SYSTEM_PACKAGE_ID,
    DEEPBOOK_PACKAGE_ID,
    BRIDGE_PACKAGE_ID,
];

pub fn load_bytecode_snapshot_manifest() -> SnapshotManifest {
    let Ok(bytes) = fs::read(manifest_path()) else {
        return SnapshotManifest::default();
    };
    serde_json::from_slice::<SnapshotManifest>(&bytes)
        .expect("Could not deserialize SnapshotManifest")
}

pub fn update_bytecode_snapshot_manifest(
    git_revision: &str,
    version: u64,
    files: Vec<SnapshotPackage>,
) {
    let mut snapshot = load_bytecode_snapshot_manifest();

    snapshot.insert(
        version,
        Snapshot {
            git_revision: git_revision.to_string(),
            packages: files,
        },
    );

    let json =
        serde_json::to_string_pretty(&snapshot).expect("Could not serialize SnapshotManifest");
    fs::write(manifest_path(), json).expect("Could not update manifest file");
}

pub fn load_bytecode_snapshot(protocol_version: u64) -> anyhow::Result<Vec<SystemPackage>> {
    let snapshot_path = snapshot_path_for_version(protocol_version)?;
    let mut snapshots: BTreeMap<ObjectID, SystemPackage> = fs::read_dir(&snapshot_path)?
        .flatten()
        .map(|entry| {
            let file_name = entry.file_name().to_str().unwrap().to_string();
            let mut file = fs::File::open(snapshot_path.clone().join(file_name))?;
            let mut buffer = Vec::new();
            file.read_to_end(&mut buffer)?;
            let package: SystemPackage = bcs::from_bytes(&buffer)?;
            Ok((package.id, package))
        })
        .collect::<anyhow::Result<_>>()?;

    // system packages need to be restored in a specific order
    assert!(snapshots.len() <= SYSTEM_PACKAGE_PUBLISH_ORDER.len());
    let mut snapshot_objects = Vec::new();
    for package_id in SYSTEM_PACKAGE_PUBLISH_ORDER {
        if let Some(object) = snapshots.remove(package_id) {
            snapshot_objects.push(object);
        }
    }
    Ok(snapshot_objects)
}

pub fn manifest_path() -> PathBuf {
    PathBuf::from(env!("CARGO_MANIFEST_DIR")).join("manifest.json")
}

fn snapshot_path_for_version(version: u64) -> anyhow::Result<PathBuf> {
    let snapshot_dir = PathBuf::from(env!("CARGO_MANIFEST_DIR")).join("bytecode_snapshot");
    let mut snapshots = BTreeSet::new();

    for entry in fs::read_dir(&snapshot_dir)? {
        let entry = entry?;
        let path = entry.path();
        if path.is_dir() {
            if let Some(snapshot_number) = path
                .file_name()
                .and_then(|n| n.to_str())
                .and_then(|n| n.parse::<u64>().ok())
            {
                snapshots.insert(snapshot_number);
            }
        }
    }

    if version == ProtocolVersion::MAX.as_u64() && !snapshots.contains(&version) {
        anyhow::bail!("No snapshot found for version {}", version)
    }

    snapshots
        .range(..=version)
        .next_back()
        .map(|v| snapshot_dir.join(v.to_string()))
        .ok_or_else(|| anyhow::anyhow!("No snapshot found for version {}", version))
}