chore: rename miner to payload builder (#2217)

This commit is contained in:
Matthias Seitz
2023-04-13 00:04:32 +02:00
committed by GitHub
parent 2f6d5e6ad2
commit 703f0fdf89
15 changed files with 37 additions and 37 deletions

View File

@ -0,0 +1,30 @@
[package]
name = "reth-payload-builder"
version = "0.1.0"
edition = "2021"
license = "MIT OR Apache-2.0"
repository = "https://github.com/paradigmxyz/reth"
readme = "README.md"
description = "reth payload builder"
[dependencies]
## reth
reth-primitives = { path = "../../primitives" }
reth-rpc-types = { path = "../../rpc/rpc-types" }
reth-rlp = { path = "../../rlp" }
reth-interfaces = { path = "../../interfaces" }
## ethereum
revm-primitives = "1"
## async
tokio = { version = "1", features = ["sync"] }
tokio-stream = "0.1"
futures-util = "0.3"
futures-core = "0.3"
## misc
thiserror = "1.0"
sha2 = { version = "0.10", default-features = false }
parking_lot = "0.12"
tracing = "0.1.37"

View File

@ -0,0 +1,36 @@
//! Error types emitted by types or implementations of this crate.
use reth_primitives::H256;
use revm_primitives::EVMError;
use tokio::sync::oneshot;
/// Possible error variants during payload building.
#[derive(Debug, thiserror::Error)]
pub enum PayloadBuilderError {
/// Thrown whe the parent block is missing.
#[error("missing parent block {0:?}")]
MissingParentBlock(H256),
/// An oneshot channels has been closed.
#[error("sender has been dropped")]
ChannelClosed,
/// Other internal error
#[error(transparent)]
Internal(#[from] reth_interfaces::Error),
// TODO move to standalone error type specific to job
/// Thrown if a running build job has been cancelled.
#[error("build job cancelled during execution")]
BuildJobCancelled,
/// Unrecoverable error during evm execution.
#[error("evm execution error: {0:?}")]
EvmExecutionError(EVMError<reth_interfaces::Error>),
/// Thrown if the payload requests withdrawals before Shanghai activation.
#[error("withdrawals set before Shanghai activation")]
WithdrawalsBeforeShanghai,
}
impl From<oneshot::error::RecvError> for PayloadBuilderError {
fn from(_: oneshot::error::RecvError) -> Self {
PayloadBuilderError::ChannelClosed
}
}

View File

@ -0,0 +1,85 @@
#![warn(missing_docs)]
#![deny(
unused_must_use,
rust_2018_idioms,
rustdoc::broken_intra_doc_links,
unused_crate_dependencies
)]
#![doc(test(
no_crate_inject,
attr(deny(warnings, rust_2018_idioms), allow(dead_code, unused_variables))
))]
//! This trait implements the [PayloadBuilderService] responsible for managing payload jobs.
//!
//! It Defines the abstractions to create and update payloads:
//! - [PayloadJobGenerator]: a type that knows how to create new jobs for creating payloads based
//! on [PayloadAttributes].
//! - [PayloadJob]: a type that can yields (better) payloads over time.
pub mod error;
mod payload;
mod service;
mod traits;
pub use payload::{BuiltPayload, PayloadBuilderAttributes};
pub use reth_rpc_types::engine::PayloadId;
pub use service::{PayloadBuilderHandle, PayloadBuilderService, PayloadStore as PayloadStore2};
pub use traits::{PayloadJob, PayloadJobGenerator};
use crate::error::PayloadBuilderError;
use parking_lot::Mutex;
use reth_primitives::{H256, U256};
use reth_rpc_types::engine::{ExecutionPayloadEnvelope, PayloadAttributes};
use std::{collections::HashMap, sync::Arc};
/// A type that has access to all locally built payloads and can create new ones.
/// This type is intended to by used by the engine API.
pub trait PayloadStore: Send + Sync {
/// Returns true if the payload store contains the given payload.
fn contains(&self, payload_id: PayloadId) -> bool;
/// Returns the current [ExecutionPayloadEnvelope] associated with the [PayloadId].
///
/// Returns `None` if the payload is not yet built, See [PayloadStore::new_payload].
fn get_execution_payload(&self, payload_id: PayloadId) -> Option<ExecutionPayloadEnvelope>;
/// Builds and stores a new payload using the given attributes.
///
/// Returns an error if the payload could not be built.
// TODO: does this require async?
fn new_payload(
&self,
parent: H256,
attributes: PayloadAttributes,
) -> Result<PayloadId, PayloadBuilderError>;
}
/// A simple in-memory payload store.
#[derive(Debug, Default)]
pub struct TestPayloadStore {
payloads: Arc<Mutex<HashMap<PayloadId, BuiltPayload>>>,
}
impl PayloadStore for TestPayloadStore {
fn contains(&self, payload_id: PayloadId) -> bool {
self.payloads.lock().contains_key(&payload_id)
}
fn get_execution_payload(&self, _payload_id: PayloadId) -> Option<ExecutionPayloadEnvelope> {
// TODO requires conversion
None
}
fn new_payload(
&self,
parent: H256,
attributes: PayloadAttributes,
) -> Result<PayloadId, PayloadBuilderError> {
let attr = PayloadBuilderAttributes::new(parent, attributes);
let payload_id = attr.payload_id();
self.payloads
.lock()
.insert(payload_id, BuiltPayload::new(payload_id, Default::default(), U256::ZERO));
Ok(payload_id)
}
}

