example_uniswap_get_reserves/main.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
//! Example of uniswap getReserves() call emulation.
#![cfg_attr(not(test), warn(unused_crate_dependencies))]
use alloy_eips::BlockId;
use alloy_provider::ProviderBuilder;
use alloy_sol_types::sol;
use alloy_sol_types::SolCall;
use database::{AlloyDB, CacheDB};
use revm::database_interface::WrapDatabaseAsync;
use revm::{
database_interface::DatabaseRef,
database_interface::EmptyDB,
primitives::{address, TxKind, U256},
wiring::{
result::{ExecutionResult, Output},
EthereumWiring,
},
Evm,
};
#[tokio::main]
async fn main() -> anyhow::Result<()> {
// Set up the HTTP transport which is consumed by the RPC client.
let rpc_url = "https://mainnet.infura.io/v3/c60b0bb42f8a4c6481ecd229eddaca27".parse()?;
// create ethers client and wrap it in Arc<M>
let client = ProviderBuilder::new().on_http(rpc_url);
let client = WrapDatabaseAsync::new(AlloyDB::new(client, BlockId::latest())).unwrap();
// ----------------------------------------------------------- //
// Storage slots of UniV2Pair contract //
// =========================================================== //
// storage[5] = factory: address //
// storage[6] = token0: address //
// storage[7] = token1: address //
// storage[8] = (res0, res1, ts): (uint112, uint112, uint32) //
// storage[9] = price0CumulativeLast: uint256 //
// storage[10] = price1CumulativeLast: uint256 //
// storage[11] = kLast: uint256 //
// =========================================================== //
// choose slot of storage that you would like to transact with
let slot = U256::from(8);
// ETH/USDT pair on Uniswap V2
let pool_address = address!("0d4a11d5EEaaC28EC3F61d100daF4d40471f1852");
// generate abi for the calldata from the human readable interface
sol! {
function getReserves() external view returns (uint112 reserve0, uint112 reserve1, uint32 blockTimestampLast);
}
// encode abi into Bytes
let encoded = getReservesCall::new(()).abi_encode();
// query basic properties of an account incl bytecode
let acc_info = client.basic_ref(pool_address).unwrap().unwrap();
// query value of storage slot at account address
let value = client.storage_ref(pool_address, slot).unwrap();
// initialise empty in-memory-db
let mut cache_db = CacheDB::new(EmptyDB::default());
// insert basic account info which was generated via Web3DB with the corresponding address
cache_db.insert_account_info(pool_address, acc_info);
// insert our pre-loaded storage slot to the corresponding contract key (address) in the DB
cache_db
.insert_account_storage(pool_address, slot, value)
.unwrap();
// initialise an empty (default) EVM
let mut evm = Evm::<EthereumWiring<CacheDB<EmptyDB>, ()>>::builder()
.with_db(cache_db)
.with_default_ext_ctx()
.modify_tx_env(|tx| {
// fill in missing bits of env struct
// change that to whatever caller you want to be
tx.caller = address!("0000000000000000000000000000000000000000");
// account you want to transact with
tx.transact_to = TxKind::Call(pool_address);
// calldata formed via abigen
tx.data = encoded.into();
// transaction value in wei
tx.value = U256::from(0);
})
.build();
// execute transaction without writing to the DB
let ref_tx = evm.transact().unwrap();
// select ExecutionResult struct
let result = ref_tx.result;
// unpack output call enum into raw bytes
let value = match result {
ExecutionResult::Success {
output: Output::Call(value),
..
} => value,
_ => panic!("Execution failed: {result:?}"),
};
// decode bytes to reserves + ts via alloy's abi decode
let return_vals = getReservesCall::abi_decode_returns(&value, true)?;
// Print emulated getReserves() call output
println!("Reserve0: {:#?}", return_vals.reserve0);
println!("Reserve1: {:#?}", return_vals.reserve1);
println!("Timestamp: {:#?}", return_vals.blockTimestampLast);
Ok(())
}