foundry_cheatcodes/
script.rs

1//! Implementations of [`Scripting`](spec::Group::Scripting) cheatcodes.
2
3use crate::{Cheatcode, CheatsCtxt, Result, Vm::*};
4use alloy_primitives::{Address, Uint, B256, U256};
5use alloy_rpc_types::Authorization;
6use alloy_signer::SignerSync;
7use alloy_signer_local::PrivateKeySigner;
8use alloy_sol_types::SolValue;
9use foundry_wallets::{multi_wallet::MultiWallet, WalletSigner};
10use parking_lot::Mutex;
11use revm::primitives::{Bytecode, SignedAuthorization};
12use std::sync::Arc;
13
14impl Cheatcode for broadcast_0Call {
15    fn apply_stateful(&self, ccx: &mut CheatsCtxt) -> Result {
16        let Self {} = self;
17        broadcast(ccx, None, true)
18    }
19}
20
21impl Cheatcode for broadcast_1Call {
22    fn apply_stateful(&self, ccx: &mut CheatsCtxt) -> Result {
23        let Self { signer } = self;
24        broadcast(ccx, Some(signer), true)
25    }
26}
27
28impl Cheatcode for broadcast_2Call {
29    fn apply_stateful(&self, ccx: &mut CheatsCtxt) -> Result {
30        let Self { privateKey } = self;
31        broadcast_key(ccx, privateKey, true)
32    }
33}
34
35impl Cheatcode for attachDelegationCall {
36    fn apply_stateful(&self, ccx: &mut CheatsCtxt) -> Result {
37        let Self { signedDelegation } = self;
38        let SignedDelegation { v, r, s, nonce, implementation } = signedDelegation;
39
40        let auth = Authorization {
41            address: *implementation,
42            nonce: *nonce,
43            chain_id: U256::from(ccx.ecx.env.cfg.chain_id),
44        };
45        let signed_auth = SignedAuthorization::new_unchecked(
46            auth,
47            *v,
48            U256::from_be_bytes(r.0),
49            U256::from_be_bytes(s.0),
50        );
51        write_delegation(ccx, signed_auth.clone())?;
52        ccx.state.active_delegation = Some(signed_auth);
53        Ok(Default::default())
54    }
55}
56
57impl Cheatcode for signDelegation_0Call {
58    fn apply_stateful(&self, ccx: &mut CheatsCtxt) -> Result {
59        let Self { implementation, privateKey } = *self;
60        sign_delegation(ccx, privateKey, implementation, None, false)
61    }
62}
63
64impl Cheatcode for signDelegation_1Call {
65    fn apply_stateful(&self, ccx: &mut CheatsCtxt) -> Result {
66        let Self { implementation, privateKey, nonce } = *self;
67        sign_delegation(ccx, privateKey, implementation, Some(nonce), false)
68    }
69}
70
71impl Cheatcode for signAndAttachDelegation_0Call {
72    fn apply_stateful(&self, ccx: &mut CheatsCtxt) -> Result {
73        let Self { implementation, privateKey } = *self;
74        sign_delegation(ccx, privateKey, implementation, None, true)
75    }
76}
77
78impl Cheatcode for signAndAttachDelegation_1Call {
79    fn apply_stateful(&self, ccx: &mut CheatsCtxt) -> Result {
80        let Self { implementation, privateKey, nonce } = *self;
81        sign_delegation(ccx, privateKey, implementation, Some(nonce), true)
82    }
83}
84
85/// Helper function to sign and attach (if needed) an EIP-7702 delegation.
86/// Uses the provided nonce, otherwise retrieves and increments the nonce of the EOA.
87fn sign_delegation(
88    ccx: &mut CheatsCtxt,
89    private_key: Uint<256, 4>,
90    implementation: Address,
91    nonce: Option<u64>,
92    attach: bool,
93) -> Result<Vec<u8>> {
94    let signer = PrivateKeySigner::from_bytes(&B256::from(private_key))?;
95    let nonce = if let Some(nonce) = nonce {
96        nonce
97    } else {
98        let authority_acc =
99            ccx.ecx.journaled_state.load_account(signer.address(), &mut ccx.ecx.db)?;
100        authority_acc.data.info.nonce
101    };
102    let auth = Authorization {
103        address: implementation,
104        nonce,
105        chain_id: U256::from(ccx.ecx.env.cfg.chain_id),
106    };
107    let sig = signer.sign_hash_sync(&auth.signature_hash())?;
108    // Attach delegation.
109    if attach {
110        let signed_auth = SignedAuthorization::new_unchecked(auth, sig.v() as u8, sig.r(), sig.s());
111        write_delegation(ccx, signed_auth.clone())?;
112        ccx.state.active_delegation = Some(signed_auth);
113    }
114    Ok(SignedDelegation {
115        v: sig.v() as u8,
116        r: sig.r().into(),
117        s: sig.s().into(),
118        nonce,
119        implementation,
120    }
121    .abi_encode())
122}
123
124fn write_delegation(ccx: &mut CheatsCtxt, auth: SignedAuthorization) -> Result<()> {
125    let authority = auth.recover_authority().map_err(|e| format!("{e}"))?;
126    let authority_acc = ccx.ecx.journaled_state.load_account(authority, &mut ccx.ecx.db)?;
127    if authority_acc.data.info.nonce != auth.nonce {
128        return Err("invalid nonce".into());
129    }
130    authority_acc.data.info.nonce += 1;
131    let bytecode = Bytecode::new_eip7702(*auth.address());
132    ccx.ecx.journaled_state.set_code(authority, bytecode);
133    Ok(())
134}
135
136impl Cheatcode for startBroadcast_0Call {
137    fn apply_stateful(&self, ccx: &mut CheatsCtxt) -> Result {
138        let Self {} = self;
139        broadcast(ccx, None, false)
140    }
141}
142
143impl Cheatcode for startBroadcast_1Call {
144    fn apply_stateful(&self, ccx: &mut CheatsCtxt) -> Result {
145        let Self { signer } = self;
146        broadcast(ccx, Some(signer), false)
147    }
148}
149
150impl Cheatcode for startBroadcast_2Call {
151    fn apply_stateful(&self, ccx: &mut CheatsCtxt) -> Result {
152        let Self { privateKey } = self;
153        broadcast_key(ccx, privateKey, false)
154    }
155}
156
157impl Cheatcode for stopBroadcastCall {
158    fn apply_stateful(&self, ccx: &mut CheatsCtxt) -> Result {
159        let Self {} = self;
160        let Some(broadcast) = ccx.state.broadcast.take() else {
161            bail!("no broadcast in progress to stop");
162        };
163        debug!(target: "cheatcodes", ?broadcast, "stopped");
164        Ok(Default::default())
165    }
166}
167
168impl Cheatcode for getWalletsCall {
169    fn apply_stateful(&self, ccx: &mut CheatsCtxt) -> Result {
170        let wallets = ccx.state.wallets().signers().unwrap_or_default();
171        Ok(wallets.abi_encode())
172    }
173}
174
175#[derive(Clone, Debug, Default)]
176pub struct Broadcast {
177    /// Address of the transaction origin
178    pub new_origin: Address,
179    /// Original caller
180    pub original_caller: Address,
181    /// Original `tx.origin`
182    pub original_origin: Address,
183    /// Depth of the broadcast
184    pub depth: u64,
185    /// Whether the prank stops by itself after the next call
186    pub single_call: bool,
187}
188
189/// Contains context for wallet management.
190#[derive(Debug)]
191pub struct WalletsInner {
192    /// All signers in scope of the script.
193    pub multi_wallet: MultiWallet,
194    /// Optional signer provided as `--sender` flag.
195    pub provided_sender: Option<Address>,
196}
197
198/// Clonable wrapper around [`WalletsInner`].
199#[derive(Debug, Clone)]
200pub struct Wallets {
201    /// Inner data.
202    pub inner: Arc<Mutex<WalletsInner>>,
203}
204
205impl Wallets {
206    #[expect(missing_docs)]
207    pub fn new(multi_wallet: MultiWallet, provided_sender: Option<Address>) -> Self {
208        Self { inner: Arc::new(Mutex::new(WalletsInner { multi_wallet, provided_sender })) }
209    }
210
211    /// Consumes [Wallets] and returns [MultiWallet].
212    ///
213    /// Panics if [Wallets] is still in use.
214    pub fn into_multi_wallet(self) -> MultiWallet {
215        Arc::into_inner(self.inner)
216            .map(|m| m.into_inner().multi_wallet)
217            .unwrap_or_else(|| panic!("not all instances were dropped"))
218    }
219
220    /// Locks inner Mutex and adds a signer to the [MultiWallet].
221    pub fn add_private_key(&self, private_key: &B256) -> Result<()> {
222        self.add_local_signer(PrivateKeySigner::from_bytes(private_key)?);
223        Ok(())
224    }
225
226    /// Locks inner Mutex and adds a signer to the [MultiWallet].
227    pub fn add_local_signer(&self, wallet: PrivateKeySigner) {
228        self.inner.lock().multi_wallet.add_signer(WalletSigner::Local(wallet));
229    }
230
231    /// Locks inner Mutex and returns all signer addresses in the [MultiWallet].
232    pub fn signers(&self) -> Result<Vec<Address>> {
233        Ok(self.inner.lock().multi_wallet.signers()?.keys().cloned().collect())
234    }
235
236    /// Number of signers in the [MultiWallet].
237    pub fn len(&self) -> usize {
238        let mut inner = self.inner.lock();
239        let signers = inner.multi_wallet.signers();
240        if signers.is_err() {
241            return 0;
242        }
243        signers.unwrap().len()
244    }
245
246    /// Whether the [MultiWallet] is empty.
247    pub fn is_empty(&self) -> bool {
248        self.len() == 0
249    }
250}
251
252/// Sets up broadcasting from a script using `new_origin` as the sender.
253fn broadcast(ccx: &mut CheatsCtxt, new_origin: Option<&Address>, single_call: bool) -> Result {
254    let depth = ccx.ecx.journaled_state.depth();
255    ensure!(
256        ccx.state.get_prank(depth).is_none(),
257        "you have an active prank; broadcasting and pranks are not compatible"
258    );
259    ensure!(ccx.state.broadcast.is_none(), "a broadcast is active already");
260
261    let mut new_origin = new_origin.cloned();
262
263    if new_origin.is_none() {
264        let mut wallets = ccx.state.wallets().inner.lock();
265        if let Some(provided_sender) = wallets.provided_sender {
266            new_origin = Some(provided_sender);
267        } else {
268            let signers = wallets.multi_wallet.signers()?;
269            if signers.len() == 1 {
270                let address = signers.keys().next().unwrap();
271                new_origin = Some(*address);
272            }
273        }
274    }
275
276    let broadcast = Broadcast {
277        new_origin: new_origin.unwrap_or(ccx.ecx.env.tx.caller),
278        original_caller: ccx.caller,
279        original_origin: ccx.ecx.env.tx.caller,
280        depth,
281        single_call,
282    };
283    debug!(target: "cheatcodes", ?broadcast, "started");
284    ccx.state.broadcast = Some(broadcast);
285    Ok(Default::default())
286}
287
288/// Sets up broadcasting from a script with the sender derived from `private_key`.
289/// Adds this private key to `state`'s `wallets` vector to later be used for signing
290/// if broadcast is successful.
291fn broadcast_key(ccx: &mut CheatsCtxt, private_key: &U256, single_call: bool) -> Result {
292    let wallet = super::crypto::parse_wallet(private_key)?;
293    let new_origin = wallet.address();
294
295    let result = broadcast(ccx, Some(&new_origin), single_call);
296    if result.is_ok() {
297        let wallets = ccx.state.wallets();
298        wallets.add_local_signer(wallet);
299    }
300    result
301}