Add BeaconChainHarness
tests for The Merge (#2661)
* Start adding merge tests * Expose MockExecutionLayer * Add mock_execution_layer to BeaconChainHarness * Progress with merge test * Return more detailed errors with gas limit issues * Use a better gas limit in block gen * Ensure TTD is met in block gen * Fix basic_merge tests * Start geth testing * Fix conflicts after rebase * Remove geth tests * Improve merge test * Address clippy lints * Make pow block gen a pure function * Add working new test, breaking existing test * Fix test names * Add should_panic * Don't run merge tests in debug * Detect a tokio runtime when starting MockServer * Fix clippy lint, include merge tests
This commit is contained in:
parent
801f6f7425
commit
a1033a9247
@ -57,6 +57,7 @@ eth2 = { path = "../../common/eth2" }
|
|||||||
strum = { version = "0.21.0", features = ["derive"] }
|
strum = { version = "0.21.0", features = ["derive"] }
|
||||||
logging = { path = "../../common/logging" }
|
logging = { path = "../../common/logging" }
|
||||||
execution_layer = { path = "../execution_layer" }
|
execution_layer = { path = "../execution_layer" }
|
||||||
|
sensitive_url = { path = "../../common/sensitive_url" }
|
||||||
|
|
||||||
[[test]]
|
[[test]]
|
||||||
name = "beacon_chain_tests"
|
name = "beacon_chain_tests"
|
||||||
|
@ -11,16 +11,24 @@ use crate::{
|
|||||||
StateSkipConfig,
|
StateSkipConfig,
|
||||||
};
|
};
|
||||||
use bls::get_withdrawal_credentials;
|
use bls::get_withdrawal_credentials;
|
||||||
|
use execution_layer::{
|
||||||
|
test_utils::{
|
||||||
|
ExecutionBlockGenerator, ExecutionLayerRuntime, MockExecutionLayer, DEFAULT_TERMINAL_BLOCK,
|
||||||
|
},
|
||||||
|
ExecutionLayer,
|
||||||
|
};
|
||||||
use futures::channel::mpsc::Receiver;
|
use futures::channel::mpsc::Receiver;
|
||||||
pub use genesis::interop_genesis_state;
|
pub use genesis::interop_genesis_state;
|
||||||
use int_to_bytes::int_to_bytes32;
|
use int_to_bytes::int_to_bytes32;
|
||||||
use logging::test_logger;
|
use logging::test_logger;
|
||||||
use merkle_proof::MerkleTree;
|
use merkle_proof::MerkleTree;
|
||||||
use parking_lot::Mutex;
|
use parking_lot::Mutex;
|
||||||
|
use parking_lot::RwLockWriteGuard;
|
||||||
use rand::rngs::StdRng;
|
use rand::rngs::StdRng;
|
||||||
use rand::Rng;
|
use rand::Rng;
|
||||||
use rand::SeedableRng;
|
use rand::SeedableRng;
|
||||||
use rayon::prelude::*;
|
use rayon::prelude::*;
|
||||||
|
use sensitive_url::SensitiveUrl;
|
||||||
use slog::Logger;
|
use slog::Logger;
|
||||||
use slot_clock::TestingSlotClock;
|
use slot_clock::TestingSlotClock;
|
||||||
use state_processing::state_advance::complete_state_advance;
|
use state_processing::state_advance::complete_state_advance;
|
||||||
@ -35,13 +43,13 @@ use tree_hash::TreeHash;
|
|||||||
use types::sync_selection_proof::SyncSelectionProof;
|
use types::sync_selection_proof::SyncSelectionProof;
|
||||||
pub use types::test_utils::generate_deterministic_keypairs;
|
pub use types::test_utils::generate_deterministic_keypairs;
|
||||||
use types::{
|
use types::{
|
||||||
typenum::U4294967296, AggregateSignature, Attestation, AttestationData, AttesterSlashing,
|
typenum::U4294967296, Address, AggregateSignature, Attestation, AttestationData,
|
||||||
BeaconBlock, BeaconState, BeaconStateHash, ChainSpec, Checkpoint, Deposit, DepositData, Domain,
|
AttesterSlashing, BeaconBlock, BeaconState, BeaconStateHash, ChainSpec, Checkpoint, Deposit,
|
||||||
Epoch, EthSpec, ForkName, Graffiti, Hash256, IndexedAttestation, Keypair, ProposerSlashing,
|
DepositData, Domain, Epoch, EthSpec, ForkName, Graffiti, Hash256, IndexedAttestation, Keypair,
|
||||||
PublicKeyBytes, SelectionProof, SignatureBytes, SignedAggregateAndProof, SignedBeaconBlock,
|
ProposerSlashing, PublicKeyBytes, SelectionProof, SignatureBytes, SignedAggregateAndProof,
|
||||||
SignedBeaconBlockHash, SignedContributionAndProof, SignedRoot, SignedVoluntaryExit, Slot,
|
SignedBeaconBlock, SignedBeaconBlockHash, SignedContributionAndProof, SignedRoot,
|
||||||
SubnetId, SyncCommittee, SyncCommitteeContribution, SyncCommitteeMessage, VariableList,
|
SignedVoluntaryExit, Slot, SubnetId, SyncCommittee, SyncCommitteeContribution,
|
||||||
VoluntaryExit,
|
SyncCommitteeMessage, VariableList, VoluntaryExit,
|
||||||
};
|
};
|
||||||
|
|
||||||
// 4th September 2019
|
// 4th September 2019
|
||||||
@ -147,6 +155,9 @@ pub struct Builder<T: BeaconChainTypes> {
|
|||||||
store: Option<Arc<HotColdDB<T::EthSpec, T::HotStore, T::ColdStore>>>,
|
store: Option<Arc<HotColdDB<T::EthSpec, T::HotStore, T::ColdStore>>>,
|
||||||
initial_mutator: Option<BoxedMutator<T::EthSpec, T::HotStore, T::ColdStore>>,
|
initial_mutator: Option<BoxedMutator<T::EthSpec, T::HotStore, T::ColdStore>>,
|
||||||
store_mutator: Option<BoxedMutator<T::EthSpec, T::HotStore, T::ColdStore>>,
|
store_mutator: Option<BoxedMutator<T::EthSpec, T::HotStore, T::ColdStore>>,
|
||||||
|
execution_layer: Option<ExecutionLayer>,
|
||||||
|
execution_layer_runtime: Option<ExecutionLayerRuntime>,
|
||||||
|
mock_execution_layer: Option<MockExecutionLayer<T::EthSpec>>,
|
||||||
log: Logger,
|
log: Logger,
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -254,6 +265,9 @@ where
|
|||||||
store: None,
|
store: None,
|
||||||
initial_mutator: None,
|
initial_mutator: None,
|
||||||
store_mutator: None,
|
store_mutator: None,
|
||||||
|
execution_layer: None,
|
||||||
|
mock_execution_layer: None,
|
||||||
|
execution_layer_runtime: None,
|
||||||
log: test_logger(),
|
log: test_logger(),
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -311,6 +325,47 @@ where
|
|||||||
self
|
self
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub fn execution_layer(mut self, urls: &[&str]) -> Self {
|
||||||
|
let spec = self.spec.clone().expect("cannot build without spec");
|
||||||
|
assert!(
|
||||||
|
self.execution_layer.is_none(),
|
||||||
|
"execution layer already defined"
|
||||||
|
);
|
||||||
|
|
||||||
|
let el_runtime = ExecutionLayerRuntime::default();
|
||||||
|
|
||||||
|
let urls = urls
|
||||||
|
.iter()
|
||||||
|
.map(|s| SensitiveUrl::parse(*s))
|
||||||
|
.collect::<Result<_, _>>()
|
||||||
|
.unwrap();
|
||||||
|
let execution_layer = ExecutionLayer::from_urls(
|
||||||
|
urls,
|
||||||
|
spec.terminal_total_difficulty,
|
||||||
|
spec.terminal_block_hash,
|
||||||
|
Some(Address::repeat_byte(42)),
|
||||||
|
el_runtime.task_executor.clone(),
|
||||||
|
el_runtime.log.clone(),
|
||||||
|
)
|
||||||
|
.unwrap();
|
||||||
|
|
||||||
|
self.execution_layer = Some(execution_layer);
|
||||||
|
self.execution_layer_runtime = Some(el_runtime);
|
||||||
|
self
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn mock_execution_layer(mut self) -> Self {
|
||||||
|
let spec = self.spec.clone().expect("cannot build without spec");
|
||||||
|
let mock = MockExecutionLayer::new(
|
||||||
|
spec.terminal_total_difficulty,
|
||||||
|
DEFAULT_TERMINAL_BLOCK,
|
||||||
|
spec.terminal_block_hash,
|
||||||
|
);
|
||||||
|
self.execution_layer = Some(mock.el.clone());
|
||||||
|
self.mock_execution_layer = Some(mock);
|
||||||
|
self
|
||||||
|
}
|
||||||
|
|
||||||
pub fn build(self) -> BeaconChainHarness<BaseHarnessType<E, Hot, Cold>> {
|
pub fn build(self) -> BeaconChainHarness<BaseHarnessType<E, Hot, Cold>> {
|
||||||
let (shutdown_tx, shutdown_receiver) = futures::channel::mpsc::channel(1);
|
let (shutdown_tx, shutdown_receiver) = futures::channel::mpsc::channel(1);
|
||||||
|
|
||||||
@ -326,6 +381,7 @@ where
|
|||||||
.custom_spec(spec)
|
.custom_spec(spec)
|
||||||
.store(self.store.expect("cannot build without store"))
|
.store(self.store.expect("cannot build without store"))
|
||||||
.store_migrator_config(MigratorConfig::default().blocking())
|
.store_migrator_config(MigratorConfig::default().blocking())
|
||||||
|
.execution_layer(self.execution_layer)
|
||||||
.dummy_eth1_backend()
|
.dummy_eth1_backend()
|
||||||
.expect("should build dummy backend")
|
.expect("should build dummy backend")
|
||||||
.shutdown_sender(shutdown_tx)
|
.shutdown_sender(shutdown_tx)
|
||||||
@ -364,6 +420,8 @@ where
|
|||||||
chain: Arc::new(chain),
|
chain: Arc::new(chain),
|
||||||
validator_keypairs,
|
validator_keypairs,
|
||||||
shutdown_receiver,
|
shutdown_receiver,
|
||||||
|
mock_execution_layer: self.mock_execution_layer,
|
||||||
|
execution_layer_runtime: self.execution_layer_runtime,
|
||||||
rng: make_rng(),
|
rng: make_rng(),
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -380,6 +438,9 @@ pub struct BeaconChainHarness<T: BeaconChainTypes> {
|
|||||||
pub spec: ChainSpec,
|
pub spec: ChainSpec,
|
||||||
pub shutdown_receiver: Receiver<ShutdownReason>,
|
pub shutdown_receiver: Receiver<ShutdownReason>,
|
||||||
|
|
||||||
|
pub mock_execution_layer: Option<MockExecutionLayer<T::EthSpec>>,
|
||||||
|
pub execution_layer_runtime: Option<ExecutionLayerRuntime>,
|
||||||
|
|
||||||
pub rng: Mutex<StdRng>,
|
pub rng: Mutex<StdRng>,
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -407,6 +468,14 @@ where
|
|||||||
&self.chain.log
|
&self.chain.log
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub fn execution_block_generator(&self) -> RwLockWriteGuard<'_, ExecutionBlockGenerator<E>> {
|
||||||
|
self.mock_execution_layer
|
||||||
|
.as_ref()
|
||||||
|
.expect("harness was not built with mock execution layer")
|
||||||
|
.server
|
||||||
|
.execution_block_generator()
|
||||||
|
}
|
||||||
|
|
||||||
pub fn get_all_validators(&self) -> Vec<usize> {
|
pub fn get_all_validators(&self) -> Vec<usize> {
|
||||||
(0..self.validator_keypairs.len()).collect()
|
(0..self.validator_keypairs.len()).collect()
|
||||||
}
|
}
|
||||||
@ -1436,6 +1505,40 @@ where
|
|||||||
self.make_block(state, slot)
|
self.make_block(state, slot)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// Uses `Self::extend_chain` to build the chain out to the `target_slot`.
|
||||||
|
pub fn extend_to_slot(&self, target_slot: Slot) -> Hash256 {
|
||||||
|
if self.chain.slot().unwrap() == self.chain.head_info().unwrap().slot {
|
||||||
|
self.advance_slot();
|
||||||
|
}
|
||||||
|
|
||||||
|
let num_slots = target_slot
|
||||||
|
.as_usize()
|
||||||
|
.checked_sub(self.chain.slot().unwrap().as_usize())
|
||||||
|
.expect("target_slot must be >= current_slot")
|
||||||
|
.checked_add(1)
|
||||||
|
.unwrap();
|
||||||
|
|
||||||
|
self.extend_slots(num_slots)
|
||||||
|
}
|
||||||
|
|
||||||
|
/// Uses `Self::extend_chain` to `num_slots` blocks.
|
||||||
|
///
|
||||||
|
/// Utilizes:
|
||||||
|
///
|
||||||
|
/// - BlockStrategy::OnCanonicalHead,
|
||||||
|
/// - AttestationStrategy::AllValidators,
|
||||||
|
pub fn extend_slots(&self, num_slots: usize) -> Hash256 {
|
||||||
|
if self.chain.slot().unwrap() == self.chain.head_info().unwrap().slot {
|
||||||
|
self.advance_slot();
|
||||||
|
}
|
||||||
|
|
||||||
|
self.extend_chain(
|
||||||
|
num_slots,
|
||||||
|
BlockStrategy::OnCanonicalHead,
|
||||||
|
AttestationStrategy::AllValidators,
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
/// Deprecated: Use add_attested_blocks_at_slots() instead
|
/// Deprecated: Use add_attested_blocks_at_slots() instead
|
||||||
///
|
///
|
||||||
/// Extend the `BeaconChain` with some blocks and attestations. Returns the root of the
|
/// Extend the `BeaconChain` with some blocks and attestations. Returns the root of the
|
||||||
|
@ -1,6 +1,7 @@
|
|||||||
mod attestation_production;
|
mod attestation_production;
|
||||||
mod attestation_verification;
|
mod attestation_verification;
|
||||||
mod block_verification;
|
mod block_verification;
|
||||||
|
mod merge;
|
||||||
mod op_verification;
|
mod op_verification;
|
||||||
mod store_tests;
|
mod store_tests;
|
||||||
mod sync_committee_verification;
|
mod sync_committee_verification;
|
||||||
|
182
beacon_node/beacon_chain/tests/merge.rs
Normal file
182
beacon_node/beacon_chain/tests/merge.rs
Normal file
@ -0,0 +1,182 @@
|
|||||||
|
#![cfg(not(debug_assertions))] // Tests run too slow in debug.
|
||||||
|
|
||||||
|
use beacon_chain::test_utils::BeaconChainHarness;
|
||||||
|
use execution_layer::test_utils::{generate_pow_block, DEFAULT_TERMINAL_BLOCK};
|
||||||
|
use types::*;
|
||||||
|
|
||||||
|
const VALIDATOR_COUNT: usize = 32;
|
||||||
|
|
||||||
|
type E = MainnetEthSpec;
|
||||||
|
|
||||||
|
fn verify_execution_payload_chain<T: EthSpec>(chain: &[ExecutionPayload<T>]) {
|
||||||
|
let mut prev_ep: Option<ExecutionPayload<T>> = None;
|
||||||
|
|
||||||
|
for ep in chain {
|
||||||
|
assert!(*ep != ExecutionPayload::default());
|
||||||
|
assert!(ep.block_hash != Hash256::zero());
|
||||||
|
|
||||||
|
// Check against previous `ExecutionPayload`.
|
||||||
|
if let Some(prev_ep) = prev_ep {
|
||||||
|
assert_eq!(prev_ep.block_hash, ep.parent_hash);
|
||||||
|
assert_eq!(prev_ep.block_number + 1, ep.block_number);
|
||||||
|
}
|
||||||
|
prev_ep = Some(ep.clone());
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
// TODO(merge): This isn't working cause the non-zero values in `initialize_beacon_state_from_eth1`
|
||||||
|
// are causing failed lookups to the execution node. I need to come back to this.
|
||||||
|
#[should_panic]
|
||||||
|
fn merge_with_terminal_block_hash_override() {
|
||||||
|
let altair_fork_epoch = Epoch::new(0);
|
||||||
|
let merge_fork_epoch = Epoch::new(0);
|
||||||
|
|
||||||
|
let mut spec = E::default_spec();
|
||||||
|
spec.altair_fork_epoch = Some(altair_fork_epoch);
|
||||||
|
spec.merge_fork_epoch = Some(merge_fork_epoch);
|
||||||
|
|
||||||
|
let genesis_pow_block_hash = generate_pow_block(
|
||||||
|
spec.terminal_total_difficulty,
|
||||||
|
DEFAULT_TERMINAL_BLOCK,
|
||||||
|
0,
|
||||||
|
Hash256::zero(),
|
||||||
|
)
|
||||||
|
.unwrap()
|
||||||
|
.block_hash;
|
||||||
|
|
||||||
|
spec.terminal_block_hash = genesis_pow_block_hash;
|
||||||
|
|
||||||
|
let harness = BeaconChainHarness::builder(E::default())
|
||||||
|
.spec(spec)
|
||||||
|
.deterministic_keypairs(VALIDATOR_COUNT)
|
||||||
|
.fresh_ephemeral_store()
|
||||||
|
.mock_execution_layer()
|
||||||
|
.build();
|
||||||
|
|
||||||
|
assert_eq!(
|
||||||
|
harness
|
||||||
|
.execution_block_generator()
|
||||||
|
.latest_block()
|
||||||
|
.unwrap()
|
||||||
|
.block_hash(),
|
||||||
|
genesis_pow_block_hash,
|
||||||
|
"pre-condition"
|
||||||
|
);
|
||||||
|
|
||||||
|
assert!(
|
||||||
|
harness
|
||||||
|
.chain
|
||||||
|
.head()
|
||||||
|
.unwrap()
|
||||||
|
.beacon_block
|
||||||
|
.as_merge()
|
||||||
|
.is_ok(),
|
||||||
|
"genesis block should be a merge block"
|
||||||
|
);
|
||||||
|
|
||||||
|
let mut execution_payloads = vec![];
|
||||||
|
for i in 0..E::slots_per_epoch() * 3 {
|
||||||
|
harness.extend_slots(1);
|
||||||
|
|
||||||
|
let block = harness.chain.head().unwrap().beacon_block;
|
||||||
|
|
||||||
|
let execution_payload = block.message().body().execution_payload().unwrap().clone();
|
||||||
|
if i == 0 {
|
||||||
|
assert_eq!(execution_payload.block_hash, genesis_pow_block_hash);
|
||||||
|
}
|
||||||
|
execution_payloads.push(execution_payload);
|
||||||
|
}
|
||||||
|
|
||||||
|
verify_execution_payload_chain(&execution_payloads);
|
||||||
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn base_altair_merge_with_terminal_block_after_fork() {
|
||||||
|
let altair_fork_epoch = Epoch::new(4);
|
||||||
|
let altair_fork_slot = altair_fork_epoch.start_slot(E::slots_per_epoch());
|
||||||
|
let merge_fork_epoch = Epoch::new(8);
|
||||||
|
let merge_fork_slot = merge_fork_epoch.start_slot(E::slots_per_epoch());
|
||||||
|
|
||||||
|
let mut spec = E::default_spec();
|
||||||
|
spec.altair_fork_epoch = Some(altair_fork_epoch);
|
||||||
|
spec.merge_fork_epoch = Some(merge_fork_epoch);
|
||||||
|
|
||||||
|
let mut execution_payloads = vec![];
|
||||||
|
|
||||||
|
let harness = BeaconChainHarness::builder(E::default())
|
||||||
|
.spec(spec)
|
||||||
|
.deterministic_keypairs(VALIDATOR_COUNT)
|
||||||
|
.fresh_ephemeral_store()
|
||||||
|
.mock_execution_layer()
|
||||||
|
.build();
|
||||||
|
|
||||||
|
/*
|
||||||
|
* Start with the base fork.
|
||||||
|
*/
|
||||||
|
|
||||||
|
assert!(harness.chain.head().unwrap().beacon_block.as_base().is_ok());
|
||||||
|
|
||||||
|
/*
|
||||||
|
* Do the Altair fork.
|
||||||
|
*/
|
||||||
|
|
||||||
|
harness.extend_to_slot(altair_fork_slot);
|
||||||
|
|
||||||
|
let altair_head = harness.chain.head().unwrap().beacon_block;
|
||||||
|
assert!(altair_head.as_altair().is_ok());
|
||||||
|
assert_eq!(altair_head.slot(), altair_fork_slot);
|
||||||
|
|
||||||
|
/*
|
||||||
|
* Do the merge fork, without a terminal PoW block.
|
||||||
|
*/
|
||||||
|
|
||||||
|
harness.extend_to_slot(merge_fork_slot);
|
||||||
|
|
||||||
|
let merge_head = harness.chain.head().unwrap().beacon_block;
|
||||||
|
assert!(merge_head.as_merge().is_ok());
|
||||||
|
assert_eq!(merge_head.slot(), merge_fork_slot);
|
||||||
|
assert_eq!(
|
||||||
|
*merge_head.message().body().execution_payload().unwrap(),
|
||||||
|
ExecutionPayload::default()
|
||||||
|
);
|
||||||
|
|
||||||
|
/*
|
||||||
|
* Next merge block shouldn't include an exec payload.
|
||||||
|
*/
|
||||||
|
|
||||||
|
harness.extend_slots(1);
|
||||||
|
|
||||||
|
let one_after_merge_head = harness.chain.head().unwrap().beacon_block;
|
||||||
|
assert_eq!(
|
||||||
|
*one_after_merge_head
|
||||||
|
.message()
|
||||||
|
.body()
|
||||||
|
.execution_payload()
|
||||||
|
.unwrap(),
|
||||||
|
ExecutionPayload::default()
|
||||||
|
);
|
||||||
|
assert_eq!(one_after_merge_head.slot(), merge_fork_slot + 1);
|
||||||
|
|
||||||
|
/*
|
||||||
|
* Trigger the terminal PoW block.
|
||||||
|
*/
|
||||||
|
|
||||||
|
harness
|
||||||
|
.execution_block_generator()
|
||||||
|
.move_to_terminal_block()
|
||||||
|
.unwrap();
|
||||||
|
|
||||||
|
/*
|
||||||
|
* Next merge block should include an exec payload.
|
||||||
|
*/
|
||||||
|
|
||||||
|
for _ in 0..4 {
|
||||||
|
harness.extend_slots(1);
|
||||||
|
|
||||||
|
let block = harness.chain.head().unwrap().beacon_block;
|
||||||
|
execution_payloads.push(block.message().body().execution_payload().unwrap().clone());
|
||||||
|
}
|
||||||
|
|
||||||
|
verify_execution_payload_chain(&execution_payloads);
|
||||||
|
}
|
@ -27,3 +27,4 @@ lru = "0.6.0"
|
|||||||
exit-future = "0.2.0"
|
exit-future = "0.2.0"
|
||||||
tree_hash = { path = "../../consensus/tree_hash"}
|
tree_hash = { path = "../../consensus/tree_hash"}
|
||||||
tree_hash_derive = { path = "../../consensus/tree_hash_derive"}
|
tree_hash_derive = { path = "../../consensus/tree_hash_derive"}
|
||||||
|
parking_lot = "0.11.0"
|
||||||
|
@ -107,7 +107,9 @@ pub enum BlockByNumberQuery<'a> {
|
|||||||
#[derive(Clone, Copy, Debug, PartialEq, Serialize, Deserialize)]
|
#[derive(Clone, Copy, Debug, PartialEq, Serialize, Deserialize)]
|
||||||
#[serde(rename_all = "camelCase")]
|
#[serde(rename_all = "camelCase")]
|
||||||
pub struct ExecutionBlock {
|
pub struct ExecutionBlock {
|
||||||
|
#[serde(rename = "hash")]
|
||||||
pub block_hash: Hash256,
|
pub block_hash: Hash256,
|
||||||
|
#[serde(rename = "number", with = "eth2_serde_utils::u64_hex_be")]
|
||||||
pub block_number: u64,
|
pub block_number: u64,
|
||||||
pub parent_hash: Hash256,
|
pub parent_hash: Hash256,
|
||||||
pub total_difficulty: Uint256,
|
pub total_difficulty: Uint256,
|
||||||
|
@ -519,7 +519,7 @@ mod test {
|
|||||||
F: Future<Output = ()>,
|
F: Future<Output = ()>,
|
||||||
{
|
{
|
||||||
request_func(self.echo_client.clone()).await;
|
request_func(self.echo_client.clone()).await;
|
||||||
let request_bytes = self.server.last_echo_request().await;
|
let request_bytes = self.server.last_echo_request();
|
||||||
let request_json: serde_json::Value =
|
let request_json: serde_json::Value =
|
||||||
serde_json::from_slice(&request_bytes).expect("request was not valid json");
|
serde_json::from_slice(&request_bytes).expect("request was not valid json");
|
||||||
if request_json != expected_json {
|
if request_json != expected_json {
|
||||||
@ -542,7 +542,7 @@ mod test {
|
|||||||
F: Future<Output = ()>,
|
F: Future<Output = ()>,
|
||||||
{
|
{
|
||||||
for response in preloaded_responses {
|
for response in preloaded_responses {
|
||||||
self.server.push_preloaded_response(response).await;
|
self.server.push_preloaded_response(response);
|
||||||
}
|
}
|
||||||
request_func(self.rpc_client.clone()).await;
|
request_func(self.rpc_client.clone()).await;
|
||||||
self
|
self
|
||||||
|
@ -552,171 +552,15 @@ impl ExecutionLayer {
|
|||||||
#[cfg(test)]
|
#[cfg(test)]
|
||||||
mod test {
|
mod test {
|
||||||
use super::*;
|
use super::*;
|
||||||
use crate::test_utils::{MockServer, DEFAULT_TERMINAL_DIFFICULTY};
|
use crate::test_utils::MockExecutionLayer as GenericMockExecutionLayer;
|
||||||
use environment::null_logger;
|
|
||||||
use types::MainnetEthSpec;
|
use types::MainnetEthSpec;
|
||||||
|
|
||||||
struct SingleEngineTester {
|
type MockExecutionLayer = GenericMockExecutionLayer<MainnetEthSpec>;
|
||||||
server: MockServer<MainnetEthSpec>,
|
|
||||||
el: ExecutionLayer,
|
|
||||||
runtime: Option<Arc<tokio::runtime::Runtime>>,
|
|
||||||
_runtime_shutdown: exit_future::Signal,
|
|
||||||
}
|
|
||||||
|
|
||||||
impl SingleEngineTester {
|
|
||||||
pub fn new() -> Self {
|
|
||||||
let server = MockServer::unit_testing();
|
|
||||||
|
|
||||||
let url = SensitiveUrl::parse(&server.url()).unwrap();
|
|
||||||
let log = null_logger().unwrap();
|
|
||||||
|
|
||||||
let runtime = Arc::new(
|
|
||||||
tokio::runtime::Builder::new_multi_thread()
|
|
||||||
.enable_all()
|
|
||||||
.build()
|
|
||||||
.unwrap(),
|
|
||||||
);
|
|
||||||
let (runtime_shutdown, exit) = exit_future::signal();
|
|
||||||
let (shutdown_tx, _) = futures::channel::mpsc::channel(1);
|
|
||||||
let executor =
|
|
||||||
TaskExecutor::new(Arc::downgrade(&runtime), exit, log.clone(), shutdown_tx);
|
|
||||||
|
|
||||||
let el = ExecutionLayer::from_urls(
|
|
||||||
vec![url],
|
|
||||||
DEFAULT_TERMINAL_DIFFICULTY.into(),
|
|
||||||
Hash256::zero(),
|
|
||||||
Some(Address::repeat_byte(42)),
|
|
||||||
executor,
|
|
||||||
log,
|
|
||||||
)
|
|
||||||
.unwrap();
|
|
||||||
|
|
||||||
Self {
|
|
||||||
server,
|
|
||||||
el,
|
|
||||||
runtime: Some(runtime),
|
|
||||||
_runtime_shutdown: runtime_shutdown,
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
pub async fn produce_valid_execution_payload_on_head(self) -> Self {
|
|
||||||
let latest_execution_block = {
|
|
||||||
let block_gen = self.server.execution_block_generator().await;
|
|
||||||
block_gen.latest_block().unwrap()
|
|
||||||
};
|
|
||||||
|
|
||||||
let parent_hash = latest_execution_block.block_hash();
|
|
||||||
let block_number = latest_execution_block.block_number() + 1;
|
|
||||||
let timestamp = block_number;
|
|
||||||
let random = Hash256::from_low_u64_be(block_number);
|
|
||||||
|
|
||||||
let _payload_id = self
|
|
||||||
.el
|
|
||||||
.prepare_payload(parent_hash, timestamp, random)
|
|
||||||
.await
|
|
||||||
.unwrap();
|
|
||||||
|
|
||||||
let payload = self
|
|
||||||
.el
|
|
||||||
.get_payload::<MainnetEthSpec>(parent_hash, timestamp, random)
|
|
||||||
.await
|
|
||||||
.unwrap();
|
|
||||||
let block_hash = payload.block_hash;
|
|
||||||
assert_eq!(payload.parent_hash, parent_hash);
|
|
||||||
assert_eq!(payload.block_number, block_number);
|
|
||||||
assert_eq!(payload.timestamp, timestamp);
|
|
||||||
assert_eq!(payload.random, random);
|
|
||||||
|
|
||||||
let (payload_response, mut payload_handle) =
|
|
||||||
self.el.execute_payload(&payload).await.unwrap();
|
|
||||||
assert_eq!(payload_response, ExecutePayloadResponse::Valid);
|
|
||||||
|
|
||||||
payload_handle.publish_async(ConsensusStatus::Valid).await;
|
|
||||||
|
|
||||||
self.el
|
|
||||||
.forkchoice_updated(block_hash, Hash256::zero())
|
|
||||||
.await
|
|
||||||
.unwrap();
|
|
||||||
|
|
||||||
let head_execution_block = {
|
|
||||||
let block_gen = self.server.execution_block_generator().await;
|
|
||||||
block_gen.latest_block().unwrap()
|
|
||||||
};
|
|
||||||
|
|
||||||
assert_eq!(head_execution_block.block_number(), block_number);
|
|
||||||
assert_eq!(head_execution_block.block_hash(), block_hash);
|
|
||||||
assert_eq!(head_execution_block.parent_hash(), parent_hash);
|
|
||||||
|
|
||||||
self
|
|
||||||
}
|
|
||||||
|
|
||||||
pub async fn move_to_block_prior_to_terminal_block(self) -> Self {
|
|
||||||
let target_block = {
|
|
||||||
let block_gen = self.server.execution_block_generator().await;
|
|
||||||
block_gen.terminal_block_number.checked_sub(1).unwrap()
|
|
||||||
};
|
|
||||||
self.move_to_pow_block(target_block).await
|
|
||||||
}
|
|
||||||
|
|
||||||
pub async fn move_to_terminal_block(self) -> Self {
|
|
||||||
let target_block = {
|
|
||||||
let block_gen = self.server.execution_block_generator().await;
|
|
||||||
block_gen.terminal_block_number
|
|
||||||
};
|
|
||||||
self.move_to_pow_block(target_block).await
|
|
||||||
}
|
|
||||||
|
|
||||||
pub async fn move_to_pow_block(self, target_block: u64) -> Self {
|
|
||||||
{
|
|
||||||
let mut block_gen = self.server.execution_block_generator().await;
|
|
||||||
let next_block = block_gen.latest_block().unwrap().block_number() + 1;
|
|
||||||
assert!(target_block >= next_block);
|
|
||||||
|
|
||||||
block_gen
|
|
||||||
.insert_pow_blocks(next_block..=target_block)
|
|
||||||
.unwrap();
|
|
||||||
}
|
|
||||||
self
|
|
||||||
}
|
|
||||||
|
|
||||||
pub async fn with_terminal_block<'a, T, U>(self, func: T) -> Self
|
|
||||||
where
|
|
||||||
T: Fn(ExecutionLayer, Option<ExecutionBlock>) -> U,
|
|
||||||
U: Future<Output = ()>,
|
|
||||||
{
|
|
||||||
let terminal_block_number = self
|
|
||||||
.server
|
|
||||||
.execution_block_generator()
|
|
||||||
.await
|
|
||||||
.terminal_block_number;
|
|
||||||
let terminal_block = self
|
|
||||||
.server
|
|
||||||
.execution_block_generator()
|
|
||||||
.await
|
|
||||||
.execution_block_by_number(terminal_block_number);
|
|
||||||
|
|
||||||
func(self.el.clone(), terminal_block).await;
|
|
||||||
self
|
|
||||||
}
|
|
||||||
|
|
||||||
pub fn shutdown(&mut self) {
|
|
||||||
if let Some(runtime) = self.runtime.take() {
|
|
||||||
Arc::try_unwrap(runtime).unwrap().shutdown_background()
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
impl Drop for SingleEngineTester {
|
|
||||||
fn drop(&mut self) {
|
|
||||||
self.shutdown()
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#[tokio::test]
|
#[tokio::test]
|
||||||
async fn produce_three_valid_pos_execution_blocks() {
|
async fn produce_three_valid_pos_execution_blocks() {
|
||||||
SingleEngineTester::new()
|
MockExecutionLayer::default_params()
|
||||||
.move_to_terminal_block()
|
.move_to_terminal_block()
|
||||||
.await
|
|
||||||
.produce_valid_execution_payload_on_head()
|
.produce_valid_execution_payload_on_head()
|
||||||
.await
|
.await
|
||||||
.produce_valid_execution_payload_on_head()
|
.produce_valid_execution_payload_on_head()
|
||||||
@ -727,15 +571,13 @@ mod test {
|
|||||||
|
|
||||||
#[tokio::test]
|
#[tokio::test]
|
||||||
async fn finds_valid_terminal_block_hash() {
|
async fn finds_valid_terminal_block_hash() {
|
||||||
SingleEngineTester::new()
|
MockExecutionLayer::default_params()
|
||||||
.move_to_block_prior_to_terminal_block()
|
.move_to_block_prior_to_terminal_block()
|
||||||
.await
|
|
||||||
.with_terminal_block(|el, _| async move {
|
.with_terminal_block(|el, _| async move {
|
||||||
assert_eq!(el.get_terminal_pow_block_hash().await.unwrap(), None)
|
assert_eq!(el.get_terminal_pow_block_hash().await.unwrap(), None)
|
||||||
})
|
})
|
||||||
.await
|
.await
|
||||||
.move_to_terminal_block()
|
.move_to_terminal_block()
|
||||||
.await
|
|
||||||
.with_terminal_block(|el, terminal_block| async move {
|
.with_terminal_block(|el, terminal_block| async move {
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
el.get_terminal_pow_block_hash().await.unwrap(),
|
el.get_terminal_pow_block_hash().await.unwrap(),
|
||||||
@ -747,9 +589,8 @@ mod test {
|
|||||||
|
|
||||||
#[tokio::test]
|
#[tokio::test]
|
||||||
async fn verifies_valid_terminal_block_hash() {
|
async fn verifies_valid_terminal_block_hash() {
|
||||||
SingleEngineTester::new()
|
MockExecutionLayer::default_params()
|
||||||
.move_to_terminal_block()
|
.move_to_terminal_block()
|
||||||
.await
|
|
||||||
.with_terminal_block(|el, terminal_block| async move {
|
.with_terminal_block(|el, terminal_block| async move {
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
el.is_valid_terminal_pow_block_hash(terminal_block.unwrap().block_hash)
|
el.is_valid_terminal_pow_block_hash(terminal_block.unwrap().block_hash)
|
||||||
@ -763,9 +604,8 @@ mod test {
|
|||||||
|
|
||||||
#[tokio::test]
|
#[tokio::test]
|
||||||
async fn rejects_invalid_terminal_block_hash() {
|
async fn rejects_invalid_terminal_block_hash() {
|
||||||
SingleEngineTester::new()
|
MockExecutionLayer::default_params()
|
||||||
.move_to_terminal_block()
|
.move_to_terminal_block()
|
||||||
.await
|
|
||||||
.with_terminal_block(|el, terminal_block| async move {
|
.with_terminal_block(|el, terminal_block| async move {
|
||||||
let invalid_terminal_block = terminal_block.unwrap().parent_hash;
|
let invalid_terminal_block = terminal_block.unwrap().parent_hash;
|
||||||
|
|
||||||
@ -781,9 +621,8 @@ mod test {
|
|||||||
|
|
||||||
#[tokio::test]
|
#[tokio::test]
|
||||||
async fn rejects_unknown_terminal_block_hash() {
|
async fn rejects_unknown_terminal_block_hash() {
|
||||||
SingleEngineTester::new()
|
MockExecutionLayer::default_params()
|
||||||
.move_to_terminal_block()
|
.move_to_terminal_block()
|
||||||
.await
|
|
||||||
.with_terminal_block(|el, _| async move {
|
.with_terminal_block(|el, _| async move {
|
||||||
let missing_terminal_block = Hash256::repeat_byte(42);
|
let missing_terminal_block = Hash256::repeat_byte(42);
|
||||||
|
|
||||||
|
@ -7,6 +7,9 @@ use tree_hash::TreeHash;
|
|||||||
use tree_hash_derive::TreeHash;
|
use tree_hash_derive::TreeHash;
|
||||||
use types::{EthSpec, ExecutionPayload, Hash256, Uint256};
|
use types::{EthSpec, ExecutionPayload, Hash256, Uint256};
|
||||||
|
|
||||||
|
const GAS_LIMIT: u64 = 16384;
|
||||||
|
const GAS_USED: u64 = GAS_LIMIT - 1;
|
||||||
|
|
||||||
#[derive(Clone, Debug, PartialEq)]
|
#[derive(Clone, Debug, PartialEq)]
|
||||||
#[allow(clippy::large_enum_variant)] // This struct is only for testing.
|
#[allow(clippy::large_enum_variant)] // This struct is only for testing.
|
||||||
pub enum Block<T: EthSpec> {
|
pub enum Block<T: EthSpec> {
|
||||||
@ -43,7 +46,7 @@ impl<T: EthSpec> Block<T> {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn as_execution_block(&self, total_difficulty: u64) -> ExecutionBlock {
|
pub fn as_execution_block(&self, total_difficulty: Uint256) -> ExecutionBlock {
|
||||||
match self {
|
match self {
|
||||||
Block::PoW(block) => ExecutionBlock {
|
Block::PoW(block) => ExecutionBlock {
|
||||||
block_hash: block.block_hash,
|
block_hash: block.block_hash,
|
||||||
@ -55,7 +58,7 @@ impl<T: EthSpec> Block<T> {
|
|||||||
block_hash: payload.block_hash,
|
block_hash: payload.block_hash,
|
||||||
block_number: payload.block_number,
|
block_number: payload.block_number,
|
||||||
parent_hash: payload.parent_hash,
|
parent_hash: payload.parent_hash,
|
||||||
total_difficulty: total_difficulty.into(),
|
total_difficulty,
|
||||||
},
|
},
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -79,8 +82,9 @@ pub struct ExecutionBlockGenerator<T: EthSpec> {
|
|||||||
/*
|
/*
|
||||||
* PoW block parameters
|
* PoW block parameters
|
||||||
*/
|
*/
|
||||||
pub terminal_total_difficulty: u64,
|
pub terminal_total_difficulty: Uint256,
|
||||||
pub terminal_block_number: u64,
|
pub terminal_block_number: u64,
|
||||||
|
pub terminal_block_hash: Hash256,
|
||||||
/*
|
/*
|
||||||
* PoS block parameters
|
* PoS block parameters
|
||||||
*/
|
*/
|
||||||
@ -90,12 +94,17 @@ pub struct ExecutionBlockGenerator<T: EthSpec> {
|
|||||||
}
|
}
|
||||||
|
|
||||||
impl<T: EthSpec> ExecutionBlockGenerator<T> {
|
impl<T: EthSpec> ExecutionBlockGenerator<T> {
|
||||||
pub fn new(terminal_total_difficulty: u64, terminal_block_number: u64) -> Self {
|
pub fn new(
|
||||||
|
terminal_total_difficulty: Uint256,
|
||||||
|
terminal_block_number: u64,
|
||||||
|
terminal_block_hash: Hash256,
|
||||||
|
) -> Self {
|
||||||
let mut gen = Self {
|
let mut gen = Self {
|
||||||
blocks: <_>::default(),
|
blocks: <_>::default(),
|
||||||
block_hashes: <_>::default(),
|
block_hashes: <_>::default(),
|
||||||
terminal_total_difficulty,
|
terminal_total_difficulty,
|
||||||
terminal_block_number,
|
terminal_block_number,
|
||||||
|
terminal_block_hash,
|
||||||
pending_payloads: <_>::default(),
|
pending_payloads: <_>::default(),
|
||||||
next_payload_id: 0,
|
next_payload_id: 0,
|
||||||
payload_ids: <_>::default(),
|
payload_ids: <_>::default(),
|
||||||
@ -140,6 +149,25 @@ impl<T: EthSpec> ExecutionBlockGenerator<T> {
|
|||||||
.map(|block| block.as_execution_block(self.terminal_total_difficulty))
|
.map(|block| block.as_execution_block(self.terminal_total_difficulty))
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub fn move_to_block_prior_to_terminal_block(&mut self) -> Result<(), String> {
|
||||||
|
let target_block = self
|
||||||
|
.terminal_block_number
|
||||||
|
.checked_sub(1)
|
||||||
|
.ok_or("terminal pow block is 0")?;
|
||||||
|
self.move_to_pow_block(target_block)
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn move_to_terminal_block(&mut self) -> Result<(), String> {
|
||||||
|
self.move_to_pow_block(self.terminal_block_number)
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn move_to_pow_block(&mut self, target_block: u64) -> Result<(), String> {
|
||||||
|
let next_block = self.latest_block().unwrap().block_number() + 1;
|
||||||
|
assert!(target_block >= next_block);
|
||||||
|
|
||||||
|
self.insert_pow_blocks(next_block..=target_block)
|
||||||
|
}
|
||||||
|
|
||||||
pub fn insert_pow_blocks(
|
pub fn insert_pow_blocks(
|
||||||
&mut self,
|
&mut self,
|
||||||
block_numbers: impl Iterator<Item = u64>,
|
block_numbers: impl Iterator<Item = u64>,
|
||||||
@ -152,13 +180,6 @@ impl<T: EthSpec> ExecutionBlockGenerator<T> {
|
|||||||
}
|
}
|
||||||
|
|
||||||
pub fn insert_pow_block(&mut self, block_number: u64) -> Result<(), String> {
|
pub fn insert_pow_block(&mut self, block_number: u64) -> Result<(), String> {
|
||||||
if block_number > self.terminal_block_number {
|
|
||||||
return Err(format!(
|
|
||||||
"{} is beyond terminal pow block {}",
|
|
||||||
block_number, self.terminal_block_number
|
|
||||||
));
|
|
||||||
}
|
|
||||||
|
|
||||||
let parent_hash = if block_number == 0 {
|
let parent_hash = if block_number == 0 {
|
||||||
Hash256::zero()
|
Hash256::zero()
|
||||||
} else if let Some(hash) = self.block_hashes.get(&(block_number - 1)) {
|
} else if let Some(hash) = self.block_hashes.get(&(block_number - 1)) {
|
||||||
@ -170,23 +191,12 @@ impl<T: EthSpec> ExecutionBlockGenerator<T> {
|
|||||||
));
|
));
|
||||||
};
|
};
|
||||||
|
|
||||||
let increment = self
|
let block = generate_pow_block(
|
||||||
.terminal_total_difficulty
|
self.terminal_total_difficulty,
|
||||||
.checked_div(self.terminal_block_number)
|
self.terminal_block_number,
|
||||||
.expect("terminal block number must be non-zero");
|
|
||||||
let total_difficulty = increment
|
|
||||||
.checked_mul(block_number)
|
|
||||||
.expect("overflow computing total difficulty")
|
|
||||||
.into();
|
|
||||||
|
|
||||||
let mut block = PoWBlock {
|
|
||||||
block_number,
|
block_number,
|
||||||
block_hash: Hash256::zero(),
|
|
||||||
parent_hash,
|
parent_hash,
|
||||||
total_difficulty,
|
)?;
|
||||||
};
|
|
||||||
|
|
||||||
block.block_hash = block.tree_hash_root();
|
|
||||||
|
|
||||||
self.insert_block(Block::PoW(block))
|
self.insert_block(Block::PoW(block))
|
||||||
}
|
}
|
||||||
@ -213,11 +223,10 @@ impl<T: EthSpec> ExecutionBlockGenerator<T> {
|
|||||||
}
|
}
|
||||||
|
|
||||||
pub fn prepare_payload(&mut self, payload: JsonPreparePayloadRequest) -> Result<u64, String> {
|
pub fn prepare_payload(&mut self, payload: JsonPreparePayloadRequest) -> Result<u64, String> {
|
||||||
if !self
|
if !self.blocks.iter().any(|(_, block)| {
|
||||||
.blocks
|
block.block_hash() == self.terminal_block_hash
|
||||||
.iter()
|
|| block.block_number() == self.terminal_block_number
|
||||||
.any(|(_, block)| block.block_number() == self.terminal_block_number)
|
}) {
|
||||||
{
|
|
||||||
return Err("refusing to create payload id before terminal block".to_string());
|
return Err("refusing to create payload id before terminal block".to_string());
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -237,8 +246,8 @@ impl<T: EthSpec> ExecutionBlockGenerator<T> {
|
|||||||
logs_bloom: vec![0; 256].into(),
|
logs_bloom: vec![0; 256].into(),
|
||||||
random: payload.random,
|
random: payload.random,
|
||||||
block_number: parent.block_number() + 1,
|
block_number: parent.block_number() + 1,
|
||||||
gas_limit: 10,
|
gas_limit: GAS_LIMIT,
|
||||||
gas_used: 9,
|
gas_used: GAS_USED,
|
||||||
timestamp: payload.timestamp,
|
timestamp: payload.timestamp,
|
||||||
extra_data: "block gen was here".as_bytes().to_vec().into(),
|
extra_data: "block gen was here".as_bytes().to_vec().into(),
|
||||||
base_fee_per_gas: Hash256::from_low_u64_le(1),
|
base_fee_per_gas: Hash256::from_low_u64_le(1),
|
||||||
@ -311,6 +320,42 @@ impl<T: EthSpec> ExecutionBlockGenerator<T> {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub fn generate_pow_block(
|
||||||
|
terminal_total_difficulty: Uint256,
|
||||||
|
terminal_block_number: u64,
|
||||||
|
block_number: u64,
|
||||||
|
parent_hash: Hash256,
|
||||||
|
) -> Result<PoWBlock, String> {
|
||||||
|
if block_number > terminal_block_number {
|
||||||
|
return Err(format!(
|
||||||
|
"{} is beyond terminal pow block {}",
|
||||||
|
block_number, terminal_block_number
|
||||||
|
));
|
||||||
|
}
|
||||||
|
|
||||||
|
let total_difficulty = if block_number == terminal_block_number {
|
||||||
|
terminal_total_difficulty
|
||||||
|
} else {
|
||||||
|
let increment = terminal_total_difficulty
|
||||||
|
.checked_div(Uint256::from(terminal_block_number))
|
||||||
|
.expect("terminal block number must be non-zero");
|
||||||
|
increment
|
||||||
|
.checked_mul(Uint256::from(block_number))
|
||||||
|
.expect("overflow computing total difficulty")
|
||||||
|
};
|
||||||
|
|
||||||
|
let mut block = PoWBlock {
|
||||||
|
block_number,
|
||||||
|
block_hash: Hash256::zero(),
|
||||||
|
parent_hash,
|
||||||
|
total_difficulty,
|
||||||
|
};
|
||||||
|
|
||||||
|
block.block_hash = block.tree_hash_root();
|
||||||
|
|
||||||
|
Ok(block)
|
||||||
|
}
|
||||||
|
|
||||||
#[cfg(test)]
|
#[cfg(test)]
|
||||||
mod test {
|
mod test {
|
||||||
use super::*;
|
use super::*;
|
||||||
@ -322,8 +367,11 @@ mod test {
|
|||||||
const TERMINAL_BLOCK: u64 = 10;
|
const TERMINAL_BLOCK: u64 = 10;
|
||||||
const DIFFICULTY_INCREMENT: u64 = 1;
|
const DIFFICULTY_INCREMENT: u64 = 1;
|
||||||
|
|
||||||
let mut generator: ExecutionBlockGenerator<MainnetEthSpec> =
|
let mut generator: ExecutionBlockGenerator<MainnetEthSpec> = ExecutionBlockGenerator::new(
|
||||||
ExecutionBlockGenerator::new(TERMINAL_DIFFICULTY, TERMINAL_BLOCK);
|
TERMINAL_DIFFICULTY.into(),
|
||||||
|
TERMINAL_BLOCK,
|
||||||
|
Hash256::zero(),
|
||||||
|
);
|
||||||
|
|
||||||
for i in 0..=TERMINAL_BLOCK {
|
for i in 0..=TERMINAL_BLOCK {
|
||||||
if i > 0 {
|
if i > 0 {
|
||||||
|
@ -30,7 +30,6 @@ pub async fn handle_rpc<T: EthSpec>(
|
|||||||
"latest" => Ok(serde_json::to_value(
|
"latest" => Ok(serde_json::to_value(
|
||||||
ctx.execution_block_generator
|
ctx.execution_block_generator
|
||||||
.read()
|
.read()
|
||||||
.await
|
|
||||||
.latest_execution_block(),
|
.latest_execution_block(),
|
||||||
)
|
)
|
||||||
.unwrap()),
|
.unwrap()),
|
||||||
@ -50,7 +49,6 @@ pub async fn handle_rpc<T: EthSpec>(
|
|||||||
Ok(serde_json::to_value(
|
Ok(serde_json::to_value(
|
||||||
ctx.execution_block_generator
|
ctx.execution_block_generator
|
||||||
.read()
|
.read()
|
||||||
.await
|
|
||||||
.execution_block_by_hash(hash),
|
.execution_block_by_hash(hash),
|
||||||
)
|
)
|
||||||
.unwrap())
|
.unwrap())
|
||||||
@ -60,7 +58,6 @@ pub async fn handle_rpc<T: EthSpec>(
|
|||||||
let payload_id = ctx
|
let payload_id = ctx
|
||||||
.execution_block_generator
|
.execution_block_generator
|
||||||
.write()
|
.write()
|
||||||
.await
|
|
||||||
.prepare_payload(request)?;
|
.prepare_payload(request)?;
|
||||||
|
|
||||||
Ok(serde_json::to_value(JsonPayloadIdResponse { payload_id }).unwrap())
|
Ok(serde_json::to_value(JsonPayloadIdResponse { payload_id }).unwrap())
|
||||||
@ -70,7 +67,6 @@ pub async fn handle_rpc<T: EthSpec>(
|
|||||||
let status = ctx
|
let status = ctx
|
||||||
.execution_block_generator
|
.execution_block_generator
|
||||||
.write()
|
.write()
|
||||||
.await
|
|
||||||
.execute_payload(request.into());
|
.execute_payload(request.into());
|
||||||
|
|
||||||
Ok(serde_json::to_value(ExecutePayloadResponseWrapper { status }).unwrap())
|
Ok(serde_json::to_value(ExecutePayloadResponseWrapper { status }).unwrap())
|
||||||
@ -82,7 +78,6 @@ pub async fn handle_rpc<T: EthSpec>(
|
|||||||
let response = ctx
|
let response = ctx
|
||||||
.execution_block_generator
|
.execution_block_generator
|
||||||
.write()
|
.write()
|
||||||
.await
|
|
||||||
.get_payload(id)
|
.get_payload(id)
|
||||||
.ok_or_else(|| format!("no payload for id {}", id))?;
|
.ok_or_else(|| format!("no payload for id {}", id))?;
|
||||||
|
|
||||||
@ -93,7 +88,6 @@ pub async fn handle_rpc<T: EthSpec>(
|
|||||||
let request: JsonConsensusValidatedRequest = get_param_0(params)?;
|
let request: JsonConsensusValidatedRequest = get_param_0(params)?;
|
||||||
ctx.execution_block_generator
|
ctx.execution_block_generator
|
||||||
.write()
|
.write()
|
||||||
.await
|
|
||||||
.consensus_validated(request.block_hash, request.status)?;
|
.consensus_validated(request.block_hash, request.status)?;
|
||||||
|
|
||||||
Ok(JsonValue::Null)
|
Ok(JsonValue::Null)
|
||||||
@ -102,7 +96,6 @@ pub async fn handle_rpc<T: EthSpec>(
|
|||||||
let request: JsonForkChoiceUpdatedRequest = get_param_0(params)?;
|
let request: JsonForkChoiceUpdatedRequest = get_param_0(params)?;
|
||||||
ctx.execution_block_generator
|
ctx.execution_block_generator
|
||||||
.write()
|
.write()
|
||||||
.await
|
|
||||||
.forkchoice_updated(request.head_block_hash, request.finalized_block_hash)?;
|
.forkchoice_updated(request.head_block_hash, request.finalized_block_hash)?;
|
||||||
|
|
||||||
Ok(JsonValue::Null)
|
Ok(JsonValue::Null)
|
||||||
|
@ -0,0 +1,182 @@
|
|||||||
|
use crate::{
|
||||||
|
test_utils::{MockServer, DEFAULT_TERMINAL_BLOCK, DEFAULT_TERMINAL_DIFFICULTY},
|
||||||
|
*,
|
||||||
|
};
|
||||||
|
use environment::null_logger;
|
||||||
|
use sensitive_url::SensitiveUrl;
|
||||||
|
use std::sync::Arc;
|
||||||
|
use task_executor::TaskExecutor;
|
||||||
|
use types::{Address, EthSpec, Hash256, Uint256};
|
||||||
|
|
||||||
|
pub struct ExecutionLayerRuntime {
|
||||||
|
pub runtime: Option<Arc<tokio::runtime::Runtime>>,
|
||||||
|
pub _runtime_shutdown: exit_future::Signal,
|
||||||
|
pub task_executor: TaskExecutor,
|
||||||
|
pub log: Logger,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Default for ExecutionLayerRuntime {
|
||||||
|
fn default() -> Self {
|
||||||
|
let runtime = Arc::new(
|
||||||
|
tokio::runtime::Builder::new_multi_thread()
|
||||||
|
.enable_all()
|
||||||
|
.build()
|
||||||
|
.unwrap(),
|
||||||
|
);
|
||||||
|
let (runtime_shutdown, exit) = exit_future::signal();
|
||||||
|
let (shutdown_tx, _) = futures::channel::mpsc::channel(1);
|
||||||
|
let log = null_logger().unwrap();
|
||||||
|
let task_executor =
|
||||||
|
TaskExecutor::new(Arc::downgrade(&runtime), exit, log.clone(), shutdown_tx);
|
||||||
|
|
||||||
|
Self {
|
||||||
|
runtime: Some(runtime),
|
||||||
|
_runtime_shutdown: runtime_shutdown,
|
||||||
|
task_executor,
|
||||||
|
log,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Drop for ExecutionLayerRuntime {
|
||||||
|
fn drop(&mut self) {
|
||||||
|
if let Some(runtime) = self.runtime.take() {
|
||||||
|
Arc::try_unwrap(runtime).unwrap().shutdown_background()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub struct MockExecutionLayer<T: EthSpec> {
|
||||||
|
pub server: MockServer<T>,
|
||||||
|
pub el: ExecutionLayer,
|
||||||
|
pub el_runtime: ExecutionLayerRuntime,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl<T: EthSpec> MockExecutionLayer<T> {
|
||||||
|
pub fn default_params() -> Self {
|
||||||
|
Self::new(
|
||||||
|
DEFAULT_TERMINAL_DIFFICULTY.into(),
|
||||||
|
DEFAULT_TERMINAL_BLOCK,
|
||||||
|
Hash256::zero(),
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn new(
|
||||||
|
terminal_total_difficulty: Uint256,
|
||||||
|
terminal_block: u64,
|
||||||
|
terminal_block_hash: Hash256,
|
||||||
|
) -> Self {
|
||||||
|
let el_runtime = ExecutionLayerRuntime::default();
|
||||||
|
let handle = el_runtime.runtime.as_ref().unwrap().handle();
|
||||||
|
|
||||||
|
let server = MockServer::new(
|
||||||
|
handle,
|
||||||
|
terminal_total_difficulty,
|
||||||
|
terminal_block,
|
||||||
|
terminal_block_hash,
|
||||||
|
);
|
||||||
|
|
||||||
|
let url = SensitiveUrl::parse(&server.url()).unwrap();
|
||||||
|
|
||||||
|
let el = ExecutionLayer::from_urls(
|
||||||
|
vec![url],
|
||||||
|
terminal_total_difficulty,
|
||||||
|
Hash256::zero(),
|
||||||
|
Some(Address::repeat_byte(42)),
|
||||||
|
el_runtime.task_executor.clone(),
|
||||||
|
el_runtime.log.clone(),
|
||||||
|
)
|
||||||
|
.unwrap();
|
||||||
|
|
||||||
|
Self {
|
||||||
|
server,
|
||||||
|
el,
|
||||||
|
el_runtime,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn produce_valid_execution_payload_on_head(self) -> Self {
|
||||||
|
let latest_execution_block = {
|
||||||
|
let block_gen = self.server.execution_block_generator();
|
||||||
|
block_gen.latest_block().unwrap()
|
||||||
|
};
|
||||||
|
|
||||||
|
let parent_hash = latest_execution_block.block_hash();
|
||||||
|
let block_number = latest_execution_block.block_number() + 1;
|
||||||
|
let timestamp = block_number;
|
||||||
|
let random = Hash256::from_low_u64_be(block_number);
|
||||||
|
|
||||||
|
let _payload_id = self
|
||||||
|
.el
|
||||||
|
.prepare_payload(parent_hash, timestamp, random)
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
|
||||||
|
let payload = self
|
||||||
|
.el
|
||||||
|
.get_payload::<T>(parent_hash, timestamp, random)
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
let block_hash = payload.block_hash;
|
||||||
|
assert_eq!(payload.parent_hash, parent_hash);
|
||||||
|
assert_eq!(payload.block_number, block_number);
|
||||||
|
assert_eq!(payload.timestamp, timestamp);
|
||||||
|
assert_eq!(payload.random, random);
|
||||||
|
|
||||||
|
let (payload_response, mut payload_handle) =
|
||||||
|
self.el.execute_payload(&payload).await.unwrap();
|
||||||
|
assert_eq!(payload_response, ExecutePayloadResponse::Valid);
|
||||||
|
|
||||||
|
payload_handle.publish_async(ConsensusStatus::Valid).await;
|
||||||
|
|
||||||
|
self.el
|
||||||
|
.forkchoice_updated(block_hash, Hash256::zero())
|
||||||
|
.await
|
||||||
|
.unwrap();
|
||||||
|
|
||||||
|
let head_execution_block = {
|
||||||
|
let block_gen = self.server.execution_block_generator();
|
||||||
|
block_gen.latest_block().unwrap()
|
||||||
|
};
|
||||||
|
|
||||||
|
assert_eq!(head_execution_block.block_number(), block_number);
|
||||||
|
assert_eq!(head_execution_block.block_hash(), block_hash);
|
||||||
|
assert_eq!(head_execution_block.parent_hash(), parent_hash);
|
||||||
|
|
||||||
|
self
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn move_to_block_prior_to_terminal_block(self) -> Self {
|
||||||
|
self.server
|
||||||
|
.execution_block_generator()
|
||||||
|
.move_to_block_prior_to_terminal_block()
|
||||||
|
.unwrap();
|
||||||
|
self
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn move_to_terminal_block(self) -> Self {
|
||||||
|
self.server
|
||||||
|
.execution_block_generator()
|
||||||
|
.move_to_terminal_block()
|
||||||
|
.unwrap();
|
||||||
|
self
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn with_terminal_block<'a, U, V>(self, func: U) -> Self
|
||||||
|
where
|
||||||
|
U: Fn(ExecutionLayer, Option<ExecutionBlock>) -> V,
|
||||||
|
V: Future<Output = ()>,
|
||||||
|
{
|
||||||
|
let terminal_block_number = self
|
||||||
|
.server
|
||||||
|
.execution_block_generator()
|
||||||
|
.terminal_block_number;
|
||||||
|
let terminal_block = self
|
||||||
|
.server
|
||||||
|
.execution_block_generator()
|
||||||
|
.execution_block_by_number(terminal_block_number);
|
||||||
|
|
||||||
|
func(self.el.clone(), terminal_block).await;
|
||||||
|
self
|
||||||
|
}
|
||||||
|
}
|
@ -3,8 +3,8 @@
|
|||||||
use crate::engine_api::http::JSONRPC_VERSION;
|
use crate::engine_api::http::JSONRPC_VERSION;
|
||||||
use bytes::Bytes;
|
use bytes::Bytes;
|
||||||
use environment::null_logger;
|
use environment::null_logger;
|
||||||
use execution_block_generator::ExecutionBlockGenerator;
|
|
||||||
use handle_rpc::handle_rpc;
|
use handle_rpc::handle_rpc;
|
||||||
|
use parking_lot::{Mutex, RwLock, RwLockWriteGuard};
|
||||||
use serde::{Deserialize, Serialize};
|
use serde::{Deserialize, Serialize};
|
||||||
use serde_json::json;
|
use serde_json::json;
|
||||||
use slog::{info, Logger};
|
use slog::{info, Logger};
|
||||||
@ -12,15 +12,19 @@ use std::future::Future;
|
|||||||
use std::marker::PhantomData;
|
use std::marker::PhantomData;
|
||||||
use std::net::{Ipv4Addr, SocketAddr, SocketAddrV4};
|
use std::net::{Ipv4Addr, SocketAddr, SocketAddrV4};
|
||||||
use std::sync::Arc;
|
use std::sync::Arc;
|
||||||
use tokio::sync::{oneshot, Mutex, RwLock, RwLockWriteGuard};
|
use tokio::{runtime, sync::oneshot};
|
||||||
use types::EthSpec;
|
use types::{EthSpec, Hash256, Uint256};
|
||||||
use warp::Filter;
|
use warp::Filter;
|
||||||
|
|
||||||
|
pub use execution_block_generator::{generate_pow_block, ExecutionBlockGenerator};
|
||||||
|
pub use mock_execution_layer::{ExecutionLayerRuntime, MockExecutionLayer};
|
||||||
|
|
||||||
pub const DEFAULT_TERMINAL_DIFFICULTY: u64 = 6400;
|
pub const DEFAULT_TERMINAL_DIFFICULTY: u64 = 6400;
|
||||||
pub const DEFAULT_TERMINAL_BLOCK: u64 = 64;
|
pub const DEFAULT_TERMINAL_BLOCK: u64 = 64;
|
||||||
|
|
||||||
mod execution_block_generator;
|
mod execution_block_generator;
|
||||||
mod handle_rpc;
|
mod handle_rpc;
|
||||||
|
mod mock_execution_layer;
|
||||||
|
|
||||||
pub struct MockServer<T: EthSpec> {
|
pub struct MockServer<T: EthSpec> {
|
||||||
_shutdown_tx: oneshot::Sender<()>,
|
_shutdown_tx: oneshot::Sender<()>,
|
||||||
@ -31,10 +35,24 @@ pub struct MockServer<T: EthSpec> {
|
|||||||
|
|
||||||
impl<T: EthSpec> MockServer<T> {
|
impl<T: EthSpec> MockServer<T> {
|
||||||
pub fn unit_testing() -> Self {
|
pub fn unit_testing() -> Self {
|
||||||
|
Self::new(
|
||||||
|
&runtime::Handle::current(),
|
||||||
|
DEFAULT_TERMINAL_DIFFICULTY.into(),
|
||||||
|
DEFAULT_TERMINAL_BLOCK,
|
||||||
|
Hash256::zero(),
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn new(
|
||||||
|
handle: &runtime::Handle,
|
||||||
|
terminal_difficulty: Uint256,
|
||||||
|
terminal_block: u64,
|
||||||
|
terminal_block_hash: Hash256,
|
||||||
|
) -> Self {
|
||||||
let last_echo_request = Arc::new(RwLock::new(None));
|
let last_echo_request = Arc::new(RwLock::new(None));
|
||||||
let preloaded_responses = Arc::new(Mutex::new(vec![]));
|
let preloaded_responses = Arc::new(Mutex::new(vec![]));
|
||||||
let execution_block_generator =
|
let execution_block_generator =
|
||||||
ExecutionBlockGenerator::new(DEFAULT_TERMINAL_DIFFICULTY, DEFAULT_TERMINAL_BLOCK);
|
ExecutionBlockGenerator::new(terminal_difficulty, terminal_block, terminal_block_hash);
|
||||||
|
|
||||||
let ctx: Arc<Context<T>> = Arc::new(Context {
|
let ctx: Arc<Context<T>> = Arc::new(Context {
|
||||||
config: <_>::default(),
|
config: <_>::default(),
|
||||||
@ -52,9 +70,17 @@ impl<T: EthSpec> MockServer<T> {
|
|||||||
let _ = shutdown_rx.await;
|
let _ = shutdown_rx.await;
|
||||||
};
|
};
|
||||||
|
|
||||||
let (listen_socket_addr, server_future) = serve(ctx.clone(), shutdown_future).unwrap();
|
// The `serve` function will panic unless it's run inside a tokio runtime, so use `block_on`
|
||||||
|
// if we're not in a runtime. However, we can't *always* use `block_on` since tokio will
|
||||||
|
// panic if we try to block inside an async context.
|
||||||
|
let serve = || serve(ctx.clone(), shutdown_future).unwrap();
|
||||||
|
let (listen_socket_addr, server_future) = if runtime::Handle::try_current().is_err() {
|
||||||
|
handle.block_on(async { serve() })
|
||||||
|
} else {
|
||||||
|
serve()
|
||||||
|
};
|
||||||
|
|
||||||
tokio::spawn(server_future);
|
handle.spawn(server_future);
|
||||||
|
|
||||||
Self {
|
Self {
|
||||||
_shutdown_tx: shutdown_tx,
|
_shutdown_tx: shutdown_tx,
|
||||||
@ -64,10 +90,8 @@ impl<T: EthSpec> MockServer<T> {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
pub async fn execution_block_generator(
|
pub fn execution_block_generator(&self) -> RwLockWriteGuard<'_, ExecutionBlockGenerator<T>> {
|
||||||
&self,
|
self.ctx.execution_block_generator.write()
|
||||||
) -> RwLockWriteGuard<'_, ExecutionBlockGenerator<T>> {
|
|
||||||
self.ctx.execution_block_generator.write().await
|
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn url(&self) -> String {
|
pub fn url(&self) -> String {
|
||||||
@ -78,16 +102,15 @@ impl<T: EthSpec> MockServer<T> {
|
|||||||
)
|
)
|
||||||
}
|
}
|
||||||
|
|
||||||
pub async fn last_echo_request(&self) -> Bytes {
|
pub fn last_echo_request(&self) -> Bytes {
|
||||||
self.last_echo_request
|
self.last_echo_request
|
||||||
.write()
|
.write()
|
||||||
.await
|
|
||||||
.take()
|
.take()
|
||||||
.expect("last echo request is none")
|
.expect("last echo request is none")
|
||||||
}
|
}
|
||||||
|
|
||||||
pub async fn push_preloaded_response(&self, response: serde_json::Value) {
|
pub fn push_preloaded_response(&self, response: serde_json::Value) {
|
||||||
self.ctx.preloaded_responses.lock().await.push(response)
|
self.ctx.preloaded_responses.lock().push(response)
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -180,7 +203,7 @@ pub fn serve<T: EthSpec>(
|
|||||||
.ok_or_else(|| warp::reject::custom(MissingIdField))?;
|
.ok_or_else(|| warp::reject::custom(MissingIdField))?;
|
||||||
|
|
||||||
let preloaded_response = {
|
let preloaded_response = {
|
||||||
let mut preloaded_responses = ctx.preloaded_responses.lock().await;
|
let mut preloaded_responses = ctx.preloaded_responses.lock();
|
||||||
if !preloaded_responses.is_empty() {
|
if !preloaded_responses.is_empty() {
|
||||||
Some(preloaded_responses.remove(0))
|
Some(preloaded_responses.remove(0))
|
||||||
} else {
|
} else {
|
||||||
@ -222,7 +245,7 @@ pub fn serve<T: EthSpec>(
|
|||||||
.and(warp::body::bytes())
|
.and(warp::body::bytes())
|
||||||
.and(ctx_filter)
|
.and(ctx_filter)
|
||||||
.and_then(|bytes: Bytes, ctx: Arc<Context<T>>| async move {
|
.and_then(|bytes: Bytes, ctx: Arc<Context<T>>| async move {
|
||||||
*ctx.last_echo_request.write().await = Some(bytes.clone());
|
*ctx.last_echo_request.write() = Some(bytes.clone());
|
||||||
Ok::<_, warp::reject::Rejection>(
|
Ok::<_, warp::reject::Rejection>(
|
||||||
warp::http::Response::builder().status(200).body(bytes),
|
warp::http::Response::builder().status(200).body(bytes),
|
||||||
)
|
)
|
||||||
|
@ -296,13 +296,16 @@ pub fn get_new_eth1_data<T: EthSpec>(
|
|||||||
}
|
}
|
||||||
|
|
||||||
/// https://github.com/ethereum/consensus-specs/blob/dev/specs/merge/beacon-chain.md#is_valid_gas_limit
|
/// https://github.com/ethereum/consensus-specs/blob/dev/specs/merge/beacon-chain.md#is_valid_gas_limit
|
||||||
pub fn is_valid_gas_limit<T: EthSpec>(
|
pub fn verify_is_valid_gas_limit<T: EthSpec>(
|
||||||
payload: &ExecutionPayload<T>,
|
payload: &ExecutionPayload<T>,
|
||||||
parent: &ExecutionPayloadHeader<T>,
|
parent: &ExecutionPayloadHeader<T>,
|
||||||
) -> Result<bool, ArithError> {
|
) -> Result<(), BlockProcessingError> {
|
||||||
// check if payload used too much gas
|
// check if payload used too much gas
|
||||||
if payload.gas_used > payload.gas_limit {
|
if payload.gas_used > payload.gas_limit {
|
||||||
return Ok(false);
|
return Err(BlockProcessingError::ExecutionInvalidGasLimit {
|
||||||
|
used: payload.gas_used,
|
||||||
|
limit: payload.gas_limit,
|
||||||
|
});
|
||||||
}
|
}
|
||||||
// check if payload changed the gas limit too much
|
// check if payload changed the gas limit too much
|
||||||
if payload.gas_limit
|
if payload.gas_limit
|
||||||
@ -310,21 +313,30 @@ pub fn is_valid_gas_limit<T: EthSpec>(
|
|||||||
.gas_limit
|
.gas_limit
|
||||||
.safe_add(parent.gas_limit.safe_div(T::gas_limit_denominator())?)?
|
.safe_add(parent.gas_limit.safe_div(T::gas_limit_denominator())?)?
|
||||||
{
|
{
|
||||||
return Ok(false);
|
return Err(BlockProcessingError::ExecutionInvalidGasLimitIncrease {
|
||||||
|
limit: payload.gas_limit,
|
||||||
|
parent_limit: parent.gas_limit,
|
||||||
|
});
|
||||||
}
|
}
|
||||||
if payload.gas_limit
|
if payload.gas_limit
|
||||||
<= parent
|
<= parent
|
||||||
.gas_limit
|
.gas_limit
|
||||||
.safe_sub(parent.gas_limit.safe_div(T::gas_limit_denominator())?)?
|
.safe_sub(parent.gas_limit.safe_div(T::gas_limit_denominator())?)?
|
||||||
{
|
{
|
||||||
return Ok(false);
|
return Err(BlockProcessingError::ExecutionInvalidGasLimitDecrease {
|
||||||
|
limit: payload.gas_limit,
|
||||||
|
parent_limit: parent.gas_limit,
|
||||||
|
});
|
||||||
}
|
}
|
||||||
// check if the gas limit is at least the minimum gas limit
|
// check if the gas limit is at least the minimum gas limit
|
||||||
if payload.gas_limit < T::min_gas_limit() {
|
if payload.gas_limit < T::min_gas_limit() {
|
||||||
return Ok(false);
|
return Err(BlockProcessingError::ExecutionInvalidGasLimitTooSmall {
|
||||||
|
limit: payload.gas_limit,
|
||||||
|
min: T::min_gas_limit(),
|
||||||
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
Ok(true)
|
Ok(())
|
||||||
}
|
}
|
||||||
|
|
||||||
/// https://github.com/ethereum/consensus-specs/blob/dev/specs/merge/beacon-chain.md#process_execution_payload
|
/// https://github.com/ethereum/consensus-specs/blob/dev/specs/merge/beacon-chain.md#process_execution_payload
|
||||||
@ -355,13 +367,7 @@ pub fn process_execution_payload<T: EthSpec>(
|
|||||||
found: payload.block_number,
|
found: payload.block_number,
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
block_verify!(
|
verify_is_valid_gas_limit(payload, state.latest_execution_payload_header()?)?;
|
||||||
is_valid_gas_limit(payload, state.latest_execution_payload_header()?)?,
|
|
||||||
BlockProcessingError::ExecutionInvalidGasLimit {
|
|
||||||
used: payload.gas_used,
|
|
||||||
limit: payload.gas_limit,
|
|
||||||
}
|
|
||||||
);
|
|
||||||
}
|
}
|
||||||
block_verify!(
|
block_verify!(
|
||||||
payload.random == *state.get_randao_mix(state.current_epoch())?,
|
payload.random == *state.get_randao_mix(state.current_epoch())?,
|
||||||
|
@ -73,6 +73,18 @@ pub enum BlockProcessingError {
|
|||||||
used: u64,
|
used: u64,
|
||||||
limit: u64,
|
limit: u64,
|
||||||
},
|
},
|
||||||
|
ExecutionInvalidGasLimitIncrease {
|
||||||
|
limit: u64,
|
||||||
|
parent_limit: u64,
|
||||||
|
},
|
||||||
|
ExecutionInvalidGasLimitDecrease {
|
||||||
|
limit: u64,
|
||||||
|
parent_limit: u64,
|
||||||
|
},
|
||||||
|
ExecutionInvalidGasLimitTooSmall {
|
||||||
|
limit: u64,
|
||||||
|
min: u64,
|
||||||
|
},
|
||||||
ExecutionInvalidTimestamp {
|
ExecutionInvalidTimestamp {
|
||||||
expected: u64,
|
expected: u64,
|
||||||
found: u64,
|
found: u64,
|
||||||
|
Loading…
Reference in New Issue
Block a user