reth_chain_state/
memory_overlay.rs

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
use super::ExecutedBlock;
use alloy_primitives::{
    keccak256,
    map::{HashMap, HashSet},
    Address, BlockNumber, Bytes, StorageKey, StorageValue, B256,
};
use reth_errors::ProviderResult;
use reth_primitives::{Account, Bytecode};
use reth_storage_api::{
    AccountReader, BlockHashReader, StateProofProvider, StateProvider, StateRootProvider,
    StorageRootProvider,
};
use reth_trie::{
    updates::TrieUpdates, AccountProof, HashedPostState, HashedStorage, MultiProof, TrieInput,
};
use std::sync::OnceLock;

/// A state provider that stores references to in-memory blocks along with their state as well as a
/// reference of the historical state provider for fallback lookups.
#[allow(missing_debug_implementations)]
pub struct MemoryOverlayStateProviderRef<'a> {
    /// Historical state provider for state lookups that are not found in in-memory blocks.
    pub(crate) historical: Box<dyn StateProvider + 'a>,
    /// The collection of executed parent blocks. Expected order is newest to oldest.
    pub(crate) in_memory: Vec<ExecutedBlock>,
    /// Lazy-loaded in-memory trie data.
    pub(crate) trie_state: OnceLock<MemoryOverlayTrieState>,
}

/// A state provider that stores references to in-memory blocks along with their state as well as
/// the historical state provider for fallback lookups.
#[allow(missing_debug_implementations)]
pub struct MemoryOverlayStateProvider {
    /// Historical state provider for state lookups that are not found in in-memory blocks.
    pub(crate) historical: Box<dyn StateProvider>,
    /// The collection of executed parent blocks. Expected order is newest to oldest.
    pub(crate) in_memory: Vec<ExecutedBlock>,
    /// Lazy-loaded in-memory trie data.
    pub(crate) trie_state: OnceLock<MemoryOverlayTrieState>,
}

