Skip to content

Commit

Permalink
Merge branch 'main' into test-bench-trigger
Browse files Browse the repository at this point in the history
  • Loading branch information
gabriel-aranha-cw authored Nov 28, 2024
2 parents de36e7a + 5538661 commit a479f74
Show file tree
Hide file tree
Showing 11 changed files with 128 additions and 25 deletions.
10 changes: 10 additions & 0 deletions .github/workflows/e2e-test.yml
Original file line number Diff line number Diff line change
Expand Up @@ -67,6 +67,16 @@ jobs:
group: ${{ github.workflow }}-external-rocks-${{ github.ref || github.run_id }}
cancel-in-progress: true

e2e-interval-stratus:
name: E2E Interval Stratus
uses: ./.github/workflows/_setup-e2e.yml
with:
justfile_recipe: "e2e-stratus 10ms"

concurrency:
group: ${{ github.workflow }}-interval-${{ github.ref || github.run_id }}
cancel-in-progress: true

e2e-clock-stratus:
name: E2E Clock Stratus in-memory
uses: ./.github/workflows/_setup-e2e.yml
Expand Down
42 changes: 42 additions & 0 deletions e2e/contracts/TestEvmInput.sol
Original file line number Diff line number Diff line change
@@ -0,0 +1,42 @@
// SPDX-License-Identifier: MIT
pragma solidity ^0.8.0;

contract TestEvmInput {
uint256 public executions;
uint256 public result;

// Define the event for logging
event ComputationStarted(uint256 blockNumber, bool isSlow);

function heavyComputation() public {
// Emit event with current block number
// Check if this is the first execution
if (block.number < 1000) {
emit ComputationStarted(block.number, true);

// Perform a time-consuming loop
uint256 temp = 0;
for(uint i = 0; i < 10000; i++) {
for(uint j = 0; j < 100; j++) {
temp += i * j;
temp = temp % 1000000; // Prevent overflow
}
}
result = temp;
} else {
emit ComputationStarted(block.number, false);
result = 42;
}
executions += 1;
}

// View function to get current block number (for testing)
function getCurrentBlock() public view returns (uint256) {
return block.number;
}

// View function to get result
function getExecutions() public view returns (uint256) {
return executions;
}
}
7 changes: 7 additions & 0 deletions e2e/test/helpers/rpc.ts
Original file line number Diff line number Diff line change
Expand Up @@ -20,6 +20,7 @@ import {
TestContractBlockTimestamp,
TestContractCounter,
TestContractDenseStorage,
TestEvmInput,
} from "../../typechain-types";
import { Account, CHARLIE } from "./account";
import { currentMiningIntervalInMs, currentNetwork, isStratus } from "./network";
Expand Down Expand Up @@ -162,6 +163,12 @@ export async function deployTestContractBalances(): Promise<TestContractBalances
return await testContractFactory.connect(CHARLIE.signer()).deploy();
}

// Deploys the "TestEvmInput" contract.
export async function deployTestEvmInput(): Promise<TestEvmInput> {
const testContractFactory = await ethers.getContractFactory("TestEvmInput");
return await testContractFactory.connect(CHARLIE.signer()).deploy();
}

