anvil_zksync_common/
utils.rsuse alloy::dyn_abi::DynSolValue;
use alloy::primitives::{hex, Sign, I256, U256 as AlloyU256};
use anyhow::Context;
use colored::Colorize;
use serde::de::DeserializeOwned;
use serde::Serialize;
use std::convert::TryInto;
use std::{
fs::File,
io::{BufWriter, Write},
path::Path,
};
use zksync_types::H256;
pub fn format_token(value: &DynSolValue, raw: bool) -> String {
match value {
DynSolValue::Address(inner) => inner.to_string(),
DynSolValue::Function(inner) => inner.to_string(),
DynSolValue::Bytes(inner) => format!("0x{}", hex::encode(inner)),
DynSolValue::FixedBytes(word, size) => format!("0x{}", hex::encode(&word[..*size])),
DynSolValue::Uint(inner, _) => {
if raw {
inner.to_string()
} else {
format_uint_exp(*inner)
}
}
DynSolValue::Int(inner, _) => {
if raw {
inner.to_string()
} else {
format_int_exp(*inner)
}
}
DynSolValue::Array(values) | DynSolValue::FixedArray(values) => {
let formatted_values: Vec<String> =
values.iter().map(|v| format_token(v, raw)).collect();
format!("[{}]", formatted_values.join(", "))
}
DynSolValue::Tuple(values) => format_tuple(values, raw),
DynSolValue::String(inner) => {
if raw {
inner.escape_debug().to_string()
} else {
format!("{:?}", inner) }
}
DynSolValue::Bool(inner) => inner.to_string(),
DynSolValue::CustomStruct {
name,
prop_names,
tuple,
} => {
if raw {
return format_token(&DynSolValue::Tuple(tuple.clone()), true);
}
let mut s = String::new();
s.push_str(name);
if prop_names.len() == tuple.len() {
s.push_str("({ ");
for (i, (prop_name, value)) in std::iter::zip(prop_names, tuple).enumerate() {
if i > 0 {
s.push_str(", ");
}
s.push_str(prop_name);
s.push_str(": ");
s.push_str(&format_token(value, raw));
}
s.push_str(" })");
} else {
s.push_str(&format_tuple(tuple, raw));
}
s
}
}
}
fn format_tuple(values: &[DynSolValue], raw: bool) -> String {
let formatted_values: Vec<String> = values.iter().map(|v| format_token(v, raw)).collect();
format!("({})", formatted_values.join(", "))
}
pub fn h256_to_u64(value: H256) -> u64 {
let be_u64_bytes: [u8; 8] = value[24..].try_into().unwrap();
u64::from_be_bytes(be_u64_bytes)
}
pub fn calculate_eth_cost(gas_price_in_wei_per_gas: u64, gas_used: u64) -> f64 {
let gas_price_in_gwei = gas_price_in_wei_per_gas as f64 / 1e9;
let total_cost_in_gwei = gas_price_in_gwei * gas_used as f64;
total_cost_in_gwei / 1e9
}
pub fn write_json_file<T: Serialize>(path: &Path, obj: &T) -> anyhow::Result<()> {
let file = File::create(path)
.with_context(|| format!("Failed to create file '{}'", path.display()))?;
let mut writer = BufWriter::new(file);
serde_json::to_writer_pretty(&mut writer, obj)
.with_context(|| format!("Failed to write JSON to '{}'", path.display()))?;
writer
.flush()
.with_context(|| format!("Failed to flush writer for '{}'", path.display()))?;
Ok(())
}
pub fn read_json_file<T: DeserializeOwned>(path: &Path) -> anyhow::Result<T> {
let file_content = std::fs::read_to_string(path)
.with_context(|| format!("Failed to read file '{}'", path.display()))?;
serde_json::from_str(&file_content)
.with_context(|| format!("Failed to deserialize JSON from '{}'", path.display()))
}
#[inline]
pub fn to_exp_notation(
value: AlloyU256,
precision: usize,
trim_end_zeros: bool,
sign: Sign,
) -> String {
let stringified = value.to_string();
let exponent = stringified.len() - 1;
let mut mantissa = stringified.chars().take(precision).collect::<String>();
if trim_end_zeros {
mantissa = mantissa.trim_end_matches('0').to_string();
}
if mantissa.len() > 1 {
mantissa.insert(1, '.');
}
format!("{sign}{mantissa}e{exponent}")
}
pub fn format_uint_exp(num: AlloyU256) -> String {
if num < AlloyU256::from(10_000) {
return num.to_string();
}
let exp = to_exp_notation(num, 4, true, Sign::Positive);
format!("{num} {}", format!("[{exp}]").dimmed())
}
pub fn format_int_exp(num: I256) -> String {
let (sign, abs) = num.into_sign_and_abs();
if abs < AlloyU256::from(10_000) {
return format!("{sign}{abs}");
}
let exp = to_exp_notation(abs, 4, true, sign);
format!("{sign}{abs} {}", format!("[{exp}]").dimmed())
}