http_kv_tool/http_kv_tool.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
// Copyright (c) Mysten Labs, Inc.
// SPDX-License-Identifier: Apache-2.0
use clap::*;
use std::str::FromStr;
use std::sync::Arc;
use sui_storage::http_key_value_store::*;
use sui_storage::key_value_store::TransactionKeyValueStore;
use sui_storage::key_value_store_metrics::KeyValueStoreMetrics;
use sui_types::base_types::ObjectID;
use sui_types::digests::{CheckpointDigest, TransactionDigest};
use sui_types::messages_checkpoint::CheckpointSequenceNumber;
#[derive(Parser)]
#[command(rename_all = "kebab-case")]
enum Command {
Fetch {
// default value of 'https://transactions.sui.io/'
#[arg(short, long, default_value = "https://transactions.sui.io/mainnet")]
base_url: String,
#[arg(short, long)]
digest: Vec<String>,
#[arg(short, long)]
seq: Vec<String>,
// must be either 'tx', 'fx','ob','events', or 'ckpt_contents'
// default value of 'tx'
#[arg(short, long, default_value = "tx")]
type_: String,
},
DecodeKey {
#[arg(short, long)]
url: String,
},
}
impl Command {
async fn execute(self) -> anyhow::Result<(), anyhow::Error> {
match self {
Command::Fetch {
base_url,
digest,
seq,
type_,
} => {
let metrics = KeyValueStoreMetrics::new_for_tests();
let http_kv = Arc::new(HttpKVStore::new(&base_url, 100, metrics).unwrap());
let kv = TransactionKeyValueStore::new(
"http_kv",
KeyValueStoreMetrics::new_for_tests(),
http_kv,
);
let seqs: Vec<_> = seq
.into_iter()
.map(|s| {
CheckpointSequenceNumber::from_str(&s)
.expect("invalid checkpoint sequence number")
})
.collect();
// verify that type is valid
match type_.as_str() {
"tx" | "fx" => {
let digests: Vec<_> = digest
.into_iter()
.map(|digest| {
TransactionDigest::from_str(&digest)
.expect("invalid transaction digest")
})
.collect();
if type_ == "tx" {
let tx = kv.multi_get_tx(&digests).await.unwrap();
for (digest, tx) in digests.iter().zip(tx.iter()) {
println!("fetched tx: {:?} {:?}", digest, tx);
}
} else {
let fx = kv.multi_get_fx_by_tx_digest(&digests).await.unwrap();
for (digest, fx) in digests.iter().zip(fx.iter()) {
println!("fetched fx: {:?} {:?}", digest, fx);
}
}
}
"ckpt_contents" => {
let ckpts = kv.multi_get_checkpoints(&[], &seqs, &[]).await.unwrap();
for (seq, ckpt) in seqs.iter().zip(ckpts.1.iter()) {
// populate digest before printing
ckpt.as_ref().map(|c| c.digest());
println!("fetched ckpt contents: {:?} {:?}", seq, ckpt);
}
}
"ckpt_summary" => {
let digests: Vec<_> = digest
.into_iter()
.map(|s| {
CheckpointDigest::from_str(&s).expect("invalid checkpoint digest")
})
.collect();
let ckpts = kv
.multi_get_checkpoints(&seqs, &[], &digests)
.await
.unwrap();
for (seq, ckpt) in seqs.iter().zip(ckpts.0.iter()) {
// populate digest before printing
ckpt.as_ref().map(|c| c.digest());
println!("fetched ckpt summary: {:?} {:?}", seq, ckpt);
}
for (digest, ckpt) in digests.iter().zip(ckpts.2.iter()) {
// populate digest before printing
ckpt.as_ref().map(|c| c.digest());
println!("fetched ckpt summary: {:?} {:?}", digest, ckpt);
}
}
"ob" => {
let object_id = ObjectID::from_str(&digest[0]).expect("invalid object id");
let object = kv.get_object(object_id, seqs[0].into()).await.unwrap();
println!("fetched object {:?}", object);
}
_ => {
println!(
"Invalid key type: {}. Must be one of 'tx', 'fx', or 'ev'.",
type_
);
std::process::exit(1);
}
}
Ok(())
}
Command::DecodeKey { url } => {
// url may look like
// https://transactions.sui.io/mainnet/jlkqmZbVuunngIyy2vjBOJSETrM56EH_kIc5wuLvDydN_x0GAAAAAA/ob
// extract the digest and type
let parts: Vec<_> = url.split('/').collect();
// its allowed to supply either the whole URL, or the last two pieces
if parts.len() < 2 {
println!("Invalid URL: {}", url);
std::process::exit(1);
}
let identifier = parts[parts.len() - 2];
let type_ = parts[parts.len() - 1];
let key = path_elements_to_key(identifier, type_)?;
println!("decoded key: {:?}", key);
Ok(())
}
}
}
}
#[derive(Parser)]
#[command(
name = "http_kv_tool",
about = "Utilities for the HTTP key-value store",
rename_all = "kebab-case",
author,
version = "1"
)]
struct App {
#[command(subcommand)]
command: Command,
}
#[tokio::main]
async fn main() {
let _guard = telemetry_subscribers::TelemetryConfig::new()
.with_env()
.init();
let app = App::parse();
app.command.execute().await.unwrap();
}