Avoid building caches during block replay (#783)

Also, make the ExitCache safe.
This commit is contained in:
Michael Sproul 2020-01-09 11:43:11 +11:00 committed by GitHub
parent da95a73605
commit d9e9c17d3b
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
6 changed files with 69 additions and 27 deletions

View File

@ -498,17 +498,14 @@ impl<E: EthSpec> HotColdDB<E> {
/// Replay `blocks` on top of `state` until `target_slot` is reached. /// Replay `blocks` on top of `state` until `target_slot` is reached.
/// ///
/// Will skip slots as necessary. /// Will skip slots as necessary. The returned state is not guaranteed
/// to have any caches built, beyond those immediately required by block processing.
fn replay_blocks( fn replay_blocks(
&self, &self,
mut state: BeaconState<E>, mut state: BeaconState<E>,
blocks: Vec<BeaconBlock<E>>, blocks: Vec<BeaconBlock<E>>,
target_slot: Slot, target_slot: Slot,
) -> Result<BeaconState<E>, Error> { ) -> Result<BeaconState<E>, Error> {
state
.build_all_caches(&self.spec)
.map_err(HotColdDBError::BlockReplayBeaconError)?;
let state_root_from_prev_block = |i: usize, state: &BeaconState<E>| { let state_root_from_prev_block = |i: usize, state: &BeaconState<E>| {
if i > 0 { if i > 0 {
let prev_block = &blocks[i - 1]; let prev_block = &blocks[i - 1];

View File

@ -18,19 +18,22 @@ pub fn initiate_validator_exit<T: EthSpec>(
return Ok(()); return Ok(());
} }
// Ensure the exit cache is built.
state.exit_cache.build(&state.validators, spec)?;
// Compute exit queue epoch // Compute exit queue epoch
let delayed_epoch = state.compute_activation_exit_epoch(state.current_epoch(), spec); let delayed_epoch = state.compute_activation_exit_epoch(state.current_epoch(), spec);
let mut exit_queue_epoch = state let mut exit_queue_epoch = state
.exit_cache .exit_cache
.max_epoch() .max_epoch()?
.map_or(delayed_epoch, |epoch| max(epoch, delayed_epoch)); .map_or(delayed_epoch, |epoch| max(epoch, delayed_epoch));
let exit_queue_churn = state.exit_cache.get_churn_at(exit_queue_epoch); let exit_queue_churn = state.exit_cache.get_churn_at(exit_queue_epoch)?;
if exit_queue_churn >= state.get_churn_limit(spec)? { if exit_queue_churn >= state.get_churn_limit(spec)? {
exit_queue_epoch += 1; exit_queue_epoch += 1;
} }
state.exit_cache.record_validator_exit(exit_queue_epoch); state.exit_cache.record_validator_exit(exit_queue_epoch)?;
state.validators[index].exit_epoch = exit_queue_epoch; state.validators[index].exit_epoch = exit_queue_epoch;
state.validators[index].withdrawable_epoch = state.validators[index].withdrawable_epoch =
exit_queue_epoch + spec.min_validator_withdrawability_delay; exit_queue_epoch + spec.min_validator_withdrawability_delay;

View File

@ -58,6 +58,7 @@ pub enum Error {
PreviousCommitteeCacheUninitialized, PreviousCommitteeCacheUninitialized,
CurrentCommitteeCacheUninitialized, CurrentCommitteeCacheUninitialized,
RelativeEpochError(RelativeEpochError), RelativeEpochError(RelativeEpochError),
ExitCacheUninitialized,
CommitteeCacheUninitialized(Option<RelativeEpoch>), CommitteeCacheUninitialized(Option<RelativeEpoch>),
SszTypesError(ssz_types::Error), SszTypesError(ssz_types::Error),
CachedTreeHashError(cached_tree_hash::Error), CachedTreeHashError(cached_tree_hash::Error),
@ -779,13 +780,19 @@ impl<T: EthSpec> BeaconState<T> {
/// Build all the caches, if they need to be built. /// Build all the caches, if they need to be built.
pub fn build_all_caches(&mut self, spec: &ChainSpec) -> Result<(), Error> { pub fn build_all_caches(&mut self, spec: &ChainSpec) -> Result<(), Error> {
self.build_all_committee_caches(spec)?;
self.update_pubkey_cache()?;
self.build_tree_hash_cache()?;
self.exit_cache.build(&self.validators, spec)?;
Ok(())
}
/// Build all committee caches, if they need to be built.
pub fn build_all_committee_caches(&mut self, spec: &ChainSpec) -> Result<(), Error> {
self.build_committee_cache(RelativeEpoch::Previous, spec)?; self.build_committee_cache(RelativeEpoch::Previous, spec)?;
self.build_committee_cache(RelativeEpoch::Current, spec)?; self.build_committee_cache(RelativeEpoch::Current, spec)?;
self.build_committee_cache(RelativeEpoch::Next, spec)?; self.build_committee_cache(RelativeEpoch::Next, spec)?;
self.update_pubkey_cache()?;
self.build_tree_hash_cache()?;
self.exit_cache.build_from_registry(&self.validators, spec);
Ok(()) Ok(())
} }

View File

@ -1,35 +1,68 @@
use super::{ChainSpec, Epoch, Validator}; use super::{BeaconStateError, ChainSpec, Epoch, Validator};
use serde_derive::{Deserialize, Serialize}; use serde_derive::{Deserialize, Serialize};
use std::collections::HashMap; use std::collections::HashMap;
/// Map from exit epoch to the number of validators known to be exiting/exited at that epoch. /// Map from exit epoch to the number of validators known to be exiting/exited at that epoch.
#[derive(Debug, Default, Clone, PartialEq, Serialize, Deserialize)] #[derive(Debug, Default, Clone, PartialEq, Serialize, Deserialize)]
pub struct ExitCache(HashMap<Epoch, u64>); pub struct ExitCache {
initialized: bool,
exits_per_epoch: HashMap<Epoch, u64>,
}
impl ExitCache { impl ExitCache {
/// Ensure the cache is built, and do nothing if it's already initialized.
pub fn build(
&mut self,
validators: &[Validator],
spec: &ChainSpec,
) -> Result<(), BeaconStateError> {
if self.initialized {
Ok(())
} else {
self.force_build(validators, spec)
}
}
/// Add all validators with a non-trivial exit epoch to the cache. /// Add all validators with a non-trivial exit epoch to the cache.
pub fn build_from_registry(&mut self, validators: &[Validator], spec: &ChainSpec) { pub fn force_build(
&mut self,
validators: &[Validator],
spec: &ChainSpec,
) -> Result<(), BeaconStateError> {
self.initialized = true;
validators validators
.iter() .iter()
.filter(|validator| validator.exit_epoch != spec.far_future_epoch) .filter(|validator| validator.exit_epoch != spec.far_future_epoch)
.for_each(|validator| self.record_validator_exit(validator.exit_epoch)); .try_for_each(|validator| self.record_validator_exit(validator.exit_epoch))
}
/// Check that the cache is initialized and return an error if it isn't.
pub fn check_initialized(&self) -> Result<(), BeaconStateError> {
if self.initialized {
Ok(())
} else {
Err(BeaconStateError::ExitCacheUninitialized)
}
} }
/// Record the exit of a single validator in the cache. /// Record the exit of a single validator in the cache.
/// ///
/// Must only be called once per exiting validator. /// Must only be called once per exiting validator.
pub fn record_validator_exit(&mut self, exit_epoch: Epoch) { pub fn record_validator_exit(&mut self, exit_epoch: Epoch) -> Result<(), BeaconStateError> {
*self.0.entry(exit_epoch).or_insert(0) += 1; self.check_initialized()?;
*self.exits_per_epoch.entry(exit_epoch).or_insert(0) += 1;
Ok(())
} }
/// Get the greatest epoch for which validator exits are known. /// Get the greatest epoch for which validator exits are known.
pub fn max_epoch(&self) -> Option<Epoch> { pub fn max_epoch(&self) -> Result<Option<Epoch>, BeaconStateError> {
// This could probably be made even faster by caching the maximum. self.check_initialized()?;
self.0.keys().max().cloned() Ok(self.exits_per_epoch.keys().max().cloned())
} }
/// Get the number of validators exiting/exited at a given epoch, or zero if not known. /// Get the number of validators exiting/exited at a given epoch, or zero if not known.
pub fn get_churn_at(&self, epoch: Epoch) -> u64 { pub fn get_churn_at(&self, epoch: Epoch) -> Result<u64, BeaconStateError> {
self.0.get(&epoch).cloned().unwrap_or(0) self.check_initialized()?;
Ok(self.exits_per_epoch.get(&epoch).cloned().unwrap_or(0))
} }
} }

View File

@ -133,8 +133,8 @@ impl<E: EthSpec, T: EpochTransition<E>> Case for EpochProcessing<E, T> {
let spec = &E::default_spec(); let spec = &E::default_spec();
let mut result = (|| { let mut result = (|| {
// Processing requires the epoch cache. // Processing requires the committee caches.
state.build_all_caches(spec)?; state.build_all_committee_caches(spec)?;
T::run(&mut state, spec).map(|_| state) T::run(&mut state, spec).map(|_| state)
})(); })();

View File

@ -174,8 +174,10 @@ impl<E: EthSpec, O: Operation<E>> Case for Operations<E, O> {
let mut state = self.pre.clone(); let mut state = self.pre.clone();
let mut expected = self.post.clone(); let mut expected = self.post.clone();
// Processing requires the epoch cache. // Processing requires the committee caches.
state.build_all_caches(spec).unwrap(); state
.build_all_committee_caches(spec)
.expect("committee caches OK");
let mut result = self.operation.apply_to(&mut state, spec).map(|()| state); let mut result = self.operation.apply_to(&mut state, spec).map(|()| state);