Skip to content

Commit b09a88b

Browse files
authored
chore: add Makefile and codespell (foundry-rs#8948)
* add makefile + codespell * update makefile * fix typos found by codespell * add codespell CI task * fix outdated spec * ignore testdata * switch default profile to dev, add strat to ignored words list
1 parent ccb3c37 commit b09a88b

File tree

44 files changed

+139
-54
lines changed

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

44 files changed

+139
-54
lines changed

.codespellrc

+3
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,3 @@
1+
[codespell]
2+
skip = .git,target,testdata,Cargo.toml,Cargo.lock
3+
ignore-words-list = crate,ser,ratatui,Caf,froms,strat

.github/workflows/test.yml

+10
Original file line numberDiff line numberDiff line change
@@ -51,6 +51,15 @@ jobs:
5151
cache-on-failure: true
5252
- run: cargo test --workspace --doc
5353

54+
codespell:
55+
runs-on: ubuntu-latest
56+
timeout-minutes: 30
57+
steps:
58+
- uses: actions/checkout@v4
59+
- uses: codespell-project/actions-codespell@v2
60+
with:
61+
skip: "*.json"
62+
5463
clippy:
5564
runs-on: ubuntu-latest
5665
timeout-minutes: 30
@@ -107,6 +116,7 @@ jobs:
107116
- nextest
108117
- docs
109118
- doctest
119+
- codespell
110120
- clippy
111121
- rustfmt
112122
- forge-fmt

Makefile

+72
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,72 @@
1+
# Heavily inspired by:
2+
# - Lighthouse: https://github.com/sigp/lighthouse/blob/693886b94176faa4cb450f024696cb69cda2fe58/Makefile
3+
# - Reth: https://github.com/paradigmxyz/reth/blob/1f642353ca083b374851ab355b5d80207b36445c/Makefile
4+
.DEFAULT_GOAL := help
5+
6+
# Cargo profile for builds.
7+
PROFILE ?= dev
8+
9+
# List of features to use when building. Can be overridden via the environment.
10+
# No jemalloc on Windows
11+
ifeq ($(OS),Windows_NT)
12+
FEATURES ?= rustls aws-kms cli asm-keccak
13+
else
14+
FEATURES ?= jemalloc rustls aws-kms cli asm-keccak
15+
endif
16+
17+
##@ Help
18+
19+
.PHONY: help
20+
help: ## Display this help.
21+
@awk 'BEGIN {FS = ":.*##"; printf "Usage:\n make \033[36m<target>\033[0m\n"} /^[a-zA-Z_0-9-]+:.*?##/ { printf " \033[36m%-15s\033[0m %s\n", $$1, $$2 } /^##@/ { printf "\n\033[1m%s\033[0m\n", substr($$0, 5) } ' $(MAKEFILE_LIST)
22+
23+
##@ Build
24+
25+
.PHONY: build
26+
build: ## Build the project.
27+
cargo build --features "$(FEATURES)" --profile "$(PROFILE)"
28+
29+
##@ Other
30+
31+
.PHONY: clean
32+
clean: ## Clean the project.
33+
cargo clean
34+
35+
## Linting
36+
37+
fmt: ## Run all formatters.
38+
cargo +nightly fmt
39+
./.github/scripts/format.sh --check
40+
41+
lint-foundry:
42+
RUSTFLAGS="-Dwarnings" cargo clippy --workspace --all-targets --all-features
43+
44+
lint-codespell: ensure-codespell
45+
codespell --skip "*.json"
46+
47+
ensure-codespell:
48+
@if ! command -v codespell &> /dev/null; then \
49+
echo "codespell not found. Please install it by running the command `pip install codespell` or refer to the following link for more information: https://github.com/codespell-project/codespell" \
50+
exit 1; \
51+
fi
52+
53+
lint: ## Run all linters.
54+
make fmt && \
55+
make lint-foundry && \
56+
make lint-codespell
57+
58+
## Testing
59+
60+
test-foundry:
61+
cargo nextest run -E 'kind(test) & !test(/issue|forge_std|ext_integration/)'
62+
63+
test-doc:
64+
cargo test --doc --workspace
65+
66+
test: ## Run all tests.
67+
make test-foundry && \
68+
make test-doc
69+
70+
pr: ## Run all tests and linters in preparation for a PR.
71+
make lint && \
72+
make test

README.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -99,7 +99,7 @@ By default `forge config` shows the currently selected foundry profile and its v
9999

100100
### DappTools Compatibility
101101

102-
You can re-use your `.dapprc` environment variables by running `source .dapprc` before using a Foundry tool.
102+
You can reuse your `.dapprc` environment variables by running `source .dapprc` before using a Foundry tool.
103103

104104
### Additional Configuration
105105

crates/anvil/core/src/eth/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -522,7 +522,7 @@ pub enum EthRequest {
522522
EvmSetTime(U256),
523523

524524
/// Serializes the current state (including contracts code, contract's storage, accounts
525-
/// properties, etc.) into a savable data blob
525+
/// properties, etc.) into a saveable data blob
526526
#[cfg_attr(feature = "serde", serde(rename = "anvil_dumpState", alias = "hardhat_dumpState"))]
527527
DumpState(#[cfg_attr(feature = "serde", serde(default))] Option<Params<Option<bool>>>),
528528

crates/anvil/core/src/eth/transaction/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -672,7 +672,7 @@ pub enum TypedTransaction {
672672
/// This is a function that demotes TypedTransaction to TransactionRequest for greater flexibility
673673
/// over the type.
674674
///
675-
/// This function is purely for convience and specific use cases, e.g. RLP encoded transactions
675+
/// This function is purely for convenience and specific use cases, e.g. RLP encoded transactions
676676
/// decode to TypedTransactions where the API over TypedTransctions is quite strict.
677677
impl TryFrom<TypedTransaction> for TransactionRequest {
678678
type Error = ConversionError;

crates/anvil/src/config.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1401,7 +1401,7 @@ impl PruneStateHistoryConfig {
14011401
!self.enabled || self.max_memory_history.is_some()
14021402
}
14031403

1404-
/// Returns tru if this setting was enabled.
1404+
/// Returns true if this setting was enabled.
14051405
pub fn is_config_enabled(&self) -> bool {
14061406
self.enabled
14071407
}

crates/anvil/src/eth/api.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -1936,7 +1936,7 @@ impl EthApi {
19361936
Ok(())
19371937
}
19381938

1939-
/// Reorg the chain to a specific depth and mine new blocks back to the cannonical height.
1939+
/// Reorg the chain to a specific depth and mine new blocks back to the canonical height.
19401940
///
19411941
/// e.g depth = 3
19421942
/// A -> B -> C -> D -> E
@@ -2566,7 +2566,7 @@ impl EthApi {
25662566
// current midpoint, as spending any less gas would make no
25672567
// sense (as the TX would still revert due to lack of gas).
25682568
//
2569-
// We don't care about the reason here, as we known that trasaction is correct
2569+
// We don't care about the reason here, as we known that transaction is correct
25702570
// as it succeeded earlier
25712571
lowest_gas_limit = mid_gas_limit;
25722572
}

crates/anvil/src/eth/backend/cheats.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -24,7 +24,7 @@ impl CheatsManager {
2424
let mut state = self.state.write();
2525
// When somebody **explicitly** impersonates an account we need to store it so we are able
2626
// to return it from `eth_accounts`. That's why we do not simply call `is_impersonated()`
27-
// which does not check that list when auto impersonation is enabeld.
27+
// which does not check that list when auto impersonation is enabled.
2828
if state.impersonated_accounts.contains(&addr) {
2929
// need to check if already impersonated, so we don't overwrite the code
3030
return true

crates/anvil/src/eth/backend/mem/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -149,7 +149,7 @@ pub struct Backend {
149149
/// which the write-lock is active depends on whether the `ForkDb` can provide all requested
150150
/// data from memory or whether it has to retrieve it via RPC calls first. This means that it
151151
/// potentially blocks for some time, even taking into account the rate limits of RPC
152-
/// endpoints. Therefor the `Db` is guarded by a `tokio::sync::RwLock` here so calls that
152+
/// endpoints. Therefore the `Db` is guarded by a `tokio::sync::RwLock` here so calls that
153153
/// need to read from it, while it's currently written to, don't block. E.g. a new block is
154154
/// currently mined and a new [`Self::set_storage_at()`] request is being executed.
155155
db: Arc<AsyncRwLock<Box<dyn Db>>>,

crates/anvil/src/eth/backend/mem/storage.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -569,7 +569,7 @@ impl MinedTransaction {
569569
pub struct MinedTransactionReceipt {
570570
/// The actual json rpc receipt object
571571
pub inner: ReceiptResponse,
572-
/// Output data fo the transaction
572+
/// Output data for the transaction
573573
pub out: Option<Bytes>,
574574
}
575575

crates/anvil/src/eth/pool/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -20,7 +20,7 @@
2020
//! used to determine whether it can be included in a block (transaction is ready) or whether it
2121
//! still _requires_ other transactions to be mined first (transaction is pending).
2222
//! A transaction is associated with the nonce of the account it's sent from. A unique identifying
23-
//! marker for a transaction is therefor the pair `(nonce + account)`. An incoming transaction with
23+
//! marker for a transaction is therefore the pair `(nonce + account)`. An incoming transaction with
2424
//! a `nonce > nonce on chain` will _require_ `(nonce -1, account)` first, before it is ready to be
2525
//! included in a block.
2626
//!

crates/cheatcodes/assets/cheatcodes.json

+1-1
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

crates/cheatcodes/spec/src/vm.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1544,7 +1544,7 @@ interface Vm {
15441544
/// Deploys a contract from an artifact file. Takes in the relative path to the json file or the path to the
15451545
/// artifact in the form of <path>:<contract>:<version> where <contract> and <version> parts are optional.
15461546
///
1547-
/// Additionaly accepts abi-encoded constructor arguments.
1547+
/// Additionally accepts abi-encoded constructor arguments.
15481548
#[cheatcode(group = Filesystem)]
15491549
function deployCode(string calldata artifactPath, bytes calldata constructorArgs) external returns (address deployedAddress);
15501550

crates/cheatcodes/src/inspector.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -222,7 +222,7 @@ pub struct BroadcastableTransaction {
222222
pub struct GasMetering {
223223
/// True if gas metering is paused.
224224
pub paused: bool,
225-
/// True if gas metering was resumed or reseted during the test.
225+
/// True if gas metering was resumed or reset during the test.
226226
/// Used to reconcile gas when frame ends (if spent less than refunded).
227227
pub touched: bool,
228228
/// True if gas metering should be reset to frame limit.
@@ -1196,7 +1196,7 @@ impl<DB: DatabaseExt> Inspector<DB> for Cheatcodes {
11961196
call.target_address == HARDHAT_CONSOLE_ADDRESS;
11971197

11981198
// Clean up pranks/broadcasts if it's not a cheatcode call end. We shouldn't do
1199-
// it for cheatcode calls because they are not appplied for cheatcodes in the `call` hook.
1199+
// it for cheatcode calls because they are not applied for cheatcodes in the `call` hook.
12001200
// This should be placed before the revert handling, because we might exit early there
12011201
if !cheatcode_call {
12021202
// Clean up pranks

crates/cheatcodes/src/json.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -594,7 +594,7 @@ fn serialize_value_as_json(value: DynSolValue) -> Result<Value> {
594594
match value {
595595
DynSolValue::Bool(b) => Ok(Value::Bool(b)),
596596
DynSolValue::String(s) => {
597-
// Strings are allowed to contain strigified JSON objects, so we try to parse it like
597+
// Strings are allowed to contain stringified JSON objects, so we try to parse it like
598598
// one first.
599599
if let Ok(map) = serde_json::from_str(&s) {
600600
Ok(Value::Object(map))

crates/chisel/src/executor.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1161,7 +1161,7 @@ impl Type {
11611161
Self::ethabi(&return_parameter.ty, Some(intermediate)).map(|p| (contract_expr.unwrap(), p))
11621162
}
11631163

1164-
/// Inverts Int to Uint and viceversa.
1164+
/// Inverts Int to Uint and vice-versa.
11651165
fn invert_int(self) -> Self {
11661166
match self {
11671167
Self::Builtin(DynSolType::Uint(n)) => Self::Builtin(DynSolType::Int(n)),

crates/cli/src/utils/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -163,7 +163,7 @@ pub fn block_on<F: Future>(future: F) -> F::Output {
163163

164164
/// Conditionally print a message
165165
///
166-
/// This macro accepts a predicate and the message to print if the predicate is tru
166+
/// This macro accepts a predicate and the message to print if the predicate is true
167167
///
168168
/// ```ignore
169169
/// let quiet = true;

crates/config/README.md

+1-1
Original file line numberDiff line numberDiff line change
@@ -100,7 +100,7 @@ model_checker = { contracts = { 'a.sol' = [
100100
], timeout = 10000 }
101101
verbosity = 0
102102
eth_rpc_url = "https://example.com/"
103-
# Setting this option enables decoding of error traces from mainnet deployed / verfied contracts via etherscan
103+
# Setting this option enables decoding of error traces from mainnet deployed / verified contracts via etherscan
104104
etherscan_api_key = "YOURETHERSCANAPIKEY"
105105
# ignore solc warnings for missing license and exceeded contract size
106106
# known error codes are: ["unreachable", "unused-return", "unused-param", "unused-var", "code-size", "shadowing", "func-mutability", "license", "pragma-solidity", "virtual-interfaces", "same-varname", "too-many-warnings", "constructor-visibility", "init-code-size", "missing-receive-ether", "unnamed-return", "transient-storage"]

crates/config/src/lib.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -2717,7 +2717,7 @@ impl<P: Provider> Provider for OptionalStrictProfileProvider<P> {
27172717
figment.data().map_err(|err| {
27182718
// figment does tag metadata and tries to map metadata to an error, since we use a new
27192719
// figment in this provider this new figment does not know about the metadata of the
2720-
// provider and can't map the metadata to the error. Therefor we return the root error
2720+
// provider and can't map the metadata to the error. Therefore we return the root error
27212721
// if this error originated in the provider's data.
27222722
if let Err(root_err) = self.provider.data() {
27232723
return root_err;

crates/evm/core/src/utils.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -119,7 +119,7 @@ fn get_create2_factory_call_inputs(salt: U256, inputs: CreateInputs) -> CallInpu
119119
/// Used for routing certain CREATE2 invocations through [DEFAULT_CREATE2_DEPLOYER].
120120
///
121121
/// Overrides create hook with CALL frame if [InspectorExt::should_use_create2_factory] returns
122-
/// true. Keeps track of overriden frames and handles outcome in the overriden insert_call_outcome
122+
/// true. Keeps track of overridden frames and handles outcome in the overridden insert_call_outcome
123123
/// hook by inserting decoded address directly into interpreter.
124124
///
125125
/// Should be installed after [revm::inspector_handle_register] and before any other registers.

crates/evm/coverage/src/anchors.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -71,7 +71,7 @@ pub fn find_anchor_simple(
7171

7272
Ok(ItemAnchor {
7373
instruction: ic_pc_map.get(instruction).ok_or_else(|| {
74-
eyre::eyre!("We found an anchor, but we cant translate it to a program counter")
74+
eyre::eyre!("We found an anchor, but we can't translate it to a program counter")
7575
})?,
7676
item_id,
7777
})

crates/evm/evm/src/executors/fuzz/mod.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -88,15 +88,15 @@ impl FuzzedExecutor {
8888
let execution_data = RefCell::new(FuzzTestData::default());
8989
let state = self.build_fuzz_state();
9090
let dictionary_weight = self.config.dictionary.dictionary_weight.min(100);
91-
let strat = proptest::prop_oneof![
91+
let strategy = proptest::prop_oneof![
9292
100 - dictionary_weight => fuzz_calldata(func.clone(), fuzz_fixtures),
9393
dictionary_weight => fuzz_calldata_from_state(func.clone(), &state),
9494
];
9595
// We want to collect at least one trace which will be displayed to user.
9696
let max_traces_to_collect = std::cmp::max(1, self.config.gas_report_samples) as usize;
9797
let show_logs = self.config.show_logs;
9898

99-
let run_result = self.runner.clone().run(&strat, |calldata| {
99+
let run_result = self.runner.clone().run(&strategy, |calldata| {
100100
let fuzz_res = self.single_fuzz(address, should_fail, calldata)?;
101101

102102
// If running with progress then increment current run.

crates/evm/evm/src/executors/invariant/mod.rs

+3-3
Original file line numberDiff line numberDiff line change
@@ -243,7 +243,7 @@ impl InvariantTestRun {
243243
}
244244
}
245245

246-
/// Wrapper around any [`Executor`] implementor which provides fuzzing support using [`proptest`].
246+
/// Wrapper around any [`Executor`] implementer which provides fuzzing support using [`proptest`].
247247
///
248248
/// After instantiation, calling `invariant_fuzz` will proceed to hammer the deployed smart
249249
/// contracts with inputs, until it finds a counterexample sequence. The provided [`TestRunner`]
@@ -463,7 +463,7 @@ impl<'a> InvariantExecutor<'a> {
463463
EvmFuzzState::new(self.executor.backend().mem_db(), self.config.dictionary);
464464

465465
// Creates the invariant strategy.
466-
let strat = invariant_strat(
466+
let strategy = invariant_strat(
467467
fuzz_state.clone(),
468468
targeted_senders,
469469
targeted_contracts.clone(),
@@ -519,7 +519,7 @@ impl<'a> InvariantExecutor<'a> {
519519
last_call_results,
520520
self.runner.clone(),
521521
),
522-
strat,
522+
strategy,
523523
))
524524
}
525525

crates/evm/evm/src/executors/invariant/shrink.rs

+5-5
Original file line numberDiff line numberDiff line change
@@ -21,13 +21,13 @@ struct Shrink {
2121
/// If the failure is not reproducible then restore removed call and moves to next one.
2222
#[derive(Debug)]
2323
struct CallSequenceShrinker {
24-
/// Length of call sequence to be shrinked.
24+
/// Length of call sequence to be shrunk.
2525
call_sequence_len: usize,
26-
/// Call ids contained in current shrinked sequence.
26+
/// Call ids contained in current shrunk sequence.
2727
included_calls: VarBitSet,
28-
/// Current shrinked call id.
28+
/// Current shrunk call id.
2929
shrink: Shrink,
30-
/// Previous shrinked call id.
30+
/// Previous shrunk call id.
3131
prev_shrink: Option<Shrink>,
3232
}
3333

@@ -82,7 +82,7 @@ impl CallSequenceShrinker {
8282
/// Maximal shrinkage is guaranteed if the shrink_run_limit is not set to a value lower than the
8383
/// length of failed call sequence.
8484
///
85-
/// The shrinked call sequence always respect the order failure is reproduced as it is tested
85+
/// The shrunk call sequence always respect the order failure is reproduced as it is tested
8686
/// top-down.
8787
pub(crate) fn shrink_sequence(
8888
failed_case: &FailedInvariantCaseData,

crates/evm/evm/src/executors/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -576,7 +576,7 @@ impl Executor {
576576
/// Creates the environment to use when executing a transaction in a test context
577577
///
578578
/// If using a backend with cheatcodes, `tx.gas_price` and `block.number` will be overwritten by
579-
/// the cheatcode state inbetween calls.
579+
/// the cheatcode state in between calls.
580580
fn build_test_env(
581581
&self,
582582
caller: Address,

crates/evm/fuzz/src/strategies/param.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -218,12 +218,12 @@ mod tests {
218218
let func = get_func(f).unwrap();
219219
let db = CacheDB::new(EmptyDB::default());
220220
let state = EvmFuzzState::new(&db, FuzzDictionaryConfig::default());
221-
let strat = proptest::prop_oneof![
221+
let strategy = proptest::prop_oneof![
222222
60 => fuzz_calldata(func.clone(), &FuzzFixtures::default()),
223223
40 => fuzz_calldata_from_state(func, &state),
224224
];
225225
let cfg = proptest::test_runner::Config { failure_persistence: None, ..Default::default() };
226226
let mut runner = proptest::test_runner::TestRunner::new(cfg);
227-
let _ = runner.run(&strat, |_| Ok(()));
227+
let _ = runner.run(&strategy, |_| Ok(()));
228228
}
229229
}

0 commit comments

Comments
 (0)