View File

@ -0,0 +1,104 @@
//! Contains types required for building a payload.
use reth_primitives::{Address, SealedBlock, Withdrawal, H256, U256};
use reth_rlp::Encodable;
use reth_rpc_types::engine::{PayloadAttributes, PayloadId};
/// Contains the built payload.
///
/// According to the [engine API specification](https://github.com/ethereum/execution-apis/blob/main/src/engine/README.md) the execution layer should build the initial version of the payload with an empty transaction set and then keep update it in order to maximize the revenue.
/// Therefore, the empty-block here is always available and full-block will be set/updated
/// afterwards.
#[derive(Debug)]
pub struct BuiltPayload {
/// Identifier of the payload
pub(crate) id: PayloadId,
/// The built block
pub(crate) block: SealedBlock,
/// The fees of the block
pub(crate) fees: U256,
}
// === impl BuiltPayload ===
impl BuiltPayload {
/// Initializes the payload with the given initial block.
pub fn new(id: PayloadId, block: SealedBlock, fees: U256) -> Self {
Self { id, block, fees }
}
/// Returns the identifier of the payload.
pub fn id(&self) -> PayloadId {
self.id
}
/// Returns the identifier of the payload.
pub fn block(&self) -> &SealedBlock {
&self.block
}
/// Fees of the block
pub fn fees(&self) -> U256 {
self.fees
}
}
/// Container type for all components required to build a payload.
#[derive(Debug, Clone, PartialEq, Eq)]
pub struct PayloadBuilderAttributes {
/// Id of the payload
pub id: PayloadId,
/// Parent block to build the payload on top
pub parent: H256,
/// Timestamp for the generated payload
pub timestamp: u64,
/// Address of the recipient for collecting transaction fee
pub suggested_fee_recipient: Address,
/// Randomness value for the generated payload
pub prev_randao: H256,
/// Withdrawals for the generated payload
pub withdrawals: Vec<Withdrawal>,
}
// === impl PayloadBuilderAttributes ===
impl PayloadBuilderAttributes {
/// Creates a new payload builder for the given parent block and the attributes.
///
/// Derives the unique [PayloadId] for the given parent and attributes
pub fn new(parent: H256, attributes: PayloadAttributes) -> Self {
let id = payload_id(&parent, &attributes);
Self {
id,
parent,
timestamp: attributes.timestamp.as_u64(),
suggested_fee_recipient: attributes.suggested_fee_recipient,
prev_randao: attributes.prev_randao,
withdrawals: attributes.withdrawals.unwrap_or_default(),
}
}
/// Returns the identifier of the payload.
pub fn payload_id(&self) -> PayloadId {
self.id
}
}
/// Generates the payload id for the configured payload
///
/// Returns an 8-byte identifier by hashing the payload components.
pub(crate) fn payload_id(parent: &H256, attributes: &PayloadAttributes) -> PayloadId {
use sha2::Digest;
let mut hasher = sha2::Sha256::new();
hasher.update(parent.as_bytes());
hasher.update(&attributes.timestamp.as_u64().to_be_bytes()[..]);
hasher.update(attributes.prev_randao.as_bytes());
hasher.update(attributes.suggested_fee_recipient.as_bytes());
if let Some(withdrawals) = &attributes.withdrawals {
let mut buf = Vec::new();
withdrawals.encode(&mut buf);
hasher.update(buf);
}
let out = hasher.finalize();
PayloadId::new(out.as_slice()[..8].try_into().expect("sufficient length"))
}