// Deploys the "TestBlockTimestamp" contract.
export async function deployTestContractBlockTimestamp(): Promise<TestContractBlockTimestamp> {
const testContractFactory = await ethers.getContractFactory("TestContractBlockTimestamp");
Expand Down
27 changes: 27 additions & 0 deletions e2e/test/interval/evm-input.test.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,27 @@
import { expect } from "chai";
import { ContractTransactionReceipt, Result } from "ethers";

import { deployTestEvmInput, sendReset } from "../helpers/rpc";

// This test needs to be ran with stratus on a very fast block production rate (around 10ms is fast enough)
describe("Evm Input", () => {
describe("Transaction Execution", () => {
it("should not be executed in one block but added to another", async () => {
await sendReset();
const contract = await deployTestEvmInput();
await contract.waitForDeployment();
let tx = await contract.heavyComputation();
let receipt = (await tx.wait()) as ContractTransactionReceipt;
const event = receipt.logs[0];
const logs = contract.interface.parseLog({
topics: event.topics,
data: event.data,
})?.args as Result;

expect(receipt.blockNumber).to.eq(logs.blockNumber);
expect(logs.blockNumber).gt(1000);
expect(logs.isSlow).to.be.false;
expect(await contract.getExecutions()).to.eq(1);
});
});
});
7 changes: 5 additions & 2 deletions justfile
Original file line number Diff line number Diff line change
Expand Up @@ -192,7 +192,11 @@ e2e-stratus block-mode="automine" test="":
just _wait_for_stratus

just _log "Running E2E tests"
just e2e stratus {{block-mode}} "{{test}}"
if [[ {{block-mode}} =~ ^[0-9]+(ms|s)$ ]]; then
just e2e stratus interval "{{test}}"
else
just e2e stratus {{block-mode}} "{{test}}"
fi
result_code=$?

just _log "Killing Stratus"
Expand All @@ -213,7 +217,6 @@ e2e-stratus-rocks block-mode="automine" test="":
just _wait_for_stratus

just _log "Running E2E tests"
just e2e stratus {{block-mode}} "{{test}}"
result_code=$?

just _log "Killing Stratus"
Expand Down
2 changes: 1 addition & 1 deletion src/eth/executor/evm_input.rs
Original file line number Diff line number Diff line change
Expand Up @@ -21,7 +21,7 @@ use crate::if_else;
use crate::log_and_err;

/// EVM input data. Usually derived from a transaction or call.
#[derive(DebugAsJson, Clone, Default, serde::Serialize)]
#[derive(DebugAsJson, Clone, Default, serde::Serialize, serde::Deserialize, fake::Dummy, PartialEq)]
pub struct EvmInput {
/// Operation party address.
///
Expand Down
34 changes: 15 additions & 19 deletions src/eth/executor/executor.rs
Original file line number Diff line number Diff line change
Expand Up @@ -397,17 +397,6 @@ impl Executor {
// acquire serial execution lock
let _serial_lock = self.locks.serial.lock_or_clear("executor serial lock was poisoned");

// WORKAROUND: prevents interval miner mining blocks while a transaction is being executed.
// this can be removed when we implement conflict detection for block number
let _miner_lock = {
if self.miner.mode().is_interval() {
let miner_lock = Some(self.miner.locks.mine_and_commit.lock_or_clear("miner mine_and_commit lock was poisoned"));
miner_lock
} else {
None
}
};

// execute transaction
self.execute_local_transaction_attempts(tx.clone(), EvmRoute::Serial, INFINITE_ATTEMPTS)
}
Expand Down Expand Up @@ -499,28 +488,35 @@ impl Executor {
"executing local transaction attempt"
);

let evm_result = match self.evms.execute(evm_input, evm_route) {
let evm_result = match self.evms.execute(evm_input.clone(), evm_route) {
Ok(evm_result) => evm_result,
Err(e) => return Err(e),
};

// save execution to temporary storage
// in case of failure, retry if conflict or abandon if unexpected error
let tx_execution = TransactionExecution::new_local(tx_input.clone(), evm_result.clone());
match self.miner.save_execution(tx_execution.clone(), true) {
let tx_execution = TransactionExecution::new_local(tx_input.clone(), evm_input, evm_result.clone());
match self.miner.save_execution(tx_execution.clone(), matches!(evm_route, EvmRoute::Parallel)) {
Ok(_) => {
return Ok(tx_execution);
}
Err(e) =>
if let StratusError::TransactionConflict(ref conflicts) = e {
Err(e) => match e {
StratusError::TransactionConflict(ref conflicts) => {
tracing::warn!(%attempt, ?conflicts, "temporary storage conflict detected when saving execution");
if attempt >= max_attempts {
return Err(e);
}
continue;
} else {
return Err(e);
},
}
StratusError::TransactionEvmInputMismatch { ref expected, ref actual } => {
tracing::warn!(?expected, ?actual, "evm input and block header mismatch");
if attempt >= max_attempts {
return Err(e);
}
continue;
}
_ => return Err(e),
},
}
}
}
Expand Down
2 changes: 1 addition & 1 deletion src/eth/primitives/point_in_time.rs
Original file line number Diff line number Diff line change
Expand Up @@ -2,7 +2,7 @@ use crate::eth::primitives::BlockNumber;
use crate::infra::metrics::MetricLabelValue;

/// EVM storage point-in-time indicator.
#[derive(Debug, strum::Display, Clone, Copy, Default, strum::EnumIs, serde::Serialize)]
#[derive(Debug, strum::Display, Clone, Copy, Default, strum::EnumIs, serde::Serialize, serde::Deserialize, fake::Dummy, PartialEq)]
pub enum PointInTime {
/// State of `Account` or `Slot` at the pending block being mined.
///
Expand Down
5 changes: 5 additions & 0 deletions src/eth/primitives/stratus_error.rs
Original file line number Diff line number Diff line change
Expand Up @@ -7,6 +7,7 @@ use jsonrpsee::types::ErrorObjectOwned;
use strum::EnumProperty;

use crate::alias::JsonValue;
use crate::eth::executor::EvmInput;
use crate::eth::primitives::Address;
use crate::eth::primitives::BlockFilter;
use crate::eth::primitives::BlockNumber;
Expand Down Expand Up @@ -101,6 +102,10 @@ pub enum StratusError {
#[strum(props(kind = "execution"))]
TransactionFromZeroAddress,

#[error("Transaction input does not match block header")]
#[strum(props(kind = "execution"))]
TransactionEvmInputMismatch { expected: Box<EvmInput>, actual: Box<EvmInput> },

// -------------------------------------------------------------------------
// Storage
// -------------------------------------------------------------------------
Expand Down
6 changes: 4 additions & 2 deletions src/eth/primitives/transaction_execution.rs
Original file line number Diff line number Diff line change
@@ -1,6 +1,7 @@
use display_json::DebugAsJson;

use crate::eth::executor::EvmExecutionResult;
use crate::eth::executor::EvmInput;
use crate::eth::primitives::EvmExecution;
use crate::eth::primitives::EvmExecutionMetrics;
use crate::eth::primitives::ExternalReceipt;
Expand All @@ -20,8 +21,8 @@ pub enum TransactionExecution {

impl TransactionExecution {
/// Creates a new local transaction execution.
pub fn new_local(tx: TransactionInput, result: EvmExecutionResult) -> Self {
Self::Local(LocalTransactionExecution { input: tx, result })
pub fn new_local(tx: TransactionInput, evm_input: EvmInput, result: EvmExecutionResult) -> Self {
Self::Local(LocalTransactionExecution { input: tx, evm_input, result })
}

/// Extracts the inner [`LocalTransactionExecution`] if the execution is a local execution.
Expand Down Expand Up @@ -85,6 +86,7 @@ impl TransactionExecution {
#[cfg_attr(test, derive(serde::Deserialize, fake::Dummy, PartialEq))]
pub struct LocalTransactionExecution {
pub input: TransactionInput,
pub evm_input: EvmInput,
pub result: EvmExecutionResult,
}

Expand Down
11 changes: 11 additions & 0 deletions src/eth/storage/temporary/inmemory.rs
Original file line number Diff line number Diff line change
Expand Up @@ -7,6 +7,7 @@ use std::sync::RwLockWriteGuard;

use nonempty::NonEmpty;

use crate::eth::executor::EvmInput;
use crate::eth::primitives::Account;
use crate::eth::primitives::Address;
use crate::eth::primitives::BlockNumber;
Expand Down Expand Up @@ -117,6 +118,16 @@ impl TemporaryStorage for InMemoryTemporaryStorage {
fn save_pending_execution(&self, tx: TransactionExecution, check_conflicts: bool) -> Result<(), StratusError> {
// check conflicts
let mut states = self.lock_write();
if let TransactionExecution::Local(tx) = &tx {
let expected_input = EvmInput::from_eth_transaction(tx.input.clone(), states.head.block.header.clone());

if expected_input != tx.evm_input {
return Err(StratusError::TransactionEvmInputMismatch {
expected: Box::new(expected_input),
actual: Box::new(tx.evm_input.clone()),
});
}
}

if check_conflicts {
if let Some(conflicts) = do_check_conflicts(&states, tx.execution()) {
Expand Down

0 comments on commit a479f74

Please sign in to comment.