1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490
//! Testing utilities
use crate::{
evm_circuit::{cached::EvmCircuitCached, EvmCircuit},
state_circuit::StateCircuit,
util::SubCircuit,
witness::{Block, Chunk, Rw},
};
use bus_mapping::{
circuit_input_builder::{FeatureConfig, FixedCParams},
mock::BlockData,
};
use eth_types::geth_types::GethData;
use itertools::{all, Itertools};
use std::cmp;
use thiserror::Error;
use crate::util::log2_ceil;
use halo2_proofs::{
dev::{MockProver, VerifyFailure},
halo2curves::bn256::Fr,
};
use mock::TestContext;
#[cfg(test)]
#[ctor::ctor]
fn init_env_logger() {
// Enable RUST_LOG during tests
env_logger::Builder::from_env(env_logger::Env::default().default_filter_or("error")).init();
}
const NUM_BLINDING_ROWS: usize = 64;
#[allow(clippy::type_complexity)]
/// Struct used to easily generate tests for EVM &| State circuits being able to
/// customize all of the steps involved in the testing itself.
///
/// By default, the tests run through `prover.assert_satisfied_par()` but the
/// builder pattern provides functions that allow to pass different functions
/// that the prover should execute when verifying the CTB correctness.
///
/// The CTB also includes a mechanism to receive calls that will modify the
/// block produced from the [`TestContext`] and apply them before starting to
/// compute the proof.
///
/// ## Example:
/// ```rust, no_run
/// use eth_types::geth_types::Account;
/// use eth_types::{address, bytecode, Address, Bytecode, ToWord, Word, U256, word};
/// use mock::{TestContext, MOCK_ACCOUNTS, gwei, eth};
/// use zkevm_circuits::test_util::CircuitTestBuilder;
/// let code = bytecode! {
/// // [ADDRESS, STOP]
/// PUSH32(word!("
/// 3000000000000000000000000000000000000000000000000000000000000000"))
/// PUSH1(0)
/// MSTORE
///
/// PUSH1(2)
/// PUSH1(0)
/// RETURN
/// };
/// let ctx = TestContext::<1, 1>::new(
/// None,
/// |accs| {
/// accs[0].address(MOCK_ACCOUNTS[0]).balance(eth(20));
/// },
/// |mut txs, _accs| {
/// txs[0]
/// .from(MOCK_ACCOUNTS[0])
/// .gas_price(gwei(2))
/// .gas(Word::from(0x10000))
/// .value(eth(2))
/// .input(code.into());
/// },
/// |block, _tx| block.number(0xcafeu64),
/// )
/// .unwrap();
///
/// CircuitTestBuilder::new_from_test_ctx(ctx)
/// .block_modifier(Box::new(|_block, chunk| {
/// chunk
/// .iter_mut()
/// .for_each(|chunk| chunk.fixed_param.max_evm_rows = (1 << 18) - 100);
/// }))
/// .run()
/// ```
pub struct CircuitTestBuilder<const NACC: usize, const NTX: usize> {
test_ctx: Option<TestContext<NACC, NTX>>,
circuits_params: Option<FixedCParams>,
feature_config: Option<FeatureConfig>,
block: Option<Block<Fr>>,
chunks: Option<Vec<Chunk<Fr>>>,
block_modifiers: Vec<Box<dyn Fn(&mut Block<Fr>, &mut Vec<Chunk<Fr>>)>>,
}
impl<const NACC: usize, const NTX: usize> CircuitTestBuilder<NACC, NTX> {
/// Generates an empty/set to default `CircuitTestBuilder`.
fn empty() -> Self {
CircuitTestBuilder {
test_ctx: None,
circuits_params: None,
feature_config: None,
block: None,
chunks: None,
block_modifiers: vec![],
}
}
/// Generates a CTBC from a [`TestContext`] passed with all the other fields
/// set to [`Default`].
pub fn new_from_test_ctx(ctx: TestContext<NACC, NTX>) -> Self {
Self::empty().test_ctx(ctx)
}
/// Generates a CTBC from a [`Block`] passed with all the other fields
/// set to [`Default`].
pub fn new_from_block(block: Block<Fr>, chunks: Vec<Chunk<Fr>>) -> Self {
Self::empty().set_block_chunk(block, chunks)
}
/// Allows to produce a [`TestContext`] which will serve as the generator of
/// the Block.
pub fn test_ctx(mut self, ctx: TestContext<NACC, NTX>) -> Self {
self.test_ctx = Some(ctx);
self
}
/// Allows to pass a non-default [`FixedCParams`] to the builder.
/// This means that we can increase for example, the `max_rws` or `max_txs`.
pub fn params(mut self, params: FixedCParams) -> Self {
assert!(
self.block.is_none(),
"circuit_params already provided in the block"
);
self.circuits_params = Some(params);
self
}
/// Configure [`FeatureConfig`]
pub fn feature(mut self, feature_config: FeatureConfig) -> Self {
assert!(self.feature_config.is_none(), "Already configured");
self.feature_config = Some(feature_config);
self
}
/// Allows to pass a [`Block`], [`Chunk`] vectors already built to the constructor.
pub fn set_block_chunk(mut self, block: Block<Fr>, chunks: Vec<Chunk<Fr>>) -> Self {
self.block = Some(block);
self.chunks = Some(chunks);
self
}
#[allow(clippy::type_complexity)]
/// Allows to provide modifier functions for the [`Block, Chunk`] that will be
/// generated within this builder.
///
/// That removes the need in a lot of tests to build the block outside of
/// the builder because they need to modify something particular.
pub fn block_modifier(
mut self,
modifier: Box<dyn Fn(&mut Block<Fr>, &mut Vec<Chunk<Fr>>)>,
) -> Self {
self.block_modifiers.push(modifier);
self
}
}
impl<const NACC: usize, const NTX: usize> CircuitTestBuilder<NACC, NTX> {
/// build block
pub fn build_block(
&self,
total_chunks: Option<usize>,
) -> Result<(Block<Fr>, Vec<Chunk<Fr>>), CircuitTestError> {
if let (Some(block), Some(chunks)) = (&self.block, &self.chunks) {
// If a block is specified, no need to modify the block
return Ok((block.clone(), chunks.clone()));
}
let block = self
.test_ctx
.as_ref()
.ok_or(CircuitTestError::NotEnoughAttributes)?;
let block: GethData = block.clone().into();
let builder = match self.circuits_params {
Some(fixed_param) => {
if let Some(total_chunks) = total_chunks {
assert!(
fixed_param.total_chunks == total_chunks,
"Total chunks unmatched with fixed param"
);
}
BlockData::new_from_geth_data_with_params(block.clone(), fixed_param)
.new_circuit_input_builder_with_feature(self.feature_config.unwrap_or_default())
.handle_block(&block.eth_block, &block.geth_traces)
.map_err(|err| CircuitTestError::CannotHandleBlock(err.to_string()))?
}
None => BlockData::new_from_geth_data_chunked(block.clone(), total_chunks.unwrap_or(1))
.new_circuit_input_builder_with_feature(self.feature_config.unwrap_or_default())
.handle_block(&block.eth_block, &block.geth_traces)
.map_err(|err| CircuitTestError::CannotHandleBlock(err.to_string()))?,
};
// Build a witness block from trace result.
let mut block = crate::witness::block_convert(&builder)
.map_err(|err| CircuitTestError::CannotConvertBlock(err.to_string()))?;
let mut chunks = crate::witness::chunk_convert(&block, &builder).unwrap();
for modifier_fn in &self.block_modifiers {
modifier_fn.as_ref()(&mut block, &mut chunks);
}
Ok((block, chunks))
}
fn run_evm_circuit_test(
&self,
block: Block<Fr>,
chunks: Vec<Chunk<Fr>>,
) -> Result<(), CircuitTestError> {
if chunks.is_empty() {
return Err(CircuitTestError::SanityCheckChunks(
"empty chunks vector".to_string(),
));
}
let k = block.get_test_degree(&chunks[0]);
let (active_gate_rows, active_lookup_rows) =
EvmCircuit::<Fr>::get_active_rows(&block, &chunks[0]);
// check consistency between chunk
chunks
.iter()
.tuple_windows()
.find_map(|(prev_chunk, chunk)| {
// global consistent
if prev_chunk.permu_alpha != chunk.permu_alpha {
return Some(Err(CircuitTestError::SanityCheckChunks(
"mismatch challenge alpha".to_string(),
)));
}
if prev_chunk.permu_gamma != chunk.permu_gamma {
return Some(Err(CircuitTestError::SanityCheckChunks(
"mismatch challenge gamma".to_string(),
)));
}
if prev_chunk.by_address_rw_fingerprints.ending_row
!= chunk.by_address_rw_fingerprints.prev_ending_row
{
return Some(Err(CircuitTestError::SanityCheckChunks(
"mismatch by_address_rw_fingerprints ending_row".to_string(),
)));
}
if prev_chunk.by_address_rw_fingerprints.mul_acc
!= chunk.by_address_rw_fingerprints.prev_mul_acc
{
return Some(Err(CircuitTestError::SanityCheckChunks(
"mismatch by_address_rw_fingerprints mul_acc".to_string(),
)));
}
if prev_chunk.chrono_rw_fingerprints.ending_row
!= chunk.chrono_rw_fingerprints.prev_ending_row
{
return Some(Err(CircuitTestError::SanityCheckChunks(
"mismatch chrono_rw_fingerprints ending_row".to_string(),
)));
}
if prev_chunk.chrono_rw_fingerprints.mul_acc
!= chunk.chrono_rw_fingerprints.prev_mul_acc
{
return Some(Err(CircuitTestError::SanityCheckChunks(
"mismatch chrono_rw_fingerprints mul_acc".to_string(),
)));
}
None
})
.unwrap_or_else(|| Ok(()))?;
// check last chunk fingerprints
chunks
.last()
.map(|last_chunk| {
if last_chunk.by_address_rw_fingerprints.mul_acc
!= last_chunk.chrono_rw_fingerprints.mul_acc
{
Err(CircuitTestError::SanityCheckChunks(
"mismatch last rw_fingerprint mul_acc".to_string(),
))
} else {
Ok(())
}
})
.unwrap_or_else(|| Ok(()))?;
// stop on first chunk validation error
chunks
.into_iter()
.enumerate()
// terminate on first error
.find_map(|(i, chunk)| {
// Mainnet EVM circuit constraints can be cached for test performance.
// No cache for EVM circuit with customized features
let prover = if block.feature_config.is_mainnet() {
let circuit =
EvmCircuitCached::get_test_circuit_from_block(block.clone(), chunk);
let instance = circuit.instance();
MockProver::<Fr>::run(k, &circuit, instance)
} else {
let circuit = EvmCircuit::get_test_circuit_from_block(block.clone(), chunk);
let instance = circuit.instance();
MockProver::<Fr>::run(k, &circuit, instance)
};
if let Err(err) = prover {
return Some(Err(CircuitTestError::SynthesisFailure {
circuit: Circuit::EVM,
reason: err,
}));
}
let prover = prover.unwrap();
let res = prover
.verify_at_rows(
active_gate_rows.iter().cloned(),
active_lookup_rows.iter().cloned(),
)
.map_err(|err| CircuitTestError::VerificationFailed {
circuit: Circuit::EVM,
reasons: err,
});
if res.is_err() {
println!("failed on chunk index {}", i);
Some(res)
} else {
None
}
})
.unwrap_or_else(|| Ok(()))
}
// TODO: use randomness as one of the circuit public input, since randomness in
// state circuit and evm circuit must be same
fn run_state_circuit_test(
&self,
block: Block<Fr>,
chunks: Vec<Chunk<Fr>>,
) -> Result<(), CircuitTestError> {
// sanity check
assert!(!chunks.is_empty());
chunks.iter().tuple_windows().for_each(|(chunk1, chunk2)| {
let (rows_needed_1, rows_needed_2) = (
StateCircuit::<Fr>::min_num_rows_block(&block, chunk1).1,
StateCircuit::<Fr>::min_num_rows_block(&block, chunk2).1,
);
assert!(rows_needed_1 == rows_needed_2);
assert!(chunk1.fixed_param == chunk2.fixed_param);
});
let rows_needed = StateCircuit::<Fr>::min_num_rows_block(&block, &chunks[0]).1;
let k = cmp::max(log2_ceil(rows_needed + NUM_BLINDING_ROWS), 18);
chunks
.iter()
// terminate on first error
.find_map(|chunk| {
let state_circuit = StateCircuit::<Fr>::new(chunk);
let instance = state_circuit.instance();
let prover = MockProver::<Fr>::run(k, &state_circuit, instance).map_err(|err| {
CircuitTestError::SynthesisFailure {
circuit: Circuit::State,
reason: err,
}
});
if let Err(err) = prover {
return Some(Err(err));
}
let prover = prover.unwrap();
// Skip verification of Start and Padding rows accelerate testing
let non_padding_rows_len = state_circuit
.rows
.iter()
.filter(|rw| {
!matches!(rw, Rw::Start { .. }) && !matches!(rw, Rw::Padding { .. })
})
.count();
let rows = 1..1 + non_padding_rows_len;
let result: Result<(), CircuitTestError> = prover
.verify_at_rows(rows.clone(), rows)
.map_err(|err| CircuitTestError::VerificationFailed {
circuit: Circuit::EVM,
reasons: err,
});
if result.is_ok() {
None
} else {
Some(result)
}
})
.unwrap_or_else(|| Ok(()))
}
/// Triggers the `CircuitTestBuilder` to convert the [`TestContext`] if any,
/// into a [`Block`] and apply the default or provided block_modifiers or
/// circuit checks to the provers generated for the State and EVM circuits.
pub fn run_with_result(self) -> Result<(), CircuitTestError> {
self.run_multiple_chunks_with_result(None)
}
/// Triggers the `CircuitTestBuilder` to convert the [`TestContext`] if any,
/// into a [`Block`] and apply the default or provided block_modifiers or
/// circuit checks to the provers generated for the State and EVM circuits.
pub fn run_multiple_chunks_with_result(
self,
total_chunks: Option<usize>,
) -> Result<(), CircuitTestError> {
let (block, chunks) = self.build_block(total_chunks)?;
self.run_evm_circuit_test(block.clone(), chunks.clone())?;
self.run_state_circuit_test(block, chunks)
}
/// Convenient method to run in test cases that error handling is not required.
pub fn run(self) {
self.run_with_result().unwrap()
}
}
#[derive(Debug)]
/// Circuits to test in [`CircuitTestBuilder`]
pub enum Circuit {
/// EVM circuit
EVM,
/// State circuit
State,
}
#[derive(Debug, Error)]
/// Errors for Circuit test
pub enum CircuitTestError {
/// We didn't specify enough attributes to define a block for the circuit test
#[error("NotEnoughAttributes")]
NotEnoughAttributes,
/// Something wrong in the handle_block
#[error("CannotHandleBlock({0})")]
CannotHandleBlock(String),
/// Something wrong in the block_convert
#[error("CannotConvertBlock({0})")]
CannotConvertBlock(String),
/// Something wrong in the chunk_convert
#[error("SanityCheckChunks({0})")]
SanityCheckChunks(String),
/// Problem constructing MockProver
#[error("SynthesisFailure({circuit:?}, reason: {reason:?})")]
SynthesisFailure {
/// The circuit that causes the failure
circuit: Circuit,
/// The MockProver error that causes the failure
reason: halo2_proofs::plonk::Error,
},
/// Failed to verify a circuit in the MockProver
#[error("VerificationFailed({circuit:?}, reasons: {reasons:?})")]
VerificationFailed {
/// The circuit that causes the failure
circuit: Circuit,
/// The list of verification failure
reasons: Vec<VerifyFailure>,
},
}
impl CircuitTestError {
/// Filter out EVM circuit failures
///
/// Errors must come from EVM circuit and must be unsatisfied constraints or lookup failure
pub fn assert_evm_failure(&self) {
match self {
Self::VerificationFailed { circuit, reasons } => {
assert!(matches!(circuit, Circuit::EVM));
assert!(!reasons.is_empty());
assert!(all(reasons, |reason| matches!(
reason,
VerifyFailure::ConstraintNotSatisfied { .. } | VerifyFailure::Lookup { .. }
)));
}
_ => panic!("Not a EVM circuit failure {self:?}"),
}
}
}