-
Notifications
You must be signed in to change notification settings - Fork 1.8k
/
utils.rs
335 lines (295 loc) · 12.6 KB
/
utils.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
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
pub use crate::ic::*;
use crate::{
backend::DatabaseExt, constants::get_create2_deployer, precompiles::ALPHANET_P256, InspectorExt,
};
use alloy_json_abi::{Function, JsonAbi};
use alloy_primitives::{Address, Selector, TxKind, U256};
use alloy_provider::{
network::{BlockResponse, HeaderResponse},
Network,
};
use alloy_rpc_types::{Transaction, TransactionRequest};
use foundry_config::NamedChain;
use foundry_fork_db::DatabaseError;
use revm::{
handler::register::EvmHandler,
interpreter::{
return_ok, CallInputs, CallOutcome, CallScheme, CallValue, CreateInputs, CreateOutcome,
Gas, InstructionResult, InterpreterResult,
},
primitives::{CreateScheme, EVMError, HandlerCfg, SpecId, KECCAK_EMPTY},
FrameOrResult, FrameResult,
};
use std::{cell::RefCell, rc::Rc, sync::Arc};
pub use revm::primitives::EvmState as StateChangeset;
/// Depending on the configured chain id and block number this should apply any specific changes
///
/// - checks for prevrandao mixhash after merge
/// - applies chain specifics: on Arbitrum `block.number` is the L1 block
///
/// Should be called with proper chain id (retrieved from provider if not provided).
pub fn apply_chain_and_block_specific_env_changes<N: Network>(
env: &mut revm::primitives::Env,
block: &N::BlockResponse,
) {
if let Ok(chain) = NamedChain::try_from(env.cfg.chain_id) {
let block_number = block.header().number();
match chain {
NamedChain::Mainnet => {
// after merge difficulty is supplanted with prevrandao EIP-4399
if block_number >= 15_537_351u64 {
env.block.difficulty = env.block.prevrandao.unwrap_or_default().into();
}
return;
}
NamedChain::Arbitrum |
NamedChain::ArbitrumGoerli |
NamedChain::ArbitrumNova |
NamedChain::ArbitrumTestnet => {
// on arbitrum `block.number` is the L1 block which is included in the
// `l1BlockNumber` field
if let Some(l1_block_number) = block
.other_fields()
.and_then(|other| other.get("l1BlockNumber").cloned())
.and_then(|l1_block_number| {
serde_json::from_value::<U256>(l1_block_number).ok()
})
{
env.block.number = l1_block_number;
}
}
_ => {}
}
}
// if difficulty is `0` we assume it's past merge
if block.header().difficulty().is_zero() {
env.block.difficulty = env.block.prevrandao.unwrap_or_default().into();
}
}
/// Given an ABI and selector, it tries to find the respective function.
pub fn get_function<'a>(
contract_name: &str,
selector: Selector,
abi: &'a JsonAbi,
) -> eyre::Result<&'a Function> {
abi.functions()
.find(|func| func.selector() == selector)
.ok_or_else(|| eyre::eyre!("{contract_name} does not have the selector {selector}"))
}
/// Configures the env for the given RPC transaction.
pub fn configure_tx_env(env: &mut revm::primitives::Env, tx: &Transaction) {
configure_tx_req_env(env, &tx.clone().into()).expect("cannot fail");
}
/// Configures the env for the given RPC transaction request.
pub fn configure_tx_req_env(
env: &mut revm::primitives::Env,
tx: &TransactionRequest,
) -> eyre::Result<()> {
let TransactionRequest {
nonce,
from,
to,
value,
gas_price,
gas,
max_fee_per_gas,
max_priority_fee_per_gas,
max_fee_per_blob_gas,
ref input,
chain_id,
ref blob_versioned_hashes,
ref access_list,
transaction_type: _,
ref authorization_list,
sidecar: _,
} = *tx;
// If no `to` field then set create kind: https://eips.ethereum.org/EIPS/eip-2470#deployment-transaction
env.tx.transact_to = to.unwrap_or(TxKind::Create);
env.tx.caller = from.ok_or_else(|| eyre::eyre!("missing `from` field"))?;
env.tx.gas_limit = gas.ok_or_else(|| eyre::eyre!("missing `gas` field"))?;
env.tx.nonce = nonce;
env.tx.value = value.unwrap_or_default();
env.tx.data = input.input().cloned().unwrap_or_default();
env.tx.chain_id = chain_id;
// Type 1, EIP-2930
env.tx.access_list = access_list.clone().unwrap_or_default().0.into_iter().collect();
// Type 2, EIP-1559
env.tx.gas_price = U256::from(gas_price.or(max_fee_per_gas).unwrap_or_default());
env.tx.gas_priority_fee = max_priority_fee_per_gas.map(U256::from);
// Type 3, EIP-4844
env.tx.blob_hashes = blob_versioned_hashes.clone().unwrap_or_default();
env.tx.max_fee_per_blob_gas = max_fee_per_blob_gas.map(U256::from);
// Type 4, EIP-7702
if let Some(authorization_list) = authorization_list {
env.tx.authorization_list =
Some(revm::primitives::AuthorizationList::Signed(authorization_list.clone()));
}
Ok(())
}
/// Get the gas used, accounting for refunds
pub fn gas_used(spec: SpecId, spent: u64, refunded: u64) -> u64 {
let refund_quotient = if SpecId::enabled(spec, SpecId::LONDON) { 5 } else { 2 };
spent - (refunded).min(spent / refund_quotient)
}
fn get_create2_factory_call_inputs(
salt: U256,
inputs: CreateInputs,
deployer: Address,
) -> CallInputs {
let calldata = [&salt.to_be_bytes::<32>()[..], &inputs.init_code[..]].concat();
CallInputs {
caller: inputs.caller,
bytecode_address: deployer,
target_address: deployer,
scheme: CallScheme::Call,
value: CallValue::Transfer(inputs.value),
input: calldata.into(),
gas_limit: inputs.gas_limit,
is_static: false,
return_memory_offset: 0..0,
is_eof: false,
}
}
/// Used for routing certain CREATE2 invocations through CREATE2_DEPLOYER.
///
/// Overrides create hook with CALL frame if [InspectorExt::should_use_create2_factory] returns
/// true. Keeps track of overridden frames and handles outcome in the overridden insert_call_outcome
/// hook by inserting decoded address directly into interpreter.
///
/// Should be installed after [revm::inspector_handle_register] and before any other registers.
pub fn create2_handler_register<I: InspectorExt>(
handler: &mut EvmHandler<'_, I, &mut dyn DatabaseExt>,
) {
let create2_overrides = Rc::<RefCell<Vec<_>>>::new(RefCell::new(Vec::new()));
let create2_overrides_inner = create2_overrides.clone();
let old_handle = handler.execution.create.clone();
handler.execution.create =
Arc::new(move |ctx, mut inputs| -> Result<FrameOrResult, EVMError<DatabaseError>> {
let CreateScheme::Create2 { salt } = inputs.scheme else {
return old_handle(ctx, inputs);
};
if !ctx.external.should_use_create2_factory(&mut ctx.evm, &mut inputs) {
return old_handle(ctx, inputs);
}
let gas_limit = inputs.gas_limit;
// Get CREATE2 deployer.
let create2_deployer = get_create2_deployer();
// Generate call inputs for CREATE2 factory.
let mut call_inputs = get_create2_factory_call_inputs(salt, *inputs, create2_deployer);
// Call inspector to change input or return outcome.
let outcome = ctx.external.call(&mut ctx.evm, &mut call_inputs);
// Push data about current override to the stack.
create2_overrides_inner
.borrow_mut()
.push((ctx.evm.journaled_state.depth(), call_inputs.clone()));
// Sanity check that CREATE2 deployer exists.
let code_hash = ctx.evm.load_account(create2_deployer)?.info.code_hash;
if code_hash == KECCAK_EMPTY {
return Ok(FrameOrResult::Result(FrameResult::Call(CallOutcome {
result: InterpreterResult {
result: InstructionResult::Revert,
output: "missing CREATE2 deployer".into(),
gas: Gas::new(gas_limit),
},
memory_offset: 0..0,
})))
}
// Handle potential inspector override.
if let Some(outcome) = outcome {
return Ok(FrameOrResult::Result(FrameResult::Call(outcome)));
}
// Create CALL frame for CREATE2 factory invocation.
let mut frame_or_result = ctx.evm.make_call_frame(&call_inputs);
if let Ok(FrameOrResult::Frame(frame)) = &mut frame_or_result {
ctx.external
.initialize_interp(&mut frame.frame_data_mut().interpreter, &mut ctx.evm)
}
frame_or_result
});
let create2_overrides_inner = create2_overrides;
let old_handle = handler.execution.insert_call_outcome.clone();
handler.execution.insert_call_outcome =
Arc::new(move |ctx, frame, shared_memory, mut outcome| {
// If we are on the depth of the latest override, handle the outcome.
if create2_overrides_inner
.borrow()
.last()
.map_or(false, |(depth, _)| *depth == ctx.evm.journaled_state.depth())
{
let (_, call_inputs) = create2_overrides_inner.borrow_mut().pop().unwrap();
outcome = ctx.external.call_end(&mut ctx.evm, &call_inputs, outcome);
// Decode address from output.
let address = match outcome.instruction_result() {
return_ok!() => Address::try_from(outcome.output().as_ref())
.map_err(|_| {
outcome.result = InterpreterResult {
result: InstructionResult::Revert,
output: "invalid CREATE2 factory output".into(),
gas: Gas::new(call_inputs.gas_limit),
};
})
.ok(),
_ => None,
};
frame
.frame_data_mut()
.interpreter
.insert_create_outcome(CreateOutcome { address, result: outcome.result });
Ok(())
} else {
old_handle(ctx, frame, shared_memory, outcome)
}
});
}
/// Adds Alphanet P256 precompile to the list of loaded precompiles.
pub fn alphanet_handler_register<EXT, DB: revm::Database>(handler: &mut EvmHandler<'_, EXT, DB>) {
let prev = handler.pre_execution.load_precompiles.clone();
handler.pre_execution.load_precompiles = Arc::new(move || {
let mut loaded_precompiles = prev();
loaded_precompiles.extend([ALPHANET_P256]);
loaded_precompiles
});
}
/// Creates a new EVM with the given inspector.
pub fn new_evm_with_inspector<'evm, 'i, 'db, I: InspectorExt + ?Sized>(
db: &'db mut dyn DatabaseExt,
env: revm::primitives::EnvWithHandlerCfg,
inspector: &'i mut I,
) -> revm::Evm<'evm, &'i mut I, &'db mut dyn DatabaseExt> {
let revm::primitives::EnvWithHandlerCfg { env, handler_cfg } = env;
// NOTE: We could use `revm::Evm::builder()` here, but on the current patch it has some
// performance issues.
/*
revm::Evm::builder()
.with_db(db)
.with_env(env)
.with_external_context(inspector)
.with_handler_cfg(handler_cfg)
.append_handler_register(revm::inspector_handle_register)
.append_handler_register(create2_handler_register)
.build()
*/
let mut handler = revm::Handler::new(handler_cfg);
handler.append_handler_register_plain(revm::inspector_handle_register);
if inspector.is_alphanet() {
handler.append_handler_register_plain(alphanet_handler_register);
}
handler.append_handler_register_plain(create2_handler_register);
let context = revm::Context::new(revm::EvmContext::new_with_env(db, env), inspector);
revm::Evm::new(context, handler)
}
pub fn new_evm_with_existing_context<'a>(
inner: revm::InnerEvmContext<&'a mut dyn DatabaseExt>,
inspector: &'a mut dyn InspectorExt,
) -> revm::Evm<'a, &'a mut dyn InspectorExt, &'a mut dyn DatabaseExt> {
let handler_cfg = HandlerCfg::new(inner.spec_id());
let mut handler = revm::Handler::new(handler_cfg);
handler.append_handler_register_plain(revm::inspector_handle_register);
if inspector.is_alphanet() {
handler.append_handler_register_plain(alphanet_handler_register);
}
handler.append_handler_register_plain(create2_handler_register);
let context =
revm::Context::new(revm::EvmContext { inner, precompiles: Default::default() }, inspector);
revm::Evm::new(context, handler)
}