View File

@ -0,0 +1,216 @@
//! Support for building payloads.
//!
//! The payload builder is responsible for building payloads.
//! Once a new payload is created, it is continuously updated.
use crate::{
error::PayloadBuilderError, traits::PayloadJobGenerator, BuiltPayload,
PayloadBuilderAttributes, PayloadJob,
};
use futures_util::stream::{StreamExt, TryStreamExt};
use reth_rpc_types::engine::PayloadId;
use std::{
future::Future,
pin::Pin,
sync::Arc,
task::{Context, Poll},
};
use tokio::sync::{mpsc, oneshot};
use tokio_stream::wrappers::UnboundedReceiverStream;
use tracing::{trace, warn};
/// A communication channel to the [PayloadBuilderService] that can retrieve payloads.
#[derive(Debug, Clone)]
pub struct PayloadStore {
inner: PayloadBuilderHandle,
}
// === impl PayloadStore ===
impl PayloadStore {
/// Returns the best payload for the given identifier.
pub async fn get_payload(&self, id: PayloadId) -> Option<Arc<BuiltPayload>> {
self.inner.get_payload(id).await
}
}
/// A communication channel to the [PayloadBuilderService].
///
/// This is the API used to create new payloads and to get the current state of existing ones.
#[derive(Debug, Clone)]
pub struct PayloadBuilderHandle {
/// Sender half of the message channel to the [PayloadBuilderService].
to_service: mpsc::UnboundedSender<PayloadServiceCommand>,
}
// === impl PayloadBuilderHandle ===
impl PayloadBuilderHandle {
/// Returns the best payload for the given identifier.
pub async fn get_payload(&self, id: PayloadId) -> Option<Arc<BuiltPayload>> {
let (tx, rx) = oneshot::channel();
self.to_service.send(PayloadServiceCommand::GetPayload(id, tx)).ok()?;
rx.await.ok()?
}
/// Starts building a new payload for the given payload attributes.
///
/// Returns the identifier of the payload.
///
/// Note: if there's already payload in progress with same identifier, it will be returned.
pub async fn new_payload(
&self,
attr: PayloadBuilderAttributes,
) -> Result<PayloadId, PayloadBuilderError> {
let (tx, rx) = oneshot::channel();
let _ = self.to_service.send(PayloadServiceCommand::BuildNewPayload(attr, tx));
rx.await?
}
}
/// A service that manages payload building tasks.
///
/// This type is an endless future that manages the building of payloads.
///
/// It tracks active payloads and their build jobs that run in the worker pool.
///
/// By design, this type relies entirely on the [PayloadJobGenerator] to create new payloads and
/// does know nothing about how to build them, itt just drives the payload jobs.
#[must_use = "futures do nothing unless you `.await` or poll them"]
pub struct PayloadBuilderService<Gen>
where
Gen: PayloadJobGenerator,
{
/// The type that knows how to create new payloads.
generator: Gen,
/// All active payload jobs.
payload_jobs: Vec<(Gen::Job, PayloadId)>,
/// Copy of the sender half, so new [`PayloadBuilderHandle`] can be created on demand.
_service_tx: mpsc::UnboundedSender<PayloadServiceCommand>,
/// Receiver half of the command channel.
command_rx: UnboundedReceiverStream<PayloadServiceCommand>,
}
// === impl PayloadBuilderService ===
impl<Gen> PayloadBuilderService<Gen>
where
Gen: PayloadJobGenerator,
{
/// Creates a new payload builder service.
pub fn new(generator: Gen) -> (Self, PayloadBuilderHandle) {
let (service_tx, command_rx) = mpsc::unbounded_channel();
let service = Self {
generator,
payload_jobs: Vec::new(),
_service_tx: service_tx.clone(),
command_rx: UnboundedReceiverStream::new(command_rx),
};
let handle = PayloadBuilderHandle { to_service: service_tx };
(service, handle)
}
/// Returns true if the given payload is currently being built.
fn contains_payload(&self, id: PayloadId) -> bool {
self.payload_jobs.iter().any(|(_, job_id)| *job_id == id)
}
/// Returns the best payload for the given identifier.
fn get_payload(&self, id: PayloadId) -> Option<Arc<BuiltPayload>> {
self.payload_jobs.iter().find(|(_, job_id)| *job_id == id).map(|(j, _)| j.best_payload())
}
}
impl<Gen> Future for PayloadBuilderService<Gen>
where
Gen: PayloadJobGenerator + Unpin + 'static,
<Gen as PayloadJobGenerator>::Job: Unpin + 'static,
{
type Output = ();
fn poll(self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
let this = self.get_mut();
loop {
// we poll all jobs first, so we always have the latest payload that we can report if
// requests
// we don't care about the order of the jobs, so we can just swap_remove them
'jobs: for idx in (0..this.payload_jobs.len()).rev() {
let (mut job, id) = this.payload_jobs.swap_remove(idx);
// drain better payloads from the job
loop {
match job.try_poll_next_unpin(cx) {
Poll::Ready(Some(Ok(payload))) => {
trace!(?payload, %id, "new payload");
}
Poll::Ready(Some(Err(err))) => {
warn!(?err, %id, "payload job failed; resolving payload");
continue 'jobs
}
Poll::Ready(None) => {
// job is done
trace!(?id, "payload job finished");
continue 'jobs
}
Poll::Pending => {
// still pending, put it back
this.payload_jobs.push((job, id));
continue 'jobs
}
}
}
}
// marker for exit condition
// TODO(mattsse): this could be optmized so we only poll new jobs
let mut new_job = false;
// drain all requests
while let Poll::Ready(Some(cmd)) = this.command_rx.poll_next_unpin(cx) {
match cmd {
PayloadServiceCommand::BuildNewPayload(attr, tx) => {
let id = attr.payload_id();
let mut res = Ok(id);
if !this.contains_payload(id) {
// no job for this payload yet, create one
match this.generator.new_payload_job(attr) {
Ok(job) => {
new_job = true;
this.payload_jobs.push((job, id));
}
Err(err) => {
warn!(?err, %id, "failed to create payload job");
res = Err(err);
}
}
}
// return the id of the payload
let _ = tx.send(res);
}
PayloadServiceCommand::GetPayload(id, tx) => {
let _ = tx.send(this.get_payload(id));
}
}
}
if !new_job {
return Poll::Pending
}
}
}
}
/// Message type for the [PayloadBuilderService].
#[derive(Debug)]
enum PayloadServiceCommand {
/// Start building a new payload.
BuildNewPayload(
PayloadBuilderAttributes,
oneshot::Sender<Result<PayloadId, PayloadBuilderError>>,
),
/// Get the current payload.
GetPayload(PayloadId, oneshot::Sender<Option<Arc<BuiltPayload>>>),
}

