use alloy::primitives::{Sign, I256, U256 as AlloyU256};
use anvil_zksync_common::sh_err;
use anyhow::Context;
use chrono::{DateTime, Utc};
use colored::Colorize;
use serde::de::DeserializeOwned;
use serde::Serialize;
use std::future::Future;
use std::sync::Arc;
use std::{convert::TryInto, fmt};
use std::{
fs::File,
io::{BufWriter, Write},
path::Path,
};
use tokio::runtime::Builder;
use tokio::sync::{RwLock, RwLockReadGuard};
use zksync_multivm::interface::{Call, CallType, ExecutionResult, VmExecutionResultAndLogs};
use zksync_types::{
api::{BlockNumber, DebugCall, DebugCallType},
web3::Bytes,
Transaction, CONTRACT_DEPLOYER_ADDRESS, H256, U256, U64,
};
use zksync_web3_decl::error::Web3Error;
pub fn to_human_size(input: U256) -> String {
let input = format!("{:?}", input);
let tmp: Vec<_> = input
.chars()
.rev()
.enumerate()
.flat_map(|(index, val)| {
if index > 0 && index % 3 == 0 {
vec!['_', val]
} else {
vec![val]
}
})
.collect();
tmp.iter().rev().collect()
}
pub fn to_real_block_number(block_number: BlockNumber, latest_block_number: U64) -> U64 {
match block_number {
BlockNumber::Finalized
| BlockNumber::Pending
| BlockNumber::Committed
| BlockNumber::L1Committed
| BlockNumber::Latest => latest_block_number,
BlockNumber::Earliest => U64::zero(),
BlockNumber::Number(n) => n,
}
}
pub fn create_debug_output(
tx: &Transaction,
result: &VmExecutionResultAndLogs,
traces: Vec<Call>,
) -> Result<DebugCall, Web3Error> {
let calltype = if tx
.recipient_account()
.map(|addr| addr == CONTRACT_DEPLOYER_ADDRESS)
.unwrap_or_default()
{
DebugCallType::Create
} else {
DebugCallType::Call
};
match &result.result {
ExecutionResult::Success { output } => Ok(DebugCall {
gas_used: result.statistics.gas_used.into(),
output: output.clone().into(),
r#type: calltype,
from: tx.initiator_account(),
to: tx.recipient_account().unwrap_or_default(),
gas: tx.gas_limit(),
value: tx.execute.value,
input: tx.execute.calldata().into(),
error: None,
revert_reason: None,
calls: traces.into_iter().map(call_to_debug_call).collect(),
}),
ExecutionResult::Revert { output } => Ok(DebugCall {
gas_used: result.statistics.gas_used.into(),
output: output.encoded_data().into(),
r#type: calltype,
from: tx.initiator_account(),
to: tx.recipient_account().unwrap_or_default(),
gas: tx.gas_limit(),
value: tx.execute.value,
input: tx.execute.calldata().into(),
error: None,
revert_reason: Some(output.to_string()),
calls: traces.into_iter().map(call_to_debug_call).collect(),
}),
ExecutionResult::Halt { reason } => Err(Web3Error::SubmitTransactionError(
reason.to_string(),
vec![],
)),
}
}
fn call_to_debug_call(value: Call) -> DebugCall {
let calls = value.calls.into_iter().map(call_to_debug_call).collect();
let debug_type = match value.r#type {
CallType::Call(_) => DebugCallType::Call,
CallType::Create => DebugCallType::Create,
CallType::NearCall => unreachable!("We have to filter our near calls before"),
};
DebugCall {
r#type: debug_type,
from: value.from,
to: value.to,
gas: U256::from(value.gas),
gas_used: U256::from(value.gas_used),
value: value.value,
output: Bytes::from(value.output.clone()),
input: Bytes::from(value.input.clone()),
error: value.error.clone(),
revert_reason: value.revert_reason,
calls,
}
}
pub fn utc_datetime_from_epoch_ms(millis: u64) -> DateTime<Utc> {
let secs = millis / 1000;
let nanos = (millis % 1000) * 1_000_000;
DateTime::<Utc>::from_timestamp(secs as i64, nanos as u32).expect("valid timestamp")
}
#[derive(Debug)]
pub(crate) struct TransparentError(pub String);
impl fmt::Display for TransparentError {
fn fmt(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result {
formatter.write_str(&self.0)
}
}
impl std::error::Error for TransparentError {}
impl From<TransparentError> for Web3Error {
fn from(err: TransparentError) -> Self {
Self::InternalError(err.into())
}
}
pub fn internal_error(method_name: &'static str, error: impl fmt::Display) -> Web3Error {
sh_err!("Internal error in method {method_name}: {error}");
Web3Error::InternalError(anyhow::Error::msg(error.to_string()))
}
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()))
}
pub fn block_on<F: Future + Send + 'static>(future: F) -> F::Output
where
F::Output: Send,
{
std::thread::spawn(move || {
let runtime = Builder::new_current_thread()
.enable_all()
.build()
.expect("tokio runtime creation failed");
runtime.block_on(future)
})
.join()
.unwrap()
}
#[derive(Debug)]
pub struct ArcRLock<T>(Arc<RwLock<T>>);
impl<T> Clone for ArcRLock<T> {
fn clone(&self) -> Self {
ArcRLock(self.0.clone())
}
}
impl<T> ArcRLock<T> {
pub fn wrap(inner: Arc<RwLock<T>>) -> Self {
Self(inner)
}
pub async fn read(&self) -> RwLockReadGuard<T> {
self.0.read().await
}
}
#[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())
}
#[cfg(test)]
mod tests {
use zksync_types::U256;
use super::*;
#[test]
fn test_utc_datetime_from_epoch_ms() {
let actual = utc_datetime_from_epoch_ms(1623931200000);
assert_eq!(DateTime::from_timestamp(1623931200, 0).unwrap(), actual);
}
#[test]
fn test_human_sizes() {
assert_eq!("123", to_human_size(U256::from(123u64)));
assert_eq!("1_234", to_human_size(U256::from(1234u64)));
assert_eq!("12_345", to_human_size(U256::from(12345u64)));
assert_eq!("0", to_human_size(U256::from(0)));
assert_eq!("1", to_human_size(U256::from(1)));
assert_eq!("50_000_000", to_human_size(U256::from(50000000u64)));
}
#[test]
fn test_to_real_block_number_finalized() {
let actual = to_real_block_number(BlockNumber::Finalized, U64::from(10));
assert_eq!(U64::from(10), actual);
}
#[test]
fn test_to_real_block_number_pending() {
let actual = to_real_block_number(BlockNumber::Pending, U64::from(10));
assert_eq!(U64::from(10), actual);
}
#[test]
fn test_to_real_block_number_committed() {
let actual = to_real_block_number(BlockNumber::Committed, U64::from(10));
assert_eq!(U64::from(10), actual);
}
#[test]
fn test_to_real_block_number_latest() {
let actual = to_real_block_number(BlockNumber::Latest, U64::from(10));
assert_eq!(U64::from(10), actual);
}
#[test]
fn test_to_real_block_number_earliest() {
let actual = to_real_block_number(BlockNumber::Earliest, U64::from(10));
assert_eq!(U64::zero(), actual);
}
#[test]
fn test_to_real_block_number_number() {
let actual = to_real_block_number(BlockNumber::Number(U64::from(5)), U64::from(10));
assert_eq!(U64::from(5), actual);
}
#[test]
fn test_format_to_exponential_notation() {
let value = 1234124124u64;
let formatted = to_exp_notation(AlloyU256::from(value), 4, false, Sign::Positive);
assert_eq!(formatted, "1.234e9");
let formatted = to_exp_notation(AlloyU256::from(value), 3, true, Sign::Positive);
assert_eq!(formatted, "1.23e9");
let value = 10000000u64;
let formatted = to_exp_notation(AlloyU256::from(value), 4, false, Sign::Positive);
assert_eq!(formatted, "1.000e7");
let formatted = to_exp_notation(AlloyU256::from(value), 3, true, Sign::Positive);
assert_eq!(formatted, "1e7");
}
}