reth_revm/batch.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 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385
//! Helper for handling execution of multiple blocks.
use alloc::vec::Vec;
use alloy_eips::eip7685::Requests;
use alloy_primitives::{map::HashSet, Address, BlockNumber, Log};
use reth_execution_errors::{BlockExecutionError, InternalBlockExecutionError};
use reth_primitives::Receipts;
use reth_primitives_traits::Receipt;
use reth_prune_types::{PruneMode, PruneModes, PruneSegmentError, MINIMUM_PRUNING_DISTANCE};
use revm::db::states::bundle_state::BundleRetention;
/// Takes care of:
/// - recording receipts during execution of multiple blocks.
/// - pruning receipts according to the pruning configuration.
/// - batch range if known
#[derive(Debug)]
pub struct BlockBatchRecord<T = reth_primitives::Receipt> {
/// Pruning configuration.
prune_modes: PruneModes,
/// The collection of receipts.
/// Outer vector stores receipts for each block sequentially.
/// The inner vector stores receipts ordered by transaction number.
///
/// If receipt is None it means it is pruned.
receipts: Receipts<T>,
/// The collection of EIP-7685 requests.
/// Outer vector stores requests for each block sequentially.
/// The inner vector stores requests ordered by transaction number.
///
/// A transaction may have zero or more requests, so the length of the inner vector is not
/// guaranteed to be the same as the number of transactions.
requests: Vec<Requests>,
/// Memoized address pruning filter.
///
/// Empty implies that there is going to be addresses to include in the filter in a future
/// block. None means there isn't any kind of configuration.
pruning_address_filter: Option<(u64, HashSet<Address>)>,
/// First block will be initialized to `None`
/// and be set to the block number of first block executed.
first_block: Option<BlockNumber>,
/// The maximum known block.
tip: Option<BlockNumber>,
}
impl<T> Default for BlockBatchRecord<T> {
fn default() -> Self {
Self {
prune_modes: Default::default(),
receipts: Default::default(),
requests: Default::default(),
pruning_address_filter: Default::default(),
first_block: Default::default(),
tip: Default::default(),
}
}
}
impl<T> BlockBatchRecord<T> {
/// Create a new receipts recorder with the given pruning configuration.
pub fn new(prune_modes: PruneModes) -> Self
where
T: Default,
{
Self { prune_modes, ..Default::default() }
}
/// Set prune modes.
pub fn set_prune_modes(&mut self, prune_modes: PruneModes) {
self.prune_modes = prune_modes;
}
/// Set the first block number of the batch.
pub fn set_first_block(&mut self, first_block: BlockNumber) {
self.first_block = Some(first_block);
}
/// Returns the first block of the batch if known.
pub const fn first_block(&self) -> Option<BlockNumber> {
self.first_block
}
/// Set tip - highest known block number.
pub fn set_tip(&mut self, tip: BlockNumber) {
self.tip = Some(tip);
}
/// Returns the tip of the batch if known.
pub const fn tip(&self) -> Option<BlockNumber> {
self.tip
}
/// Returns the recorded receipts.
pub const fn receipts(&self) -> &Receipts<T> {
&self.receipts
}
/// Returns all recorded receipts.
pub fn take_receipts(&mut self) -> Receipts<T> {
core::mem::take(&mut self.receipts)
}
/// Returns the recorded requests.
pub fn requests(&self) -> &[Requests] {
&self.requests
}
/// Returns all recorded requests.
pub fn take_requests(&mut self) -> Vec<Requests> {
core::mem::take(&mut self.requests)
}
/// Returns the [`BundleRetention`] for the given block based on the configured prune modes.
pub fn bundle_retention(&self, block_number: BlockNumber) -> BundleRetention {
if self.tip.is_none_or(|tip| {
!self
.prune_modes
.account_history
.is_some_and(|mode| mode.should_prune(block_number, tip)) &&
!self
.prune_modes
.storage_history
.is_some_and(|mode| mode.should_prune(block_number, tip))
}) {
BundleRetention::Reverts
} else {
BundleRetention::PlainState
}
}
/// Save receipts to the executor.
pub fn save_receipts(&mut self, receipts: Vec<T>) -> Result<(), BlockExecutionError>
where
T: Receipt<Log = Log>,
{
let mut receipts = receipts.into_iter().map(Some).collect();
// Prune receipts if necessary.
self.prune_receipts(&mut receipts).map_err(InternalBlockExecutionError::from)?;
// Save receipts.
self.receipts.push(receipts);
Ok(())
}
/// Prune receipts according to the pruning configuration.
fn prune_receipts(&mut self, receipts: &mut Vec<Option<T>>) -> Result<(), PruneSegmentError>
where
T: Receipt<Log = Log>,
{
let (Some(first_block), Some(tip)) = (self.first_block, self.tip) else { return Ok(()) };
let block_number = first_block + self.receipts.len() as u64;
// Block receipts should not be retained
if self.prune_modes.receipts == Some(PruneMode::Full) ||
// [`PruneSegment::Receipts`] takes priority over [`PruneSegment::ContractLogs`]
self.prune_modes.receipts.is_some_and(|mode| mode.should_prune(block_number, tip))
{
receipts.clear();
return Ok(())
}
// All receipts from the last 128 blocks are required for blockchain tree, even with
// [`PruneSegment::ContractLogs`].
let prunable_receipts =
PruneMode::Distance(MINIMUM_PRUNING_DISTANCE).should_prune(block_number, tip);
if !prunable_receipts {
return Ok(())
}
let contract_log_pruner = self.prune_modes.receipts_log_filter.group_by_block(tip, None)?;
if !contract_log_pruner.is_empty() {
let (prev_block, filter) =
self.pruning_address_filter.get_or_insert_with(|| (0, Default::default()));
for (_, addresses) in contract_log_pruner.range(*prev_block..=block_number) {
filter.extend(addresses.iter().copied());
}
}
if let Some((_, filter)) = &self.pruning_address_filter {
for receipt in receipts.iter_mut() {
// If there is an address_filter, it does not contain any of the
// contract addresses, then remove this receipt.
let inner_receipt = receipt.as_ref().expect("receipts have not been pruned");
if !inner_receipt.logs().iter().any(|log| filter.contains(&log.address)) {
receipt.take();
}
}
}
Ok(())
}
/// Save EIP-7685 requests to the executor.
pub fn save_requests(&mut self, requests: Requests) {
self.requests.push(requests);
}
}
#[cfg(test)]
mod tests {
use super::*;
use alloc::collections::BTreeMap;
use alloy_primitives::Address;
use reth_primitives::{Log, Receipt};
use reth_prune_types::{PruneMode, ReceiptsLogPruneConfig};
#[test]
fn test_save_receipts_empty() {
let mut recorder: BlockBatchRecord = BlockBatchRecord::default();
// Create an empty vector of receipts
let receipts = vec![];
// Verify that saving receipts completes without error
assert!(recorder.save_receipts(receipts).is_ok());
// Verify that the saved receipts are equal to a nested empty vector
assert_eq!(*recorder.receipts(), vec![vec![]].into());
}
#[test]
fn test_save_receipts_non_empty_no_pruning() {
let mut recorder = BlockBatchRecord::default();
let receipts = vec![Receipt::default()];
// Verify that saving receipts completes without error
assert!(recorder.save_receipts(receipts).is_ok());
// Verify that there is one block of receipts
assert_eq!(recorder.receipts().len(), 1);
// Verify that the first block contains one receipt
assert_eq!(recorder.receipts()[0].len(), 1);
// Verify that the saved receipt is the default receipt
assert_eq!(recorder.receipts()[0][0], Some(Receipt::default()));
}
#[test]
fn test_save_receipts_with_pruning_no_prunable_receipts() {
let mut recorder = BlockBatchRecord::default();
// Set the first block number
recorder.set_first_block(1);
// Set the tip (highest known block)
recorder.set_tip(130);
// Create a vector of receipts with a default receipt
let receipts = vec![Receipt::default()];
// Verify that saving receipts completes without error
assert!(recorder.save_receipts(receipts).is_ok());
// Verify that there is one block of receipts
assert_eq!(recorder.receipts().len(), 1);
// Verify that the first block contains one receipt
assert_eq!(recorder.receipts()[0].len(), 1);
// Verify that the saved receipt is the default receipt
assert_eq!(recorder.receipts()[0][0], Some(Receipt::default()));
}
#[test]
fn test_save_receipts_with_pruning_no_tip() {
// Create a PruneModes with receipts set to PruneMode::Full
let prune_modes = PruneModes { receipts: Some(PruneMode::Full), ..Default::default() };
let mut recorder = BlockBatchRecord::new(prune_modes);
// Set the first block number
recorder.set_first_block(1);
// Create a vector of receipts with a default receipt
let receipts = vec![Receipt::default()];
// Verify that saving receipts completes without error
assert!(recorder.save_receipts(receipts).is_ok());
// Verify that there is one block of receipts
assert_eq!(recorder.receipts().len(), 1);
// Verify that the first block contains one receipt
assert_eq!(recorder.receipts()[0].len(), 1);
// Verify that the saved receipt is the default receipt
assert_eq!(recorder.receipts()[0][0], Some(Receipt::default()));
}
#[test]
fn test_save_receipts_with_pruning_no_block_number() {
// Create a PruneModes with receipts set to PruneMode::Full
let prune_modes = PruneModes { receipts: Some(PruneMode::Full), ..Default::default() };
// Create a BlockBatchRecord with the prune_modes
let mut recorder = BlockBatchRecord::new(prune_modes);
// Set the tip (highest known block)
recorder.set_tip(130);
// Create a vector of receipts with a default receipt
let receipts = vec![Receipt::default()];
// Verify that saving receipts completes without error
assert!(recorder.save_receipts(receipts).is_ok());
// Verify that there is one block of receipts
assert_eq!(recorder.receipts().len(), 1);
// Verify that the first block contains one receipt
assert_eq!(recorder.receipts()[0].len(), 1);
// Verify that the saved receipt is the default receipt
assert_eq!(recorder.receipts()[0][0], Some(Receipt::default()));
}
// Test saving receipts with pruning configuration and receipts should be pruned
#[test]
fn test_save_receipts_with_pruning_should_prune() {
// Create a PruneModes with receipts set to PruneMode::Full
let prune_modes = PruneModes { receipts: Some(PruneMode::Full), ..Default::default() };
// Create a BlockBatchRecord with the prune_modes
let mut recorder = BlockBatchRecord::new(prune_modes);
// Set the first block number
recorder.set_first_block(1);
// Set the tip (highest known block)
recorder.set_tip(130);
// Create a vector of receipts with a default receipt
let receipts = vec![Receipt::default()];
// Verify that saving receipts completes without error
assert!(recorder.save_receipts(receipts).is_ok());
// Verify that there is one block of receipts
assert_eq!(recorder.receipts().len(), 1);
// Verify that the receipts are pruned (empty)
assert!(recorder.receipts()[0].is_empty());
}
// Test saving receipts with address filter pruning
#[test]
fn test_save_receipts_with_address_filter_pruning() {
// Create a PruneModes with receipts_log_filter configuration
let prune_modes = PruneModes {
receipts_log_filter: ReceiptsLogPruneConfig(BTreeMap::from([
(Address::with_last_byte(1), PruneMode::Before(1300001)),
(Address::with_last_byte(2), PruneMode::Before(1300002)),
(Address::with_last_byte(3), PruneMode::Distance(1300003)),
])),
..Default::default()
};
// Create a BlockBatchRecord with the prune_modes
let mut recorder = BlockBatchRecord::new(prune_modes);
// Set the first block number
recorder.set_first_block(1);
// Set the tip (highest known block)
recorder.set_tip(1300000);
// With a receipt that should be pruned (address 4 not in the log filter)
let mut receipt = Receipt::default();
receipt.logs.push(Log { address: Address::with_last_byte(4), ..Default::default() });
let receipts = vec![receipt.clone()];
assert!(recorder.save_receipts(receipts).is_ok());
// Verify that the receipts are pruned (empty)
assert_eq!(recorder.receipts().len(), 1);
assert_eq!(recorder.receipts()[0], vec![None]);
// With a receipt that should not be pruned (address 1 in the log filter)
let mut receipt1 = Receipt::default();
receipt1.logs.push(Log { address: Address::with_last_byte(1), ..Default::default() });
let receipts = vec![receipt1.clone()];
assert!(recorder.save_receipts(receipts).is_ok());
// Verify that the second block of receipts contains the receipt
assert_eq!(recorder.receipts().len(), 2);
assert_eq!(recorder.receipts()[1][0], Some(receipt1));
// With a receipt that should not be pruned (address 2 in the log filter)
let mut receipt2 = Receipt::default();
receipt2.logs.push(Log { address: Address::with_last_byte(2), ..Default::default() });
let receipts = vec![receipt2.clone()];
assert!(recorder.save_receipts(receipts).is_ok());
// Verify that the third block of receipts contains the receipt
assert_eq!(recorder.receipts().len(), 3);
assert_eq!(recorder.receipts()[2][0], Some(receipt2));
// With a receipt that should not be pruned (address 3 in the log filter)
let mut receipt3 = Receipt::default();
receipt3.logs.push(Log { address: Address::with_last_byte(3), ..Default::default() });
let receipts = vec![receipt3.clone()];
assert!(recorder.save_receipts(receipts).is_ok());
// Verify that the fourth block of receipts contains the receipt
assert_eq!(recorder.receipts().len(), 4);
assert_eq!(recorder.receipts()[3][0], Some(receipt3));
}
}