reth_engine_tree/tree/
error.rs

1//! Internal errors for the tree module.
2
3use alloy_consensus::BlockHeader;
4use reth_consensus::ConsensusError;
5use reth_errors::{BlockExecutionError, BlockValidationError, ProviderError};
6use reth_evm::execute::InternalBlockExecutionError;
7use reth_primitives_traits::{Block, BlockBody, SealedBlock};
8use tokio::sync::oneshot::error::TryRecvError;
9
10/// This is an error that can come from advancing persistence. Either this can be a
11/// [`TryRecvError`], or this can be a [`ProviderError`]
12#[derive(Debug, thiserror::Error)]
13pub enum AdvancePersistenceError {
14    /// An error that can be from failing to receive a value from persistence
15    #[error(transparent)]
16    RecvError(#[from] TryRecvError),
17    /// A provider error
18    #[error(transparent)]
19    Provider(#[from] ProviderError),
20}
21
22#[derive(thiserror::Error)]
23#[error("Failed to insert block (hash={}, number={}, parent_hash={}): {}",
24    .block.hash(),
25    .block.number(),
26    .block.parent_hash(),
27    .kind)]
28struct InsertBlockErrorData<B: Block> {
29    block: SealedBlock<B>,
30    #[source]
31    kind: InsertBlockErrorKind,
32}
33
34impl<B: Block> std::fmt::Debug for InsertBlockErrorData<B> {
35    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
36        f.debug_struct("InsertBlockError")
37            .field("error", &self.kind)
38            .field("hash", &self.block.hash())
39            .field("number", &self.block.number())
40            .field("parent_hash", &self.block.parent_hash())
41            .field("num_txs", &self.block.body().transactions().len())
42            .finish_non_exhaustive()
43    }
44}
45
46impl<B: Block> InsertBlockErrorData<B> {
47    const fn new(block: SealedBlock<B>, kind: InsertBlockErrorKind) -> Self {
48        Self { block, kind }
49    }
50
51    fn boxed(block: SealedBlock<B>, kind: InsertBlockErrorKind) -> Box<Self> {
52        Box::new(Self::new(block, kind))
53    }
54}
55
56/// Error thrown when inserting a block failed because the block is considered invalid.
57#[derive(thiserror::Error)]
58#[error(transparent)]
59pub struct InsertBlockError<B: Block> {
60    inner: Box<InsertBlockErrorData<B>>,
61}
62
63// === impl InsertBlockErrorTwo ===
64
65impl<B: Block> InsertBlockError<B> {
66    /// Create a new `InsertInvalidBlockErrorTwo`
67    pub fn new(block: SealedBlock<B>, kind: InsertBlockErrorKind) -> Self {
68        Self { inner: InsertBlockErrorData::boxed(block, kind) }
69    }
70
71    /// Create a new `InsertInvalidBlockError` from a consensus error
72    pub fn consensus_error(error: ConsensusError, block: SealedBlock<B>) -> Self {
73        Self::new(block, InsertBlockErrorKind::Consensus(error))
74    }
75
76    /// Consumes the error and returns the block that resulted in the error
77    #[inline]
78    pub fn into_block(self) -> SealedBlock<B> {
79        self.inner.block
80    }
81
82    /// Returns the error kind
83    #[inline]
84    pub const fn kind(&self) -> &InsertBlockErrorKind {
85        &self.inner.kind
86    }
87
88    /// Returns the block that resulted in the error
89    #[inline]
90    pub const fn block(&self) -> &SealedBlock<B> {
91        &self.inner.block
92    }
93
94    /// Consumes the type and returns the block and error kind.
95    #[inline]
96    pub fn split(self) -> (SealedBlock<B>, InsertBlockErrorKind) {
97        let inner = *self.inner;
98        (inner.block, inner.kind)
99    }
100}
101
102impl<B: Block> std::fmt::Debug for InsertBlockError<B> {
103    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
104        std::fmt::Debug::fmt(&self.inner, f)
105    }
106}
107
108/// All error variants possible when inserting a block
109#[derive(Debug, thiserror::Error)]
110pub enum InsertBlockErrorKind {
111    /// Block violated consensus rules.
112    #[error(transparent)]
113    Consensus(#[from] ConsensusError),
114    /// Block execution failed.
115    #[error(transparent)]
116    Execution(#[from] BlockExecutionError),
117    /// Provider error.
118    #[error(transparent)]
119    Provider(#[from] ProviderError),
120    /// Other errors.
121    #[error(transparent)]
122    Other(#[from] Box<dyn core::error::Error + Send + Sync + 'static>),
123}
124
125impl InsertBlockErrorKind {
126    /// Returns an [`InsertBlockValidationError`] if the error is caused by an invalid block.
127    ///
128    /// Returns an [`InsertBlockFatalError`] if the error is caused by an error that is not
129    /// validation related or is otherwise fatal.
130    ///
131    /// This is intended to be used to determine if we should respond `INVALID` as a response when
132    /// processing a new block.
133    pub fn ensure_validation_error(
134        self,
135    ) -> Result<InsertBlockValidationError, InsertBlockFatalError> {
136        match self {
137            Self::Consensus(err) => Ok(InsertBlockValidationError::Consensus(err)),
138            // other execution errors that are considered internal errors
139            Self::Execution(err) => {
140                match err {
141                    BlockExecutionError::Validation(err) => {
142                        Ok(InsertBlockValidationError::Validation(err))
143                    }
144                    // these are internal errors, not caused by an invalid block
145                    BlockExecutionError::Internal(error) => {
146                        Err(InsertBlockFatalError::BlockExecutionError(error))
147                    }
148                }
149            }
150            Self::Provider(err) => Err(InsertBlockFatalError::Provider(err)),
151            Self::Other(err) => Err(InternalBlockExecutionError::Other(err).into()),
152        }
153    }
154}
155
156/// Error variants that are not caused by invalid blocks
157#[derive(Debug, thiserror::Error)]
158pub enum InsertBlockFatalError {
159    /// A provider error
160    #[error(transparent)]
161    Provider(#[from] ProviderError),
162    /// An internal / fatal block execution error
163    #[error(transparent)]
164    BlockExecutionError(#[from] InternalBlockExecutionError),
165}
166
167/// Error variants that are caused by invalid blocks
168#[derive(Debug, thiserror::Error)]
169pub enum InsertBlockValidationError {
170    /// Block violated consensus rules.
171    #[error(transparent)]
172    Consensus(#[from] ConsensusError),
173    /// Validation error, transparently wrapping [`BlockValidationError`]
174    #[error(transparent)]
175    Validation(#[from] BlockValidationError),
176}