Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat: implement eth_call and refactor trin-execution to support async db #1415

Closed
wants to merge 1 commit into from
Closed
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
3 changes: 3 additions & 0 deletions Cargo.lock

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

9 changes: 8 additions & 1 deletion ethportal-api/src/eth.rs
Original file line number Diff line number Diff line change
@@ -1,6 +1,6 @@
use alloy_primitives::{Address, Bytes, B256, U256};
use jsonrpsee::{core::RpcResult, proc_macros::rpc};
use reth_rpc_types::{Block, BlockId};
use reth_rpc_types::{Block, BlockId, TransactionRequest};

/// Web3 JSON-RPC endpoints
#[rpc(client, server, namespace = "eth")]
Expand All @@ -24,4 +24,11 @@ pub trait EthApi {
#[method(name = "getStorageAt")]
async fn get_storage_at(&self, address: Address, slot: U256, block: BlockId)
-> RpcResult<B256>;

#[method(name = "call")]
async fn call(
&self,
transaction_request: TransactionRequest,
block: BlockId,
) -> RpcResult<Bytes>;
}
2 changes: 2 additions & 0 deletions rpc/Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -20,6 +20,7 @@ hyper.workspace = true
portalnet.workspace = true
reth-ipc.workspace = true
reth-rpc-types.workspace = true
revm = { workspace = true, features = ["optional_block_gas_limit"] }
serde.workspace = true
serde_json.workspace = true
strum.workspace = true
Expand All @@ -28,5 +29,6 @@ tokio.workspace = true
tower = { version = "0.4.13", features = ["full"] }
tower-http = { version = "0.4.4", features = ["full"] }
tracing.workspace = true
trin-execution.workspace = true
trin-utils.workspace = true
trin-validation.workspace = true
4 changes: 4 additions & 0 deletions rpc/src/errors.rs
Original file line number Diff line number Diff line change
Expand Up @@ -53,12 +53,16 @@ impl RpcError {
}
}

