Skip to main content

reth_transaction_pool/validate/
eth.rs

1//! Ethereum transaction validator.
2
3use super::constants::DEFAULT_MAX_TX_INPUT_BYTES;
4use crate::{
5    blobstore::BlobStore,
6    error::{
7        Eip4844PoolTransactionError, Eip7702PoolTransactionError, InvalidPoolTransactionError,
8    },
9    metrics::TxPoolValidationMetrics,
10    traits::TransactionOrigin,
11    validate::ValidTransaction,
12    Address, BlobTransactionSidecarVariant, EthBlobTransactionSidecar, EthPoolTransaction,
13    LocalTransactionConfig, TransactionValidationOutcome, TransactionValidationTaskExecutor,
14    TransactionValidator,
15};
16
17use alloy_consensus::{
18    constants::{
19        EIP1559_TX_TYPE_ID, EIP2930_TX_TYPE_ID, EIP4844_TX_TYPE_ID, EIP7702_TX_TYPE_ID,
20        LEGACY_TX_TYPE_ID,
21    },
22    BlockHeader,
23};
24use alloy_eips::{
25    eip1559::ETHEREUM_BLOCK_GAS_LIMIT_30M, eip4844::env_settings::EnvKzgSettings,
26    eip7840::BlobParams, BlockId,
27};
28use reth_chainspec::{ChainSpecProvider, EthChainSpec, EthereumHardforks};
29use reth_evm::ConfigureEvm;
30use reth_primitives_traits::{
31    transaction::error::InvalidTransactionError, Account, BlockTy, GotExpected, HeaderTy,
32    SealedBlock,
33};
34use reth_storage_api::{AccountInfoReader, BlockReaderIdExt, BytecodeReader, StateProviderFactory};
35use reth_tasks::Runtime;
36use revm::context_interface::Cfg;
37use revm_primitives::U256;
38use std::{
39    fmt,
40    marker::PhantomData,
41    sync::{
42        atomic::{AtomicBool, AtomicU64, AtomicUsize},
43        Arc,
44    },
45    time::{Instant, SystemTime},
46};
47
48/// Additional stateless validation function signature.
49///
50/// Receives the transaction origin and a reference to the transaction. Returns `Ok(())` if the
51/// transaction passes or `Err` to reject it.
52type StatelessValidationFn<T> =
53    Arc<dyn Fn(TransactionOrigin, &T) -> Result<(), InvalidPoolTransactionError> + Send + Sync>;
54
55/// Additional stateful validation function signature.
56///
57/// Receives the transaction origin, a reference to the transaction, and an account state reader.
58/// Returns `Ok(())` if the transaction passes or `Err` to reject it.
59type StatefulValidationFn<T> = Arc<
60    dyn Fn(TransactionOrigin, &T, &dyn AccountInfoReader) -> Result<(), InvalidPoolTransactionError>
61        + Send
62        + Sync,
63>;
64
65/// A [`TransactionValidator`] implementation that validates ethereum transaction.
66///
67/// It supports all known ethereum transaction types:
68/// - Legacy
69/// - EIP-2718
70/// - EIP-1559
71/// - EIP-4844
72/// - EIP-7702
73///
74/// And enforces additional constraints such as:
75/// - Maximum transaction size
76/// - Maximum gas limit
77///
78/// And adheres to the configured [`LocalTransactionConfig`].
79pub struct EthTransactionValidator<Client, T, Evm> {
80    /// This type fetches account info from the db
81    client: Client,
82    /// Blobstore used for fetching re-injected blob transactions.
83    blob_store: Box<dyn BlobStore>,
84    /// tracks activated forks relevant for transaction validation
85    fork_tracker: ForkTracker,
86    /// Fork indicator whether we are using EIP-2718 type transactions.
87    eip2718: bool,
88    /// Fork indicator whether we are using EIP-1559 type transactions.
89    eip1559: bool,
90    /// Fork indicator whether we are using EIP-4844 blob transactions.
91    eip4844: bool,
92    /// Fork indicator whether we are using EIP-7702 type transactions.
93    eip7702: bool,
94    /// The current max gas limit
95    block_gas_limit: AtomicU64,
96    /// The current tx fee cap limit in wei locally submitted into the pool.
97    tx_fee_cap: Option<u128>,
98    /// Minimum priority fee to enforce for acceptance into the pool.
99    minimum_priority_fee: Option<u128>,
100    /// Stores the setup and parameters needed for validating KZG proofs.
101    kzg_settings: EnvKzgSettings,
102    /// How to handle [`TransactionOrigin::Local`](TransactionOrigin) transactions.
103    local_transactions_config: LocalTransactionConfig,
104    /// Maximum size in bytes a single transaction can have in order to be accepted into the pool.
105    max_tx_input_bytes: usize,
106    /// Maximum gas limit for individual transactions
107    max_tx_gas_limit: Option<u64>,
108    /// Disable balance checks during transaction validation
109    disable_balance_check: bool,
110    /// EVM configuration for fetching execution limits
111    evm_config: Evm,
112    /// Marker for the transaction type
113    _marker: PhantomData<T>,
114    /// Metrics for tsx pool validation
115    validation_metrics: TxPoolValidationMetrics,
116    /// Bitmap of custom transaction types that are allowed.
117    other_tx_types: U256,
118    /// Whether EIP-7594 blob sidecars are accepted.
119    /// When false, EIP-7594 (v1) sidecars are always rejected and EIP-4844 (v0) sidecars
120    /// are always accepted, regardless of Osaka fork activation.
121    eip7594: bool,
122    /// Optional additional stateless validation check applied at the end of
123    /// [`validate_stateless`](Self::validate_stateless).
124    additional_stateless_validation: Option<StatelessValidationFn<T>>,
125    /// Optional additional stateful validation check applied at the end of
126    /// [`validate_stateful`](Self::validate_stateful).
127    additional_stateful_validation: Option<StatefulValidationFn<T>>,
128}
129
130impl<Client, Tx, Evm> fmt::Debug for EthTransactionValidator<Client, Tx, Evm> {
131    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
132        f.debug_struct("EthTransactionValidator")
133            .field("fork_tracker", &self.fork_tracker)
134            .field("eip2718", &self.eip2718)
135            .field("eip1559", &self.eip1559)
136            .field("eip4844", &self.eip4844)
137            .field("eip7702", &self.eip7702)
138            .field("block_gas_limit", &self.block_gas_limit)
139            .field("tx_fee_cap", &self.tx_fee_cap)
140            .field("minimum_priority_fee", &self.minimum_priority_fee)
141            .field("max_tx_input_bytes", &self.max_tx_input_bytes)
142            .field("max_tx_gas_limit", &self.max_tx_gas_limit)
143            .field("disable_balance_check", &self.disable_balance_check)
144            .field("eip7594", &self.eip7594)
145            .field(
146                "additional_stateless_validation",
147                &self.additional_stateless_validation.as_ref().map(|_| "..."),
148            )
149            .field(
150                "additional_stateful_validation",
151                &self.additional_stateful_validation.as_ref().map(|_| "..."),
152            )
153            .finish()
154    }
155}
156
157impl<Client, Tx, Evm> EthTransactionValidator<Client, Tx, Evm> {
158    /// Returns the configured chain spec
159    pub fn chain_spec(&self) -> Arc<Client::ChainSpec>
160    where
161        Client: ChainSpecProvider,
162    {
163        self.client().chain_spec()
164    }
165
166    /// Returns the configured chain id
167    pub fn chain_id(&self) -> u64
168    where
169        Client: ChainSpecProvider,
170    {
171        self.client().chain_spec().chain().id()
172    }
173
174    /// Returns the configured client
175    pub const fn client(&self) -> &Client {
176        &self.client
177    }
178
179    /// Returns the tracks activated forks relevant for transaction validation
180    pub const fn fork_tracker(&self) -> &ForkTracker {
181        &self.fork_tracker
182    }
183
184    /// Returns the EVM config used for transaction validation.
185    pub const fn evm_config(&self) -> &Evm {
186        &self.evm_config
187    }
188
189    /// Returns if there are EIP-2718 type transactions
190    pub const fn eip2718(&self) -> bool {
191        self.eip2718
192    }
193
194    /// Returns if there are EIP-1559 type transactions
195    pub const fn eip1559(&self) -> bool {
196        self.eip1559
197    }
198
199    /// Returns if there are EIP-4844 blob transactions
200    pub const fn eip4844(&self) -> bool {
201        self.eip4844
202    }
203
204    /// Returns if there are EIP-7702 type transactions
205    pub const fn eip7702(&self) -> bool {
206        self.eip7702
207    }
208
209    /// Returns the current tx fee cap limit in wei locally submitted into the pool
210    pub const fn tx_fee_cap(&self) -> &Option<u128> {
211        &self.tx_fee_cap
212    }
213
214    /// Returns the minimum priority fee to enforce for acceptance into the pool
215    pub const fn minimum_priority_fee(&self) -> &Option<u128> {
216        &self.minimum_priority_fee
217    }
218
219    /// Returns the setup and parameters needed for validating KZG proofs.
220    pub const fn kzg_settings(&self) -> &EnvKzgSettings {
221        &self.kzg_settings
222    }
223
224    /// Returns the config to handle [`TransactionOrigin::Local`](TransactionOrigin) transactions..
225    pub const fn local_transactions_config(&self) -> &LocalTransactionConfig {
226        &self.local_transactions_config
227    }
228
229    /// Returns the maximum size in bytes a single transaction can have in order to be accepted into
230    /// the pool.
231    pub const fn max_tx_input_bytes(&self) -> usize {
232        self.max_tx_input_bytes
233    }
234
235    /// Returns whether balance checks are disabled for this validator.
236    pub const fn disable_balance_check(&self) -> bool {
237        self.disable_balance_check
238    }
239
240    /// Sets an additional stateless validation check that is applied at the end of
241    /// [`validate_stateless`](Self::validate_stateless).
242    ///
243    /// The check receives the transaction origin and a reference to the transaction, and
244    /// should return `Ok(())` if the transaction is valid or
245    /// `Err(InvalidPoolTransactionError)` to reject it.
246    ///
247    /// # Example
248    ///
249    /// ```ignore
250    /// use reth_transaction_pool::{error::InvalidPoolTransactionError, TransactionOrigin};
251    ///
252    /// let mut validator = builder.build(blob_store);
253    /// // Reject external transactions with input data exceeding 1KB
254    /// validator.set_additional_stateless_validation(|origin, tx| {
255    ///     if origin.is_external() && tx.input().len() > 1024 {
256    ///         return Err(InvalidPoolTransactionError::OversizedData {
257    ///             size: tx.input().len(),
258    ///             limit: 1024,
259    ///         });
260    ///     }
261    ///     Ok(())
262    /// });
263    /// ```
264    pub fn set_additional_stateless_validation<F>(&mut self, f: F)
265    where
266        F: Fn(TransactionOrigin, &Tx) -> Result<(), InvalidPoolTransactionError>
267            + Send
268            + Sync
269            + 'static,
270    {
271        self.additional_stateless_validation = Some(Arc::new(f));
272    }
273
274    /// Sets an additional stateful validation check that is applied at the end of
275    /// [`validate_stateful`](Self::validate_stateful).
276    ///
277    /// The check receives the transaction origin, a reference to the transaction, and the
278    /// account state reader, and should return `Ok(())` if the transaction is valid or
279    /// `Err(InvalidPoolTransactionError)` to reject it.
280    ///
281    /// # Example
282    ///
283    /// ```ignore
284    /// use reth_transaction_pool::{error::InvalidPoolTransactionError, TransactionOrigin};
285    ///
286    /// let mut validator = builder.build(blob_store);
287    /// // Reject transactions from accounts with zero balance
288    /// validator.set_additional_stateful_validation(|origin, tx, state| {
289    ///     let account = state.basic_account(tx.sender_ref())?.unwrap_or_default();
290    ///     if account.balance.is_zero() {
291    ///         return Err(InvalidPoolTransactionError::Other(Box::new(
292    ///             std::io::Error::new(std::io::ErrorKind::Other, "zero balance"),
293    ///         )));
294    ///     }
295    ///     Ok(())
296    /// });
297    /// ```
298    pub fn set_additional_stateful_validation<F>(&mut self, f: F)
299    where
300        F: Fn(
301                TransactionOrigin,
302                &Tx,
303                &dyn AccountInfoReader,
304            ) -> Result<(), InvalidPoolTransactionError>
305            + Send
306            + Sync
307            + 'static,
308    {
309        self.additional_stateful_validation = Some(Arc::new(f));
310    }
311}
312
313impl<Client, Tx, Evm> EthTransactionValidator<Client, Tx, Evm>
314where
315    Client: ChainSpecProvider<ChainSpec: EthChainSpec + EthereumHardforks> + StateProviderFactory,
316    Tx: EthPoolTransaction,
317    Evm: ConfigureEvm,
318{
319    /// Returns the current max gas limit
320    pub fn block_gas_limit(&self) -> u64 {
321        self.max_gas_limit()
322    }
323
324    /// Validates a single transaction.
325    ///
326    /// See also [`TransactionValidator::validate_transaction`]
327    pub fn validate_one(
328        &self,
329        origin: TransactionOrigin,
330        transaction: Tx,
331    ) -> TransactionValidationOutcome<Tx> {
332        self.validate_one_with_provider(origin, transaction, &mut None)
333    }
334
335    /// Validates a single transaction with the provided state provider.
336    ///
337    /// This allows reusing the same provider across multiple transaction validations,
338    /// which can improve performance when validating many transactions.
339    ///
340    /// If `state` is `None`, a new state provider will be created.
341    pub fn validate_one_with_state(
342        &self,
343        origin: TransactionOrigin,
344        transaction: Tx,
345        state: &mut Option<Box<dyn AccountInfoReader + Send>>,
346    ) -> TransactionValidationOutcome<Tx> {
347        self.validate_one_with_provider(origin, transaction, state)
348    }
349
350    /// Validates a single transaction using an optional cached state provider.
351    /// If no provider is passed, a new one will be created. This allows reusing
352    /// the same provider across multiple txs.
353    fn validate_one_with_provider(
354        &self,
355        origin: TransactionOrigin,
356        transaction: Tx,
357        maybe_state: &mut Option<Box<dyn AccountInfoReader + Send>>,
358    ) -> TransactionValidationOutcome<Tx> {
359        match self.validate_stateless(origin, &transaction) {
360            Ok(()) => {
361                // stateless checks passed, pass transaction down stateful validation pipeline
362                // If we don't have a state provider yet, fetch the latest state
363                if maybe_state.is_none() {
364                    match self.client.latest() {
365                        Ok(new_state) => {
366                            *maybe_state = Some(Box::new(new_state));
367                        }
368                        Err(err) => {
369                            return TransactionValidationOutcome::Error(
370                                *transaction.hash(),
371                                Box::new(err),
372                            )
373                        }
374                    }
375                }
376
377                let state = maybe_state.as_deref().expect("provider is set");
378
379                self.validate_stateful(origin, transaction, state)
380            }
381            Err(err) => TransactionValidationOutcome::Invalid(transaction, err),
382        }
383    }
384
385    /// Validates a single transaction against the given state provider, performing both
386    /// [stateless](Self::validate_stateless) and [stateful](Self::validate_stateful) checks.
387    pub fn validate_one_with_state_provider(
388        &self,
389        origin: TransactionOrigin,
390        transaction: Tx,
391        state: impl AccountInfoReader,
392    ) -> TransactionValidationOutcome<Tx> {
393        if let Err(err) = self.validate_stateless(origin, &transaction) {
394            return TransactionValidationOutcome::Invalid(transaction, err);
395        }
396        self.validate_stateful(origin, transaction, state)
397    }
398
399    /// Validates a single transaction without requiring any state access (stateless checks only).
400    ///
401    /// Checks tx type support, nonce bounds, size limits, gas limits, fee constraints, chain ID,
402    /// intrinsic gas, and blob tx pre-checks.
403    pub fn validate_stateless(
404        &self,
405        origin: TransactionOrigin,
406        transaction: &Tx,
407    ) -> Result<(), InvalidPoolTransactionError> {
408        // Checks for tx_type
409        match transaction.ty() {
410            // Accept only legacy transactions until EIP-2718/2930 activates
411            EIP2930_TX_TYPE_ID if !self.eip2718 => {
412                return Err(InvalidTransactionError::Eip2930Disabled.into())
413            }
414            // Reject dynamic fee transactions until EIP-1559 activates.
415            EIP1559_TX_TYPE_ID if !self.eip1559 => {
416                return Err(InvalidTransactionError::Eip1559Disabled.into())
417            }
418            // Reject blob transactions.
419            EIP4844_TX_TYPE_ID if !self.eip4844 => {
420                return Err(InvalidTransactionError::Eip4844Disabled.into())
421            }
422            // Reject EIP-7702 transactions.
423            EIP7702_TX_TYPE_ID if !self.eip7702 => {
424                return Err(InvalidTransactionError::Eip7702Disabled.into())
425            }
426            // Accept known transaction types when their respective fork is active
427            LEGACY_TX_TYPE_ID | EIP2930_TX_TYPE_ID | EIP1559_TX_TYPE_ID | EIP4844_TX_TYPE_ID |
428            EIP7702_TX_TYPE_ID => {}
429
430            ty if !self.other_tx_types.bit(ty as usize) => {
431                return Err(InvalidTransactionError::TxTypeNotSupported.into())
432            }
433
434            _ => {}
435        };
436
437        // Reject transactions with a nonce equal to U64::max according to EIP-2681
438        let tx_nonce = transaction.nonce();
439        if tx_nonce == u64::MAX {
440            return Err(InvalidPoolTransactionError::Eip2681)
441        }
442
443        // Reject transactions over defined size to prevent DOS attacks
444        if transaction.is_eip4844() {
445            // Since blob transactions are pulled instead of pushed, and only the consensus data is
446            // kept in memory while the sidecar is cached on disk, there is no critical limit that
447            // should be enforced. Still, enforcing some cap on the input bytes. blob txs also must
448            // be executable right away when they enter the pool.
449            let tx_input_len = transaction.input().len();
450            if tx_input_len > self.max_tx_input_bytes {
451                return Err(InvalidPoolTransactionError::OversizedData {
452                    size: tx_input_len,
453                    limit: self.max_tx_input_bytes,
454                })
455            }
456        } else {
457            // ensure the size of the non-blob transaction
458            let tx_size = transaction.encoded_length();
459            if tx_size > self.max_tx_input_bytes {
460                return Err(InvalidPoolTransactionError::OversizedData {
461                    size: tx_size,
462                    limit: self.max_tx_input_bytes,
463                })
464            }
465        }
466
467        // Check whether the init code size has been exceeded.
468        if self.fork_tracker.is_shanghai_activated() {
469            let max_initcode_size =
470                self.fork_tracker.max_initcode_size.load(std::sync::atomic::Ordering::Relaxed);
471            transaction.ensure_max_init_code_size(max_initcode_size)?;
472        }
473
474        // Checks for gas limit
475        let transaction_gas_limit = transaction.gas_limit();
476        let block_gas_limit = self.max_gas_limit();
477        if transaction_gas_limit > block_gas_limit {
478            return Err(InvalidPoolTransactionError::ExceedsGasLimit(
479                transaction_gas_limit,
480                block_gas_limit,
481            ))
482        }
483
484        // Check individual transaction gas limit if configured
485        if let Some(max_tx_gas_limit) = self.max_tx_gas_limit &&
486            transaction_gas_limit > max_tx_gas_limit
487        {
488            return Err(InvalidPoolTransactionError::MaxTxGasLimitExceeded(
489                transaction_gas_limit,
490                max_tx_gas_limit,
491            ))
492        }
493
494        // Ensure max_priority_fee_per_gas (if EIP1559) is less than max_fee_per_gas if any.
495        if transaction.max_priority_fee_per_gas() > Some(transaction.max_fee_per_gas()) {
496            return Err(InvalidTransactionError::TipAboveFeeCap.into())
497        }
498
499        // determine whether the transaction should be treated as local
500        let is_local = self.local_transactions_config.is_local(origin, transaction.sender_ref());
501
502        // Ensure max possible transaction fee doesn't exceed configured transaction fee cap.
503        // Only for transactions locally submitted for acceptance into the pool.
504        if is_local {
505            match self.tx_fee_cap {
506                Some(0) | None => {} // Skip if cap is 0 or None
507                Some(tx_fee_cap_wei) => {
508                    let max_tx_fee_wei = transaction.cost().saturating_sub(transaction.value());
509                    if max_tx_fee_wei > tx_fee_cap_wei {
510                        return Err(InvalidPoolTransactionError::ExceedsFeeCap {
511                            max_tx_fee_wei: max_tx_fee_wei.saturating_to(),
512                            tx_fee_cap_wei,
513                        })
514                    }
515                }
516            }
517        }
518
519        // Drop non-local transactions with a fee lower than the configured fee for acceptance into
520        // the pool.
521        if !is_local &&
522            transaction.is_dynamic_fee() &&
523            transaction.max_priority_fee_per_gas() < self.minimum_priority_fee
524        {
525            return Err(InvalidPoolTransactionError::PriorityFeeBelowMinimum {
526                minimum_priority_fee: self
527                    .minimum_priority_fee
528                    .expect("minimum priority fee is expected inside if statement"),
529            })
530        }
531
532        // Checks for chainid
533        if let Some(chain_id) = transaction.chain_id() &&
534            chain_id != self.chain_id()
535        {
536            return Err(InvalidTransactionError::ChainIdMismatch.into())
537        }
538
539        if transaction.is_eip7702() {
540            // Prague fork is required for 7702 txs
541            if !self.fork_tracker.is_prague_activated() {
542                return Err(InvalidTransactionError::TxTypeNotSupported.into())
543            }
544
545            if transaction.authorization_list().is_none_or(|l| l.is_empty()) {
546                return Err(Eip7702PoolTransactionError::MissingEip7702AuthorizationList.into())
547            }
548        }
549
550        ensure_intrinsic_gas(transaction, &self.fork_tracker)?;
551
552        // light blob tx pre-checks
553        if transaction.is_eip4844() {
554            // Cancun fork is required for blob txs
555            if !self.fork_tracker.is_cancun_activated() {
556                return Err(InvalidTransactionError::TxTypeNotSupported.into())
557            }
558
559            let blob_count = transaction.blob_count().unwrap_or(0);
560            if blob_count == 0 {
561                // no blobs
562                return Err(InvalidPoolTransactionError::Eip4844(
563                    Eip4844PoolTransactionError::NoEip4844Blobs,
564                ))
565            }
566
567            let max_blob_count = self.fork_tracker.max_blob_count();
568            if blob_count > max_blob_count {
569                return Err(InvalidPoolTransactionError::Eip4844(
570                    Eip4844PoolTransactionError::TooManyEip4844Blobs {
571                        have: blob_count,
572                        permitted: max_blob_count,
573                    },
574                ))
575            }
576        }
577
578        // Transaction gas limit validation (EIP-7825 for Osaka+)
579        let tx_gas_limit_cap =
580            self.fork_tracker.tx_gas_limit_cap.load(std::sync::atomic::Ordering::Relaxed);
581        if tx_gas_limit_cap > 0 && transaction.gas_limit() > tx_gas_limit_cap {
582            return Err(InvalidTransactionError::GasLimitTooHigh.into())
583        }
584
585        // Run additional stateless validation if configured
586        if let Some(check) = &self.additional_stateless_validation {
587            check(origin, transaction)?;
588        }
589
590        Ok(())
591    }
592
593    /// Validates a single transaction against the given state (stateful checks only).
594    ///
595    /// Checks sender account balance, nonce, bytecode, and validates blob sidecars. The
596    /// transaction must have already passed [`validate_stateless`](Self::validate_stateless).
597    pub fn validate_stateful<P>(
598        &self,
599        origin: TransactionOrigin,
600        mut transaction: Tx,
601        state: P,
602    ) -> TransactionValidationOutcome<Tx>
603    where
604        P: AccountInfoReader,
605    {
606        // Use provider to get account info
607        let account = match state.basic_account(transaction.sender_ref()) {
608            Ok(account) => account.unwrap_or_default(),
609            Err(err) => {
610                return TransactionValidationOutcome::Error(*transaction.hash(), Box::new(err))
611            }
612        };
613
614        // check for bytecode
615        match self.validate_sender_bytecode(&transaction, &account, &state) {
616            Err(outcome) => return outcome,
617            Ok(Err(err)) => return TransactionValidationOutcome::Invalid(transaction, err),
618            _ => {}
619        };
620
621        // Checks for nonce
622        if transaction.requires_nonce_check() &&
623            let Err(err) = self.validate_sender_nonce(&transaction, &account)
624        {
625            return TransactionValidationOutcome::Invalid(transaction, err)
626        }
627
628        // checks for max cost not exceedng account_balance
629        if let Err(err) = self.validate_sender_balance(&transaction, &account) {
630            return TransactionValidationOutcome::Invalid(transaction, err)
631        }
632
633        // heavy blob tx validation
634        let maybe_blob_sidecar = match self.validate_eip4844(&mut transaction) {
635            Err(err) => return TransactionValidationOutcome::Invalid(transaction, err),
636            Ok(sidecar) => sidecar,
637        };
638
639        // Run additional stateful validation if configured
640        if let Some(check) = &self.additional_stateful_validation &&
641            let Err(err) = check(origin, &transaction, &state)
642        {
643            return TransactionValidationOutcome::Invalid(transaction, err)
644        }
645
646        let authorities = self.recover_authorities(&transaction);
647        // Return the valid transaction
648        TransactionValidationOutcome::Valid {
649            balance: account.balance,
650            state_nonce: account.nonce,
651            bytecode_hash: account.bytecode_hash,
652            transaction: ValidTransaction::new(transaction, maybe_blob_sidecar),
653            // by this point assume all external transactions should be propagated
654            propagate: match origin {
655                TransactionOrigin::External => true,
656                TransactionOrigin::Local => {
657                    self.local_transactions_config.propagate_local_transactions
658                }
659                TransactionOrigin::Private => false,
660            },
661            authorities,
662        }
663    }
664
665    /// Validates that the sender’s account has valid or no bytecode.
666    pub fn validate_sender_bytecode(
667        &self,
668        transaction: &Tx,
669        sender: &Account,
670        state: impl BytecodeReader,
671    ) -> Result<Result<(), InvalidPoolTransactionError>, TransactionValidationOutcome<Tx>> {
672        // Unless Prague is active, the signer account shouldn't have bytecode.
673        //
674        // If Prague is active, only EIP-7702 bytecode is allowed for the sender.
675        //
676        // Any other case means that the account is not an EOA, and should not be able to send
677        // transactions.
678        if let Some(code_hash) = &sender.bytecode_hash {
679            let is_eip7702 = if self.fork_tracker.is_prague_activated() {
680                match state.bytecode_by_hash(code_hash) {
681                    Ok(bytecode) => bytecode.unwrap_or_default().is_eip7702(),
682                    Err(err) => {
683                        return Err(TransactionValidationOutcome::Error(
684                            *transaction.hash(),
685                            Box::new(err),
686                        ))
687                    }
688                }
689            } else {
690                false
691            };
692
693            if !is_eip7702 {
694                return Ok(Err(InvalidTransactionError::SignerAccountHasBytecode.into()))
695            }
696        }
697        Ok(Ok(()))
698    }
699
700    /// Checks if the transaction nonce is valid.
701    pub fn validate_sender_nonce(
702        &self,
703        transaction: &Tx,
704        sender: &Account,
705    ) -> Result<(), InvalidPoolTransactionError> {
706        let tx_nonce = transaction.nonce();
707
708        if tx_nonce < sender.nonce {
709            return Err(InvalidTransactionError::NonceNotConsistent {
710                tx: tx_nonce,
711                state: sender.nonce,
712            }
713            .into())
714        }
715        Ok(())
716    }
717
718    /// Ensures the sender has sufficient account balance.
719    pub fn validate_sender_balance(
720        &self,
721        transaction: &Tx,
722        sender: &Account,
723    ) -> Result<(), InvalidPoolTransactionError> {
724        let cost = transaction.cost();
725
726        if !self.disable_balance_check && cost > &sender.balance {
727            let expected = *cost;
728            return Err(InvalidTransactionError::InsufficientFunds(
729                GotExpected { got: sender.balance, expected }.into(),
730            )
731            .into())
732        }
733        Ok(())
734    }
735
736    /// Validates EIP-4844 blob sidecar data and returns the extracted sidecar, if any.
737    pub fn validate_eip4844(
738        &self,
739        transaction: &mut Tx,
740    ) -> Result<Option<BlobTransactionSidecarVariant>, InvalidPoolTransactionError> {
741        let mut maybe_blob_sidecar = None;
742
743        // heavy blob tx validation
744        if transaction.is_eip4844() {
745            // extract the blob from the transaction
746            match transaction.take_blob() {
747                EthBlobTransactionSidecar::None => {
748                    // this should not happen
749                    return Err(InvalidTransactionError::TxTypeNotSupported.into())
750                }
751                EthBlobTransactionSidecar::Missing => {
752                    // This can happen for re-injected blob transactions (on re-org), since the blob
753                    // is stripped from the transaction and not included in a block.
754                    // check if the blob is in the store, if it's included we previously validated
755                    // it and inserted it
756                    if self.blob_store.contains(*transaction.hash()).is_ok_and(|c| c) {
757                        // validated transaction is already in the store
758                    } else {
759                        return Err(InvalidPoolTransactionError::Eip4844(
760                            Eip4844PoolTransactionError::MissingEip4844BlobSidecar,
761                        ))
762                    }
763                }
764                EthBlobTransactionSidecar::Present(sidecar) => {
765                    let now = Instant::now();
766
767                    // EIP-7594 sidecar version handling
768                    if self.eip7594 {
769                        // Standard Ethereum behavior
770                        if self.fork_tracker.is_osaka_activated() {
771                            if sidecar.is_eip4844() {
772                                return Err(InvalidPoolTransactionError::Eip4844(
773                                    Eip4844PoolTransactionError::UnexpectedEip4844SidecarAfterOsaka,
774                                ))
775                            }
776                        } else if sidecar.is_eip7594() && !self.allow_7594_sidecars() {
777                            return Err(InvalidPoolTransactionError::Eip4844(
778                                Eip4844PoolTransactionError::UnexpectedEip7594SidecarBeforeOsaka,
779                            ))
780                        }
781                    } else {
782                        // EIP-7594 disabled: always reject v1 sidecars, accept v0
783                        if sidecar.is_eip7594() {
784                            return Err(InvalidPoolTransactionError::Eip4844(
785                                Eip4844PoolTransactionError::Eip7594SidecarDisallowed,
786                            ))
787                        }
788                    }
789
790                    // validate the blob
791                    if let Err(err) = transaction.validate_blob(&sidecar, self.kzg_settings.get()) {
792                        return Err(InvalidPoolTransactionError::Eip4844(
793                            Eip4844PoolTransactionError::InvalidEip4844Blob(err),
794                        ))
795                    }
796                    // Record the duration of successful blob validation as histogram
797                    self.validation_metrics.blob_validation_duration.record(now.elapsed());
798                    // store the extracted blob
799                    maybe_blob_sidecar = Some(sidecar);
800                }
801            }
802        }
803        Ok(maybe_blob_sidecar)
804    }
805
806    /// Returns the recovered authorities for the given transaction
807    fn recover_authorities(&self, transaction: &Tx) -> std::option::Option<Vec<Address>> {
808        transaction
809            .authorization_list()
810            .map(|auths| auths.iter().flat_map(|auth| auth.recover_authority()).collect::<Vec<_>>())
811    }
812
813    /// Validates all given transactions.
814    fn validate_batch(
815        &self,
816        transactions: impl IntoIterator<Item = (TransactionOrigin, Tx)>,
817    ) -> Vec<TransactionValidationOutcome<Tx>> {
818        let mut provider = None;
819        transactions
820            .into_iter()
821            .map(|(origin, tx)| self.validate_one_with_provider(origin, tx, &mut provider))
822            .collect()
823    }
824
825    /// Validates all given transactions with origin.
826    fn validate_batch_with_origin(
827        &self,
828        origin: TransactionOrigin,
829        transactions: impl IntoIterator<Item = Tx> + Send,
830    ) -> Vec<TransactionValidationOutcome<Tx>> {
831        let mut provider = None;
832        transactions
833            .into_iter()
834            .map(|tx| self.validate_one_with_provider(origin, tx, &mut provider))
835            .collect()
836    }
837
838    fn on_new_head_block(&self, new_tip_block: &HeaderTy<Evm::Primitives>) {
839        // update all forks
840        if self.chain_spec().is_shanghai_active_at_timestamp(new_tip_block.timestamp()) {
841            self.fork_tracker.shanghai.store(true, std::sync::atomic::Ordering::Relaxed);
842        }
843
844        if self.chain_spec().is_cancun_active_at_timestamp(new_tip_block.timestamp()) {
845            self.fork_tracker.cancun.store(true, std::sync::atomic::Ordering::Relaxed);
846        }
847
848        if self.chain_spec().is_prague_active_at_timestamp(new_tip_block.timestamp()) {
849            self.fork_tracker.prague.store(true, std::sync::atomic::Ordering::Relaxed);
850        }
851
852        if self.chain_spec().is_osaka_active_at_timestamp(new_tip_block.timestamp()) {
853            self.fork_tracker.osaka.store(true, std::sync::atomic::Ordering::Relaxed);
854        }
855
856        self.fork_tracker
857            .tip_timestamp
858            .store(new_tip_block.timestamp(), std::sync::atomic::Ordering::Relaxed);
859
860        if let Some(blob_params) =
861            self.chain_spec().blob_params_at_timestamp(new_tip_block.timestamp())
862        {
863            self.fork_tracker
864                .max_blob_count
865                .store(blob_params.max_blobs_per_tx, std::sync::atomic::Ordering::Relaxed);
866        }
867
868        self.block_gas_limit.store(new_tip_block.gas_limit(), std::sync::atomic::Ordering::Relaxed);
869
870        // Get EVM limits from evm_config.evm_env()
871        let evm_env = self
872            .evm_config
873            .evm_env(new_tip_block)
874            .expect("evm_env should not fail for executed block");
875
876        self.fork_tracker
877            .max_initcode_size
878            .store(evm_env.cfg_env.max_initcode_size(), std::sync::atomic::Ordering::Relaxed);
879        self.fork_tracker
880            .tx_gas_limit_cap
881            .store(evm_env.cfg_env.tx_gas_limit_cap(), std::sync::atomic::Ordering::Relaxed);
882    }
883
884    fn max_gas_limit(&self) -> u64 {
885        self.block_gas_limit.load(std::sync::atomic::Ordering::Relaxed)
886    }
887
888    /// Returns whether EIP-7594 sidecars are allowed
889    fn allow_7594_sidecars(&self) -> bool {
890        let tip_timestamp = self.fork_tracker.tip_timestamp();
891
892        // If next block is Osaka, allow 7594 sidecars
893        if self.chain_spec().is_osaka_active_at_timestamp(tip_timestamp.saturating_add(12)) {
894            true
895        } else if self.chain_spec().is_osaka_active_at_timestamp(tip_timestamp.saturating_add(24)) {
896            let current_timestamp =
897                SystemTime::now().duration_since(SystemTime::UNIX_EPOCH).unwrap().as_secs();
898
899            // Allow after 4 seconds into last non-Osaka slot
900            current_timestamp >= tip_timestamp.saturating_add(4)
901        } else {
902            false
903        }
904    }
905}
906
907impl<Client, Tx, Evm> TransactionValidator for EthTransactionValidator<Client, Tx, Evm>
908where
909    Client: ChainSpecProvider<ChainSpec: EthChainSpec + EthereumHardforks> + StateProviderFactory,
910    Tx: EthPoolTransaction,
911    Evm: ConfigureEvm,
912{
913    type Transaction = Tx;
914    type Block = BlockTy<Evm::Primitives>;
915
916    async fn validate_transaction(
917        &self,
918        origin: TransactionOrigin,
919        transaction: Self::Transaction,
920    ) -> TransactionValidationOutcome<Self::Transaction> {
921        self.validate_one(origin, transaction)
922    }
923
924    async fn validate_transactions(
925        &self,
926        transactions: impl IntoIterator<Item = (TransactionOrigin, Self::Transaction), IntoIter: Send>
927            + Send,
928    ) -> Vec<TransactionValidationOutcome<Self::Transaction>> {
929        self.validate_batch(transactions)
930    }
931
932    async fn validate_transactions_with_origin(
933        &self,
934        origin: TransactionOrigin,
935        transactions: impl IntoIterator<Item = Self::Transaction, IntoIter: Send> + Send,
936    ) -> Vec<TransactionValidationOutcome<Self::Transaction>> {
937        self.validate_batch_with_origin(origin, transactions)
938    }
939
940    fn on_new_head_block(&self, new_tip_block: &SealedBlock<Self::Block>) {
941        Self::on_new_head_block(self, new_tip_block.header())
942    }
943}
944
945/// A builder for [`EthTransactionValidator`] and [`TransactionValidationTaskExecutor`]
946#[derive(Debug)]
947pub struct EthTransactionValidatorBuilder<Client, Evm> {
948    client: Client,
949    /// The EVM configuration to use for validation.
950    evm_config: Evm,
951    /// Fork indicator whether we are in the Shanghai stage.
952    shanghai: bool,
953    /// Fork indicator whether we are in the Cancun hardfork.
954    cancun: bool,
955    /// Fork indicator whether we are in the Prague hardfork.
956    prague: bool,
957    /// Fork indicator whether we are in the Osaka hardfork.
958    osaka: bool,
959    /// Timestamp of the tip block.
960    tip_timestamp: u64,
961    /// Max blob count at the block's timestamp.
962    max_blob_count: u64,
963    /// Whether using EIP-2718 type transactions is allowed
964    eip2718: bool,
965    /// Whether using EIP-1559 type transactions is allowed
966    eip1559: bool,
967    /// Whether using EIP-4844 type transactions is allowed
968    eip4844: bool,
969    /// Whether using EIP-7702 type transactions is allowed
970    eip7702: bool,
971    /// The current max gas limit
972    block_gas_limit: AtomicU64,
973    /// The current tx fee cap limit in wei locally submitted into the pool.
974    tx_fee_cap: Option<u128>,
975    /// Minimum priority fee to enforce for acceptance into the pool.
976    minimum_priority_fee: Option<u128>,
977    /// Determines how many additional tasks to spawn
978    ///
979    /// Default is 1
980    additional_tasks: usize,
981
982    /// Stores the setup and parameters needed for validating KZG proofs.
983    kzg_settings: EnvKzgSettings,
984    /// How to handle [`TransactionOrigin::Local`](TransactionOrigin) transactions.
985    local_transactions_config: LocalTransactionConfig,
986    /// Max size in bytes of a single transaction allowed
987    max_tx_input_bytes: usize,
988    /// Maximum gas limit for individual transactions
989    max_tx_gas_limit: Option<u64>,
990    /// Disable balance checks during transaction validation
991    disable_balance_check: bool,
992    /// Bitmap of custom transaction types that are allowed.
993    other_tx_types: U256,
994    /// Cached max initcode size from EVM config
995    max_initcode_size: usize,
996    /// Cached transaction gas limit cap from EVM config (0 = no cap)
997    tx_gas_limit_cap: u64,
998    /// Whether EIP-7594 blob sidecars are accepted.
999    /// When false, EIP-7594 (v1) sidecars are always rejected and EIP-4844 (v0) sidecars
1000    /// are always accepted, regardless of Osaka fork activation.
1001    eip7594: bool,
1002}
1003
1004impl<Client, Evm> EthTransactionValidatorBuilder<Client, Evm> {
1005    /// Creates a new builder for the given client and EVM config
1006    ///
1007    /// By default this assumes the network is on the `Prague` hardfork and the following
1008    /// transactions are allowed:
1009    ///  - Legacy
1010    ///  - EIP-2718
1011    ///  - EIP-1559
1012    ///  - EIP-4844
1013    ///  - EIP-7702
1014    pub fn new(client: Client, evm_config: Evm) -> Self
1015    where
1016        Client: ChainSpecProvider<ChainSpec: EthChainSpec + EthereumHardforks>
1017            + BlockReaderIdExt<Header = HeaderTy<Evm::Primitives>>,
1018        Evm: ConfigureEvm,
1019    {
1020        let chain_spec = client.chain_spec();
1021        let tip = client
1022            .header_by_id(BlockId::latest())
1023            .expect("failed to fetch latest header")
1024            .expect("latest header is not found");
1025        let evm_env =
1026            evm_config.evm_env(&tip).expect("evm_env should not fail for existing blocks");
1027
1028        Self {
1029            block_gas_limit: ETHEREUM_BLOCK_GAS_LIMIT_30M.into(),
1030            client,
1031            evm_config,
1032            minimum_priority_fee: None,
1033            additional_tasks: 1,
1034            kzg_settings: EnvKzgSettings::Default,
1035            local_transactions_config: Default::default(),
1036            max_tx_input_bytes: DEFAULT_MAX_TX_INPUT_BYTES,
1037            tx_fee_cap: Some(1e18 as u128),
1038            max_tx_gas_limit: None,
1039            // by default all transaction types are allowed
1040            eip2718: true,
1041            eip1559: true,
1042            eip4844: true,
1043            eip7702: true,
1044
1045            shanghai: chain_spec.is_shanghai_active_at_timestamp(tip.timestamp()),
1046            cancun: chain_spec.is_cancun_active_at_timestamp(tip.timestamp()),
1047            prague: chain_spec.is_prague_active_at_timestamp(tip.timestamp()),
1048            osaka: chain_spec.is_osaka_active_at_timestamp(tip.timestamp()),
1049
1050            tip_timestamp: tip.timestamp(),
1051
1052            max_blob_count: chain_spec
1053                .blob_params_at_timestamp(tip.timestamp())
1054                .unwrap_or_else(BlobParams::prague)
1055                .max_blobs_per_tx,
1056
1057            // balance checks are enabled by default
1058            disable_balance_check: false,
1059
1060            // no custom transaction types by default
1061            other_tx_types: U256::ZERO,
1062
1063            tx_gas_limit_cap: evm_env.cfg_env.tx_gas_limit_cap(),
1064            max_initcode_size: evm_env.cfg_env.max_initcode_size(),
1065
1066            // EIP-7594 sidecars are accepted by default (standard Ethereum behavior)
1067            eip7594: true,
1068        }
1069    }
1070
1071    /// Disables the Cancun fork.
1072    pub const fn no_cancun(self) -> Self {
1073        self.set_cancun(false)
1074    }
1075
1076    /// Whether to allow exemptions for local transaction exemptions.
1077    pub fn with_local_transactions_config(
1078        mut self,
1079        local_transactions_config: LocalTransactionConfig,
1080    ) -> Self {
1081        self.local_transactions_config = local_transactions_config;
1082        self
1083    }
1084
1085    /// Set the Cancun fork.
1086    pub const fn set_cancun(mut self, cancun: bool) -> Self {
1087        self.cancun = cancun;
1088        self
1089    }
1090
1091    /// Disables the Shanghai fork.
1092    pub const fn no_shanghai(self) -> Self {
1093        self.set_shanghai(false)
1094    }
1095
1096    /// Set the Shanghai fork.
1097    pub const fn set_shanghai(mut self, shanghai: bool) -> Self {
1098        self.shanghai = shanghai;
1099        self
1100    }
1101
1102    /// Disables the Prague fork.
1103    pub const fn no_prague(self) -> Self {
1104        self.set_prague(false)
1105    }
1106
1107    /// Set the Prague fork.
1108    pub const fn set_prague(mut self, prague: bool) -> Self {
1109        self.prague = prague;
1110        self
1111    }
1112
1113    /// Disables the Osaka fork.
1114    pub const fn no_osaka(self) -> Self {
1115        self.set_osaka(false)
1116    }
1117
1118    /// Set the Osaka fork.
1119    pub const fn set_osaka(mut self, osaka: bool) -> Self {
1120        self.osaka = osaka;
1121        self
1122    }
1123
1124    /// Disables the support for EIP-2718 transactions.
1125    pub const fn no_eip2718(self) -> Self {
1126        self.set_eip2718(false)
1127    }
1128
1129    /// Set the support for EIP-2718 transactions.
1130    pub const fn set_eip2718(mut self, eip2718: bool) -> Self {
1131        self.eip2718 = eip2718;
1132        self
1133    }
1134
1135    /// Disables the support for EIP-1559 transactions.
1136    pub const fn no_eip1559(self) -> Self {
1137        self.set_eip1559(false)
1138    }
1139
1140    /// Set the support for EIP-1559 transactions.
1141    pub const fn set_eip1559(mut self, eip1559: bool) -> Self {
1142        self.eip1559 = eip1559;
1143        self
1144    }
1145
1146    /// Disables the support for EIP-4844 transactions.
1147    pub const fn no_eip4844(self) -> Self {
1148        self.set_eip4844(false)
1149    }
1150
1151    /// Set the support for EIP-4844 transactions.
1152    pub const fn set_eip4844(mut self, eip4844: bool) -> Self {
1153        self.eip4844 = eip4844;
1154        self
1155    }
1156
1157    /// Disables the support for EIP-7702 transactions.
1158    pub const fn no_eip7702(self) -> Self {
1159        self.set_eip7702(false)
1160    }
1161
1162    /// Set the support for EIP-7702 transactions.
1163    pub const fn set_eip7702(mut self, eip7702: bool) -> Self {
1164        self.eip7702 = eip7702;
1165        self
1166    }
1167
1168    /// Disables EIP-7594 blob sidecar support.
1169    ///
1170    /// When disabled, EIP-7594 (v1) blob sidecars are always rejected and EIP-4844 (v0)
1171    /// sidecars are always accepted, regardless of Osaka fork activation.
1172    ///
1173    /// Use this for chains that do not adopt EIP-7594 (`PeerDAS`).
1174    pub const fn no_eip7594(self) -> Self {
1175        self.set_eip7594(false)
1176    }
1177
1178    /// Set EIP-7594 blob sidecar support.
1179    ///
1180    /// When true (default), standard Ethereum behavior applies: v0 sidecars before Osaka,
1181    /// v1 sidecars after Osaka. When false, v1 sidecars are always rejected.
1182    pub const fn set_eip7594(mut self, eip7594: bool) -> Self {
1183        self.eip7594 = eip7594;
1184        self
1185    }
1186
1187    /// Sets the [`EnvKzgSettings`] to use for validating KZG proofs.
1188    pub fn kzg_settings(mut self, kzg_settings: EnvKzgSettings) -> Self {
1189        self.kzg_settings = kzg_settings;
1190        self
1191    }
1192
1193    /// Sets a minimum priority fee that's enforced for acceptance into the pool.
1194    pub const fn with_minimum_priority_fee(mut self, minimum_priority_fee: Option<u128>) -> Self {
1195        self.minimum_priority_fee = minimum_priority_fee;
1196        self
1197    }
1198
1199    /// Sets the number of additional tasks to spawn.
1200    pub const fn with_additional_tasks(mut self, additional_tasks: usize) -> Self {
1201        self.additional_tasks = additional_tasks;
1202        self
1203    }
1204
1205    /// Sets a max size in bytes of a single transaction allowed into the pool
1206    pub const fn with_max_tx_input_bytes(mut self, max_tx_input_bytes: usize) -> Self {
1207        self.max_tx_input_bytes = max_tx_input_bytes;
1208        self
1209    }
1210
1211    /// Sets the block gas limit
1212    ///
1213    /// Transactions with a gas limit greater than this will be rejected.
1214    pub fn set_block_gas_limit(self, block_gas_limit: u64) -> Self {
1215        self.block_gas_limit.store(block_gas_limit, std::sync::atomic::Ordering::Relaxed);
1216        self
1217    }
1218
1219    /// Sets the block gas limit
1220    ///
1221    /// Transactions with a gas limit greater than this will be rejected.
1222    pub const fn set_tx_fee_cap(mut self, tx_fee_cap: u128) -> Self {
1223        self.tx_fee_cap = Some(tx_fee_cap);
1224        self
1225    }
1226
1227    /// Sets the maximum gas limit for individual transactions
1228    pub const fn with_max_tx_gas_limit(mut self, max_tx_gas_limit: Option<u64>) -> Self {
1229        self.max_tx_gas_limit = max_tx_gas_limit;
1230        self
1231    }
1232
1233    /// Disables balance checks during transaction validation
1234    pub const fn disable_balance_check(mut self) -> Self {
1235        self.disable_balance_check = true;
1236        self
1237    }
1238
1239    /// Adds a custom transaction type to the validator.
1240    pub const fn with_custom_tx_type(mut self, tx_type: u8) -> Self {
1241        self.other_tx_types.set_bit(tx_type as usize, true);
1242        self
1243    }
1244
1245    /// Builds a the [`EthTransactionValidator`] without spawning validator tasks.
1246    pub fn build<Tx, S>(self, blob_store: S) -> EthTransactionValidator<Client, Tx, Evm>
1247    where
1248        S: BlobStore,
1249    {
1250        let Self {
1251            client,
1252            evm_config,
1253            shanghai,
1254            cancun,
1255            prague,
1256            osaka,
1257            tip_timestamp,
1258            eip2718,
1259            eip1559,
1260            eip4844,
1261            eip7702,
1262            block_gas_limit,
1263            tx_fee_cap,
1264            minimum_priority_fee,
1265            kzg_settings,
1266            local_transactions_config,
1267            max_tx_input_bytes,
1268            max_tx_gas_limit,
1269            disable_balance_check,
1270            max_blob_count,
1271            additional_tasks: _,
1272            other_tx_types,
1273            max_initcode_size,
1274            tx_gas_limit_cap,
1275            eip7594,
1276        } = self;
1277
1278        let fork_tracker = ForkTracker {
1279            shanghai: AtomicBool::new(shanghai),
1280            cancun: AtomicBool::new(cancun),
1281            prague: AtomicBool::new(prague),
1282            osaka: AtomicBool::new(osaka),
1283            tip_timestamp: AtomicU64::new(tip_timestamp),
1284            max_blob_count: AtomicU64::new(max_blob_count),
1285            max_initcode_size: AtomicUsize::new(max_initcode_size),
1286            tx_gas_limit_cap: AtomicU64::new(tx_gas_limit_cap),
1287        };
1288
1289        EthTransactionValidator {
1290            client,
1291            eip2718,
1292            eip1559,
1293            fork_tracker,
1294            eip4844,
1295            eip7702,
1296            block_gas_limit,
1297            tx_fee_cap,
1298            minimum_priority_fee,
1299            blob_store: Box::new(blob_store),
1300            kzg_settings,
1301            local_transactions_config,
1302            max_tx_input_bytes,
1303            max_tx_gas_limit,
1304            disable_balance_check,
1305            evm_config,
1306            _marker: Default::default(),
1307            validation_metrics: TxPoolValidationMetrics::default(),
1308            other_tx_types,
1309            eip7594,
1310            additional_stateless_validation: None,
1311            additional_stateful_validation: None,
1312        }
1313    }
1314
1315    /// Builds a [`EthTransactionValidator`] and spawns validation tasks via the
1316    /// [`TransactionValidationTaskExecutor`]
1317    ///
1318    /// The validator will spawn `additional_tasks` additional tasks for validation.
1319    ///
1320    /// By default this will spawn 1 additional task.
1321    pub fn build_with_tasks<Tx, S>(
1322        self,
1323        tasks: Runtime,
1324        blob_store: S,
1325    ) -> TransactionValidationTaskExecutor<EthTransactionValidator<Client, Tx, Evm>>
1326    where
1327        S: BlobStore,
1328    {
1329        let additional_tasks = self.additional_tasks;
1330        let validator = self.build::<Tx, S>(blob_store);
1331        TransactionValidationTaskExecutor::spawn(validator, &tasks, additional_tasks)
1332    }
1333}
1334
1335/// Keeps track of whether certain forks are activated
1336#[derive(Debug)]
1337pub struct ForkTracker {
1338    /// Tracks if shanghai is activated at the block's timestamp.
1339    pub shanghai: AtomicBool,
1340    /// Tracks if cancun is activated at the block's timestamp.
1341    pub cancun: AtomicBool,
1342    /// Tracks if prague is activated at the block's timestamp.
1343    pub prague: AtomicBool,
1344    /// Tracks if osaka is activated at the block's timestamp.
1345    pub osaka: AtomicBool,
1346    /// Tracks max blob count per transaction at the block's timestamp.
1347    pub max_blob_count: AtomicU64,
1348    /// Tracks the timestamp of the tip block.
1349    pub tip_timestamp: AtomicU64,
1350    /// Cached max initcode size from EVM config
1351    pub max_initcode_size: AtomicUsize,
1352    /// Cached transaction gas limit cap from EVM config (0 = no cap)
1353    pub tx_gas_limit_cap: AtomicU64,
1354}
1355
1356impl ForkTracker {
1357    /// Returns `true` if Shanghai fork is activated.
1358    pub fn is_shanghai_activated(&self) -> bool {
1359        self.shanghai.load(std::sync::atomic::Ordering::Relaxed)
1360    }
1361
1362    /// Returns `true` if Cancun fork is activated.
1363    pub fn is_cancun_activated(&self) -> bool {
1364        self.cancun.load(std::sync::atomic::Ordering::Relaxed)
1365    }
1366
1367    /// Returns `true` if Prague fork is activated.
1368    pub fn is_prague_activated(&self) -> bool {
1369        self.prague.load(std::sync::atomic::Ordering::Relaxed)
1370    }
1371
1372    /// Returns `true` if Osaka fork is activated.
1373    pub fn is_osaka_activated(&self) -> bool {
1374        self.osaka.load(std::sync::atomic::Ordering::Relaxed)
1375    }
1376
1377    /// Returns the timestamp of the tip block.
1378    pub fn tip_timestamp(&self) -> u64 {
1379        self.tip_timestamp.load(std::sync::atomic::Ordering::Relaxed)
1380    }
1381
1382    /// Returns the max allowed blob count per transaction.
1383    pub fn max_blob_count(&self) -> u64 {
1384        self.max_blob_count.load(std::sync::atomic::Ordering::Relaxed)
1385    }
1386}
1387
1388/// Ensures that gas limit of the transaction exceeds the intrinsic gas of the transaction.
1389///
1390/// Caution: This only checks past the Merge hardfork.
1391pub fn ensure_intrinsic_gas<T: EthPoolTransaction>(
1392    transaction: &T,
1393    fork_tracker: &ForkTracker,
1394) -> Result<(), InvalidPoolTransactionError> {
1395    use revm_primitives::hardfork::SpecId;
1396    let spec_id = if fork_tracker.is_prague_activated() {
1397        SpecId::PRAGUE
1398    } else if fork_tracker.is_shanghai_activated() {
1399        SpecId::SHANGHAI
1400    } else {
1401        SpecId::MERGE
1402    };
1403
1404    let gas = revm_interpreter::gas::calculate_initial_tx_gas(
1405        spec_id,
1406        transaction.input(),
1407        transaction.is_create(),
1408        transaction.access_list().map(|l| l.len()).unwrap_or_default() as u64,
1409        transaction
1410            .access_list()
1411            .map(|l| l.iter().map(|i| i.storage_keys.len()).sum::<usize>())
1412            .unwrap_or_default() as u64,
1413        transaction.authorization_list().map(|l| l.len()).unwrap_or_default() as u64,
1414    );
1415
1416    let gas_limit = transaction.gas_limit();
1417    if gas_limit < gas.initial_total_gas || gas_limit < gas.floor_gas {
1418        Err(InvalidPoolTransactionError::IntrinsicGasTooLow)
1419    } else {
1420        Ok(())
1421    }
1422}
1423
1424#[cfg(test)]
1425mod tests {
1426    use super::*;
1427    use crate::{
1428        blobstore::InMemoryBlobStore, error::PoolErrorKind, traits::PoolTransaction,
1429        CoinbaseTipOrdering, EthPooledTransaction, Pool, TransactionPool,
1430    };
1431    use alloy_consensus::Transaction;
1432    use alloy_eips::eip2718::Decodable2718;
1433    use alloy_primitives::{hex, U256};
1434    use reth_ethereum_primitives::PooledTransactionVariant;
1435    use reth_evm_ethereum::EthEvmConfig;
1436    use reth_primitives_traits::SignedTransaction;
1437    use reth_provider::test_utils::{ExtendedAccount, MockEthProvider};
1438    use revm_primitives::eip3860::MAX_INITCODE_SIZE;
1439
1440    fn test_evm_config() -> EthEvmConfig {
1441        EthEvmConfig::mainnet()
1442    }
1443
1444    fn get_transaction() -> EthPooledTransaction {
1445        let raw = "0x02f914950181ad84b2d05e0085117553845b830f7df88080b9143a6040608081523462000414576200133a803803806200001e8162000419565b9283398101608082820312620004145781516001600160401b03908181116200041457826200004f9185016200043f565b92602092838201519083821162000414576200006d9183016200043f565b8186015190946001600160a01b03821692909183900362000414576060015190805193808511620003145760038054956001938488811c9816801562000409575b89891014620003f3578190601f988981116200039d575b50899089831160011462000336576000926200032a575b505060001982841b1c191690841b1781555b8751918211620003145760049788548481811c9116801562000309575b89821014620002f457878111620002a9575b5087908784116001146200023e5793839491849260009562000232575b50501b92600019911b1c19161785555b6005556007805460ff60a01b19169055600880546001600160a01b0319169190911790553015620001f3575060025469d3c21bcecceda100000092838201809211620001de57506000917fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef9160025530835282815284832084815401905584519384523093a351610e889081620004b28239f35b601190634e487b7160e01b6000525260246000fd5b90606493519262461bcd60e51b845283015260248201527f45524332303a206d696e7420746f20746865207a65726f2061646472657373006044820152fd5b0151935038806200013a565b9190601f198416928a600052848a6000209460005b8c8983831062000291575050501062000276575b50505050811b0185556200014a565b01519060f884600019921b161c191690553880808062000267565b86860151895590970196948501948893500162000253565b89600052886000208880860160051c8201928b8710620002ea575b0160051c019085905b828110620002dd5750506200011d565b60008155018590620002cd565b92508192620002c4565b60228a634e487b7160e01b6000525260246000fd5b90607f16906200010b565b634e487b7160e01b600052604160045260246000fd5b015190503880620000dc565b90869350601f19831691856000528b6000209260005b8d8282106200038657505084116200036d575b505050811b018155620000ee565b015160001983861b60f8161c191690553880806200035f565b8385015186558a979095019493840193016200034c565b90915083600052896000208980850160051c8201928c8610620003e9575b918891869594930160051c01915b828110620003d9575050620000c5565b60008155859450889101620003c9565b92508192620003bb565b634e487b7160e01b600052602260045260246000fd5b97607f1697620000ae565b600080fd5b6040519190601f01601f191682016001600160401b038111838210176200031457604052565b919080601f84011215620004145782516001600160401b038111620003145760209062000475601f8201601f1916830162000419565b92818452828287010111620004145760005b8181106200049d57508260009394955001015290565b85810183015184820184015282016200048756fe608060408181526004918236101561001657600080fd5b600092833560e01c91826306fdde0314610a1c57508163095ea7b3146109f257816318160ddd146109d35781631b4c84d2146109ac57816323b872dd14610833578163313ce5671461081757816339509351146107c357816370a082311461078c578163715018a6146107685781638124f7ac146107495781638da5cb5b1461072057816395d89b411461061d578163a457c2d714610575578163a9059cbb146104e4578163c9567bf914610120575063dd62ed3e146100d557600080fd5b3461011c578060031936011261011c57806020926100f1610b5a565b6100f9610b75565b6001600160a01b0391821683526001865283832091168252845220549051908152f35b5080fd5b905082600319360112610338576008546001600160a01b039190821633036104975760079283549160ff8360a01c1661045557737a250d5630b4cf539739df2c5dacb4c659f2488d92836bffffffffffffffffffffffff60a01b8092161786553087526020938785528388205430156104065730895260018652848920828a52865280858a205584519081527f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925863092a38554835163c45a015560e01b815290861685828581845afa9182156103dd57849187918b946103e7575b5086516315ab88c960e31b815292839182905afa9081156103dd576044879289928c916103c0575b508b83895196879586946364e329cb60e11b8652308c870152166024850152165af19081156103b6579086918991610389575b50169060065416176006558385541660604730895288865260c4858a20548860085416928751958694859363f305d71960e01b8552308a86015260248501528d60448501528d606485015260848401524260a48401525af1801561037f579084929161034c575b50604485600654169587541691888551978894859363095ea7b360e01b855284015260001960248401525af1908115610343575061030c575b5050805460ff60a01b1916600160a01b17905580f35b81813d831161033c575b6103208183610b8b565b8101031261033857518015150361011c5738806102f6565b8280fd5b503d610316565b513d86823e3d90fd5b6060809293503d8111610378575b6103648183610b8b565b81010312610374578290386102bd565b8580fd5b503d61035a565b83513d89823e3d90fd5b6103a99150863d88116103af575b6103a18183610b8b565b810190610e33565b38610256565b503d610397565b84513d8a823e3d90fd5b6103d79150843d86116103af576103a18183610b8b565b38610223565b85513d8b823e3d90fd5b6103ff919450823d84116103af576103a18183610b8b565b92386101fb565b845162461bcd60e51b81528085018790526024808201527f45524332303a20617070726f76652066726f6d20746865207a65726f206164646044820152637265737360e01b6064820152608490fd5b6020606492519162461bcd60e51b8352820152601760248201527f74726164696e6720697320616c7265616479206f70656e0000000000000000006044820152fd5b608490602084519162461bcd60e51b8352820152602160248201527f4f6e6c79206f776e65722063616e2063616c6c20746869732066756e6374696f6044820152603760f91b6064820152fd5b9050346103385781600319360112610338576104fe610b5a565b9060243593303303610520575b602084610519878633610bc3565b5160018152f35b600594919454808302908382041483151715610562576127109004820391821161054f5750925080602061050b565b634e487b7160e01b815260118552602490fd5b634e487b7160e01b825260118652602482fd5b9050823461061a578260031936011261061a57610590610b5a565b918360243592338152600160205281812060018060a01b03861682526020522054908282106105c9576020856105198585038733610d31565b608490602086519162461bcd60e51b8352820152602560248201527f45524332303a2064656372656173656420616c6c6f77616e63652062656c6f77604482015264207a65726f60d81b6064820152fd5b80fd5b83833461011c578160031936011261011c57805191809380549160019083821c92828516948515610716575b6020958686108114610703578589529081156106df5750600114610687575b6106838787610679828c0383610b8b565b5191829182610b11565b0390f35b81529295507f8a35acfbc15ff81a39ae7d344fd709f28e8600b4aa8c65c6b64bfe7fe36bd19b5b8284106106cc57505050826106839461067992820101948680610668565b80548685018801529286019281016106ae565b60ff19168887015250505050151560051b8301019250610679826106838680610668565b634e487b7160e01b845260228352602484fd5b93607f1693610649565b50503461011c578160031936011261011c5760085490516001600160a01b039091168152602090f35b50503461011c578160031936011261011c576020906005549051908152f35b833461061a578060031936011261061a57600880546001600160a01b031916905580f35b50503461011c57602036600319011261011c5760209181906001600160a01b036107b4610b5a565b16815280845220549051908152f35b82843461061a578160031936011261061a576107dd610b5a565b338252600160209081528383206001600160a01b038316845290528282205460243581019290831061054f57602084610519858533610d31565b50503461011c578160031936011261011c576020905160128152f35b83833461011c57606036600319011261011c5761084e610b5a565b610856610b75565b6044359160018060a01b0381169485815260209560018752858220338352875285822054976000198903610893575b505050906105199291610bc3565b85891061096957811561091a5733156108cc5750948481979861051997845260018a528284203385528a52039120558594938780610885565b865162461bcd60e51b8152908101889052602260248201527f45524332303a20617070726f766520746f20746865207a65726f206164647265604482015261737360f01b6064820152608490fd5b865162461bcd60e51b81529081018890526024808201527f45524332303a20617070726f76652066726f6d20746865207a65726f206164646044820152637265737360e01b6064820152608490fd5b865162461bcd60e51b8152908101889052601d60248201527f45524332303a20696e73756666696369656e7420616c6c6f77616e63650000006044820152606490fd5b50503461011c578160031936011261011c5760209060ff60075460a01c1690519015158152f35b50503461011c578160031936011261011c576020906002549051908152f35b50503461011c578060031936011261011c57602090610519610a12610b5a565b6024359033610d31565b92915034610b0d5783600319360112610b0d57600354600181811c9186908281168015610b03575b6020958686108214610af05750848852908115610ace5750600114610a75575b6106838686610679828b0383610b8b565b929550600383527fc2575a0e9e593c00f959f8c92f12db2869c3395a3b0502d05e2516446f71f85b5b828410610abb575050508261068394610679928201019438610a64565b8054868501880152928601928101610a9e565b60ff191687860152505050151560051b83010192506106798261068338610a64565b634e487b7160e01b845260229052602483fd5b93607f1693610a44565b8380fd5b6020808252825181830181905290939260005b828110610b4657505060409293506000838284010152601f8019910116010190565b818101860151848201604001528501610b24565b600435906001600160a01b0382168203610b7057565b600080fd5b602435906001600160a01b0382168203610b7057565b90601f8019910116810190811067ffffffffffffffff821117610bad57604052565b634e487b7160e01b600052604160045260246000fd5b6001600160a01b03908116918215610cde5716918215610c8d57600082815280602052604081205491808310610c3957604082827fddf252ad1be2c89b69c2b068fc378daa952ba7f163c4a11628f55a4df523b3ef958760209652828652038282205586815220818154019055604051908152a3565b60405162461bcd60e51b815260206004820152602660248201527f45524332303a207472616e7366657220616d6f756e7420657863656564732062604482015265616c616e636560d01b6064820152608490fd5b60405162461bcd60e51b815260206004820152602360248201527f45524332303a207472616e7366657220746f20746865207a65726f206164647260448201526265737360e81b6064820152608490fd5b60405162461bcd60e51b815260206004820152602560248201527f45524332303a207472616e736665722066726f6d20746865207a65726f206164604482015264647265737360d81b6064820152608490fd5b6001600160a01b03908116918215610de25716918215610d925760207f8c5be1e5ebec7d5bd14f71427d1e84f3dd0314c0f7b2291e5b200ac8c7c3b925918360005260018252604060002085600052825280604060002055604051908152a3565b60405162461bcd60e51b815260206004820152602260248201527f45524332303a20617070726f766520746f20746865207a65726f206164647265604482015261737360f01b6064820152608490fd5b60405162461bcd60e51b8152602060048201526024808201527f45524332303a20617070726f76652066726f6d20746865207a65726f206164646044820152637265737360e01b6064820152608490fd5b90816020910312610b7057516001600160a01b0381168103610b70579056fea2646970667358221220285c200b3978b10818ff576bb83f2dc4a2a7c98dfb6a36ea01170de792aa652764736f6c63430008140033000000000000000000000000000000000000000000000000000000000000008000000000000000000000000000000000000000000000000000000000000000c0000000000000000000000000d3fd4f95820a9aa848ce716d6c200eaefb9a2e4900000000000000000000000000000000000000000000000000000000000000640000000000000000000000000000000000000000000000000000000000000003543131000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000035431310000000000000000000000000000000000000000000000000000000000c001a04e551c75810ffdfe6caff57da9f5a8732449f42f0f4c57f935b05250a76db3b6a046cd47e6d01914270c1ec0d9ac7fae7dfb240ec9a8b6ec7898c4d6aa174388f2";
1446
1447        let data = hex::decode(raw).unwrap();
1448        let tx = PooledTransactionVariant::decode_2718(&mut data.as_ref()).unwrap();
1449
1450        EthPooledTransaction::from_pooled(tx.try_into_recovered().unwrap())
1451    }
1452
1453    // <https://github.com/paradigmxyz/reth/issues/5178>
1454    #[tokio::test]
1455    async fn validate_transaction() {
1456        let transaction = get_transaction();
1457        let mut fork_tracker = ForkTracker {
1458            shanghai: false.into(),
1459            cancun: false.into(),
1460            prague: false.into(),
1461            osaka: false.into(),
1462            tip_timestamp: 0.into(),
1463            max_blob_count: 0.into(),
1464            max_initcode_size: AtomicUsize::new(MAX_INITCODE_SIZE),
1465            tx_gas_limit_cap: AtomicU64::new(0),
1466        };
1467
1468        let res = ensure_intrinsic_gas(&transaction, &fork_tracker);
1469        assert!(res.is_ok());
1470
1471        fork_tracker.shanghai = true.into();
1472        let res = ensure_intrinsic_gas(&transaction, &fork_tracker);
1473        assert!(res.is_ok());
1474
1475        let provider = MockEthProvider::default().with_genesis_block();
1476        provider.add_account(
1477            transaction.sender(),
1478            ExtendedAccount::new(transaction.nonce(), U256::MAX),
1479        );
1480        let blob_store = InMemoryBlobStore::default();
1481        let validator = EthTransactionValidatorBuilder::new(provider, test_evm_config())
1482            .build(blob_store.clone());
1483
1484        let outcome = validator.validate_one(TransactionOrigin::External, transaction.clone());
1485
1486        assert!(outcome.is_valid());
1487
1488        let pool =
1489            Pool::new(validator, CoinbaseTipOrdering::default(), blob_store, Default::default());
1490
1491        let res = pool.add_external_transaction(transaction.clone()).await;
1492        assert!(res.is_ok());
1493        let tx = pool.get(transaction.hash());
1494        assert!(tx.is_some());
1495    }
1496
1497    // <https://github.com/paradigmxyz/reth/issues/8550>
1498    #[tokio::test]
1499    async fn invalid_on_gas_limit_too_high() {
1500        let transaction = get_transaction();
1501
1502        let provider = MockEthProvider::default().with_genesis_block();
1503        provider.add_account(
1504            transaction.sender(),
1505            ExtendedAccount::new(transaction.nonce(), U256::MAX),
1506        );
1507
1508        let blob_store = InMemoryBlobStore::default();
1509        let validator = EthTransactionValidatorBuilder::new(provider, test_evm_config())
1510            .set_block_gas_limit(1_000_000) // tx gas limit is 1_015_288
1511            .build(blob_store.clone());
1512
1513        let outcome = validator.validate_one(TransactionOrigin::External, transaction.clone());
1514
1515        assert!(outcome.is_invalid());
1516
1517        let pool =
1518            Pool::new(validator, CoinbaseTipOrdering::default(), blob_store, Default::default());
1519
1520        let res = pool.add_external_transaction(transaction.clone()).await;
1521        assert!(res.is_err());
1522        assert!(matches!(
1523            res.unwrap_err().kind,
1524            PoolErrorKind::InvalidTransaction(InvalidPoolTransactionError::ExceedsGasLimit(
1525                1_015_288, 1_000_000
1526            ))
1527        ));
1528        let tx = pool.get(transaction.hash());
1529        assert!(tx.is_none());
1530    }
1531
1532    #[tokio::test]
1533    async fn invalid_on_fee_cap_exceeded() {
1534        let transaction = get_transaction();
1535        let provider = MockEthProvider::default().with_genesis_block();
1536        provider.add_account(
1537            transaction.sender(),
1538            ExtendedAccount::new(transaction.nonce(), U256::MAX),
1539        );
1540
1541        let blob_store = InMemoryBlobStore::default();
1542        let validator = EthTransactionValidatorBuilder::new(provider, test_evm_config())
1543            .set_tx_fee_cap(100) // 100 wei cap
1544            .build(blob_store.clone());
1545
1546        let outcome = validator.validate_one(TransactionOrigin::Local, transaction.clone());
1547        assert!(outcome.is_invalid());
1548
1549        if let TransactionValidationOutcome::Invalid(_, err) = outcome {
1550            assert!(matches!(
1551                err,
1552                InvalidPoolTransactionError::ExceedsFeeCap { max_tx_fee_wei, tx_fee_cap_wei }
1553                if (max_tx_fee_wei > tx_fee_cap_wei)
1554            ));
1555        }
1556
1557        let pool =
1558            Pool::new(validator, CoinbaseTipOrdering::default(), blob_store, Default::default());
1559        let res = pool.add_transaction(TransactionOrigin::Local, transaction.clone()).await;
1560        assert!(res.is_err());
1561        assert!(matches!(
1562            res.unwrap_err().kind,
1563            PoolErrorKind::InvalidTransaction(InvalidPoolTransactionError::ExceedsFeeCap { .. })
1564        ));
1565        let tx = pool.get(transaction.hash());
1566        assert!(tx.is_none());
1567    }
1568
1569    #[tokio::test]
1570    async fn valid_on_zero_fee_cap() {
1571        let transaction = get_transaction();
1572        let provider = MockEthProvider::default().with_genesis_block();
1573        provider.add_account(
1574            transaction.sender(),
1575            ExtendedAccount::new(transaction.nonce(), U256::MAX),
1576        );
1577
1578        let blob_store = InMemoryBlobStore::default();
1579        let validator = EthTransactionValidatorBuilder::new(provider, EthEvmConfig::mainnet())
1580            .set_tx_fee_cap(0) // no cap
1581            .build(blob_store);
1582
1583        let outcome = validator.validate_one(TransactionOrigin::Local, transaction);
1584        assert!(outcome.is_valid());
1585    }
1586
1587    #[tokio::test]
1588    async fn valid_on_normal_fee_cap() {
1589        let transaction = get_transaction();
1590        let provider = MockEthProvider::default().with_genesis_block();
1591        provider.add_account(
1592            transaction.sender(),
1593            ExtendedAccount::new(transaction.nonce(), U256::MAX),
1594        );
1595
1596        let blob_store = InMemoryBlobStore::default();
1597        let validator = EthTransactionValidatorBuilder::new(provider, EthEvmConfig::mainnet())
1598            .set_tx_fee_cap(2e18 as u128) // 2 ETH cap
1599            .build(blob_store);
1600
1601        let outcome = validator.validate_one(TransactionOrigin::Local, transaction);
1602        assert!(outcome.is_valid());
1603    }
1604
1605    #[tokio::test]
1606    async fn invalid_on_max_tx_gas_limit_exceeded() {
1607        let transaction = get_transaction();
1608        let provider = MockEthProvider::default().with_genesis_block();
1609        provider.add_account(
1610            transaction.sender(),
1611            ExtendedAccount::new(transaction.nonce(), U256::MAX),
1612        );
1613
1614        let blob_store = InMemoryBlobStore::default();
1615        let validator = EthTransactionValidatorBuilder::new(provider, EthEvmConfig::mainnet())
1616            .with_max_tx_gas_limit(Some(500_000)) // Set limit lower than transaction gas limit (1_015_288)
1617            .build(blob_store.clone());
1618
1619        let outcome = validator.validate_one(TransactionOrigin::External, transaction.clone());
1620        assert!(outcome.is_invalid());
1621
1622        let pool =
1623            Pool::new(validator, CoinbaseTipOrdering::default(), blob_store, Default::default());
1624
1625        let res = pool.add_external_transaction(transaction.clone()).await;
1626        assert!(res.is_err());
1627        assert!(matches!(
1628            res.unwrap_err().kind,
1629            PoolErrorKind::InvalidTransaction(InvalidPoolTransactionError::MaxTxGasLimitExceeded(
1630                1_015_288, 500_000
1631            ))
1632        ));
1633        let tx = pool.get(transaction.hash());
1634        assert!(tx.is_none());
1635    }
1636
1637    #[tokio::test]
1638    async fn valid_on_max_tx_gas_limit_disabled() {
1639        let transaction = get_transaction();
1640        let provider = MockEthProvider::default().with_genesis_block();
1641        provider.add_account(
1642            transaction.sender(),
1643            ExtendedAccount::new(transaction.nonce(), U256::MAX),
1644        );
1645
1646        let blob_store = InMemoryBlobStore::default();
1647        let validator = EthTransactionValidatorBuilder::new(provider, EthEvmConfig::mainnet())
1648            .with_max_tx_gas_limit(None) // disabled
1649            .build(blob_store);
1650
1651        let outcome = validator.validate_one(TransactionOrigin::External, transaction);
1652        assert!(outcome.is_valid());
1653    }
1654
1655    #[tokio::test]
1656    async fn valid_on_max_tx_gas_limit_within_limit() {
1657        let transaction = get_transaction();
1658        let provider = MockEthProvider::default().with_genesis_block();
1659        provider.add_account(
1660            transaction.sender(),
1661            ExtendedAccount::new(transaction.nonce(), U256::MAX),
1662        );
1663
1664        let blob_store = InMemoryBlobStore::default();
1665        let validator = EthTransactionValidatorBuilder::new(provider, EthEvmConfig::mainnet())
1666            .with_max_tx_gas_limit(Some(2_000_000)) // Set limit higher than transaction gas limit (1_015_288)
1667            .build(blob_store);
1668
1669        let outcome = validator.validate_one(TransactionOrigin::External, transaction);
1670        assert!(outcome.is_valid());
1671    }
1672
1673    // Helper function to set up common test infrastructure for priority fee tests
1674    fn setup_priority_fee_test() -> (EthPooledTransaction, MockEthProvider) {
1675        let transaction = get_transaction();
1676        let provider = MockEthProvider::default().with_genesis_block();
1677        provider.add_account(
1678            transaction.sender(),
1679            ExtendedAccount::new(transaction.nonce(), U256::MAX),
1680        );
1681        (transaction, provider)
1682    }
1683
1684    // Helper function to create a validator with minimum priority fee
1685    fn create_validator_with_minimum_fee(
1686        provider: MockEthProvider,
1687        minimum_priority_fee: Option<u128>,
1688        local_config: Option<LocalTransactionConfig>,
1689    ) -> EthTransactionValidator<MockEthProvider, EthPooledTransaction, EthEvmConfig> {
1690        let blob_store = InMemoryBlobStore::default();
1691        let mut builder = EthTransactionValidatorBuilder::new(provider, test_evm_config())
1692            .with_minimum_priority_fee(minimum_priority_fee);
1693
1694        if let Some(config) = local_config {
1695            builder = builder.with_local_transactions_config(config);
1696        }
1697
1698        builder.build(blob_store)
1699    }
1700
1701    #[tokio::test]
1702    async fn invalid_on_priority_fee_lower_than_configured_minimum() {
1703        let (transaction, provider) = setup_priority_fee_test();
1704
1705        // Verify the test transaction is a dynamic fee transaction
1706        assert!(transaction.is_dynamic_fee());
1707
1708        // Set minimum priority fee to be double the transaction's priority fee
1709        let minimum_priority_fee =
1710            transaction.max_priority_fee_per_gas().expect("priority fee is expected") * 2;
1711
1712        let validator =
1713            create_validator_with_minimum_fee(provider, Some(minimum_priority_fee), None);
1714
1715        // External transaction should be rejected due to low priority fee
1716        let outcome = validator.validate_one(TransactionOrigin::External, transaction.clone());
1717        assert!(outcome.is_invalid());
1718
1719        if let TransactionValidationOutcome::Invalid(_, err) = outcome {
1720            assert!(matches!(
1721                err,
1722                InvalidPoolTransactionError::PriorityFeeBelowMinimum { minimum_priority_fee: min_fee }
1723                if min_fee == minimum_priority_fee
1724            ));
1725        }
1726
1727        // Test pool integration
1728        let blob_store = InMemoryBlobStore::default();
1729        let pool =
1730            Pool::new(validator, CoinbaseTipOrdering::default(), blob_store, Default::default());
1731
1732        let res = pool.add_external_transaction(transaction.clone()).await;
1733        assert!(res.is_err());
1734        assert!(matches!(
1735            res.unwrap_err().kind,
1736            PoolErrorKind::InvalidTransaction(
1737                InvalidPoolTransactionError::PriorityFeeBelowMinimum { .. }
1738            )
1739        ));
1740        let tx = pool.get(transaction.hash());
1741        assert!(tx.is_none());
1742
1743        // Local transactions should still be accepted regardless of minimum priority fee
1744        let (_, local_provider) = setup_priority_fee_test();
1745        let validator_local =
1746            create_validator_with_minimum_fee(local_provider, Some(minimum_priority_fee), None);
1747
1748        let local_outcome = validator_local.validate_one(TransactionOrigin::Local, transaction);
1749        assert!(local_outcome.is_valid());
1750    }
1751
1752    #[tokio::test]
1753    async fn valid_on_priority_fee_equal_to_minimum() {
1754        let (transaction, provider) = setup_priority_fee_test();
1755
1756        // Set minimum priority fee equal to transaction's priority fee
1757        let tx_priority_fee =
1758            transaction.max_priority_fee_per_gas().expect("priority fee is expected");
1759        let validator = create_validator_with_minimum_fee(provider, Some(tx_priority_fee), None);
1760
1761        let outcome = validator.validate_one(TransactionOrigin::External, transaction);
1762        assert!(outcome.is_valid());
1763    }
1764
1765    #[tokio::test]
1766    async fn valid_on_priority_fee_above_minimum() {
1767        let (transaction, provider) = setup_priority_fee_test();
1768
1769        // Set minimum priority fee below transaction's priority fee
1770        let tx_priority_fee =
1771            transaction.max_priority_fee_per_gas().expect("priority fee is expected");
1772        let minimum_priority_fee = tx_priority_fee / 2; // Half of transaction's priority fee
1773
1774        let validator =
1775            create_validator_with_minimum_fee(provider, Some(minimum_priority_fee), None);
1776
1777        let outcome = validator.validate_one(TransactionOrigin::External, transaction);
1778        assert!(outcome.is_valid());
1779    }
1780
1781    #[tokio::test]
1782    async fn valid_on_minimum_priority_fee_disabled() {
1783        let (transaction, provider) = setup_priority_fee_test();
1784
1785        // No minimum priority fee set (default is None)
1786        let validator = create_validator_with_minimum_fee(provider, None, None);
1787
1788        let outcome = validator.validate_one(TransactionOrigin::External, transaction);
1789        assert!(outcome.is_valid());
1790    }
1791
1792    #[tokio::test]
1793    async fn priority_fee_validation_applies_to_private_transactions() {
1794        let (transaction, provider) = setup_priority_fee_test();
1795
1796        // Set minimum priority fee to be double the transaction's priority fee
1797        let minimum_priority_fee =
1798            transaction.max_priority_fee_per_gas().expect("priority fee is expected") * 2;
1799
1800        let validator =
1801            create_validator_with_minimum_fee(provider, Some(minimum_priority_fee), None);
1802
1803        // Private transactions are also subject to minimum priority fee validation
1804        // because they are not considered "local" by default unless specifically configured
1805        let outcome = validator.validate_one(TransactionOrigin::Private, transaction);
1806        assert!(outcome.is_invalid());
1807
1808        if let TransactionValidationOutcome::Invalid(_, err) = outcome {
1809            assert!(matches!(
1810                err,
1811                InvalidPoolTransactionError::PriorityFeeBelowMinimum { minimum_priority_fee: min_fee }
1812                if min_fee == minimum_priority_fee
1813            ));
1814        }
1815    }
1816
1817    #[tokio::test]
1818    async fn valid_on_local_config_exempts_private_transactions() {
1819        let (transaction, provider) = setup_priority_fee_test();
1820
1821        // Set minimum priority fee to be double the transaction's priority fee
1822        let minimum_priority_fee =
1823            transaction.max_priority_fee_per_gas().expect("priority fee is expected") * 2;
1824
1825        // Configure local transactions to include all private transactions
1826        let local_config =
1827            LocalTransactionConfig { propagate_local_transactions: true, ..Default::default() };
1828
1829        let validator = create_validator_with_minimum_fee(
1830            provider,
1831            Some(minimum_priority_fee),
1832            Some(local_config),
1833        );
1834
1835        // With appropriate local config, the behavior depends on the local transaction logic
1836        // This test documents the current behavior - private transactions are still validated
1837        // unless the sender is specifically whitelisted in local_transactions_config
1838        let outcome = validator.validate_one(TransactionOrigin::Private, transaction);
1839        assert!(outcome.is_invalid()); // Still invalid because sender not in whitelist
1840    }
1841
1842    #[test]
1843    fn reject_oversized_tx() {
1844        let mut transaction = get_transaction();
1845        transaction.encoded_length = DEFAULT_MAX_TX_INPUT_BYTES + 1;
1846        let provider = MockEthProvider::default().with_genesis_block();
1847
1848        // No minimum priority fee set (default is None)
1849        let validator = create_validator_with_minimum_fee(provider, None, None);
1850
1851        let outcome = validator.validate_one(TransactionOrigin::External, transaction);
1852        let invalid = outcome.as_invalid().unwrap();
1853        assert!(invalid.is_oversized());
1854    }
1855
1856    #[tokio::test]
1857    async fn valid_with_disabled_balance_check() {
1858        let transaction = get_transaction();
1859        let provider = MockEthProvider::default().with_genesis_block();
1860
1861        // Set account with 0 balance
1862        provider.add_account(
1863            transaction.sender(),
1864            ExtendedAccount::new(transaction.nonce(), alloy_primitives::U256::ZERO),
1865        );
1866
1867        // Validate with balance check enabled
1868        let validator =
1869            EthTransactionValidatorBuilder::new(provider.clone(), EthEvmConfig::mainnet())
1870                .build(InMemoryBlobStore::default());
1871
1872        let outcome = validator.validate_one(TransactionOrigin::External, transaction.clone());
1873        let expected_cost = *transaction.cost();
1874        if let TransactionValidationOutcome::Invalid(_, err) = outcome {
1875            assert!(matches!(
1876                err,
1877                InvalidPoolTransactionError::Consensus(InvalidTransactionError::InsufficientFunds(ref funds_err))
1878                if funds_err.got == alloy_primitives::U256::ZERO && funds_err.expected == expected_cost
1879            ));
1880        } else {
1881            panic!("Expected Invalid outcome with InsufficientFunds error");
1882        }
1883
1884        // Validate with balance check disabled
1885        let validator = EthTransactionValidatorBuilder::new(provider, EthEvmConfig::mainnet())
1886            .disable_balance_check()
1887            .build(InMemoryBlobStore::default());
1888
1889        let outcome = validator.validate_one(TransactionOrigin::External, transaction);
1890        assert!(outcome.is_valid()); // Should be valid because balance check is disabled
1891    }
1892}