foundry_cheatcodes_spec/vm.rs
1// We don't document function parameters individually so we can't enable `missing_docs` for this
2// module. Instead, we emit custom diagnostics in `#[derive(Cheatcode)]`.
3#![allow(missing_docs)]
4
5use super::*;
6use crate::Vm::ForgeContext;
7use alloy_sol_types::sol;
8use foundry_macros::Cheatcode;
9
10sol! {
11// Cheatcodes are marked as view/pure/none using the following rules:
12// 0. A call's observable behaviour includes its return value, logs, reverts and state writes,
13// 1. If you can influence a later call's observable behaviour, you're neither `view` nor `pure`
14// (you are modifying some state be it the EVM, interpreter, filesystem, etc),
15// 2. Otherwise if you can be influenced by an earlier call, or if reading some state, you're `view`,
16// 3. Otherwise you're `pure`.
17
18/// Foundry cheatcodes interface.
19#[derive(Debug, Cheatcode)] // Keep this list small to avoid unnecessary bloat.
20#[sol(abi)]
21interface Vm {
22 // ======== Types ========
23
24 /// Error thrown by cheatcodes.
25 error CheatcodeError(string message);
26
27 /// A modification applied to either `msg.sender` or `tx.origin`. Returned by `readCallers`.
28 enum CallerMode {
29 /// No caller modification is currently active.
30 None,
31 /// A one time broadcast triggered by a `vm.broadcast()` call is currently active.
32 Broadcast,
33 /// A recurrent broadcast triggered by a `vm.startBroadcast()` call is currently active.
34 RecurrentBroadcast,
35 /// A one time prank triggered by a `vm.prank()` call is currently active.
36 Prank,
37 /// A recurrent prank triggered by a `vm.startPrank()` call is currently active.
38 RecurrentPrank,
39 }
40
41 /// The kind of account access that occurred.
42 enum AccountAccessKind {
43 /// The account was called.
44 Call,
45 /// The account was called via delegatecall.
46 DelegateCall,
47 /// The account was called via callcode.
48 CallCode,
49 /// The account was called via staticcall.
50 StaticCall,
51 /// The account was created.
52 Create,
53 /// The account was selfdestructed.
54 SelfDestruct,
55 /// Synthetic access indicating the current context has resumed after a previous sub-context (AccountAccess).
56 Resume,
57 /// The account's balance was read.
58 Balance,
59 /// The account's codesize was read.
60 Extcodesize,
61 /// The account's codehash was read.
62 Extcodehash,
63 /// The account's code was copied.
64 Extcodecopy,
65 }
66
67 /// Forge execution contexts.
68 enum ForgeContext {
69 /// Test group execution context (test, coverage or snapshot).
70 TestGroup,
71 /// `forge test` execution context.
72 Test,
73 /// `forge coverage` execution context.
74 Coverage,
75 /// `forge snapshot` execution context.
76 Snapshot,
77 /// Script group execution context (dry run, broadcast or resume).
78 ScriptGroup,
79 /// `forge script` execution context.
80 ScriptDryRun,
81 /// `forge script --broadcast` execution context.
82 ScriptBroadcast,
83 /// `forge script --resume` execution context.
84 ScriptResume,
85 /// Unknown `forge` execution context.
86 Unknown,
87 }
88
89 /// An Ethereum log. Returned by `getRecordedLogs`.
90 struct Log {
91 /// The topics of the log, including the signature, if any.
92 bytes32[] topics;
93 /// The raw data of the log.
94 bytes data;
95 /// The address of the log's emitter.
96 address emitter;
97 }
98
99 /// Gas used. Returned by `lastCallGas`.
100 struct Gas {
101 /// The gas limit of the call.
102 uint64 gasLimit;
103 /// The total gas used.
104 uint64 gasTotalUsed;
105 /// DEPRECATED: The amount of gas used for memory expansion. Ref: <https://github.com/foundry-rs/foundry/pull/7934#pullrequestreview-2069236939>
106 uint64 gasMemoryUsed;
107 /// The amount of gas refunded.
108 int64 gasRefunded;
109 /// The amount of gas remaining.
110 uint64 gasRemaining;
111 }
112
113 /// An RPC URL and its alias. Returned by `rpcUrlStructs`.
114 struct Rpc {
115 /// The alias of the RPC URL.
116 string key;
117 /// The RPC URL.
118 string url;
119 }
120
121 /// An RPC log object. Returned by `eth_getLogs`.
122 struct EthGetLogs {
123 /// The address of the log's emitter.
124 address emitter;
125 /// The topics of the log, including the signature, if any.
126 bytes32[] topics;
127 /// The raw data of the log.
128 bytes data;
129 /// The block hash.
130 bytes32 blockHash;
131 /// The block number.
132 uint64 blockNumber;
133 /// The transaction hash.
134 bytes32 transactionHash;
135 /// The transaction index in the block.
136 uint64 transactionIndex;
137 /// The log index.
138 uint256 logIndex;
139 /// Whether the log was removed.
140 bool removed;
141 }
142
143 /// A single entry in a directory listing. Returned by `readDir`.
144 struct DirEntry {
145 /// The error message, if any.
146 string errorMessage;
147 /// The path of the entry.
148 string path;
149 /// The depth of the entry.
150 uint64 depth;
151 /// Whether the entry is a directory.
152 bool isDir;
153 /// Whether the entry is a symlink.
154 bool isSymlink;
155 }
156
157 /// Metadata information about a file.
158 ///
159 /// This structure is returned from the `fsMetadata` function and represents known
160 /// metadata about a file such as its permissions, size, modification
161 /// times, etc.
162 struct FsMetadata {
163 /// True if this metadata is for a directory.
164 bool isDir;
165 /// True if this metadata is for a symlink.
166 bool isSymlink;
167 /// The size of the file, in bytes, this metadata is for.
168 uint256 length;
169 /// True if this metadata is for a readonly (unwritable) file.
170 bool readOnly;
171 /// The last modification time listed in this metadata.
172 uint256 modified;
173 /// The last access time of this metadata.
174 uint256 accessed;
175 /// The creation time listed in this metadata.
176 uint256 created;
177 }
178
179 /// A wallet with a public and private key.
180 struct Wallet {
181 /// The wallet's address.
182 address addr;
183 /// The wallet's public key `X`.
184 uint256 publicKeyX;
185 /// The wallet's public key `Y`.
186 uint256 publicKeyY;
187 /// The wallet's private key.
188 uint256 privateKey;
189 }
190
191 /// The result of a `tryFfi` call.
192 struct FfiResult {
193 /// The exit code of the call.
194 int32 exitCode;
195 /// The optionally hex-decoded `stdout` data.
196 bytes stdout;
197 /// The `stderr` data.
198 bytes stderr;
199 }
200
201 /// Information on the chain and fork.
202 struct ChainInfo {
203 /// The fork identifier. Set to zero if no fork is active.
204 uint256 forkId;
205 /// The chain ID of the current fork.
206 uint256 chainId;
207 }
208
209 /// Information about a blockchain.
210 struct Chain {
211 /// The chain name.
212 string name;
213 /// The chain's Chain ID.
214 uint256 chainId;
215 /// The chain's alias. (i.e. what gets specified in `foundry.toml`).
216 string chainAlias;
217 /// A default RPC endpoint for this chain.
218 string rpcUrl;
219 }
220
221 /// The storage accessed during an `AccountAccess`.
222 struct StorageAccess {
223 /// The account whose storage was accessed.
224 address account;
225 /// The slot that was accessed.
226 bytes32 slot;
227 /// If the access was a write.
228 bool isWrite;
229 /// The previous value of the slot.
230 bytes32 previousValue;
231 /// The new value of the slot.
232 bytes32 newValue;
233 /// If the access was reverted.
234 bool reverted;
235 }
236
237 /// An EIP-2930 access list item.
238 struct AccessListItem {
239 /// The address to be added in access list.
240 address target;
241 /// The storage keys to be added in access list.
242 bytes32[] storageKeys;
243 }
244
245 /// The result of a `stopAndReturnStateDiff` call.
246 struct AccountAccess {
247 /// The chain and fork the access occurred.
248 ChainInfo chainInfo;
249 /// The kind of account access that determines what the account is.
250 /// If kind is Call, DelegateCall, StaticCall or CallCode, then the account is the callee.
251 /// If kind is Create, then the account is the newly created account.
252 /// If kind is SelfDestruct, then the account is the selfdestruct recipient.
253 /// If kind is a Resume, then account represents a account context that has resumed.
254 AccountAccessKind kind;
255 /// The account that was accessed.
256 /// It's either the account created, callee or a selfdestruct recipient for CREATE, CALL or SELFDESTRUCT.
257 address account;
258 /// What accessed the account.
259 address accessor;
260 /// If the account was initialized or empty prior to the access.
261 /// An account is considered initialized if it has code, a
262 /// non-zero nonce, or a non-zero balance.
263 bool initialized;
264 /// The previous balance of the accessed account.
265 uint256 oldBalance;
266 /// The potential new balance of the accessed account.
267 /// That is, all balance changes are recorded here, even if reverts occurred.
268 uint256 newBalance;
269 /// Code of the account deployed by CREATE.
270 bytes deployedCode;
271 /// Value passed along with the account access
272 uint256 value;
273 /// Input data provided to the CREATE or CALL
274 bytes data;
275 /// If this access reverted in either the current or parent context.
276 bool reverted;
277 /// An ordered list of storage accesses made during an account access operation.
278 StorageAccess[] storageAccesses;
279 /// Call depth traversed during the recording of state differences
280 uint64 depth;
281 /// The previous nonce of the accessed account.
282 uint64 oldNonce;
283 /// The new nonce of the accessed account.
284 uint64 newNonce;
285 }
286
287 /// The result of the `stopDebugTraceRecording` call
288 struct DebugStep {
289 /// The stack before executing the step of the run.
290 /// stack\[0\] represents the top of the stack.
291 /// and only stack data relevant to the opcode execution is contained.
292 uint256[] stack;
293 /// The memory input data before executing the step of the run.
294 /// only input data relevant to the opcode execution is contained.
295 ///
296 /// e.g. for MLOAD, it will have memory\[offset:offset+32\] copied here.
297 /// the offset value can be get by the stack data.
298 bytes memoryInput;
299 /// The opcode that was accessed.
300 uint8 opcode;
301 /// The call depth of the step.
302 uint64 depth;
303 /// Whether the call end up with out of gas error.
304 bool isOutOfGas;
305 /// The contract address where the opcode is running
306 address contractAddr;
307 }
308
309 /// The transaction type (`txType`) of the broadcast.
310 enum BroadcastTxType {
311 /// Represents a CALL broadcast tx.
312 Call,
313 /// Represents a CREATE broadcast tx.
314 Create,
315 /// Represents a CREATE2 broadcast tx.
316 Create2
317 }
318
319 /// Represents a transaction's broadcast details.
320 struct BroadcastTxSummary {
321 /// The hash of the transaction that was broadcasted
322 bytes32 txHash;
323 /// Represent the type of transaction among CALL, CREATE, CREATE2
324 BroadcastTxType txType;
325 /// The address of the contract that was called or created.
326 /// This is address of the contract that is created if the txType is CREATE or CREATE2.
327 address contractAddress;
328 /// The block number the transaction landed in.
329 uint64 blockNumber;
330 /// Status of the transaction, retrieved from the transaction receipt.
331 bool success;
332 }
333
334 /// Holds a signed EIP-7702 authorization for an authority account to delegate to an implementation.
335 struct SignedDelegation {
336 /// The y-parity of the recovered secp256k1 signature (0 or 1).
337 uint8 v;
338 /// First 32 bytes of the signature.
339 bytes32 r;
340 /// Second 32 bytes of the signature.
341 bytes32 s;
342 /// The current nonce of the authority account at signing time.
343 /// Used to ensure signature can't be replayed after account nonce changes.
344 uint64 nonce;
345 /// Address of the contract implementation that will be delegated to.
346 /// Gets encoded into delegation code: 0xef0100 || implementation.
347 address implementation;
348 }
349
350 /// Represents a "potential" revert reason from a single subsequent call when using `vm.assumeNoReverts`.
351 /// Reverts that match will result in a FOUNDRY::ASSUME rejection, whereas unmatched reverts will be surfaced
352 /// as normal.
353 struct PotentialRevert {
354 /// The allowed origin of the revert opcode; address(0) allows reverts from any address
355 address reverter;
356 /// When true, only matches on the beginning of the revert data, otherwise, matches on entire revert data
357 bool partialMatch;
358 /// The data to use to match encountered reverts
359 bytes revertData;
360 }
361
362 // ======== EVM ========
363
364 /// Gets the address for a given private key.
365 #[cheatcode(group = Evm, safety = Safe)]
366 function addr(uint256 privateKey) external pure returns (address keyAddr);
367
368 /// Dump a genesis JSON file's `allocs` to disk.
369 #[cheatcode(group = Evm, safety = Unsafe)]
370 function dumpState(string calldata pathToStateJson) external;
371
372 /// Gets the nonce of an account.
373 #[cheatcode(group = Evm, safety = Safe)]
374 function getNonce(address account) external view returns (uint64 nonce);
375
376 /// Get the nonce of a `Wallet`.
377 #[cheatcode(group = Evm, safety = Safe)]
378 function getNonce(Wallet calldata wallet) external view returns (uint64 nonce);
379
380 /// Loads a storage slot from an address.
381 #[cheatcode(group = Evm, safety = Safe)]
382 function load(address target, bytes32 slot) external view returns (bytes32 data);
383
384 /// Load a genesis JSON file's `allocs` into the in-memory EVM state.
385 #[cheatcode(group = Evm, safety = Unsafe)]
386 function loadAllocs(string calldata pathToAllocsJson) external;
387
388 // -------- Record Debug Traces --------
389
390 /// Records the debug trace during the run.
391 #[cheatcode(group = Evm, safety = Safe)]
392 function startDebugTraceRecording() external;
393
394 /// Stop debug trace recording and returns the recorded debug trace.
395 #[cheatcode(group = Evm, safety = Safe)]
396 function stopAndReturnDebugTraceRecording() external returns (DebugStep[] memory step);
397
398
399 /// Clones a source account code, state, balance and nonce to a target account and updates in-memory EVM state.
400 #[cheatcode(group = Evm, safety = Unsafe)]
401 function cloneAccount(address source, address target) external;
402
403 // -------- Record Storage --------
404
405 /// Records all storage reads and writes. Use `accesses` to get the recorded data.
406 /// Subsequent calls to `record` will clear the previous data.
407 #[cheatcode(group = Evm, safety = Safe)]
408 function record() external;
409
410 /// Stops recording storage reads and writes.
411 #[cheatcode(group = Evm, safety = Safe)]
412 function stopRecord() external;
413
414 /// Gets all accessed reads and write slot from a `vm.record` session, for a given address.
415 #[cheatcode(group = Evm, safety = Safe)]
416 function accesses(address target) external view returns (bytes32[] memory readSlots, bytes32[] memory writeSlots);
417
418 /// Record all account accesses as part of CREATE, CALL or SELFDESTRUCT opcodes in order,
419 /// along with the context of the calls
420 #[cheatcode(group = Evm, safety = Safe)]
421 function startStateDiffRecording() external;
422
423 /// Returns an ordered array of all account accesses from a `vm.startStateDiffRecording` session.
424 #[cheatcode(group = Evm, safety = Safe)]
425 function stopAndReturnStateDiff() external returns (AccountAccess[] memory accountAccesses);
426
427 /// Returns state diffs from current `vm.startStateDiffRecording` session.
428 #[cheatcode(group = Evm, safety = Safe)]
429 function getStateDiff() external view returns (string memory diff);
430
431 /// Returns state diffs from current `vm.startStateDiffRecording` session, in json format.
432 #[cheatcode(group = Evm, safety = Safe)]
433 function getStateDiffJson() external view returns (string memory diff);
434
435 /// Returns an array of storage slots occupied by the specified variable.
436 #[cheatcode(group = Evm, safety = Safe)]
437 function getStorageSlots(address target, string calldata variableName) external view returns (uint256[] memory slots);
438
439 /// Returns an array of `StorageAccess` from current `vm.stateStateDiffRecording` session
440 #[cheatcode(group = Evm, safety = Safe)]
441 function getStorageAccesses() external view returns (StorageAccess[] memory storageAccesses);
442
443 // -------- Recording Map Writes --------
444
445 /// Starts recording all map SSTOREs for later retrieval.
446 #[cheatcode(group = Evm, safety = Safe)]
447 function startMappingRecording() external;
448
449 /// Stops recording all map SSTOREs for later retrieval and clears the recorded data.
450 #[cheatcode(group = Evm, safety = Safe)]
451 function stopMappingRecording() external;
452
453 /// Gets the number of elements in the mapping at the given slot, for a given address.
454 #[cheatcode(group = Evm, safety = Safe)]
455 function getMappingLength(address target, bytes32 mappingSlot) external view returns (uint256 length);
456
457 /// Gets the elements at index idx of the mapping at the given slot, for a given address. The
458 /// index must be less than the length of the mapping (i.e. the number of keys in the mapping).
459 #[cheatcode(group = Evm, safety = Safe)]
460 function getMappingSlotAt(address target, bytes32 mappingSlot, uint256 idx) external view returns (bytes32 value);
461
462 /// Gets the map key and parent of a mapping at a given slot, for a given address.
463 #[cheatcode(group = Evm, safety = Safe)]
464 function getMappingKeyAndParentOf(address target, bytes32 elementSlot)
465 external
466 view
467 returns (bool found, bytes32 key, bytes32 parent);
468
469 // -------- Block and Transaction Properties --------
470
471 /// Gets the current `block.chainid` of the currently selected environment.
472 /// You should use this instead of `block.chainid` if you use `vm.selectFork` or `vm.createSelectFork`, as `block.chainid` could be assumed
473 /// to be constant across a transaction, and as a result will get optimized out by the compiler.
474 /// See https://github.com/foundry-rs/foundry/issues/6180
475 #[cheatcode(group = Evm, safety = Safe)]
476 function getChainId() external view returns (uint256 blockChainId);
477
478 /// Sets `block.chainid`.
479 #[cheatcode(group = Evm, safety = Unsafe)]
480 function chainId(uint256 newChainId) external;
481
482 /// Sets `block.coinbase`.
483 #[cheatcode(group = Evm, safety = Unsafe)]
484 function coinbase(address newCoinbase) external;
485
486 /// Sets `block.difficulty`.
487 /// Not available on EVM versions from Paris onwards. Use `prevrandao` instead.
488 /// Reverts if used on unsupported EVM versions.
489 #[cheatcode(group = Evm, safety = Unsafe)]
490 function difficulty(uint256 newDifficulty) external;
491
492 /// Sets `block.basefee`.
493 #[cheatcode(group = Evm, safety = Unsafe)]
494 function fee(uint256 newBasefee) external;
495
496 /// Sets `block.prevrandao`.
497 /// Not available on EVM versions before Paris. Use `difficulty` instead.
498 /// If used on unsupported EVM versions it will revert.
499 #[cheatcode(group = Evm, safety = Unsafe)]
500 function prevrandao(bytes32 newPrevrandao) external;
501 /// Sets `block.prevrandao`.
502 /// Not available on EVM versions before Paris. Use `difficulty` instead.
503 /// If used on unsupported EVM versions it will revert.
504 #[cheatcode(group = Evm, safety = Unsafe)]
505 function prevrandao(uint256 newPrevrandao) external;
506
507 /// Sets the blobhashes in the transaction.
508 /// Not available on EVM versions before Cancun.
509 /// If used on unsupported EVM versions it will revert.
510 #[cheatcode(group = Evm, safety = Unsafe)]
511 function blobhashes(bytes32[] calldata hashes) external;
512
513 /// Gets the blockhashes from the current transaction.
514 /// Not available on EVM versions before Cancun.
515 /// If used on unsupported EVM versions it will revert.
516 #[cheatcode(group = Evm, safety = Unsafe)]
517 function getBlobhashes() external view returns (bytes32[] memory hashes);
518
519 /// Sets `block.height`.
520 #[cheatcode(group = Evm, safety = Unsafe)]
521 function roll(uint256 newHeight) external;
522
523 /// Gets the current `block.number`.
524 /// You should use this instead of `block.number` if you use `vm.roll`, as `block.number` is assumed to be constant across a transaction,
525 /// and as a result will get optimized out by the compiler.
526 /// See https://github.com/foundry-rs/foundry/issues/6180
527 #[cheatcode(group = Evm, safety = Safe)]
528 function getBlockNumber() external view returns (uint256 height);
529
530 /// Sets `tx.gasprice`.
531 #[cheatcode(group = Evm, safety = Unsafe)]
532 function txGasPrice(uint256 newGasPrice) external;
533
534 /// Sets `block.timestamp`.
535 #[cheatcode(group = Evm, safety = Unsafe)]
536 function warp(uint256 newTimestamp) external;
537
538 /// Gets the current `block.timestamp`.
539 /// You should use this instead of `block.timestamp` if you use `vm.warp`, as `block.timestamp` is assumed to be constant across a transaction,
540 /// and as a result will get optimized out by the compiler.
541 /// See https://github.com/foundry-rs/foundry/issues/6180
542 #[cheatcode(group = Evm, safety = Safe)]
543 function getBlockTimestamp() external view returns (uint256 timestamp);
544
545 /// Gets the RLP encoded block header for a given block number.
546 /// Returns the block header in the same format as `cast block <block_number> --raw`.
547 #[cheatcode(group = Evm, safety = Safe)]
548 function getRawBlockHeader(uint256 blockNumber) external view returns (bytes memory rlpHeader);
549
550 /// Sets `block.blobbasefee`
551 #[cheatcode(group = Evm, safety = Unsafe)]
552 function blobBaseFee(uint256 newBlobBaseFee) external;
553
554 /// Gets the current `block.blobbasefee`.
555 /// You should use this instead of `block.blobbasefee` if you use `vm.blobBaseFee`, as `block.blobbasefee` is assumed to be constant across a transaction,
556 /// and as a result will get optimized out by the compiler.
557 /// See https://github.com/foundry-rs/foundry/issues/6180
558 #[cheatcode(group = Evm, safety = Safe)]
559 function getBlobBaseFee() external view returns (uint256 blobBaseFee);
560
561 /// Set blockhash for the current block.
562 /// It only sets the blockhash for blocks where `block.number - 256 <= number < block.number`.
563 #[cheatcode(group = Evm, safety = Unsafe)]
564 function setBlockhash(uint256 blockNumber, bytes32 blockHash) external;
565
566 /// Executes an RLP-encoded signed transaction with full EVM semantics (like `--isolate` mode).
567 /// The transaction is decoded from EIP-2718 format (type byte prefix + RLP payload) or legacy RLP.
568 /// Returns the execution output bytes.
569 ///
570 /// This cheatcode is not allowed in `forge script` contexts.
571 #[cheatcode(group = Evm, safety = Unsafe)]
572 function executeTransaction(bytes calldata rawTx) external returns (bytes memory);
573
574 // -------- Account State --------
575
576 /// Sets an address' balance.
577 #[cheatcode(group = Evm, safety = Unsafe)]
578 function deal(address account, uint256 newBalance) external;
579
580 /// Sets an address' code.
581 #[cheatcode(group = Evm, safety = Unsafe)]
582 function etch(address target, bytes calldata newRuntimeBytecode) external;
583
584 /// Resets the nonce of an account to 0 for EOAs and 1 for contract accounts.
585 #[cheatcode(group = Evm, safety = Unsafe)]
586 function resetNonce(address account) external;
587
588 /// Sets the nonce of an account. Must be higher than the current nonce of the account.
589 #[cheatcode(group = Evm, safety = Unsafe)]
590 function setNonce(address account, uint64 newNonce) external;
591
592 /// Sets the nonce of an account to an arbitrary value.
593 #[cheatcode(group = Evm, safety = Unsafe)]
594 function setNonceUnsafe(address account, uint64 newNonce) external;
595
596 /// Stores a value to an address' storage slot.
597 #[cheatcode(group = Evm, safety = Unsafe)]
598 function store(address target, bytes32 slot, bytes32 value) external;
599
600 /// Marks the slots of an account and the account address as cold.
601 #[cheatcode(group = Evm, safety = Unsafe)]
602 function cool(address target) external;
603
604 /// Utility cheatcode to set an EIP-2930 access list for all subsequent transactions.
605 #[cheatcode(group = Evm, safety = Unsafe)]
606 function accessList(AccessListItem[] calldata access) external;
607
608 /// Utility cheatcode to remove any EIP-2930 access list set by `accessList` cheatcode.
609 #[cheatcode(group = Evm, safety = Unsafe)]
610 function noAccessList() external;
611
612 /// Utility cheatcode to mark specific storage slot as warm, simulating a prior read.
613 #[cheatcode(group = Evm, safety = Unsafe)]
614 function warmSlot(address target, bytes32 slot) external;
615
616 /// Utility cheatcode to mark specific storage slot as cold, simulating no prior read.
617 #[cheatcode(group = Evm, safety = Unsafe)]
618 function coolSlot(address target, bytes32 slot) external;
619
620 /// Returns the test or script execution evm version.
621 ///
622 /// **Note:** The execution evm version is not the same as the compilation one.
623 #[cheatcode(group = Evm, safety = Safe)]
624 function getEvmVersion() external pure returns (string memory evm);
625
626 /// Set the exact test or script execution evm version, e.g. `berlin`, `cancun`.
627 ///
628 /// **Note:** The execution evm version is not the same as the compilation one.
629 #[cheatcode(group = Evm, safety = Safe)]
630 function setEvmVersion(string calldata evm) external;
631
632 // -------- Call Manipulation --------
633 // --- Mocks ---
634
635 /// Clears all mocked calls.
636 #[cheatcode(group = Evm, safety = Unsafe)]
637 function clearMockedCalls() external;
638
639 /// Mocks a call to an address, returning specified data.
640 /// Calldata can either be strict or a partial match, e.g. if you only
641 /// pass a Solidity selector to the expected calldata, then the entire Solidity
642 /// function will be mocked.
643 #[cheatcode(group = Evm, safety = Unsafe)]
644 function mockCall(address callee, bytes calldata data, bytes calldata returnData) external;
645
646 /// Mocks a call to an address with a specific `msg.value`, returning specified data.
647 /// Calldata match takes precedence over `msg.value` in case of ambiguity.
648 #[cheatcode(group = Evm, safety = Unsafe)]
649 function mockCall(address callee, uint256 msgValue, bytes calldata data, bytes calldata returnData) external;
650
651 /// Mocks a call to an address, returning specified data.
652 /// Calldata can either be strict or a partial match, e.g. if you only
653 /// pass a Solidity selector to the expected calldata, then the entire Solidity
654 /// function will be mocked.
655 ///
656 /// Overload to pass the function selector directly `token.approve.selector` instead of `abi.encodeWithSelector(token.approve.selector)`.
657 #[cheatcode(group = Evm, safety = Unsafe)]
658 function mockCall(address callee, bytes4 data, bytes calldata returnData) external;
659
660 /// Mocks a call to an address with a specific `msg.value`, returning specified data.
661 /// Calldata match takes precedence over `msg.value` in case of ambiguity.
662 ///
663 /// Overload to pass the function selector directly `token.approve.selector` instead of `abi.encodeWithSelector(token.approve.selector)`.
664 #[cheatcode(group = Evm, safety = Unsafe)]
665 function mockCall(address callee, uint256 msgValue, bytes4 data, bytes calldata returnData) external;
666
667 /// Mocks multiple calls to an address, returning specified data for each call.
668 #[cheatcode(group = Evm, safety = Unsafe)]
669 function mockCalls(address callee, bytes calldata data, bytes[] calldata returnData) external;
670
671 /// Mocks multiple calls to an address with a specific `msg.value`, returning specified data for each call.
672 #[cheatcode(group = Evm, safety = Unsafe)]
673 function mockCalls(address callee, uint256 msgValue, bytes calldata data, bytes[] calldata returnData) external;
674
675 /// Reverts a call to an address with specified revert data.
676 #[cheatcode(group = Evm, safety = Unsafe)]
677 function mockCallRevert(address callee, bytes calldata data, bytes calldata revertData) external;
678
679 /// Reverts a call to an address with a specific `msg.value`, with specified revert data.
680 #[cheatcode(group = Evm, safety = Unsafe)]
681 function mockCallRevert(address callee, uint256 msgValue, bytes calldata data, bytes calldata revertData)
682 external;
683
684 /// Reverts a call to an address with specified revert data.
685 ///
686 /// Overload to pass the function selector directly `token.approve.selector` instead of `abi.encodeWithSelector(token.approve.selector)`.
687 #[cheatcode(group = Evm, safety = Unsafe)]
688 function mockCallRevert(address callee, bytes4 data, bytes calldata revertData) external;
689
690 /// Reverts a call to an address with a specific `msg.value`, with specified revert data.
691 ///
692 /// Overload to pass the function selector directly `token.approve.selector` instead of `abi.encodeWithSelector(token.approve.selector)`.
693 #[cheatcode(group = Evm, safety = Unsafe)]
694 function mockCallRevert(address callee, uint256 msgValue, bytes4 data, bytes calldata revertData)
695 external;
696
697 /// Whenever a call is made to `callee` with calldata `data`, this cheatcode instead calls
698 /// `target` with the same calldata. This functionality is similar to a delegate call made to
699 /// `target` contract from `callee`.
700 /// Can be used to substitute a call to a function with another implementation that captures
701 /// the primary logic of the original function but is easier to reason about.
702 /// If calldata is not a strict match then partial match by selector is attempted.
703 #[cheatcode(group = Evm, safety = Unsafe)]
704 function mockFunction(address callee, address target, bytes calldata data) external;
705
706 // --- Impersonation (pranks) ---
707
708 /// Sets the *next* call's `msg.sender` to be the input address.
709 #[cheatcode(group = Evm, safety = Unsafe)]
710 function prank(address msgSender) external;
711
712 /// Sets all subsequent calls' `msg.sender` to be the input address until `stopPrank` is called.
713 #[cheatcode(group = Evm, safety = Unsafe)]
714 function startPrank(address msgSender) external;
715
716 /// Sets the *next* call's `msg.sender` to be the input address, and the `tx.origin` to be the second input.
717 #[cheatcode(group = Evm, safety = Unsafe)]
718 function prank(address msgSender, address txOrigin) external;
719
720 /// Sets all subsequent calls' `msg.sender` to be the input address until `stopPrank` is called, and the `tx.origin` to be the second input.
721 #[cheatcode(group = Evm, safety = Unsafe)]
722 function startPrank(address msgSender, address txOrigin) external;
723
724 /// Sets the *next* delegate call's `msg.sender` to be the input address.
725 #[cheatcode(group = Evm, safety = Unsafe)]
726 function prank(address msgSender, bool delegateCall) external;
727
728 /// Sets all subsequent delegate calls' `msg.sender` to be the input address until `stopPrank` is called.
729 #[cheatcode(group = Evm, safety = Unsafe)]
730 function startPrank(address msgSender, bool delegateCall) external;
731
732 /// Sets the *next* delegate call's `msg.sender` to be the input address, and the `tx.origin` to be the second input.
733 #[cheatcode(group = Evm, safety = Unsafe)]
734 function prank(address msgSender, address txOrigin, bool delegateCall) external;
735
736 /// Sets all subsequent delegate calls' `msg.sender` to be the input address until `stopPrank` is called, and the `tx.origin` to be the second input.
737 #[cheatcode(group = Evm, safety = Unsafe)]
738 function startPrank(address msgSender, address txOrigin, bool delegateCall) external;
739
740 /// Resets subsequent calls' `msg.sender` to be `address(this)`.
741 #[cheatcode(group = Evm, safety = Unsafe)]
742 function stopPrank() external;
743
744 /// Reads the current `msg.sender` and `tx.origin` from state and reports if there is any active caller modification.
745 #[cheatcode(group = Evm, safety = Unsafe)]
746 function readCallers() external view returns (CallerMode callerMode, address msgSender, address txOrigin);
747
748 // ----- Arbitrary Snapshots -----
749
750 /// Snapshot capture an arbitrary numerical value by name.
751 /// The group name is derived from the contract name.
752 #[cheatcode(group = Evm, safety = Unsafe)]
753 function snapshotValue(string calldata name, uint256 value) external;
754
755 /// Snapshot capture an arbitrary numerical value by name in a group.
756 #[cheatcode(group = Evm, safety = Unsafe)]
757 function snapshotValue(string calldata group, string calldata name, uint256 value) external;
758
759 // -------- Gas Snapshots --------
760
761 /// Snapshot capture the gas usage of the last call by name from the callee perspective.
762 #[cheatcode(group = Evm, safety = Unsafe)]
763 function snapshotGasLastCall(string calldata name) external returns (uint256 gasUsed);
764
765 /// Snapshot capture the gas usage of the last call by name in a group from the callee perspective.
766 #[cheatcode(group = Evm, safety = Unsafe)]
767 function snapshotGasLastCall(string calldata group, string calldata name) external returns (uint256 gasUsed);
768
769 /// Start a snapshot capture of the current gas usage by name.
770 /// The group name is derived from the contract name.
771 #[cheatcode(group = Evm, safety = Unsafe)]
772 function startSnapshotGas(string calldata name) external;
773
774 /// Start a snapshot capture of the current gas usage by name in a group.
775 #[cheatcode(group = Evm, safety = Unsafe)]
776 function startSnapshotGas(string calldata group, string calldata name) external;
777
778 /// Stop the snapshot capture of the current gas by latest snapshot name, capturing the gas used since the start.
779 #[cheatcode(group = Evm, safety = Unsafe)]
780 function stopSnapshotGas() external returns (uint256 gasUsed);
781
782 /// Stop the snapshot capture of the current gas usage by name, capturing the gas used since the start.
783 /// The group name is derived from the contract name.
784 #[cheatcode(group = Evm, safety = Unsafe)]
785 function stopSnapshotGas(string calldata name) external returns (uint256 gasUsed);
786
787 /// Stop the snapshot capture of the current gas usage by name in a group, capturing the gas used since the start.
788 #[cheatcode(group = Evm, safety = Unsafe)]
789 function stopSnapshotGas(string calldata group, string calldata name) external returns (uint256 gasUsed);
790
791 // -------- State Snapshots --------
792
793 /// `snapshot` is being deprecated in favor of `snapshotState`. It will be removed in future versions.
794 #[cheatcode(group = Evm, safety = Unsafe, status = Deprecated(Some("replaced by `snapshotState`")))]
795 function snapshot() external returns (uint256 snapshotId);
796
797 /// Snapshot the current state of the evm.
798 /// Returns the ID of the snapshot that was created.
799 /// To revert a snapshot use `revertToState`.
800 #[cheatcode(group = Evm, safety = Unsafe)]
801 function snapshotState() external returns (uint256 snapshotId);
802
803 /// `revertTo` is being deprecated in favor of `revertToState`. It will be removed in future versions.
804 #[cheatcode(group = Evm, safety = Unsafe, status = Deprecated(Some("replaced by `revertToState`")))]
805 function revertTo(uint256 snapshotId) external returns (bool success);
806
807 /// Revert the state of the EVM to a previous snapshot
808 /// Takes the snapshot ID to revert to.
809 ///
810 /// Returns `true` if the snapshot was successfully reverted.
811 /// Returns `false` if the snapshot does not exist.
812 ///
813 /// **Note:** This does not automatically delete the snapshot. To delete the snapshot use `deleteStateSnapshot`.
814 #[cheatcode(group = Evm, safety = Unsafe)]
815 function revertToState(uint256 snapshotId) external returns (bool success);
816
817 /// `revertToAndDelete` is being deprecated in favor of `revertToStateAndDelete`. It will be removed in future versions.
818 #[cheatcode(group = Evm, safety = Unsafe, status = Deprecated(Some("replaced by `revertToStateAndDelete`")))]
819 function revertToAndDelete(uint256 snapshotId) external returns (bool success);
820
821 /// Revert the state of the EVM to a previous snapshot and automatically deletes the snapshots
822 /// Takes the snapshot ID to revert to.
823 ///
824 /// Returns `true` if the snapshot was successfully reverted and deleted.
825 /// Returns `false` if the snapshot does not exist.
826 #[cheatcode(group = Evm, safety = Unsafe)]
827 function revertToStateAndDelete(uint256 snapshotId) external returns (bool success);
828
829 /// `deleteSnapshot` is being deprecated in favor of `deleteStateSnapshot`. It will be removed in future versions.
830 #[cheatcode(group = Evm, safety = Unsafe, status = Deprecated(Some("replaced by `deleteStateSnapshot`")))]
831 function deleteSnapshot(uint256 snapshotId) external returns (bool success);
832
833 /// Removes the snapshot with the given ID created by `snapshot`.
834 /// Takes the snapshot ID to delete.
835 ///
836 /// Returns `true` if the snapshot was successfully deleted.
837 /// Returns `false` if the snapshot does not exist.
838 #[cheatcode(group = Evm, safety = Unsafe)]
839 function deleteStateSnapshot(uint256 snapshotId) external returns (bool success);
840
841 /// `deleteSnapshots` is being deprecated in favor of `deleteStateSnapshots`. It will be removed in future versions.
842 #[cheatcode(group = Evm, safety = Unsafe, status = Deprecated(Some("replaced by `deleteStateSnapshots`")))]
843 function deleteSnapshots() external;
844
845 /// Removes _all_ snapshots previously created by `snapshot`.
846 #[cheatcode(group = Evm, safety = Unsafe)]
847 function deleteStateSnapshots() external;
848
849 // -------- Forking --------
850 // --- Creation and Selection ---
851
852 /// Returns the identifier of the currently active fork. Reverts if no fork is currently active.
853 #[cheatcode(group = Evm, safety = Unsafe)]
854 function activeFork() external view returns (uint256 forkId);
855
856 /// Creates a new fork with the given endpoint and the _latest_ block and returns the identifier of the fork.
857 #[cheatcode(group = Evm, safety = Unsafe)]
858 function createFork(string calldata urlOrAlias) external returns (uint256 forkId);
859 /// Creates a new fork with the given endpoint and block and returns the identifier of the fork.
860 #[cheatcode(group = Evm, safety = Unsafe)]
861 function createFork(string calldata urlOrAlias, uint256 blockNumber) external returns (uint256 forkId);
862 /// Creates a new fork with the given endpoint and at the block the given transaction was mined in,
863 /// replays all transaction mined in the block before the transaction, and returns the identifier of the fork.
864 #[cheatcode(group = Evm, safety = Unsafe)]
865 function createFork(string calldata urlOrAlias, bytes32 txHash) external returns (uint256 forkId);
866
867 /// Creates and also selects a new fork with the given endpoint and the latest block and returns the identifier of the fork.
868 #[cheatcode(group = Evm, safety = Unsafe)]
869 function createSelectFork(string calldata urlOrAlias) external returns (uint256 forkId);
870 /// Creates and also selects a new fork with the given endpoint and block and returns the identifier of the fork.
871 #[cheatcode(group = Evm, safety = Unsafe)]
872 function createSelectFork(string calldata urlOrAlias, uint256 blockNumber) external returns (uint256 forkId);
873 /// Creates and also selects new fork with the given endpoint and at the block the given transaction was mined in,
874 /// replays all transaction mined in the block before the transaction, returns the identifier of the fork.
875 #[cheatcode(group = Evm, safety = Unsafe)]
876 function createSelectFork(string calldata urlOrAlias, bytes32 txHash) external returns (uint256 forkId);
877
878 /// Updates the currently active fork to given block number
879 /// This is similar to `roll` but for the currently active fork.
880 #[cheatcode(group = Evm, safety = Unsafe)]
881 function rollFork(uint256 blockNumber) external;
882 /// Updates the currently active fork to given transaction. This will `rollFork` with the number
883 /// of the block the transaction was mined in and replays all transaction mined before it in the block.
884 #[cheatcode(group = Evm, safety = Unsafe)]
885 function rollFork(bytes32 txHash) external;
886 /// Updates the given fork to given block number.
887 #[cheatcode(group = Evm, safety = Unsafe)]
888 function rollFork(uint256 forkId, uint256 blockNumber) external;
889 /// Updates the given fork to block number of the given transaction and replays all transaction mined before it in the block.
890 #[cheatcode(group = Evm, safety = Unsafe)]
891 function rollFork(uint256 forkId, bytes32 txHash) external;
892
893 /// Takes a fork identifier created by `createFork` and sets the corresponding forked state as active.
894 #[cheatcode(group = Evm, safety = Unsafe)]
895 function selectFork(uint256 forkId) external;
896
897 /// Fetches the given transaction from the active fork and executes it on the current state.
898 #[cheatcode(group = Evm, safety = Unsafe)]
899 function transact(bytes32 txHash) external;
900 /// Fetches the given transaction from the given fork and executes it on the current state.
901 #[cheatcode(group = Evm, safety = Unsafe)]
902 function transact(uint256 forkId, bytes32 txHash) external;
903
904 /// Performs an Ethereum JSON-RPC request to the current fork URL.
905 #[cheatcode(group = Evm, safety = Safe)]
906 function rpc(string calldata method, string calldata params) external returns (bytes memory data);
907
908 /// Performs an Ethereum JSON-RPC request to the given endpoint.
909 #[cheatcode(group = Evm, safety = Safe)]
910 function rpc(string calldata urlOrAlias, string calldata method, string calldata params)
911 external
912 returns (bytes memory data);
913
914 /// Gets all the logs according to specified filter.
915 #[cheatcode(group = Evm, safety = Safe)]
916 function eth_getLogs(uint256 fromBlock, uint256 toBlock, address target, bytes32[] calldata topics)
917 external
918 view
919 returns (EthGetLogs[] memory logs);
920
921 // --- Behavior ---
922
923 /// In forking mode, explicitly grant the given address cheatcode access.
924 #[cheatcode(group = Evm, safety = Unsafe)]
925 function allowCheatcodes(address account) external;
926
927 /// Marks that the account(s) should use persistent storage across fork swaps in a multifork setup
928 /// Meaning, changes made to the state of this account will be kept when switching forks.
929 #[cheatcode(group = Evm, safety = Unsafe)]
930 function makePersistent(address account) external;
931 /// See `makePersistent(address)`.
932 #[cheatcode(group = Evm, safety = Unsafe)]
933 function makePersistent(address account0, address account1) external;
934 /// See `makePersistent(address)`.
935 #[cheatcode(group = Evm, safety = Unsafe)]
936 function makePersistent(address account0, address account1, address account2) external;
937 /// See `makePersistent(address)`.
938 #[cheatcode(group = Evm, safety = Unsafe)]
939 function makePersistent(address[] calldata accounts) external;
940
941 /// Revokes persistent status from the address, previously added via `makePersistent`.
942 #[cheatcode(group = Evm, safety = Unsafe)]
943 function revokePersistent(address account) external;
944 /// See `revokePersistent(address)`.
945 #[cheatcode(group = Evm, safety = Unsafe)]
946 function revokePersistent(address[] calldata accounts) external;
947
948 /// Returns true if the account is marked as persistent.
949 #[cheatcode(group = Evm, safety = Unsafe)]
950 function isPersistent(address account) external view returns (bool persistent);
951
952 // -------- Record Logs --------
953
954 /// Record all the transaction logs.
955 #[cheatcode(group = Evm, safety = Safe)]
956 function recordLogs() external;
957
958 /// Gets all the recorded logs.
959 #[cheatcode(group = Evm, safety = Safe)]
960 function getRecordedLogs() external view returns (Log[] memory logs);
961
962 /// Gets all the recorded logs, in JSON format.
963 #[cheatcode(group = Evm, safety = Safe)]
964 function getRecordedLogsJson() external view returns (string memory logsJson);
965
966 // -------- Gas Metering --------
967
968 // It's recommend to use the `noGasMetering` modifier included with forge-std, instead of
969 // using these functions directly.
970
971 /// Pauses gas metering (i.e. gas usage is not counted). Noop if already paused.
972 #[cheatcode(group = Evm, safety = Safe)]
973 function pauseGasMetering() external;
974
975 /// Resumes gas metering (i.e. gas usage is counted again). Noop if already on.
976 #[cheatcode(group = Evm, safety = Safe)]
977 function resumeGasMetering() external;
978
979 /// Reset gas metering (i.e. gas usage is set to gas limit).
980 #[cheatcode(group = Evm, safety = Safe)]
981 function resetGasMetering() external;
982
983 // -------- Gas Measurement --------
984
985 /// Gets the gas used in the last call from the callee perspective.
986 #[cheatcode(group = Evm, safety = Safe)]
987 function lastCallGas() external view returns (Gas memory gas);
988
989 // ======== Test Assertions and Utilities ========
990
991 /// If the condition is false, discard this run's fuzz inputs and generate new ones.
992 #[cheatcode(group = Testing, safety = Safe)]
993 function assume(bool condition) external pure;
994
995 /// Discard this run's fuzz inputs and generate new ones if next call reverted.
996 #[cheatcode(group = Testing, safety = Safe)]
997 function assumeNoRevert() external pure;
998
999 /// Discard this run's fuzz inputs and generate new ones if next call reverts with the potential revert parameters.
1000 #[cheatcode(group = Testing, safety = Safe)]
1001 function assumeNoRevert(PotentialRevert calldata potentialRevert) external pure;
1002
1003 /// Discard this run's fuzz inputs and generate new ones if next call reverts with the any of the potential revert parameters.
1004 #[cheatcode(group = Testing, safety = Safe)]
1005 function assumeNoRevert(PotentialRevert[] calldata potentialReverts) external pure;
1006
1007 /// Writes a breakpoint to jump to in the debugger.
1008 #[cheatcode(group = Testing, safety = Safe)]
1009 function breakpoint(string calldata char) external pure;
1010
1011 /// Writes a conditional breakpoint to jump to in the debugger.
1012 #[cheatcode(group = Testing, safety = Safe)]
1013 function breakpoint(string calldata char, bool value) external pure;
1014
1015 /// Returns the Foundry version.
1016 /// Format: <cargo_version>-<tag>+<git_sha_short>.<unix_build_timestamp>.<profile>
1017 /// Sample output: 0.3.0-nightly+3cb96bde9b.1737036656.debug
1018 /// Note: Build timestamps may vary slightly across platforms due to separate CI jobs.
1019 /// For reliable version comparisons, use UNIX format (e.g., >= 1700000000)
1020 /// to compare timestamps while ignoring minor time differences.
1021 #[cheatcode(group = Testing, safety = Safe)]
1022 function getFoundryVersion() external view returns (string memory version);
1023
1024 /// Returns the RPC url for the given alias.
1025 #[cheatcode(group = Testing, safety = Safe)]
1026 function rpcUrl(string calldata rpcAlias) external view returns (string memory json);
1027
1028 /// Returns all rpc urls and their aliases `[alias, url][]`.
1029 #[cheatcode(group = Testing, safety = Safe)]
1030 function rpcUrls() external view returns (string[2][] memory urls);
1031
1032 /// Returns all rpc urls and their aliases as structs.
1033 #[cheatcode(group = Testing, safety = Safe)]
1034 function rpcUrlStructs() external view returns (Rpc[] memory urls);
1035
1036 /// Returns a Chain struct for specific alias
1037 #[cheatcode(group = Testing, safety = Safe)]
1038 function getChain(string calldata chainAlias) external view returns (Chain memory chain);
1039
1040 /// Returns a Chain struct for specific chainId
1041 #[cheatcode(group = Testing, safety = Safe)]
1042 function getChain(uint256 chainId) external view returns (Chain memory chain);
1043
1044 /// Suspends execution of the main thread for `duration` milliseconds.
1045 #[cheatcode(group = Testing, safety = Safe)]
1046 function sleep(uint256 duration) external;
1047
1048 /// Expects a call to an address with the specified calldata.
1049 /// Calldata can either be a strict or a partial match.
1050 #[cheatcode(group = Testing, safety = Unsafe)]
1051 function expectCall(address callee, bytes calldata data) external;
1052
1053 /// Expects given number of calls to an address with the specified calldata.
1054 #[cheatcode(group = Testing, safety = Unsafe)]
1055 function expectCall(address callee, bytes calldata data, uint64 count) external;
1056
1057 /// Expects a call to an address with the specified `msg.value` and calldata.
1058 #[cheatcode(group = Testing, safety = Unsafe)]
1059 function expectCall(address callee, uint256 msgValue, bytes calldata data) external;
1060
1061 /// Expects given number of calls to an address with the specified `msg.value` and calldata.
1062 #[cheatcode(group = Testing, safety = Unsafe)]
1063 function expectCall(address callee, uint256 msgValue, bytes calldata data, uint64 count) external;
1064
1065 /// Expect a call to an address with the specified `msg.value`, gas, and calldata.
1066 #[cheatcode(group = Testing, safety = Unsafe)]
1067 function expectCall(address callee, uint256 msgValue, uint64 gas, bytes calldata data) external;
1068
1069 /// Expects given number of calls to an address with the specified `msg.value`, gas, and calldata.
1070 #[cheatcode(group = Testing, safety = Unsafe)]
1071 function expectCall(address callee, uint256 msgValue, uint64 gas, bytes calldata data, uint64 count) external;
1072
1073 /// Expect a call to an address with the specified `msg.value` and calldata, and a *minimum* amount of gas.
1074 #[cheatcode(group = Testing, safety = Unsafe)]
1075 function expectCallMinGas(address callee, uint256 msgValue, uint64 minGas, bytes calldata data) external;
1076
1077 /// Expect given number of calls to an address with the specified `msg.value` and calldata, and a *minimum* amount of gas.
1078 #[cheatcode(group = Testing, safety = Unsafe)]
1079 function expectCallMinGas(address callee, uint256 msgValue, uint64 minGas, bytes calldata data, uint64 count)
1080 external;
1081
1082 /// Prepare an expected log with (bool checkTopic1, bool checkTopic2, bool checkTopic3, bool checkData.).
1083 /// Call this function, then emit an event, then call a function. Internally after the call, we check if
1084 /// logs were emitted in the expected order with the expected topics and data (as specified by the booleans).
1085 #[cheatcode(group = Testing, safety = Unsafe)]
1086 function expectEmit(bool checkTopic1, bool checkTopic2, bool checkTopic3, bool checkData) external;
1087
1088 /// Same as the previous method, but also checks supplied address against emitting contract.
1089 #[cheatcode(group = Testing, safety = Unsafe)]
1090 function expectEmit(bool checkTopic1, bool checkTopic2, bool checkTopic3, bool checkData, address emitter)
1091 external;
1092
1093 /// Prepare an expected log with all topic and data checks enabled.
1094 /// Call this function, then emit an event, then call a function. Internally after the call, we check if
1095 /// logs were emitted in the expected order with the expected topics and data.
1096 #[cheatcode(group = Testing, safety = Unsafe)]
1097 function expectEmit() external;
1098
1099 /// Same as the previous method, but also checks supplied address against emitting contract.
1100 #[cheatcode(group = Testing, safety = Unsafe)]
1101 function expectEmit(address emitter) external;
1102
1103 /// Expect a given number of logs with the provided topics.
1104 #[cheatcode(group = Testing, safety = Unsafe)]
1105 function expectEmit(bool checkTopic1, bool checkTopic2, bool checkTopic3, bool checkData, uint64 count) external;
1106
1107 /// Expect a given number of logs from a specific emitter with the provided topics.
1108 #[cheatcode(group = Testing, safety = Unsafe)]
1109 function expectEmit(bool checkTopic1, bool checkTopic2, bool checkTopic3, bool checkData, address emitter, uint64 count)
1110 external;
1111
1112 /// Expect a given number of logs with all topic and data checks enabled.
1113 #[cheatcode(group = Testing, safety = Unsafe)]
1114 function expectEmit(uint64 count) external;
1115
1116 /// Expect a given number of logs from a specific emitter with all topic and data checks enabled.
1117 #[cheatcode(group = Testing, safety = Unsafe)]
1118 function expectEmit(address emitter, uint64 count) external;
1119
1120 /// Prepare an expected anonymous log with (bool checkTopic1, bool checkTopic2, bool checkTopic3, bool checkData.).
1121 /// Call this function, then emit an anonymous event, then call a function. Internally after the call, we check if
1122 /// logs were emitted in the expected order with the expected topics and data (as specified by the booleans).
1123 #[cheatcode(group = Testing, safety = Unsafe)]
1124 function expectEmitAnonymous(bool checkTopic0, bool checkTopic1, bool checkTopic2, bool checkTopic3, bool checkData) external;
1125
1126 /// Same as the previous method, but also checks supplied address against emitting contract.
1127 #[cheatcode(group = Testing, safety = Unsafe)]
1128 function expectEmitAnonymous(bool checkTopic0, bool checkTopic1, bool checkTopic2, bool checkTopic3, bool checkData, address emitter)
1129 external;
1130
1131 /// Prepare an expected anonymous log with all topic and data checks enabled.
1132 /// Call this function, then emit an anonymous event, then call a function. Internally after the call, we check if
1133 /// logs were emitted in the expected order with the expected topics and data.
1134 #[cheatcode(group = Testing, safety = Unsafe)]
1135 function expectEmitAnonymous() external;
1136
1137 /// Same as the previous method, but also checks supplied address against emitting contract.
1138 #[cheatcode(group = Testing, safety = Unsafe)]
1139 function expectEmitAnonymous(address emitter) external;
1140
1141 /// Expects the deployment of the specified bytecode by the specified address using the CREATE opcode
1142 #[cheatcode(group = Testing, safety = Unsafe)]
1143 function expectCreate(bytes calldata bytecode, address deployer) external;
1144
1145 /// Expects the deployment of the specified bytecode by the specified address using the CREATE2 opcode
1146 #[cheatcode(group = Testing, safety = Unsafe)]
1147 function expectCreate2(bytes calldata bytecode, address deployer) external;
1148
1149 /// Expects an error on next call with any revert data.
1150 #[cheatcode(group = Testing, safety = Unsafe)]
1151 function expectRevert() external;
1152
1153 /// Expects an error on next call that exactly matches the revert data.
1154 #[cheatcode(group = Testing, safety = Unsafe)]
1155 function expectRevert(bytes4 revertData) external;
1156
1157 /// Expects an error on next call that exactly matches the revert data.
1158 #[cheatcode(group = Testing, safety = Unsafe)]
1159 function expectRevert(bytes calldata revertData) external;
1160
1161 /// Expects an error with any revert data on next call to reverter address.
1162 #[cheatcode(group = Testing, safety = Unsafe)]
1163 function expectRevert(address reverter) external;
1164
1165 /// Expects an error from reverter address on next call, with any revert data.
1166 #[cheatcode(group = Testing, safety = Unsafe)]
1167 function expectRevert(bytes4 revertData, address reverter) external;
1168
1169 /// Expects an error from reverter address on next call, that exactly matches the revert data.
1170 #[cheatcode(group = Testing, safety = Unsafe)]
1171 function expectRevert(bytes calldata revertData, address reverter) external;
1172
1173 /// Expects a `count` number of reverts from the upcoming calls with any revert data or reverter.
1174 #[cheatcode(group = Testing, safety = Unsafe)]
1175 function expectRevert(uint64 count) external;
1176
1177 /// Expects a `count` number of reverts from the upcoming calls that match the revert data.
1178 #[cheatcode(group = Testing, safety = Unsafe)]
1179 function expectRevert(bytes4 revertData, uint64 count) external;
1180
1181 /// Expects a `count` number of reverts from the upcoming calls that exactly match the revert data.
1182 #[cheatcode(group = Testing, safety = Unsafe)]
1183 function expectRevert(bytes calldata revertData, uint64 count) external;
1184
1185 /// Expects a `count` number of reverts from the upcoming calls from the reverter address.
1186 #[cheatcode(group = Testing, safety = Unsafe)]
1187 function expectRevert(address reverter, uint64 count) external;
1188
1189 /// Expects a `count` number of reverts from the upcoming calls from the reverter address that match the revert data.
1190 #[cheatcode(group = Testing, safety = Unsafe)]
1191 function expectRevert(bytes4 revertData, address reverter, uint64 count) external;
1192
1193 /// Expects a `count` number of reverts from the upcoming calls from the reverter address that exactly match the revert data.
1194 #[cheatcode(group = Testing, safety = Unsafe)]
1195 function expectRevert(bytes calldata revertData, address reverter, uint64 count) external;
1196
1197 /// Expects an error on next call that starts with the revert data.
1198 #[cheatcode(group = Testing, safety = Unsafe)]
1199 function expectPartialRevert(bytes4 revertData) external;
1200
1201 /// Expects an error on next call to reverter address, that starts with the revert data.
1202 #[cheatcode(group = Testing, safety = Unsafe)]
1203 function expectPartialRevert(bytes4 revertData, address reverter) external;
1204
1205 /// Expects an error on next cheatcode call with any revert data.
1206 #[cheatcode(group = Testing, safety = Unsafe, status = Internal)]
1207 function _expectCheatcodeRevert() external;
1208
1209 /// Expects an error on next cheatcode call that starts with the revert data.
1210 #[cheatcode(group = Testing, safety = Unsafe, status = Internal)]
1211 function _expectCheatcodeRevert(bytes4 revertData) external;
1212
1213 /// Expects an error on next cheatcode call that exactly matches the revert data.
1214 #[cheatcode(group = Testing, safety = Unsafe, status = Internal)]
1215 function _expectCheatcodeRevert(bytes calldata revertData) external;
1216
1217 /// Only allows memory writes to offsets [0x00, 0x60) ∪ [min, max) in the current subcontext. If any other
1218 /// memory is written to, the test will fail. Can be called multiple times to add more ranges to the set.
1219 #[cheatcode(group = Testing, safety = Unsafe)]
1220 function expectSafeMemory(uint64 min, uint64 max) external;
1221
1222 /// Stops all safe memory expectation in the current subcontext.
1223 #[cheatcode(group = Testing, safety = Unsafe)]
1224 function stopExpectSafeMemory() external;
1225
1226 /// Only allows memory writes to offsets [0x00, 0x60) ∪ [min, max) in the next created subcontext.
1227 /// If any other memory is written to, the test will fail. Can be called multiple times to add more ranges
1228 /// to the set.
1229 #[cheatcode(group = Testing, safety = Unsafe)]
1230 function expectSafeMemoryCall(uint64 min, uint64 max) external;
1231
1232 /// Marks a test as skipped. Must be called at the top level of a test.
1233 #[cheatcode(group = Testing, safety = Unsafe)]
1234 function skip(bool skipTest) external;
1235
1236 /// Marks a test as skipped with a reason. Must be called at the top level of a test.
1237 #[cheatcode(group = Testing, safety = Unsafe)]
1238 function skip(bool skipTest, string calldata reason) external;
1239
1240 /// Asserts that the given condition is true.
1241 #[cheatcode(group = Testing, safety = Safe)]
1242 function assertTrue(bool condition) external pure;
1243
1244 /// Asserts that the given condition is true and includes error message into revert string on failure.
1245 #[cheatcode(group = Testing, safety = Safe)]
1246 function assertTrue(bool condition, string calldata error) external pure;
1247
1248 /// Asserts that the given condition is false.
1249 #[cheatcode(group = Testing, safety = Safe)]
1250 function assertFalse(bool condition) external pure;
1251
1252 /// Asserts that the given condition is false and includes error message into revert string on failure.
1253 #[cheatcode(group = Testing, safety = Safe)]
1254 function assertFalse(bool condition, string calldata error) external pure;
1255
1256 /// Asserts that two `bool` values are equal.
1257 #[cheatcode(group = Testing, safety = Safe)]
1258 function assertEq(bool left, bool right) external pure;
1259
1260 /// Asserts that two `bool` values are equal and includes error message into revert string on failure.
1261 #[cheatcode(group = Testing, safety = Safe)]
1262 function assertEq(bool left, bool right, string calldata error) external pure;
1263
1264 /// Asserts that two `uint256` values are equal.
1265 #[cheatcode(group = Testing, safety = Safe)]
1266 function assertEq(uint256 left, uint256 right) external pure;
1267
1268 /// Asserts that two `uint256` values are equal and includes error message into revert string on failure.
1269 #[cheatcode(group = Testing, safety = Safe)]
1270 function assertEq(uint256 left, uint256 right, string calldata error) external pure;
1271
1272 /// Asserts that two `int256` values are equal.
1273 #[cheatcode(group = Testing, safety = Safe)]
1274 function assertEq(int256 left, int256 right) external pure;
1275
1276 /// Asserts that two `int256` values are equal and includes error message into revert string on failure.
1277 #[cheatcode(group = Testing, safety = Safe)]
1278 function assertEq(int256 left, int256 right, string calldata error) external pure;
1279
1280 /// Asserts that two `address` values are equal.
1281 #[cheatcode(group = Testing, safety = Safe)]
1282 function assertEq(address left, address right) external pure;
1283
1284 /// Asserts that two `address` values are equal and includes error message into revert string on failure.
1285 #[cheatcode(group = Testing, safety = Safe)]
1286 function assertEq(address left, address right, string calldata error) external pure;
1287
1288 /// Asserts that two `bytes32` values are equal.
1289 #[cheatcode(group = Testing, safety = Safe)]
1290 function assertEq(bytes32 left, bytes32 right) external pure;
1291
1292 /// Asserts that two `bytes32` values are equal and includes error message into revert string on failure.
1293 #[cheatcode(group = Testing, safety = Safe)]
1294 function assertEq(bytes32 left, bytes32 right, string calldata error) external pure;
1295
1296 /// Asserts that two `string` values are equal.
1297 #[cheatcode(group = Testing, safety = Safe)]
1298 function assertEq(string calldata left, string calldata right) external pure;
1299
1300 /// Asserts that two `string` values are equal and includes error message into revert string on failure.
1301 #[cheatcode(group = Testing, safety = Safe)]
1302 function assertEq(string calldata left, string calldata right, string calldata error) external pure;
1303
1304 /// Asserts that two `bytes` values are equal.
1305 #[cheatcode(group = Testing, safety = Safe)]
1306 function assertEq(bytes calldata left, bytes calldata right) external pure;
1307
1308 /// Asserts that two `bytes` values are equal and includes error message into revert string on failure.
1309 #[cheatcode(group = Testing, safety = Safe)]
1310 function assertEq(bytes calldata left, bytes calldata right, string calldata error) external pure;
1311
1312 /// Asserts that two arrays of `bool` values are equal.
1313 #[cheatcode(group = Testing, safety = Safe)]
1314 function assertEq(bool[] calldata left, bool[] calldata right) external pure;
1315
1316 /// Asserts that two arrays of `bool` values are equal and includes error message into revert string on failure.
1317 #[cheatcode(group = Testing, safety = Safe)]
1318 function assertEq(bool[] calldata left, bool[] calldata right, string calldata error) external pure;
1319
1320 /// Asserts that two arrays of `uint256 values are equal.
1321 #[cheatcode(group = Testing, safety = Safe)]
1322 function assertEq(uint256[] calldata left, uint256[] calldata right) external pure;
1323
1324 /// Asserts that two arrays of `uint256` values are equal and includes error message into revert string on failure.
1325 #[cheatcode(group = Testing, safety = Safe)]
1326 function assertEq(uint256[] calldata left, uint256[] calldata right, string calldata error) external pure;
1327
1328 /// Asserts that two arrays of `int256` values are equal.
1329 #[cheatcode(group = Testing, safety = Safe)]
1330 function assertEq(int256[] calldata left, int256[] calldata right) external pure;
1331
1332 /// Asserts that two arrays of `int256` values are equal and includes error message into revert string on failure.
1333 #[cheatcode(group = Testing, safety = Safe)]
1334 function assertEq(int256[] calldata left, int256[] calldata right, string calldata error) external pure;
1335
1336 /// Asserts that two arrays of `address` values are equal.
1337 #[cheatcode(group = Testing, safety = Safe)]
1338 function assertEq(address[] calldata left, address[] calldata right) external pure;
1339
1340 /// Asserts that two arrays of `address` values are equal and includes error message into revert string on failure.
1341 #[cheatcode(group = Testing, safety = Safe)]
1342 function assertEq(address[] calldata left, address[] calldata right, string calldata error) external pure;
1343
1344 /// Asserts that two arrays of `bytes32` values are equal.
1345 #[cheatcode(group = Testing, safety = Safe)]
1346 function assertEq(bytes32[] calldata left, bytes32[] calldata right) external pure;
1347
1348 /// Asserts that two arrays of `bytes32` values are equal and includes error message into revert string on failure.
1349 #[cheatcode(group = Testing, safety = Safe)]
1350 function assertEq(bytes32[] calldata left, bytes32[] calldata right, string calldata error) external pure;
1351
1352 /// Asserts that two arrays of `string` values are equal.
1353 #[cheatcode(group = Testing, safety = Safe)]
1354 function assertEq(string[] calldata left, string[] calldata right) external pure;
1355
1356 /// Asserts that two arrays of `string` values are equal and includes error message into revert string on failure.
1357 #[cheatcode(group = Testing, safety = Safe)]
1358 function assertEq(string[] calldata left, string[] calldata right, string calldata error) external pure;
1359
1360 /// Asserts that two arrays of `bytes` values are equal.
1361 #[cheatcode(group = Testing, safety = Safe)]
1362 function assertEq(bytes[] calldata left, bytes[] calldata right) external pure;
1363
1364 /// Asserts that two arrays of `bytes` values are equal and includes error message into revert string on failure.
1365 #[cheatcode(group = Testing, safety = Safe)]
1366 function assertEq(bytes[] calldata left, bytes[] calldata right, string calldata error) external pure;
1367
1368 /// Asserts that two `uint256` values are equal, formatting them with decimals in failure message.
1369 #[cheatcode(group = Testing, safety = Safe)]
1370 function assertEqDecimal(uint256 left, uint256 right, uint256 decimals) external pure;
1371
1372 /// Asserts that two `uint256` values are equal, formatting them with decimals in failure message.
1373 /// Includes error message into revert string on failure.
1374 #[cheatcode(group = Testing, safety = Safe)]
1375 function assertEqDecimal(uint256 left, uint256 right, uint256 decimals, string calldata error) external pure;
1376
1377 /// Asserts that two `int256` values are equal, formatting them with decimals in failure message.
1378 #[cheatcode(group = Testing, safety = Safe)]
1379 function assertEqDecimal(int256 left, int256 right, uint256 decimals) external pure;
1380
1381 /// Asserts that two `int256` values are equal, formatting them with decimals in failure message.
1382 /// Includes error message into revert string on failure.
1383 #[cheatcode(group = Testing, safety = Safe)]
1384 function assertEqDecimal(int256 left, int256 right, uint256 decimals, string calldata error) external pure;
1385
1386 /// Asserts that two `bool` values are not equal.
1387 #[cheatcode(group = Testing, safety = Safe)]
1388 function assertNotEq(bool left, bool right) external pure;
1389
1390 /// Asserts that two `bool` values are not equal and includes error message into revert string on failure.
1391 #[cheatcode(group = Testing, safety = Safe)]
1392 function assertNotEq(bool left, bool right, string calldata error) external pure;
1393
1394 /// Asserts that two `uint256` values are not equal.
1395 #[cheatcode(group = Testing, safety = Safe)]
1396 function assertNotEq(uint256 left, uint256 right) external pure;
1397
1398 /// Asserts that two `uint256` values are not equal and includes error message into revert string on failure.
1399 #[cheatcode(group = Testing, safety = Safe)]
1400 function assertNotEq(uint256 left, uint256 right, string calldata error) external pure;
1401
1402 /// Asserts that two `int256` values are not equal.
1403 #[cheatcode(group = Testing, safety = Safe)]
1404 function assertNotEq(int256 left, int256 right) external pure;
1405
1406 /// Asserts that two `int256` values are not equal and includes error message into revert string on failure.
1407 #[cheatcode(group = Testing, safety = Safe)]
1408 function assertNotEq(int256 left, int256 right, string calldata error) external pure;
1409
1410 /// Asserts that two `address` values are not equal.
1411 #[cheatcode(group = Testing, safety = Safe)]
1412 function assertNotEq(address left, address right) external pure;
1413
1414 /// Asserts that two `address` values are not equal and includes error message into revert string on failure.
1415 #[cheatcode(group = Testing, safety = Safe)]
1416 function assertNotEq(address left, address right, string calldata error) external pure;
1417
1418 /// Asserts that two `bytes32` values are not equal.
1419 #[cheatcode(group = Testing, safety = Safe)]
1420 function assertNotEq(bytes32 left, bytes32 right) external pure;
1421
1422 /// Asserts that two `bytes32` values are not equal and includes error message into revert string on failure.
1423 #[cheatcode(group = Testing, safety = Safe)]
1424 function assertNotEq(bytes32 left, bytes32 right, string calldata error) external pure;
1425
1426 /// Asserts that two `string` values are not equal.
1427 #[cheatcode(group = Testing, safety = Safe)]
1428 function assertNotEq(string calldata left, string calldata right) external pure;
1429
1430 /// Asserts that two `string` values are not equal and includes error message into revert string on failure.
1431 #[cheatcode(group = Testing, safety = Safe)]
1432 function assertNotEq(string calldata left, string calldata right, string calldata error) external pure;
1433
1434 /// Asserts that two `bytes` values are not equal.
1435 #[cheatcode(group = Testing, safety = Safe)]
1436 function assertNotEq(bytes calldata left, bytes calldata right) external pure;
1437
1438 /// Asserts that two `bytes` values are not equal and includes error message into revert string on failure.
1439 #[cheatcode(group = Testing, safety = Safe)]
1440 function assertNotEq(bytes calldata left, bytes calldata right, string calldata error) external pure;
1441
1442 /// Asserts that two arrays of `bool` values are not equal.
1443 #[cheatcode(group = Testing, safety = Safe)]
1444 function assertNotEq(bool[] calldata left, bool[] calldata right) external pure;
1445
1446 /// Asserts that two arrays of `bool` values are not equal and includes error message into revert string on failure.
1447 #[cheatcode(group = Testing, safety = Safe)]
1448 function assertNotEq(bool[] calldata left, bool[] calldata right, string calldata error) external pure;
1449
1450 /// Asserts that two arrays of `uint256` values are not equal.
1451 #[cheatcode(group = Testing, safety = Safe)]
1452 function assertNotEq(uint256[] calldata left, uint256[] calldata right) external pure;
1453
1454 /// Asserts that two arrays of `uint256` values are not equal and includes error message into revert string on failure.
1455 #[cheatcode(group = Testing, safety = Safe)]
1456 function assertNotEq(uint256[] calldata left, uint256[] calldata right, string calldata error) external pure;
1457
1458 /// Asserts that two arrays of `int256` values are not equal.
1459 #[cheatcode(group = Testing, safety = Safe)]
1460 function assertNotEq(int256[] calldata left, int256[] calldata right) external pure;
1461
1462 /// Asserts that two arrays of `int256` values are not equal and includes error message into revert string on failure.
1463 #[cheatcode(group = Testing, safety = Safe)]
1464 function assertNotEq(int256[] calldata left, int256[] calldata right, string calldata error) external pure;
1465
1466 /// Asserts that two arrays of `address` values are not equal.
1467 #[cheatcode(group = Testing, safety = Safe)]
1468 function assertNotEq(address[] calldata left, address[] calldata right) external pure;
1469
1470 /// Asserts that two arrays of `address` values are not equal and includes error message into revert string on failure.
1471 #[cheatcode(group = Testing, safety = Safe)]
1472 function assertNotEq(address[] calldata left, address[] calldata right, string calldata error) external pure;
1473
1474 /// Asserts that two arrays of `bytes32` values are not equal.
1475 #[cheatcode(group = Testing, safety = Safe)]
1476 function assertNotEq(bytes32[] calldata left, bytes32[] calldata right) external pure;
1477
1478 /// Asserts that two arrays of `bytes32` values are not equal and includes error message into revert string on failure.
1479 #[cheatcode(group = Testing, safety = Safe)]
1480 function assertNotEq(bytes32[] calldata left, bytes32[] calldata right, string calldata error) external pure;
1481
1482 /// Asserts that two arrays of `string` values are not equal.
1483 #[cheatcode(group = Testing, safety = Safe)]
1484 function assertNotEq(string[] calldata left, string[] calldata right) external pure;
1485
1486 /// Asserts that two arrays of `string` values are not equal and includes error message into revert string on failure.
1487 #[cheatcode(group = Testing, safety = Safe)]
1488 function assertNotEq(string[] calldata left, string[] calldata right, string calldata error) external pure;
1489
1490 /// Asserts that two arrays of `bytes` values are not equal.
1491 #[cheatcode(group = Testing, safety = Safe)]
1492 function assertNotEq(bytes[] calldata left, bytes[] calldata right) external pure;
1493
1494 /// Asserts that two arrays of `bytes` values are not equal and includes error message into revert string on failure.
1495 #[cheatcode(group = Testing, safety = Safe)]
1496 function assertNotEq(bytes[] calldata left, bytes[] calldata right, string calldata error) external pure;
1497
1498 /// Asserts that two `uint256` values are not equal, formatting them with decimals in failure message.
1499 #[cheatcode(group = Testing, safety = Safe)]
1500 function assertNotEqDecimal(uint256 left, uint256 right, uint256 decimals) external pure;
1501
1502 /// Asserts that two `uint256` values are not equal, formatting them with decimals in failure message.
1503 /// Includes error message into revert string on failure.
1504 #[cheatcode(group = Testing, safety = Safe)]
1505 function assertNotEqDecimal(uint256 left, uint256 right, uint256 decimals, string calldata error) external pure;
1506
1507 /// Asserts that two `int256` values are not equal, formatting them with decimals in failure message.
1508 #[cheatcode(group = Testing, safety = Safe)]
1509 function assertNotEqDecimal(int256 left, int256 right, uint256 decimals) external pure;
1510
1511 /// Asserts that two `int256` values are not equal, formatting them with decimals in failure message.
1512 /// Includes error message into revert string on failure.
1513 #[cheatcode(group = Testing, safety = Safe)]
1514 function assertNotEqDecimal(int256 left, int256 right, uint256 decimals, string calldata error) external pure;
1515
1516 /// Compares two `uint256` values. Expects first value to be greater than second.
1517 #[cheatcode(group = Testing, safety = Safe)]
1518 function assertGt(uint256 left, uint256 right) external pure;
1519
1520 /// Compares two `uint256` values. Expects first value to be greater than second.
1521 /// Includes error message into revert string on failure.
1522 #[cheatcode(group = Testing, safety = Safe)]
1523 function assertGt(uint256 left, uint256 right, string calldata error) external pure;
1524
1525 /// Compares two `int256` values. Expects first value to be greater than second.
1526 #[cheatcode(group = Testing, safety = Safe)]
1527 function assertGt(int256 left, int256 right) external pure;
1528
1529 /// Compares two `int256` values. Expects first value to be greater than second.
1530 /// Includes error message into revert string on failure.
1531 #[cheatcode(group = Testing, safety = Safe)]
1532 function assertGt(int256 left, int256 right, string calldata error) external pure;
1533
1534 /// Compares two `uint256` values. Expects first value to be greater than second.
1535 /// Formats values with decimals in failure message.
1536 #[cheatcode(group = Testing, safety = Safe)]
1537 function assertGtDecimal(uint256 left, uint256 right, uint256 decimals) external pure;
1538
1539 /// Compares two `uint256` values. Expects first value to be greater than second.
1540 /// Formats values with decimals in failure message. Includes error message into revert string on failure.
1541 #[cheatcode(group = Testing, safety = Safe)]
1542 function assertGtDecimal(uint256 left, uint256 right, uint256 decimals, string calldata error) external pure;
1543
1544 /// Compares two `int256` values. Expects first value to be greater than second.
1545 /// Formats values with decimals in failure message.
1546 #[cheatcode(group = Testing, safety = Safe)]
1547 function assertGtDecimal(int256 left, int256 right, uint256 decimals) external pure;
1548
1549 /// Compares two `int256` values. Expects first value to be greater than second.
1550 /// Formats values with decimals in failure message. Includes error message into revert string on failure.
1551 #[cheatcode(group = Testing, safety = Safe)]
1552 function assertGtDecimal(int256 left, int256 right, uint256 decimals, string calldata error) external pure;
1553
1554 /// Compares two `uint256` values. Expects first value to be greater than or equal to second.
1555 #[cheatcode(group = Testing, safety = Safe)]
1556 function assertGe(uint256 left, uint256 right) external pure;
1557
1558 /// Compares two `uint256` values. Expects first value to be greater than or equal to second.
1559 /// Includes error message into revert string on failure.
1560 #[cheatcode(group = Testing, safety = Safe)]
1561 function assertGe(uint256 left, uint256 right, string calldata error) external pure;
1562
1563 /// Compares two `int256` values. Expects first value to be greater than or equal to second.
1564 #[cheatcode(group = Testing, safety = Safe)]
1565 function assertGe(int256 left, int256 right) external pure;
1566
1567 /// Compares two `int256` values. Expects first value to be greater than or equal to second.
1568 /// Includes error message into revert string on failure.
1569 #[cheatcode(group = Testing, safety = Safe)]
1570 function assertGe(int256 left, int256 right, string calldata error) external pure;
1571
1572 /// Compares two `uint256` values. Expects first value to be greater than or equal to second.
1573 /// Formats values with decimals in failure message.
1574 #[cheatcode(group = Testing, safety = Safe)]
1575 function assertGeDecimal(uint256 left, uint256 right, uint256 decimals) external pure;
1576
1577 /// Compares two `uint256` values. Expects first value to be greater than or equal to second.
1578 /// Formats values with decimals in failure message. Includes error message into revert string on failure.
1579 #[cheatcode(group = Testing, safety = Safe)]
1580 function assertGeDecimal(uint256 left, uint256 right, uint256 decimals, string calldata error) external pure;
1581
1582 /// Compares two `int256` values. Expects first value to be greater than or equal to second.
1583 /// Formats values with decimals in failure message.
1584 #[cheatcode(group = Testing, safety = Safe)]
1585 function assertGeDecimal(int256 left, int256 right, uint256 decimals) external pure;
1586
1587 /// Compares two `int256` values. Expects first value to be greater than or equal to second.
1588 /// Formats values with decimals in failure message. Includes error message into revert string on failure.
1589 #[cheatcode(group = Testing, safety = Safe)]
1590 function assertGeDecimal(int256 left, int256 right, uint256 decimals, string calldata error) external pure;
1591
1592 /// Compares two `uint256` values. Expects first value to be less than second.
1593 #[cheatcode(group = Testing, safety = Safe)]
1594 function assertLt(uint256 left, uint256 right) external pure;
1595
1596 /// Compares two `uint256` values. Expects first value to be less than second.
1597 /// Includes error message into revert string on failure.
1598 #[cheatcode(group = Testing, safety = Safe)]
1599 function assertLt(uint256 left, uint256 right, string calldata error) external pure;
1600
1601 /// Compares two `int256` values. Expects first value to be less than second.
1602 #[cheatcode(group = Testing, safety = Safe)]
1603 function assertLt(int256 left, int256 right) external pure;
1604
1605 /// Compares two `int256` values. Expects first value to be less than second.
1606 /// Includes error message into revert string on failure.
1607 #[cheatcode(group = Testing, safety = Safe)]
1608 function assertLt(int256 left, int256 right, string calldata error) external pure;
1609
1610 /// Compares two `uint256` values. Expects first value to be less than second.
1611 /// Formats values with decimals in failure message.
1612 #[cheatcode(group = Testing, safety = Safe)]
1613 function assertLtDecimal(uint256 left, uint256 right, uint256 decimals) external pure;
1614
1615 /// Compares two `uint256` values. Expects first value to be less than second.
1616 /// Formats values with decimals in failure message. Includes error message into revert string on failure.
1617 #[cheatcode(group = Testing, safety = Safe)]
1618 function assertLtDecimal(uint256 left, uint256 right, uint256 decimals, string calldata error) external pure;
1619
1620 /// Compares two `int256` values. Expects first value to be less than second.
1621 /// Formats values with decimals in failure message.
1622 #[cheatcode(group = Testing, safety = Safe)]
1623 function assertLtDecimal(int256 left, int256 right, uint256 decimals) external pure;
1624
1625 /// Compares two `int256` values. Expects first value to be less than second.
1626 /// Formats values with decimals in failure message. Includes error message into revert string on failure.
1627 #[cheatcode(group = Testing, safety = Safe)]
1628 function assertLtDecimal(int256 left, int256 right, uint256 decimals, string calldata error) external pure;
1629
1630 /// Compares two `uint256` values. Expects first value to be less than or equal to second.
1631 #[cheatcode(group = Testing, safety = Safe)]
1632 function assertLe(uint256 left, uint256 right) external pure;
1633
1634 /// Compares two `uint256` values. Expects first value to be less than or equal to second.
1635 /// Includes error message into revert string on failure.
1636 #[cheatcode(group = Testing, safety = Safe)]
1637 function assertLe(uint256 left, uint256 right, string calldata error) external pure;
1638
1639 /// Compares two `int256` values. Expects first value to be less than or equal to second.
1640 #[cheatcode(group = Testing, safety = Safe)]
1641 function assertLe(int256 left, int256 right) external pure;
1642
1643 /// Compares two `int256` values. Expects first value to be less than or equal to second.
1644 /// Includes error message into revert string on failure.
1645 #[cheatcode(group = Testing, safety = Safe)]
1646 function assertLe(int256 left, int256 right, string calldata error) external pure;
1647
1648 /// Compares two `uint256` values. Expects first value to be less than or equal to second.
1649 /// Formats values with decimals in failure message.
1650 #[cheatcode(group = Testing, safety = Safe)]
1651 function assertLeDecimal(uint256 left, uint256 right, uint256 decimals) external pure;
1652
1653 /// Compares two `uint256` values. Expects first value to be less than or equal to second.
1654 /// Formats values with decimals in failure message. Includes error message into revert string on failure.
1655 #[cheatcode(group = Testing, safety = Safe)]
1656 function assertLeDecimal(uint256 left, uint256 right, uint256 decimals, string calldata error) external pure;
1657
1658 /// Compares two `int256` values. Expects first value to be less than or equal to second.
1659 /// Formats values with decimals in failure message.
1660 #[cheatcode(group = Testing, safety = Safe)]
1661 function assertLeDecimal(int256 left, int256 right, uint256 decimals) external pure;
1662
1663 /// Compares two `int256` values. Expects first value to be less than or equal to second.
1664 /// Formats values with decimals in failure message. Includes error message into revert string on failure.
1665 #[cheatcode(group = Testing, safety = Safe)]
1666 function assertLeDecimal(int256 left, int256 right, uint256 decimals, string calldata error) external pure;
1667
1668 /// Compares two `uint256` values. Expects difference to be less than or equal to `maxDelta`.
1669 #[cheatcode(group = Testing, safety = Safe)]
1670 function assertApproxEqAbs(uint256 left, uint256 right, uint256 maxDelta) external pure;
1671
1672 /// Compares two `uint256` values. Expects difference to be less than or equal to `maxDelta`.
1673 /// Includes error message into revert string on failure.
1674 #[cheatcode(group = Testing, safety = Safe)]
1675 function assertApproxEqAbs(uint256 left, uint256 right, uint256 maxDelta, string calldata error) external pure;
1676
1677 /// Compares two `int256` values. Expects difference to be less than or equal to `maxDelta`.
1678 #[cheatcode(group = Testing, safety = Safe)]
1679 function assertApproxEqAbs(int256 left, int256 right, uint256 maxDelta) external pure;
1680
1681 /// Compares two `int256` values. Expects difference to be less than or equal to `maxDelta`.
1682 /// Includes error message into revert string on failure.
1683 #[cheatcode(group = Testing, safety = Safe)]
1684 function assertApproxEqAbs(int256 left, int256 right, uint256 maxDelta, string calldata error) external pure;
1685
1686 /// Compares two `uint256` values. Expects difference to be less than or equal to `maxDelta`.
1687 /// Formats values with decimals in failure message.
1688 #[cheatcode(group = Testing, safety = Safe)]
1689 function assertApproxEqAbsDecimal(uint256 left, uint256 right, uint256 maxDelta, uint256 decimals) external pure;
1690
1691 /// Compares two `uint256` values. Expects difference to be less than or equal to `maxDelta`.
1692 /// Formats values with decimals in failure message. Includes error message into revert string on failure.
1693 #[cheatcode(group = Testing, safety = Safe)]
1694 function assertApproxEqAbsDecimal(
1695 uint256 left,
1696 uint256 right,
1697 uint256 maxDelta,
1698 uint256 decimals,
1699 string calldata error
1700 ) external pure;
1701
1702 /// Compares two `int256` values. Expects difference to be less than or equal to `maxDelta`.
1703 /// Formats values with decimals in failure message.
1704 #[cheatcode(group = Testing, safety = Safe)]
1705 function assertApproxEqAbsDecimal(int256 left, int256 right, uint256 maxDelta, uint256 decimals) external pure;
1706
1707 /// Compares two `int256` values. Expects difference to be less than or equal to `maxDelta`.
1708 /// Formats values with decimals in failure message. Includes error message into revert string on failure.
1709 #[cheatcode(group = Testing, safety = Safe)]
1710 function assertApproxEqAbsDecimal(
1711 int256 left,
1712 int256 right,
1713 uint256 maxDelta,
1714 uint256 decimals,
1715 string calldata error
1716 ) external pure;
1717
1718 /// Compares two `uint256` values. Expects relative difference in percents to be less than or equal to `maxPercentDelta`.
1719 /// `maxPercentDelta` is an 18 decimal fixed point number, where 1e18 == 100%
1720 #[cheatcode(group = Testing, safety = Safe)]
1721 function assertApproxEqRel(uint256 left, uint256 right, uint256 maxPercentDelta) external pure;
1722
1723 /// Compares two `uint256` values. Expects relative difference in percents to be less than or equal to `maxPercentDelta`.
1724 /// `maxPercentDelta` is an 18 decimal fixed point number, where 1e18 == 100%
1725 /// Includes error message into revert string on failure.
1726 #[cheatcode(group = Testing, safety = Safe)]
1727 function assertApproxEqRel(uint256 left, uint256 right, uint256 maxPercentDelta, string calldata error) external pure;
1728
1729 /// Compares two `int256` values. Expects relative difference in percents to be less than or equal to `maxPercentDelta`.
1730 /// `maxPercentDelta` is an 18 decimal fixed point number, where 1e18 == 100%
1731 #[cheatcode(group = Testing, safety = Safe)]
1732 function assertApproxEqRel(int256 left, int256 right, uint256 maxPercentDelta) external pure;
1733
1734 /// Compares two `int256` values. Expects relative difference in percents to be less than or equal to `maxPercentDelta`.
1735 /// `maxPercentDelta` is an 18 decimal fixed point number, where 1e18 == 100%
1736 /// Includes error message into revert string on failure.
1737 #[cheatcode(group = Testing, safety = Safe)]
1738 function assertApproxEqRel(int256 left, int256 right, uint256 maxPercentDelta, string calldata error) external pure;
1739
1740 /// Compares two `uint256` values. Expects relative difference in percents to be less than or equal to `maxPercentDelta`.
1741 /// `maxPercentDelta` is an 18 decimal fixed point number, where 1e18 == 100%
1742 /// Formats values with decimals in failure message.
1743 #[cheatcode(group = Testing, safety = Safe)]
1744 function assertApproxEqRelDecimal(
1745 uint256 left,
1746 uint256 right,
1747 uint256 maxPercentDelta,
1748 uint256 decimals
1749 ) external pure;
1750
1751 /// Compares two `uint256` values. Expects relative difference in percents to be less than or equal to `maxPercentDelta`.
1752 /// `maxPercentDelta` is an 18 decimal fixed point number, where 1e18 == 100%
1753 /// Formats values with decimals in failure message. Includes error message into revert string on failure.
1754 #[cheatcode(group = Testing, safety = Safe)]
1755 function assertApproxEqRelDecimal(
1756 uint256 left,
1757 uint256 right,
1758 uint256 maxPercentDelta,
1759 uint256 decimals,
1760 string calldata error
1761 ) external pure;
1762
1763 /// Compares two `int256` values. Expects relative difference in percents to be less than or equal to `maxPercentDelta`.
1764 /// `maxPercentDelta` is an 18 decimal fixed point number, where 1e18 == 100%
1765 /// Formats values with decimals in failure message.
1766 #[cheatcode(group = Testing, safety = Safe)]
1767 function assertApproxEqRelDecimal(
1768 int256 left,
1769 int256 right,
1770 uint256 maxPercentDelta,
1771 uint256 decimals
1772 ) external pure;
1773
1774 /// Compares two `int256` values. Expects relative difference in percents to be less than or equal to `maxPercentDelta`.
1775 /// `maxPercentDelta` is an 18 decimal fixed point number, where 1e18 == 100%
1776 /// Formats values with decimals in failure message. Includes error message into revert string on failure.
1777 #[cheatcode(group = Testing, safety = Safe)]
1778 function assertApproxEqRelDecimal(
1779 int256 left,
1780 int256 right,
1781 uint256 maxPercentDelta,
1782 uint256 decimals,
1783 string calldata error
1784 ) external pure;
1785
1786 /// Returns true if the current Foundry version is greater than or equal to the given version.
1787 /// The given version string must be in the format `major.minor.patch`.
1788 ///
1789 /// This is equivalent to `foundryVersionCmp(version) >= 0`.
1790 #[cheatcode(group = Testing, safety = Safe)]
1791 function foundryVersionAtLeast(string calldata version) external view returns (bool);
1792
1793 /// Compares the current Foundry version with the given version string.
1794 /// The given version string must be in the format `major.minor.patch`.
1795 ///
1796 /// Returns:
1797 /// -1 if current Foundry version is less than the given version
1798 /// 0 if current Foundry version equals the given version
1799 /// 1 if current Foundry version is greater than the given version
1800 ///
1801 /// This result can then be used with a comparison operator against `0`.
1802 /// For example, to check if the current Foundry version is greater than or equal to `1.0.0`:
1803 /// `if (foundryVersionCmp("1.0.0") >= 0) { ... }`
1804 #[cheatcode(group = Testing, safety = Safe)]
1805 function foundryVersionCmp(string calldata version) external view returns (int256);
1806
1807 // ======== OS and Filesystem ========
1808
1809 // -------- Metadata --------
1810
1811 /// Returns true if the given path points to an existing entity, else returns false.
1812 #[cheatcode(group = Filesystem)]
1813 function exists(string calldata path) external view returns (bool result);
1814
1815 /// Given a path, query the file system to get information about a file, directory, etc.
1816 #[cheatcode(group = Filesystem)]
1817 function fsMetadata(string calldata path) external view returns (FsMetadata memory metadata);
1818
1819 /// Returns true if the path exists on disk and is pointing at a directory, else returns false.
1820 #[cheatcode(group = Filesystem)]
1821 function isDir(string calldata path) external view returns (bool result);
1822
1823 /// Returns true if the path exists on disk and is pointing at a regular file, else returns false.
1824 #[cheatcode(group = Filesystem)]
1825 function isFile(string calldata path) external view returns (bool result);
1826
1827 /// Get the path of the current project root.
1828 #[cheatcode(group = Filesystem)]
1829 function projectRoot() external view returns (string memory path);
1830
1831 /// Get the source file path of the currently running test or script contract,
1832 /// relative to the project root.
1833 #[cheatcode(group = Filesystem)]
1834 function currentFilePath() external view returns (string memory path);
1835
1836 /// Returns the time since unix epoch in milliseconds.
1837 #[cheatcode(group = Filesystem)]
1838 function unixTime() external view returns (uint256 milliseconds);
1839
1840 // -------- Reading and writing --------
1841
1842 /// Closes file for reading, resetting the offset and allowing to read it from beginning with readLine.
1843 /// `path` is relative to the project root.
1844 #[cheatcode(group = Filesystem)]
1845 function closeFile(string calldata path) external;
1846
1847 /// Copies the contents of one file to another. This function will **overwrite** the contents of `to`.
1848 /// On success, the total number of bytes copied is returned and it is equal to the length of the `to` file as reported by `metadata`.
1849 /// Both `from` and `to` are relative to the project root.
1850 #[cheatcode(group = Filesystem)]
1851 function copyFile(string calldata from, string calldata to) external returns (uint64 copied);
1852
1853 /// Creates a new, empty directory at the provided path.
1854 /// This cheatcode will revert in the following situations, but is not limited to just these cases:
1855 /// - User lacks permissions to modify `path`.
1856 /// - A parent of the given path doesn't exist and `recursive` is false.
1857 /// - `path` already exists and `recursive` is false.
1858 /// `path` is relative to the project root.
1859 #[cheatcode(group = Filesystem)]
1860 function createDir(string calldata path, bool recursive) external;
1861
1862 /// Reads the directory at the given path recursively, up to `maxDepth`.
1863 /// `maxDepth` defaults to 1, meaning only the direct children of the given directory will be returned.
1864 /// Follows symbolic links if `followLinks` is true.
1865 #[cheatcode(group = Filesystem)]
1866 function readDir(string calldata path) external view returns (DirEntry[] memory entries);
1867 /// See `readDir(string)`.
1868 #[cheatcode(group = Filesystem)]
1869 function readDir(string calldata path, uint64 maxDepth) external view returns (DirEntry[] memory entries);
1870 /// See `readDir(string)`.
1871 #[cheatcode(group = Filesystem)]
1872 function readDir(string calldata path, uint64 maxDepth, bool followLinks)
1873 external
1874 view
1875 returns (DirEntry[] memory entries);
1876
1877 /// Reads the entire content of file to string. `path` is relative to the project root.
1878 #[cheatcode(group = Filesystem)]
1879 function readFile(string calldata path) external view returns (string memory data);
1880
1881 /// Reads the entire content of file as binary. `path` is relative to the project root.
1882 #[cheatcode(group = Filesystem)]
1883 function readFileBinary(string calldata path) external view returns (bytes memory data);
1884
1885 /// Reads next line of file to string.
1886 #[cheatcode(group = Filesystem)]
1887 function readLine(string calldata path) external view returns (string memory line);
1888
1889 /// Reads a symbolic link, returning the path that the link points to.
1890 /// This cheatcode will revert in the following situations, but is not limited to just these cases:
1891 /// - `path` is not a symbolic link.
1892 /// - `path` does not exist.
1893 #[cheatcode(group = Filesystem)]
1894 function readLink(string calldata linkPath) external view returns (string memory targetPath);
1895
1896 /// Removes a directory at the provided path.
1897 /// This cheatcode will revert in the following situations, but is not limited to just these cases:
1898 /// - `path` doesn't exist.
1899 /// - `path` isn't a directory.
1900 /// - User lacks permissions to modify `path`.
1901 /// - The directory is not empty and `recursive` is false.
1902 /// `path` is relative to the project root.
1903 #[cheatcode(group = Filesystem)]
1904 function removeDir(string calldata path, bool recursive) external;
1905
1906 /// Removes a file from the filesystem.
1907 /// This cheatcode will revert in the following situations, but is not limited to just these cases:
1908 /// - `path` points to a directory.
1909 /// - The file doesn't exist.
1910 /// - The user lacks permissions to remove the file.
1911 /// `path` is relative to the project root.
1912 #[cheatcode(group = Filesystem)]
1913 function removeFile(string calldata path) external;
1914
1915 /// Writes data to file, creating a file if it does not exist, and entirely replacing its contents if it does.
1916 /// `path` is relative to the project root.
1917 #[cheatcode(group = Filesystem)]
1918 function writeFile(string calldata path, string calldata data) external;
1919
1920 /// Writes binary data to a file, creating a file if it does not exist, and entirely replacing its contents if it does.
1921 /// `path` is relative to the project root.
1922 #[cheatcode(group = Filesystem)]
1923 function writeFileBinary(string calldata path, bytes calldata data) external;
1924
1925 /// Writes line to file, creating a file if it does not exist.
1926 /// `path` is relative to the project root.
1927 #[cheatcode(group = Filesystem)]
1928 function writeLine(string calldata path, string calldata data) external;
1929
1930 /// Gets the artifact path from code (aka. creation code).
1931 #[cheatcode(group = Filesystem)]
1932 function getArtifactPathByCode(bytes calldata code) external view returns (string memory path);
1933
1934 /// Gets the artifact path from deployed code (aka. runtime code).
1935 #[cheatcode(group = Filesystem)]
1936 function getArtifactPathByDeployedCode(bytes calldata deployedCode) external view returns (string memory path);
1937
1938 /// Gets the creation bytecode from an artifact file. Takes in the relative path to the json file or the path to the
1939 /// artifact in the form of <path>:<contract>:<version> where <contract> and <version> parts are optional.
1940 #[cheatcode(group = Filesystem)]
1941 function getCode(string calldata artifactPath) external view returns (bytes memory creationBytecode);
1942
1943 /// Deploys a contract from an artifact file. Takes in the relative path to the json file or the path to the
1944 /// artifact in the form of <path>:<contract>:<version> where <contract> and <version> parts are optional.
1945 /// Reverts if the target artifact contains unlinked library placeholders.
1946 #[cheatcode(group = Filesystem)]
1947 function deployCode(string calldata artifactPath) external returns (address deployedAddress);
1948
1949 /// Deploys a contract from an artifact file. Takes in the relative path to the json file or the path to the
1950 /// artifact in the form of <path>:<contract>:<version> where <contract> and <version> parts are optional.
1951 /// Reverts if the target artifact contains unlinked library placeholders.
1952 ///
1953 /// Additionally accepts abi-encoded constructor arguments.
1954 #[cheatcode(group = Filesystem)]
1955 function deployCode(string calldata artifactPath, bytes calldata constructorArgs) external returns (address deployedAddress);
1956
1957 /// Deploys a contract from an artifact file. Takes in the relative path to the json file or the path to the
1958 /// artifact in the form of <path>:<contract>:<version> where <contract> and <version> parts are optional.
1959 /// Reverts if the target artifact contains unlinked library placeholders.
1960 ///
1961 /// Additionally accepts `msg.value`.
1962 #[cheatcode(group = Filesystem)]
1963 function deployCode(string calldata artifactPath, uint256 value) external returns (address deployedAddress);
1964
1965 /// Deploys a contract from an artifact file. Takes in the relative path to the json file or the path to the
1966 /// artifact in the form of <path>:<contract>:<version> where <contract> and <version> parts are optional.
1967 /// Reverts if the target artifact contains unlinked library placeholders.
1968 ///
1969 /// Additionally accepts abi-encoded constructor arguments and `msg.value`.
1970 #[cheatcode(group = Filesystem)]
1971 function deployCode(string calldata artifactPath, bytes calldata constructorArgs, uint256 value) external returns (address deployedAddress);
1972
1973 /// Deploys a contract from an artifact file, using the CREATE2 salt. Takes in the relative path to the json file or the path to the
1974 /// artifact in the form of <path>:<contract>:<version> where <contract> and <version> parts are optional.
1975 /// Reverts if the target artifact contains unlinked library placeholders.
1976 #[cheatcode(group = Filesystem)]
1977 function deployCode(string calldata artifactPath, bytes32 salt) external returns (address deployedAddress);
1978
1979 /// Deploys a contract from an artifact file, using the CREATE2 salt. Takes in the relative path to the json file or the path to the
1980 /// artifact in the form of <path>:<contract>:<version> where <contract> and <version> parts are optional.
1981 /// Reverts if the target artifact contains unlinked library placeholders.
1982 ///
1983 /// Additionally accepts abi-encoded constructor arguments.
1984 #[cheatcode(group = Filesystem)]
1985 function deployCode(string calldata artifactPath, bytes calldata constructorArgs, bytes32 salt) external returns (address deployedAddress);
1986
1987 /// Deploys a contract from an artifact file, using the CREATE2 salt. Takes in the relative path to the json file or the path to the
1988 /// artifact in the form of <path>:<contract>:<version> where <contract> and <version> parts are optional.
1989 /// Reverts if the target artifact contains unlinked library placeholders.
1990 ///
1991 /// Additionally accepts `msg.value`.
1992 #[cheatcode(group = Filesystem)]
1993 function deployCode(string calldata artifactPath, uint256 value, bytes32 salt) external returns (address deployedAddress);
1994
1995 /// Deploys a contract from an artifact file, using the CREATE2 salt. Takes in the relative path to the json file or the path to the
1996 /// artifact in the form of <path>:<contract>:<version> where <contract> and <version> parts are optional.
1997 /// Reverts if the target artifact contains unlinked library placeholders.
1998 ///
1999 /// Additionally accepts abi-encoded constructor arguments and `msg.value`.
2000 #[cheatcode(group = Filesystem)]
2001 function deployCode(string calldata artifactPath, bytes calldata constructorArgs, uint256 value, bytes32 salt) external returns (address deployedAddress);
2002
2003 /// Gets the deployed bytecode from an artifact file. Takes in the relative path to the json file or the path to the
2004 /// artifact in the form of <path>:<contract>:<version> where <contract> and <version> parts are optional.
2005 #[cheatcode(group = Filesystem)]
2006 function getDeployedCode(string calldata artifactPath) external view returns (bytes memory runtimeBytecode);
2007
2008 /// Returns the most recent broadcast for the given contract on `chainId` matching `txType`.
2009 ///
2010 /// For example:
2011 ///
2012 /// The most recent deployment can be fetched by passing `txType` as `CREATE` or `CREATE2`.
2013 ///
2014 /// The most recent call can be fetched by passing `txType` as `CALL`.
2015 #[cheatcode(group = Filesystem)]
2016 function getBroadcast(string calldata contractName, uint64 chainId, BroadcastTxType txType) external view returns (BroadcastTxSummary memory);
2017
2018 /// Returns all broadcasts for the given contract on `chainId` with the specified `txType`.
2019 ///
2020 /// Sorted such that the most recent broadcast is the first element, and the oldest is the last. i.e descending order of BroadcastTxSummary.blockNumber.
2021 #[cheatcode(group = Filesystem)]
2022 function getBroadcasts(string calldata contractName, uint64 chainId, BroadcastTxType txType) external view returns (BroadcastTxSummary[] memory);
2023
2024 /// Returns all broadcasts for the given contract on `chainId`.
2025 ///
2026 /// Sorted such that the most recent broadcast is the first element, and the oldest is the last. i.e descending order of BroadcastTxSummary.blockNumber.
2027 #[cheatcode(group = Filesystem)]
2028 function getBroadcasts(string calldata contractName, uint64 chainId) external view returns (BroadcastTxSummary[] memory);
2029
2030 /// Returns the most recent deployment for the current `chainId`.
2031 #[cheatcode(group = Filesystem)]
2032 function getDeployment(string calldata contractName) external view returns (address deployedAddress);
2033
2034 /// Returns the most recent deployment for the given contract on `chainId`
2035 #[cheatcode(group = Filesystem)]
2036 function getDeployment(string calldata contractName, uint64 chainId) external view returns (address deployedAddress);
2037
2038 /// Returns all deployments for the given contract on `chainId`
2039 ///
2040 /// Sorted in descending order of deployment time i.e descending order of BroadcastTxSummary.blockNumber.
2041 ///
2042 /// The most recent deployment is the first element, and the oldest is the last.
2043 #[cheatcode(group = Filesystem)]
2044 function getDeployments(string calldata contractName, uint64 chainId) external view returns (address[] memory deployedAddresses);
2045
2046 // -------- Foreign Function Interface --------
2047
2048 /// Performs a foreign function call via the terminal.
2049 #[cheatcode(group = Filesystem)]
2050 function ffi(string[] calldata commandInput) external returns (bytes memory result);
2051
2052 /// Performs a foreign function call via terminal and returns the exit code, stdout, and stderr.
2053 #[cheatcode(group = Filesystem)]
2054 function tryFfi(string[] calldata commandInput) external returns (FfiResult memory result);
2055
2056 // -------- User Interaction --------
2057
2058 /// Prompts the user for a string value in the terminal.
2059 #[cheatcode(group = Filesystem)]
2060 function prompt(string calldata promptText) external returns (string memory input);
2061
2062 /// Prompts the user for a hidden string value in the terminal.
2063 #[cheatcode(group = Filesystem)]
2064 function promptSecret(string calldata promptText) external returns (string memory input);
2065
2066 /// Prompts the user for hidden uint256 in the terminal (usually pk).
2067 #[cheatcode(group = Filesystem)]
2068 function promptSecretUint(string calldata promptText) external returns (uint256);
2069
2070 /// Prompts the user for an address in the terminal.
2071 #[cheatcode(group = Filesystem)]
2072 function promptAddress(string calldata promptText) external returns (address);
2073
2074 /// Prompts the user for uint256 in the terminal.
2075 #[cheatcode(group = Filesystem)]
2076 function promptUint(string calldata promptText) external returns (uint256);
2077
2078 // ======== Environment Variables ========
2079
2080 /// Resolves the env variable placeholders of a given input string.
2081 #[cheatcode(group = Environment)]
2082 function resolveEnv(string calldata input) external returns (string memory);
2083
2084 /// Sets environment variables.
2085 #[cheatcode(group = Environment)]
2086 function setEnv(string calldata name, string calldata value) external;
2087
2088 /// Gets the environment variable `name` and returns true if it exists, else returns false.
2089 #[cheatcode(group = Environment)]
2090 function envExists(string calldata name) external view returns (bool result);
2091
2092 /// Gets the environment variable `name` and parses it as `bool`.
2093 /// Reverts if the variable was not found or could not be parsed.
2094 #[cheatcode(group = Environment)]
2095 function envBool(string calldata name) external view returns (bool value);
2096 /// Gets the environment variable `name` and parses it as `uint256`.
2097 /// Reverts if the variable was not found or could not be parsed.
2098 #[cheatcode(group = Environment)]
2099 function envUint(string calldata name) external view returns (uint256 value);
2100 /// Gets the environment variable `name` and parses it as `int256`.
2101 /// Reverts if the variable was not found or could not be parsed.
2102 #[cheatcode(group = Environment)]
2103 function envInt(string calldata name) external view returns (int256 value);
2104 /// Gets the environment variable `name` and parses it as `address`.
2105 /// Reverts if the variable was not found or could not be parsed.
2106 #[cheatcode(group = Environment)]
2107 function envAddress(string calldata name) external view returns (address value);
2108 /// Gets the environment variable `name` and parses it as `bytes32`.
2109 /// Reverts if the variable was not found or could not be parsed.
2110 #[cheatcode(group = Environment)]
2111 function envBytes32(string calldata name) external view returns (bytes32 value);
2112 /// Gets the environment variable `name` and parses it as `string`.
2113 /// Reverts if the variable was not found or could not be parsed.
2114 #[cheatcode(group = Environment)]
2115 function envString(string calldata name) external view returns (string memory value);
2116 /// Gets the environment variable `name` and parses it as `bytes`.
2117 /// Reverts if the variable was not found or could not be parsed.
2118 #[cheatcode(group = Environment)]
2119 function envBytes(string calldata name) external view returns (bytes memory value);
2120
2121 /// Gets the environment variable `name` and parses it as an array of `bool`, delimited by `delim`.
2122 /// Reverts if the variable was not found or could not be parsed.
2123 #[cheatcode(group = Environment)]
2124 function envBool(string calldata name, string calldata delim) external view returns (bool[] memory value);
2125 /// Gets the environment variable `name` and parses it as an array of `uint256`, delimited by `delim`.
2126 /// Reverts if the variable was not found or could not be parsed.
2127 #[cheatcode(group = Environment)]
2128 function envUint(string calldata name, string calldata delim) external view returns (uint256[] memory value);
2129 /// Gets the environment variable `name` and parses it as an array of `int256`, delimited by `delim`.
2130 /// Reverts if the variable was not found or could not be parsed.
2131 #[cheatcode(group = Environment)]
2132 function envInt(string calldata name, string calldata delim) external view returns (int256[] memory value);
2133 /// Gets the environment variable `name` and parses it as an array of `address`, delimited by `delim`.
2134 /// Reverts if the variable was not found or could not be parsed.
2135 #[cheatcode(group = Environment)]
2136 function envAddress(string calldata name, string calldata delim) external view returns (address[] memory value);
2137 /// Gets the environment variable `name` and parses it as an array of `bytes32`, delimited by `delim`.
2138 /// Reverts if the variable was not found or could not be parsed.
2139 #[cheatcode(group = Environment)]
2140 function envBytes32(string calldata name, string calldata delim) external view returns (bytes32[] memory value);
2141 /// Gets the environment variable `name` and parses it as an array of `string`, delimited by `delim`.
2142 /// Reverts if the variable was not found or could not be parsed.
2143 #[cheatcode(group = Environment)]
2144 function envString(string calldata name, string calldata delim) external view returns (string[] memory value);
2145 /// Gets the environment variable `name` and parses it as an array of `bytes`, delimited by `delim`.
2146 /// Reverts if the variable was not found or could not be parsed.
2147 #[cheatcode(group = Environment)]
2148 function envBytes(string calldata name, string calldata delim) external view returns (bytes[] memory value);
2149
2150 /// Gets the environment variable `name` and parses it as `bool`.
2151 /// Reverts if the variable could not be parsed.
2152 /// Returns `defaultValue` if the variable was not found.
2153 #[cheatcode(group = Environment)]
2154 function envOr(string calldata name, bool defaultValue) external view returns (bool value);
2155 /// Gets the environment variable `name` and parses it as `uint256`.
2156 /// Reverts if the variable could not be parsed.
2157 /// Returns `defaultValue` if the variable was not found.
2158 #[cheatcode(group = Environment)]
2159 function envOr(string calldata name, uint256 defaultValue) external view returns (uint256 value);
2160 /// Gets the environment variable `name` and parses it as `int256`.
2161 /// Reverts if the variable could not be parsed.
2162 /// Returns `defaultValue` if the variable was not found.
2163 #[cheatcode(group = Environment)]
2164 function envOr(string calldata name, int256 defaultValue) external view returns (int256 value);
2165 /// Gets the environment variable `name` and parses it as `address`.
2166 /// Reverts if the variable could not be parsed.
2167 /// Returns `defaultValue` if the variable was not found.
2168 #[cheatcode(group = Environment)]
2169 function envOr(string calldata name, address defaultValue) external view returns (address value);
2170 /// Gets the environment variable `name` and parses it as `bytes32`.
2171 /// Reverts if the variable could not be parsed.
2172 /// Returns `defaultValue` if the variable was not found.
2173 #[cheatcode(group = Environment)]
2174 function envOr(string calldata name, bytes32 defaultValue) external view returns (bytes32 value);
2175 /// Gets the environment variable `name` and parses it as `string`.
2176 /// Reverts if the variable could not be parsed.
2177 /// Returns `defaultValue` if the variable was not found.
2178 #[cheatcode(group = Environment)]
2179 function envOr(string calldata name, string calldata defaultValue) external view returns (string memory value);
2180 /// Gets the environment variable `name` and parses it as `bytes`.
2181 /// Reverts if the variable could not be parsed.
2182 /// Returns `defaultValue` if the variable was not found.
2183 #[cheatcode(group = Environment)]
2184 function envOr(string calldata name, bytes calldata defaultValue) external view returns (bytes memory value);
2185
2186 /// Gets the environment variable `name` and parses it as an array of `bool`, delimited by `delim`.
2187 /// Reverts if the variable could not be parsed.
2188 /// Returns `defaultValue` if the variable was not found.
2189 #[cheatcode(group = Environment)]
2190 function envOr(string calldata name, string calldata delim, bool[] calldata defaultValue)
2191 external view
2192 returns (bool[] memory value);
2193 /// Gets the environment variable `name` and parses it as an array of `uint256`, delimited by `delim`.
2194 /// Reverts if the variable could not be parsed.
2195 /// Returns `defaultValue` if the variable was not found.
2196 #[cheatcode(group = Environment)]
2197 function envOr(string calldata name, string calldata delim, uint256[] calldata defaultValue)
2198 external view
2199 returns (uint256[] memory value);
2200 /// Gets the environment variable `name` and parses it as an array of `int256`, delimited by `delim`.
2201 /// Reverts if the variable could not be parsed.
2202 /// Returns `defaultValue` if the variable was not found.
2203 #[cheatcode(group = Environment)]
2204 function envOr(string calldata name, string calldata delim, int256[] calldata defaultValue)
2205 external view
2206 returns (int256[] memory value);
2207 /// Gets the environment variable `name` and parses it as an array of `address`, delimited by `delim`.
2208 /// Reverts if the variable could not be parsed.
2209 /// Returns `defaultValue` if the variable was not found.
2210 #[cheatcode(group = Environment)]
2211 function envOr(string calldata name, string calldata delim, address[] calldata defaultValue)
2212 external view
2213 returns (address[] memory value);
2214 /// Gets the environment variable `name` and parses it as an array of `bytes32`, delimited by `delim`.
2215 /// Reverts if the variable could not be parsed.
2216 /// Returns `defaultValue` if the variable was not found.
2217 #[cheatcode(group = Environment)]
2218 function envOr(string calldata name, string calldata delim, bytes32[] calldata defaultValue)
2219 external view
2220 returns (bytes32[] memory value);
2221 /// Gets the environment variable `name` and parses it as an array of `string`, delimited by `delim`.
2222 /// Reverts if the variable could not be parsed.
2223 /// Returns `defaultValue` if the variable was not found.
2224 #[cheatcode(group = Environment)]
2225 function envOr(string calldata name, string calldata delim, string[] calldata defaultValue)
2226 external view
2227 returns (string[] memory value);
2228 /// Gets the environment variable `name` and parses it as an array of `bytes`, delimited by `delim`.
2229 /// Reverts if the variable could not be parsed.
2230 /// Returns `defaultValue` if the variable was not found.
2231 #[cheatcode(group = Environment)]
2232 function envOr(string calldata name, string calldata delim, bytes[] calldata defaultValue)
2233 external view
2234 returns (bytes[] memory value);
2235
2236 /// Returns true if `forge` command was executed in given context.
2237 #[cheatcode(group = Environment)]
2238 function isContext(ForgeContext context) external view returns (bool result);
2239
2240 // ======== Scripts ========
2241 // -------- Broadcasting Transactions --------
2242
2243 /// Has the next call (at this call depth only) create transactions that can later be signed and sent onchain.
2244 ///
2245 /// Broadcasting address is determined by checking the following in order:
2246 /// 1. If `--sender` argument was provided, that address is used.
2247 /// 2. If exactly one signer (e.g. private key, hw wallet, keystore) is set when `forge broadcast` is invoked, that signer is used.
2248 /// 3. Otherwise, default foundry sender (1804c8AB1F12E6bbf3894d4083f33e07309d1f38) is used.
2249 #[cheatcode(group = Scripting)]
2250 function broadcast() external;
2251
2252 /// Has the next call (at this call depth only) create a transaction with the address provided
2253 /// as the sender that can later be signed and sent onchain.
2254 #[cheatcode(group = Scripting)]
2255 function broadcast(address signer) external;
2256
2257 /// Has the next call (at this call depth only) create a transaction with the private key
2258 /// provided as the sender that can later be signed and sent onchain.
2259 #[cheatcode(group = Scripting)]
2260 function broadcast(uint256 privateKey) external;
2261
2262 /// Has all subsequent calls (at this call depth only) create transactions that can later be signed and sent onchain.
2263 ///
2264 /// Broadcasting address is determined by checking the following in order:
2265 /// 1. If `--sender` argument was provided, that address is used.
2266 /// 2. If exactly one signer (e.g. private key, hw wallet, keystore) is set when `forge broadcast` is invoked, that signer is used.
2267 /// 3. Otherwise, default foundry sender (1804c8AB1F12E6bbf3894d4083f33e07309d1f38) is used.
2268 #[cheatcode(group = Scripting)]
2269 function startBroadcast() external;
2270
2271 /// Has all subsequent calls (at this call depth only) create transactions with the address
2272 /// provided that can later be signed and sent onchain.
2273 #[cheatcode(group = Scripting)]
2274 function startBroadcast(address signer) external;
2275
2276 /// Has all subsequent calls (at this call depth only) create transactions with the private key
2277 /// provided that can later be signed and sent onchain.
2278 #[cheatcode(group = Scripting)]
2279 function startBroadcast(uint256 privateKey) external;
2280
2281 /// Stops collecting onchain transactions.
2282 #[cheatcode(group = Scripting)]
2283 function stopBroadcast() external;
2284
2285 /// Takes a signed transaction and broadcasts it to the network.
2286 #[cheatcode(group = Scripting)]
2287 function broadcastRawTransaction(bytes calldata data) external;
2288
2289 /// Sign an EIP-7702 authorization for delegation
2290 #[cheatcode(group = Scripting)]
2291 function signDelegation(address implementation, uint256 privateKey) external returns (SignedDelegation memory signedDelegation);
2292
2293 /// Sign an EIP-7702 authorization for delegation for specific nonce
2294 #[cheatcode(group = Scripting)]
2295 function signDelegation(address implementation, uint256 privateKey, uint64 nonce) external returns (SignedDelegation memory signedDelegation);
2296
2297 /// Sign an EIP-7702 authorization for delegation, with optional cross-chain validity.
2298 #[cheatcode(group = Scripting)]
2299 function signDelegation(address implementation, uint256 privateKey, bool crossChain) external returns (SignedDelegation memory signedDelegation);
2300
2301 /// Designate the next call as an EIP-7702 transaction
2302 #[cheatcode(group = Scripting)]
2303 function attachDelegation(SignedDelegation calldata signedDelegation) external;
2304
2305 /// Designate the next call as an EIP-7702 transaction, with optional cross-chain validity.
2306 #[cheatcode(group = Scripting)]
2307 function attachDelegation(SignedDelegation calldata signedDelegation, bool crossChain) external;
2308
2309 /// Sign an EIP-7702 authorization and designate the next call as an EIP-7702 transaction
2310 #[cheatcode(group = Scripting)]
2311 function signAndAttachDelegation(address implementation, uint256 privateKey) external returns (SignedDelegation memory signedDelegation);
2312
2313 /// Sign an EIP-7702 authorization and designate the next call as an EIP-7702 transaction for specific nonce
2314 #[cheatcode(group = Scripting)]
2315 function signAndAttachDelegation(address implementation, uint256 privateKey, uint64 nonce) external returns (SignedDelegation memory signedDelegation);
2316
2317 /// Sign an EIP-7702 authorization and designate the next call as an EIP-7702 transaction, with optional cross-chain validity.
2318 #[cheatcode(group = Scripting)]
2319 function signAndAttachDelegation(address implementation, uint256 privateKey, bool crossChain) external returns (SignedDelegation memory signedDelegation);
2320
2321 /// Attach an EIP-4844 blob to the next call
2322 #[cheatcode(group = Scripting)]
2323 function attachBlob(bytes calldata blob) external;
2324
2325 /// Returns addresses of available unlocked wallets in the script environment.
2326 #[cheatcode(group = Scripting)]
2327 function getWallets() external view returns (address[] memory wallets);
2328
2329 // ======== Utilities ========
2330
2331 // -------- Strings --------
2332
2333 /// Converts the given value to a `string`.
2334 #[cheatcode(group = String)]
2335 function toString(address value) external pure returns (string memory stringifiedValue);
2336 /// Converts the given value to a `string`.
2337 #[cheatcode(group = String)]
2338 function toString(bytes calldata value) external pure returns (string memory stringifiedValue);
2339 /// Converts the given value to a `string`.
2340 #[cheatcode(group = String)]
2341 function toString(bytes32 value) external pure returns (string memory stringifiedValue);
2342 /// Converts the given value to a `string`.
2343 #[cheatcode(group = String)]
2344 function toString(bool value) external pure returns (string memory stringifiedValue);
2345 /// Converts the given value to a `string`.
2346 #[cheatcode(group = String)]
2347 function toString(uint256 value) external pure returns (string memory stringifiedValue);
2348 /// Converts the given value to a `string`.
2349 #[cheatcode(group = String)]
2350 function toString(int256 value) external pure returns (string memory stringifiedValue);
2351
2352 /// Parses the given `string` into `bytes`.
2353 #[cheatcode(group = String)]
2354 function parseBytes(string calldata stringifiedValue) external pure returns (bytes memory parsedValue);
2355 /// Parses the given `string` into an `address`.
2356 #[cheatcode(group = String)]
2357 function parseAddress(string calldata stringifiedValue) external pure returns (address parsedValue);
2358 /// Parses the given `string` into a `uint256`.
2359 #[cheatcode(group = String)]
2360 function parseUint(string calldata stringifiedValue) external pure returns (uint256 parsedValue);
2361 /// Parses the given `string` into a `int256`.
2362 #[cheatcode(group = String)]
2363 function parseInt(string calldata stringifiedValue) external pure returns (int256 parsedValue);
2364 /// Parses the given `string` into a `bytes32`.
2365 #[cheatcode(group = String)]
2366 function parseBytes32(string calldata stringifiedValue) external pure returns (bytes32 parsedValue);
2367 /// Parses the given `string` into a `bool`.
2368 #[cheatcode(group = String)]
2369 function parseBool(string calldata stringifiedValue) external pure returns (bool parsedValue);
2370
2371 /// Converts the given `string` value to Lowercase.
2372 #[cheatcode(group = String)]
2373 function toLowercase(string calldata input) external pure returns (string memory output);
2374 /// Converts the given `string` value to Uppercase.
2375 #[cheatcode(group = String)]
2376 function toUppercase(string calldata input) external pure returns (string memory output);
2377 /// Trims leading and trailing whitespace from the given `string` value.
2378 #[cheatcode(group = String)]
2379 function trim(string calldata input) external pure returns (string memory output);
2380 /// Replaces occurrences of `from` in the given `string` with `to`.
2381 #[cheatcode(group = String)]
2382 function replace(string calldata input, string calldata from, string calldata to) external pure returns (string memory output);
2383 /// Splits the given `string` into an array of strings divided by the `delimiter`.
2384 #[cheatcode(group = String)]
2385 function split(string calldata input, string calldata delimiter) external pure returns (string[] memory outputs);
2386 /// Returns the index of the first occurrence of a `key` in an `input` string.
2387 /// Returns `NOT_FOUND` (i.e. `type(uint256).max`) if the `key` is not found.
2388 /// Returns 0 in case of an empty `key`.
2389 #[cheatcode(group = String)]
2390 function indexOf(string calldata input, string calldata key) external pure returns (uint256);
2391 /// Returns true if `search` is found in `subject`, false otherwise.
2392 #[cheatcode(group = String)]
2393 function contains(string calldata subject, string calldata search) external pure returns (bool result);
2394
2395 // ======== JSON Parsing and Manipulation ========
2396
2397 // -------- Reading --------
2398
2399 // NOTE: Please read https://book.getfoundry.sh/cheatcodes/parse-json to understand the
2400 // limitations and caveats of the JSON parsing cheats.
2401
2402 /// Checks if `key` exists in a JSON object
2403 /// `keyExists` is being deprecated in favor of `keyExistsJson`. It will be removed in future versions.
2404 #[cheatcode(group = Json, status = Deprecated(Some("replaced by `keyExistsJson`")))]
2405 function keyExists(string calldata json, string calldata key) external view returns (bool);
2406 /// Checks if `key` exists in a JSON object.
2407 #[cheatcode(group = Json)]
2408 function keyExistsJson(string calldata json, string calldata key) external view returns (bool);
2409
2410 /// ABI-encodes a JSON object.
2411 #[cheatcode(group = Json)]
2412 function parseJson(string calldata json) external pure returns (bytes memory abiEncodedData);
2413 /// ABI-encodes a JSON object at `key`.
2414 #[cheatcode(group = Json)]
2415 function parseJson(string calldata json, string calldata key) external pure returns (bytes memory abiEncodedData);
2416
2417 // The following parseJson cheatcodes will do type coercion, for the type that they indicate.
2418 // For example, parseJsonUint will coerce all values to a uint256. That includes stringified numbers '12.'
2419 // and hex numbers '0xEF.'.
2420 // Type coercion works ONLY for discrete values or arrays. That means that the key must return a value or array, not
2421 // a JSON object.
2422
2423 /// Parses a string of JSON data at `key` and coerces it to `uint256`.
2424 #[cheatcode(group = Json)]
2425 function parseJsonUint(string calldata json, string calldata key) external pure returns (uint256);
2426 /// Parses a string of JSON data at `key` and coerces it to `uint256[]`.
2427 #[cheatcode(group = Json)]
2428 function parseJsonUintArray(string calldata json, string calldata key) external pure returns (uint256[] memory);
2429 /// Parses a string of JSON data at `key` and coerces it to `int256`.
2430 #[cheatcode(group = Json)]
2431 function parseJsonInt(string calldata json, string calldata key) external pure returns (int256);
2432 /// Parses a string of JSON data at `key` and coerces it to `int256[]`.
2433 #[cheatcode(group = Json)]
2434 function parseJsonIntArray(string calldata json, string calldata key) external pure returns (int256[] memory);
2435 /// Parses a string of JSON data at `key` and coerces it to `bool`.
2436 #[cheatcode(group = Json)]
2437 function parseJsonBool(string calldata json, string calldata key) external pure returns (bool);
2438 /// Parses a string of JSON data at `key` and coerces it to `bool[]`.
2439 #[cheatcode(group = Json)]
2440 function parseJsonBoolArray(string calldata json, string calldata key) external pure returns (bool[] memory);
2441 /// Parses a string of JSON data at `key` and coerces it to `address`.
2442 #[cheatcode(group = Json)]
2443 function parseJsonAddress(string calldata json, string calldata key) external pure returns (address);
2444 /// Parses a string of JSON data at `key` and coerces it to `address[]`.
2445 #[cheatcode(group = Json)]
2446 function parseJsonAddressArray(string calldata json, string calldata key)
2447 external
2448 pure
2449 returns (address[] memory);
2450 /// Parses a string of JSON data at `key` and coerces it to `string`.
2451 #[cheatcode(group = Json)]
2452 function parseJsonString(string calldata json, string calldata key) external pure returns (string memory);
2453 /// Parses a string of JSON data at `key` and coerces it to `string[]`.
2454 #[cheatcode(group = Json)]
2455 function parseJsonStringArray(string calldata json, string calldata key) external pure returns (string[] memory);
2456 /// Parses a string of JSON data at `key` and coerces it to `bytes`.
2457 #[cheatcode(group = Json)]
2458 function parseJsonBytes(string calldata json, string calldata key) external pure returns (bytes memory);
2459 /// Parses a string of JSON data at `key` and coerces it to `bytes[]`.
2460 #[cheatcode(group = Json)]
2461 function parseJsonBytesArray(string calldata json, string calldata key) external pure returns (bytes[] memory);
2462 /// Parses a string of JSON data at `key` and coerces it to `bytes32`.
2463 #[cheatcode(group = Json)]
2464 function parseJsonBytes32(string calldata json, string calldata key) external pure returns (bytes32);
2465 /// Parses a string of JSON data at `key` and coerces it to `bytes32[]`.
2466 #[cheatcode(group = Json)]
2467 function parseJsonBytes32Array(string calldata json, string calldata key)
2468 external
2469 pure
2470 returns (bytes32[] memory);
2471
2472 /// Parses a string of JSON data and coerces it to type corresponding to `typeDescription`.
2473 #[cheatcode(group = Json)]
2474 function parseJsonType(string calldata json, string calldata typeDescription) external pure returns (bytes memory);
2475 /// Parses a string of JSON data at `key` and coerces it to type corresponding to `typeDescription`.
2476 #[cheatcode(group = Json)]
2477 function parseJsonType(string calldata json, string calldata key, string calldata typeDescription) external pure returns (bytes memory);
2478 /// Parses a string of JSON data at `key` and coerces it to type array corresponding to `typeDescription`.
2479 #[cheatcode(group = Json)]
2480 function parseJsonTypeArray(string calldata json, string calldata key, string calldata typeDescription)
2481 external
2482 pure
2483 returns (bytes memory);
2484
2485 /// Returns an array of all the keys in a JSON object.
2486 #[cheatcode(group = Json)]
2487 function parseJsonKeys(string calldata json, string calldata key) external pure returns (string[] memory keys);
2488
2489 // -------- Writing --------
2490
2491 // NOTE: Please read https://book.getfoundry.sh/cheatcodes/serialize-json to understand how
2492 // to use the serialization cheats.
2493
2494 /// Serializes a key and value to a JSON object stored in-memory that can be later written to a file.
2495 /// Returns the stringified version of the specific JSON file up to that moment.
2496 #[cheatcode(group = Json)]
2497 function serializeJson(string calldata objectKey, string calldata value) external returns (string memory json);
2498
2499 /// See `serializeJson`.
2500 #[cheatcode(group = Json)]
2501 function serializeBool(string calldata objectKey, string calldata valueKey, bool value)
2502 external
2503 returns (string memory json);
2504 /// See `serializeJson`.
2505 #[cheatcode(group = Json)]
2506 function serializeUint(string calldata objectKey, string calldata valueKey, uint256 value)
2507 external
2508 returns (string memory json);
2509 /// See `serializeJson`.
2510 #[cheatcode(group = Json)]
2511 function serializeUintToHex(string calldata objectKey, string calldata valueKey, uint256 value)
2512 external
2513 returns (string memory json);
2514 /// See `serializeJson`.
2515 #[cheatcode(group = Json)]
2516 function serializeInt(string calldata objectKey, string calldata valueKey, int256 value)
2517 external
2518 returns (string memory json);
2519 /// See `serializeJson`.
2520 #[cheatcode(group = Json)]
2521 function serializeAddress(string calldata objectKey, string calldata valueKey, address value)
2522 external
2523 returns (string memory json);
2524 /// See `serializeJson`.
2525 #[cheatcode(group = Json)]
2526 function serializeBytes32(string calldata objectKey, string calldata valueKey, bytes32 value)
2527 external
2528 returns (string memory json);
2529 /// See `serializeJson`.
2530 #[cheatcode(group = Json)]
2531 function serializeString(string calldata objectKey, string calldata valueKey, string calldata value)
2532 external
2533 returns (string memory json);
2534 /// See `serializeJson`.
2535 #[cheatcode(group = Json)]
2536 function serializeBytes(string calldata objectKey, string calldata valueKey, bytes calldata value)
2537 external
2538 returns (string memory json);
2539
2540 /// See `serializeJson`.
2541 #[cheatcode(group = Json)]
2542 function serializeBool(string calldata objectKey, string calldata valueKey, bool[] calldata values)
2543 external
2544 returns (string memory json);
2545 /// See `serializeJson`.
2546 #[cheatcode(group = Json)]
2547 function serializeUint(string calldata objectKey, string calldata valueKey, uint256[] calldata values)
2548 external
2549 returns (string memory json);
2550 /// See `serializeJson`.
2551 #[cheatcode(group = Json)]
2552 function serializeInt(string calldata objectKey, string calldata valueKey, int256[] calldata values)
2553 external
2554 returns (string memory json);
2555 /// See `serializeJson`.
2556 #[cheatcode(group = Json)]
2557 function serializeAddress(string calldata objectKey, string calldata valueKey, address[] calldata values)
2558 external
2559 returns (string memory json);
2560 /// See `serializeJson`.
2561 #[cheatcode(group = Json)]
2562 function serializeBytes32(string calldata objectKey, string calldata valueKey, bytes32[] calldata values)
2563 external
2564 returns (string memory json);
2565 /// See `serializeJson`.
2566 #[cheatcode(group = Json)]
2567 function serializeString(string calldata objectKey, string calldata valueKey, string[] calldata values)
2568 external
2569 returns (string memory json);
2570 /// See `serializeJson`.
2571 #[cheatcode(group = Json)]
2572 function serializeBytes(string calldata objectKey, string calldata valueKey, bytes[] calldata values)
2573 external
2574 returns (string memory json);
2575 /// See `serializeJson`.
2576 #[cheatcode(group = Json)]
2577 function serializeJsonType(string calldata typeDescription, bytes calldata value)
2578 external
2579 pure
2580 returns (string memory json);
2581 /// See `serializeJson`.
2582 #[cheatcode(group = Json)]
2583 function serializeJsonType(string calldata objectKey, string calldata valueKey, string calldata typeDescription, bytes calldata value)
2584 external
2585 returns (string memory json);
2586
2587 // NOTE: Please read https://book.getfoundry.sh/cheatcodes/write-json to understand how
2588 // to use the JSON writing cheats.
2589
2590 /// Write a serialized JSON object to a file. If the file exists, it will be overwritten.
2591 #[cheatcode(group = Json)]
2592 function writeJson(string calldata json, string calldata path) external;
2593
2594 /// Write a serialized JSON object to an **existing** JSON file, replacing a value with key = <value_key.>
2595 /// This is useful to replace a specific value of a JSON file, without having to parse the entire thing.
2596 /// This cheatcode will create new keys if they didn't previously exist.
2597 #[cheatcode(group = Json)]
2598 function writeJson(string calldata json, string calldata path, string calldata valueKey) external;
2599
2600 // ======== TOML Parsing and Manipulation ========
2601
2602 // -------- Reading --------
2603
2604 // NOTE: Please read https://book.getfoundry.sh/cheatcodes/parse-toml to understand the
2605 // limitations and caveats of the TOML parsing cheat.
2606
2607 /// Checks if `key` exists in a TOML table.
2608 #[cheatcode(group = Toml)]
2609 function keyExistsToml(string calldata toml, string calldata key) external view returns (bool);
2610
2611 /// ABI-encodes a TOML table.
2612 #[cheatcode(group = Toml)]
2613 function parseToml(string calldata toml) external pure returns (bytes memory abiEncodedData);
2614
2615 /// ABI-encodes a TOML table at `key`.
2616 #[cheatcode(group = Toml)]
2617 function parseToml(string calldata toml, string calldata key) external pure returns (bytes memory abiEncodedData);
2618
2619 // The following parseToml cheatcodes will do type coercion, for the type that they indicate.
2620 // For example, parseTomlUint will coerce all values to a uint256. That includes stringified numbers '12.'
2621 // and hex numbers '0xEF.'.
2622 // Type coercion works ONLY for discrete values or arrays. That means that the key must return a value or array, not
2623 // a TOML table.
2624
2625 /// Parses a string of TOML data at `key` and coerces it to `uint256`.
2626 #[cheatcode(group = Toml)]
2627 function parseTomlUint(string calldata toml, string calldata key) external pure returns (uint256);
2628 /// Parses a string of TOML data at `key` and coerces it to `uint256[]`.
2629 #[cheatcode(group = Toml)]
2630 function parseTomlUintArray(string calldata toml, string calldata key) external pure returns (uint256[] memory);
2631 /// Parses a string of TOML data at `key` and coerces it to `int256`.
2632 #[cheatcode(group = Toml)]
2633 function parseTomlInt(string calldata toml, string calldata key) external pure returns (int256);
2634 /// Parses a string of TOML data at `key` and coerces it to `int256[]`.
2635 #[cheatcode(group = Toml)]
2636 function parseTomlIntArray(string calldata toml, string calldata key) external pure returns (int256[] memory);
2637 /// Parses a string of TOML data at `key` and coerces it to `bool`.
2638 #[cheatcode(group = Toml)]
2639 function parseTomlBool(string calldata toml, string calldata key) external pure returns (bool);
2640 /// Parses a string of TOML data at `key` and coerces it to `bool[]`.
2641 #[cheatcode(group = Toml)]
2642 function parseTomlBoolArray(string calldata toml, string calldata key) external pure returns (bool[] memory);
2643 /// Parses a string of TOML data at `key` and coerces it to `address`.
2644 #[cheatcode(group = Toml)]
2645 function parseTomlAddress(string calldata toml, string calldata key) external pure returns (address);
2646 /// Parses a string of TOML data at `key` and coerces it to `address[]`.
2647 #[cheatcode(group = Toml)]
2648 function parseTomlAddressArray(string calldata toml, string calldata key)
2649 external
2650 pure
2651 returns (address[] memory);
2652 /// Parses a string of TOML data at `key` and coerces it to `string`.
2653 #[cheatcode(group = Toml)]
2654 function parseTomlString(string calldata toml, string calldata key) external pure returns (string memory);
2655 /// Parses a string of TOML data at `key` and coerces it to `string[]`.
2656 #[cheatcode(group = Toml)]
2657 function parseTomlStringArray(string calldata toml, string calldata key) external pure returns (string[] memory);
2658 /// Parses a string of TOML data at `key` and coerces it to `bytes`.
2659 #[cheatcode(group = Toml)]
2660 function parseTomlBytes(string calldata toml, string calldata key) external pure returns (bytes memory);
2661 /// Parses a string of TOML data at `key` and coerces it to `bytes[]`.
2662 #[cheatcode(group = Toml)]
2663 function parseTomlBytesArray(string calldata toml, string calldata key) external pure returns (bytes[] memory);
2664 /// Parses a string of TOML data at `key` and coerces it to `bytes32`.
2665 #[cheatcode(group = Toml)]
2666 function parseTomlBytes32(string calldata toml, string calldata key) external pure returns (bytes32);
2667 /// Parses a string of TOML data at `key` and coerces it to `bytes32[]`.
2668 #[cheatcode(group = Toml)]
2669 function parseTomlBytes32Array(string calldata toml, string calldata key)
2670 external
2671 pure
2672 returns (bytes32[] memory);
2673
2674 /// Parses a string of TOML data and coerces it to type corresponding to `typeDescription`.
2675 #[cheatcode(group = Toml)]
2676 function parseTomlType(string calldata toml, string calldata typeDescription) external pure returns (bytes memory);
2677 /// Parses a string of TOML data at `key` and coerces it to type corresponding to `typeDescription`.
2678 #[cheatcode(group = Toml)]
2679 function parseTomlType(string calldata toml, string calldata key, string calldata typeDescription) external pure returns (bytes memory);
2680 /// Parses a string of TOML data at `key` and coerces it to type array corresponding to `typeDescription`.
2681 #[cheatcode(group = Toml)]
2682 function parseTomlTypeArray(string calldata toml, string calldata key, string calldata typeDescription)
2683 external
2684 pure
2685 returns (bytes memory);
2686
2687 /// Returns an array of all the keys in a TOML table.
2688 #[cheatcode(group = Toml)]
2689 function parseTomlKeys(string calldata toml, string calldata key) external pure returns (string[] memory keys);
2690
2691 // -------- Writing --------
2692
2693 // NOTE: Please read https://book.getfoundry.sh/cheatcodes/write-toml to understand how
2694 // to use the TOML writing cheat.
2695
2696 /// Takes serialized JSON, converts to TOML and write a serialized TOML to a file.
2697 #[cheatcode(group = Toml)]
2698 function writeToml(string calldata json, string calldata path) external;
2699
2700 /// Takes serialized JSON, converts to TOML and write a serialized TOML table to an **existing** TOML file, replacing a value with key = <value_key.>
2701 /// This is useful to replace a specific value of a TOML file, without having to parse the entire thing.
2702 /// This cheatcode will create new keys if they didn't previously exist.
2703 #[cheatcode(group = Toml)]
2704 function writeToml(string calldata json, string calldata path, string calldata valueKey) external;
2705
2706 // ======== Cryptography ========
2707
2708 // -------- Key Management --------
2709
2710 /// Derives a private key from the name, labels the account with that name, and returns the wallet.
2711 #[cheatcode(group = Crypto)]
2712 function createWallet(string calldata walletLabel) external returns (Wallet memory wallet);
2713
2714 /// Generates a wallet from the private key and returns the wallet.
2715 #[cheatcode(group = Crypto)]
2716 function createWallet(uint256 privateKey) external returns (Wallet memory wallet);
2717
2718 /// Generates a wallet from the private key, labels the account with that name, and returns the wallet.
2719 #[cheatcode(group = Crypto)]
2720 function createWallet(uint256 privateKey, string calldata walletLabel) external returns (Wallet memory wallet);
2721
2722 /// Signs data with a `Wallet`.
2723 #[cheatcode(group = Crypto)]
2724 function sign(Wallet calldata wallet, bytes32 digest) external pure returns (uint8 v, bytes32 r, bytes32 s);
2725
2726 /// Signs data with a `Wallet`.
2727 ///
2728 /// Returns a compact signature (`r`, `vs`) as per EIP-2098, where `vs` encodes both the
2729 /// signature's `s` value, and the recovery id `v` in a single bytes32.
2730 /// This format reduces the signature size from 65 to 64 bytes.
2731 #[cheatcode(group = Crypto)]
2732 function signCompact(Wallet calldata wallet, bytes32 digest) external pure returns (bytes32 r, bytes32 vs);
2733
2734 /// Signs `digest` with `privateKey` using the secp256k1 curve.
2735 #[cheatcode(group = Crypto)]
2736 function sign(uint256 privateKey, bytes32 digest) external pure returns (uint8 v, bytes32 r, bytes32 s);
2737
2738 /// Signs `digest` with `privateKey` on the secp256k1 curve, using the given `nonce`
2739 /// as the raw ephemeral k value in ECDSA (instead of deriving it deterministically).
2740 #[cheatcode(group = Crypto)]
2741 function signWithNonceUnsafe(uint256 privateKey, bytes32 digest, uint256 nonce) external pure returns (uint8 v, bytes32 r, bytes32 s);
2742
2743 /// Signs `digest` with `privateKey` using the secp256k1 curve.
2744 ///
2745 /// Returns a compact signature (`r`, `vs`) as per EIP-2098, where `vs` encodes both the
2746 /// signature's `s` value, and the recovery id `v` in a single bytes32.
2747 /// This format reduces the signature size from 65 to 64 bytes.
2748 #[cheatcode(group = Crypto)]
2749 function signCompact(uint256 privateKey, bytes32 digest) external pure returns (bytes32 r, bytes32 vs);
2750
2751 /// Signs `digest` with signer provided to script using the secp256k1 curve.
2752 ///
2753 /// If `--sender` is provided, the signer with provided address is used, otherwise,
2754 /// if exactly one signer is provided to the script, that signer is used.
2755 ///
2756 /// Raises error if signer passed through `--sender` does not match any unlocked signers or
2757 /// if `--sender` is not provided and not exactly one signer is passed to the script.
2758 #[cheatcode(group = Crypto)]
2759 function sign(bytes32 digest) external pure returns (uint8 v, bytes32 r, bytes32 s);
2760
2761 /// Signs `digest` with signer provided to script using the secp256k1 curve.
2762 ///
2763 /// Returns a compact signature (`r`, `vs`) as per EIP-2098, where `vs` encodes both the
2764 /// signature's `s` value, and the recovery id `v` in a single bytes32.
2765 /// This format reduces the signature size from 65 to 64 bytes.
2766 ///
2767 /// If `--sender` is provided, the signer with provided address is used, otherwise,
2768 /// if exactly one signer is provided to the script, that signer is used.
2769 ///
2770 /// Raises error if signer passed through `--sender` does not match any unlocked signers or
2771 /// if `--sender` is not provided and not exactly one signer is passed to the script.
2772 #[cheatcode(group = Crypto)]
2773 function signCompact(bytes32 digest) external pure returns (bytes32 r, bytes32 vs);
2774
2775 /// Signs `digest` with signer provided to script using the secp256k1 curve.
2776 ///
2777 /// Raises error if none of the signers passed into the script have provided address.
2778 #[cheatcode(group = Crypto)]
2779 function sign(address signer, bytes32 digest) external pure returns (uint8 v, bytes32 r, bytes32 s);
2780
2781 /// Signs `digest` with signer provided to script using the secp256k1 curve.
2782 ///
2783 /// Returns a compact signature (`r`, `vs`) as per EIP-2098, where `vs` encodes both the
2784 /// signature's `s` value, and the recovery id `v` in a single bytes32.
2785 /// This format reduces the signature size from 65 to 64 bytes.
2786 ///
2787 /// Raises error if none of the signers passed into the script have provided address.
2788 #[cheatcode(group = Crypto)]
2789 function signCompact(address signer, bytes32 digest) external pure returns (bytes32 r, bytes32 vs);
2790
2791 /// Signs `digest` with `privateKey` using the secp256r1 curve.
2792 #[cheatcode(group = Crypto)]
2793 function signP256(uint256 privateKey, bytes32 digest) external pure returns (bytes32 r, bytes32 s);
2794
2795 /// Derives secp256r1 public key from the provided `privateKey`.
2796 #[cheatcode(group = Crypto)]
2797 function publicKeyP256(uint256 privateKey) external pure returns (uint256 publicKeyX, uint256 publicKeyY);
2798
2799 /// Generates an Ed25519 key pair from a deterministic salt.
2800 /// Returns (publicKey, privateKey) as 32-byte values.
2801 #[cheatcode(group = Crypto, safety = Safe)]
2802 function createEd25519Key(bytes32 salt) external pure returns (bytes32 publicKey, bytes32 privateKey);
2803
2804 /// Derives the Ed25519 public key from a private key.
2805 #[cheatcode(group = Crypto, safety = Safe)]
2806 function publicKeyEd25519(bytes32 privateKey) external pure returns (bytes32 publicKey);
2807
2808 /// Signs a message with namespace using Ed25519.
2809 /// The signature covers namespace || message for domain separation.
2810 /// Returns a 64-byte Ed25519 signature.
2811 #[cheatcode(group = Crypto, safety = Safe)]
2812 function signEd25519(bytes calldata namespace, bytes calldata message, bytes32 privateKey)
2813 external
2814 pure
2815 returns (bytes memory signature);
2816
2817 /// Verifies an Ed25519 signature over namespace || message.
2818 /// Returns true if signature is valid, false otherwise.
2819 #[cheatcode(group = Crypto, safety = Safe)]
2820 function verifyEd25519(
2821 bytes calldata signature,
2822 bytes calldata namespace,
2823 bytes calldata message,
2824 bytes32 publicKey
2825 ) external pure returns (bool valid);
2826
2827 /// Derive a private key from a provided mnemonic string (or mnemonic file path)
2828 /// at the derivation path `m/44'/60'/0'/0/{index}`.
2829 #[cheatcode(group = Crypto)]
2830 function deriveKey(string calldata mnemonic, uint32 index) external pure returns (uint256 privateKey);
2831 /// Derive a private key from a provided mnemonic string (or mnemonic file path)
2832 /// at `{derivationPath}{index}`.
2833 #[cheatcode(group = Crypto)]
2834 function deriveKey(string calldata mnemonic, string calldata derivationPath, uint32 index)
2835 external
2836 pure
2837 returns (uint256 privateKey);
2838 /// Derive a private key from a provided mnemonic string (or mnemonic file path) in the specified language
2839 /// at the derivation path `m/44'/60'/0'/0/{index}`.
2840 #[cheatcode(group = Crypto)]
2841 function deriveKey(string calldata mnemonic, uint32 index, string calldata language)
2842 external
2843 pure
2844 returns (uint256 privateKey);
2845 /// Derive a private key from a provided mnemonic string (or mnemonic file path) in the specified language
2846 /// at `{derivationPath}{index}`.
2847 #[cheatcode(group = Crypto)]
2848 function deriveKey(string calldata mnemonic, string calldata derivationPath, uint32 index, string calldata language)
2849 external
2850 pure
2851 returns (uint256 privateKey);
2852
2853 /// Adds a private key to the local forge wallet and returns the address.
2854 #[cheatcode(group = Crypto)]
2855 function rememberKey(uint256 privateKey) external returns (address keyAddr);
2856
2857 /// Derive a set number of wallets from a mnemonic at the derivation path `m/44'/60'/0'/0/{0..count}`.
2858 ///
2859 /// The respective private keys are saved to the local forge wallet for later use and their addresses are returned.
2860 #[cheatcode(group = Crypto)]
2861 function rememberKeys(string calldata mnemonic, string calldata derivationPath, uint32 count) external returns (address[] memory keyAddrs);
2862
2863 /// Derive a set number of wallets from a mnemonic in the specified language at the derivation path `m/44'/60'/0'/0/{0..count}`.
2864 ///
2865 /// The respective private keys are saved to the local forge wallet for later use and their addresses are returned.
2866 #[cheatcode(group = Crypto)]
2867 function rememberKeys(string calldata mnemonic, string calldata derivationPath, string calldata language, uint32 count)
2868 external
2869 returns (address[] memory keyAddrs);
2870
2871 // -------- Uncategorized Utilities --------
2872
2873 /// Labels an address in call traces.
2874 #[cheatcode(group = Utilities)]
2875 function label(address account, string calldata newLabel) external;
2876
2877 /// Gets the label for the specified address.
2878 #[cheatcode(group = Utilities)]
2879 function getLabel(address account) external view returns (string memory currentLabel);
2880
2881 /// Compute the address a contract will be deployed at for a given deployer address and nonce.
2882 #[cheatcode(group = Utilities)]
2883 function computeCreateAddress(address deployer, uint256 nonce) external pure returns (address);
2884
2885 /// Compute the address of a contract created with CREATE2 using the given CREATE2 deployer.
2886 #[cheatcode(group = Utilities)]
2887 function computeCreate2Address(bytes32 salt, bytes32 initCodeHash, address deployer) external pure returns (address);
2888
2889 /// Compute the address of a contract created with CREATE2 using the default CREATE2 deployer.
2890 #[cheatcode(group = Utilities)]
2891 function computeCreate2Address(bytes32 salt, bytes32 initCodeHash) external pure returns (address);
2892
2893 /// Encodes a `bytes` value to a base64 string.
2894 #[cheatcode(group = Utilities)]
2895 function toBase64(bytes calldata data) external pure returns (string memory);
2896
2897 /// Encodes a `string` value to a base64 string.
2898 #[cheatcode(group = Utilities)]
2899 function toBase64(string calldata data) external pure returns (string memory);
2900
2901 /// Encodes a `bytes` value to a base64url string.
2902 #[cheatcode(group = Utilities)]
2903 function toBase64URL(bytes calldata data) external pure returns (string memory);
2904
2905 /// Encodes a `string` value to a base64url string.
2906 #[cheatcode(group = Utilities)]
2907 function toBase64URL(string calldata data) external pure returns (string memory);
2908
2909 /// Returns ENS namehash for provided string.
2910 #[cheatcode(group = Utilities)]
2911 function ensNamehash(string calldata name) external pure returns (bytes32);
2912
2913 /// Returns an uint256 value bounded in given range and different from the current one.
2914 #[cheatcode(group = Utilities)]
2915 function bound(uint256 current, uint256 min, uint256 max) external view returns (uint256);
2916
2917 /// Returns a random uint256 value.
2918 #[cheatcode(group = Utilities)]
2919 function randomUint() external view returns (uint256);
2920
2921 /// Returns random uint256 value between the provided range (=min..=max).
2922 #[cheatcode(group = Utilities)]
2923 function randomUint(uint256 min, uint256 max) external view returns (uint256);
2924
2925 /// Returns a random `uint256` value of given bits.
2926 #[cheatcode(group = Utilities)]
2927 function randomUint(uint256 bits) external view returns (uint256);
2928
2929 /// Returns a random `address`.
2930 #[cheatcode(group = Utilities)]
2931 function randomAddress() external view returns (address);
2932
2933 /// Returns an int256 value bounded in given range and different from the current one.
2934 #[cheatcode(group = Utilities)]
2935 function bound(int256 current, int256 min, int256 max) external view returns (int256);
2936
2937 /// Returns a random `int256` value.
2938 #[cheatcode(group = Utilities)]
2939 function randomInt() external view returns (int256);
2940
2941 /// Returns a random `int256` value of given bits.
2942 #[cheatcode(group = Utilities)]
2943 function randomInt(uint256 bits) external view returns (int256);
2944
2945 /// Returns a random `bool`.
2946 #[cheatcode(group = Utilities)]
2947 function randomBool() external view returns (bool);
2948
2949 /// Returns a random byte array value of the given length.
2950 #[cheatcode(group = Utilities)]
2951 function randomBytes(uint256 len) external view returns (bytes memory);
2952
2953 /// Returns a random fixed-size byte array of length 4.
2954 #[cheatcode(group = Utilities)]
2955 function randomBytes4() external view returns (bytes4);
2956
2957 /// Returns a random fixed-size byte array of length 8.
2958 #[cheatcode(group = Utilities)]
2959 function randomBytes8() external view returns (bytes8);
2960
2961 /// Pauses collection of call traces. Useful in cases when you want to skip tracing of
2962 /// complex calls which are not useful for debugging.
2963 #[cheatcode(group = Utilities)]
2964 function pauseTracing() external view;
2965
2966 /// Unpauses collection of call traces.
2967 #[cheatcode(group = Utilities)]
2968 function resumeTracing() external view;
2969
2970 /// Utility cheatcode to copy storage of `from` contract to another `to` contract.
2971 #[cheatcode(group = Utilities)]
2972 function copyStorage(address from, address to) external;
2973
2974 /// Utility cheatcode to set arbitrary storage for given target address.
2975 #[cheatcode(group = Utilities)]
2976 function setArbitraryStorage(address target) external;
2977
2978 /// Utility cheatcode to set arbitrary storage for given target address and overwrite
2979 /// any storage slots that have been previously set.
2980 #[cheatcode(group = Utilities)]
2981 function setArbitraryStorage(address target, bool overwrite) external;
2982
2983 /// Sorts an array in ascending order.
2984 #[cheatcode(group = Utilities)]
2985 function sort(uint256[] calldata array) external returns (uint256[] memory);
2986
2987 /// Randomly shuffles an array.
2988 #[cheatcode(group = Utilities)]
2989 function shuffle(uint256[] calldata array) external returns (uint256[] memory);
2990
2991 /// Set RNG seed.
2992 #[cheatcode(group = Utilities)]
2993 function setSeed(uint256 seed) external;
2994
2995 /// Causes the next contract creation (via new) to fail and return its initcode in the returndata buffer.
2996 /// This allows type-safe access to the initcode payload that would be used for contract creation.
2997 /// Example usage:
2998 /// vm.interceptInitcode();
2999 /// bytes memory initcode;
3000 /// try new MyContract(param1, param2) { assert(false); }
3001 /// catch (bytes memory interceptedInitcode) { initcode = interceptedInitcode; }
3002 #[cheatcode(group = Utilities, safety = Unsafe)]
3003 function interceptInitcode() external;
3004
3005 /// Generates the hash of the canonical EIP-712 type representation.
3006 ///
3007 /// Supports 2 different inputs:
3008 /// 1. Name of the type (i.e. "Transaction"):
3009 /// * requires previous binding generation with `forge bind-json`.
3010 /// * bindings will be retrieved from the path configured in `foundry.toml`.
3011 ///
3012 /// 2. String representation of the type (i.e. "Foo(Bar bar) Bar(uint256 baz)").
3013 /// * Note: the cheatcode will output the canonical type even if the input is malformated
3014 /// with the wrong order of elements or with extra whitespaces.
3015 #[cheatcode(group = Utilities)]
3016 function eip712HashType(string calldata typeNameOrDefinition) external pure returns (bytes32 typeHash);
3017
3018 /// Generates the hash of the canonical EIP-712 type representation.
3019 /// Requires previous binding generation with `forge bind-json`.
3020 ///
3021 /// Params:
3022 /// * `bindingsPath`: path where the output of `forge bind-json` is stored.
3023 /// * `typeName`: Name of the type (i.e. "Transaction").
3024 #[cheatcode(group = Utilities)]
3025 function eip712HashType(string calldata bindingsPath, string calldata typeName) external pure returns (bytes32 typeHash);
3026
3027 /// Generates the struct hash of the canonical EIP-712 type representation and its abi-encoded data.
3028 ///
3029 /// Supports 2 different inputs:
3030 /// 1. Name of the type (i.e. "PermitSingle"):
3031 /// * requires previous binding generation with `forge bind-json`.
3032 /// * bindings will be retrieved from the path configured in `foundry.toml`.
3033 ///
3034 /// 2. String representation of the type (i.e. "Foo(Bar bar) Bar(uint256 baz)").
3035 /// * Note: the cheatcode will use the canonical type even if the input is malformated
3036 /// with the wrong order of elements or with extra whitespaces.
3037 #[cheatcode(group = Utilities)]
3038 function eip712HashStruct(string calldata typeNameOrDefinition, bytes calldata abiEncodedData) external pure returns (bytes32 typeHash);
3039
3040 /// Generates the struct hash of the canonical EIP-712 type representation and its abi-encoded data.
3041 /// Requires previous binding generation with `forge bind-json`.
3042 ///
3043 /// Params:
3044 /// * `bindingsPath`: path where the output of `forge bind-json` is stored.
3045 /// * `typeName`: Name of the type (i.e. "PermitSingle").
3046 /// * `abiEncodedData`: ABI-encoded data for the struct that is being hashed.
3047 #[cheatcode(group = Utilities)]
3048 function eip712HashStruct(string calldata bindingsPath, string calldata typeName, bytes calldata abiEncodedData) external pure returns (bytes32 typeHash);
3049
3050 /// Generates a ready-to-sign digest of human-readable typed data following the EIP-712 standard.
3051 #[cheatcode(group = Utilities)]
3052 function eip712HashTypedData(string calldata jsonData) external pure returns (bytes32 digest);
3053
3054 /// RLP encodes a list of bytes into an RLP payload.
3055 #[cheatcode(group = Utilities)]
3056 function toRlp(bytes[] calldata data) external pure returns (bytes memory);
3057 /// RLP decodes an RLP payload into a list of bytes.
3058 #[cheatcode(group = Utilities)]
3059 function fromRlp(bytes calldata rlp) external pure returns (bytes[] memory data);
3060}
3061}
3062
3063impl PartialEq for ForgeContext {
3064 // Handles test group case (any of test, coverage or snapshot)
3065 // and script group case (any of dry run, broadcast or resume).
3066 fn eq(&self, other: &Self) -> bool {
3067 match (self, other) {
3068 (_, Self::TestGroup) => {
3069 matches!(self, Self::Test | Self::Snapshot | Self::Coverage)
3070 }
3071 (_, Self::ScriptGroup) => {
3072 matches!(self, Self::ScriptDryRun | Self::ScriptBroadcast | Self::ScriptResume)
3073 }
3074 (Self::Test, Self::Test)
3075 | (Self::Snapshot, Self::Snapshot)
3076 | (Self::Coverage, Self::Coverage)
3077 | (Self::ScriptDryRun, Self::ScriptDryRun)
3078 | (Self::ScriptBroadcast, Self::ScriptBroadcast)
3079 | (Self::ScriptResume, Self::ScriptResume)
3080 | (Self::Unknown, Self::Unknown) => true,
3081 _ => false,
3082 }
3083 }
3084}
3085
3086impl fmt::Display for Vm::CheatcodeError {
3087 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3088 self.message.fmt(f)
3089 }
3090}
3091
3092impl fmt::Display for Vm::VmErrors {
3093 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3094 match self {
3095 Self::CheatcodeError(err) => err.fmt(f),
3096 }
3097 }
3098}
3099
3100#[track_caller]
3101const fn panic_unknown_safety() -> ! {
3102 panic!("cannot determine safety from the group, add a `#[cheatcode(safety = ...)]` attribute")
3103}