#[derive(Debug, PartialEq, Eq, thiserror::Error)]
pub enum RpcServeError {
/// A generic error with no data
#[error("Error: {0}")]
Message(String),
/// Method not available
#[error("Method not available: {0}")]
MethodNotFound(String),
/// ContentNotFound
#[error("Content not found: {message}")]
ContentNotFound {
message: String,
trace: Option<Box<QueryTrace>>,
Expand Down
246 changes: 58 additions & 188 deletions rpc/src/eth_rpc.rs
Original file line number Diff line number Diff line change
@@ -1,31 +1,24 @@
use alloy_primitives::{keccak256, Address, Bytes, B256, U256};
use alloy_rlp::Decodable;
use eth_trie::node::Node;
use reth_rpc_types::{other::OtherFields, Block, BlockId, BlockTransactions};
use alloy_primitives::{Address, Bytes, B256, U256};
use reth_rpc_types::{other::OtherFields, Block, BlockId, BlockTransactions, TransactionRequest};
use tokio::sync::mpsc;

use ethportal_api::{
types::{
content_key::state::{AccountTrieNodeKey, ContractBytecodeKey, ContractStorageTrieNodeKey},
execution::block_body::BlockBody,
jsonrpc::{
endpoints::{HistoryEndpoint, StateEndpoint},
endpoints::HistoryEndpoint,
request::{HistoryJsonRpcRequest, StateJsonRpcRequest},
},
portal::ContentInfo,
state_trie::{
account_state::AccountState,
nibbles::Nibbles,
trie_traversal::{NodeTraversal, TraversalResult},
},
},
ContentValue, EthApiServer, Header, HistoryContentKey, HistoryContentValue, StateContentKey,
StateContentValue,
ContentValue, EthApiServer, Header, HistoryContentKey, HistoryContentValue,
};
use trin_execution::evm::{create_evm_environment, db::AsyncDatabaseRef, execute_transaction};
use trin_validation::constants::CHAIN_ID;

use crate::{
errors::RpcServeError,
evm_state::EvmBlockState,
fetch::proxy_to_subnet,
jsonrpsee::core::{async_trait, RpcResult},
};
Expand Down Expand Up @@ -92,35 +85,12 @@ impl EthApiServer for EthApi {
}

async fn get_balance(&self, address: Address, block: BlockId) -> RpcResult<U256> {
let address_hash = keccak256(address);
let block_hash = as_block_hash(block)?;
let header = self.fetch_header_by_hash(block_hash).await?;

let account_state = self
.fetch_account_state(header.state_root, address_hash)
.await?;
let evm_block_state = self.evm_block_state(block).await?;

match account_state {
Some(account_state) => Ok(account_state.balance),
None => Ok(U256::ZERO),
}
}

async fn get_code(&self, address: Address, block: BlockId) -> RpcResult<Bytes> {
let address_hash = keccak256(address);
let block_hash = as_block_hash(block)?;
let header = self.fetch_header_by_hash(block_hash).await?;

let account_state = self
.fetch_account_state(header.state_root, address_hash)
.await?;

match account_state {
Some(account_state) => Ok(self
.fetch_contract_bytecode(address_hash, account_state.code_hash)
.await?),
None => Ok(Bytes::new()),
}
let Some(account_info) = evm_block_state.basic_async(address).await? else {
return Ok(U256::ZERO);
};
Ok(account_info.balance)
}

async fn get_storage_at(
Expand All @@ -129,20 +99,49 @@ impl EthApiServer for EthApi {
slot: U256,
block: BlockId,
) -> RpcResult<B256> {
let address_hash = keccak256(address);
let block_hash = as_block_hash(block)?;
let header = self.fetch_header_by_hash(block_hash).await?;
let evm_block_state = self.evm_block_state(block).await?;

let account_state = self
.fetch_account_state(header.state_root, address_hash)
.await?;
let value = evm_block_state.storage_async(address, slot).await?;
Ok(B256::from(value))
}

async fn get_code(&self, address: Address, block: BlockId) -> RpcResult<Bytes> {
let evm_block_state = self.evm_block_state(block).await?;

let Some(account_info) = evm_block_state.basic_async(address).await? else {
return Ok(Bytes::new());
};

match account_state {
Some(account_state) => Ok(self
.fetch_contract_storage_at_slot(account_state.storage_root, address_hash, slot)
.await?),
None => Ok(B256::ZERO),
if account_info.is_empty_code_hash() {
return Ok(Bytes::new());
}

let bytecode = match account_info.code {
Some(code) => code,
None => {
evm_block_state
.code_by_hash_async(account_info.code_hash())
.await?
}
};
Ok(bytecode.original_bytes())
}

async fn call(
&self,
transaction_request: TransactionRequest,
block: BlockId,
) -> RpcResult<Bytes> {
let evm_block_state = self.evm_block_state(block).await?;

let mut evm = create_evm_environment(evm_block_state.block_header());
// Allow unlimited gas
evm.cfg.disable_block_gas_limit = true;
let result_and_state = execute_transaction(transaction_request, evm, evm_block_state)
.await
.map_err(|err| RpcServeError::Message(err.to_string()))?;
let output = result_and_state.result.into_output().unwrap_or_default();
Ok(output)
}
}

Expand Down Expand Up @@ -191,144 +190,15 @@ impl EthApi {

// State network related functions

async fn fetch_state_content(
&self,
content_key: StateContentKey,
) -> Result<StateContentValue, RpcServeError> {
async fn evm_block_state(&self, block: BlockId) -> Result<EvmBlockState, RpcServeError> {
let Some(state_network) = &self.state_network else {
return Err(RpcServeError::Message(format!(
"State network not enabled. Can't find: {content_key}"
)));
};

let endpoint = StateEndpoint::RecursiveFindContent(content_key.clone());
let response: ContentInfo = proxy_to_subnet(state_network, endpoint).await?;
let ContentInfo::Content { content, .. } = response else {
return Err(RpcServeError::Message(format!(
"Invalid response variant: State RecursiveFindContent should contain content value; got {response:?}"
)));
};

let content_value = StateContentValue::decode(&content_key, &content)?;
Ok(content_value)
}

async fn fetch_trie_node(&self, content_key: StateContentKey) -> Result<Node, RpcServeError> {
let content_value = self.fetch_state_content(content_key).await?;
let StateContentValue::TrieNode(trie_node) = content_value else {
return Err(RpcServeError::Message(format!(
"Invalid response: expected trie node; got {content_value:?}",
)));
};
trie_node
.node
.as_trie_node()
.map_err(|err| RpcServeError::Message(format!("Can't decode trie_node: {err}")))
}

async fn fetch_contract_bytecode(
&self,
address_hash: B256,
code_hash: B256,
) -> Result<Bytes, RpcServeError> {
let content_key = StateContentKey::ContractBytecode(ContractBytecodeKey {
address_hash,
code_hash,
});
let content_value = self.fetch_state_content(content_key).await?;
let StateContentValue::ContractBytecode(contract_bytecode) = content_value else {
return Err(RpcServeError::Message(format!(
"Invalid response: expected contract bytecode; got {content_value:?}",
)));
};
let bytes = Vec::from(contract_bytecode.code);
Ok(Bytes::from(bytes))
}

async fn fetch_account_state(
&self,
state_root: B256,
address_hash: B256,
) -> Result<Option<AccountState>, RpcServeError> {
self.traverse_trie(state_root, address_hash, |path, node_hash| {
StateContentKey::AccountTrieNode(AccountTrieNodeKey { path, node_hash })
})
.await
}

async fn fetch_contract_storage_at_slot(
&self,
storage_root: B256,
address_hash: B256,
storage_slot: U256,
) -> Result<B256, RpcServeError> {
let path = keccak256(storage_slot.to_be_bytes::<32>());
let value = self
.traverse_trie::<Bytes>(storage_root, path, |path, node_hash| {
StateContentKey::ContractStorageTrieNode(ContractStorageTrieNodeKey {
address_hash,
path,
node_hash,
})
})
.await?
.unwrap_or_default();
if value.len() > B256::len_bytes() {
return Err(RpcServeError::Message(format!(
"Storage value is too long. value: {value}"
)));
}

Ok(B256::left_padding_from(&value))
}

/// Utility function for fetching trie nodes and traversing the trie.
///
/// This function works both with the account trie and the contract state trie.
async fn traverse_trie<T: Decodable>(
&self,
root: B256,
path: B256,
content_key_fn: impl Fn(Nibbles, B256) -> StateContentKey,
) -> Result<Option<T>, RpcServeError> {
let path = Nibbles::unpack_nibbles(path.as_slice());

let mut node_hash = root;
let mut remaining_path = path.as_slice();

let value = loop {
let path_from_root = path
.strip_suffix(remaining_path)
.expect("Remaining path should be suffix of the path");

let content_key = content_key_fn(
Nibbles::try_from_unpacked_nibbles(path_from_root)
.expect("we should be able to create Nibbles from path"),
node_hash,
);
let node = self.fetch_trie_node(content_key).await?;

match node.traverse(remaining_path) {
TraversalResult::Empty(_) => break None,
TraversalResult::Value(value) => break Some(value),
TraversalResult::Node(next_node) => {
node_hash = next_node.hash;
remaining_path = next_node.remaining_path;
}
TraversalResult::Error(err) => {
return Err(RpcServeError::Message(format!(
"Error traversing trie node: {err}"
)))
}
}
return Err(RpcServeError::Message(
"State network not enabled. Can't process request!".to_string(),
));
};

value
.map(|value| T::decode(&mut value.as_ref()))
.transpose()
.map_err(|err| {
RpcServeError::Message(format!("Error decoding value from the leaf node: {err}"))
})
let block_hash = as_block_hash(block)?;
let header = self.fetch_header_by_hash(block_hash).await?;
Ok(EvmBlockState::new(header, state_network.clone()))
}
}

Expand Down
Loading
Loading