Skip to content

Commit c1a9bb6

Browse files
committed
fix(vm.cool) Persist storage changes
1 parent 855d005 commit c1a9bb6

File tree

4 files changed

+606
-20
lines changed

4 files changed

+606
-20
lines changed

crates/cheatcodes/defs/src/vm.rs

+2-1
Original file line numberDiff line numberDiff line change
@@ -255,7 +255,8 @@ interface Vm {
255255
#[cheatcode(group = Evm, safety = Unsafe)]
256256
function store(address target, bytes32 slot, bytes32 value) external;
257257

258-
/// Marks the slots of an account and the account address as cold.
258+
/// Marks the `target` address cold, and is a no-op if the address is already cold.
259+
/// All storage slots are also made cold, but their values are preserved.
259260
#[cheatcode(group = Evm, safety = Unsafe)]
260261
function cool(address target) external;
261262

crates/cheatcodes/src/evm.rs

+8-7
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
11
//! Implementations of [`Evm`](crate::Group::Evm) cheatcodes.
22
3-
use crate::{Cheatcode, Cheatcodes, CheatsCtxt, Result, Vm::*};
3+
use crate::{inspector::AddressState, Cheatcode, Cheatcodes, CheatsCtxt, Result, Vm::*};
4+
45
use alloy_primitives::{Address, Bytes, U256};
56
use alloy_sol_types::SolValue;
67
use ethers_core::utils::{Genesis, GenesisAccount};
@@ -9,7 +10,7 @@ use foundry_common::fs::read_json_file;
910
use foundry_evm_core::backend::DatabaseExt;
1011
use foundry_utils::types::ToAlloy;
1112
use revm::{
12-
primitives::{Account, Bytecode, SpecId, KECCAK_EMPTY},
13+
primitives::{Account, Bytecode, HashMap as rHashMap, SpecId, KECCAK_EMPTY},
1314
EVMData,
1415
};
1516
use std::{collections::HashMap, path::Path};
@@ -302,11 +303,11 @@ impl Cheatcode for storeCall {
302303

303304
impl Cheatcode for coolCall {
304305
fn apply_full<DB: DatabaseExt>(&self, ccx: &mut CheatsCtxt<DB>) -> Result {
305-
let Self { target } = self;
306-
if let Some(account) = ccx.data.journaled_state.state.get_mut(target) {
307-
account.unmark_touch();
308-
account.storage.clear();
309-
}
306+
let Self { target } = *self;
307+
ensure_not_precompile!(&target, ccx);
308+
// TODO: prevent or warn about cooling the to/from address in a tx
309+
ccx.state.addresses.insert(target, AddressState::Cool);
310+
ccx.state.address_storage.insert(target, rHashMap::new());
310311
Ok(Default::default())
311312
}
312313
}

crates/cheatcodes/src/inspector.rs

+179-1
Original file line numberDiff line numberDiff line change
@@ -29,7 +29,7 @@ use foundry_utils::types::ToEthers;
2929
use itertools::Itertools;
3030
use revm::{
3131
interpreter::{opcode, CallInputs, CreateInputs, Gas, InstructionResult, Interpreter},
32-
primitives::{BlockEnv, CreateScheme, TransactTo},
32+
primitives::{BlockEnv, CreateScheme, HashMap as rHashMap, TransactTo},
3333
EVMData, Inspector,
3434
};
3535
use serde_json::Value;
@@ -200,6 +200,174 @@ pub struct Cheatcodes {
200200
/// Breakpoints supplied by the `breakpoint` cheatcode.
201201
/// `char -> (address, pc)`
202202
pub breakpoints: Breakpoints,
203+
204+
/// Track if cool cheatcode was called on each address
205+
pub addresses: rHashMap<Address, AddressState>,
206+
/// Track if an addresses storage slot is cool or not
207+
pub address_storage: rHashMap<Address, rHashMap<U256, StorageSlotState>>,
208+
/// How much gas to charge in the next step (op code) based on cool cheatcode calculations
209+
pub additional_gas_next_op: u64,
210+
}
211+
212+
/// Whether an Address is accessed or not
213+
#[derive(Clone, PartialEq, Debug)]
214+
pub enum AddressState {
215+
/// if already accessed, then charge WARM_STORAGE_READ_COST (100)
216+
Warm,
217+
/// charge COLD_ACCOUNT_ACCESS_COST (2600)
218+
Cool,
219+
}
220+
221+
/// Whether a Storage Slot is warm or already been modified
222+
#[derive(Clone, PartialEq, Debug)]
223+
pub enum StorageSlotState {
224+
/// charge extra based on SSTORE calculations
225+
WarmWithSLOAD,
226+
/// if SSTORE already happened, don't charge extra
227+
WarmWithSSTORE,
228+
/// same as if empty
229+
Cool,
230+
}
231+
232+
/// Function to charge extra gas per opcode based on cool cheatcode
233+
fn add_gas_from_cool_cheatcode<DB: DatabaseExt>(
234+
state: &mut Cheatcodes,
235+
interpreter: &mut Interpreter,
236+
data: &mut EVMData<'_, DB>,
237+
) -> InstructionResult {
238+
// For gas costs, see https://eips.ethereum.org/EIPS/eip-2200, https://eips.ethereum.org/EIPS/eip-2929
239+
240+
// if previous step added gas, add it once
241+
// note that all the opcodes will already have a cost (usually 100)
242+
// so adding until it hits the gas expected for a cold key/address
243+
if state.additional_gas_next_op > 0 {
244+
interpreter.gas.record_cost(state.additional_gas_next_op);
245+
state.additional_gas_next_op = 0;
246+
}
247+
248+
// if cool cheatcode was ever called on this address
249+
let contract_address = interpreter.contract().address;
250+
251+
if state.addresses.get(&contract_address).is_some() {
252+
if let Some(contract_storage) = state.address_storage.get_mut(&contract_address) {
253+
match interpreter.current_opcode() {
254+
// via AccessListTracer
255+
opcode::EXTCODECOPY |
256+
opcode::EXTCODEHASH |
257+
opcode::EXTCODESIZE |
258+
opcode::BALANCE |
259+
opcode::SELFDESTRUCT => {
260+
// address is first parameter
261+
if let Ok(slot) = interpreter.stack().peek(0) {
262+
let addr: Address = Address::from_word(slot.into());
263+
264+
// COLD_ACCOUNT_ACCESS_COST is 2600
265+
// check this is done once per address, unless cheatcode is called again
266+
// ignore if same as contract address
267+
if addr != contract_address &&
268+
state.addresses.get(&addr) == Some(&AddressState::Cool)
269+
{
270+
state.additional_gas_next_op = 2500;
271+
state.addresses.insert(addr, AddressState::Warm);
272+
}
273+
}
274+
}
275+
// via AccessListTracer
276+
opcode::DELEGATECALL | opcode::CALL | opcode::STATICCALL | opcode::CALLCODE => {
277+
// address is second parameter
278+
if let Ok(slot) = interpreter.stack().peek(1) {
279+
let addr: Address = Address::from_word(slot.into());
280+
281+
// COLD_ACCOUNT_ACCESS_COST is 2600
282+
// check this is done once per address, unless cheatcode is called again
283+
// ignore if same as contract address
284+
if addr != contract_address &&
285+
state.addresses.get(&addr) == Some(&AddressState::Cool)
286+
{
287+
state.additional_gas_next_op = 2500;
288+
state.addresses.insert(addr, AddressState::Warm);
289+
}
290+
}
291+
}
292+
opcode::SLOAD => {
293+
let key = try_or_continue!(interpreter.stack().peek(0));
294+
295+
let account = data.journaled_state.state().get(&contract_address).unwrap();
296+
if account.storage.get(&key).is_some() {
297+
match contract_storage.get(&key) {
298+
None | Some(StorageSlotState::Cool) => {
299+
// COLD_SLOAD_COST is 2100
300+
state.additional_gas_next_op = 2000;
301+
contract_storage.insert(key, StorageSlotState::WarmWithSLOAD);
302+
}
303+
Some(_) => {}
304+
}
305+
} else {
306+
contract_storage.insert(key, StorageSlotState::WarmWithSLOAD);
307+
}
308+
}
309+
opcode::SSTORE => {
310+
let key = try_or_continue!(interpreter.stack().peek(0));
311+
let val = try_or_continue!(interpreter.stack().peek(1));
312+
313+
let account = data.journaled_state.state().get(&contract_address).unwrap();
314+
if account.storage.get(&key).is_some() {
315+
// only add gas the first time the storage is touched again
316+
match contract_storage.get(&key) {
317+
Some(StorageSlotState::WarmWithSLOAD) => {
318+
// cool keeps the slot value changes
319+
// as if the previous_or_original_value = present_value`
320+
// so include the extra gas
321+
let slot = account.storage.get(&key).unwrap();
322+
if val != slot.present_value &&
323+
slot.present_value != slot.previous_or_original_value
324+
{
325+
if slot.present_value == U256::ZERO {
326+
// SSTORE_SET_GAS is 20000
327+
state.additional_gas_next_op += 20000 - 100
328+
} else {
329+
// SSTORE_RESET_GAS is 5000 - COLD_SLOAD_COST (2100)
330+
state.additional_gas_next_op += 2900 - 100
331+
}
332+
}
333+
334+
// set slot is_warm to true
335+
contract_storage.insert(key, StorageSlotState::WarmWithSSTORE);
336+
}
337+
None | Some(StorageSlotState::Cool) => {
338+
// Means SSTORE was called without SLOAD before
339+
// COLD_SLOAD_COST is 2100
340+
state.additional_gas_next_op = 2100;
341+
342+
// cool keeps the slot value changes
343+
// as if the previous_or_original_value = present_value`
344+
// so include the extra gas
345+
let slot = account.storage.get(&key).unwrap();
346+
if val != slot.present_value &&
347+
slot.present_value != slot.previous_or_original_value
348+
{
349+
if slot.present_value == U256::ZERO {
350+
// SSTORE_SET_GAS is 20000
351+
state.additional_gas_next_op += 20000 - 100
352+
} else {
353+
// SSTORE_RESET_GAS is 5000 - COLD_SLOAD_COST (2100)
354+
state.additional_gas_next_op += 2900 - 100
355+
}
356+
}
357+
contract_storage.insert(key, StorageSlotState::WarmWithSSTORE);
358+
}
359+
Some(StorageSlotState::WarmWithSSTORE) => {}
360+
}
361+
} else {
362+
contract_storage.insert(key, StorageSlotState::WarmWithSSTORE);
363+
}
364+
}
365+
_ => {}
366+
}
367+
}
368+
}
369+
370+
InstructionResult::Continue
203371
}
204372

205373
impl Cheatcodes {
@@ -523,6 +691,16 @@ impl<DB: DatabaseExt> Inspector<DB> for Cheatcodes {
523691
InstructionResult::Continue
524692
}
525693

694+
fn step_end(
695+
&mut self,
696+
interpreter: &mut Interpreter,
697+
data: &mut EVMData<'_, DB>,
698+
eval: InstructionResult,
699+
) -> InstructionResult {
700+
add_gas_from_cool_cheatcode(self, interpreter, data);
701+
eval
702+
}
703+
526704
fn log(&mut self, _: &mut EVMData<'_, DB>, address: &Address, topics: &[B256], data: &Bytes) {
527705
if !self.expected_emits.is_empty() {
528706
expect::handle_expect_emit(self, address, topics, data);

0 commit comments

Comments
 (0)