macro_rules! impl_state_provider {
    ([$($tokens:tt)*],$type:ty, $historical_type:ty) => {
        impl $($tokens)*  $type {
            /// Create new memory overlay state provider.
            ///
            /// ## Arguments
            ///
            /// - `in_memory` - the collection of executed ancestor blocks in reverse.
            /// - `historical` - a historical state provider for the latest ancestor block stored in the
            ///   database.
            pub fn new(historical: $historical_type, in_memory: Vec<ExecutedBlock>) -> Self {
                Self { historical, in_memory, trie_state: OnceLock::new() }
            }

            /// Turn this state provider into a state provider
            pub fn boxed(self) -> $historical_type {
                Box::new(self)
            }

            /// Return lazy-loaded trie state aggregated from in-memory blocks.
            fn trie_state(&self) -> &MemoryOverlayTrieState {
                self.trie_state.get_or_init(|| {
                    let mut trie_state = MemoryOverlayTrieState::default();
                    for block in self.in_memory.iter().rev() {
                        trie_state.state.extend_ref(block.hashed_state.as_ref());
                        trie_state.nodes.extend_ref(block.trie.as_ref());
                    }
                    trie_state
                })
            }
        }

        impl $($tokens)* BlockHashReader for $type {
            fn block_hash(&self, number: BlockNumber) -> ProviderResult<Option<B256>> {
                for block in &self.in_memory {
                    if block.block.number == number {
                        return Ok(Some(block.block.hash()))
                    }
                }

                self.historical.block_hash(number)
            }

            fn canonical_hashes_range(
                &self,
                start: BlockNumber,
                end: BlockNumber,
            ) -> ProviderResult<Vec<B256>> {
                let range = start..end;
                let mut earliest_block_number = None;
                let mut in_memory_hashes = Vec::new();
                for block in &self.in_memory {
                    if range.contains(&block.block.number) {
                        in_memory_hashes.insert(0, block.block.hash());
                        earliest_block_number = Some(block.block.number);
                    }
                }

                let mut hashes =
                    self.historical.canonical_hashes_range(start, earliest_block_number.unwrap_or(end))?;
                hashes.append(&mut in_memory_hashes);
                Ok(hashes)
            }
        }

        impl $($tokens)* AccountReader for $type {
            fn basic_account(&self, address: Address) -> ProviderResult<Option<Account>> {
                for block in &self.in_memory {
                    if let Some(account) = block.execution_output.account(&address) {
                        return Ok(account)
                    }
                }

                self.historical.basic_account(address)
            }
        }

        impl $($tokens)* StateRootProvider for $type {
            fn state_root(&self, state: HashedPostState) -> ProviderResult<B256> {
                self.state_root_from_nodes(TrieInput::from_state(state))
            }

            fn state_root_from_nodes(&self, mut input: TrieInput) -> ProviderResult<B256> {
                let MemoryOverlayTrieState { nodes, state } = self.trie_state().clone();
                input.prepend_cached(nodes, state);
                self.historical.state_root_from_nodes(input)
            }

            fn state_root_with_updates(
                &self,
                state: HashedPostState,
            ) -> ProviderResult<(B256, TrieUpdates)> {
                self.state_root_from_nodes_with_updates(TrieInput::from_state(state))
            }

            fn state_root_from_nodes_with_updates(
                &self,
                mut input: TrieInput,
            ) -> ProviderResult<(B256, TrieUpdates)> {
                let MemoryOverlayTrieState { nodes, state } = self.trie_state().clone();
                input.prepend_cached(nodes, state);
                self.historical.state_root_from_nodes_with_updates(input)
            }
        }

        impl $($tokens)* StorageRootProvider for $type {
            // TODO: Currently this does not reuse available in-memory trie nodes.
            fn storage_root(&self, address: Address, storage: HashedStorage) -> ProviderResult<B256> {
                let state = &self.trie_state().state;
                let mut hashed_storage =
                    state.storages.get(&keccak256(address)).cloned().unwrap_or_default();
                hashed_storage.extend(&storage);
                self.historical.storage_root(address, hashed_storage)
            }

            // TODO: Currently this does not reuse available in-memory trie nodes.
            fn storage_proof(
                &self,
                address: Address,
                slot: B256,
                storage: HashedStorage,
            ) -> ProviderResult<reth_trie::StorageProof> {
                let state = &self.trie_state().state;
                let mut hashed_storage =
                    state.storages.get(&keccak256(address)).cloned().unwrap_or_default();
                hashed_storage.extend(&storage);
                self.historical.storage_proof(address, slot, hashed_storage)
            }
        }

        impl $($tokens)* StateProofProvider for $type {
            fn proof(
                &self,
                mut input: TrieInput,
                address: Address,
                slots: &[B256],
            ) -> ProviderResult<AccountProof> {
                let MemoryOverlayTrieState { nodes, state } = self.trie_state().clone();
                input.prepend_cached(nodes, state);
                self.historical.proof(input, address, slots)
            }

            fn multiproof(
                &self,
                mut input: TrieInput,
                targets: HashMap<B256, HashSet<B256>>,
            ) -> ProviderResult<MultiProof> {
                let MemoryOverlayTrieState { nodes, state } = self.trie_state().clone();
                input.prepend_cached(nodes, state);
                self.historical.multiproof(input, targets)
            }

            fn witness(
                &self,
                mut input: TrieInput,
                target: HashedPostState,
            ) -> ProviderResult<HashMap<B256, Bytes>> {
                let MemoryOverlayTrieState { nodes, state } = self.trie_state().clone();
                input.prepend_cached(nodes, state);
                self.historical.witness(input, target)
            }
        }

        impl $($tokens)* StateProvider for $type {
            fn storage(
                &self,
                address: Address,
                storage_key: StorageKey,
            ) -> ProviderResult<Option<StorageValue>> {
                for block in &self.in_memory {
                    if let Some(value) = block.execution_output.storage(&address, storage_key.into()) {
                        return Ok(Some(value))
                    }
                }

                self.historical.storage(address, storage_key)
            }

            fn bytecode_by_hash(&self, code_hash: B256) -> ProviderResult<Option<Bytecode>> {
                for block in &self.in_memory {
                    if let Some(contract) = block.execution_output.bytecode(&code_hash) {
                        return Ok(Some(contract))
                    }
                }

                self.historical.bytecode_by_hash(code_hash)
            }
        }
    };
}

impl_state_provider!([], MemoryOverlayStateProvider, Box<dyn StateProvider>);
impl_state_provider!([<'a>], MemoryOverlayStateProviderRef<'a>, Box<dyn StateProvider + 'a>);

/// The collection of data necessary for trie-related operations for [`MemoryOverlayStateProvider`].
#[derive(Clone, Default, Debug)]
pub(crate) struct MemoryOverlayTrieState {
    /// The collection of aggregated in-memory trie updates.
    pub(crate) nodes: TrieUpdates,
    /// The collection of hashed state from in-memory blocks.
    pub(crate) state: HashedPostState,
}