use super::{
multi_sequence::MultiChainSequence, providers::ProvidersManager, runner::ScriptRunner,
sequence::ScriptSequenceKind, transaction::ScriptTransactionBuilder,
};
use crate::{
broadcast::{estimate_gas, BundledState},
build::LinkedBuildData,
execute::{ExecutionArtifacts, ExecutionData},
sequence::get_commit_hash,
ScriptArgs, ScriptConfig, ScriptResult,
};
use alloy_network::TransactionBuilder;
use alloy_primitives::{map::HashMap, utils::format_units, Address, Bytes, TxKind, U256};
use dialoguer::Confirm;
use eyre::{Context, Result};
use forge_script_sequence::{ScriptSequence, TransactionWithMetadata};
use foundry_cheatcodes::Wallets;
use foundry_cli::utils::{has_different_gas_calc, now};
use foundry_common::ContractData;
use foundry_evm::traces::{decode_trace_arena, render_trace_arena};
use futures::future::{join_all, try_join_all};
use parking_lot::RwLock;
use std::{
collections::{BTreeMap, VecDeque},
sync::Arc,
};
pub struct PreSimulationState {
pub args: ScriptArgs,
pub script_config: ScriptConfig,
pub script_wallets: Wallets,
pub build_data: LinkedBuildData,
pub execution_data: ExecutionData,
pub execution_result: ScriptResult,
pub execution_artifacts: ExecutionArtifacts,
}
impl PreSimulationState {
pub async fn fill_metadata(self) -> Result<FilledTransactionsState> {
let address_to_abi = self.build_address_to_abi_map();
let mut transactions = self
.execution_result
.transactions
.clone()
.unwrap_or_default()
.into_iter()
.map(|tx| {
let rpc = tx.rpc.expect("missing broadcastable tx rpc url");
let sender = tx.transaction.from().expect("all transactions should have a sender");
let nonce = tx.transaction.nonce().expect("all transactions should have a sender");
let to = tx.transaction.to();
let mut builder = ScriptTransactionBuilder::new(tx.transaction, rpc);
if let Some(TxKind::Call(_)) = to {
builder.set_call(&address_to_abi, &self.execution_artifacts.decoder)?;
} else {
builder.set_create(false, sender.create(nonce), &address_to_abi)?;
}
Ok(builder.build())
})
.collect::<Result<VecDeque<_>>>()?;
if self.args.skip_simulation {
sh_println!("\nSKIPPING ON CHAIN SIMULATION.")?;
} else {
transactions = self.simulate_and_fill(transactions).await?;
}
Ok(FilledTransactionsState {
args: self.args,
script_config: self.script_config,
script_wallets: self.script_wallets,
build_data: self.build_data,
execution_artifacts: self.execution_artifacts,
transactions,
})
}
pub async fn simulate_and_fill(
&self,
transactions: VecDeque<TransactionWithMetadata>,
) -> Result<VecDeque<TransactionWithMetadata>> {
trace!(target: "script", "executing onchain simulation");
let runners = Arc::new(
self.build_runners()
.await?
.into_iter()
.map(|(rpc, runner)| (rpc, Arc::new(RwLock::new(runner))))
.collect::<HashMap<_, _>>(),
);
let mut final_txs = VecDeque::new();
let futs = transactions
.into_iter()
.map(|mut transaction| async {
let mut runner = runners.get(&transaction.rpc).expect("invalid rpc url").write();
let tx = transaction.tx_mut();
let to = if let Some(TxKind::Call(to)) = tx.to() { Some(to) } else { None };
let result = runner
.simulate(
tx.from()
.expect("transaction doesn't have a `from` address at execution time"),
to,
tx.input().map(Bytes::copy_from_slice),
tx.value(),
tx.authorization_list(),
)
.wrap_err("Internal EVM error during simulation")?;
if !result.success {
return Ok((None, false, result.traces));
}
if self.args.slow {
runner.executor.env_mut().block.number += U256::from(1);
}
let is_noop_tx = if let Some(to) = to {
runner.executor.is_empty_code(to)? && tx.value().unwrap_or_default().is_zero()
} else {
false
};
let transaction = ScriptTransactionBuilder::from(transaction)
.with_execution_result(&result, self.args.gas_estimate_multiplier)
.build();
eyre::Ok((Some(transaction), is_noop_tx, result.traces))
})
.collect::<Vec<_>>();
if self.script_config.evm_opts.verbosity > 3 {
sh_println!("==========================")?;
sh_println!("Simulated On-chain Traces:\n")?;
}
let mut abort = false;
for res in join_all(futs).await {
let (tx, is_noop_tx, mut traces) = res?;
if tx.is_none() || self.script_config.evm_opts.verbosity > 3 {
for (_, trace) in &mut traces {
decode_trace_arena(trace, &self.execution_artifacts.decoder).await?;
sh_println!("{}", render_trace_arena(trace))?;
}
}
if let Some(tx) = tx {
if is_noop_tx {
let to = tx.contract_address.unwrap();
sh_warn!(
"Script contains a transaction to {to} which does not contain any code."
)?;
if self.args.should_broadcast() &&
!self.args.non_interactive &&
!Confirm::new()
.with_prompt("Do you wish to continue?".to_string())
.interact()?
{
eyre::bail!("User canceled the script.");
}
}
final_txs.push_back(tx);
} else {
abort = true;
}
}
if abort {
eyre::bail!("Simulated execution failed.")
}
Ok(final_txs)
}
fn build_address_to_abi_map(&self) -> BTreeMap<Address, &ContractData> {
self.execution_artifacts
.decoder
.contracts
.iter()
.filter_map(move |(addr, contract_id)| {
if let Ok(Some((_, data))) =
self.build_data.known_contracts.find_by_name_or_identifier(contract_id)
{
return Some((*addr, data));
}
None
})
.collect()
}
async fn build_runners(&self) -> Result<Vec<(String, ScriptRunner)>> {
let rpcs = self.execution_artifacts.rpc_data.total_rpcs.clone();
let n = rpcs.len();
let s = if n != 1 { "s" } else { "" };
sh_println!("\n## Setting up {n} EVM{s}.")?;
let futs = rpcs.into_iter().map(|rpc| async move {
let mut script_config = self.script_config.clone();
script_config.evm_opts.fork_url = Some(rpc.clone());
let runner = script_config.get_runner().await?;
Ok((rpc.clone(), runner))
});
try_join_all(futs).await
}
}
pub struct FilledTransactionsState {
pub args: ScriptArgs,
pub script_config: ScriptConfig,
pub script_wallets: Wallets,
pub build_data: LinkedBuildData,
pub execution_artifacts: ExecutionArtifacts,
pub transactions: VecDeque<TransactionWithMetadata>,
}
impl FilledTransactionsState {
pub async fn bundle(self) -> Result<BundledState> {
let is_multi_deployment = self.execution_artifacts.rpc_data.total_rpcs.len() > 1;
if is_multi_deployment && !self.build_data.libraries.is_empty() {
eyre::bail!("Multi-chain deployment is not supported with libraries.");
}
let mut total_gas_per_rpc: HashMap<String, u128> = HashMap::default();
let mut new_sequence = VecDeque::new();
let mut manager = ProvidersManager::default();
let mut sequences = vec![];
let mut txes_iter = self.transactions.clone().into_iter().peekable();
while let Some(mut tx) = txes_iter.next() {
let tx_rpc = tx.rpc.to_owned();
let provider_info = manager.get_or_init_provider(&tx.rpc, self.args.legacy).await?;
if let Some(tx) = tx.tx_mut().as_unsigned_mut() {
tx.set_chain_id(provider_info.chain);
}
if !self.args.skip_simulation {
let tx = tx.tx_mut();
if has_different_gas_calc(provider_info.chain) {
if let Some(tx) = tx.as_unsigned_mut() {
trace!("estimating with different gas calculation");
let gas = tx.gas.expect("gas is set by simulation.");
if let Err(err) = estimate_gas(
tx,
&provider_info.provider,
self.args.gas_estimate_multiplier,
)
.await
{
trace!("gas estimation failed: {err}");
tx.set_gas_limit(gas);
}
}
}
let total_gas = total_gas_per_rpc.entry(tx_rpc.clone()).or_insert(0);
*total_gas += tx.gas().expect("gas is set");
}
new_sequence.push_back(tx);
if let Some(next_tx) = txes_iter.peek() {
if next_tx.rpc == tx_rpc {
continue;
}
}
let sequence =
self.create_sequence(is_multi_deployment, provider_info.chain, new_sequence)?;
sequences.push(sequence);
new_sequence = VecDeque::new();
}
if !self.args.skip_simulation {
for (rpc, total_gas) in total_gas_per_rpc {
let provider_info = manager.get(&rpc).expect("provider is set.");
let per_gas = if let Some(gas_price) = self.args.with_gas_price {
gas_price.to()
} else {
provider_info.gas_price()?
};
sh_println!("\n==========================")?;
sh_println!("\nChain {}", provider_info.chain)?;
sh_println!(
"\nEstimated gas price: {} gwei",
format_units(per_gas, 9)
.unwrap_or_else(|_| "[Could not calculate]".to_string())
.trim_end_matches('0')
.trim_end_matches('.')
)?;
sh_println!("\nEstimated total gas used for script: {total_gas}")?;
sh_println!(
"\nEstimated amount required: {} ETH",
format_units(total_gas.saturating_mul(per_gas), 18)
.unwrap_or_else(|_| "[Could not calculate]".to_string())
.trim_end_matches('0')
)?;
sh_println!("\n==========================")?;
}
}
let sequence = if sequences.len() == 1 {
ScriptSequenceKind::Single(sequences.pop().expect("empty sequences"))
} else {
ScriptSequenceKind::Multi(MultiChainSequence::new(
sequences,
&self.args.sig,
&self.build_data.build_data.target,
&self.script_config.config,
!self.args.broadcast,
)?)
};
Ok(BundledState {
args: self.args,
script_config: self.script_config,
script_wallets: self.script_wallets,
build_data: self.build_data,
sequence,
})
}
fn create_sequence(
&self,
multi: bool,
chain: u64,
transactions: VecDeque<TransactionWithMetadata>,
) -> Result<ScriptSequence> {
let paths = if multi {
None
} else {
Some(ScriptSequence::get_paths(
&self.script_config.config,
&self.args.sig,
&self.build_data.build_data.target,
chain,
!self.args.broadcast,
)?)
};
let commit = get_commit_hash(&self.script_config.config.root.0);
let libraries = self
.build_data
.libraries
.libs
.iter()
.flat_map(|(file, libs)| {
libs.iter()
.map(|(name, address)| format!("{}:{name}:{address}", file.to_string_lossy()))
})
.collect();
let sequence = ScriptSequence {
transactions,
returns: self.execution_artifacts.returns.clone(),
receipts: vec![],
pending: vec![],
paths,
timestamp: now().as_secs(),
libraries,
chain,
commit,
};
Ok(sequence)
}
}