reth_storage_api/state.rs
1use super::{
2 AccountReader, BlockHashReader, BlockIdReader, StateProofProvider, StateRootProvider,
3 StorageRootProvider,
4};
5use alloc::boxed::Box;
6use alloy_consensus::constants::KECCAK_EMPTY;
7use alloy_eips::{BlockId, BlockNumberOrTag};
8use alloy_primitives::{Address, BlockHash, BlockNumber, StorageKey, StorageValue, B256, U256};
9use auto_impl::auto_impl;
10use reth_execution_types::ExecutionOutcome;
11use reth_primitives_traits::Bytecode;
12use reth_storage_errors::provider::ProviderResult;
13use reth_trie_common::HashedPostState;
14use revm_database::BundleState;
15
16/// This just receives state, or [`ExecutionOutcome`], from the provider
17#[auto_impl::auto_impl(&, Box)]
18pub trait StateReader: Send {
19 /// Receipt type in [`ExecutionOutcome`].
20 type Receipt: Send + Sync;
21
22 /// Get the [`ExecutionOutcome`] for the given block
23 fn get_state(
24 &self,
25 block: BlockNumber,
26 ) -> ProviderResult<Option<ExecutionOutcome<Self::Receipt>>>;
27}
28
29/// Type alias of boxed [`StateProvider`].
30pub type StateProviderBox = Box<dyn StateProvider + Send + 'static>;
31
32/// An abstraction for a type that provides state data.
33#[auto_impl(&, Box)]
34pub trait StateProvider:
35 BlockHashReader
36 + AccountReader
37 + BytecodeReader
38 + StateRootProvider
39 + StorageRootProvider
40 + StateProofProvider
41 + HashedPostStateProvider
42{
43 /// Get storage of given account.
44 fn storage(
45 &self,
46 account: Address,
47 storage_key: StorageKey,
48 ) -> ProviderResult<Option<StorageValue>>;
49
50 /// Get account code by its address.
51 ///
52 /// Returns `None` if the account doesn't exist or account is not a contract
53 fn account_code(&self, addr: &Address) -> ProviderResult<Option<Bytecode>> {
54 // Get basic account information
55 // Returns None if acc doesn't exist
56 let acc = match self.basic_account(addr)? {
57 Some(acc) => acc,
58 None => return Ok(None),
59 };
60
61 if let Some(code_hash) = acc.bytecode_hash {
62 if code_hash == KECCAK_EMPTY {
63 return Ok(None)
64 }
65 // Get the code from the code hash
66 return self.bytecode_by_hash(&code_hash)
67 }
68
69 // Return `None` if no code hash is set
70 Ok(None)
71 }
72
73 /// Get account balance by its address.
74 ///
75 /// Returns `None` if the account doesn't exist
76 fn account_balance(&self, addr: &Address) -> ProviderResult<Option<U256>> {
77 // Get basic account information
78 // Returns None if acc doesn't exist
79
80 self.basic_account(addr)?.map_or_else(|| Ok(None), |acc| Ok(Some(acc.balance)))
81 }
82
83 /// Get account nonce by its address.
84 ///
85 /// Returns `None` if the account doesn't exist
86 fn account_nonce(&self, addr: &Address) -> ProviderResult<Option<u64>> {
87 // Get basic account information
88 // Returns None if acc doesn't exist
89 self.basic_account(addr)?.map_or_else(|| Ok(None), |acc| Ok(Some(acc.nonce)))
90 }
91}
92
93/// Minimal requirements to read a full account, for example, to validate its new transactions
94pub trait AccountInfoReader: AccountReader + BytecodeReader {}
95impl<T: AccountReader + BytecodeReader> AccountInfoReader for T {}
96
97/// Trait that provides the hashed state from various sources.
98#[auto_impl(&, Box)]
99pub trait HashedPostStateProvider {
100 /// Returns the `HashedPostState` of the provided [`BundleState`].
101 fn hashed_post_state(&self, bundle_state: &BundleState) -> HashedPostState;
102}
103
104/// Trait for reading bytecode associated with a given code hash.
105#[auto_impl(&, Box)]
106pub trait BytecodeReader {
107 /// Get account code by its hash
108 fn bytecode_by_hash(&self, code_hash: &B256) -> ProviderResult<Option<Bytecode>>;
109}
110
111/// Trait implemented for database providers that can be converted into a historical state provider.
112pub trait TryIntoHistoricalStateProvider {
113 /// Returns a historical [`StateProvider`] indexed by the given historic block number.
114 fn try_into_history_at_block(
115 self,
116 block_number: BlockNumber,
117 ) -> ProviderResult<StateProviderBox>;
118}
119
120/// Light wrapper that returns `StateProvider` implementations that correspond to the given
121/// `BlockNumber`, the latest state, or the pending state.
122///
123/// This type differentiates states into `historical`, `latest` and `pending`, where the `latest`
124/// block determines what is historical or pending: `[historical..latest..pending]`.
125///
126/// The `latest` state represents the state after the most recent block has been committed to the
127/// database, `historical` states are states that have been committed to the database before the
128/// `latest` state, and `pending` states are states that have not yet been committed to the
129/// database which may or may not become the `latest` state, depending on consensus.
130///
131/// Note: the `pending` block is considered the block that extends the canonical chain but one and
132/// has the `latest` block as its parent.
133///
134/// All states are _inclusive_, meaning they include _all_ changes made (executed transactions)
135/// in their respective blocks. For example [`StateProviderFactory::history_by_block_number`] for
136/// block number `n` will return the state after block `n` was executed (transactions, withdrawals).
137/// In other words, all states point to the end of the state's respective block, which is equivalent
138/// to state at the beginning of the child block.
139///
140/// This affects tracing, or replaying blocks, which will need to be executed on top of the state of
141/// the parent block. For example, in order to trace block `n`, the state after block `n - 1` needs
142/// to be used, since block `n` was executed on its parent block's state.
143#[auto_impl(&, Box, Arc)]
144pub trait StateProviderFactory: BlockIdReader + Send {
145 /// Storage provider for latest block.
146 fn latest(&self) -> ProviderResult<StateProviderBox>;
147
148 /// Returns a [`StateProvider`] indexed by the given [`BlockId`].
149 ///
150 /// Note: if a number or hash is provided this will __only__ look at historical(canonical)
151 /// state.
152 fn state_by_block_id(&self, block_id: BlockId) -> ProviderResult<StateProviderBox> {
153 match block_id {
154 BlockId::Number(block_number) => self.state_by_block_number_or_tag(block_number),
155 BlockId::Hash(block_hash) => self.history_by_block_hash(block_hash.into()),
156 }
157 }
158
159 /// Returns a [`StateProvider`] indexed by the given block number or tag.
160 ///
161 /// Note: if a number is provided this will only look at historical(canonical) state.
162 fn state_by_block_number_or_tag(
163 &self,
164 number_or_tag: BlockNumberOrTag,
165 ) -> ProviderResult<StateProviderBox>;
166
167 /// Returns a historical [`StateProvider`] indexed by the given historic block number.
168 ///
169 ///
170 /// Note: this only looks at historical blocks, not pending blocks.
171 fn history_by_block_number(&self, block: BlockNumber) -> ProviderResult<StateProviderBox>;
172
173 /// Returns a historical [`StateProvider`] indexed by the given block hash.
174 ///
175 /// Note: this only looks at historical blocks, not pending blocks.
176 fn history_by_block_hash(&self, block: BlockHash) -> ProviderResult<StateProviderBox>;
177
178 /// Returns _any_ [StateProvider] with matching block hash.
179 ///
180 /// This will return a [StateProvider] for either a historical or pending block.
181 fn state_by_block_hash(&self, block: BlockHash) -> ProviderResult<StateProviderBox>;
182
183 /// Storage provider for pending state.
184 ///
185 /// Represents the state at the block that extends the canonical chain by one.
186 /// If there's no `pending` block, then this is equal to [`StateProviderFactory::latest`]
187 fn pending(&self) -> ProviderResult<StateProviderBox>;
188
189 /// Storage provider for pending state for the given block hash.
190 ///
191 /// Represents the state at the block that extends the canonical chain.
192 ///
193 /// If the block couldn't be found, returns `None`.
194 fn pending_state_by_hash(&self, block_hash: B256) -> ProviderResult<Option<StateProviderBox>>;
195
196 /// Returns a pending [`StateProvider`] if it exists.
197 ///
198 /// This will return `None` if there's no pending state.
199 fn maybe_pending(&self) -> ProviderResult<Option<StateProviderBox>>;
200}