View File

@ -0,0 +1,40 @@
//! Trait abstractions used by the payload crate.
use crate::{error::PayloadBuilderError, BuiltPayload, PayloadBuilderAttributes};
use futures_core::TryStream;
use std::sync::Arc;
/// A type that can build a payload.
///
/// This type is a Stream that yields better payloads.
///
/// Note: PaylodJob need to be cancel safe.
///
/// TODO convert this into a future?
pub trait PayloadJob:
TryStream<Ok = Arc<BuiltPayload>, Error = PayloadBuilderError> + Send + Sync
{
/// Returns the best payload that has been built so far.
///
/// Note: this is expected to be an empty block without transaction if nothing has been built
/// yet.
fn best_payload(&self) -> Arc<BuiltPayload>;
}
/// A type that knows how to create new jobs for creating payloads.
pub trait PayloadJobGenerator: Send + Sync {
/// The type that manages the lifecycle of a payload.
///
/// This type is a Stream that yields better payloads payload.
type Job: PayloadJob;
/// Creates the initial payload and a new [PayloadJob] that yields better payloads.
///
/// Note: this is expected to build a new (empty) payload without transactions, so it can be
/// returned directly. when asked for
fn new_payload_job(
&self,
attr: PayloadBuilderAttributes,
) -> Result<Self::Job, PayloadBuilderError>;
}