use crate::utils::{
get_cli_command_telemetry_props, parse_genesis_file, TELEMETRY_SENSITIVE_VALUE,
};
use alloy::signers::local::coins_bip39::{English, Mnemonic};
use anvil_zksync_common::{
cache::{CacheConfig, CacheType, DEFAULT_DISK_CACHE_DIR},
sh_err, sh_warn,
};
use anvil_zksync_config::constants::{DEFAULT_MNEMONIC, TEST_NODE_NETWORK_ID};
use anvil_zksync_config::types::{AccountGenerator, Genesis, SystemContractsOptions};
use anvil_zksync_config::{L1Config, TestNodeConfig};
use anvil_zksync_core::node::fork::ForkConfig;
use anvil_zksync_core::{
node::{InMemoryNode, VersionedState},
utils::write_json_file,
};
use anvil_zksync_types::{
LogLevel, ShowCalls, ShowGasDetails, ShowStorageLogs, ShowVMDetails, TransactionOrder,
};
use clap::{arg, command, ArgAction, Parser, Subcommand};
use flate2::read::GzDecoder;
use futures::FutureExt;
use rand::{rngs::StdRng, SeedableRng};
use std::collections::HashMap;
use std::env;
use std::io::Read;
use std::net::IpAddr;
use std::path::PathBuf;
use std::str::FromStr;
use std::time::Duration;
use std::{
future::Future,
pin::Pin,
task::{Context, Poll},
};
use tokio::time::{Instant, Interval};
use url::Url;
use zksync_telemetry::TelemetryProps;
use zksync_types::{ProtocolVersionId, H256, U256};
const DEFAULT_PORT: &str = "8011";
const DEFAULT_HOST: &str = "0.0.0.0";
const DEFAULT_ACCOUNTS: &str = "10";
const DEFAULT_BALANCE: &str = "10000";
const DEFAULT_ALLOW_ORIGIN: &str = "*";
const DEFAULT_TX_ORDER: &str = "fifo";
#[derive(Debug, Parser, Clone)]
#[command(
author = "Matter Labs",
version,
about = "A fast and extensible local ZKsync test node.",
long_about = "anvil-zksync\n\nA developer-friendly ZKsync local node for testing."
)]
pub struct Cli {
#[command(subcommand)]
pub command: Option<Command>,
#[arg(long, help_heading = "General Options")]
pub offline: bool,
#[arg(long, help_heading = "General Options")]
pub health_check_endpoint: bool,
#[arg(long, value_name = "OUT_FILE", help_heading = "General Options")]
pub config_out: Option<String>,
#[arg(long, default_value = DEFAULT_PORT, help_heading = "Network Options")]
pub port: Option<u16>,
#[arg(
long,
value_name = "IP_ADDR",
env = "ANVIL_ZKSYNC_IP_ADDR",
default_value = DEFAULT_HOST,
value_delimiter = ',',
help_heading = "Network Options"
)]
pub host: Vec<IpAddr>,
#[arg(long, help_heading = "Network Options")]
pub chain_id: Option<u32>,
#[arg(short, long, help_heading = "Debugging Options")]
pub debug_mode: bool,
#[arg(long, default_value = "true", default_missing_value = "true", num_args(0..=1), help_heading = "Debugging Options")]
pub show_node_config: Option<bool>,
#[arg(long, default_value = "true", default_missing_value = "true", num_args(0..=1), help_heading = "Debugging Options")]
pub show_tx_summary: Option<bool>,
#[arg(long, alias = "no-console-log", default_missing_value = "true", num_args(0..=1), help_heading = "Debugging Options")]
pub disable_console_log: Option<bool>,
#[arg(long, default_missing_value = "true", num_args(0..=1), help_heading = "Debugging Options")]
pub show_event_logs: Option<bool>,
#[arg(long, help_heading = "Debugging Options")]
pub show_calls: Option<ShowCalls>,
#[arg(
default_missing_value = "true", num_args(0..=1),
long,
requires = "show_calls",
help_heading = "Debugging Options"
)]
pub show_outputs: Option<bool>,
#[arg(long, help_heading = "Debugging Options")]
pub show_storage_logs: Option<ShowStorageLogs>,
#[arg(long, help_heading = "Debugging Options")]
pub show_vm_details: Option<ShowVMDetails>,
#[arg(long, help_heading = "Debugging Options")]
pub show_gas_details: Option<ShowGasDetails>,
#[arg(long, default_missing_value = "true", num_args(0..=1), help_heading = "Debugging Options")]
pub resolve_hashes: Option<bool>,
#[arg(short = 'v', long = "verbosity", action = ArgAction::Count, help_heading = "Debugging Options")]
pub verbosity: u8,
#[arg(long, help_heading = "Gas Configuration")]
pub l1_gas_price: Option<u64>,
#[arg(long, alias = "gas-price", help_heading = "Gas Configuration")]
pub l2_gas_price: Option<u64>,
#[arg(long, help_heading = "Gas Configuration")]
pub l1_pubdata_price: Option<u64>,
#[arg(long, help_heading = "Gas Configuration")]
pub price_scale_factor: Option<f64>,
#[arg(long, help_heading = "Gas Configuration")]
pub limit_scale_factor: Option<f32>,
#[arg(long, help_heading = "System Configuration")]
pub override_bytecodes_dir: Option<String>,
#[arg(long, help_heading = "System Configuration")]
pub enforce_bytecode_compression: Option<bool>,
#[arg(long, help_heading = "System Configuration")]
pub dev_system_contracts: Option<SystemContractsOptions>,
#[arg(long, value_parser = protocol_version_from_str, help_heading = "System Configuration")]
pub protocol_version: Option<ProtocolVersionId>,
#[arg(long, help_heading = "System Configuration")]
pub emulate_evm: bool,
#[arg(long, help_heading = "Logging Configuration")]
pub log: Option<LogLevel>,
#[arg(long, help_heading = "Logging Configuration")]
pub log_file_path: Option<String>,
#[arg(long, alias = "quiet", default_missing_value = "true", num_args(0..=1), help_heading = "Logging Configuration")]
pub silent: Option<bool>,
#[arg(long, help_heading = "Cache Options")]
pub cache: Option<CacheType>,
#[arg(long, help_heading = "Cache Options")]
pub reset_cache: Option<bool>,
#[arg(long, help_heading = "Cache Options")]
pub cache_dir: Option<String>,
#[arg(
long,
short,
default_value = DEFAULT_ACCOUNTS,
value_name = "NUM",
help_heading = "Account Configuration"
)]
pub accounts: u64,
#[arg(
long,
default_value = DEFAULT_BALANCE,
value_name = "NUM",
help_heading = "Account Configuration"
)]
pub balance: u64,
#[arg(long, value_name = "NUM")]
pub timestamp: Option<u64>,
#[arg(long, value_name = "PATH", value_parser= parse_genesis_file)]
pub init: Option<Genesis>,
#[arg(
long,
value_name = "PATH",
conflicts_with_all = &[
"init",
"dump_state",
"load_state"
]
)]
pub state: Option<PathBuf>,
#[arg(short, long, value_name = "SECONDS")]
pub state_interval: Option<u64>,
#[arg(long, value_name = "PATH", conflicts_with = "init")]
pub dump_state: Option<PathBuf>,
#[arg(long, conflicts_with = "init", default_value = "false")]
pub preserve_historical_states: bool,
#[arg(long, value_name = "PATH", conflicts_with = "init")]
pub load_state: Option<PathBuf>,
#[arg(long, short, conflicts_with_all = &["mnemonic_seed", "mnemonic_random"], help_heading = "Account Configuration")]
pub mnemonic: Option<String>,
#[arg(long, conflicts_with_all = &["mnemonic", "mnemonic_seed"], default_missing_value = "12", num_args(0..=1), help_heading = "Account Configuration")]
pub mnemonic_random: Option<usize>,
#[arg(long = "mnemonic-seed-unsafe", conflicts_with_all = &["mnemonic", "mnemonic_random"], help_heading = "Account Configuration")]
pub mnemonic_seed: Option<u64>,
#[arg(long, help_heading = "Account Configuration")]
pub derivation_path: Option<String>,
#[arg(
long,
visible_alias = "auto-unlock",
help_heading = "Account Configuration"
)]
pub auto_impersonate: bool,
#[arg(short, long, value_name = "SECONDS", value_parser = duration_from_secs_f64, help_heading = "Block Sealing")]
pub block_time: Option<Duration>,
#[arg(long, visible_alias = "no-mine", conflicts_with = "block_time")]
pub no_mining: bool,
#[arg(long, default_value = DEFAULT_ALLOW_ORIGIN, help_heading = "Server options")]
pub allow_origin: String,
#[arg(long, conflicts_with = "allow_origin", help_heading = "Server options")]
pub no_cors: bool,
#[arg(long, default_value = DEFAULT_TX_ORDER)]
pub order: TransactionOrder,
#[clap(flatten)]
pub l1_group: Option<L1Group>,
#[arg(long, requires = "l1_group", default_missing_value = "true", num_args(0..=1), help_heading = "UNSTABLE - L1")]
pub auto_execute_l1: Option<bool>,
}
#[derive(Debug, Clone, clap::Args)]
#[group(id = "l1_group", multiple = false)]
pub struct L1Group {
#[arg(long, conflicts_with = "external_l1", default_missing_value = "8012", num_args(0..=1), help_heading = "UNSTABLE - L1")]
pub spawn_l1: Option<u16>,
#[arg(long, conflicts_with = "spawn_l1", help_heading = "UNSTABLE - L1")]
pub external_l1: Option<String>,
}
#[derive(Debug, Subcommand, Clone)]
pub enum Command {
#[command(name = "run")]
Run,
#[command(name = "fork")]
Fork(ForkArgs),
#[command(name = "replay_tx")]
ReplayTx(ReplayArgs),
}
#[derive(Debug, Parser, Clone)]
pub struct ForkArgs {
#[arg(
long,
alias = "network",
help = "Network to fork from (e.g., http://XXX:YY, mainnet, sepolia-testnet, abstract, abstract-testnet)."
)]
pub fork_url: ForkUrl,
#[arg(
long,
value_name = "BLOCK",
long_help = "Fetch state from a specific block number over a remote endpoint.",
alias = "fork-at"
)]
pub fork_block_number: Option<u64>,
#[arg(
long,
requires = "fork_url",
value_name = "TRANSACTION",
conflicts_with = "fork_block_number"
)]
pub fork_transaction_hash: Option<H256>,
}
#[derive(Clone, Debug)]
pub enum ForkUrl {
Mainnet,
SepoliaTestnet,
AbstractMainnet,
AbstractTestnet,
Other(Url),
}
impl ForkUrl {
const MAINNET_URL: &'static str = "https://mainnet.era.zksync.io:443";
const SEPOLIA_TESTNET_URL: &'static str = "https://sepolia.era.zksync.dev:443";
const ABSTRACT_MAINNET_URL: &'static str = "https://api.mainnet.abs.xyz";
const ABSTRACT_TESTNET_URL: &'static str = "https://api.testnet.abs.xyz";
pub fn to_config(&self) -> ForkConfig {
match self {
ForkUrl::Mainnet => ForkConfig {
url: Self::MAINNET_URL.parse().unwrap(),
estimate_gas_price_scale_factor: 1.5,
estimate_gas_scale_factor: 1.3,
},
ForkUrl::SepoliaTestnet => ForkConfig {
url: Self::SEPOLIA_TESTNET_URL.parse().unwrap(),
estimate_gas_price_scale_factor: 2.0,
estimate_gas_scale_factor: 1.3,
},
ForkUrl::AbstractMainnet => ForkConfig {
url: Self::ABSTRACT_MAINNET_URL.parse().unwrap(),
estimate_gas_price_scale_factor: 1.5,
estimate_gas_scale_factor: 1.3,
},
ForkUrl::AbstractTestnet => ForkConfig {
url: Self::ABSTRACT_TESTNET_URL.parse().unwrap(),
estimate_gas_price_scale_factor: 1.5,
estimate_gas_scale_factor: 1.3,
},
ForkUrl::Other(url) => ForkConfig::unknown(url.clone()),
}
}
}
impl FromStr for ForkUrl {
type Err = anyhow::Error;
fn from_str(s: &str) -> std::result::Result<Self, Self::Err> {
if s == "mainnet" {
Ok(ForkUrl::Mainnet)
} else if s == "sepolia-testnet" {
Ok(ForkUrl::SepoliaTestnet)
} else if s == "abstract" {
Ok(ForkUrl::AbstractMainnet)
} else if s == "abstract-testnet" {
Ok(ForkUrl::AbstractTestnet)
} else {
Ok(Url::from_str(s).map(ForkUrl::Other)?)
}
}
}
#[derive(Debug, Parser, Clone)]
pub struct ReplayArgs {
#[arg(
long,
alias = "network",
help = "Network to fork from (e.g., http://XXX:YY, mainnet, sepolia-testnet, abstract, abstract-testnet)."
)]
pub fork_url: ForkUrl,
#[arg(help = "Transaction hash to replay.")]
pub tx: H256,
}
impl Cli {
pub fn deprecated_config_option() {
let args: Vec<String> = env::args().collect();
let deprecated_flags: HashMap<&str, &str> = [
("--config",
"⚠ The '--config' option has been removed. Please migrate to using other configuration options or defaults."),
("--show-calls",
"⚠ The '--show-calls' option is deprecated. Use verbosity levels instead:\n\
-vv → Show user calls\n\
-vvv → Show system calls"),
("--show-event-logs",
"⚠ The '--show-event-logs' option is deprecated. Event logs are now included in traces by default.\n\
Use verbosity levels instead:\n\
-vv → Show user calls\n\
-vvv → Show system calls"),
("--resolve-hashes",
"⚠ The '--resolve-hashes' option is deprecated. Automatic decoding of function and event selectors\n\
using OpenChain is now enabled by default, unless running in offline mode.\n\
If needed, disable it explicitly with `--offline`."),
("--show-outputs",
"⚠ The '--show-outputs' option has been deprecated. Output logs are now included in traces by default."),
("--debug",
"⚠ The '--debug' (or '-d') option is deprecated. Use verbosity levels instead:\n\
-vv → Show user calls\n\
-vvv → Show system calls"),
("-d",
"⚠ The '-d' option is deprecated. Use verbosity levels instead:\n\
-vv → Show user calls\n\
-vvv → Show system calls"),
]
.iter()
.copied()
.collect();
let prefix_flags = [
"--config=",
"--show-calls=",
"--resolve-hashes=",
"--show-outputs=",
"--show-event-logs=",
];
let mut detected = false;
for arg in &args {
if let Some(warning) = deprecated_flags.get(arg.as_str()) {
if !detected {
sh_warn!("⚠ Deprecated CLI Options Detected (as of v0.4.0):\n");
sh_warn!("[Options below will be removed in v0.4.1]\n");
detected = true;
}
sh_warn!("{}", warning);
} else if let Some(base_flag) =
prefix_flags.iter().find(|&&prefix| arg.starts_with(prefix))
{
let warning = deprecated_flags
.get(base_flag.trim_end_matches("="))
.unwrap_or(&"⚠ Unknown deprecated option.");
if !detected {
sh_warn!("⚠ Deprecated CLI Options Detected (as of v0.4.0):\n");
sh_warn!("[Options below will be removed in v0.4.1]\n");
detected = true;
}
sh_warn!("{}", warning);
}
}
}
pub fn into_test_node_config(
self,
) -> Result<TestNodeConfig, zksync_error::anvil_zksync::env::AnvilEnvironmentError> {
let debug_self_repr = format!("{self:#?}");
let genesis_balance = U256::from(self.balance as u128 * 10u128.pow(18));
let mut config = TestNodeConfig::default()
.with_port(self.port)
.with_offline(if self.offline { Some(true) } else { None })
.with_l1_gas_price(self.l1_gas_price)
.with_l2_gas_price(self.l2_gas_price)
.with_l1_pubdata_price(self.l1_pubdata_price)
.with_show_tx_summary(self.show_tx_summary)
.with_show_event_logs(self.show_event_logs)
.with_disable_console_log(self.disable_console_log)
.with_show_calls(self.show_calls)
.with_vm_log_detail(self.show_vm_details)
.with_show_storage_logs(self.show_storage_logs)
.with_show_gas_details(self.show_gas_details)
.with_show_outputs(self.show_outputs)
.with_show_event_logs(self.show_event_logs)
.with_resolve_hashes(self.resolve_hashes)
.with_gas_limit_scale(self.limit_scale_factor)
.with_price_scale(self.price_scale_factor)
.with_verbosity_level(self.verbosity)
.with_show_node_config(self.show_node_config)
.with_silent(self.silent)
.with_system_contracts(self.dev_system_contracts)
.with_protocol_version(self.protocol_version)
.with_override_bytecodes_dir(self.override_bytecodes_dir.clone())
.with_enforce_bytecode_compression(self.enforce_bytecode_compression)
.with_log_level(self.log)
.with_log_file_path(self.log_file_path.clone())
.with_account_generator(self.account_generator())
.with_auto_impersonate(self.auto_impersonate)
.with_genesis_balance(genesis_balance)
.with_cache_dir(self.cache_dir.clone())
.with_cache_config(self.cache.map(|cache_type| {
match cache_type {
CacheType::None => CacheConfig::None,
CacheType::Memory => CacheConfig::Memory,
CacheType::Disk => CacheConfig::Disk {
dir: self
.cache_dir
.unwrap_or_else(|| DEFAULT_DISK_CACHE_DIR.to_string()),
reset: self.reset_cache.unwrap_or(false),
},
}
}))
.with_genesis_timestamp(self.timestamp)
.with_genesis(self.init)
.with_chain_id(self.chain_id)
.set_config_out(self.config_out)
.with_host(self.host)
.with_evm_emulator(if self.emulate_evm { Some(true) } else { None })
.with_health_check_endpoint(if self.health_check_endpoint {
Some(true)
} else {
None
})
.with_block_time(self.block_time)
.with_no_mining(self.no_mining)
.with_allow_origin(self.allow_origin)
.with_no_cors(self.no_cors)
.with_transaction_order(self.order)
.with_state(self.state)
.with_state_interval(self.state_interval)
.with_dump_state(self.dump_state)
.with_preserve_historical_states(self.preserve_historical_states)
.with_load_state(self.load_state)
.with_l1_config(self.l1_group.and_then(|group| {
group.spawn_l1.map(|port| L1Config::Spawn { port }).or(group
.external_l1
.map(|address| L1Config::External { address }))
}))
.with_auto_execute_l1(self.auto_execute_l1);
if self.emulate_evm && config.protocol_version() < ProtocolVersionId::Version27 {
return Err(zksync_error::anvil_zksync::env::InvalidArguments {
details: "EVM emulation requires protocol version 27 or higher".into(),
arguments: debug_self_repr,
});
}
if self.debug_mode {
config = config.with_debug_mode();
}
Ok(config)
}
pub fn into_telemetry_props(self) -> TelemetryProps {
TelemetryProps::new()
.insert("command", get_cli_command_telemetry_props(self.command))
.insert_with("offline", self.offline, |v| v.then_some(v))
.insert_with("health_check_endpoint", self.health_check_endpoint, |v| {
v.then_some(v)
})
.insert_with("config_out", self.config_out, |v| {
v.map(|_| TELEMETRY_SENSITIVE_VALUE)
})
.insert_with("port", self.port, |v| {
v.filter(|&p| p.to_string() != DEFAULT_PORT)
.map(|_| TELEMETRY_SENSITIVE_VALUE)
})
.insert_with("host", &self.host, |v| {
v.first()
.filter(|&h| h.to_string() != DEFAULT_HOST || self.host.len() != 1)
.map(|_| TELEMETRY_SENSITIVE_VALUE)
})
.insert_with("chain_id", self.chain_id, |v| {
v.map(|_| TELEMETRY_SENSITIVE_VALUE)
})
.insert_with("debug_mode", self.debug_mode, |v| v.then_some(v))
.insert_with("show_node_config", self.show_node_config, |v| {
(!v.unwrap_or(false)).then_some(false)
})
.insert_with("show_tx_summary", self.show_tx_summary, |v| {
(!v.unwrap_or(false)).then_some(false)
})
.insert("disable_console_log", self.disable_console_log)
.insert("show_event_logs", self.show_event_logs)
.insert("show_calls", self.show_calls.map(|v| v.to_string()))
.insert("show_outputs", self.show_outputs)
.insert(
"show_storage_logs",
self.show_storage_logs.map(|v| v.to_string()),
)
.insert(
"show_vm_details",
self.show_vm_details.map(|v| v.to_string()),
)
.insert(
"show_gas_details",
self.show_gas_details.map(|v| v.to_string()),
)
.insert("resolve_hashes", self.resolve_hashes)
.insert(
"l1_gas_price",
self.l1_gas_price.map(serde_json::Number::from),
)
.insert(
"l2_gas_price",
self.l2_gas_price.map(serde_json::Number::from),
)
.insert(
"l1_pubdata_price",
self.l1_pubdata_price.map(serde_json::Number::from),
)
.insert(
"price_scale_factor",
self.price_scale_factor.map(|v| {
serde_json::Number::from_f64(v).unwrap_or(serde_json::Number::from(0))
}),
)
.insert(
"limit_scale_factor",
self.limit_scale_factor.map(|v| {
serde_json::Number::from_f64(v as f64).unwrap_or(serde_json::Number::from(0))
}),
)
.insert_with("override_bytecodes_dir", self.override_bytecodes_dir, |v| {
v.map(|_| TELEMETRY_SENSITIVE_VALUE)
})
.insert(
"dev_system_contracts",
self.dev_system_contracts.map(|v| format!("{:?}", v)),
)
.insert(
"protocol_version",
self.protocol_version.map(|v| v.to_string()),
)
.insert_with("emulate_evm", self.emulate_evm, |v| v.then_some(v))
.insert("log", self.log.map(|v| v.to_string()))
.insert_with("log_file_path", self.log_file_path, |v| {
v.map(|_| TELEMETRY_SENSITIVE_VALUE)
})
.insert("silent", self.silent)
.insert("cache", self.cache.map(|v| format!("{:?}", v)))
.insert("reset_cache", self.reset_cache)
.insert_with("cache_dir", self.cache_dir, |v| {
v.map(|_| TELEMETRY_SENSITIVE_VALUE)
})
.insert_with("accounts", self.accounts, |v| {
(v.to_string() != DEFAULT_ACCOUNTS).then_some(serde_json::Number::from(v))
})
.insert_with("balance", self.balance, |v| {
(v.to_string() != DEFAULT_BALANCE).then_some(serde_json::Number::from(v))
})
.insert("timestamp", self.timestamp.map(serde_json::Number::from))
.insert_with("init", self.init, |v| v.map(|_| TELEMETRY_SENSITIVE_VALUE))
.insert_with("state", self.state, |v| {
v.map(|_| TELEMETRY_SENSITIVE_VALUE)
})
.insert(
"state_interval",
self.state_interval.map(serde_json::Number::from),
)
.insert_with("dump_state", self.dump_state, |v| {
v.map(|_| TELEMETRY_SENSITIVE_VALUE)
})
.insert_with(
"preserve_historical_states",
self.preserve_historical_states,
|v| v.then_some(v),
)
.insert_with("load_state", self.load_state, |v| {
v.map(|_| TELEMETRY_SENSITIVE_VALUE)
})
.insert_with("mnemonic", self.mnemonic, |v| {
v.map(|_| TELEMETRY_SENSITIVE_VALUE)
})
.insert_with("mnemonic_random", self.mnemonic_random, |v| {
v.map(|_| TELEMETRY_SENSITIVE_VALUE)
})
.insert_with("mnemonic_seed", self.mnemonic_seed, |v| {
v.map(|_| TELEMETRY_SENSITIVE_VALUE)
})
.insert_with("derivation_path", self.derivation_path, |v| {
v.map(|_| TELEMETRY_SENSITIVE_VALUE)
})
.insert_with("auto_impersonate", self.auto_impersonate, |v| {
v.then_some(v)
})
.insert("block_time", self.block_time.map(|v| format!("{:?}", v)))
.insert_with("no_mining", self.no_mining, |v| v.then_some(v))
.insert_with("allow_origin", self.allow_origin, |v| {
(v != DEFAULT_ALLOW_ORIGIN).then_some(TELEMETRY_SENSITIVE_VALUE)
})
.insert_with("no_cors", self.no_cors, |v| v.then_some(v))
.insert_with("order", self.order, |v| {
(v.to_string() != DEFAULT_TX_ORDER).then_some(v.to_string())
})
.take()
}
fn account_generator(&self) -> AccountGenerator {
let mut gen = AccountGenerator::new(self.accounts as usize)
.phrase(DEFAULT_MNEMONIC)
.chain_id(self.chain_id.unwrap_or(TEST_NODE_NETWORK_ID));
if let Some(ref mnemonic) = self.mnemonic {
gen = gen.phrase(mnemonic);
} else if let Some(count) = self.mnemonic_random {
let mut rng = rand::thread_rng();
let mnemonic = match Mnemonic::<English>::new_with_count(&mut rng, count) {
Ok(mnemonic) => mnemonic.to_phrase(),
Err(_) => DEFAULT_MNEMONIC.to_string(),
};
gen = gen.phrase(mnemonic);
} else if let Some(seed) = self.mnemonic_seed {
let mut seed = StdRng::seed_from_u64(seed);
let mnemonic = Mnemonic::<English>::new(&mut seed).to_phrase();
gen = gen.phrase(mnemonic);
}
if let Some(ref derivation) = self.derivation_path {
gen = gen.derivation_path(derivation);
}
gen
}
}
fn duration_from_secs_f64(s: &str) -> Result<Duration, String> {
let s = s.parse::<f64>().map_err(|e| e.to_string())?;
if s == 0.0 {
return Err("Duration must be greater than 0".to_string());
}
Duration::try_from_secs_f64(s).map_err(|e| e.to_string())
}
fn protocol_version_from_str(s: &str) -> anyhow::Result<ProtocolVersionId> {
let version = s.parse::<u16>()?;
Ok(ProtocolVersionId::try_from(version)?)
}
pub struct PeriodicStateDumper {
in_progress_dump: Option<Pin<Box<dyn Future<Output = ()> + Send + Sync + 'static>>>,
node: InMemoryNode,
dump_state: Option<PathBuf>,
preserve_historical_states: bool,
interval: Interval,
}
impl PeriodicStateDumper {
pub fn new(
node: InMemoryNode,
dump_state: Option<PathBuf>,
interval: Duration,
preserve_historical_states: bool,
) -> Self {
let dump_state = dump_state.map(|mut dump_state| {
if dump_state.is_dir() {
dump_state = dump_state.join("state.json");
}
dump_state
});
let interval = tokio::time::interval_at(Instant::now() + interval, interval);
Self {
in_progress_dump: None,
node,
dump_state,
preserve_historical_states,
interval,
}
}
#[allow(dead_code)] pub async fn dump(&self) {
if let Some(state) = self.dump_state.clone() {
Self::dump_state(self.node.clone(), state, self.preserve_historical_states).await
}
}
async fn dump_state(node: InMemoryNode, dump_path: PathBuf, preserve_historical_states: bool) {
tracing::trace!(path=?dump_path, "Dumping state");
let state_bytes = match node.dump_state(preserve_historical_states).await {
Ok(bytes) => bytes,
Err(err) => {
sh_err!("Failed to dump state: {:?}", err);
return;
}
};
let mut decoder = GzDecoder::new(&state_bytes.0[..]);
let mut json_str = String::new();
if let Err(err) = decoder.read_to_string(&mut json_str) {
sh_err!("Failed to decompress state bytes: {}", err);
return;
}
let state = match serde_json::from_str::<VersionedState>(&json_str) {
Ok(state) => state,
Err(err) => {
sh_err!("Failed to parse state JSON: {}", err);
return;
}
};
if let Err(err) = write_json_file(&dump_path, &state) {
sh_err!("Failed to write state to file: {}", err);
} else {
tracing::trace!(path = ?dump_path, "Dumped state successfully");
}
}
}
impl Future for PeriodicStateDumper {
type Output = anyhow::Result<()>;
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
let this = self.get_mut();
if this.dump_state.is_none() {
return Poll::Pending;
}
loop {
if let Some(mut flush) = this.in_progress_dump.take() {
match flush.poll_unpin(cx) {
Poll::Ready(_) => {
this.interval.reset();
}
Poll::Pending => {
this.in_progress_dump = Some(flush);
return Poll::Pending;
}
}
}
if this.interval.poll_tick(cx).is_ready() {
let api = this.node.clone();
let path = this.dump_state.clone().expect("exists; see above");
this.in_progress_dump = Some(Box::pin(Self::dump_state(
api,
path,
this.preserve_historical_states,
)));
} else {
break;
}
}
Poll::Pending
}
}
#[cfg(test)]
mod tests {
use crate::cli::PeriodicStateDumper;
use super::Cli;
use anvil_zksync_core::node::InMemoryNode;
use clap::Parser;
use serde_json::{json, Value};
use std::{
env,
net::{IpAddr, Ipv4Addr},
};
use zksync_types::{H160, U256};
#[test]
fn can_parse_host() {
let args = Cli::parse_from(["anvil-zksync"]);
assert_eq!(args.host, vec![IpAddr::V4(Ipv4Addr::new(0, 0, 0, 0))]);
let args = Cli::parse_from([
"anvil-zksync",
"--host",
"::1",
"--host",
"1.1.1.1",
"--host",
"2.2.2.2",
]);
assert_eq!(
args.host,
["::1", "1.1.1.1", "2.2.2.2"]
.map(|ip| ip.parse::<IpAddr>().unwrap())
.to_vec()
);
let args = Cli::parse_from(["anvil-zksync", "--host", "::1,1.1.1.1,2.2.2.2"]);
assert_eq!(
args.host,
["::1", "1.1.1.1", "2.2.2.2"]
.map(|ip| ip.parse::<IpAddr>().unwrap())
.to_vec()
);
env::set_var("ANVIL_ZKSYNC_IP_ADDR", "1.1.1.1");
let args = Cli::parse_from(["anvil-zksync"]);
assert_eq!(args.host, vec!["1.1.1.1".parse::<IpAddr>().unwrap()]);
env::set_var("ANVIL_ZKSYNC_IP_ADDR", "::1,1.1.1.1,2.2.2.2");
let args = Cli::parse_from(["anvil-zksync"]);
assert_eq!(
args.host,
["::1", "1.1.1.1", "2.2.2.2"]
.map(|ip| ip.parse::<IpAddr>().unwrap())
.to_vec()
);
}
#[tokio::test]
async fn test_dump_state() -> anyhow::Result<()> {
let temp_dir = tempfile::Builder::new()
.prefix("state-test")
.tempdir()
.expect("failed creating temporary dir");
let dump_path = temp_dir.path().join("state.json");
let config = anvil_zksync_config::TestNodeConfig {
dump_state: Some(dump_path.clone()),
state_interval: Some(1),
preserve_historical_states: true,
..Default::default()
};
let node = InMemoryNode::test_config(None, config.clone());
let mut state_dumper = PeriodicStateDumper::new(
node.clone(),
config.dump_state.clone(),
std::time::Duration::from_secs(1),
config.preserve_historical_states,
);
let dumper_handle = tokio::spawn(async move {
tokio::select! {
_ = &mut state_dumper => {}
}
state_dumper.dump().await;
});
tokio::time::sleep(std::time::Duration::from_secs(2)).await;
dumper_handle.abort();
let _ = dumper_handle.await;
let dumped_data =
std::fs::read_to_string(&dump_path).expect("Expected state file to be created");
let _: Value =
serde_json::from_str(&dumped_data).expect("Failed to parse dumped state as JSON");
Ok(())
}
#[tokio::test]
async fn test_load_state() -> anyhow::Result<()> {
let temp_dir = tempfile::Builder::new()
.prefix("state-load-test")
.tempdir()
.expect("failed creating temporary dir");
let state_path = temp_dir.path().join("state.json");
let config = anvil_zksync_config::TestNodeConfig {
dump_state: Some(state_path.clone()),
state_interval: Some(1),
preserve_historical_states: true,
..Default::default()
};
let node = InMemoryNode::test_config(None, config.clone());
let test_address = H160::from_low_u64_be(12345);
node.set_rich_account(test_address, U256::from(1000000u64))
.await;
let mut state_dumper = PeriodicStateDumper::new(
node.clone(),
config.dump_state.clone(),
std::time::Duration::from_secs(1),
config.preserve_historical_states,
);
let dumper_handle = tokio::spawn(async move {
tokio::select! {
_ = &mut state_dumper => {}
}
state_dumper.dump().await;
});
tokio::time::sleep(std::time::Duration::from_secs(2)).await;
dumper_handle.abort();
let _ = dumper_handle.await;
std::fs::read_to_string(&state_path).expect("Expected state file to be created");
let new_config = anvil_zksync_config::TestNodeConfig::default();
let new_node = InMemoryNode::test_config(None, new_config.clone());
new_node
.load_state(zksync_types::web3::Bytes(std::fs::read(&state_path)?))
.await?;
let balance = new_node.get_balance_impl(test_address, None).await?;
assert_eq!(balance, U256::from(1000000u64));
Ok(())
}
#[tokio::test]
async fn test_cli_telemetry_data_skips_missing_args() -> anyhow::Result<()> {
let args = Cli::parse_from(["anvil-zksync"]).into_telemetry_props();
let json = args.to_inner();
let expected_json: serde_json::Value = json!({});
assert_eq!(json, expected_json);
Ok(())
}
#[tokio::test]
async fn test_cli_telemetry_data_hides_sensitive_data() -> anyhow::Result<()> {
let args = Cli::parse_from([
"anvil-zksync",
"--offline",
"--host",
"100.100.100.100",
"--port",
"3333",
"--chain-id",
"123",
"--config-out",
"/some/path",
"fork",
"--fork-url",
"mainnet",
])
.into_telemetry_props();
let json = args.to_inner();
let expected_json: serde_json::Value = json!({
"command": {
"args": {
"fork_url": "Mainnet"
},
"name": "fork"
},
"offline": true,
"config_out": "***",
"port": "***",
"host": "***",
"chain_id": "***"
});
assert_eq!(json, expected_json);
Ok(())
}
}