From 3a7197456147fd13be4a87ab3172a9d601823153 Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Tue, 7 Feb 2023 22:07:50 +0800 Subject: [PATCH 01/70] feat: add assign_regions api --- halo2_proofs/Cargo.toml | 1 + halo2_proofs/src/circuit.rs | 25 ++++ .../src/circuit/floor_planner/single_pass.rs | 141 +++++++++++++++++- halo2_proofs/src/circuit/floor_planner/v1.rs | 13 ++ halo2_proofs/src/dev.rs | 4 + halo2_proofs/src/dev/cost.rs | 5 + halo2_proofs/src/plonk/circuit.rs | 6 +- halo2_proofs/src/plonk/keygen.rs | 4 + halo2_proofs/src/plonk/prover.rs | 6 +- 9 files changed, 202 insertions(+), 3 deletions(-) diff --git a/halo2_proofs/Cargo.toml b/halo2_proofs/Cargo.toml index a941f043..cbd28e52 100644 --- a/halo2_proofs/Cargo.toml +++ b/halo2_proofs/Cargo.toml @@ -59,6 +59,7 @@ poseidon = { git = 'https://github.com/appliedzkp/poseidon.git' } #, branch = 'c num-integer = "0.1" num-bigint = { version = "0.4", features = ["rand"] } +crossbeam = "0.8.0" # Developer tooling dependencies plotters = { version = "0.3.0", optional = true } tabbycat = { version = "0.1", features = ["attributes"], optional = true } diff --git a/halo2_proofs/src/circuit.rs b/halo2_proofs/src/circuit.rs index c48bb774..c156ad74 100644 --- a/halo2_proofs/src/circuit.rs +++ b/halo2_proofs/src/circuit.rs @@ -420,6 +420,17 @@ pub trait Layouter { N: Fn() -> NR, NR: Into; + fn assign_regions( + &mut self, + name: N, + assignments: Vec, + ) -> Result, Error> + where + A: FnMut(Region<'_, F>) -> Result + Send, + AR: Send, + N: Fn() -> NR, + NR: Into; + /// Assign a table region to an absolute row number. /// /// ```ignore @@ -495,6 +506,20 @@ impl<'a, F: Field, L: Layouter + 'a> Layouter for NamespacedLayouter<'a, F self.0.assign_region(name, assignment) } + fn assign_regions( + &mut self, + name: N, + assignments: Vec, + ) -> Result, Error> + where + A: FnMut(Region<'_, F>) -> Result + Send, + AR: Send, + N: Fn() -> NR, + NR: Into, + { + self.0.assign_regions(name, assignments) + } + fn assign_table(&mut self, name: N, assignment: A) -> Result<(), Error> where A: FnMut(Table<'_, F>) -> Result<(), Error>, diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index f0e9098d..31b9cb5c 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -2,6 +2,8 @@ use std::cmp; use std::collections::HashMap; use std::fmt; use std::marker::PhantomData; +use std::ops::Range; +use std::sync::{Arc, Mutex}; use ff::Field; @@ -12,6 +14,7 @@ use crate::{ layouter::{RegionColumn, RegionLayouter, RegionShape, TableLayouter}, Cell, Layouter, Region, RegionIndex, RegionStart, Table, Value, }, + multicore, plonk::{ Advice, Any, Assigned, Assignment, Challenge, Circuit, Column, Error, Fixed, FloorPlanner, Instance, Selector, TableColumn, @@ -42,7 +45,7 @@ impl FloorPlanner for SimpleFloorPlanner { } /// A [`Layouter`] for a single-chip circuit. -pub struct SingleChipLayouter<'a, F: Field, CS: Assignment + 'a> { +pub struct SingleChipLayouter<'a, F: Field, CS: Assignment> { cs: &'a mut CS, constants: Vec>, /// Stores the starting row for each region. @@ -76,6 +79,24 @@ impl<'a, F: Field, CS: Assignment> SingleChipLayouter<'a, F, CS> { }; Ok(ret) } + + fn fork( + &mut self, + sub_cs: Vec<&'a mut CS>, + ranges: &Vec>, + ) -> Result, Error> { + Ok(sub_cs + .into_iter() + .map(|mut sub_cs| Self { + cs: sub_cs, + constants: self.constants.clone(), + regions: self.regions.clone(), + columns: self.columns.clone(), + table_columns: self.table_columns.clone(), + _marker: Default::default(), + }) + .collect::>()) + } } impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a, F, CS> { @@ -170,6 +191,124 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a Ok(result) } + fn assign_regions( + &mut self, + name: N, + mut assignments: Vec, + ) -> Result, Error> + where + A: FnMut(Region<'_, F>) -> Result + Send, + AR: Send, + N: Fn() -> NR, + NR: Into, + { + let region_index = self.regions.len(); + let region_name: String = name().into(); + // Get region shapes sequentially + let mut ranges = vec![]; + for (i, assignment) in assignments.iter_mut().enumerate() { + // Get shape of the ith sub-region. + let mut shape = RegionShape::new((region_index + i).into()); + let region: &mut dyn RegionLayouter = &mut shape; + assignment(region.into())?; + + let mut region_start = 0; + for column in &shape.columns { + let column_start = self.columns.get(column).cloned().unwrap_or(0); + region_start = cmp::max(region_start, column_start); + } + log::debug!( + "{}_{} start: {}, end: {}", + region_name, + i, + region_start, + region_start + shape.row_count() + ); + self.regions.push(region_start.into()); + ranges.push(region_start..(region_start + shape.row_count())); + + // Update column usage information. + for column in shape.columns.iter() { + self.columns + .insert(*column, region_start + shape.row_count()); + } + } + + // Do actual synthesis of sub-regions in parallel + let mut sub_cs = self.cs.fork(&ranges)?; + let mut sub_layouters = self.fork(sub_cs.iter_mut().collect(), &ranges)?; + let ret = crossbeam::scope(|scope| { + let mut handles = vec![]; + for (i, (mut assignment, sub_layouter)) in assignments + .into_iter() + .zip(sub_layouters.iter_mut()) + .enumerate() + { + let sub_layouter = Arc::new(Mutex::new(sub_layouter)); + handles.push(scope.spawn(move |_| { + let mut sub_layouter = sub_layouter.lock().unwrap(); // it's the only thread that's accessing sub_layouter + let mut region = + SingleChipLayouterRegion::new(*sub_layouter, (region_index + i).into()); + let region_ref: &mut dyn RegionLayouter = &mut region; + let result = assignment(region_ref.into()); + let constant = region.constants.clone(); + + (result, constant) + })); + } + + handles + .into_iter() + .map(|handle| handle.join().expect("handle.join should never fail")) + .collect::>() + }) + .expect("scope should not fail"); + let (results, constants): (Vec<_>, Vec<_>) = ret.into_iter().unzip(); + + // Check if there are errors in sub-region synthesis + let results = results + .into_iter() + .map(|result| result) + .collect::, Error>>()?; + + // Merge all constants from sub-regions together + let constants_to_assign = constants + .into_iter() + .flat_map(|constant_to_assign| constant_to_assign.into_iter()) + .collect::>(); + + // Assign constants. For the simple floor planner, we assign constants in order in + // the first `constants` column. + if self.constants.is_empty() { + if !constants_to_assign.is_empty() { + return Err(Error::NotEnoughColumnsForConstants); + } + } else { + let constants_column = self.constants[0]; + let next_constant_row = self + .columns + .entry(Column::::from(constants_column).into()) + .or_default(); + for (constant, advice) in constants_to_assign { + self.cs.assign_fixed( + || format!("Constant({:?})", constant.evaluate()), + constants_column, + *next_constant_row, + || Value::known(constant), + )?; + self.cs.copy( + constants_column.into(), + *next_constant_row, + advice.column, + *self.regions[*advice.region_index] + advice.row_offset, + )?; + *next_constant_row += 1; + } + } + + Ok(results) + } + fn assign_table(&mut self, name: N, mut assignment: A) -> Result<(), Error> where A: FnMut(Table<'_, F>) -> Result<(), Error>, diff --git a/halo2_proofs/src/circuit/floor_planner/v1.rs b/halo2_proofs/src/circuit/floor_planner/v1.rs index 1a3b5b67..bdb396d9 100644 --- a/halo2_proofs/src/circuit/floor_planner/v1.rs +++ b/halo2_proofs/src/circuit/floor_planner/v1.rs @@ -184,6 +184,19 @@ impl<'p, 'a, F: Field, CS: Assignment + 'a> Layouter for V1Pass<'p, 'a, F, } } + fn assign_regions( + &mut self, + name: N, + assignments: Vec, + ) -> Result, Error> + where + A: FnMut(Region<'_, F>) -> Result, + N: Fn() -> NR, + NR: Into, + { + todo!() + } + fn assign_table(&mut self, name: N, assignment: A) -> Result<(), Error> where A: FnMut(Table<'_, F>) -> Result<(), Error>, diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index f2155165..3fbde0e3 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -355,6 +355,10 @@ impl Assignment for MockProver { Ok(()) } + fn fork(&mut self, ranges: &Vec>) -> Result, Error> { + todo!() + } + fn query_instance( &self, column: Column, diff --git a/halo2_proofs/src/dev/cost.rs b/halo2_proofs/src/dev/cost.rs index ad6f8b1e..e44ecfc8 100644 --- a/halo2_proofs/src/dev/cost.rs +++ b/halo2_proofs/src/dev/cost.rs @@ -1,5 +1,6 @@ //! Developer tools for investigating the cost of a circuit. +use std::ops::Range; use std::{ collections::{HashMap, HashSet}, iter, @@ -69,6 +70,10 @@ impl Assignment for Assembly { Ok(()) } + fn fork(&mut self, ranges: &Vec>) -> Result, Error> { + todo!() + } + fn query_instance(&self, _: Column, _: usize) -> Result, Error> { Ok(Value::unknown()) } diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index e94787b6..6c458e28 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -1,6 +1,7 @@ use core::cmp::max; use core::ops::{Add, Mul}; use ff::Field; +use std::ops::Range; use std::{ convert::TryFrom, ops::{Neg, Sub}, @@ -523,7 +524,7 @@ impl Challenge { /// This trait allows a [`Circuit`] to direct some backend to assign a witness /// for a constraint system. -pub trait Assignment { +pub trait Assignment: Sized + Send { /// Creates a new region and enters into it. /// /// Panics if we are currently in a region (if `exit_region` was not called). @@ -556,6 +557,9 @@ pub trait Assignment { A: FnOnce() -> AR, AR: Into; + /// fork + fn fork(&mut self, ranges: &Vec>) -> Result, Error>; + /// Queries the cell of an instance column at a particular absolute row. /// /// Returns the cell's value, if known. diff --git a/halo2_proofs/src/plonk/keygen.rs b/halo2_proofs/src/plonk/keygen.rs index e18d9c62..49eb91ec 100644 --- a/halo2_proofs/src/plonk/keygen.rs +++ b/halo2_proofs/src/plonk/keygen.rs @@ -84,6 +84,10 @@ impl Assignment for Assembly { Ok(()) } + fn fork(&mut self, ranges: &Vec>) -> Result, Error> { + todo!() + } + fn query_instance(&self, _: Column, row: usize) -> Result, Error> { if !self.usable_rows.contains(&row) { return Err(Error::not_enough_rows_available(self.k)); diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index bd9257c6..24247161 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -4,7 +4,7 @@ use halo2curves::CurveExt; use rand_core::RngCore; use std::collections::BTreeSet; use std::env::var; -use std::ops::RangeTo; +use std::ops::{Range, RangeTo}; use std::sync::atomic::AtomicUsize; use std::time::Instant; use std::{collections::HashMap, iter, mem, sync::atomic::Ordering}; @@ -164,6 +164,10 @@ pub fn create_proof< Ok(()) } + fn fork(&mut self, ranges: &Vec>) -> Result, Error> { + todo!() + } + fn query_instance(&self, column: Column, row: usize) -> Result, Error> { if !self.usable_rows.contains(&row) { return Err(Error::not_enough_rows_available(self.k)); From d2b83b3f678f32137f3ed1889a5accdd4983a1c4 Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Wed, 8 Feb 2023 11:55:35 +0800 Subject: [PATCH 02/70] fix lifetime compilation error --- .../src/circuit/floor_planner/single_pass.rs | 20 ++++++++++--------- 1 file changed, 11 insertions(+), 9 deletions(-) diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index 31b9cb5c..17cd3f45 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -45,7 +45,7 @@ impl FloorPlanner for SimpleFloorPlanner { } /// A [`Layouter`] for a single-chip circuit. -pub struct SingleChipLayouter<'a, F: Field, CS: Assignment> { +pub struct SingleChipLayouter<'a, F: Field, CS: Assignment + 'a> { cs: &'a mut CS, constants: Vec>, /// Stores the starting row for each region. @@ -66,7 +66,7 @@ impl<'a, F: Field, CS: Assignment + 'a> fmt::Debug for SingleChipLayouter<'a, } } -impl<'a, F: Field, CS: Assignment> SingleChipLayouter<'a, F, CS> { +impl<'a, F: Field, CS: Assignment + 'a> SingleChipLayouter<'a, F, CS> { /// Creates a new single-chip layouter. pub fn new(cs: &'a mut CS, constants: Vec>) -> Result { let ret = SingleChipLayouter { @@ -81,13 +81,12 @@ impl<'a, F: Field, CS: Assignment> SingleChipLayouter<'a, F, CS> { } fn fork( - &mut self, + &self, sub_cs: Vec<&'a mut CS>, - ranges: &Vec>, ) -> Result, Error> { Ok(sub_cs .into_iter() - .map(|mut sub_cs| Self { + .map(|sub_cs| Self { cs: sub_cs, constants: self.constants.clone(), regions: self.regions.clone(), @@ -236,19 +235,22 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a // Do actual synthesis of sub-regions in parallel let mut sub_cs = self.cs.fork(&ranges)?; - let mut sub_layouters = self.fork(sub_cs.iter_mut().collect(), &ranges)?; + let sub_cs = sub_cs.iter_mut().collect(); + let sub_layouters = self.fork(sub_cs)?; let ret = crossbeam::scope(|scope| { let mut handles = vec![]; for (i, (mut assignment, sub_layouter)) in assignments .into_iter() - .zip(sub_layouters.iter_mut()) + .zip(sub_layouters.into_iter()) .enumerate() { let sub_layouter = Arc::new(Mutex::new(sub_layouter)); handles.push(scope.spawn(move |_| { let mut sub_layouter = sub_layouter.lock().unwrap(); // it's the only thread that's accessing sub_layouter - let mut region = - SingleChipLayouterRegion::new(*sub_layouter, (region_index + i).into()); + let mut region = SingleChipLayouterRegion::new( + &mut *sub_layouter, + (region_index + i).into(), + ); let region_ref: &mut dyn RegionLayouter = &mut region; let result = assignment(region_ref.into()); let constant = region.constants.clone(); From ce99b2d749bf235ef51dbbbc233c03d5f0d7da4e Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Wed, 8 Feb 2023 12:03:01 +0800 Subject: [PATCH 03/70] include assign_regions in plonk_api test --- halo2_proofs/tests/plonk_api.rs | 24 ++++++++++++++++++++++-- 1 file changed, 22 insertions(+), 2 deletions(-) diff --git a/halo2_proofs/tests/plonk_api.rs b/halo2_proofs/tests/plonk_api.rs index 913762c0..c7961942 100644 --- a/halo2_proofs/tests/plonk_api.rs +++ b/halo2_proofs/tests/plonk_api.rs @@ -3,7 +3,7 @@ use assert_matches::assert_matches; use halo2_proofs::arithmetic::{Field, FieldExt}; -use halo2_proofs::circuit::{Cell, Layouter, SimpleFloorPlanner, Value}; +use halo2_proofs::circuit::{Cell, Layouter, Region, SimpleFloorPlanner, Value}; use halo2_proofs::dev::MockProver; use halo2_proofs::plonk::{ create_proof as create_plonk_proof, keygen_pk, keygen_vk, verify_proof as verify_plonk_proof, @@ -22,7 +22,7 @@ use std::marker::PhantomData; #[test] fn plonk_api() { - const K: u32 = 5; + const K: u32 = 16; /// This represents an advice column at a certain row in the ConstraintSystem #[derive(Copy, Clone, Debug)] @@ -376,6 +376,25 @@ fn plonk_api() { let _ = cs.public_input(&mut layouter, || Value::known(F::one() + F::one()))?; + let a: Value> = self.a.into(); + let assignments = |mut region: Region<'_, F>| -> Result<(), Error> { + for i in 0..(1<<12) { + region.assign_advice(|| "config.a", cs.config.a, i, || a)?; + region.assign_advice(|| "config.b", cs.config.b, i, || a)?; + region.assign_advice(|| "config.c", cs.config.c, i, || a.double())?; + + region.assign_fixed(|| "a", cs.config.sa, i, || Value::known(F::one()))?; + region.assign_fixed(|| "b", cs.config.sb, i, || Value::known(F::one()))?; + region.assign_fixed(|| "c", cs.config.sc, i, || Value::known(F::one()))?; + region.assign_fixed(|| "a * b", cs.config.sm, i, || Value::known(F::zero()))?; + } + Ok(()) + }; + layouter.assign_regions( + || "regions", + (0..8).into_iter().map(|_| assignments).collect(), + )?; + for _ in 0..10 { let a: Value> = self.a.into(); let mut a_squared = Value::unknown(); @@ -393,6 +412,7 @@ fn plonk_api() { cs.copy(&mut layouter, b1, c0)?; } + cs.lookup_table(&mut layouter, &self.lookup_table)?; Ok(()) From 7af66a88d373a612ff704daf828009312bcfb899 Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Wed, 8 Feb 2023 14:22:10 +0800 Subject: [PATCH 04/70] fmt --- halo2_proofs/src/circuit/floor_planner/single_pass.rs | 5 +---- halo2_proofs/tests/plonk_api.rs | 3 +-- 2 files changed, 2 insertions(+), 6 deletions(-) diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index 17cd3f45..e5799a23 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -80,10 +80,7 @@ impl<'a, F: Field, CS: Assignment + 'a> SingleChipLayouter<'a, F, CS> { Ok(ret) } - fn fork( - &self, - sub_cs: Vec<&'a mut CS>, - ) -> Result, Error> { + fn fork(&self, sub_cs: Vec<&'a mut CS>) -> Result, Error> { Ok(sub_cs .into_iter() .map(|sub_cs| Self { diff --git a/halo2_proofs/tests/plonk_api.rs b/halo2_proofs/tests/plonk_api.rs index c7961942..d8b50f5a 100644 --- a/halo2_proofs/tests/plonk_api.rs +++ b/halo2_proofs/tests/plonk_api.rs @@ -378,7 +378,7 @@ fn plonk_api() { let a: Value> = self.a.into(); let assignments = |mut region: Region<'_, F>| -> Result<(), Error> { - for i in 0..(1<<12) { + for i in 0..(1 << 12) { region.assign_advice(|| "config.a", cs.config.a, i, || a)?; region.assign_advice(|| "config.b", cs.config.b, i, || a)?; region.assign_advice(|| "config.c", cs.config.c, i, || a.double())?; @@ -412,7 +412,6 @@ fn plonk_api() { cs.copy(&mut layouter, b1, c0)?; } - cs.lookup_table(&mut layouter, &self.lookup_table)?; Ok(()) From 032cd5d93362d5a857bfb4453c8763b43b9e477e Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Thu, 9 Feb 2023 00:32:02 +0800 Subject: [PATCH 05/70] feat: implement fork for MockProver (WIP) --- .../src/circuit/floor_planner/single_pass.rs | 12 +- halo2_proofs/src/dev.rs | 161 +++++++++++++++--- halo2_proofs/src/dev/failure.rs | 7 +- halo2_proofs/src/dev/util.rs | 12 ++ halo2_proofs/src/lib.rs | 2 +- halo2_proofs/tests/plonk_api.rs | 28 +-- 6 files changed, 177 insertions(+), 45 deletions(-) diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index e5799a23..75f3a002 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -236,18 +236,16 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a let sub_layouters = self.fork(sub_cs)?; let ret = crossbeam::scope(|scope| { let mut handles = vec![]; - for (i, (mut assignment, sub_layouter)) in assignments + for (i, (mut assignment, mut sub_layouter)) in assignments .into_iter() .zip(sub_layouters.into_iter()) .enumerate() { - let sub_layouter = Arc::new(Mutex::new(sub_layouter)); + // let sub_layouter = sub_layouter; handles.push(scope.spawn(move |_| { - let mut sub_layouter = sub_layouter.lock().unwrap(); // it's the only thread that's accessing sub_layouter - let mut region = SingleChipLayouterRegion::new( - &mut *sub_layouter, - (region_index + i).into(), - ); + // let mut sub_layouter = sub_layouter.lock().unwrap(); // it's the only thread that's accessing sub_layouter + let mut region = + SingleChipLayouterRegion::new(&mut sub_layouter, (region_index + i).into()); let region_ref: &mut dyn RegionLayouter = &mut region; let result = assignment(region_ref.into()); let constant = region.constants.clone(); diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 3fbde0e3..43c7a1c8 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -4,7 +4,8 @@ use std::collections::HashMap; use std::collections::HashSet; use std::fmt; use std::iter; -use std::ops::{Add, Mul, Neg, Range}; +use std::ops::{Add, DerefMut, Mul, Neg, Range}; +use std::sync::Arc; use std::time::{Duration, Instant}; use blake2b_simd::blake2b; @@ -49,7 +50,7 @@ mod graph; #[cfg_attr(docsrs, doc(cfg(feature = "dev-graph")))] pub use graph::{circuit_dot_graph, layout::CircuitLayout}; -#[derive(Debug)] +#[derive(Clone, Debug)] struct Region { /// The name of the region. Not required to be unique. name: String, @@ -280,7 +281,7 @@ impl Mul for Value { /// )); /// ``` #[derive(Debug)] -pub struct MockProver { +pub struct MockProver<'a, F: Group + Field> { k: u32, n: u32, cs: ConstraintSystem, @@ -292,14 +293,16 @@ pub struct MockProver { current_region: Option, // The fixed cells in the circuit, arranged as [column][row]. - fixed: Vec>>, + fixed_vec: Arc>>>, + fixed: Vec<&'a mut [CellValue]>, // The advice cells in the circuit, arranged as [column][row]. pub(crate) advice: Vec>>, advice_prev: Vec>>, // The instance cells in the circuit, arranged as [column][row]. instance: Vec>, - selectors: Vec>, + selectors_vec: Arc>>, + selectors: Vec<&'a mut [bool]>, challenges: Vec, @@ -311,7 +314,7 @@ pub struct MockProver { current_phase: crate::plonk::sealed::Phase, } -impl Assignment for MockProver { +impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { fn enter_region(&mut self, name: N) where NR: Into, @@ -356,7 +359,69 @@ impl Assignment for MockProver { } fn fork(&mut self, ranges: &Vec>) -> Result, Error> { - todo!() + // check ranges are non-overlapping and monotonically increasing + let mut range_start = self.usable_rows.start; + for (i, sub_range) in ranges.iter().enumerate() { + if sub_range.start < range_start { + return Err(Error::Synthesis); + } + range_start = sub_range.end; + } + + // split self.fixed into several pieces + let fixed_ptrs = self + .fixed + .iter_mut() + .map(|vec| vec.as_mut_ptr()) + .collect::>(); + let selectors_ptrs = self + .selectors + .iter_mut() + .map(|vec| vec.as_mut_ptr()) + .collect::>(); + + let mut sub_cs = vec![]; + for (i, sub_range) in ranges.iter().enumerate() { + let fixed = fixed_ptrs + .iter() + .map(|ptr| unsafe { + std::slice::from_raw_parts_mut( + ptr.add(sub_range.start), + sub_range.end - sub_range.start, + ) + }) + .collect::]>>(); + let selectors = selectors_ptrs + .iter() + .map(|ptr| unsafe { + std::slice::from_raw_parts_mut( + ptr.add(sub_range.start), + sub_range.end - sub_range.start, + ) + }) + .collect::>(); + + sub_cs.push(Self { + k: self.k, + n: self.n, + cs: self.cs.clone(), + regions: self.regions.clone(), + current_region: None, + fixed_vec: self.fixed_vec.clone(), + fixed, + advice: self.advice.clone(), + advice_prev: self.advice_prev.clone(), + instance: self.instance.clone(), + selectors_vec: self.selectors_vec.clone(), + selectors, + challenges: self.challenges.clone(), + permutation: self.permutation.clone(), + usable_rows: sub_range.clone(), + current_phase: self.current_phase, + }); + } + + Ok(sub_cs) } fn query_instance( @@ -459,12 +524,15 @@ impl Assignment for MockProver { .or_default(); } - *self + let fix_cell = self .fixed .get_mut(column.index()) - .and_then(|v| v.get_mut(row)) - .ok_or(Error::BoundsFailure)? = - CellValue::Assigned(to().into_field().evaluate().assign()?); + .and_then(|v| v.get_mut(row - self.usable_rows.start)) + .ok_or(Error::BoundsFailure); + if fix_cell.is_err() { + println!("fix cell is none: {}, row: {}", column.index(), row); + } + *fix_cell? = CellValue::Assigned(to().into_field().evaluate().assign()?); Ok(()) } @@ -521,7 +589,7 @@ impl Assignment for MockProver { } } -impl MockProver { +impl<'a, F: FieldExt> MockProver<'a, F> { /// Runs a synthetic keygen-and-prove operation on the given circuit, collecting data /// about the constraints and their assignments. pub fn run>( @@ -556,8 +624,29 @@ impl MockProver { .collect::, _>>()?; // Fixed columns contain no blinding factors. - let fixed = vec![vec![CellValue::Unassigned; n]; cs.num_fixed_columns]; - let selectors = vec![vec![false; n]; cs.num_selectors]; + let fixed_vec = Arc::new(vec![vec![CellValue::Unassigned; n]; cs.num_fixed_columns]); + + let fixed = unsafe { + // extract an mutable reference to the 2-dimensional vector + // we are forced to use unsafe method because vec is + // protected by the Arc struct + let fixed_vec_clone = fixed_vec.clone(); + let ptr = Arc::as_ptr(&fixed_vec_clone) as *mut Vec>>; + let mut_ref = &mut (*ptr); + mut_ref + .iter_mut() + .map(|fixed| fixed.as_mut_slice()) + .collect::>() + }; + + let selectors_vec = Arc::new(vec![vec![false; n]; cs.num_selectors]); + let selectors = unsafe { + let selectors_vec_clone = selectors_vec.clone(); + let ptr = Arc::as_ptr(&selectors_vec_clone) as *mut Vec>; + let mut_ref = &mut (*ptr); + + mut_ref.iter_mut().map(|item| item.as_mut_slice()).collect() + }; // Advice columns contain blinding factors. let blinding_factors = cs.blinding_factors(); let usable_rows = n - (blinding_factors + 1); @@ -649,10 +738,12 @@ impl MockProver { cs, regions: vec![], current_region: None, + fixed_vec, fixed, advice, advice_prev: vec![], instance, + selectors_vec, selectors, challenges: challenges.clone(), permutation, @@ -661,15 +752,23 @@ impl MockProver { }; ConcreteCircuit::FloorPlanner::synthesize(&mut prover, circuit, config, constants)?; - let (cs, selector_polys) = prover.cs.compress_selectors(prover.selectors.clone()); + let (cs, selector_polys) = prover + .cs + .compress_selectors(prover.selectors_vec.as_ref().clone()); prover.cs = cs; - prover.fixed.extend(selector_polys.into_iter().map(|poly| { - let mut v = vec![CellValue::Unassigned; n]; - for (v, p) in v.iter_mut().zip(&poly[..]) { - *v = CellValue::Assigned(*p); - } - v - })); + println!( + "prover.fixed_vec.strong_count: {}", + Arc::strong_count(&prover.fixed_vec) + ); + Arc::get_mut(&mut prover.fixed_vec) + .expect("get_mut prover.fixed_vec") + .extend(selector_polys.into_iter().map(|poly| { + let mut v = vec![CellValue::Unassigned; n]; + for (v, p) in v.iter_mut().zip(&poly[..]) { + *v = CellValue::Assigned(*p); + } + v + })); Ok(prover) } @@ -766,7 +865,7 @@ impl MockProver { move |(poly_index, poly)| match poly.evaluate_lazy( &|scalar| Value::Real(scalar), &|_| panic!("virtual selectors are removed during optimization"), - &util::load(n, row, &self.cs.fixed_queries, &self.fixed), + &util::load_slice(n, row, &self.cs.fixed_queries, &self.fixed), &util::load(n, row, &self.cs.advice_queries, &self.advice), &util::load_instance( n, @@ -798,7 +897,12 @@ impl MockProver { cell_values: util::cell_values( gate, poly, - &util::load(n, row, &self.cs.fixed_queries, &self.fixed), + &util::load_slice( + n, + row, + &self.cs.fixed_queries, + &self.fixed, + ), &util::load(n, row, &self.cs.advice_queries, &self.advice), &util::load_instance( n, @@ -1135,7 +1239,7 @@ impl MockProver { match poly.evaluate_lazy( &|scalar| Value::Real(scalar), &|_| panic!("virtual selectors are removed during optimization"), - &util::load(n, row, &self.cs.fixed_queries, &self.fixed), + &util::load_slice(n, row, &self.cs.fixed_queries, &self.fixed), &util::load(n, row, &self.cs.advice_queries, &self.advice), &util::load_instance( n, @@ -1167,7 +1271,12 @@ impl MockProver { cell_values: util::cell_values( gate, poly, - &util::load(n, row, &self.cs.fixed_queries, &self.fixed), + &util::load_slice( + n, + row, + &self.cs.fixed_queries, + &self.fixed, + ), &util::load(n, row, &self.cs.advice_queries, &self.advice), &util::load_instance( n, diff --git a/halo2_proofs/src/dev/failure.rs b/halo2_proofs/src/dev/failure.rs index e20eb705..632e6d05 100644 --- a/halo2_proofs/src/dev/failure.rs +++ b/halo2_proofs/src/dev/failure.rs @@ -456,7 +456,12 @@ fn render_lookup( let cell_values = input.evaluate( &|_| BTreeMap::default(), &|_| panic!("virtual selectors are removed during optimization"), - &cell_value(&util::load(n, row, &cs.fixed_queries, &prover.fixed)), + &cell_value(&util::load_slice( + n, + row, + &cs.fixed_queries, + &prover.fixed.as_slice(), + )), &cell_value(&util::load(n, row, &cs.advice_queries, &prover.advice)), &cell_value(&util::load_instance( n, diff --git a/halo2_proofs/src/dev/util.rs b/halo2_proofs/src/dev/util.rs index a4dbfe5a..00693fd2 100644 --- a/halo2_proofs/src/dev/util.rs +++ b/halo2_proofs/src/dev/util.rs @@ -86,6 +86,18 @@ pub(super) fn load<'a, F: FieldExt, T: ColumnType, Q: Into + Copy>( } } +pub(super) fn load_slice<'a, F: FieldExt, T: ColumnType, Q: Into + Copy>( + n: i32, + row: i32, + queries: &'a [(Column, Rotation)], + cells: &'a [&mut [CellValue]], +) -> impl Fn(Q) -> Value + 'a { + move |query| { + let (column, at) = &queries[query.into().index]; + let resolved_row = (row + at.0) % n; + cells[column.index()][resolved_row as usize].into() + } +} pub(super) fn load_instance<'a, F: FieldExt, T: ColumnType, Q: Into + Copy>( n: i32, row: i32, diff --git a/halo2_proofs/src/lib.rs b/halo2_proofs/src/lib.rs index b4bdcd5b..8f1b70b3 100644 --- a/halo2_proofs/src/lib.rs +++ b/halo2_proofs/src/lib.rs @@ -19,7 +19,7 @@ )] #![deny(broken_intra_doc_links)] #![deny(missing_debug_implementations)] -#![deny(unsafe_code)] +// #![deny(unsafe_code)] // Remove this once we update pasta_curves #![allow(unused_imports)] #![allow(clippy::derive_partial_eq_without_eq)] diff --git a/halo2_proofs/tests/plonk_api.rs b/halo2_proofs/tests/plonk_api.rs index d8b50f5a..435edf80 100644 --- a/halo2_proofs/tests/plonk_api.rs +++ b/halo2_proofs/tests/plonk_api.rs @@ -510,13 +510,6 @@ fn plonk_api() { ) .expect("proof generation should not fail"); - // Check this circuit is satisfied. - let prover = match MockProver::run(K, &circuit, vec![vec![instance]]) { - Ok(prover) => prover, - Err(e) => panic!("{:?}", e), - }; - assert_eq!(prover.verify(), Ok(())); - transcript.finalize() } @@ -558,11 +551,26 @@ fn plonk_api() { use halo2curves::bn256::Bn256; type Scheme = KZGCommitmentScheme; - bad_keys!(Scheme); + // bad_keys!(Scheme); let params = ParamsKZG::::new(K); let rng = OsRng; + let (a, instance, lookup_table) = common!(Scheme); + + let circuit: MyCircuit<::Scalar> = MyCircuit { + a: Value::known(a), + lookup_table, + }; + + // Check this circuit is satisfied. + let prover = match MockProver::run(K, &circuit, vec![vec![instance]]) { + Ok(prover) => prover, + Err(e) => panic!("{:?}", e), + }; + assert_eq!(prover.verify_par(), Ok(())); + log::info!("mock proving succeed!"); + let pk = keygen::>(¶ms); let proof = create_proof::<_, ProverGWC<_>, _, _, Blake2bWrite<_, _, Challenge255<_>>>( @@ -1039,7 +1047,7 @@ fn plonk_api() { ); } } - test_plonk_api_ipa(); + // test_plonk_api_ipa(); test_plonk_api_gwc(); - test_plonk_api_shplonk(); + // test_plonk_api_shplonk(); } From 04b350905680b5fd8fd6c3f5f88170fbfba671cf Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Thu, 9 Feb 2023 11:49:47 +0800 Subject: [PATCH 06/70] add MockProver fork (continue) --- .../src/circuit/floor_planner/single_pass.rs | 12 +- halo2_proofs/src/dev.rs | 109 +++++++++++++++--- halo2_proofs/src/dev/failure.rs | 7 +- halo2_proofs/src/plonk/error.rs | 9 ++ 4 files changed, 116 insertions(+), 21 deletions(-) diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index 75f3a002..33f75490 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -4,6 +4,7 @@ use std::fmt; use std::marker::PhantomData; use std::ops::Range; use std::sync::{Arc, Mutex}; +use std::time::Instant; use ff::Field; @@ -231,9 +232,12 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a } // Do actual synthesis of sub-regions in parallel + let cs_fork_time = Instant::now(); let mut sub_cs = self.cs.fork(&ranges)?; + println!("CS forked into {} subCS took {:?}", sub_cs.len(), cs_fork_time.elapsed()); let sub_cs = sub_cs.iter_mut().collect(); let sub_layouters = self.fork(sub_cs)?; + let regions_2nd_pass = Instant::now(); let ret = crossbeam::scope(|scope| { let mut handles = vec![]; for (i, (mut assignment, mut sub_layouter)) in assignments @@ -241,14 +245,17 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a .zip(sub_layouters.into_iter()) .enumerate() { - // let sub_layouter = sub_layouter; + let region_name = format!("{}_{}", region_name, i); handles.push(scope.spawn(move |_| { - // let mut sub_layouter = sub_layouter.lock().unwrap(); // it's the only thread that's accessing sub_layouter + let sub_region_2nd_pass = Instant::now(); + sub_layouter.cs.enter_region(|| region_name.clone()); let mut region = SingleChipLayouterRegion::new(&mut sub_layouter, (region_index + i).into()); let region_ref: &mut dyn RegionLayouter = &mut region; let result = assignment(region_ref.into()); let constant = region.constants.clone(); + sub_layouter.cs.exit_region(); + println!("region {} 2nd pass synthesis took {:?}", region_name, sub_region_2nd_pass.elapsed()); (result, constant) })); @@ -260,6 +267,7 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a .collect::>() }) .expect("scope should not fail"); + println!("{} sub_regions of {} 2nd pass synthesis took {:?}", ranges.len(), region_name, regions_2nd_pass.elapsed()); let (results, constants): (Vec<_>, Vec<_>) = ret.into_iter().unzip(); // Check if there are errors in sub-region synthesis diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 43c7a1c8..08a2a9f8 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -46,6 +46,7 @@ pub use gates::CircuitGates; #[cfg(feature = "dev-graph")] mod graph; +use crate::circuit::Cell; #[cfg(feature = "dev-graph")] #[cfg_attr(docsrs, doc(cfg(feature = "dev-graph")))] pub use graph::{circuit_dot_graph, layout::CircuitLayout}; @@ -296,7 +297,8 @@ pub struct MockProver<'a, F: Group + Field> { fixed_vec: Arc>>>, fixed: Vec<&'a mut [CellValue]>, // The advice cells in the circuit, arranged as [column][row]. - pub(crate) advice: Vec>>, + pub(crate) advice_vec: Arc>>>, + pub(crate) advice: Vec<&'a mut [CellValue]>, advice_prev: Vec>>, // The instance cells in the circuit, arranged as [column][row]. instance: Vec>, @@ -308,6 +310,8 @@ pub struct MockProver<'a, F: Group + Field> { permutation: permutation::keygen::Assembly, + rw_rows: Range, + // A range of available rows for assignment and copies. usable_rows: Range, @@ -343,6 +347,16 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { return Err(Error::not_enough_rows_available(self.k)); } + if !self.rw_rows.contains(&row) { + return Err(Error::InvalidRange( + row, + self.current_region + .as_ref() + .map(|region| region.name.clone()) + .unwrap(), + )); + } + // Track that this selector was enabled. We require that all selectors are enabled // inside some region (i.e. no floating selectors). self.current_region @@ -353,19 +367,24 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { .or_default() .push(row); - self.selectors[selector.0][row] = true; + self.selectors[selector.0][row - self.rw_rows.start] = true; Ok(()) } fn fork(&mut self, ranges: &Vec>) -> Result, Error> { // check ranges are non-overlapping and monotonically increasing - let mut range_start = self.usable_rows.start; + let mut range_start = self.rw_rows.start; for (i, sub_range) in ranges.iter().enumerate() { if sub_range.start < range_start { + // TODO: use more precise error type + return Err(Error::Synthesis); + } + if i == ranges.len() - 1 && sub_range.end >= self.rw_rows.end { return Err(Error::Synthesis); } range_start = sub_range.end; + println!("subCS_{} rw_rows: {}..{}", i, sub_range.start, sub_range.end); } // split self.fixed into several pieces @@ -379,6 +398,11 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { .iter_mut() .map(|vec| vec.as_mut_ptr()) .collect::>(); + let advice_ptrs = self + .advice + .iter_mut() + .map(|vec| vec.as_mut_ptr()) + .collect::>(); let mut sub_cs = vec![]; for (i, sub_range) in ranges.iter().enumerate() { @@ -400,23 +424,36 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { ) }) .collect::>(); + let advice = advice_ptrs + .iter() + .map(|ptr| unsafe { + std::slice::from_raw_parts_mut( + ptr.add(sub_range.start), + sub_range.end - sub_range.start, + ) + }) + .collect::]>>(); sub_cs.push(Self { k: self.k, n: self.n, cs: self.cs.clone(), + // TODO: use a cheaper way to clone regions: self.regions.clone(), current_region: None, fixed_vec: self.fixed_vec.clone(), fixed, - advice: self.advice.clone(), + advice_vec: self.advice_vec.clone(), + advice, advice_prev: self.advice_prev.clone(), instance: self.instance.clone(), selectors_vec: self.selectors_vec.clone(), selectors, challenges: self.challenges.clone(), + // TODO: use a cheaper way to clone permutation: self.permutation.clone(), - usable_rows: sub_range.clone(), + rw_rows: sub_range.clone(), + usable_rows: self.usable_rows.clone(), current_phase: self.current_phase, }); } @@ -461,6 +498,16 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { return Err(Error::not_enough_rows_available(self.k)); } + if !self.rw_rows.contains(&row) { + return Err(Error::InvalidRange( + row, + self.current_region + .as_ref() + .map(|region| region.name.clone()) + .unwrap(), + )); + } + if let Some(region) = self.current_region.as_mut() { region.update_extent(column.into(), row); region @@ -474,7 +521,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { *self .advice .get_mut(column.index()) - .and_then(|v| v.get_mut(row)) + .and_then(|v| v.get_mut(row - self.rw_rows.start)) .ok_or(Error::BoundsFailure)? = assigned; #[cfg(feature = "phase-check")] @@ -515,6 +562,16 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { return Err(Error::not_enough_rows_available(self.k)); } + if !self.rw_rows.contains(&row) { + return Err(Error::InvalidRange( + row, + self.current_region + .as_ref() + .map(|region| region.name.clone()) + .unwrap(), + )); + } + if let Some(region) = self.current_region.as_mut() { region.update_extent(column.into(), row); region @@ -527,7 +584,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { let fix_cell = self .fixed .get_mut(column.index()) - .and_then(|v| v.get_mut(row - self.usable_rows.start)) + .and_then(|v| v.get_mut(row - self.rw_rows.start)) .ok_or(Error::BoundsFailure); if fix_cell.is_err() { println!("fix cell is none: {}, row: {}", column.index(), row); @@ -625,7 +682,6 @@ impl<'a, F: FieldExt> MockProver<'a, F> { // Fixed columns contain no blinding factors. let fixed_vec = Arc::new(vec![vec![CellValue::Unassigned; n]; cs.num_fixed_columns]); - let fixed = unsafe { // extract an mutable reference to the 2-dimensional vector // we are forced to use unsafe method because vec is @@ -647,10 +703,11 @@ impl<'a, F: FieldExt> MockProver<'a, F> { mut_ref.iter_mut().map(|item| item.as_mut_slice()).collect() }; + // Advice columns contain blinding factors. let blinding_factors = cs.blinding_factors(); let usable_rows = n - (blinding_factors + 1); - let advice = vec![ + let advice_vec = Arc::new(vec![ { let mut column = vec![CellValue::Unassigned; n]; // Poison unusable rows. @@ -660,7 +717,15 @@ impl<'a, F: FieldExt> MockProver<'a, F> { column }; cs.num_advice_columns - ]; + ]); + let advice = unsafe { + let advice_vec_clone = advice_vec.clone(); + let ptr = Arc::as_ptr(&advice_vec_clone) as *mut Vec>>; + let mut_ref = &mut (*ptr); + + mut_ref.iter_mut().map(|item| item.as_mut_slice()).collect() + }; + let permutation = permutation::keygen::Assembly::new(n, &cs.permutation); let constants = cs.constants.clone(); @@ -740,6 +805,7 @@ impl<'a, F: FieldExt> MockProver<'a, F> { current_region: None, fixed_vec, fixed, + advice_vec, advice, advice_prev: vec![], instance, @@ -747,6 +813,7 @@ impl<'a, F: FieldExt> MockProver<'a, F> { selectors, challenges: challenges.clone(), permutation, + rw_rows: 0..usable_rows, usable_rows: 0..usable_rows, current_phase: ThirdPhase.to_sealed(), }; @@ -756,10 +823,6 @@ impl<'a, F: FieldExt> MockProver<'a, F> { .cs .compress_selectors(prover.selectors_vec.as_ref().clone()); prover.cs = cs; - println!( - "prover.fixed_vec.strong_count: {}", - Arc::strong_count(&prover.fixed_vec) - ); Arc::get_mut(&mut prover.fixed_vec) .expect("get_mut prover.fixed_vec") .extend(selector_polys.into_iter().map(|poly| { @@ -866,7 +929,7 @@ impl<'a, F: FieldExt> MockProver<'a, F> { &|scalar| Value::Real(scalar), &|_| panic!("virtual selectors are removed during optimization"), &util::load_slice(n, row, &self.cs.fixed_queries, &self.fixed), - &util::load(n, row, &self.cs.advice_queries, &self.advice), + &util::load_slice(n, row, &self.cs.advice_queries, &self.advice), &util::load_instance( n, row, @@ -903,7 +966,12 @@ impl<'a, F: FieldExt> MockProver<'a, F> { &self.cs.fixed_queries, &self.fixed, ), - &util::load(n, row, &self.cs.advice_queries, &self.advice), + &util::load_slice( + n, + row, + &self.cs.advice_queries, + &self.advice, + ), &util::load_instance( n, row, @@ -1240,7 +1308,7 @@ impl<'a, F: FieldExt> MockProver<'a, F> { &|scalar| Value::Real(scalar), &|_| panic!("virtual selectors are removed during optimization"), &util::load_slice(n, row, &self.cs.fixed_queries, &self.fixed), - &util::load(n, row, &self.cs.advice_queries, &self.advice), + &util::load_slice(n, row, &self.cs.advice_queries, &self.advice), &util::load_instance( n, row, @@ -1277,7 +1345,12 @@ impl<'a, F: FieldExt> MockProver<'a, F> { &self.cs.fixed_queries, &self.fixed, ), - &util::load(n, row, &self.cs.advice_queries, &self.advice), + &util::load_slice( + n, + row, + &self.cs.advice_queries, + &self.advice, + ), &util::load_instance( n, row, diff --git a/halo2_proofs/src/dev/failure.rs b/halo2_proofs/src/dev/failure.rs index 632e6d05..72d53731 100644 --- a/halo2_proofs/src/dev/failure.rs +++ b/halo2_proofs/src/dev/failure.rs @@ -462,7 +462,12 @@ fn render_lookup( &cs.fixed_queries, &prover.fixed.as_slice(), )), - &cell_value(&util::load(n, row, &cs.advice_queries, &prover.advice)), + &cell_value(&util::load_slice( + n, + row, + &cs.advice_queries, + &prover.advice, + )), &cell_value(&util::load_instance( n, row, diff --git a/halo2_proofs/src/plonk/error.rs b/halo2_proofs/src/plonk/error.rs index 33fdae90..84b14cbd 100644 --- a/halo2_proofs/src/plonk/error.rs +++ b/halo2_proofs/src/plonk/error.rs @@ -1,3 +1,4 @@ +use crate::circuit::RegionIndex; use std::cmp; use std::error; use std::fmt; @@ -18,6 +19,8 @@ pub enum Error { ConstraintSystemFailure, /// Out of bounds index passed to a backend BoundsFailure, + /// Out of bounds an subCS is allowed to access(r/w). + InvalidRange(usize, String), /// Opening error Opening, /// Transcript error @@ -60,6 +63,12 @@ impl fmt::Display for Error { Error::InvalidInstances => write!(f, "Provided instances do not match the circuit"), Error::ConstraintSystemFailure => write!(f, "The constraint system is not satisfied"), Error::BoundsFailure => write!(f, "An out-of-bounds index was passed to the backend"), + Error::InvalidRange(row, region_name) => write!( + f, + "the row={} is not in the range that this subCS owns (region name = {})", + row, + region_name, + ), Error::Opening => write!(f, "Multi-opening proof was invalid"), Error::Transcript(e) => write!(f, "Transcript error: {}", e), Error::NotEnoughRowsAvailable { current_k } => write!( From 7e8cfe49e40e922f10fee06f0772b273f7f62690 Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Thu, 9 Feb 2023 11:50:17 +0800 Subject: [PATCH 07/70] fmt --- .../src/circuit/floor_planner/single_pass.rs | 19 ++++++++++++++++--- halo2_proofs/src/dev.rs | 5 ++++- 2 files changed, 20 insertions(+), 4 deletions(-) diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index 33f75490..a9e040d6 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -234,7 +234,11 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a // Do actual synthesis of sub-regions in parallel let cs_fork_time = Instant::now(); let mut sub_cs = self.cs.fork(&ranges)?; - println!("CS forked into {} subCS took {:?}", sub_cs.len(), cs_fork_time.elapsed()); + println!( + "CS forked into {} subCS took {:?}", + sub_cs.len(), + cs_fork_time.elapsed() + ); let sub_cs = sub_cs.iter_mut().collect(); let sub_layouters = self.fork(sub_cs)?; let regions_2nd_pass = Instant::now(); @@ -255,7 +259,11 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a let result = assignment(region_ref.into()); let constant = region.constants.clone(); sub_layouter.cs.exit_region(); - println!("region {} 2nd pass synthesis took {:?}", region_name, sub_region_2nd_pass.elapsed()); + println!( + "region {} 2nd pass synthesis took {:?}", + region_name, + sub_region_2nd_pass.elapsed() + ); (result, constant) })); @@ -267,7 +275,12 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a .collect::>() }) .expect("scope should not fail"); - println!("{} sub_regions of {} 2nd pass synthesis took {:?}", ranges.len(), region_name, regions_2nd_pass.elapsed()); + println!( + "{} sub_regions of {} 2nd pass synthesis took {:?}", + ranges.len(), + region_name, + regions_2nd_pass.elapsed() + ); let (results, constants): (Vec<_>, Vec<_>) = ret.into_iter().unzip(); // Check if there are errors in sub-region synthesis diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 08a2a9f8..cb986fc5 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -384,7 +384,10 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { return Err(Error::Synthesis); } range_start = sub_range.end; - println!("subCS_{} rw_rows: {}..{}", i, sub_range.start, sub_range.end); + println!( + "subCS_{} rw_rows: {}..{}", + i, sub_range.start, sub_range.end + ); } // split self.fixed into several pieces From 87aaef3586dbaff38f98bacdaac7844e9ccdecdb Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Thu, 9 Feb 2023 18:52:20 +0800 Subject: [PATCH 08/70] finished adding fork for MockProver --- .../src/circuit/floor_planner/single_pass.rs | 5 +- halo2_proofs/src/dev.rs | 61 ++++++++++++++++--- halo2_proofs/src/dev/cost.rs | 4 ++ halo2_proofs/src/plonk/circuit.rs | 5 +- halo2_proofs/src/plonk/keygen.rs | 24 ++++++++ halo2_proofs/src/plonk/prover.rs | 4 ++ halo2_proofs/tests/plonk_api.rs | 6 +- 7 files changed, 96 insertions(+), 13 deletions(-) diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index a9e040d6..821ca86f 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -239,8 +239,8 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a sub_cs.len(), cs_fork_time.elapsed() ); - let sub_cs = sub_cs.iter_mut().collect(); - let sub_layouters = self.fork(sub_cs)?; + let ref_sub_cs = sub_cs.iter_mut().collect(); + let sub_layouters = self.fork(ref_sub_cs)?; let regions_2nd_pass = Instant::now(); let ret = crossbeam::scope(|scope| { let mut handles = vec![]; @@ -275,6 +275,7 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a .collect::>() }) .expect("scope should not fail"); + self.cs.merge(sub_cs)?; println!( "{} sub_regions of {} 2nd pass synthesis took {:?}", ranges.len(), diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index cb986fc5..a9bc87c8 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -51,6 +51,12 @@ use crate::circuit::Cell; #[cfg_attr(docsrs, doc(cfg(feature = "dev-graph")))] pub use graph::{circuit_dot_graph, layout::CircuitLayout}; +#[derive(Clone, Debug)] +struct CopyCell { + pub column: Column, + pub row: usize, +} + #[derive(Clone, Debug)] struct Region { /// The name of the region. Not required to be unique. @@ -65,6 +71,8 @@ struct Region { /// The cells assigned in this region. We store this as a `HashMap` with count so that if any cells /// are double-assigned, they will be visibly darker. cells: HashMap<(Column, usize), usize>, + /// The copies that need to be enforced in this region. + copies: Vec<(CopyCell, CopyCell)>, } impl Region { @@ -308,7 +316,8 @@ pub struct MockProver<'a, F: Group + Field> { challenges: Vec, - permutation: permutation::keygen::Assembly, + /// For mock prover which is generated from `fork()`, this field is None. + permutation: Option, rw_rows: Range, @@ -331,6 +340,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { rows: None, enabled_selectors: HashMap::default(), cells: HashMap::default(), + copies: Vec::new(), }); } @@ -441,8 +451,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { k: self.k, n: self.n, cs: self.cs.clone(), - // TODO: use a cheaper way to clone - regions: self.regions.clone(), + regions: vec![], current_region: None, fixed_vec: self.fixed_vec.clone(), fixed, @@ -453,8 +462,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { selectors_vec: self.selectors_vec.clone(), selectors, challenges: self.challenges.clone(), - // TODO: use a cheaper way to clone - permutation: self.permutation.clone(), + permutation: None, rw_rows: sub_range.clone(), usable_rows: self.usable_rows.clone(), current_phase: self.current_phase, @@ -464,6 +472,22 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { Ok(sub_cs) } + fn merge(&mut self, sub_cs: Vec) -> Result<(), Error> { + for (left, right) in self + .regions + .iter() + .skip(self.regions.len() - sub_cs.len()) + .flat_map(|region| region.copies.iter()) + { + self.permutation + .as_mut() + .expect("root cs permutation should be Some") + .copy(left.column, left.row, right.column, right.row)?; + } + + Ok(()) + } + fn query_instance( &self, column: Column, @@ -608,8 +632,25 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { return Err(Error::not_enough_rows_available(self.k)); } - self.permutation - .copy(left_column, left_row, right_column, right_row) + match self.permutation.as_mut() { + Some(permutation) => permutation.copy(left_column, left_row, right_column, right_row), + None => { + let left_cell = CopyCell { + column: left_column, + row: left_row, + }; + let right_cell = CopyCell { + column: right_column, + row: right_row, + }; + self.current_region + .as_mut() + .unwrap() + .copies + .push((left_cell, right_cell)); + Ok(()) + } + } } fn fill_from_row( @@ -815,7 +856,7 @@ impl<'a, F: FieldExt> MockProver<'a, F> { selectors_vec, selectors, challenges: challenges.clone(), - permutation, + permutation: Some(permutation), rw_rows: 0..usable_rows, usable_rows: 0..usable_rows, current_phase: ThirdPhase.to_sealed(), @@ -1154,6 +1195,8 @@ impl<'a, F: FieldExt> MockProver<'a, F> { // Iterate over each column of the permutation self.permutation + .as_ref() + .expect("root cs permutation must be Some") .mapping .iter() .enumerate() @@ -1521,6 +1564,8 @@ impl<'a, F: FieldExt> MockProver<'a, F> { // Iterate over each column of the permutation self.permutation + .as_ref() + .expect("root cs permutation must be Some") .mapping .iter() .enumerate() diff --git a/halo2_proofs/src/dev/cost.rs b/halo2_proofs/src/dev/cost.rs index e44ecfc8..a97a9e07 100644 --- a/halo2_proofs/src/dev/cost.rs +++ b/halo2_proofs/src/dev/cost.rs @@ -74,6 +74,10 @@ impl Assignment for Assembly { todo!() } + fn merge(&mut self, sub_cs: Vec) -> Result<(), Error> { + todo!() + } + fn query_instance(&self, _: Column, _: usize) -> Result, Error> { Ok(Value::unknown()) } diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index 6c458e28..aed811b6 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -557,9 +557,12 @@ pub trait Assignment: Sized + Send { A: FnOnce() -> AR, AR: Into; - /// fork + /// Fork fn fork(&mut self, ranges: &Vec>) -> Result, Error>; + /// Merge + fn merge(&mut self, sub_cs: Vec) -> Result<(), Error>; + /// Queries the cell of an instance column at a particular absolute row. /// /// Returns the cell's value, if known. diff --git a/halo2_proofs/src/plonk/keygen.rs b/halo2_proofs/src/plonk/keygen.rs index 49eb91ec..d965d294 100644 --- a/halo2_proofs/src/plonk/keygen.rs +++ b/halo2_proofs/src/plonk/keygen.rs @@ -53,6 +53,7 @@ struct Assembly { permutation: permutation::keygen::Assembly, selectors: Vec>, // A range of available rows for assignment and copies. + rw_rows: Range, usable_rows: Range, _marker: std::marker::PhantomData, } @@ -85,6 +86,27 @@ impl Assignment for Assembly { } fn fork(&mut self, ranges: &Vec>) -> Result, Error> { + let mut range_start = self.rw_rows.start; + for (i, sub_range) in ranges.iter().enumerate() { + if sub_range.start < range_start { + // TODO: use more precise error type + return Err(Error::Synthesis); + } + if i == ranges.len() - 1 && sub_range.end >= self.rw_rows.end { + return Err(Error::Synthesis); + } + range_start = sub_range.end; + println!( + "subCS_{} rw_rows: {}..{}", + i, sub_range.start, sub_range.end + ); + } + + for (i, sub_range) in ranges.iter().enumerate() {} + todo!() + } + + fn merge(&mut self, sub_cs: Vec) -> Result<(), Error> { todo!() } @@ -216,6 +238,7 @@ where fixed: vec![domain.empty_lagrange_assigned(); cs.num_fixed_columns], permutation: permutation::keygen::Assembly::new(params.n() as usize, &cs.permutation), selectors: vec![vec![false; params.n() as usize]; cs.num_selectors], + rw_rows: 0..params.n() as usize - (cs.blinding_factors() + 1), usable_rows: 0..params.n() as usize - (cs.blinding_factors() + 1), _marker: std::marker::PhantomData, }; @@ -302,6 +325,7 @@ where fixed: vec![domain.empty_lagrange_assigned(); cs.num_fixed_columns], permutation: permutation::keygen::Assembly::new(params.n() as usize, &cs.permutation), selectors: vec![vec![false; params.n() as usize]; cs.num_selectors], + rw_rows: 0..params.n() as usize - (cs.blinding_factors() + 1), usable_rows: 0..params.n() as usize - (cs.blinding_factors() + 1), _marker: std::marker::PhantomData, }; diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index 24247161..6c339ea9 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -168,6 +168,10 @@ pub fn create_proof< todo!() } + fn merge(&mut self, sub_cs: Vec) -> Result<(), Error> { + todo!() + } + fn query_instance(&self, column: Column, row: usize) -> Result, Error> { if !self.usable_rows.contains(&row) { return Err(Error::not_enough_rows_available(self.k)); diff --git a/halo2_proofs/tests/plonk_api.rs b/halo2_proofs/tests/plonk_api.rs index 435edf80..5937bb80 100644 --- a/halo2_proofs/tests/plonk_api.rs +++ b/halo2_proofs/tests/plonk_api.rs @@ -379,14 +379,16 @@ fn plonk_api() { let a: Value> = self.a.into(); let assignments = |mut region: Region<'_, F>| -> Result<(), Error> { for i in 0..(1 << 12) { - region.assign_advice(|| "config.a", cs.config.a, i, || a)?; - region.assign_advice(|| "config.b", cs.config.b, i, || a)?; + let a0 = region.assign_advice(|| "config.a", cs.config.a, i, || a)?; + let a1 = region.assign_advice(|| "config.b", cs.config.b, i, || a)?; region.assign_advice(|| "config.c", cs.config.c, i, || a.double())?; region.assign_fixed(|| "a", cs.config.sa, i, || Value::known(F::one()))?; region.assign_fixed(|| "b", cs.config.sb, i, || Value::known(F::one()))?; region.assign_fixed(|| "c", cs.config.sc, i, || Value::known(F::one()))?; region.assign_fixed(|| "a * b", cs.config.sm, i, || Value::known(F::zero()))?; + + region.constrain_equal(a0.cell(), a1.cell())?; } Ok(()) }; From 49a136ff621976b5e1e5d750422451689b046925 Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Fri, 10 Feb 2023 18:40:53 +0800 Subject: [PATCH 09/70] log --- halo2_proofs/Cargo.toml | 1 + .../src/circuit/floor_planner/single_pass.rs | 6 +-- halo2_proofs/src/circuit/floor_planner/v1.rs | 4 +- halo2_proofs/src/dev.rs | 2 +- halo2_proofs/src/plonk/keygen.rs | 2 +- halo2_proofs/tests/plonk_api.rs | 46 ++++++++++++------- 6 files changed, 38 insertions(+), 23 deletions(-) diff --git a/halo2_proofs/Cargo.toml b/halo2_proofs/Cargo.toml index cbd28e52..72368237 100644 --- a/halo2_proofs/Cargo.toml +++ b/halo2_proofs/Cargo.toml @@ -67,6 +67,7 @@ log = "0.4.17" # timer ark-std = { version = "0.3.0" } +env_logger = "0.8.0" [dev-dependencies] assert_matches = "1.5" diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index 821ca86f..8b03de2c 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -234,7 +234,7 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a // Do actual synthesis of sub-regions in parallel let cs_fork_time = Instant::now(); let mut sub_cs = self.cs.fork(&ranges)?; - println!( + log::info!( "CS forked into {} subCS took {:?}", sub_cs.len(), cs_fork_time.elapsed() @@ -259,7 +259,7 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a let result = assignment(region_ref.into()); let constant = region.constants.clone(); sub_layouter.cs.exit_region(); - println!( + log::info!( "region {} 2nd pass synthesis took {:?}", region_name, sub_region_2nd_pass.elapsed() @@ -276,7 +276,7 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a }) .expect("scope should not fail"); self.cs.merge(sub_cs)?; - println!( + log::info!( "{} sub_regions of {} 2nd pass synthesis took {:?}", ranges.len(), region_name, diff --git a/halo2_proofs/src/circuit/floor_planner/v1.rs b/halo2_proofs/src/circuit/floor_planner/v1.rs index bdb396d9..6f1fd09a 100644 --- a/halo2_proofs/src/circuit/floor_planner/v1.rs +++ b/halo2_proofs/src/circuit/floor_planner/v1.rs @@ -186,8 +186,8 @@ impl<'p, 'a, F: Field, CS: Assignment + 'a> Layouter for V1Pass<'p, 'a, F, fn assign_regions( &mut self, - name: N, - assignments: Vec, + _name: N, + _assignments: Vec, ) -> Result, Error> where A: FnMut(Region<'_, F>) -> Result, diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index a9bc87c8..74f94784 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -394,7 +394,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { return Err(Error::Synthesis); } range_start = sub_range.end; - println!( + log::debug!( "subCS_{} rw_rows: {}..{}", i, sub_range.start, sub_range.end ); diff --git a/halo2_proofs/src/plonk/keygen.rs b/halo2_proofs/src/plonk/keygen.rs index d965d294..88f0a4e0 100644 --- a/halo2_proofs/src/plonk/keygen.rs +++ b/halo2_proofs/src/plonk/keygen.rs @@ -96,7 +96,7 @@ impl Assignment for Assembly { return Err(Error::Synthesis); } range_start = sub_range.end; - println!( + log::debug!( "subCS_{} rw_rows: {}..{}", i, sub_range.start, sub_range.end ); diff --git a/halo2_proofs/tests/plonk_api.rs b/halo2_proofs/tests/plonk_api.rs index 5937bb80..31837be2 100644 --- a/halo2_proofs/tests/plonk_api.rs +++ b/halo2_proofs/tests/plonk_api.rs @@ -19,6 +19,7 @@ use halo2_proofs::transcript::{ }; use rand_core::{OsRng, RngCore}; use std::marker::PhantomData; +use std::time::Instant; #[test] fn plonk_api() { @@ -373,29 +374,41 @@ fn plonk_api() { mut layouter: impl Layouter, ) -> Result<(), Error> { let cs = StandardPlonk::new(config); + let mut is_first_pass_vec = vec![true; 8]; let _ = cs.public_input(&mut layouter, || Value::known(F::one() + F::one()))?; let a: Value> = self.a.into(); - let assignments = |mut region: Region<'_, F>| -> Result<(), Error> { - for i in 0..(1 << 12) { - let a0 = region.assign_advice(|| "config.a", cs.config.a, i, || a)?; - let a1 = region.assign_advice(|| "config.b", cs.config.b, i, || a)?; - region.assign_advice(|| "config.c", cs.config.c, i, || a.double())?; - - region.assign_fixed(|| "a", cs.config.sa, i, || Value::known(F::one()))?; - region.assign_fixed(|| "b", cs.config.sb, i, || Value::known(F::one()))?; - region.assign_fixed(|| "c", cs.config.sc, i, || Value::known(F::one()))?; - region.assign_fixed(|| "a * b", cs.config.sm, i, || Value::known(F::zero()))?; - - region.constrain_equal(a0.cell(), a1.cell())?; - } - Ok(()) - }; + let parallel_regions_time = Instant::now(); layouter.assign_regions( || "regions", - (0..8).into_iter().map(|_| assignments).collect(), + (0..8).into_iter() + .zip(is_first_pass_vec.chunks_mut(1).into_iter()) + .map(|(_, is_first_pass)| { + |mut region: Region<'_, F>| -> Result<(), Error> { + let n = 1 << 12; + for i in 0..n { + // skip the assign of rows except the last row in the first pass + if is_first_pass[0] && i < n-1 { + continue + } + let a0 = region.assign_advice(|| "config.a", cs.config.a, i, || a)?; + let a1 = region.assign_advice(|| "config.b", cs.config.b, i, || a)?; + region.assign_advice(|| "config.c", cs.config.c, i, || a.double())?; + + region.assign_fixed(|| "a", cs.config.sa, i, || Value::known(F::one()))?; + region.assign_fixed(|| "b", cs.config.sb, i, || Value::known(F::one()))?; + region.assign_fixed(|| "c", cs.config.sc, i, || Value::known(F::one()))?; + region.assign_fixed(|| "a * b", cs.config.sm, i, || Value::known(F::zero()))?; + + region.constrain_equal(a0.cell(), a1.cell())?; + } + is_first_pass[0] = false; + Ok(()) + } + }).collect(), )?; + log::info!("parallel_regions assign took {:?}", parallel_regions_time.elapsed()); for _ in 0..10 { let a: Value> = self.a.into(); @@ -1049,6 +1062,7 @@ fn plonk_api() { ); } } + env_logger::init(); // test_plonk_api_ipa(); test_plonk_api_gwc(); // test_plonk_api_shplonk(); From 73c70ed043ca012119531c03d976444990a81f3a Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Fri, 10 Feb 2023 22:55:31 +0800 Subject: [PATCH 10/70] add impl for keygen --- .../src/circuit/floor_planner/single_pass.rs | 3 + halo2_proofs/src/dev.rs | 11 +- halo2_proofs/src/dev/cost.rs | 4 +- halo2_proofs/src/helpers.rs | 7 + halo2_proofs/src/plonk/keygen.rs | 207 +++++++++++++++--- 5 files changed, 194 insertions(+), 38 deletions(-) diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index 8b03de2c..653c8ac8 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -275,7 +275,10 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a .collect::>() }) .expect("scope should not fail"); + let cs_merge_time = Instant::now(); + let num_sub_cs = sub_cs.len(); self.cs.merge(sub_cs)?; + log::info!("Merge {} subCS back took {:?}", num_sub_cs, cs_merge_time.elapsed()); log::info!( "{} sub_regions of {} 2nd pass synthesis took {:?}", ranges.len(), diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 74f94784..50fc4f24 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -47,16 +47,11 @@ pub use gates::CircuitGates; mod graph; use crate::circuit::Cell; +use crate::helpers::CopyCell; #[cfg(feature = "dev-graph")] #[cfg_attr(docsrs, doc(cfg(feature = "dev-graph")))] pub use graph::{circuit_dot_graph, layout::CircuitLayout}; -#[derive(Clone, Debug)] -struct CopyCell { - pub column: Column, - pub row: usize, -} - #[derive(Clone, Debug)] struct Region { /// The name of the region. Not required to be unique. @@ -396,7 +391,9 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { range_start = sub_range.end; log::debug!( "subCS_{} rw_rows: {}..{}", - i, sub_range.start, sub_range.end + i, + sub_range.start, + sub_range.end ); } diff --git a/halo2_proofs/src/dev/cost.rs b/halo2_proofs/src/dev/cost.rs index a97a9e07..95d8c5f6 100644 --- a/halo2_proofs/src/dev/cost.rs +++ b/halo2_proofs/src/dev/cost.rs @@ -70,11 +70,11 @@ impl Assignment for Assembly { Ok(()) } - fn fork(&mut self, ranges: &Vec>) -> Result, Error> { + fn fork(&mut self, _ranges: &Vec>) -> Result, Error> { todo!() } - fn merge(&mut self, sub_cs: Vec) -> Result<(), Error> { + fn merge(&mut self, _sub_cs: Vec) -> Result<(), Error> { todo!() } diff --git a/halo2_proofs/src/helpers.rs b/halo2_proofs/src/helpers.rs index aef72b83..3c389f2f 100644 --- a/halo2_proofs/src/helpers.rs +++ b/halo2_proofs/src/helpers.rs @@ -1,8 +1,15 @@ +use crate::plonk::{Any, Column}; use ff::Field; use halo2curves::{CurveAffine, FieldExt}; use num_bigint::BigUint; use std::io; +#[derive(Clone, Debug)] +pub(crate) struct CopyCell { + pub column: Column, + pub row: usize, +} + pub(crate) trait CurveRead: CurveAffine { /// Reads a compressed element from the buffer and attempts to parse it /// using `from_bytes`. diff --git a/halo2_proofs/src/plonk/keygen.rs b/halo2_proofs/src/plonk/keygen.rs index 88f0a4e0..e9958e80 100644 --- a/halo2_proofs/src/plonk/keygen.rs +++ b/halo2_proofs/src/plonk/keygen.rs @@ -1,6 +1,7 @@ #![allow(clippy::int_plus_one)] use std::ops::Range; +use std::sync::Arc; use ff::Field; use group::Curve; @@ -14,6 +15,7 @@ use super::{ permutation, Assigned, Challenge, Error, Expression, LagrangeCoeff, Polynomial, ProvingKey, VerifyingKey, }; +use crate::helpers::CopyCell; use crate::{ arithmetic::{parallelize, CurveAffine}, circuit::Value, @@ -47,18 +49,21 @@ where /// Assembly to be used in circuit synthesis. #[derive(Debug)] -struct Assembly { +struct Assembly<'a, F: Field> { k: u32, - fixed: Vec, LagrangeCoeff>>, - permutation: permutation::keygen::Assembly, - selectors: Vec>, - // A range of available rows for assignment and copies. + fixed_vec: Arc, LagrangeCoeff>>>, + fixed: Vec<&'a mut [Assigned]>, + permutation: Option, + selectors_vec: Arc>>, + selectors: Vec<&'a mut [bool]>, rw_rows: Range, + copies: Vec<(CopyCell, CopyCell)>, + // A range of available rows for assignment and copies. usable_rows: Range, _marker: std::marker::PhantomData, } -impl Assignment for Assembly { +impl<'a, F: Field> Assignment for Assembly<'a, F> { fn enter_region(&mut self, _: N) where NR: Into, @@ -80,7 +85,11 @@ impl Assignment for Assembly { return Err(Error::not_enough_rows_available(self.k)); } - self.selectors[selector.0][row] = true; + if !self.rw_rows.contains(&row) { + return Err(Error::Synthesis); + } + + self.selectors[selector.0][row - self.rw_rows.start] = true; Ok(()) } @@ -98,16 +107,69 @@ impl Assignment for Assembly { range_start = sub_range.end; log::debug!( "subCS_{} rw_rows: {}..{}", - i, sub_range.start, sub_range.end + i, + sub_range.start, + sub_range.end ); } - for (i, sub_range) in ranges.iter().enumerate() {} - todo!() + let fixed_ptrs = self + .fixed + .iter_mut() + .map(|vec| vec.as_mut_ptr()) + .collect::>(); + let selectors_ptrs = self + .selectors + .iter_mut() + .map(|vec| vec.as_mut_ptr()) + .collect::>(); + + let mut sub_cs = vec![]; + for sub_range in ranges { + let fixed = fixed_ptrs + .iter() + .map(|ptr| unsafe { + std::slice::from_raw_parts_mut( + ptr.add(sub_range.start), + sub_range.end - sub_range.start, + ) + }) + .collect::]>>(); + let selectors = selectors_ptrs + .iter() + .map(|ptr| unsafe { + std::slice::from_raw_parts_mut( + ptr.add(sub_range.start), + sub_range.end - sub_range.start, + ) + }) + .collect::>(); + + sub_cs.push(Self { + k: 0, + fixed_vec: self.fixed_vec.clone(), + fixed, + permutation: None, + selectors_vec: self.selectors_vec.clone(), + selectors, + rw_rows: sub_range.clone(), + copies: vec![], + usable_rows: self.usable_rows.clone(), + _marker: Default::default(), + }); + } + + Ok(sub_cs) } fn merge(&mut self, sub_cs: Vec) -> Result<(), Error> { - todo!() + for (left, right) in sub_cs.into_iter().flat_map(|cs| cs.copies.into_iter()) { + self.permutation + .as_mut() + .expect("permutation must be Some") + .copy(left.column, left.row, right.column, right.row)?; + } + Ok(()) } fn query_instance(&self, _: Column, row: usize) -> Result, Error> { @@ -153,10 +215,14 @@ impl Assignment for Assembly { return Err(Error::not_enough_rows_available(self.k)); } + if !self.rw_rows.contains(&row) { + return Err(Error::Synthesis); + } + *self .fixed .get_mut(column.index()) - .and_then(|v| v.get_mut(row)) + .and_then(|v| v.get_mut(row - self.rw_rows.start)) .ok_or(Error::BoundsFailure)? = to().into_field().assign()?; Ok(()) @@ -173,8 +239,22 @@ impl Assignment for Assembly { return Err(Error::not_enough_rows_available(self.k)); } - self.permutation - .copy(left_column, left_row, right_column, right_row) + match self.permutation.as_mut() { + None => { + self.copies.push(( + CopyCell { + column: left_column, + row: left_row, + }, + CopyCell { + column: right_column, + row: right_row, + }, + )); + Ok(()) + } + Some(permutation) => permutation.copy(left_column, left_row, right_column, right_row), + } } fn fill_from_row( @@ -233,11 +313,38 @@ where return Err(Error::not_enough_rows_available(params.k())); } + let fixed_vec = Arc::new(vec![domain.empty_lagrange_assigned(); cs.num_fixed_columns]); + let fixed = unsafe { + let fixed_vec_clone = fixed_vec.clone(); + let ptr = Arc::as_ptr(&fixed_vec_clone) as *mut Vec, LagrangeCoeff>>; + let mut_ref = &mut (*ptr); + mut_ref + .iter_mut() + .map(|poly| poly.values.as_mut_slice()) + .collect::>() + }; + + let selectors_vec = Arc::new(vec![vec![false; params.n() as usize]; cs.num_selectors]); + let selectors = unsafe { + let selectors_vec_clone = selectors_vec.clone(); + let ptr = Arc::as_ptr(&selectors_vec_clone) as *mut Vec>; + let mut_ref = &mut (*ptr); + mut_ref + .iter_mut() + .map(|vec| vec.as_mut_slice()) + .collect::>() + }; let mut assembly: Assembly = Assembly { k: params.k(), - fixed: vec![domain.empty_lagrange_assigned(); cs.num_fixed_columns], - permutation: permutation::keygen::Assembly::new(params.n() as usize, &cs.permutation), - selectors: vec![vec![false; params.n() as usize]; cs.num_selectors], + fixed_vec, + fixed, + permutation: Some(permutation::keygen::Assembly::new( + params.n() as usize, + &cs.permutation, + )), + selectors_vec, + selectors, + copies: vec![], rw_rows: 0..params.n() as usize - (cs.blinding_factors() + 1), usable_rows: 0..params.n() as usize - (cs.blinding_factors() + 1), _marker: std::marker::PhantomData, @@ -251,8 +358,13 @@ where cs.constants.clone(), )?; - let mut fixed = batch_invert_assigned(assembly.fixed); - let (cs, selector_polys) = cs.compress_selectors(assembly.selectors); + debug_assert_eq!(Arc::strong_count(&assembly.fixed_vec), 1); + debug_assert_eq!(Arc::strong_count(&assembly.selectors_vec), 1); + let mut fixed = + batch_invert_assigned(Arc::try_unwrap(assembly.fixed_vec).expect("only one Arc for fixed")); + let (cs, selector_polys) = cs.compress_selectors( + Arc::try_unwrap(assembly.selectors_vec).expect("only one Arc for selectors"), + ); fixed.extend( selector_polys .into_iter() @@ -261,6 +373,8 @@ where let permutation_vk = assembly .permutation + .take() + .expect("permutation must be Some") .build_vk(params, &domain, &cs.permutation); let fixed_commitments = fixed @@ -320,11 +434,38 @@ where return Err(Error::not_enough_rows_available(params.k())); } + let fixed_vec = Arc::new(vec![domain.empty_lagrange_assigned(); cs.num_fixed_columns]); + let fixed = unsafe { + let fixed_vec_clone = fixed_vec.clone(); + let ptr = Arc::as_ptr(&fixed_vec_clone) as *mut Vec, LagrangeCoeff>>; + let mut_ref = &mut (*ptr); + mut_ref + .iter_mut() + .map(|poly| poly.values.as_mut_slice()) + .collect::>() + }; + + let selectors_vec = Arc::new(vec![vec![false; params.n() as usize]; cs.num_selectors]); + let selectors = unsafe { + let selectors_vec_clone = selectors_vec.clone(); + let ptr = Arc::as_ptr(&selectors_vec_clone) as *mut Vec>; + let mut_ref = &mut (*ptr); + mut_ref + .iter_mut() + .map(|vec| vec.as_mut_slice()) + .collect::>() + }; let mut assembly: Assembly = Assembly { k: params.k(), - fixed: vec![domain.empty_lagrange_assigned(); cs.num_fixed_columns], - permutation: permutation::keygen::Assembly::new(params.n() as usize, &cs.permutation), - selectors: vec![vec![false; params.n() as usize]; cs.num_selectors], + fixed_vec, + fixed, + permutation: Some(permutation::keygen::Assembly::new( + params.n() as usize, + &cs.permutation, + )), + selectors_vec, + selectors, + copies: vec![], rw_rows: 0..params.n() as usize - (cs.blinding_factors() + 1), usable_rows: 0..params.n() as usize - (cs.blinding_factors() + 1), _marker: std::marker::PhantomData, @@ -338,8 +479,13 @@ where cs.constants.clone(), )?; - let mut fixed = batch_invert_assigned(assembly.fixed); - let (cs, selector_polys) = cs.compress_selectors(assembly.selectors); + debug_assert_eq!(Arc::strong_count(&assembly.fixed_vec), 1); + debug_assert_eq!(Arc::strong_count(&assembly.selectors_vec), 1); + let mut fixed = + batch_invert_assigned(Arc::try_unwrap(assembly.fixed_vec).expect("only one Arc for fixed")); + let (cs, selector_polys) = cs.compress_selectors( + Arc::try_unwrap(assembly.selectors_vec).expect("only one Arc for selectors"), + ); fixed.extend( selector_polys .into_iter() @@ -347,11 +493,12 @@ where ); let vk = vk.unwrap_or_else(|| { - let permutation_vk = - assembly - .permutation - .clone() - .build_vk(params, &domain, &cs.permutation); + let permutation_vk = assembly + .permutation + .as_ref() + .expect("permutation must be Some") + .clone() + .build_vk(params, &domain, &cs.permutation); let fixed_commitments = fixed .iter() @@ -373,6 +520,8 @@ where let permutation_pk = assembly .permutation + .take() + .expect("permutation must be Some") .build_pk(params, &vk.domain, &cs.permutation); // Compute l_0(X) From 28116e1e329e6a63569114e5b6025bc6a080e2fa Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Fri, 10 Feb 2023 23:17:24 +0800 Subject: [PATCH 11/70] add impl for prover --- .../src/circuit/floor_planner/single_pass.rs | 6 +- halo2_proofs/src/plonk/prover.rs | 85 +++++++++++++++++-- 2 files changed, 83 insertions(+), 8 deletions(-) diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index 653c8ac8..f79cddb8 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -278,7 +278,11 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a let cs_merge_time = Instant::now(); let num_sub_cs = sub_cs.len(); self.cs.merge(sub_cs)?; - log::info!("Merge {} subCS back took {:?}", num_sub_cs, cs_merge_time.elapsed()); + log::info!( + "Merge {} subCS back took {:?}", + num_sub_cs, + cs_merge_time.elapsed() + ); log::info!( "{} sub_regions of {} 2nd pass synthesis took {:?}", ranges.len(), diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index 6c339ea9..ef33d9d9 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -6,6 +6,7 @@ use std::collections::BTreeSet; use std::env::var; use std::ops::{Range, RangeTo}; use std::sync::atomic::AtomicUsize; +use std::sync::Arc; use std::time::Instant; use std::{collections::HashMap, iter, mem, sync::atomic::Ordering}; @@ -134,9 +135,11 @@ pub fn create_proof< struct WitnessCollection<'a, F: Field> { k: u32, current_phase: sealed::Phase, - advice: Vec, LagrangeCoeff>>, + advice_vec: Arc, LagrangeCoeff>>>, + advice: Vec<&'a mut [Assigned]>, challenges: &'a HashMap, instances: &'a [&'a [F]], + rw_rows: Range, usable_rows: RangeTo, _marker: std::marker::PhantomData, } @@ -165,11 +168,59 @@ pub fn create_proof< } fn fork(&mut self, ranges: &Vec>) -> Result, Error> { - todo!() + let mut range_start = self.rw_rows.start; + for (i, sub_range) in ranges.iter().enumerate() { + if sub_range.start < range_start { + return Err(Error::Synthesis); + } + if i == ranges.len() - 1 && sub_range.end >= self.rw_rows.end { + return Err(Error::Synthesis); + } + range_start = sub_range.end; + log::debug!( + "subCS_{} rw_rows: {}..{}", + i, + sub_range.start, + sub_range.end + ); + } + + let advice_ptrs = self + .advice + .iter_mut() + .map(|vec| vec.as_mut_ptr()) + .collect::>(); + + let mut sub_cs = vec![]; + for sub_range in ranges { + let advice = advice_ptrs + .iter() + .map(|ptr| unsafe { + std::slice::from_raw_parts_mut( + ptr.add(sub_range.start), + sub_range.end - sub_range.start, + ) + }) + .collect::]>>(); + + sub_cs.push(Self { + k: 0, + current_phase: self.current_phase, + advice_vec: self.advice_vec.clone(), + advice, + challenges: self.challenges, + instances: self.instances.clone(), + rw_rows: sub_range.clone(), + usable_rows: self.usable_rows.clone(), + _marker: Default::default(), + }); + } + + Ok(sub_cs) } fn merge(&mut self, sub_cs: Vec) -> Result<(), Error> { - todo!() + Ok(()) } fn query_instance(&self, column: Column, row: usize) -> Result, Error> { @@ -206,10 +257,14 @@ pub fn create_proof< return Err(Error::not_enough_rows_available(self.k)); } + if !self.rw_rows.contains(&row) { + return Err(Error::Synthesis); + } + *self .advice .get_mut(column.index()) - .and_then(|v| v.get_mut(row)) + .and_then(|v| v.get_mut(row - self.rw_rows.start)) .ok_or(Error::BoundsFailure)? = to().into_field().assign()?; Ok(()) @@ -309,10 +364,25 @@ pub fn create_proof< .zip(instances) .enumerate() { + let advice_vec = Arc::new(vec![ + domain.empty_lagrange_assigned(); + meta.num_advice_columns + ]); + let advice_slice = unsafe { + let advice_vec_clone = advice_vec.clone(); + let ptr = + Arc::as_ptr(&advice_vec_clone) as *mut Vec>; + let mut_ref = &mut (*ptr); + mut_ref + .iter_mut() + .map(|poly| poly.values.as_mut_slice()) + .collect() + }; let mut witness = WitnessCollection { k: params.k(), current_phase, - advice: vec![domain.empty_lagrange_assigned(); meta.num_advice_columns], + advice_vec, + advice: advice_slice, instances, challenges: &challenges, // The prover will not be allowed to assign values to advice @@ -320,6 +390,7 @@ pub fn create_proof< // number of blinding factors and an extra row for use in the // permutation argument. usable_rows: ..unusable_rows_start, + rw_rows: 0..unusable_rows_start, _marker: std::marker::PhantomData, }; @@ -348,8 +419,8 @@ pub fn create_proof< } let mut advice_values = batch_invert_assigned::( - witness - .advice + Arc::try_unwrap(witness.advice_vec) + .expect("there must only one Arc for advice_vec") .into_iter() .enumerate() .filter_map(|(column_index, advice)| { From eeed4826651b1a6c700e15d9c6981d0c6aa1ab37 Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Mon, 13 Feb 2023 12:08:33 +0800 Subject: [PATCH 12/70] bug_fix: update fixed in MockProver --- halo2_proofs/src/dev.rs | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 50fc4f24..8c6bedaf 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -873,6 +873,17 @@ impl<'a, F: FieldExt> MockProver<'a, F> { } v })); + // update prover.fixed as prover.fixed_vec is updated + prover.fixed = unsafe { + let clone = prover.fixed_vec.clone(); + let ptr = Arc::as_ptr(&clone) as *mut Vec>>; + let mut_ref = &mut (*ptr); + mut_ref + .iter_mut() + .map(|vec| vec.as_mut_slice()) + .collect::>() + }; + debug_assert_eq!(Arc::strong_count(&prover.fixed_vec), 1); Ok(prover) } From fa5b1b0a8fc33b96d235ffdcc957729f8cbb6db4 Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Mon, 13 Feb 2023 16:25:58 +0800 Subject: [PATCH 13/70] bug-fix: merge --- halo2_proofs/src/dev.rs | 11 ++++++++--- 1 file changed, 8 insertions(+), 3 deletions(-) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 8c6bedaf..24c78689 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -470,10 +470,9 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { } fn merge(&mut self, sub_cs: Vec) -> Result<(), Error> { - for (left, right) in self - .regions + for (left, right) in sub_cs .iter() - .skip(self.regions.len() - sub_cs.len()) + .flat_map(|cs| cs.regions.iter()) .flat_map(|region| region.copies.iter()) { self.permutation @@ -482,6 +481,10 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { .copy(left.column, left.row, right.column, right.row)?; } + for region in sub_cs.into_iter().map(|cs| cs.regions) { + self.regions.extend_from_slice(®ion[..]) + } + Ok(()) } @@ -858,7 +861,9 @@ impl<'a, F: FieldExt> MockProver<'a, F> { usable_rows: 0..usable_rows, current_phase: ThirdPhase.to_sealed(), }; + let syn_time = Instant::now(); ConcreteCircuit::FloorPlanner::synthesize(&mut prover, circuit, config, constants)?; + log::info!("MockProver synthesize took {:?}", syn_time.elapsed()); let (cs, selector_polys) = prover .cs From 843feaad73cb518520d93d19e42c7635abb86568 Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Thu, 9 Mar 2023 23:31:59 +0800 Subject: [PATCH 14/70] add parallel_syn feature and refactor code using macro --- halo2_proofs/Cargo.toml | 1 + halo2_proofs/src/circuit.rs | 1 + halo2_proofs/src/dev.rs | 31 +++---------- halo2_proofs/src/helpers.rs | 13 ++++++ halo2_proofs/src/plonk/keygen.rs | 22 ++-------- halo2_proofs/src/plonk/prover.rs | 12 +---- halo2_proofs/tests/plonk_api.rs | 75 ++++++++++++++++++++++++-------- 7 files changed, 82 insertions(+), 73 deletions(-) diff --git a/halo2_proofs/Cargo.toml b/halo2_proofs/Cargo.toml index 72368237..2578ce05 100644 --- a/halo2_proofs/Cargo.toml +++ b/halo2_proofs/Cargo.toml @@ -87,6 +87,7 @@ sanity-checks = [] batch = ["rand_core/getrandom"] shplonk = [] gwc = [] +parallel_syn = [] phase-check = [] profile = ["ark-std/print-trace"] diff --git a/halo2_proofs/src/circuit.rs b/halo2_proofs/src/circuit.rs index c156ad74..43120f4e 100644 --- a/halo2_proofs/src/circuit.rs +++ b/halo2_proofs/src/circuit.rs @@ -420,6 +420,7 @@ pub trait Layouter { N: Fn() -> NR, NR: Into; + #[cfg(feature = "parallel_syn")] fn assign_regions( &mut self, name: N, diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 24c78689..b2f4c040 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -43,6 +43,8 @@ pub use cost::CircuitCost; mod gates; pub use gates::CircuitGates; +use crate::two_dim_vec_to_vec_of_slice; + #[cfg(feature = "dev-graph")] mod graph; @@ -726,27 +728,10 @@ impl<'a, F: FieldExt> MockProver<'a, F> { // Fixed columns contain no blinding factors. let fixed_vec = Arc::new(vec![vec![CellValue::Unassigned; n]; cs.num_fixed_columns]); - let fixed = unsafe { - // extract an mutable reference to the 2-dimensional vector - // we are forced to use unsafe method because vec is - // protected by the Arc struct - let fixed_vec_clone = fixed_vec.clone(); - let ptr = Arc::as_ptr(&fixed_vec_clone) as *mut Vec>>; - let mut_ref = &mut (*ptr); - mut_ref - .iter_mut() - .map(|fixed| fixed.as_mut_slice()) - .collect::>() - }; + let fixed = two_dim_vec_to_vec_of_slice!(fixed_vec); let selectors_vec = Arc::new(vec![vec![false; n]; cs.num_selectors]); - let selectors = unsafe { - let selectors_vec_clone = selectors_vec.clone(); - let ptr = Arc::as_ptr(&selectors_vec_clone) as *mut Vec>; - let mut_ref = &mut (*ptr); - - mut_ref.iter_mut().map(|item| item.as_mut_slice()).collect() - }; + let selectors = two_dim_vec_to_vec_of_slice!(selectors_vec); // Advice columns contain blinding factors. let blinding_factors = cs.blinding_factors(); @@ -762,13 +747,7 @@ impl<'a, F: FieldExt> MockProver<'a, F> { }; cs.num_advice_columns ]); - let advice = unsafe { - let advice_vec_clone = advice_vec.clone(); - let ptr = Arc::as_ptr(&advice_vec_clone) as *mut Vec>>; - let mut_ref = &mut (*ptr); - - mut_ref.iter_mut().map(|item| item.as_mut_slice()).collect() - }; + let advice = two_dim_vec_to_vec_of_slice!(advice_vec); let permutation = permutation::keygen::Assembly::new(n, &cs.permutation); let constants = cs.constants.clone(); diff --git a/halo2_proofs/src/helpers.rs b/halo2_proofs/src/helpers.rs index 3c389f2f..2a4a3a61 100644 --- a/halo2_proofs/src/helpers.rs +++ b/halo2_proofs/src/helpers.rs @@ -46,6 +46,19 @@ pub(crate) fn base_to_scalar(base: &C::Base) -> C::Scalar { bn_to_field(&bn) } +#[macro_export] +macro_rules! two_dim_vec_to_vec_of_slice { + ($arc_vec:ident) => { + unsafe { + let arc_vec_clone = $arc_vec.clone(); + let ptr = Arc::as_ptr(&arc_vec_clone) as *mut Vec>; + let mut_ref = &mut (*ptr); + + mut_ref.iter_mut().map(|item| item.as_mut_slice()).collect() + } + }; +} + #[cfg(test)] mod test { use super::*; diff --git a/halo2_proofs/src/plonk/keygen.rs b/halo2_proofs/src/plonk/keygen.rs index e9958e80..59d84c70 100644 --- a/halo2_proofs/src/plonk/keygen.rs +++ b/halo2_proofs/src/plonk/keygen.rs @@ -24,6 +24,7 @@ use crate::{ commitment::{Blind, Params, MSM}, EvaluationDomain, }, + two_dim_vec_to_vec_of_slice, }; pub(crate) fn create_domain( @@ -435,26 +436,11 @@ where } let fixed_vec = Arc::new(vec![domain.empty_lagrange_assigned(); cs.num_fixed_columns]); - let fixed = unsafe { - let fixed_vec_clone = fixed_vec.clone(); - let ptr = Arc::as_ptr(&fixed_vec_clone) as *mut Vec, LagrangeCoeff>>; - let mut_ref = &mut (*ptr); - mut_ref - .iter_mut() - .map(|poly| poly.values.as_mut_slice()) - .collect::>() - }; + let fixed = two_dim_vec_to_vec_of_slice!(fixed_vec); let selectors_vec = Arc::new(vec![vec![false; params.n() as usize]; cs.num_selectors]); - let selectors = unsafe { - let selectors_vec_clone = selectors_vec.clone(); - let ptr = Arc::as_ptr(&selectors_vec_clone) as *mut Vec>; - let mut_ref = &mut (*ptr); - mut_ref - .iter_mut() - .map(|vec| vec.as_mut_slice()) - .collect::>() - }; + let selectors = two_dim_vec_to_vec_of_slice!(selectors_vec); + let mut assembly: Assembly = Assembly { k: params.k(), fixed_vec, diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index ef33d9d9..d5dc1855 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -28,6 +28,7 @@ use crate::{ commitment::{Blind, CommitmentScheme, Params, Prover}, Basis, Coeff, ExtendedLagrangeCoeff, LagrangeCoeff, Polynomial, ProverQuery, }, + two_dim_vec_to_vec_of_slice, }; use crate::{ poly::batch_invert_assigned, @@ -368,16 +369,7 @@ pub fn create_proof< domain.empty_lagrange_assigned(); meta.num_advice_columns ]); - let advice_slice = unsafe { - let advice_vec_clone = advice_vec.clone(); - let ptr = - Arc::as_ptr(&advice_vec_clone) as *mut Vec>; - let mut_ref = &mut (*ptr); - mut_ref - .iter_mut() - .map(|poly| poly.values.as_mut_slice()) - .collect() - }; + let advice_slice = two_dim_vec_to_vec_of_slice!(advice_vec); let mut witness = WitnessCollection { k: params.k(), current_phase, diff --git a/halo2_proofs/tests/plonk_api.rs b/halo2_proofs/tests/plonk_api.rs index 31837be2..53ac29ca 100644 --- a/halo2_proofs/tests/plonk_api.rs +++ b/halo2_proofs/tests/plonk_api.rs @@ -23,7 +23,7 @@ use std::time::Instant; #[test] fn plonk_api() { - const K: u32 = 16; + const K: u32 = 17; /// This represents an advice column at a certain row in the ConstraintSystem #[derive(Copy, Clone, Debug)] @@ -380,35 +380,68 @@ fn plonk_api() { let a: Value> = self.a.into(); let parallel_regions_time = Instant::now(); + #[cfg(feature = "parallel_syn")] layouter.assign_regions( || "regions", - (0..8).into_iter() + (0..8) + .into_iter() .zip(is_first_pass_vec.chunks_mut(1).into_iter()) .map(|(_, is_first_pass)| { |mut region: Region<'_, F>| -> Result<(), Error> { - let n = 1 << 12; + let n = 1 << 13; for i in 0..n { // skip the assign of rows except the last row in the first pass - if is_first_pass[0] && i < n-1 { - continue + if is_first_pass[0] && i < n - 1 { + continue; } - let a0 = region.assign_advice(|| "config.a", cs.config.a, i, || a)?; - let a1 = region.assign_advice(|| "config.b", cs.config.b, i, || a)?; - region.assign_advice(|| "config.c", cs.config.c, i, || a.double())?; - - region.assign_fixed(|| "a", cs.config.sa, i, || Value::known(F::one()))?; - region.assign_fixed(|| "b", cs.config.sb, i, || Value::known(F::one()))?; - region.assign_fixed(|| "c", cs.config.sc, i, || Value::known(F::one()))?; - region.assign_fixed(|| "a * b", cs.config.sm, i, || Value::known(F::zero()))?; + let a0 = + region.assign_advice(|| "config.a", cs.config.a, i, || a)?; + let a1 = + region.assign_advice(|| "config.b", cs.config.b, i, || a)?; + region.assign_advice( + || "config.c", + cs.config.c, + i, + || a.double(), + )?; + + region.assign_fixed( + || "a", + cs.config.sa, + i, + || Value::known(F::one()), + )?; + region.assign_fixed( + || "b", + cs.config.sb, + i, + || Value::known(F::one()), + )?; + region.assign_fixed( + || "c", + cs.config.sc, + i, + || Value::known(F::one()), + )?; + region.assign_fixed( + || "a * b", + cs.config.sm, + i, + || Value::known(F::zero()), + )?; region.constrain_equal(a0.cell(), a1.cell())?; } is_first_pass[0] = false; Ok(()) } - }).collect(), + }) + .collect(), )?; - log::info!("parallel_regions assign took {:?}", parallel_regions_time.elapsed()); + log::info!( + "parallel_regions assign took {:?}", + parallel_regions_time.elapsed() + ); for _ in 0..10 { let a: Value> = self.a.into(); @@ -490,8 +523,12 @@ fn plonk_api() { // Initialize the proving key let vk = keygen_vk(params, &empty_circuit).expect("keygen_vk should not fail"); + log::info!("keygen vk succeed"); + + let pk = keygen_pk(params, vk, &empty_circuit).expect("keygen_pk should not fail"); + log::info!("keygen pk succeed"); - keygen_pk(params, vk, &empty_circuit).expect("keygen_pk should not fail") + pk } fn create_proof< @@ -568,9 +605,6 @@ fn plonk_api() { type Scheme = KZGCommitmentScheme; // bad_keys!(Scheme); - let params = ParamsKZG::::new(K); - let rng = OsRng; - let (a, instance, lookup_table) = common!(Scheme); let circuit: MyCircuit<::Scalar> = MyCircuit { @@ -586,6 +620,9 @@ fn plonk_api() { assert_eq!(prover.verify_par(), Ok(())); log::info!("mock proving succeed!"); + let params = ParamsKZG::::new(K); + let rng = OsRng; + let pk = keygen::>(¶ms); let proof = create_proof::<_, ProverGWC<_>, _, _, Blake2bWrite<_, _, Challenge255<_>>>( From b09c358e8290d39ac97d11281e32789964a61662 Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Fri, 10 Mar 2023 15:03:29 +0800 Subject: [PATCH 15/70] fix --- halo2_proofs/src/dev.rs | 78 +++++++++++++--------------- halo2_proofs/src/dev/graph.rs | 9 ++++ halo2_proofs/src/dev/graph/layout.rs | 8 +++ halo2_proofs/src/dev/util.rs | 1 + halo2_proofs/src/helpers.rs | 2 +- halo2_proofs/src/plonk/prover.rs | 4 +- 6 files changed, 57 insertions(+), 45 deletions(-) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index b2f4c040..a86c1f5f 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -304,6 +304,7 @@ pub struct MockProver<'a, F: Group + Field> { // The advice cells in the circuit, arranged as [column][row]. pub(crate) advice_vec: Arc>>>, pub(crate) advice: Vec<&'a mut [CellValue]>, + // This field is used only if the "phase_check" feature is turned on. advice_prev: Vec>>, // The instance cells in the circuit, arranged as [column][row]. instance: Vec>, @@ -763,46 +764,59 @@ impl<'a, F: FieldExt> MockProver<'a, F> { .collect() }; + #[cfg(feature = "phase-check")] + let current_phase = FirstPhase.to_sealed(); + #[cfg(not(feature = "phase-check"))] + let current_phase = ThirdPhase.to_sealed(); + + let mut prover = MockProver { + k, + n: n as u32, + cs, + regions: vec![], + current_region: None, + fixed_vec, + fixed, + advice_vec, + advice, + advice_prev: vec![], + instance, + selectors_vec, + selectors, + challenges: challenges.clone(), + permutation: Some(permutation), + rw_rows: 0..usable_rows, + usable_rows: 0..usable_rows, + current_phase, + }; + #[cfg(feature = "phase-check")] { // check1: phase1 should not assign expr including phase2 challenges // check2: phase2 assigns same phase1 columns with phase1 let mut cur_challenges: Vec = Vec::new(); let mut last_advice: Vec>> = Vec::new(); - for current_phase in cs.phases() { - let mut prover = MockProver { - k, - n: n as u32, - cs: cs.clone(), - regions: vec![], - current_region: None, - fixed: fixed.clone(), - advice: advice.clone(), - advice_prev: last_advice.clone(), - instance: instance.clone(), - selectors: selectors.clone(), - challenges: cur_challenges.clone(), - permutation: permutation.clone(), - usable_rows: 0..usable_rows, - current_phase, - }; + for current_phase in prover.cs.phases() { + prover.current_phase = current_phase; + prover.advice_prev = last_advice; ConcreteCircuit::FloorPlanner::synthesize( &mut prover, circuit, config.clone(), constants.clone(), )?; - for (index, phase) in cs.challenge_phase.iter().enumerate() { + + for (index, phase) in prover.cs.challenge_phase.iter().enumerate() { if current_phase == *phase { debug_assert_eq!(cur_challenges.len(), index); cur_challenges.push(challenges[index].clone()); } } - if !last_advice.is_empty() { + if !prover.advice_prev.is_empty() { let mut err = false; for (idx, advice_values) in prover.advice.iter().enumerate() { - if cs.advice_column_phase[idx].0 < current_phase.0 { - if advice_values != &last_advice[idx] { + if prover.cs.advice_column_phase[idx].0 < current_phase.0 { + if advice_values != &prover.advice_prev[idx] { log::error!( "PHASE ERR column{} not same after phase {:?}", idx, @@ -816,30 +830,10 @@ impl<'a, F: FieldExt> MockProver<'a, F> { panic!("wrong phase assignment"); } } - last_advice = prover.advice; + last_advice = prover.advice_vec.as_ref().clone(); } } - let mut prover = MockProver { - k, - n: n as u32, - cs, - regions: vec![], - current_region: None, - fixed_vec, - fixed, - advice_vec, - advice, - advice_prev: vec![], - instance, - selectors_vec, - selectors, - challenges: challenges.clone(), - permutation: Some(permutation), - rw_rows: 0..usable_rows, - usable_rows: 0..usable_rows, - current_phase: ThirdPhase.to_sealed(), - }; let syn_time = Instant::now(); ConcreteCircuit::FloorPlanner::synthesize(&mut prover, circuit, config, constants)?; log::info!("MockProver synthesize took {:?}", syn_time.elapsed()); diff --git a/halo2_proofs/src/dev/graph.rs b/halo2_proofs/src/dev/graph.rs index b8c6fd90..58f6f2e2 100644 --- a/halo2_proofs/src/dev/graph.rs +++ b/halo2_proofs/src/dev/graph.rs @@ -1,4 +1,5 @@ use ff::Field; +use std::ops::Range; use tabbycat::{AttrList, Edge, GraphBuilder, GraphType, Identity, StmtList}; use crate::{ @@ -99,6 +100,14 @@ impl Assignment for Graph { Ok(()) } + fn fork(&mut self, _ranges: &Vec>) -> Result, Error> { + todo!() + } + + fn merge(&mut self, _sub_cs: Vec) -> Result<(), Error> { + todo!() + } + fn query_instance(&self, _: Column, _: usize) -> Result, Error> { Ok(Value::unknown()) } diff --git a/halo2_proofs/src/dev/graph/layout.rs b/halo2_proofs/src/dev/graph/layout.rs index 81f45a90..28fd5700 100644 --- a/halo2_proofs/src/dev/graph/layout.rs +++ b/halo2_proofs/src/dev/graph/layout.rs @@ -432,6 +432,14 @@ impl Assignment for Layout { Ok(()) } + fn fork(&mut self, _ranges: &Vec>) -> Result, Error> { + todo!() + } + + fn merge(&mut self, _sub_cs: Vec) -> Result<(), Error> { + todo!() + } + fn query_instance(&self, _: Column, _: usize) -> Result, Error> { Ok(Value::unknown()) } diff --git a/halo2_proofs/src/dev/util.rs b/halo2_proofs/src/dev/util.rs index 00693fd2..2d739329 100644 --- a/halo2_proofs/src/dev/util.rs +++ b/halo2_proofs/src/dev/util.rs @@ -98,6 +98,7 @@ pub(super) fn load_slice<'a, F: FieldExt, T: ColumnType, Q: Into + Cop cells[column.index()][resolved_row as usize].into() } } + pub(super) fn load_instance<'a, F: FieldExt, T: ColumnType, Q: Into + Copy>( n: i32, row: i32, diff --git a/halo2_proofs/src/helpers.rs b/halo2_proofs/src/helpers.rs index 2a4a3a61..1ec73933 100644 --- a/halo2_proofs/src/helpers.rs +++ b/halo2_proofs/src/helpers.rs @@ -54,7 +54,7 @@ macro_rules! two_dim_vec_to_vec_of_slice { let ptr = Arc::as_ptr(&arc_vec_clone) as *mut Vec>; let mut_ref = &mut (*ptr); - mut_ref.iter_mut().map(|item| item.as_mut_slice()).collect() + mut_ref.iter_mut().map(|item| item.as_mut_slice()).collect::>() } }; } diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index d5dc1855..d8a8ab7e 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -220,7 +220,7 @@ pub fn create_proof< Ok(sub_cs) } - fn merge(&mut self, sub_cs: Vec) -> Result<(), Error> { + fn merge(&mut self, _sub_cs: Vec) -> Result<(), Error> { Ok(()) } @@ -396,7 +396,7 @@ pub fn create_proof< #[cfg(feature = "phase-check")] { - for (idx, advice_col) in witness.advice.iter().enumerate() { + for (idx, advice_col) in witness.advice_vec.iter().enumerate() { if pk.vk.cs.advice_column_phase[idx].0 < current_phase.0 { if advice_assignments[circuit_idx][idx].values != advice_col.values { log::error!( From 460e7085727c31bc7d0ff23ee94dc2edcab81935 Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Fri, 10 Mar 2023 15:04:34 +0800 Subject: [PATCH 16/70] fmt --- halo2_proofs/src/helpers.rs | 5 ++++- 1 file changed, 4 insertions(+), 1 deletion(-) diff --git a/halo2_proofs/src/helpers.rs b/halo2_proofs/src/helpers.rs index 1ec73933..b4adfefc 100644 --- a/halo2_proofs/src/helpers.rs +++ b/halo2_proofs/src/helpers.rs @@ -54,7 +54,10 @@ macro_rules! two_dim_vec_to_vec_of_slice { let ptr = Arc::as_ptr(&arc_vec_clone) as *mut Vec>; let mut_ref = &mut (*ptr); - mut_ref.iter_mut().map(|item| item.as_mut_slice()).collect::>() + mut_ref + .iter_mut() + .map(|item| item.as_mut_slice()) + .collect::>() } }; } From f5f5e2903b12ed92d88b8cc3a66a4ddad8dc09f8 Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Fri, 10 Mar 2023 15:09:28 +0800 Subject: [PATCH 17/70] clippy --- halo2_proofs/src/circuit.rs | 1 + halo2_proofs/src/circuit/floor_planner/single_pass.rs | 1 + halo2_proofs/src/circuit/floor_planner/v1.rs | 1 + halo2_proofs/src/plonk/prover.rs | 2 +- 4 files changed, 4 insertions(+), 1 deletion(-) diff --git a/halo2_proofs/src/circuit.rs b/halo2_proofs/src/circuit.rs index 43120f4e..aaf83255 100644 --- a/halo2_proofs/src/circuit.rs +++ b/halo2_proofs/src/circuit.rs @@ -507,6 +507,7 @@ impl<'a, F: Field, L: Layouter + 'a> Layouter for NamespacedLayouter<'a, F self.0.assign_region(name, assignment) } + #[cfg(feature = "parallel_syn")] fn assign_regions( &mut self, name: N, diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index f79cddb8..259ee638 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -188,6 +188,7 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a Ok(result) } + #[cfg(feature = "parallel_syn")] fn assign_regions( &mut self, name: N, diff --git a/halo2_proofs/src/circuit/floor_planner/v1.rs b/halo2_proofs/src/circuit/floor_planner/v1.rs index 6f1fd09a..d868010c 100644 --- a/halo2_proofs/src/circuit/floor_planner/v1.rs +++ b/halo2_proofs/src/circuit/floor_planner/v1.rs @@ -184,6 +184,7 @@ impl<'p, 'a, F: Field, CS: Assignment + 'a> Layouter for V1Pass<'p, 'a, F, } } + #[cfg(feature = "parallel_syn")] fn assign_regions( &mut self, _name: N, diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index d8a8ab7e..580507aa 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -210,7 +210,7 @@ pub fn create_proof< advice_vec: self.advice_vec.clone(), advice, challenges: self.challenges, - instances: self.instances.clone(), + instances: self.instances, rw_rows: sub_range.clone(), usable_rows: self.usable_rows.clone(), _marker: Default::default(), From 4e36256dd523fe9dac62801d676a113ccec7d763 Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Fri, 10 Mar 2023 15:32:39 +0800 Subject: [PATCH 18/70] clippy --- halo2_proofs/src/arithmetic.rs | 2 +- halo2_proofs/src/dev.rs | 4 ++-- halo2_proofs/src/dev/cost.rs | 2 +- halo2_proofs/src/dev/failure.rs | 2 +- halo2_proofs/src/dev/graph.rs | 2 +- halo2_proofs/src/dev/graph/layout.rs | 2 +- halo2_proofs/src/plonk/circuit.rs | 2 +- halo2_proofs/src/plonk/keygen.rs | 2 +- halo2_proofs/src/plonk/prover.rs | 2 +- 9 files changed, 10 insertions(+), 10 deletions(-) diff --git a/halo2_proofs/src/arithmetic.rs b/halo2_proofs/src/arithmetic.rs index e919f5d0..0eb01ee1 100644 --- a/halo2_proofs/src/arithmetic.rs +++ b/halo2_proofs/src/arithmetic.rs @@ -372,7 +372,7 @@ pub fn parallel_fft(a: &mut [G], omega: G::Scalar, log_n: u32) { let twiddle_lut = &*twiddle_lut; for (chunk_idx, tmp) in tmp.chunks_mut(sub_n).enumerate() { scope.spawn(move |_| { - let split_fft_offset = chunk_idx * sub_n >> log_split; + let split_fft_offset = (chunk_idx * sub_n) >> log_split; for (i, tmp) in tmp.chunks_mut(split_m).enumerate() { let split_fft_offset = split_fft_offset + i; split_radix_fft(tmp, a, twiddle_lut, n, split_fft_offset, log_split); diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index a86c1f5f..e8985974 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -380,7 +380,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { Ok(()) } - fn fork(&mut self, ranges: &Vec>) -> Result, Error> { + fn fork(&mut self, ranges: &[Range]) -> Result, Error> { // check ranges are non-overlapping and monotonically increasing let mut range_start = self.rw_rows.start; for (i, sub_range) in ranges.iter().enumerate() { @@ -809,7 +809,7 @@ impl<'a, F: FieldExt> MockProver<'a, F> { for (index, phase) in prover.cs.challenge_phase.iter().enumerate() { if current_phase == *phase { debug_assert_eq!(cur_challenges.len(), index); - cur_challenges.push(challenges[index].clone()); + cur_challenges.push(challenges[index]); } } if !prover.advice_prev.is_empty() { diff --git a/halo2_proofs/src/dev/cost.rs b/halo2_proofs/src/dev/cost.rs index 95d8c5f6..887ccc39 100644 --- a/halo2_proofs/src/dev/cost.rs +++ b/halo2_proofs/src/dev/cost.rs @@ -70,7 +70,7 @@ impl Assignment for Assembly { Ok(()) } - fn fork(&mut self, _ranges: &Vec>) -> Result, Error> { + fn fork(&mut self, _ranges: &[Range]) -> Result, Error> { todo!() } diff --git a/halo2_proofs/src/dev/failure.rs b/halo2_proofs/src/dev/failure.rs index 72d53731..5b7a2eb4 100644 --- a/halo2_proofs/src/dev/failure.rs +++ b/halo2_proofs/src/dev/failure.rs @@ -460,7 +460,7 @@ fn render_lookup( n, row, &cs.fixed_queries, - &prover.fixed.as_slice(), + prover.fixed.as_slice(), )), &cell_value(&util::load_slice( n, diff --git a/halo2_proofs/src/dev/graph.rs b/halo2_proofs/src/dev/graph.rs index 58f6f2e2..d61cd1fb 100644 --- a/halo2_proofs/src/dev/graph.rs +++ b/halo2_proofs/src/dev/graph.rs @@ -100,7 +100,7 @@ impl Assignment for Graph { Ok(()) } - fn fork(&mut self, _ranges: &Vec>) -> Result, Error> { + fn fork(&mut self, _ranges: &[Range]) -> Result, Error> { todo!() } diff --git a/halo2_proofs/src/dev/graph/layout.rs b/halo2_proofs/src/dev/graph/layout.rs index 28fd5700..981266f9 100644 --- a/halo2_proofs/src/dev/graph/layout.rs +++ b/halo2_proofs/src/dev/graph/layout.rs @@ -432,7 +432,7 @@ impl Assignment for Layout { Ok(()) } - fn fork(&mut self, _ranges: &Vec>) -> Result, Error> { + fn fork(&mut self, _ranges: &[Range]) -> Result, Error> { todo!() } diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index aed811b6..569ea8f3 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -558,7 +558,7 @@ pub trait Assignment: Sized + Send { AR: Into; /// Fork - fn fork(&mut self, ranges: &Vec>) -> Result, Error>; + fn fork(&mut self, ranges: &[Range]) -> Result, Error>; /// Merge fn merge(&mut self, sub_cs: Vec) -> Result<(), Error>; diff --git a/halo2_proofs/src/plonk/keygen.rs b/halo2_proofs/src/plonk/keygen.rs index 59d84c70..e7095e5f 100644 --- a/halo2_proofs/src/plonk/keygen.rs +++ b/halo2_proofs/src/plonk/keygen.rs @@ -95,7 +95,7 @@ impl<'a, F: Field> Assignment for Assembly<'a, F> { Ok(()) } - fn fork(&mut self, ranges: &Vec>) -> Result, Error> { + fn fork(&mut self, ranges: &[Range]) -> Result, Error> { let mut range_start = self.rw_rows.start; for (i, sub_range) in ranges.iter().enumerate() { if sub_range.start < range_start { diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index 580507aa..c99d5e46 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -168,7 +168,7 @@ pub fn create_proof< Ok(()) } - fn fork(&mut self, ranges: &Vec>) -> Result, Error> { + fn fork(&mut self, ranges: &[Range]) -> Result, Error> { let mut range_start = self.rw_rows.start; for (i, sub_range) in ranges.iter().enumerate() { if sub_range.start < range_start { From ed4985f6f91fa50219b8522902ca272a11724454 Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Fri, 10 Mar 2023 15:54:51 +0800 Subject: [PATCH 19/70] fix unit test error --- halo2_proofs/src/dev.rs | 13 ++++++++----- halo2_proofs/src/dev/util.rs | 2 ++ 2 files changed, 10 insertions(+), 5 deletions(-) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index e8985974..e83ae7a0 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -418,7 +418,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { .collect::>(); let mut sub_cs = vec![]; - for (i, sub_range) in ranges.iter().enumerate() { + for (_i, sub_range) in ranges.iter().enumerate() { let fixed = fixed_ptrs .iter() .map(|ptr| unsafe { @@ -767,7 +767,7 @@ impl<'a, F: FieldExt> MockProver<'a, F> { #[cfg(feature = "phase-check")] let current_phase = FirstPhase.to_sealed(); #[cfg(not(feature = "phase-check"))] - let current_phase = ThirdPhase.to_sealed(); + let current_phase = sealed::Phase(cs.max_phase()); let mut prover = MockProver { k, @@ -834,9 +834,12 @@ impl<'a, F: FieldExt> MockProver<'a, F> { } } - let syn_time = Instant::now(); - ConcreteCircuit::FloorPlanner::synthesize(&mut prover, circuit, config, constants)?; - log::info!("MockProver synthesize took {:?}", syn_time.elapsed()); + #[cfg(not(feature = "phase-check"))] + { + let syn_time = Instant::now(); + ConcreteCircuit::FloorPlanner::synthesize(&mut prover, circuit, config, constants)?; + log::info!("MockProver synthesize took {:?}", syn_time.elapsed()); + } let (cs, selector_polys) = prover .cs diff --git a/halo2_proofs/src/dev/util.rs b/halo2_proofs/src/dev/util.rs index 2d739329..aa1e3ccc 100644 --- a/halo2_proofs/src/dev/util.rs +++ b/halo2_proofs/src/dev/util.rs @@ -73,6 +73,7 @@ pub(super) fn format_value(v: F) -> String { } } +/* pub(super) fn load<'a, F: FieldExt, T: ColumnType, Q: Into + Copy>( n: i32, row: i32, @@ -85,6 +86,7 @@ pub(super) fn load<'a, F: FieldExt, T: ColumnType, Q: Into + Copy>( cells[column.index()][resolved_row as usize].into() } } +*/ pub(super) fn load_slice<'a, F: FieldExt, T: ColumnType, Q: Into + Copy>( n: i32, From 13a438196ff4925f0c8f83baf5dd420f47260c2e Mon Sep 17 00:00:00 2001 From: kunxian xia Date: Fri, 10 Mar 2023 16:05:00 +0800 Subject: [PATCH 20/70] clippy --- halo2_proofs/src/arithmetic.rs | 16 ++++++------- .../src/circuit/floor_planner/single_pass.rs | 7 ++---- halo2_proofs/src/dev.rs | 24 +++++++++---------- halo2_proofs/src/plonk/evaluation.rs | 2 +- halo2_proofs/src/plonk/permutation/keygen.rs | 4 ++-- halo2_proofs/src/plonk/permutation/prover.rs | 2 +- .../src/plonk/permutation/verifier.rs | 2 +- halo2_proofs/src/plonk/prover.rs | 20 ++++++++-------- halo2_proofs/src/poly/domain.rs | 8 +++---- halo2_proofs/src/poly/kzg/commitment.rs | 6 ++--- 10 files changed, 43 insertions(+), 48 deletions(-) diff --git a/halo2_proofs/src/arithmetic.rs b/halo2_proofs/src/arithmetic.rs index 0eb01ee1..14d5df19 100644 --- a/halo2_proofs/src/arithmetic.rs +++ b/halo2_proofs/src/arithmetic.rs @@ -206,7 +206,7 @@ fn serial_fft(a: &mut [G], omega: G::Scalar, log_n: u32) { let mut m = 1; for _ in 0..log_n { - let w_m = omega.pow_vartime(&[u64::from(n / (2 * m)), 0, 0, 0]); + let w_m = omega.pow_vartime([u64::from(n / (2 * m)), 0, 0, 0]); let mut k = 0; while k < n { @@ -316,7 +316,7 @@ pub fn generate_twiddle_lookup_table( if is_lut_len_large { let mut twiddle_lut = vec![F::zero(); (1 << log_n) as usize]; parallelize(&mut twiddle_lut, |twiddle_lut, start| { - let mut w_n = omega.pow_vartime(&[start as u64, 0, 0, 0]); + let mut w_n = omega.pow_vartime([start as u64, 0, 0, 0]); for twiddle_lut in twiddle_lut.iter_mut() { *twiddle_lut = w_n; w_n = w_n * omega; @@ -332,18 +332,18 @@ pub fn generate_twiddle_lookup_table( parallelize( &mut twiddle_lut[..low_degree_lut_len], |twiddle_lut, start| { - let mut w_n = omega.pow_vartime(&[start as u64, 0, 0, 0]); + let mut w_n = omega.pow_vartime([start as u64, 0, 0, 0]); for twiddle_lut in twiddle_lut.iter_mut() { *twiddle_lut = w_n; w_n = w_n * omega; } }, ); - let high_degree_omega = omega.pow_vartime(&[(1 << sparse_degree) as u64, 0, 0, 0]); + let high_degree_omega = omega.pow_vartime([(1 << sparse_degree) as u64, 0, 0, 0]); parallelize( &mut twiddle_lut[low_degree_lut_len..], |twiddle_lut, start| { - let mut w_n = high_degree_omega.pow_vartime(&[start as u64, 0, 0, 0]); + let mut w_n = high_degree_omega.pow_vartime([start as u64, 0, 0, 0]); for twiddle_lut in twiddle_lut.iter_mut() { *twiddle_lut = w_n; w_n = w_n * high_degree_omega; @@ -392,7 +392,7 @@ pub fn parallel_fft(a: &mut [G], omega: G::Scalar, log_n: u32) { }); // sub fft - let new_omega = omega.pow_vartime(&[split_m as u64, 0, 0, 0]); + let new_omega = omega.pow_vartime([split_m as u64, 0, 0, 0]); multicore::scope(|scope| { for a in a.chunks_mut(sub_n) { scope.spawn(move |_| { @@ -419,7 +419,7 @@ pub fn parallel_fft(a: &mut [G], omega: G::Scalar, log_n: u32) { /// Convert coefficient bases group elements to lagrange basis by inverse FFT. pub fn g_to_lagrange(g_projective: Vec, k: u32) -> Vec { - let n_inv = C::Scalar::TWO_INV.pow_vartime(&[k as u64, 0, 0, 0]); + let n_inv = C::Scalar::TWO_INV.pow_vartime([k as u64, 0, 0, 0]); let mut omega_inv = C::Scalar::ROOT_OF_UNITY_INV; for _ in k..C::Scalar::S { omega_inv = omega_inv.square(); @@ -464,7 +464,7 @@ pub fn eval_polynomial(poly: &[F], point: F) -> F { { scope.spawn(move |_| { let start = chunk_idx * chunk_size; - out[0] = evaluate(poly, point) * point.pow_vartime(&[start as u64, 0, 0, 0]); + out[0] = evaluate(poly, point) * point.pow_vartime([start as u64, 0, 0, 0]); }); } }); diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index 259ee638..99d58bf0 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -37,7 +37,7 @@ impl FloorPlanner for SimpleFloorPlanner { config: C::Config, constants: Vec>, ) -> Result<(), Error> { - let timer = start_timer!(|| format!("SimpleFloorPlanner synthesize")); + let timer = start_timer!(|| ("SimpleFloorPlanner synthesize").to_string()); let layouter = SingleChipLayouter::new(cs, constants)?; let result = circuit.synthesize(config, layouter); end_timer!(timer); @@ -293,10 +293,7 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a let (results, constants): (Vec<_>, Vec<_>) = ret.into_iter().unzip(); // Check if there are errors in sub-region synthesis - let results = results - .into_iter() - .map(|result| result) - .collect::, Error>>()?; + let results = results.into_iter().collect::, Error>>()?; // Merge all constants from sub-regions together let constants_to_assign = constants diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index e83ae7a0..a10421f7 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -558,9 +558,8 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { if false && self.current_phase.0 > column.column_type().phase.0 { // Some circuits assign cells more than one times with different values // So this check sometimes can be false alarm - if !self.advice_prev.is_empty() { - if self.advice_prev[column.index()][row] != assigned { - panic!("not same new {assigned:?} old {:?}, column idx {} row {} cur phase {:?} col phase {:?} region {:?}", + if !self.advice_prev.is_empty() && self.advice_prev[column.index()][row] != assigned { + panic!("not same new {assigned:?} old {:?}, column idx {} row {} cur phase {:?} col phase {:?} region {:?}", self.advice_prev[column.index()][row], column.index(), row, @@ -568,7 +567,6 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { column.column_type().phase, self.current_region ) - } } } @@ -815,15 +813,15 @@ impl<'a, F: FieldExt> MockProver<'a, F> { if !prover.advice_prev.is_empty() { let mut err = false; for (idx, advice_values) in prover.advice.iter().enumerate() { - if prover.cs.advice_column_phase[idx].0 < current_phase.0 { - if advice_values != &prover.advice_prev[idx] { - log::error!( - "PHASE ERR column{} not same after phase {:?}", - idx, - current_phase - ); - err = true; - } + if prover.cs.advice_column_phase[idx].0 < current_phase.0 + && advice_values != &prover.advice_prev[idx] + { + log::error!( + "PHASE ERR column{} not same after phase {:?}", + idx, + current_phase + ); + err = true; } } if err { diff --git a/halo2_proofs/src/plonk/evaluation.rs b/halo2_proofs/src/plonk/evaluation.rs index f324a4d4..bfb92588 100644 --- a/halo2_proofs/src/plonk/evaluation.rs +++ b/halo2_proofs/src/plonk/evaluation.rs @@ -374,7 +374,7 @@ impl Evaluator { // Permutation constraints parallelize(&mut values, |values, start| { - let mut beta_term = extended_omega.pow_vartime(&[start as u64, 0, 0, 0]); + let mut beta_term = extended_omega.pow_vartime([start as u64, 0, 0, 0]); for (i, value) in values.iter_mut().enumerate() { let idx = start + i; let r_next = get_rotation_idx(idx, 1, rot_scale, isize); diff --git a/halo2_proofs/src/plonk/permutation/keygen.rs b/halo2_proofs/src/plonk/permutation/keygen.rs index 3b2552f6..477e58c1 100644 --- a/halo2_proofs/src/plonk/permutation/keygen.rs +++ b/halo2_proofs/src/plonk/permutation/keygen.rs @@ -108,7 +108,7 @@ impl Assembly { { let omega = domain.get_omega(); parallelize(&mut omega_powers, |o, start| { - let mut cur = omega.pow_vartime(&[start as u64]); + let mut cur = omega.pow_vartime([start as u64]); for v in o.iter_mut() { *v = cur; cur *= ω @@ -164,7 +164,7 @@ impl Assembly { { let omega = domain.get_omega(); parallelize(&mut omega_powers, |o, start| { - let mut cur = omega.pow_vartime(&[start as u64]); + let mut cur = omega.pow_vartime([start as u64]); for v in o.iter_mut() { *v = cur; cur *= ω diff --git a/halo2_proofs/src/plonk/permutation/prover.rs b/halo2_proofs/src/plonk/permutation/prover.rs index cddc0234..b057688a 100644 --- a/halo2_proofs/src/plonk/permutation/prover.rs +++ b/halo2_proofs/src/plonk/permutation/prover.rs @@ -126,7 +126,7 @@ impl Argument { Any::Instance => instance, }; parallelize(&mut modified_values, |modified_values, start| { - let mut deltaomega = deltaomega * &omega.pow_vartime(&[start as u64, 0, 0, 0]); + let mut deltaomega = deltaomega * &omega.pow_vartime([start as u64, 0, 0, 0]); for (modified_values, value) in modified_values .iter_mut() .zip(values[column.index()][start..].iter()) diff --git a/halo2_proofs/src/plonk/permutation/verifier.rs b/halo2_proofs/src/plonk/permutation/verifier.rs index b892d172..a33b210e 100644 --- a/halo2_proofs/src/plonk/permutation/verifier.rs +++ b/halo2_proofs/src/plonk/permutation/verifier.rs @@ -182,7 +182,7 @@ impl Evaluated { let mut right = set.permutation_product_eval; let mut current_delta = (*beta * &*x) - * &(C::Scalar::DELTA.pow_vartime(&[(chunk_index * chunk_len) as u64])); + * &(C::Scalar::DELTA.pow_vartime([(chunk_index * chunk_len) as u64])); for eval in columns.iter().map(|&column| match column.column_type() { Any::Advice(_) => { advice_evals[vk.cs.get_any_query_index(column, Rotation::cur())] diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index c99d5e46..a38b1a75 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -212,7 +212,7 @@ pub fn create_proof< challenges: self.challenges, instances: self.instances, rw_rows: sub_range.clone(), - usable_rows: self.usable_rows.clone(), + usable_rows: self.usable_rows, _marker: Default::default(), }); } @@ -397,15 +397,15 @@ pub fn create_proof< #[cfg(feature = "phase-check")] { for (idx, advice_col) in witness.advice_vec.iter().enumerate() { - if pk.vk.cs.advice_column_phase[idx].0 < current_phase.0 { - if advice_assignments[circuit_idx][idx].values != advice_col.values { - log::error!( - "advice column {}(at {:?}) changed when {:?}", - idx, - pk.vk.cs.advice_column_phase[idx], - current_phase - ); - } + if pk.vk.cs.advice_column_phase[idx].0 < current_phase.0 + && advice_assignments[circuit_idx][idx].values != advice_col.values + { + log::error!( + "advice column {}(at {:?}) changed when {:?}", + idx, + pk.vk.cs.advice_column_phase[idx], + current_phase + ); } } } diff --git a/halo2_proofs/src/poly/domain.rs b/halo2_proofs/src/poly/domain.rs index a753cb85..1d94a8d8 100644 --- a/halo2_proofs/src/poly/domain.rs +++ b/halo2_proofs/src/poly/domain.rs @@ -85,8 +85,8 @@ impl EvaluationDomain { { // Compute the evaluations of t(X) = X^n - 1 in the coset evaluation domain. // We don't have to compute all of them, because it will repeat. - let orig = G::Scalar::ZETA.pow_vartime(&[n as u64, 0, 0, 0]); - let step = extended_omega.pow_vartime(&[n as u64, 0, 0, 0]); + let orig = G::Scalar::ZETA.pow_vartime([n as u64, 0, 0, 0]); + let step = extended_omega.pow_vartime([n as u64, 0, 0, 0]); let mut cur = orig; loop { t_evaluations.push(cur); @@ -396,11 +396,11 @@ impl EvaluationDomain { pub fn rotate_omega(&self, value: G::Scalar, rotation: Rotation) -> G::Scalar { let mut point = value; if rotation.0 >= 0 { - point *= &self.get_omega().pow_vartime(&[rotation.0 as u64]); + point *= &self.get_omega().pow_vartime([rotation.0 as u64]); } else { point *= &self .get_omega_inv() - .pow_vartime(&[(rotation.0 as i64).unsigned_abs()]); + .pow_vartime([(rotation.0 as i64).unsigned_abs()]); } point } diff --git a/halo2_proofs/src/poly/kzg/commitment.rs b/halo2_proofs/src/poly/kzg/commitment.rs index d7ce1cc0..910e8dac 100644 --- a/halo2_proofs/src/poly/kzg/commitment.rs +++ b/halo2_proofs/src/poly/kzg/commitment.rs @@ -78,7 +78,7 @@ impl ParamsKZG { let mut g_projective = vec![E::G1::group_zero(); n as usize]; parallelize(&mut g_projective, |g, start| { let mut current_g: E::G1 = g1.into(); - current_g *= s.pow_vartime(&[start as u64]); + current_g *= s.pow_vartime([start as u64]); for g in g.iter_mut() { *g = current_g; current_g *= s; @@ -100,11 +100,11 @@ impl ParamsKZG { } let n_inv = Option::::from(E::Scalar::from(n).invert()) .expect("inversion should be ok for n = 1< Date: Fri, 10 Mar 2023 16:10:13 +0800 Subject: [PATCH 21/70] clippy --- halo2_proofs/src/dev.rs | 3 ++- halo2_proofs/src/dev/graph/layout.rs | 4 ++-- 2 files changed, 4 insertions(+), 3 deletions(-) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index a10421f7..428a812a 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -555,7 +555,8 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { .ok_or(Error::BoundsFailure)? = assigned; #[cfg(feature = "phase-check")] - if false && self.current_phase.0 > column.column_type().phase.0 { + // if false && self.current_phase.0 > column.column_type().phase.0 { + if false { // Some circuits assign cells more than one times with different values // So this check sometimes can be false alarm if !self.advice_prev.is_empty() && self.advice_prev[column.index()][row] != assigned { diff --git a/halo2_proofs/src/dev/graph/layout.rs b/halo2_proofs/src/dev/graph/layout.rs index 981266f9..af4b2a01 100644 --- a/halo2_proofs/src/dev/graph/layout.rs +++ b/halo2_proofs/src/dev/graph/layout.rs @@ -181,7 +181,7 @@ impl CircuitLayout { root.draw(&Rectangle::new( [(0, 0), (total_columns, view_bottom)], - &BLACK, + BLACK, ))?; let draw_region = |root: &DrawingArea<_, _>, top_left, bottom_right| { @@ -197,7 +197,7 @@ impl CircuitLayout { [top_left, bottom_right], ShapeStyle::from(&GREEN.mix(0.2)).filled(), ))?; - root.draw(&Rectangle::new([top_left, bottom_right], &BLACK))?; + root.draw(&Rectangle::new([top_left, bottom_right], BLACK))?; Ok(()) }; From 2e9710ca3d5291a566a813866e268b994b543249 Mon Sep 17 00:00:00 2001 From: zhenfei Date: Thu, 23 Mar 2023 16:50:46 -0400 Subject: [PATCH 22/70] [chore] update cargo.toml --- halo2_proofs/Cargo.toml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/halo2_proofs/Cargo.toml b/halo2_proofs/Cargo.toml index de5a92a3..9afcc0ca 100644 --- a/halo2_proofs/Cargo.toml +++ b/halo2_proofs/Cargo.toml @@ -48,14 +48,14 @@ backtrace = { version = "0.3", optional = true } rayon = "1.5.1" ff = "0.12" group = "0.12" -halo2curves = { git = 'https://github.com/privacy-scaling-explorations/halo2curves.git', tag = "0.3.1" } +halo2curves = { git = 'https://github.com/scroll-tech/halo2curves.git', branch = "0.3.1-derive-serde" } rand_core = { version = "0.6", default-features = false } tracing = "0.1" blake2b_simd = "1" sha3 = "0.9.1" subtle = "2.3" cfg-if = "0.1" -poseidon = { git = 'https://github.com/privacy-scaling-explorations/poseidon.git' } #, branch = 'circuit' } +poseidon = { git = "https://github.com/scroll-tech/poseidon.git", branch = "scroll-dev-0220" } num-integer = "0.1" num-bigint = { version = "0.4", features = ["rand"] } From 11633956720dfcc5c51d6a4e1f553cf1254ae1b1 Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Wed, 29 Mar 2023 11:12:00 +0800 Subject: [PATCH 23/70] add num_simple_selector --- halo2_proofs/src/plonk/circuit.rs | 3 +++ 1 file changed, 3 insertions(+) diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index d591c46c..96a1abdb 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -1366,6 +1366,7 @@ pub struct ConstraintSystem { pub num_fixed_columns: usize, pub num_advice_columns: usize, pub num_instance_columns: usize, + pub num_simple_selectors: usize, pub num_selectors: usize, pub(crate) num_challenges: usize, @@ -1468,6 +1469,7 @@ impl Default for ConstraintSystem { num_fixed_columns: 0, num_advice_columns: 0, num_instance_columns: 0, + num_simple_selectors: 0, num_selectors: 0, num_challenges: 0, advice_column_phase: Vec::new(), @@ -1846,6 +1848,7 @@ impl ConstraintSystem { /// inputs. pub fn selector(&mut self) -> Selector { let index = self.num_selectors; + self.num_simple_selectors += 1; self.num_selectors += 1; Selector(index, true) } From b9cfd5614e6340c8f0236136b305193d0703e766 Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Wed, 29 Mar 2023 11:46:15 +0800 Subject: [PATCH 24/70] lock poseidon version --- .gitignore | 1 - Cargo.lock | 2209 +++++++++++++++++++++++++++++++++++++++ halo2_proofs/Cargo.toml | 2 +- 3 files changed, 2210 insertions(+), 2 deletions(-) create mode 100644 Cargo.lock diff --git a/.gitignore b/.gitignore index f2af733b..317814d1 100644 --- a/.gitignore +++ b/.gitignore @@ -1,6 +1,5 @@ /target **/*.rs.bk -Cargo.lock .vscode **/*.html .DS_Store diff --git a/Cargo.lock b/Cargo.lock new file mode 100644 index 00000000..40d1e8ba --- /dev/null +++ b/Cargo.lock @@ -0,0 +1,2209 @@ +# This file is automatically @generated by Cargo. +# It is not intended for manual editing. +version = 3 + +[[package]] +name = "addr2line" +version = "0.17.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "b9ecd88a8c8378ca913a680cd98f0f13ac67383d35993f86c90a70e3f137816b" +dependencies = [ + "gimli", +] + +[[package]] +name = "adler" +version = "1.0.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "f26201604c87b1e01bd3d98f8d5d9a8fcbb815e8cedb41ffccbeb4bf593a35fe" + +[[package]] +name = "adler32" +version = "1.2.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "aae1277d39aeec15cb388266ecc24b11c80469deae6067e17a1a7aa9e5c1f234" + +[[package]] +name = "ahash" +version = "0.7.6" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "fcb51a0695d8f838b1ee009b3fbf66bda078cd64590202a864a8f3e8c4315c47" +dependencies = [ + "getrandom", + "once_cell", + "version_check", +] + +[[package]] +name = "aho-corasick" +version = "0.7.18" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "1e37cfd5e7657ada45f742d6e99ca5788580b5c529dc78faf11ece6dc702656f" +dependencies = [ + "memchr", +] + +[[package]] +name = "anyhow" +version = "1.0.56" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "4361135be9122e0870de935d7c439aef945b9f9ddd4199a553b5270b49c82a27" + +[[package]] +name = "ark-std" +version = "0.3.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "1df2c09229cbc5a028b1d70e00fdb2acee28b1055dfb5ca73eea49c5a25c4e7c" +dependencies = [ + "colored", + "num-traits", + "rand", +] + +[[package]] +name = "arrayref" +version = "0.3.6" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "a4c527152e37cf757a3f78aae5a06fbeefdb07ccc535c980a3208ee3060dd544" + +[[package]] +name = "arrayvec" +version = "0.4.12" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "cd9fd44efafa8690358b7408d253adf110036b88f55672a933f01d616ad9b1b9" +dependencies = [ + "nodrop", +] + +[[package]] +name = "arrayvec" +version = "0.7.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "8da52d66c7071e2e3fa2a1e5c6d088fec47b593032b254f5e980de8ea54454d6" + +[[package]] +name = "assert_matches" +version = "1.5.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9b34d609dfbaf33d6889b2b7106d3ca345eacad44200913df5ba02bfd31d2ba9" + +[[package]] +name = "atty" +version = "0.2.14" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d9b39be18770d11421cdb1b9947a45dd3f37e93092cbf377614828a319d5fee8" +dependencies = [ + "hermit-abi", + "libc", + "winapi", +] + +[[package]] +name = "autocfg" +version = "1.1.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d468802bab17cbc0cc575e9b053f41e72aa36bfa6b7f55e3529ffa43161b97fa" + +[[package]] +name = "backtrace" +version = "0.3.64" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "5e121dee8023ce33ab248d9ce1493df03c3b38a659b240096fcbd7048ff9c31f" +dependencies = [ + "addr2line", + "cc", + "cfg-if 1.0.0", + "libc", + "miniz_oxide 0.4.4", + "object", + "rustc-demangle", +] + +[[package]] +name = "bit-set" +version = "0.5.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "6e11e16035ea35e4e5997b393eacbf6f63983188f7a2ad25bfb13465f5ad59de" +dependencies = [ + "bit-vec", +] + +[[package]] +name = "bit-vec" +version = "0.6.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "349f9b6a179ed607305526ca489b34ad0a41aed5f7980fa90eb03160b69598fb" + +[[package]] +name = "bitflags" +version = "1.3.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "bef38d45163c2f1dde094a7dfd33ccf595c92905c8f8f4fdc18d06fb1037718a" + +[[package]] +name = "bitvec" +version = "1.0.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "1bc2832c24239b0141d5674bb9174f9d68a8b5b3f2753311927c172ca46f7e9c" +dependencies = [ + "funty", + "radium", + "tap", + "wyz", +] + +[[package]] +name = "blake2b_simd" +version = "1.0.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "72936ee4afc7f8f736d1c38383b56480b5497b4617b4a77bdbf1d2ababc76127" +dependencies = [ + "arrayref", + "arrayvec 0.7.2", + "constant_time_eq", +] + +[[package]] +name = "block-buffer" +version = "0.9.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "4152116fd6e9dadb291ae18fc1ec3575ed6d84c29642d97890f4b4a3417297e4" +dependencies = [ + "block-padding", + "generic-array", +] + +[[package]] +name = "block-padding" +version = "0.2.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "8d696c370c750c948ada61c69a0ee2cbbb9c50b1019ddb86d9317157a99c2cae" + +[[package]] +name = "bstr" +version = "0.2.17" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "ba3569f383e8f1598449f1a423e72e99569137b47740b1da11ef19af3d5c3223" +dependencies = [ + "lazy_static", + "memchr", + "regex-automata", + "serde", +] + +[[package]] +name = "bumpalo" +version = "3.8.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "8f1e260c3a9040a7c19a12468758f4c16f31a81a1fe087482be9570ec864bb6c" + +[[package]] +name = "bytemuck" +version = "1.9.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "cdead85bdec19c194affaeeb670c0e41fe23de31459efd1c174d049269cf02cc" + +[[package]] +name = "byteorder" +version = "1.4.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "14c189c53d098945499cdfa7ecc63567cf3886b3332b312a5b4585d8d3a6a610" + +[[package]] +name = "cast" +version = "0.2.7" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "4c24dab4283a142afa2fdca129b80ad2c6284e073930f964c3a1293c225ee39a" +dependencies = [ + "rustc_version 0.4.0", +] + +[[package]] +name = "cc" +version = "1.0.73" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "2fff2a6927b3bb87f9595d67196a70493f627687a71d87a0d692242c33f58c11" + +[[package]] +name = "cfg-if" +version = "0.1.10" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "4785bdd1c96b2a846b2bd7cc02e86b6b3dbf14e7e53446c4f54c92a361040822" + +[[package]] +name = "cfg-if" +version = "1.0.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "baf1de4339761588bc0619e3cbc0120ee582ebb74b53b4efbf79117bd2da40fd" + +[[package]] +name = "chrono" +version = "0.4.19" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "670ad68c9088c2a963aaa298cb369688cf3f9465ce5e2d4ca10e6e0098a1ce73" +dependencies = [ + "libc", + "num-integer", + "num-traits", + "time", + "winapi", +] + +[[package]] +name = "clap" +version = "2.34.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "a0610544180c38b88101fecf2dd634b174a62eef6946f84dfc6a7127512b381c" +dependencies = [ + "bitflags", + "textwrap", + "unicode-width", +] + +[[package]] +name = "cmake" +version = "0.1.48" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "e8ad8cef104ac57b68b89df3208164d228503abbdce70f6880ffa3d970e7443a" +dependencies = [ + "cc", +] + +[[package]] +name = "color_quant" +version = "1.1.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "3d7b894f5411737b7867f4827955924d7c254fc9f4d91a6aad6b097804b1018b" + +[[package]] +name = "colored" +version = "2.0.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "b3616f750b84d8f0de8a58bda93e08e2a81ad3f523089b05f1dffecab48c6cbd" +dependencies = [ + "atty", + "lazy_static", + "winapi", +] + +[[package]] +name = "constant_time_eq" +version = "0.1.5" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "245097e9a4535ee1e3e3931fcfcd55a796a44c643e8596ff6566d68f09b87bbc" + +[[package]] +name = "core-foundation" +version = "0.9.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "194a7a9e6de53fa55116934067c844d9d749312f75c6f6d0980e8c252f8c2146" +dependencies = [ + "core-foundation-sys", + "libc", +] + +[[package]] +name = "core-foundation-sys" +version = "0.8.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "5827cebf4670468b8772dd191856768aedcb1b0278a04f989f7766351917b9dc" + +[[package]] +name = "core-graphics" +version = "0.22.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "2581bbab3b8ffc6fcbd550bf46c355135d16e9ff2a6ea032ad6b9bf1d7efe4fb" +dependencies = [ + "bitflags", + "core-foundation", + "core-graphics-types", + "foreign-types", + "libc", +] + +[[package]] +name = "core-graphics-types" +version = "0.1.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "3a68b68b3446082644c91ac778bf50cd4104bfb002b5a6a7c44cca5a2c70788b" +dependencies = [ + "bitflags", + "core-foundation", + "foreign-types", + "libc", +] + +[[package]] +name = "core-text" +version = "19.2.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "99d74ada66e07c1cefa18f8abfba765b486f250de2e4a999e5727fc0dd4b4a25" +dependencies = [ + "core-foundation", + "core-graphics", + "foreign-types", + "libc", +] + +[[package]] +name = "cpp_demangle" +version = "0.3.5" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "eeaa953eaad386a53111e47172c2fedba671e5684c8dd601a5f474f4f118710f" +dependencies = [ + "cfg-if 1.0.0", +] + +[[package]] +name = "cpufeatures" +version = "0.2.5" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "28d997bd5e24a5928dd43e46dc529867e207907fe0b239c3477d924f7f2ca320" +dependencies = [ + "libc", +] + +[[package]] +name = "crc32fast" +version = "1.3.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "b540bd8bc810d3885c6ea91e2018302f68baba2129ab3e88f32389ee9370880d" +dependencies = [ + "cfg-if 1.0.0", +] + +[[package]] +name = "criterion" +version = "0.3.5" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "1604dafd25fba2fe2d5895a9da139f8dc9b319a5fe5354ca137cbbce4e178d10" +dependencies = [ + "atty", + "cast", + "clap", + "criterion-plot", + "csv", + "itertools", + "lazy_static", + "num-traits", + "oorandom", + "plotters", + "rayon", + "regex", + "serde", + "serde_cbor", + "serde_derive", + "serde_json", + "tinytemplate", + "walkdir", +] + +[[package]] +name = "criterion-plot" +version = "0.4.4" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d00996de9f2f7559f7f4dc286073197f83e92256a59ed395f9aac01fe717da57" +dependencies = [ + "cast", + "itertools", +] + +[[package]] +name = "crossbeam" +version = "0.8.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "2801af0d36612ae591caa9568261fddce32ce6e08a7275ea334a06a4ad021a2c" +dependencies = [ + "cfg-if 1.0.0", + "crossbeam-channel", + "crossbeam-deque", + "crossbeam-epoch", + "crossbeam-queue", + "crossbeam-utils", +] + +[[package]] +name = "crossbeam-channel" +version = "0.5.4" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "5aaa7bd5fb665c6864b5f963dd9097905c54125909c7aa94c9e18507cdbe6c53" +dependencies = [ + "cfg-if 1.0.0", + "crossbeam-utils", +] + +[[package]] +name = "crossbeam-deque" +version = "0.8.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "6455c0ca19f0d2fbf751b908d5c55c1f5cbc65e03c4225427254b46890bdde1e" +dependencies = [ + "cfg-if 1.0.0", + "crossbeam-epoch", + "crossbeam-utils", +] + +[[package]] +name = "crossbeam-epoch" +version = "0.9.8" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "1145cf131a2c6ba0615079ab6a638f7e1973ac9c2634fcbeaaad6114246efe8c" +dependencies = [ + "autocfg", + "cfg-if 1.0.0", + "crossbeam-utils", + "lazy_static", + "memoffset", + "scopeguard", +] + +[[package]] +name = "crossbeam-queue" +version = "0.3.8" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d1cfb3ea8a53f37c40dea2c7bedcbd88bdfae54f5e2175d6ecaff1c988353add" +dependencies = [ + "cfg-if 1.0.0", + "crossbeam-utils", +] + +[[package]] +name = "crossbeam-utils" +version = "0.8.8" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "0bf124c720b7686e3c2663cf54062ab0f68a88af2fb6a030e87e30bf721fcb38" +dependencies = [ + "cfg-if 1.0.0", + "lazy_static", +] + +[[package]] +name = "crunchy" +version = "0.2.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "7a81dae078cea95a014a339291cec439d2f232ebe854a9d672b796c6afafa9b7" + +[[package]] +name = "csv" +version = "1.1.6" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "22813a6dc45b335f9bade10bf7271dc477e81113e89eb251a0bc2a8a81c536e1" +dependencies = [ + "bstr", + "csv-core", + "itoa 0.4.8", + "ryu", + "serde", +] + +[[package]] +name = "csv-core" +version = "0.1.10" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "2b2466559f260f48ad25fe6317b3c8dac77b5bdb5763ac7d9d6103530663bc90" +dependencies = [ + "memchr", +] + +[[package]] +name = "darling" +version = "0.10.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "0d706e75d87e35569db781a9b5e2416cff1236a47ed380831f959382ccd5f858" +dependencies = [ + "darling_core", + "darling_macro", +] + +[[package]] +name = "darling_core" +version = "0.10.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "f0c960ae2da4de88a91b2d920c2a7233b400bc33cb28453a2987822d8392519b" +dependencies = [ + "fnv", + "ident_case", + "proc-macro2", + "quote", + "strsim", + "syn", +] + +[[package]] +name = "darling_macro" +version = "0.10.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d9b5a2f4ac4969822c62224815d069952656cadc7084fdca9751e6d959189b72" +dependencies = [ + "darling_core", + "quote", + "syn", +] + +[[package]] +name = "debugid" +version = "0.7.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d6ee87af31d84ef885378aebca32be3d682b0e0dc119d5b4860a2c5bb5046730" +dependencies = [ + "uuid", +] + +[[package]] +name = "deflate" +version = "0.8.6" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "73770f8e1fe7d64df17ca66ad28994a0a623ea497fa69486e14984e715c5d174" +dependencies = [ + "adler32", + "byteorder", +] + +[[package]] +name = "derive_builder" +version = "0.9.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "a2658621297f2cf68762a6f7dc0bb7e1ff2cfd6583daef8ee0fed6f7ec468ec0" +dependencies = [ + "darling", + "derive_builder_core", + "proc-macro2", + "quote", + "syn", +] + +[[package]] +name = "derive_builder_core" +version = "0.9.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "2791ea3e372c8495c0bc2033991d76b512cd799d07491fbd6890124db9458bef" +dependencies = [ + "darling", + "proc-macro2", + "quote", + "syn", +] + +[[package]] +name = "digest" +version = "0.9.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d3dd60d1080a57a05ab032377049e0591415d2b31afd7028356dbf3cc6dcb066" +dependencies = [ + "generic-array", +] + +[[package]] +name = "dirs-next" +version = "2.0.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "b98cf8ebf19c3d1b223e151f99a4f9f0690dca41414773390fc824184ac833e1" +dependencies = [ + "cfg-if 1.0.0", + "dirs-sys-next", +] + +[[package]] +name = "dirs-sys-next" +version = "0.1.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "4ebda144c4fe02d1f7ea1a7d9641b6fc6b580adcfa024ae48797ecdeb6825b4d" +dependencies = [ + "libc", + "redox_users", + "winapi", +] + +[[package]] +name = "dwrote" +version = "0.11.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "439a1c2ba5611ad3ed731280541d36d2e9c4ac5e7fb818a27b604bdc5a6aa65b" +dependencies = [ + "lazy_static", + "libc", + "winapi", + "wio", +] + +[[package]] +name = "either" +version = "1.6.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "e78d4f1cc4ae33bbfc157ed5d5a5ef3bc29227303d595861deb238fcec4e9457" + +[[package]] +name = "env_logger" +version = "0.8.4" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "a19187fea3ac7e84da7dacf48de0c45d63c6a76f9490dae389aead16c243fce3" +dependencies = [ + "atty", + "humantime", + "log", + "regex", + "termcolor", +] + +[[package]] +name = "expat-sys" +version = "2.1.6" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "658f19728920138342f68408b7cf7644d90d4784353d8ebc32e7e8663dbe45fa" +dependencies = [ + "cmake", + "pkg-config", +] + +[[package]] +name = "fastrand" +version = "1.7.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "c3fcf0cee53519c866c09b5de1f6c56ff9d647101f81c1964fa632e148896cdf" +dependencies = [ + "instant", +] + +[[package]] +name = "ff" +version = "0.12.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "df689201f395c6b90dfe87127685f8dbfc083a5e779e613575d8bd7314300c3e" +dependencies = [ + "bitvec", + "rand_core", + "subtle", +] + +[[package]] +name = "findshlibs" +version = "0.10.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "40b9e59cd0f7e0806cca4be089683ecb6434e602038df21fe6bf6711b2f07f64" +dependencies = [ + "cc", + "lazy_static", + "libc", + "winapi", +] + +[[package]] +name = "float-ord" +version = "0.2.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "7bad48618fdb549078c333a7a8528acb57af271d0433bdecd523eb620628364e" + +[[package]] +name = "fnv" +version = "1.0.7" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "3f9eec918d3f24069decb9af1554cad7c880e2da24a9afd88aca000531ab82c1" + +[[package]] +name = "font-kit" +version = "0.10.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "46c9a156ec38864999bc9c4156e5f3b50224d4a5578028a64e5a3875caa9ee28" +dependencies = [ + "bitflags", + "byteorder", + "core-foundation", + "core-graphics", + "core-text", + "dirs-next", + "dwrote", + "float-ord", + "freetype", + "lazy_static", + "libc", + "log", + "pathfinder_geometry", + "pathfinder_simd", + "servo-fontconfig", + "walkdir", + "winapi", +] + +[[package]] +name = "foreign-types" +version = "0.3.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "f6f339eb8adc052cd2ca78910fda869aefa38d22d5cb648e6485e4d3fc06f3b1" +dependencies = [ + "foreign-types-shared", +] + +[[package]] +name = "foreign-types-shared" +version = "0.1.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "00b0228411908ca8685dba7fc2cdd70ec9990a6e753e89b6ac91a84c40fbaf4b" + +[[package]] +name = "freetype" +version = "0.7.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "bee38378a9e3db1cc693b4f88d166ae375338a0ff75cb8263e1c601d51f35dc6" +dependencies = [ + "freetype-sys", + "libc", +] + +[[package]] +name = "freetype-sys" +version = "0.13.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "a37d4011c0cc628dfa766fcc195454f4b068d7afdc2adfd28861191d866e731a" +dependencies = [ + "cmake", + "libc", + "pkg-config", +] + +[[package]] +name = "funty" +version = "2.0.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "e6d5a32815ae3f33302d95fdcb2ce17862f8c65363dcfd29360480ba1001fc9c" + +[[package]] +name = "generic-array" +version = "0.14.6" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "bff49e947297f3312447abdca79f45f4738097cc82b06e72054d2223f601f1b9" +dependencies = [ + "typenum", + "version_check", +] + +[[package]] +name = "getrandom" +version = "0.2.6" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9be70c98951c83b8d2f8f60d7065fa6d5146873094452a1008da8c2f1e4205ad" +dependencies = [ + "cfg-if 1.0.0", + "js-sys", + "libc", + "wasi", + "wasm-bindgen", +] + +[[package]] +name = "gif" +version = "0.11.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "c3a7187e78088aead22ceedeee99779455b23fc231fe13ec443f99bb71694e5b" +dependencies = [ + "color_quant", + "weezl", +] + +[[package]] +name = "gimli" +version = "0.26.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "78cc372d058dcf6d5ecd98510e7fbc9e5aec4d21de70f65fea8fecebcd881bd4" + +[[package]] +name = "group" +version = "0.12.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "7391856def869c1c81063a03457c676fbcd419709c3dfb33d8d319de484b154d" +dependencies = [ + "byteorder", + "ff", + "rand_core", + "subtle", +] + +[[package]] +name = "gumdrop" +version = "0.8.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "5bc700f989d2f6f0248546222d9b4258f5b02a171a431f8285a81c08142629e3" +dependencies = [ + "gumdrop_derive", +] + +[[package]] +name = "gumdrop_derive" +version = "0.8.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "729f9bd3449d77e7831a18abfb7ba2f99ee813dfd15b8c2167c9a54ba20aa99d" +dependencies = [ + "proc-macro2", + "quote", + "syn", +] + +[[package]] +name = "half" +version = "1.8.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "eabb4a44450da02c90444cf74558da904edde8fb4e9035a9a6a4e15445af0bd7" + +[[package]] +name = "halo2" +version = "0.1.0-beta.2" +dependencies = [ + "halo2_proofs", +] + +[[package]] +name = "halo2_gadgets" +version = "0.2.0" +dependencies = [ + "arrayvec 0.7.2", + "bitvec", + "criterion", + "ff", + "group", + "halo2_proofs", + "halo2curves 0.2.1", + "lazy_static", + "plotters", + "pprof", + "proptest", + "rand", + "subtle", + "uint", +] + +[[package]] +name = "halo2_proofs" +version = "0.2.0" +dependencies = [ + "ark-std", + "assert_matches", + "backtrace", + "blake2b_simd", + "cfg-if 0.1.10", + "criterion", + "crossbeam", + "env_logger", + "ff", + "getrandom", + "group", + "gumdrop", + "halo2curves 0.3.1", + "log", + "num-bigint", + "num-integer", + "plotters", + "poseidon", + "proptest", + "rand_core", + "rayon", + "sha3", + "subtle", + "tabbycat", + "tracing", +] + +[[package]] +name = "halo2curves" +version = "0.2.1" +source = "git+https://github.com/privacy-scaling-explorations/halo2curves?tag=0.3.0#83c72d49762343ffc9576ca11a2aa615efe1029b" +dependencies = [ + "ff", + "group", + "lazy_static", + "num-bigint", + "num-traits", + "pasta_curves", + "rand", + "rand_core", + "static_assertions", + "subtle", +] + +[[package]] +name = "halo2curves" +version = "0.3.1" +source = "git+https://github.com/privacy-scaling-explorations/halo2curves.git?tag=0.3.1#9b67e19bca30a35208b0c1b41c1723771e2c9f49" +dependencies = [ + "ff", + "group", + "lazy_static", + "num-bigint", + "num-traits", + "pasta_curves", + "rand", + "rand_core", + "static_assertions", + "subtle", +] + +[[package]] +name = "hashbrown" +version = "0.11.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "ab5ef0d4909ef3724cc8cce6ccc8572c5c817592e9285f5464f8e86f8bd3726e" + +[[package]] +name = "hermit-abi" +version = "0.1.19" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "62b467343b94ba476dcb2500d242dadbb39557df889310ac77c5d99100aaac33" +dependencies = [ + "libc", +] + +[[package]] +name = "hex" +version = "0.4.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "7f24254aa9a54b5c858eaee2f5bccdb46aaf0e486a595ed5fd8f86ba55232a70" + +[[package]] +name = "humantime" +version = "2.1.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9a3a5bfb195931eeb336b2a7b4d761daec841b97f947d34394601737a7bba5e4" + +[[package]] +name = "ident_case" +version = "1.0.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "b9e0384b61958566e926dc50660321d12159025e767c18e043daf26b70104c39" + +[[package]] +name = "image" +version = "0.23.14" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "24ffcb7e7244a9bf19d35bf2883b9c080c4ced3c07a9895572178cdb8f13f6a1" +dependencies = [ + "bytemuck", + "byteorder", + "color_quant", + "jpeg-decoder", + "num-iter", + "num-rational", + "num-traits", + "png", +] + +[[package]] +name = "indexmap" +version = "1.8.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "0f647032dfaa1f8b6dc29bd3edb7bbef4861b8b8007ebb118d6db284fd59f6ee" +dependencies = [ + "autocfg", + "hashbrown", +] + +[[package]] +name = "inferno" +version = "0.11.7" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9709543bd6c25fdc748da2bed0f6855b07b7e93a203ae31332ac2101ab2f4782" +dependencies = [ + "ahash", + "atty", + "indexmap", + "itoa 1.0.1", + "log", + "num-format", + "once_cell", + "quick-xml", + "rgb", + "str_stack", +] + +[[package]] +name = "instant" +version = "0.1.12" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "7a5bbe824c507c5da5956355e86a746d82e0e1464f65d862cc5e71da70e94b2c" +dependencies = [ + "cfg-if 1.0.0", +] + +[[package]] +name = "itertools" +version = "0.10.5" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "b0fd2260e829bddf4cb6ea802289de2f86d6a7a690192fbe91b3f46e0f2c8473" +dependencies = [ + "either", +] + +[[package]] +name = "itoa" +version = "0.4.8" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "b71991ff56294aa922b450139ee08b3bfc70982c6b2c7562771375cf73542dd4" + +[[package]] +name = "itoa" +version = "1.0.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "1aab8fc367588b89dcee83ab0fd66b72b50b72fa1904d7095045ace2b0c81c35" + +[[package]] +name = "jpeg-decoder" +version = "0.1.22" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "229d53d58899083193af11e15917b5640cd40b29ff475a1fe4ef725deb02d0f2" + +[[package]] +name = "js-sys" +version = "0.3.57" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "671a26f820db17c2a2750743f1dd03bafd15b98c9f30c7c2628c024c05d73397" +dependencies = [ + "wasm-bindgen", +] + +[[package]] +name = "keccak" +version = "0.1.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "3afef3b6eff9ce9d8ff9b3601125eec7f0c8cbac7abd14f355d053fa56c98768" +dependencies = [ + "cpufeatures", +] + +[[package]] +name = "lazy_static" +version = "1.4.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "e2abad23fbc42b3700f2f279844dc832adb2b2eb069b2df918f455c4e18cc646" + +[[package]] +name = "libc" +version = "0.2.137" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "fc7fcc620a3bff7cdd7a365be3376c97191aeaccc2a603e600951e452615bf89" + +[[package]] +name = "lock_api" +version = "0.4.7" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "327fa5b6a6940e4699ec49a9beae1ea4845c6bab9314e4f84ac68742139d8c53" +dependencies = [ + "autocfg", + "scopeguard", +] + +[[package]] +name = "log" +version = "0.4.17" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "abb12e687cfb44aa40f41fc3978ef76448f9b6038cad6aef4259d3c095a2382e" +dependencies = [ + "cfg-if 1.0.0", +] + +[[package]] +name = "memchr" +version = "2.5.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "2dffe52ecf27772e601905b7522cb4ef790d2cc203488bbd0e2fe85fcb74566d" + +[[package]] +name = "memmap2" +version = "0.5.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "057a3db23999c867821a7a59feb06a578fcb03685e983dff90daf9e7d24ac08f" +dependencies = [ + "libc", +] + +[[package]] +name = "memoffset" +version = "0.6.5" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "5aa361d4faea93603064a027415f07bd8e1d5c88c9fbf68bf56a285428fd79ce" +dependencies = [ + "autocfg", +] + +[[package]] +name = "miniz_oxide" +version = "0.3.7" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "791daaae1ed6889560f8c4359194f56648355540573244a5448a83ba1ecc7435" +dependencies = [ + "adler32", +] + +[[package]] +name = "miniz_oxide" +version = "0.4.4" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "a92518e98c078586bc6c934028adcca4c92a53d6a958196de835170a01d84e4b" +dependencies = [ + "adler", + "autocfg", +] + +[[package]] +name = "nix" +version = "0.23.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9f866317acbd3a240710c63f065ffb1e4fd466259045ccb504130b7f668f35c6" +dependencies = [ + "bitflags", + "cc", + "cfg-if 1.0.0", + "libc", + "memoffset", +] + +[[package]] +name = "nodrop" +version = "0.1.14" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "72ef4a56884ca558e5ddb05a1d1e7e1bfd9a68d9ed024c21704cc98872dae1bb" + +[[package]] +name = "num-bigint" +version = "0.4.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "f93ab6289c7b344a8a9f60f88d80aa20032336fe78da341afc91c8a2341fc75f" +dependencies = [ + "autocfg", + "num-integer", + "num-traits", + "rand", +] + +[[package]] +name = "num-format" +version = "0.4.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "bafe4179722c2894288ee77a9f044f02811c86af699344c498b0840c698a2465" +dependencies = [ + "arrayvec 0.4.12", + "itoa 0.4.8", +] + +[[package]] +name = "num-integer" +version = "0.1.44" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d2cc698a63b549a70bc047073d2949cce27cd1c7b0a4a862d08a8031bc2801db" +dependencies = [ + "autocfg", + "num-traits", +] + +[[package]] +name = "num-iter" +version = "0.1.42" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "b2021c8337a54d21aca0d59a92577a029af9431cb59b909b03252b9c164fad59" +dependencies = [ + "autocfg", + "num-integer", + "num-traits", +] + +[[package]] +name = "num-rational" +version = "0.3.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "12ac428b1cb17fce6f731001d307d351ec70a6d202fc2e60f7d4c5e42d8f4f07" +dependencies = [ + "autocfg", + "num-integer", + "num-traits", +] + +[[package]] +name = "num-traits" +version = "0.2.14" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9a64b1ec5cda2586e284722486d802acf1f7dbdc623e2bfc57e65ca1cd099290" +dependencies = [ + "autocfg", +] + +[[package]] +name = "num_cpus" +version = "1.13.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "19e64526ebdee182341572e50e9ad03965aa510cd94427a4549448f285e957a1" +dependencies = [ + "hermit-abi", + "libc", +] + +[[package]] +name = "object" +version = "0.27.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "67ac1d3f9a1d3616fd9a60c8d74296f22406a238b6a72f5cc1e6f314df4ffbf9" +dependencies = [ + "memchr", +] + +[[package]] +name = "once_cell" +version = "1.15.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "e82dad04139b71a90c080c8463fe0dc7902db5192d939bd0950f074d014339e1" + +[[package]] +name = "oorandom" +version = "11.1.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "0ab1bc2a289d34bd04a330323ac98a1b4bc82c9d9fcb1e66b63caa84da26b575" + +[[package]] +name = "opaque-debug" +version = "0.3.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "624a8340c38c1b80fd549087862da4ba43e08858af025b236e509b6649fc13d5" + +[[package]] +name = "parking_lot" +version = "0.12.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "3742b2c103b9f06bc9fff0a37ff4912935851bee6d36f3c02bcc755bcfec228f" +dependencies = [ + "lock_api", + "parking_lot_core", +] + +[[package]] +name = "parking_lot_core" +version = "0.9.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "09a279cbf25cb0757810394fbc1e359949b59e348145c643a939a525692e6929" +dependencies = [ + "cfg-if 1.0.0", + "libc", + "redox_syscall", + "smallvec", + "windows-sys", +] + +[[package]] +name = "pasta_curves" +version = "0.4.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "369d7785168ad7ff0cbe467d968ca3e19a927d8536b11ef9c21b4e454b15ba42" +dependencies = [ + "blake2b_simd", + "ff", + "group", + "lazy_static", + "rand", + "static_assertions", + "subtle", +] + +[[package]] +name = "pathfinder_geometry" +version = "0.5.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "0b7b7e7b4ea703700ce73ebf128e1450eb69c3a8329199ffbfb9b2a0418e5ad3" +dependencies = [ + "log", + "pathfinder_simd", +] + +[[package]] +name = "pathfinder_simd" +version = "0.5.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "39fe46acc5503595e5949c17b818714d26fdf9b4920eacf3b2947f0199f4a6ff" +dependencies = [ + "rustc_version 0.3.3", +] + +[[package]] +name = "pest" +version = "2.1.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "10f4872ae94d7b90ae48754df22fd42ad52ce740b8f370b03da4835417403e53" +dependencies = [ + "ucd-trie", +] + +[[package]] +name = "pin-project-lite" +version = "0.2.9" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "e0a7ae3ac2f1173085d398531c705756c94a4c56843785df85a60c1a0afac116" + +[[package]] +name = "pkg-config" +version = "0.3.25" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "1df8c4ec4b0627e53bdf214615ad287367e482558cf84b109250b37464dc03ae" + +[[package]] +name = "plotters" +version = "0.3.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "32a3fd9ec30b9749ce28cd91f255d569591cdf937fe280c312143e3c4bad6f2a" +dependencies = [ + "chrono", + "font-kit", + "image", + "lazy_static", + "num-traits", + "pathfinder_geometry", + "plotters-backend", + "plotters-bitmap", + "plotters-svg", + "ttf-parser", + "wasm-bindgen", + "web-sys", +] + +[[package]] +name = "plotters-backend" +version = "0.3.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d88417318da0eaf0fdcdb51a0ee6c3bed624333bff8f946733049380be67ac1c" + +[[package]] +name = "plotters-bitmap" +version = "0.3.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "21362fa905695e5618aefd169358f52e0e8bc4a8e05333cf780fda8cddc00b54" +dependencies = [ + "gif", + "image", + "plotters-backend", +] + +[[package]] +name = "plotters-svg" +version = "0.3.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "521fa9638fa597e1dc53e9412a4f9cefb01187ee1f7413076f9e6749e2885ba9" +dependencies = [ + "plotters-backend", +] + +[[package]] +name = "png" +version = "0.16.8" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "3c3287920cb847dee3de33d301c463fba14dda99db24214ddf93f83d3021f4c6" +dependencies = [ + "bitflags", + "crc32fast", + "deflate", + "miniz_oxide 0.3.7", +] + +[[package]] +name = "poseidon" +version = "0.2.0" +source = "git+https://github.com/privacy-scaling-explorations/poseidon.git?tag=v2022_10_22#5d29df01a95e3df6334080d28e983407f56b5da3" +dependencies = [ + "group", + "halo2curves 0.2.1", + "subtle", +] + +[[package]] +name = "pprof" +version = "0.8.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "f2324292407eab69d4ace0eed1524fe612ac37c98aa22b0d868355b17fada530" +dependencies = [ + "backtrace", + "cfg-if 1.0.0", + "criterion", + "findshlibs", + "inferno", + "libc", + "log", + "nix", + "once_cell", + "parking_lot", + "smallvec", + "symbolic-demangle", + "tempfile", + "thiserror", +] + +[[package]] +name = "ppv-lite86" +version = "0.2.16" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "eb9f9e6e233e5c4a35559a617bf40a4ec447db2e84c20b55a6f83167b7e57872" + +[[package]] +name = "proc-macro2" +version = "1.0.37" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "ec757218438d5fda206afc041538b2f6d889286160d649a86a24d37e1235afd1" +dependencies = [ + "unicode-xid", +] + +[[package]] +name = "proptest" +version = "1.0.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "1e0d9cc07f18492d879586c92b485def06bc850da3118075cd45d50e9c95b0e5" +dependencies = [ + "bit-set", + "bitflags", + "byteorder", + "lazy_static", + "num-traits", + "quick-error 2.0.1", + "rand", + "rand_chacha", + "rand_xorshift", + "regex-syntax", + "rusty-fork", + "tempfile", +] + +[[package]] +name = "quick-error" +version = "1.2.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "a1d01941d82fa2ab50be1e79e6714289dd7cde78eba4c074bc5a4374f650dfe0" + +[[package]] +name = "quick-error" +version = "2.0.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "a993555f31e5a609f617c12db6250dedcac1b0a85076912c436e6fc9b2c8e6a3" + +[[package]] +name = "quick-xml" +version = "0.23.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "11bafc859c6815fbaffbbbf4229ecb767ac913fecb27f9ad4343662e9ef099ea" +dependencies = [ + "memchr", +] + +[[package]] +name = "quote" +version = "1.0.18" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "a1feb54ed693b93a84e14094943b84b7c4eae204c512b7ccb95ab0c66d278ad1" +dependencies = [ + "proc-macro2", +] + +[[package]] +name = "radium" +version = "0.7.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "dc33ff2d4973d518d823d61aa239014831e521c75da58e3df4840d3f47749d09" + +[[package]] +name = "rand" +version = "0.8.5" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "34af8d1a0e25924bc5b7c43c079c942339d8f0a8b57c39049bef581b46327404" +dependencies = [ + "libc", + "rand_chacha", + "rand_core", +] + +[[package]] +name = "rand_chacha" +version = "0.3.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "e6c10a63a0fa32252be49d21e7709d4d4baf8d231c2dbce1eaa8141b9b127d88" +dependencies = [ + "ppv-lite86", + "rand_core", +] + +[[package]] +name = "rand_core" +version = "0.6.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d34f1408f55294453790c48b2f1ebbb1c5b4b7563eb1f418bcfcfdbb06ebb4e7" +dependencies = [ + "getrandom", +] + +[[package]] +name = "rand_xorshift" +version = "0.3.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d25bf25ec5ae4a3f1b92f929810509a2f53d7dca2f50b794ff57e3face536c8f" +dependencies = [ + "rand_core", +] + +[[package]] +name = "rayon" +version = "1.5.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "fd249e82c21598a9a426a4e00dd7adc1d640b22445ec8545feef801d1a74c221" +dependencies = [ + "autocfg", + "crossbeam-deque", + "either", + "rayon-core", +] + +[[package]] +name = "rayon-core" +version = "1.9.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9f51245e1e62e1f1629cbfec37b5793bbabcaeb90f30e94d2ba03564687353e4" +dependencies = [ + "crossbeam-channel", + "crossbeam-deque", + "crossbeam-utils", + "num_cpus", +] + +[[package]] +name = "redox_syscall" +version = "0.2.13" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "62f25bc4c7e55e0b0b7a1d43fb893f4fa1361d0abe38b9ce4f323c2adfe6ef42" +dependencies = [ + "bitflags", +] + +[[package]] +name = "redox_users" +version = "0.4.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "b033d837a7cf162d7993aded9304e30a83213c648b6e389db233191f891e5c2b" +dependencies = [ + "getrandom", + "redox_syscall", + "thiserror", +] + +[[package]] +name = "regex" +version = "1.5.5" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "1a11647b6b25ff05a515cb92c365cec08801e83423a235b51e231e1808747286" +dependencies = [ + "aho-corasick", + "memchr", + "regex-syntax", +] + +[[package]] +name = "regex-automata" +version = "0.1.10" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "6c230d73fb8d8c1b9c0b3135c5142a8acee3a0558fb8db5cf1cb65f8d7862132" + +[[package]] +name = "regex-syntax" +version = "0.6.25" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "f497285884f3fcff424ffc933e56d7cbca511def0c9831a7f9b5f6153e3cc89b" + +[[package]] +name = "remove_dir_all" +version = "0.5.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "3acd125665422973a33ac9d3dd2df85edad0f4ae9b00dafb1a05e43a9f5ef8e7" +dependencies = [ + "winapi", +] + +[[package]] +name = "rgb" +version = "0.8.32" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "e74fdc210d8f24a7dbfedc13b04ba5764f5232754ccebfdf5fff1bad791ccbc6" +dependencies = [ + "bytemuck", +] + +[[package]] +name = "rustc-demangle" +version = "0.1.21" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "7ef03e0a2b150c7a90d01faf6254c9c48a41e95fb2a8c2ac1c6f0d2b9aefc342" + +[[package]] +name = "rustc_version" +version = "0.3.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "f0dfe2087c51c460008730de8b57e6a320782fbfb312e1f4d520e6c6fae155ee" +dependencies = [ + "semver 0.11.0", +] + +[[package]] +name = "rustc_version" +version = "0.4.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "bfa0f585226d2e68097d4f95d113b15b83a82e819ab25717ec0590d9584ef366" +dependencies = [ + "semver 1.0.7", +] + +[[package]] +name = "rusty-fork" +version = "0.3.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "cb3dcc6e454c328bb824492db107ab7c0ae8fcffe4ad210136ef014458c1bc4f" +dependencies = [ + "fnv", + "quick-error 1.2.3", + "tempfile", + "wait-timeout", +] + +[[package]] +name = "ryu" +version = "1.0.9" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "73b4b750c782965c211b42f022f59af1fbceabdd026623714f104152f1ec149f" + +[[package]] +name = "same-file" +version = "1.0.6" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "93fc1dc3aaa9bfed95e02e6eadabb4baf7e3078b0bd1b4d7b6b0b68378900502" +dependencies = [ + "winapi-util", +] + +[[package]] +name = "scopeguard" +version = "1.1.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d29ab0c6d3fc0ee92fe66e2d99f700eab17a8d57d1c1d3b748380fb20baa78cd" + +[[package]] +name = "semver" +version = "0.11.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "f301af10236f6df4160f7c3f04eec6dbc70ace82d23326abad5edee88801c6b6" +dependencies = [ + "semver-parser", +] + +[[package]] +name = "semver" +version = "1.0.7" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d65bd28f48be7196d222d95b9243287f48d27aca604e08497513019ff0502cc4" + +[[package]] +name = "semver-parser" +version = "0.10.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "00b0bef5b7f9e0df16536d3961cfb6e84331c065b4066afb39768d0e319411f7" +dependencies = [ + "pest", +] + +[[package]] +name = "serde" +version = "1.0.136" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "ce31e24b01e1e524df96f1c2fdd054405f8d7376249a5110886fb4b658484789" + +[[package]] +name = "serde_cbor" +version = "0.11.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "2bef2ebfde456fb76bbcf9f59315333decc4fda0b2b44b420243c11e0f5ec1f5" +dependencies = [ + "half", + "serde", +] + +[[package]] +name = "serde_derive" +version = "1.0.136" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "08597e7152fcd306f41838ed3e37be9eaeed2b61c42e2117266a554fab4662f9" +dependencies = [ + "proc-macro2", + "quote", + "syn", +] + +[[package]] +name = "serde_json" +version = "1.0.79" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "8e8d9fa5c3b304765ce1fd9c4c8a3de2c8db365a5b91be52f186efc675681d95" +dependencies = [ + "itoa 1.0.1", + "ryu", + "serde", +] + +[[package]] +name = "servo-fontconfig" +version = "0.5.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "c7e3e22fe5fd73d04ebf0daa049d3efe3eae55369ce38ab16d07ddd9ac5c217c" +dependencies = [ + "libc", + "servo-fontconfig-sys", +] + +[[package]] +name = "servo-fontconfig-sys" +version = "5.1.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "e36b879db9892dfa40f95da1c38a835d41634b825fbd8c4c418093d53c24b388" +dependencies = [ + "expat-sys", + "freetype-sys", + "pkg-config", +] + +[[package]] +name = "sha3" +version = "0.9.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "f81199417d4e5de3f04b1e871023acea7389672c4135918f05aa9cbf2f2fa809" +dependencies = [ + "block-buffer", + "digest", + "keccak", + "opaque-debug", +] + +[[package]] +name = "smallvec" +version = "1.8.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "f2dd574626839106c320a323308629dcb1acfc96e32a8cba364ddc61ac23ee83" + +[[package]] +name = "stable_deref_trait" +version = "1.2.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "a8f112729512f8e442d81f95a8a7ddf2b7c6b8a1a6f509a95864142b30cab2d3" + +[[package]] +name = "static_assertions" +version = "1.1.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "a2eb9349b6444b326872e140eb1cf5e7c522154d69e7a0ffb0fb81c06b37543f" + +[[package]] +name = "str_stack" +version = "0.1.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9091b6114800a5f2141aee1d1b9d6ca3592ac062dc5decb3764ec5895a47b4eb" + +[[package]] +name = "strsim" +version = "0.9.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "6446ced80d6c486436db5c078dde11a9f73d42b57fb273121e160b84f63d894c" + +[[package]] +name = "subtle" +version = "2.4.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "6bdef32e8150c2a081110b42772ffe7d7c9032b606bc226c8260fd97e0976601" + +[[package]] +name = "symbolic-common" +version = "8.7.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "ac6aac7b803adc9ee75344af7681969f76d4b38e4723c6eaacf3b28f5f1d87ff" +dependencies = [ + "debugid", + "memmap2", + "stable_deref_trait", + "uuid", +] + +[[package]] +name = "symbolic-demangle" +version = "8.7.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "8143ea5aa546f86c64f9b9aafdd14223ffad4ecd2d58575c63c21335909c99a7" +dependencies = [ + "cpp_demangle", + "rustc-demangle", + "symbolic-common", +] + +[[package]] +name = "syn" +version = "1.0.91" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "b683b2b825c8eef438b77c36a06dc262294da3d5a5813fac20da149241dcd44d" +dependencies = [ + "proc-macro2", + "quote", + "unicode-xid", +] + +[[package]] +name = "tabbycat" +version = "0.1.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "c45590f0f859197b4545be1b17b2bc3cc7bb075f7d1cc0ea1dc6521c0bf256a3" +dependencies = [ + "anyhow", + "derive_builder", + "regex", +] + +[[package]] +name = "tap" +version = "1.0.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "55937e1799185b12863d447f42597ed69d9928686b8d88a1df17376a097d8369" + +[[package]] +name = "tempfile" +version = "3.3.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "5cdb1ef4eaeeaddc8fbd371e5017057064af0911902ef36b39801f67cc6d79e4" +dependencies = [ + "cfg-if 1.0.0", + "fastrand", + "libc", + "redox_syscall", + "remove_dir_all", + "winapi", +] + +[[package]] +name = "termcolor" +version = "1.2.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "be55cf8942feac5c765c2c993422806843c9a9a45d4d5c407ad6dd2ea95eb9b6" +dependencies = [ + "winapi-util", +] + +[[package]] +name = "textwrap" +version = "0.11.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d326610f408c7a4eb6f51c37c330e496b08506c9457c9d34287ecc38809fb060" +dependencies = [ + "unicode-width", +] + +[[package]] +name = "thiserror" +version = "1.0.30" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "854babe52e4df1653706b98fcfc05843010039b406875930a70e4d9644e5c417" +dependencies = [ + "thiserror-impl", +] + +[[package]] +name = "thiserror-impl" +version = "1.0.30" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "aa32fd3f627f367fe16f893e2597ae3c05020f8bba2666a4e6ea73d377e5714b" +dependencies = [ + "proc-macro2", + "quote", + "syn", +] + +[[package]] +name = "time" +version = "0.1.44" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "6db9e6914ab8b1ae1c260a4ae7a49b6c5611b40328a735b21862567685e73255" +dependencies = [ + "libc", + "wasi", + "winapi", +] + +[[package]] +name = "tinytemplate" +version = "1.2.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "be4d6b5f19ff7664e8c98d03e2139cb510db9b0a60b55f8e8709b689d939b6bc" +dependencies = [ + "serde", + "serde_json", +] + +[[package]] +name = "tracing" +version = "0.1.36" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "2fce9567bd60a67d08a16488756721ba392f24f29006402881e43b19aac64307" +dependencies = [ + "cfg-if 1.0.0", + "pin-project-lite", + "tracing-attributes", + "tracing-core", +] + +[[package]] +name = "tracing-attributes" +version = "0.1.22" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "11c75893af559bc8e10716548bdef5cb2b983f8e637db9d0e15126b61b484ee2" +dependencies = [ + "proc-macro2", + "quote", + "syn", +] + +[[package]] +name = "tracing-core" +version = "0.1.29" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "5aeea4303076558a00714b823f9ad67d58a3bbda1df83d8827d21193156e22f7" +dependencies = [ + "once_cell", +] + +[[package]] +name = "ttf-parser" +version = "0.12.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "7ae2f58a822f08abdaf668897e96a5656fe72f5a9ce66422423e8849384872e6" + +[[package]] +name = "typenum" +version = "1.16.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "497961ef93d974e23eb6f433eb5fe1b7930b659f06d12dec6fc44a8f554c0bba" + +[[package]] +name = "ucd-trie" +version = "0.1.3" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "56dee185309b50d1f11bfedef0fe6d036842e3fb77413abef29f8f8d1c5d4c1c" + +[[package]] +name = "uint" +version = "0.9.4" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "a45526d29728d135c2900b0d30573fe3ee79fceb12ef534c7bb30e810a91b601" +dependencies = [ + "byteorder", + "crunchy", + "hex", + "static_assertions", +] + +[[package]] +name = "unicode-width" +version = "0.1.9" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "3ed742d4ea2bd1176e236172c8429aaf54486e7ac098db29ffe6529e0ce50973" + +[[package]] +name = "unicode-xid" +version = "0.2.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "8ccb82d61f80a663efe1f787a51b16b5a51e3314d6ac365b08639f52387b33f3" + +[[package]] +name = "uuid" +version = "0.8.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "bc5cf98d8186244414c848017f0e2676b3fcb46807f6668a97dfe67359a3c4b7" + +[[package]] +name = "version_check" +version = "0.9.4" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "49874b5167b65d7193b8aba1567f5c7d93d001cafc34600cee003eda787e483f" + +[[package]] +name = "wait-timeout" +version = "0.2.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9f200f5b12eb75f8c1ed65abd4b2db8a6e1b138a20de009dacee265a2498f3f6" +dependencies = [ + "libc", +] + +[[package]] +name = "walkdir" +version = "2.3.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "808cf2735cd4b6866113f648b791c6adc5714537bc222d9347bb203386ffda56" +dependencies = [ + "same-file", + "winapi", + "winapi-util", +] + +[[package]] +name = "wasi" +version = "0.10.0+wasi-snapshot-preview1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "1a143597ca7c7793eff794def352d41792a93c481eb1042423ff7ff72ba2c31f" + +[[package]] +name = "wasm-bindgen" +version = "0.2.80" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "27370197c907c55e3f1a9fbe26f44e937fe6451368324e009cba39e139dc08ad" +dependencies = [ + "cfg-if 1.0.0", + "wasm-bindgen-macro", +] + +[[package]] +name = "wasm-bindgen-backend" +version = "0.2.80" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "53e04185bfa3a779273da532f5025e33398409573f348985af9a1cbf3774d3f4" +dependencies = [ + "bumpalo", + "lazy_static", + "log", + "proc-macro2", + "quote", + "syn", + "wasm-bindgen-shared", +] + +[[package]] +name = "wasm-bindgen-macro" +version = "0.2.80" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "17cae7ff784d7e83a2fe7611cfe766ecf034111b49deb850a3dc7699c08251f5" +dependencies = [ + "quote", + "wasm-bindgen-macro-support", +] + +[[package]] +name = "wasm-bindgen-macro-support" +version = "0.2.80" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "99ec0dc7a4756fffc231aab1b9f2f578d23cd391390ab27f952ae0c9b3ece20b" +dependencies = [ + "proc-macro2", + "quote", + "syn", + "wasm-bindgen-backend", + "wasm-bindgen-shared", +] + +[[package]] +name = "wasm-bindgen-shared" +version = "0.2.80" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d554b7f530dee5964d9a9468d95c1f8b8acae4f282807e7d27d4b03099a46744" + +[[package]] +name = "web-sys" +version = "0.3.57" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "7b17e741662c70c8bd24ac5c5b18de314a2c26c32bf8346ee1e6f53de919c283" +dependencies = [ + "js-sys", + "wasm-bindgen", +] + +[[package]] +name = "weezl" +version = "0.1.5" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d8b77fdfd5a253be4ab714e4ffa3c49caf146b4de743e97510c0656cf90f1e8e" + +[[package]] +name = "winapi" +version = "0.3.9" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "5c839a674fcd7a98952e593242ea400abe93992746761e38641405d28b00f419" +dependencies = [ + "winapi-i686-pc-windows-gnu", + "winapi-x86_64-pc-windows-gnu", +] + +[[package]] +name = "winapi-i686-pc-windows-gnu" +version = "0.4.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "ac3b87c63620426dd9b991e5ce0329eff545bccbbb34f3be09ff6fb6ab51b7b6" + +[[package]] +name = "winapi-util" +version = "0.1.5" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "70ec6ce85bb158151cae5e5c87f95a8e97d2c0c4b001223f33a334e3ce5de178" +dependencies = [ + "winapi", +] + +[[package]] +name = "winapi-x86_64-pc-windows-gnu" +version = "0.4.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "712e227841d057c1ee1cd2fb22fa7e5a5461ae8e48fa2ca79ec42cfc1931183f" + +[[package]] +name = "windows-sys" +version = "0.36.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "ea04155a16a59f9eab786fe12a4a450e75cdb175f9e0d80da1e17db09f55b8d2" +dependencies = [ + "windows_aarch64_msvc", + "windows_i686_gnu", + "windows_i686_msvc", + "windows_x86_64_gnu", + "windows_x86_64_msvc", +] + +[[package]] +name = "windows_aarch64_msvc" +version = "0.36.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9bb8c3fd39ade2d67e9874ac4f3db21f0d710bee00fe7cab16949ec184eeaa47" + +[[package]] +name = "windows_i686_gnu" +version = "0.36.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "180e6ccf01daf4c426b846dfc66db1fc518f074baa793aa7d9b9aaeffad6a3b6" + +[[package]] +name = "windows_i686_msvc" +version = "0.36.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "e2e7917148b2812d1eeafaeb22a97e4813dfa60a3f8f78ebe204bcc88f12f024" + +[[package]] +name = "windows_x86_64_gnu" +version = "0.36.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "4dcd171b8776c41b97521e5da127a2d86ad280114807d0b2ab1e462bc764d9e1" + +[[package]] +name = "windows_x86_64_msvc" +version = "0.36.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "c811ca4a8c853ef420abd8592ba53ddbbac90410fab6903b3e79972a631f7680" + +[[package]] +name = "wio" +version = "0.2.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "5d129932f4644ac2396cb456385cbf9e63b5b30c6e8dc4820bdca4eb082037a5" +dependencies = [ + "winapi", +] + +[[package]] +name = "wyz" +version = "0.5.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "30b31594f29d27036c383b53b59ed3476874d518f0efb151b27a4c275141390e" +dependencies = [ + "tap", +] diff --git a/halo2_proofs/Cargo.toml b/halo2_proofs/Cargo.toml index 261f0e4f..0afd79fc 100644 --- a/halo2_proofs/Cargo.toml +++ b/halo2_proofs/Cargo.toml @@ -55,7 +55,7 @@ blake2b_simd = "1" sha3 = "0.9.1" subtle = "2.3" cfg-if = "0.1" -poseidon = { git = 'https://github.com/privacy-scaling-explorations/poseidon.git' } #, branch = 'circuit' } +poseidon = { git = 'https://github.com/privacy-scaling-explorations/poseidon.git', tag = 'v2022_10_22' } num-integer = "0.1" num-bigint = { version = "0.4", features = ["rand"] } From 1e51790b0897572c8819da142f763612c633594c Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Wed, 29 Mar 2023 12:00:37 +0800 Subject: [PATCH 25/70] update cargo lock --- Cargo.lock | 54 ------------------------------------------------------ 1 file changed, 54 deletions(-) diff --git a/Cargo.lock b/Cargo.lock index 40d1e8ba..072c38d9 100644 --- a/Cargo.lock +++ b/Cargo.lock @@ -408,20 +408,6 @@ dependencies = [ "itertools", ] -[[package]] -name = "crossbeam" -version = "0.8.2" -source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "2801af0d36612ae591caa9568261fddce32ce6e08a7275ea334a06a4ad021a2c" -dependencies = [ - "cfg-if 1.0.0", - "crossbeam-channel", - "crossbeam-deque", - "crossbeam-epoch", - "crossbeam-queue", - "crossbeam-utils", -] - [[package]] name = "crossbeam-channel" version = "0.5.4" @@ -457,16 +443,6 @@ dependencies = [ "scopeguard", ] -[[package]] -name = "crossbeam-queue" -version = "0.3.8" -source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "d1cfb3ea8a53f37c40dea2c7bedcbd88bdfae54f5e2175d6ecaff1c988353add" -dependencies = [ - "cfg-if 1.0.0", - "crossbeam-utils", -] - [[package]] name = "crossbeam-utils" version = "0.8.8" @@ -632,19 +608,6 @@ version = "1.6.1" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "e78d4f1cc4ae33bbfc157ed5d5a5ef3bc29227303d595861deb238fcec4e9457" -[[package]] -name = "env_logger" -version = "0.8.4" -source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "a19187fea3ac7e84da7dacf48de0c45d63c6a76f9490dae389aead16c243fce3" -dependencies = [ - "atty", - "humantime", - "log", - "regex", - "termcolor", -] - [[package]] name = "expat-sys" version = "2.1.6" @@ -880,8 +843,6 @@ dependencies = [ "blake2b_simd", "cfg-if 0.1.10", "criterion", - "crossbeam", - "env_logger", "ff", "getrandom", "group", @@ -956,12 +917,6 @@ version = "0.4.3" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "7f24254aa9a54b5c858eaee2f5bccdb46aaf0e486a595ed5fd8f86ba55232a70" -[[package]] -name = "humantime" -version = "2.1.0" -source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "9a3a5bfb195931eeb336b2a7b4d761daec841b97f947d34394601737a7bba5e4" - [[package]] name = "ident_case" version = "1.0.1" @@ -1875,15 +1830,6 @@ dependencies = [ "winapi", ] -[[package]] -name = "termcolor" -version = "1.2.0" -source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "be55cf8942feac5c765c2c993422806843c9a9a45d4d5c407ad6dd2ea95eb9b6" -dependencies = [ - "winapi-util", -] - [[package]] name = "textwrap" version = "0.11.0" From 3d40ae4968759ac4516c5f9c45ad20140e2d35d5 Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Sun, 9 Apr 2023 15:53:51 +0800 Subject: [PATCH 26/70] update cargo lock --- Cargo.lock | 88 ++++++++++++++++++++++++++++++++++++++++++++++++++++-- 1 file changed, 85 insertions(+), 3 deletions(-) diff --git a/Cargo.lock b/Cargo.lock index 072c38d9..ec56f19b 100644 --- a/Cargo.lock +++ b/Cargo.lock @@ -408,6 +408,20 @@ dependencies = [ "itertools", ] +[[package]] +name = "crossbeam" +version = "0.8.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "2801af0d36612ae591caa9568261fddce32ce6e08a7275ea334a06a4ad021a2c" +dependencies = [ + "cfg-if 1.0.0", + "crossbeam-channel", + "crossbeam-deque", + "crossbeam-epoch", + "crossbeam-queue", + "crossbeam-utils", +] + [[package]] name = "crossbeam-channel" version = "0.5.4" @@ -443,6 +457,16 @@ dependencies = [ "scopeguard", ] +[[package]] +name = "crossbeam-queue" +version = "0.3.8" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "d1cfb3ea8a53f37c40dea2c7bedcbd88bdfae54f5e2175d6ecaff1c988353add" +dependencies = [ + "cfg-if 1.0.0", + "crossbeam-utils", +] + [[package]] name = "crossbeam-utils" version = "0.8.8" @@ -608,6 +632,19 @@ version = "1.6.1" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "e78d4f1cc4ae33bbfc157ed5d5a5ef3bc29227303d595861deb238fcec4e9457" +[[package]] +name = "env_logger" +version = "0.8.4" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "a19187fea3ac7e84da7dacf48de0c45d63c6a76f9490dae389aead16c243fce3" +dependencies = [ + "atty", + "humantime", + "log", + "regex", + "termcolor", +] + [[package]] name = "expat-sys" version = "2.1.6" @@ -843,11 +880,13 @@ dependencies = [ "blake2b_simd", "cfg-if 0.1.10", "criterion", + "crossbeam", + "env_logger", "ff", "getrandom", "group", "gumdrop", - "halo2curves 0.3.1", + "halo2curves 0.3.1 (git+https://github.com/scroll-tech/halo2curves.git?branch=0.3.1-derive-serde)", "log", "num-bigint", "num-integer", @@ -896,6 +935,25 @@ dependencies = [ "subtle", ] +[[package]] +name = "halo2curves" +version = "0.3.1" +source = "git+https://github.com/scroll-tech/halo2curves.git?branch=0.3.1-derive-serde#c0ac1935e5da2a620204b5b011be2c924b1e0155" +dependencies = [ + "ff", + "group", + "lazy_static", + "num-bigint", + "num-traits", + "pasta_curves", + "paste", + "rand", + "rand_core", + "serde", + "static_assertions", + "subtle", +] + [[package]] name = "hashbrown" version = "0.11.2" @@ -917,6 +975,12 @@ version = "0.4.3" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "7f24254aa9a54b5c858eaee2f5bccdb46aaf0e486a595ed5fd8f86ba55232a70" +[[package]] +name = "humantime" +version = "2.1.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9a3a5bfb195931eeb336b2a7b4d761daec841b97f947d34394601737a7bba5e4" + [[package]] name = "ident_case" version = "1.0.1" @@ -1252,6 +1316,12 @@ dependencies = [ "subtle", ] +[[package]] +name = "paste" +version = "1.0.12" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "9f746c4065a8fa3fe23974dd82f15431cc8d40779821001404d10d2e79ca7d79" + [[package]] name = "pathfinder_geometry" version = "0.5.1" @@ -1353,10 +1423,10 @@ dependencies = [ [[package]] name = "poseidon" version = "0.2.0" -source = "git+https://github.com/privacy-scaling-explorations/poseidon.git?tag=v2022_10_22#5d29df01a95e3df6334080d28e983407f56b5da3" +source = "git+https://github.com/scroll-tech/poseidon.git?branch=scroll-dev-0220#2fb4a2385bada39b50dce12fe50cb80d2fd33476" dependencies = [ "group", - "halo2curves 0.2.1", + "halo2curves 0.3.1 (git+https://github.com/privacy-scaling-explorations/halo2curves.git?tag=0.3.1)", "subtle", ] @@ -1663,6 +1733,9 @@ name = "serde" version = "1.0.136" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "ce31e24b01e1e524df96f1c2fdd054405f8d7376249a5110886fb4b658484789" +dependencies = [ + "serde_derive", +] [[package]] name = "serde_cbor" @@ -1830,6 +1903,15 @@ dependencies = [ "winapi", ] +[[package]] +name = "termcolor" +version = "1.2.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "be55cf8942feac5c765c2c993422806843c9a9a45d4d5c407ad6dd2ea95eb9b6" +dependencies = [ + "winapi-util", +] + [[package]] name = "textwrap" version = "0.11.0" From 1c78e1665e7827b04ebcc57bf435427507e05147 Mon Sep 17 00:00:00 2001 From: xkx Date: Mon, 3 Apr 2023 12:56:40 +0800 Subject: [PATCH 27/70] add default implementation for fork and merge functions (#39) --- halo2_proofs/src/plonk/circuit.rs | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index 966c7fb5..80ed4394 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -568,10 +568,14 @@ pub trait Assignment: Sized + Send { AR: Into; /// Fork - fn fork(&mut self, ranges: &[Range]) -> Result, Error>; + fn fork(&mut self, ranges: &[Range]) -> Result, Error> { + unimplemented!("fork is not implemented by default") + } /// Merge - fn merge(&mut self, sub_cs: Vec) -> Result<(), Error>; + fn merge(&mut self, sub_cs: Vec) -> Result<(), Error> { + unimplemented!("merge is not implemented by default") + } /// Queries the cell of an instance column at a particular absolute row. /// From 9bf3562083dd9bed8a19f651b52bc810f5e2235f Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Thu, 27 Apr 2023 08:27:40 +0800 Subject: [PATCH 28/70] export advices for MockProver --- halo2_proofs/src/dev.rs | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index f2b95c2c..9e72d697 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -1709,6 +1709,11 @@ impl<'a, F: FieldExt> MockProver<'a, F> { self.fixed_vec.as_ref() } + /// Returns the list of Advice Columns used within a MockProver instance and the associated values contained on each Cell. + pub fn advices(&self) -> &Vec>> { + self.advice_vec.as_ref() + } + /// Returns the permutation argument (`Assembly`) used within a MockProver instance. pub fn permutation(&self) -> &Assembly { self.permutation.as_ref().unwrap() From aab39d5c107fdeec62ce7d2aeec6b72de681ba23 Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Tue, 4 Jul 2023 14:07:15 +0800 Subject: [PATCH 29/70] fix load_slice panic in mock prover err display --- halo2_proofs/src/circuit/floor_planner/single_pass.rs | 2 +- halo2_proofs/src/dev/util.rs | 4 ++-- 2 files changed, 3 insertions(+), 3 deletions(-) diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index b95529ad..a11b4155 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -121,7 +121,7 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a let log_region_info = row_count >= 40; if log_region_info { log::debug!( - "region row_count \"{}\": {}", + "region \"{}\" row_count: {}", region_name, shape.row_count() ); diff --git a/halo2_proofs/src/dev/util.rs b/halo2_proofs/src/dev/util.rs index aa1e3ccc..83126e79 100644 --- a/halo2_proofs/src/dev/util.rs +++ b/halo2_proofs/src/dev/util.rs @@ -96,7 +96,7 @@ pub(super) fn load_slice<'a, F: FieldExt, T: ColumnType, Q: Into + Cop ) -> impl Fn(Q) -> Value + 'a { move |query| { let (column, at) = &queries[query.into().index]; - let resolved_row = (row + at.0) % n; + let resolved_row = (row + at.0 + n) % n; cells[column.index()][resolved_row as usize].into() } } @@ -109,7 +109,7 @@ pub(super) fn load_instance<'a, F: FieldExt, T: ColumnType, Q: Into + ) -> impl Fn(Q) -> Value + 'a { move |query| { let (column, at) = &queries[query.into().index]; - let resolved_row = (row + at.0) % n; + let resolved_row = (row + at.0 + n) % n; Value::Real(cells[column.index()][resolved_row as usize]) } } From 90e22c6d50290442fabfa8cb36a74e46a9b6b5e1 Mon Sep 17 00:00:00 2001 From: Velaciela Date: Wed, 5 Jul 2023 03:41:16 +0000 Subject: [PATCH 30/70] boundary handling of the fork() function in MockProver --- halo2_proofs/src/dev.rs | 14 +++++++++++++- 1 file changed, 13 insertions(+), 1 deletion(-) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 9e72d697..53b55309 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -405,9 +405,21 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { for (i, sub_range) in ranges.iter().enumerate() { if sub_range.start < range_start { // TODO: use more precise error type + log::debug!( + "subCS_{} sub_range.start: {} < range_start{}", + i, + sub_range.start, + range_start + ); return Err(Error::Synthesis); } - if i == ranges.len() - 1 && sub_range.end >= self.rw_rows.end { + if i == ranges.len() - 1 && sub_range.end > self.rw_rows.end { + log::debug!( + "subCS_{} sub_range.end: {} > self.rw_rows.end{}", + i, + sub_range.end, + self.rw_rows.end + ); return Err(Error::Synthesis); } range_start = sub_range.end; From ea071153061d5cad0c506155dedfbaf305620b10 Mon Sep 17 00:00:00 2001 From: Velaciela Date: Wed, 5 Jul 2023 14:36:12 +0000 Subject: [PATCH 31/70] keygen, prover, and error message --- halo2_proofs/src/dev.rs | 4 ++-- halo2_proofs/src/plonk/keygen.rs | 16 +++++++++++++++- halo2_proofs/src/plonk/prover.rs | 15 ++++++++++++++- 3 files changed, 31 insertions(+), 4 deletions(-) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 53b55309..a78ca2b2 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -405,7 +405,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { for (i, sub_range) in ranges.iter().enumerate() { if sub_range.start < range_start { // TODO: use more precise error type - log::debug!( + log::error!( "subCS_{} sub_range.start: {} < range_start{}", i, sub_range.start, @@ -414,7 +414,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { return Err(Error::Synthesis); } if i == ranges.len() - 1 && sub_range.end > self.rw_rows.end { - log::debug!( + log::error!( "subCS_{} sub_range.end: {} > self.rw_rows.end{}", i, sub_range.end, diff --git a/halo2_proofs/src/plonk/keygen.rs b/halo2_proofs/src/plonk/keygen.rs index c52c03d5..abbfa2dc 100644 --- a/halo2_proofs/src/plonk/keygen.rs +++ b/halo2_proofs/src/plonk/keygen.rs @@ -87,6 +87,7 @@ impl<'a, F: Field> Assignment for Assembly<'a, F> { } if !self.rw_rows.contains(&row) { + log::error!("enable_selector: {:?}, row: {}", selector, row); return Err(Error::Synthesis); } @@ -100,9 +101,21 @@ impl<'a, F: Field> Assignment for Assembly<'a, F> { for (i, sub_range) in ranges.iter().enumerate() { if sub_range.start < range_start { // TODO: use more precise error type + log::error!( + "subCS_{} sub_range.start: {} < range_start{}", + i, + sub_range.start, + range_start + ); return Err(Error::Synthesis); } - if i == ranges.len() - 1 && sub_range.end >= self.rw_rows.end { + if i == ranges.len() - 1 && sub_range.end > self.rw_rows.end { + log::error!( + "subCS_{} sub_range.end: {} > self.rw_rows.end{}", + i, + sub_range.end, + self.rw_rows.end + ); return Err(Error::Synthesis); } range_start = sub_range.end; @@ -217,6 +230,7 @@ impl<'a, F: Field> Assignment for Assembly<'a, F> { } if !self.rw_rows.contains(&row) { + log::error!("assign_fixed: {:?}, row: {}", column, row); return Err(Error::Synthesis); } diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index 6924625c..10c0e166 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -178,9 +178,21 @@ pub fn create_proof< let mut range_start = self.rw_rows.start; for (i, sub_range) in ranges.iter().enumerate() { if sub_range.start < range_start { + log::error!( + "subCS_{} sub_range.start: {} < range_start{}", + i, + sub_range.start, + range_start + ); return Err(Error::Synthesis); } - if i == ranges.len() - 1 && sub_range.end >= self.rw_rows.end { + if i == ranges.len() - 1 && sub_range.end > self.rw_rows.end { + log::error!( + "subCS_{} sub_range.end: {} > self.rw_rows.end{}", + i, + sub_range.end, + self.rw_rows.end + ); return Err(Error::Synthesis); } range_start = sub_range.end; @@ -273,6 +285,7 @@ pub fn create_proof< } if !self.rw_rows.contains(&row) { + log::error!("assign_advice: {:?}, row: {}", column, row); return Err(Error::Synthesis); } From b2f596ae99c23e85fa2b7b8fd35f887d714e5537 Mon Sep 17 00:00:00 2001 From: Velaciela Date: Wed, 5 Jul 2023 14:44:17 +0000 Subject: [PATCH 32/70] lints --- halo2_proofs/src/dev.rs | 4 ++-- halo2_proofs/src/plonk/circuit.rs | 4 ++-- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index a78ca2b2..72c4032f 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -900,11 +900,11 @@ impl<'a, F: FieldExt> MockProver<'a, F> { } pub fn advice_values(&self, column: Column) -> &[CellValue] { - &self.advice[column.index()] + self.advice[column.index()] } pub fn fixed_values(&self, column: Column) -> &[CellValue] { - &self.fixed[column.index()] + self.fixed[column.index()] } /// Returns `Ok(())` if this `MockProver` is satisfied, or a list of errors indicating diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index 80ed4394..80eb3704 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -568,12 +568,12 @@ pub trait Assignment: Sized + Send { AR: Into; /// Fork - fn fork(&mut self, ranges: &[Range]) -> Result, Error> { + fn fork(&mut self, _ranges: &[Range]) -> Result, Error> { unimplemented!("fork is not implemented by default") } /// Merge - fn merge(&mut self, sub_cs: Vec) -> Result<(), Error> { + fn merge(&mut self, _sub_cs: Vec) -> Result<(), Error> { unimplemented!("merge is not implemented by default") } From a00de9e0b5311647f0046ead97b96dede4e01945 Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Tue, 11 Jul 2023 16:00:02 +0800 Subject: [PATCH 33/70] disable selector compression (#54) --- halo2_proofs/src/plonk.rs | 20 ++++++------------- .../src/plonk/circuit/compress_selectors.rs | 3 ++- 2 files changed, 8 insertions(+), 15 deletions(-) diff --git a/halo2_proofs/src/plonk.rs b/halo2_proofs/src/plonk.rs index f3857aa4..a4ab3ab2 100644 --- a/halo2_proofs/src/plonk.rs +++ b/halo2_proofs/src/plonk.rs @@ -74,6 +74,7 @@ where /// WITHOUT performing the expensive Montgomery reduction. pub fn write(&self, writer: &mut W, format: SerdeFormat) -> io::Result<()> { writer.write_all(&self.domain.k().to_be_bytes())?; + // the `fixed_commitments` here includes selectors writer.write_all(&(self.fixed_commitments.len() as u32).to_be_bytes())?; for commitment in &self.fixed_commitments { commitment.write(writer, format)?; @@ -119,21 +120,12 @@ where let permutation = permutation::VerifyingKey::read(reader, &cs.permutation, format)?; - /* - // read selectors - let selectors: Vec> = vec![vec![false; 1 << k]; cs.num_selectors] - .into_iter() - .map(|mut selector| { - let mut selector_bytes = vec![0u8; (selector.len() + 7) / 8]; - reader.read_exact(&mut selector_bytes)?; - for (bits, byte) in selector.chunks_mut(8).into_iter().zip(selector_bytes) { - crate::helpers::unpack(byte, bits); - } - Ok(selector) - }) - .collect::>()?; + // We already disable compressing selectors inside `compress_selectors::process`. + // So `selectors` values is not relevant here actually. + // The selector commitments are already in fixed_commitments. + let selectors: Vec> = vec![vec![false; 1 << k]; cs.num_selectors]; let (cs, _) = cs.compress_selectors(selectors.clone()); - */ + Ok(Self::from_parts( domain, fixed_commitments, diff --git a/halo2_proofs/src/plonk/circuit/compress_selectors.rs b/halo2_proofs/src/plonk/circuit/compress_selectors.rs index b6807e11..16b569be 100644 --- a/halo2_proofs/src/plonk/circuit/compress_selectors.rs +++ b/halo2_proofs/src/plonk/circuit/compress_selectors.rs @@ -71,7 +71,8 @@ where // All provided selectors of degree 0 are assumed to be either concrete // selectors or do not appear in a gate. Let's address these first. selectors.retain(|selector| { - if selector.max_degree == 0 { + // here we disable any compression. Each selector will become a fixed column. + if true || selector.max_degree == 0 { // This is a complex selector, or a selector that does not appear in any // gate constraint. let expression = allocate_fixed_column(); From fcf53dcdd7607cedb95240f54a87ba602848ada5 Mon Sep 17 00:00:00 2001 From: xkx Date: Tue, 18 Jul 2023 22:54:23 +0800 Subject: [PATCH 34/70] Fix clippy warnings and comment out outdated integration test cases (#56) * fix clippy warnings * comment out inconsistency tests --- halo2_proofs/src/dev.rs | 4 +- halo2_proofs/src/helpers.rs | 2 + halo2_proofs/src/plonk.rs | 2 +- .../src/plonk/circuit/compress_selectors.rs | 3 +- halo2_proofs/src/plonk/keygen.rs | 4 +- halo2_proofs/src/plonk/prover.rs | 4 +- halo2_proofs/tests/plonk_api.rs | 735 +++++++++--------- 7 files changed, 380 insertions(+), 374 deletions(-) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 72c4032f..7f420149 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -406,7 +406,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { if sub_range.start < range_start { // TODO: use more precise error type log::error!( - "subCS_{} sub_range.start: {} < range_start{}", + "subCS_{} sub_range.start ({}) < range_start ({})", i, sub_range.start, range_start @@ -415,7 +415,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { } if i == ranges.len() - 1 && sub_range.end > self.rw_rows.end { log::error!( - "subCS_{} sub_range.end: {} > self.rw_rows.end{}", + "subCS_{} sub_range.end ({}) > self.rw_rows.end ({})", i, sub_range.end, self.rw_rows.end diff --git a/halo2_proofs/src/helpers.rs b/halo2_proofs/src/helpers.rs index ea7adb33..f58ec9b1 100644 --- a/halo2_proofs/src/helpers.rs +++ b/halo2_proofs/src/helpers.rs @@ -167,6 +167,7 @@ impl SerdePrimeField for F {} /// Convert a slice of `bool` into a `u8`. /// /// Panics if the slice has length greater than 8. +#[allow(unused)] pub fn pack(bits: &[bool]) -> u8 { let mut value = 0u8; assert!(bits.len() <= 8); @@ -177,6 +178,7 @@ pub fn pack(bits: &[bool]) -> u8 { } /// Writes the first `bits.len()` bits of a `u8` into `bits`. +#[allow(unused)] pub fn unpack(byte: u8, bits: &mut [bool]) { for (bit_index, bit) in bits.iter_mut().enumerate() { *bit = (byte >> bit_index) & 1 == 1; diff --git a/halo2_proofs/src/plonk.rs b/halo2_proofs/src/plonk.rs index a4ab3ab2..d1aecca3 100644 --- a/halo2_proofs/src/plonk.rs +++ b/halo2_proofs/src/plonk.rs @@ -124,7 +124,7 @@ where // So `selectors` values is not relevant here actually. // The selector commitments are already in fixed_commitments. let selectors: Vec> = vec![vec![false; 1 << k]; cs.num_selectors]; - let (cs, _) = cs.compress_selectors(selectors.clone()); + let (cs, _) = cs.compress_selectors(selectors); Ok(Self::from_parts( domain, diff --git a/halo2_proofs/src/plonk/circuit/compress_selectors.rs b/halo2_proofs/src/plonk/circuit/compress_selectors.rs index 16b569be..0e8db9ff 100644 --- a/halo2_proofs/src/plonk/circuit/compress_selectors.rs +++ b/halo2_proofs/src/plonk/circuit/compress_selectors.rs @@ -72,7 +72,8 @@ where // selectors or do not appear in a gate. Let's address these first. selectors.retain(|selector| { // here we disable any compression. Each selector will become a fixed column. - if true || selector.max_degree == 0 { + // if true || selector.max_degree == 0 { + if true { // This is a complex selector, or a selector that does not appear in any // gate constraint. let expression = allocate_fixed_column(); diff --git a/halo2_proofs/src/plonk/keygen.rs b/halo2_proofs/src/plonk/keygen.rs index abbfa2dc..2f461491 100644 --- a/halo2_proofs/src/plonk/keygen.rs +++ b/halo2_proofs/src/plonk/keygen.rs @@ -102,7 +102,7 @@ impl<'a, F: Field> Assignment for Assembly<'a, F> { if sub_range.start < range_start { // TODO: use more precise error type log::error!( - "subCS_{} sub_range.start: {} < range_start{}", + "subCS_{} sub_range.start ({}) < range_start ({})", i, sub_range.start, range_start @@ -111,7 +111,7 @@ impl<'a, F: Field> Assignment for Assembly<'a, F> { } if i == ranges.len() - 1 && sub_range.end > self.rw_rows.end { log::error!( - "subCS_{} sub_range.end: {} > self.rw_rows.end{}", + "subCS_{} sub_range.end ({}) > self.rw_rows.end ({})", i, sub_range.end, self.rw_rows.end diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index 10c0e166..7c176e57 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -179,7 +179,7 @@ pub fn create_proof< for (i, sub_range) in ranges.iter().enumerate() { if sub_range.start < range_start { log::error!( - "subCS_{} sub_range.start: {} < range_start{}", + "subCS_{} sub_range.start ({}) < range_start ({})", i, sub_range.start, range_start @@ -188,7 +188,7 @@ pub fn create_proof< } if i == ranges.len() - 1 && sub_range.end > self.rw_rows.end { log::error!( - "subCS_{} sub_range.end: {} > self.rw_rows.end{}", + "subCS_{} sub_range.end ({}) > self.rw_rows.end ({})", i, sub_range.end, self.rw_rows.end diff --git a/halo2_proofs/tests/plonk_api.rs b/halo2_proofs/tests/plonk_api.rs index 77047284..edfdfac3 100644 --- a/halo2_proofs/tests/plonk_api.rs +++ b/halo2_proofs/tests/plonk_api.rs @@ -1,7 +1,7 @@ #![allow(clippy::many_single_char_names)] #![allow(clippy::op_ref)] -use assert_matches::assert_matches; +// use assert_matches::assert_matches; use halo2_proofs::arithmetic::{Field, FieldExt}; use halo2_proofs::circuit::{Cell, Layouter, Region, SimpleFloorPlanner, Value}; use halo2_proofs::dev::MockProver; @@ -482,6 +482,7 @@ fn plonk_api() { }}; } + /* macro_rules! bad_keys { ($scheme:ident) => {{ let (_, _, lookup_table) = common!($scheme); @@ -511,6 +512,7 @@ fn plonk_api() { ); }}; } + */ fn keygen( params: &Scheme::ParamsProver, @@ -555,7 +557,7 @@ fn plonk_api() { create_plonk_proof::( params, pk, - &[circuit.clone(), circuit.clone()], + &[circuit.clone(), circuit], &[&[&[instance]], &[&[instance]]], rng, &mut transcript, @@ -596,7 +598,6 @@ fn plonk_api() { assert!(strategy.finalize()); } - #[test] fn test_plonk_api_gwc() { use halo2_proofs::poly::kzg::commitment::{KZGCommitmentScheme, ParamsKZG}; use halo2_proofs::poly::kzg::multiopen::{ProverGWC, VerifierGWC}; @@ -641,15 +642,14 @@ fn plonk_api() { >(verifier_params, pk.get_vk(), &proof[..]); } - #[test] fn test_plonk_api_shplonk() { use halo2_proofs::poly::kzg::commitment::{KZGCommitmentScheme, ParamsKZG}; use halo2_proofs::poly::kzg::multiopen::{ProverSHPLONK, VerifierSHPLONK}; use halo2_proofs::poly::kzg::strategy::AccumulatorStrategy; use halo2curves::bn256::Bn256; - type Scheme = KZGCommitmentScheme; - bad_keys!(Scheme); + // type Scheme = KZGCommitmentScheme; + // bad_keys!(Scheme); let params = ParamsKZG::::new(K); let rng = OsRng; @@ -671,15 +671,14 @@ fn plonk_api() { >(verifier_params, pk.get_vk(), &proof[..]); } - #[test] fn test_plonk_api_ipa() { use halo2_proofs::poly::ipa::commitment::{IPACommitmentScheme, ParamsIPA}; use halo2_proofs::poly::ipa::multiopen::{ProverIPA, VerifierIPA}; use halo2_proofs::poly::ipa::strategy::AccumulatorStrategy; use halo2curves::pasta::EqAffine; - type Scheme = IPACommitmentScheme; - bad_keys!(Scheme); + // type Scheme = IPACommitmentScheme; + // bad_keys!(Scheme); let params = ParamsIPA::::new(K); let rng = OsRng; @@ -701,409 +700,413 @@ fn plonk_api() { >(verifier_params, pk.get_vk(), &proof[..]); // Check that the verification key has not changed unexpectedly - { - //panic!("{:#?}", pk.get_vk().pinned()); - assert_eq!( - format!("{:#?}", pk.get_vk().pinned()), - r#####"PinnedVerificationKey { - base_modulus: "0x40000000000000000000000000000000224698fc0994a8dd8c46eb2100000001", - scalar_modulus: "0x40000000000000000000000000000000224698fc094cf91b992d30ed00000001", - domain: PinnedEvaluationDomain { - k: 5, - extended_k: 7, - omega: 0x0cc3380dc616f2e1daf29ad1560833ed3baea3393eceb7bc8fa36376929b78cc, - }, - cs: PinnedConstraintSystem { - num_fixed_columns: 7, - num_advice_columns: 5, - num_instance_columns: 1, - num_selectors: 0, - gates: [ - Sum( - Sum( + // we comment this out because the circuit is already changed + /* + { + //panic!("{:#?}", pk.get_vk().pinned()); + assert_eq!( + format!("{:#?}", pk.get_vk().pinned()), + r#####"PinnedVerificationKey { + base_modulus: "0x40000000000000000000000000000000224698fc0994a8dd8c46eb2100000001", + scalar_modulus: "0x40000000000000000000000000000000224698fc094cf91b992d30ed00000001", + domain: PinnedEvaluationDomain { + k: 5, + extended_k: 7, + omega: 0x0cc3380dc616f2e1daf29ad1560833ed3baea3393eceb7bc8fa36376929b78cc, + }, + cs: PinnedConstraintSystem { + num_fixed_columns: 7, + num_advice_columns: 5, + num_instance_columns: 1, + num_selectors: 0, + gates: [ Sum( Sum( - Product( - Advice { - query_index: 0, - column_index: 1, - rotation: Rotation( - 0, + Sum( + Sum( + Product( + Advice { + query_index: 0, + column_index: 1, + rotation: Rotation( + 0, + ), + }, + Fixed { + query_index: 2, + column_index: 2, + rotation: Rotation( + 0, + ), + }, ), - }, - Fixed { - query_index: 2, - column_index: 2, - rotation: Rotation( - 0, + Product( + Advice { + query_index: 1, + column_index: 2, + rotation: Rotation( + 0, + ), + }, + Fixed { + query_index: 3, + column_index: 3, + rotation: Rotation( + 0, + ), + }, ), - }, - ), - Product( - Advice { - query_index: 1, - column_index: 2, - rotation: Rotation( - 0, - ), - }, - Fixed { - query_index: 3, - column_index: 3, - rotation: Rotation( - 0, + ), + Product( + Product( + Advice { + query_index: 0, + column_index: 1, + rotation: Rotation( + 0, + ), + }, + Advice { + query_index: 1, + column_index: 2, + rotation: Rotation( + 0, + ), + }, ), - }, + Fixed { + query_index: 5, + column_index: 1, + rotation: Rotation( + 0, + ), + }, + ), + ), + Negated( + Product( + Advice { + query_index: 2, + column_index: 3, + rotation: Rotation( + 0, + ), + }, + Fixed { + query_index: 4, + column_index: 4, + rotation: Rotation( + 0, + ), + }, + ), ), ), Product( + Fixed { + query_index: 1, + column_index: 0, + rotation: Rotation( + 0, + ), + }, Product( Advice { - query_index: 0, - column_index: 1, + query_index: 3, + column_index: 4, rotation: Rotation( - 0, + 1, ), }, Advice { - query_index: 1, - column_index: 2, + query_index: 4, + column_index: 0, rotation: Rotation( - 0, + -1, ), }, ), - Fixed { - query_index: 5, - column_index: 1, - rotation: Rotation( - 0, - ), - }, ), ), - Negated( - Product( + Product( + Fixed { + query_index: 6, + column_index: 5, + rotation: Rotation( + 0, + ), + }, + Sum( Advice { - query_index: 2, - column_index: 3, - rotation: Rotation( - 0, - ), - }, - Fixed { - query_index: 4, - column_index: 4, + query_index: 0, + column_index: 1, rotation: Rotation( 0, ), }, + Negated( + Instance { + query_index: 0, + column_index: 0, + rotation: Rotation( + 0, + ), + }, + ), ), ), - ), - Product( - Fixed { - query_index: 1, - column_index: 0, - rotation: Rotation( + ], + advice_queries: [ + ( + Column { + index: 1, + column_type: Advice, + }, + Rotation( 0, ), - }, - Product( - Advice { - query_index: 3, - column_index: 4, - rotation: Rotation( - 1, - ), + ), + ( + Column { + index: 2, + column_type: Advice, }, - Advice { - query_index: 4, - column_index: 0, - rotation: Rotation( - -1, - ), + Rotation( + 0, + ), + ), + ( + Column { + index: 3, + column_type: Advice, }, + Rotation( + 0, + ), ), - ), - ), - Product( - Fixed { - query_index: 6, - column_index: 5, - rotation: Rotation( - 0, + ( + Column { + index: 4, + column_type: Advice, + }, + Rotation( + 1, + ), ), - }, - Sum( - Advice { - query_index: 0, - column_index: 1, - rotation: Rotation( + ( + Column { + index: 0, + column_type: Advice, + }, + Rotation( + -1, + ), + ), + ( + Column { + index: 0, + column_type: Advice, + }, + Rotation( 0, ), - }, - Negated( - Instance { - query_index: 0, - column_index: 0, - rotation: Rotation( - 0, - ), + ), + ( + Column { + index: 4, + column_type: Advice, }, + Rotation( + 0, + ), ), - ), - ), - ], - advice_queries: [ - ( - Column { - index: 1, - column_type: Advice, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 2, - column_type: Advice, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 3, - column_type: Advice, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 4, - column_type: Advice, - }, - Rotation( - 1, - ), - ), - ( - Column { - index: 0, - column_type: Advice, - }, - Rotation( - -1, - ), - ), - ( - Column { - index: 0, - column_type: Advice, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 4, - column_type: Advice, - }, - Rotation( - 0, - ), - ), - ], - instance_queries: [ - ( - Column { - index: 0, - column_type: Instance, - }, - Rotation( - 0, - ), - ), - ], - fixed_queries: [ - ( - Column { - index: 6, - column_type: Fixed, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 0, - column_type: Fixed, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 2, - column_type: Fixed, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 3, - column_type: Fixed, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 4, - column_type: Fixed, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 1, - column_type: Fixed, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 5, - column_type: Fixed, - }, - Rotation( - 0, - ), - ), - ], - permutation: Argument { - columns: [ - Column { - index: 1, - column_type: Advice, - }, - Column { - index: 2, - column_type: Advice, - }, - Column { - index: 3, - column_type: Advice, - }, - Column { - index: 0, - column_type: Fixed, - }, - Column { - index: 0, - column_type: Advice, - }, - Column { - index: 4, - column_type: Advice, - }, - Column { - index: 0, - column_type: Instance, - }, - Column { - index: 1, - column_type: Fixed, - }, - Column { - index: 2, - column_type: Fixed, - }, - Column { - index: 3, - column_type: Fixed, - }, - Column { - index: 4, - column_type: Fixed, - }, - Column { - index: 5, - column_type: Fixed, - }, - ], - }, - lookups: [ - Argument { - input_expressions: [ - Advice { - query_index: 0, - column_index: 1, - rotation: Rotation( + ], + instance_queries: [ + ( + Column { + index: 0, + column_type: Instance, + }, + Rotation( 0, ), - }, + ), ], - table_expressions: [ - Fixed { - query_index: 0, - column_index: 6, - rotation: Rotation( + fixed_queries: [ + ( + Column { + index: 6, + column_type: Fixed, + }, + Rotation( + 0, + ), + ), + ( + Column { + index: 0, + column_type: Fixed, + }, + Rotation( + 0, + ), + ), + ( + Column { + index: 2, + column_type: Fixed, + }, + Rotation( + 0, + ), + ), + ( + Column { + index: 3, + column_type: Fixed, + }, + Rotation( + 0, + ), + ), + ( + Column { + index: 4, + column_type: Fixed, + }, + Rotation( + 0, + ), + ), + ( + Column { + index: 1, + column_type: Fixed, + }, + Rotation( 0, ), + ), + ( + Column { + index: 5, + column_type: Fixed, + }, + Rotation( + 0, + ), + ), + ], + permutation: Argument { + columns: [ + Column { + index: 1, + column_type: Advice, + }, + Column { + index: 2, + column_type: Advice, + }, + Column { + index: 3, + column_type: Advice, + }, + Column { + index: 0, + column_type: Fixed, + }, + Column { + index: 0, + column_type: Advice, + }, + Column { + index: 4, + column_type: Advice, + }, + Column { + index: 0, + column_type: Instance, + }, + Column { + index: 1, + column_type: Fixed, + }, + Column { + index: 2, + column_type: Fixed, + }, + Column { + index: 3, + column_type: Fixed, + }, + Column { + index: 4, + column_type: Fixed, + }, + Column { + index: 5, + column_type: Fixed, + }, + ], + }, + lookups: [ + Argument { + input_expressions: [ + Advice { + query_index: 0, + column_index: 1, + rotation: Rotation( + 0, + ), + }, + ], + table_expressions: [ + Fixed { + query_index: 0, + column_index: 6, + rotation: Rotation( + 0, + ), + }, + ], }, ], + constants: [], + minimum_degree: None, }, - ], - constants: [], - minimum_degree: None, - }, - fixed_commitments: [ - (0x2bbc94ef7b22aebef24f9a4b0cc1831882548b605171366017d45c3e6fd92075, 0x082b801a6e176239943bfb759fb02138f47a5c8cc4aa7fa0af559fde4e3abd97), - (0x2bf5082b105b2156ed0e9c5b8e42bf2a240b058f74a464d080e9585274dd1e84, 0x222ad83cee7777e7a160585e212140e5e770dd8d1df788d869b5ee483a5864fb), - (0x374a656456a0aae7429b23336f825752b575dd5a44290ff614946ee59d6a20c0, 0x054491e187e6e3460e7601fb54ae10836d34d420026f96316f0c5c62f86db9b8), - (0x374a656456a0aae7429b23336f825752b575dd5a44290ff614946ee59d6a20c0, 0x054491e187e6e3460e7601fb54ae10836d34d420026f96316f0c5c62f86db9b8), - (0x02e62cd68370b13711139a08cbcdd889e800a272b9ea10acc90880fff9d89199, 0x1a96c468cb0ce77065d3a58f1e55fea9b72d15e44c01bba1e110bd0cbc6e9bc6), - (0x224ef42758215157d3ee48fb8d769da5bddd35e5929a90a4a89736f5c4b5ae9b, 0x11bc3a1e08eb320cde764f1492ecef956d71e996e2165f7a9a30ad2febb511c1), - (0x2d5415bf917fcac32bfb705f8ca35cb12d9bad52aa33ccca747350f9235d3a18, 0x2b2921f815fad504052512743963ef20ed5b401d20627793b006413e73fe4dd4), - ], - permutation: VerifyingKey { - commitments: [ - (0x1347b4b385837977a96b87f199c6a9a81520015539d1e8fa79429bb4ca229a00, 0x2168e404cabef513654d6ff516cde73f0ba87e3dc84e4b940ed675b5f66f3884), - (0x0e6d69cd2455ec43be640f6397ed65c9e51b1d8c0fd2216339314ff37ade122a, 0x222ed6dc8cfc9ea26dcc10b9d4add791ada60f2b5a63ee1e4635f88aa0c96654), - (0x13c447846f48c41a5e0675ccf88ebc0cdef2c96c51446d037acb866d24255785, 0x1f0b5414fc5e8219dbfab996eed6129d831488b2386a8b1a63663938903bd63a), - (0x1aae6470aa662b8fda003894ddef5fedd03af318b3231683039d2fac9cab05b9, 0x08832d91ae69e99cd07d096c7a4a284a69e6a16227cbb07932a0cdc56914f3a6), - (0x0850521b0f8ac7dd0550fe3e25c840837076e9635067ed623b81d5cbac5944d9, 0x0c25d65d1038d0a92c72e5fccd96c1caf07801c3c8233290bb292e0c38c256fa), - (0x12febcf696badd970750eabf75dd3ced4c2f54f93519bcee23849025177d2014, 0x0a05ab3cd42c9fbcc1bbfcf9269951640cc9920761c87cf8e211ba73c8d9f90f), - (0x053904bdde8cfead3b517bb4f6ded3e699f8b94ca6156a9dd2f92a2a05a7ec5a, 0x16753ff97c0d82ff586bb7a07bf7f27a92df90b3617fa5e75d4f55c3b0ef8711), - (0x3804548f6816452747a5b542fa5656353fc989db40d69e9e27d6f973b5deebb0, 0x389a44d5037866dd83993af75831a5f90a18ad5244255aa5bd2c922cc5853055), - (0x003a9f9ca71c7c0b832c802220915f6fc8d840162bdde6b0ea05d25fb95559e3, 0x091247ca19d6b73887cd7f68908cbf0db0b47459b7c82276bbdb8a1c937e2438), - (0x3eaa38689d9e391c8a8fafab9568f20c45816321d38f309d4cc37f4b1601af72, 0x247f8270a462ea88450221a56aa6b55d2bc352b80b03501e99ea983251ceea13), - (0x394437571f9de32dccdc546fd4737772d8d92593c85438aa3473243997d5acc8, 0x14924ec6e3174f1fab7f0ce7070c22f04bbd0a0ecebdfc5c94be857f25493e95), - (0x3d907e0591343bd285c2c846f3e871a6ac70d80ec29e9500b8cb57f544e60202, 0x1034e48df35830244cabea076be8a16d67d7896e27c6ac22b285d017105da9c3), - ], - }, -}"##### - ); - } + fixed_commitments: [ + (0x2bbc94ef7b22aebef24f9a4b0cc1831882548b605171366017d45c3e6fd92075, 0x082b801a6e176239943bfb759fb02138f47a5c8cc4aa7fa0af559fde4e3abd97), + (0x2bf5082b105b2156ed0e9c5b8e42bf2a240b058f74a464d080e9585274dd1e84, 0x222ad83cee7777e7a160585e212140e5e770dd8d1df788d869b5ee483a5864fb), + (0x374a656456a0aae7429b23336f825752b575dd5a44290ff614946ee59d6a20c0, 0x054491e187e6e3460e7601fb54ae10836d34d420026f96316f0c5c62f86db9b8), + (0x374a656456a0aae7429b23336f825752b575dd5a44290ff614946ee59d6a20c0, 0x054491e187e6e3460e7601fb54ae10836d34d420026f96316f0c5c62f86db9b8), + (0x02e62cd68370b13711139a08cbcdd889e800a272b9ea10acc90880fff9d89199, 0x1a96c468cb0ce77065d3a58f1e55fea9b72d15e44c01bba1e110bd0cbc6e9bc6), + (0x224ef42758215157d3ee48fb8d769da5bddd35e5929a90a4a89736f5c4b5ae9b, 0x11bc3a1e08eb320cde764f1492ecef956d71e996e2165f7a9a30ad2febb511c1), + (0x2d5415bf917fcac32bfb705f8ca35cb12d9bad52aa33ccca747350f9235d3a18, 0x2b2921f815fad504052512743963ef20ed5b401d20627793b006413e73fe4dd4), + ], + permutation: VerifyingKey { + commitments: [ + (0x1347b4b385837977a96b87f199c6a9a81520015539d1e8fa79429bb4ca229a00, 0x2168e404cabef513654d6ff516cde73f0ba87e3dc84e4b940ed675b5f66f3884), + (0x0e6d69cd2455ec43be640f6397ed65c9e51b1d8c0fd2216339314ff37ade122a, 0x222ed6dc8cfc9ea26dcc10b9d4add791ada60f2b5a63ee1e4635f88aa0c96654), + (0x13c447846f48c41a5e0675ccf88ebc0cdef2c96c51446d037acb866d24255785, 0x1f0b5414fc5e8219dbfab996eed6129d831488b2386a8b1a63663938903bd63a), + (0x1aae6470aa662b8fda003894ddef5fedd03af318b3231683039d2fac9cab05b9, 0x08832d91ae69e99cd07d096c7a4a284a69e6a16227cbb07932a0cdc56914f3a6), + (0x0850521b0f8ac7dd0550fe3e25c840837076e9635067ed623b81d5cbac5944d9, 0x0c25d65d1038d0a92c72e5fccd96c1caf07801c3c8233290bb292e0c38c256fa), + (0x12febcf696badd970750eabf75dd3ced4c2f54f93519bcee23849025177d2014, 0x0a05ab3cd42c9fbcc1bbfcf9269951640cc9920761c87cf8e211ba73c8d9f90f), + (0x053904bdde8cfead3b517bb4f6ded3e699f8b94ca6156a9dd2f92a2a05a7ec5a, 0x16753ff97c0d82ff586bb7a07bf7f27a92df90b3617fa5e75d4f55c3b0ef8711), + (0x3804548f6816452747a5b542fa5656353fc989db40d69e9e27d6f973b5deebb0, 0x389a44d5037866dd83993af75831a5f90a18ad5244255aa5bd2c922cc5853055), + (0x003a9f9ca71c7c0b832c802220915f6fc8d840162bdde6b0ea05d25fb95559e3, 0x091247ca19d6b73887cd7f68908cbf0db0b47459b7c82276bbdb8a1c937e2438), + (0x3eaa38689d9e391c8a8fafab9568f20c45816321d38f309d4cc37f4b1601af72, 0x247f8270a462ea88450221a56aa6b55d2bc352b80b03501e99ea983251ceea13), + (0x394437571f9de32dccdc546fd4737772d8d92593c85438aa3473243997d5acc8, 0x14924ec6e3174f1fab7f0ce7070c22f04bbd0a0ecebdfc5c94be857f25493e95), + (0x3d907e0591343bd285c2c846f3e871a6ac70d80ec29e9500b8cb57f544e60202, 0x1034e48df35830244cabea076be8a16d67d7896e27c6ac22b285d017105da9c3), + ], + }, + }"##### + ); + } + */ } + env_logger::init(); - // test_plonk_api_ipa(); + test_plonk_api_ipa(); test_plonk_api_gwc(); - // test_plonk_api_shplonk(); + test_plonk_api_shplonk(); } From 7012b49da3f886cac3edacfd6f9c913391116ee4 Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Fri, 21 Jul 2023 17:13:27 +0800 Subject: [PATCH 35/70] change ConstraintSystem::general_column_annotations from hashmap to btreemap --- halo2_proofs/src/plonk/circuit.rs | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index 80eb3704..99cbbed0 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -1,7 +1,7 @@ use core::cmp::max; use core::ops::{Add, Mul}; use ff::Field; -use std::collections::HashMap; +use std::collections::BTreeMap; use std::ops::Range; use std::{ convert::TryFrom, @@ -1407,7 +1407,7 @@ pub struct ConstraintSystem { pub lookups: Vec>, // List of indexes of Fixed columns which are associated to a circuit-general Column tied to their annotation. - pub(crate) general_column_annotations: HashMap, + pub(crate) general_column_annotations: BTreeMap, // Vector of fixed columns, which can be used to store constant values // that are copied into advice columns. @@ -1493,7 +1493,7 @@ impl Default for ConstraintSystem { instance_queries: Vec::new(), permutation: permutation::Argument::new(), lookups: Vec::new(), - general_column_annotations: HashMap::new(), + general_column_annotations: BTreeMap::new(), constants: vec![], minimum_degree: None, } From 4d8a405a97ce445c88fc8ec40f9a2dd0a661c697 Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Fri, 21 Jul 2023 17:39:32 +0800 Subject: [PATCH 36/70] derive Eq for cs --- halo2_proofs/src/plonk/circuit.rs | 14 +++++++------- halo2_proofs/src/plonk/lookup.rs | 2 +- halo2_proofs/src/plonk/permutation.rs | 2 +- halo2_proofs/src/poly.rs | 2 +- 4 files changed, 10 insertions(+), 10 deletions(-) diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index 99cbbed0..b64e1034 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -390,7 +390,7 @@ impl Selector { } /// Query of fixed column at a certain relative location -#[derive(Copy, Clone, Debug)] +#[derive(Copy, Clone, Debug, PartialEq, Eq)] pub struct FixedQuery { /// Query index pub(crate) index: usize, @@ -417,7 +417,7 @@ impl FixedQuery { } /// Query of advice column at a certain relative location -#[derive(Copy, Clone, Debug)] +#[derive(Copy, Clone, Debug, PartialEq, Eq)] pub struct AdviceQuery { /// Query index pub(crate) index: usize, @@ -451,7 +451,7 @@ impl AdviceQuery { } /// Query of instance column at a certain relative location -#[derive(Copy, Clone, Debug)] +#[derive(Copy, Clone, Debug, PartialEq, Eq)] pub struct InstanceQuery { /// Query index pub(crate) index: usize, @@ -698,7 +698,7 @@ pub trait Circuit { } /// Low-degree expression representing an identity that must hold over the committed columns. -#[derive(Clone)] +#[derive(Clone, PartialEq, Eq)] pub enum Expression { /// This is a constant polynomial Constant(F), @@ -1210,7 +1210,7 @@ pub(crate) struct PointIndex(pub usize); /// A "virtual cell" is a PLONK cell that has been queried at a particular relative offset /// within a custom gate. -#[derive(Clone, Debug)] +#[derive(Clone, Debug, PartialEq, Eq)] pub struct VirtualCell { pub(crate) column: Column, pub(crate) rotation: Rotation, @@ -1336,7 +1336,7 @@ impl>, Iter: IntoIterator> IntoIterato } /// Gate -#[derive(Clone, Debug)] +#[derive(Clone, Debug, PartialEq, Eq)] pub struct Gate { name: &'static str, constraint_names: Vec<&'static str>, @@ -1372,7 +1372,7 @@ impl Gate { /// This is a description of the circuit environment, such as the gate, column and /// permutation arrangements. -#[derive(Debug, Clone)] +#[derive(Debug, Clone, PartialEq, Eq)] pub struct ConstraintSystem { pub num_fixed_columns: usize, pub num_advice_columns: usize, diff --git a/halo2_proofs/src/plonk/lookup.rs b/halo2_proofs/src/plonk/lookup.rs index e0d0db5c..c1c4d0ea 100644 --- a/halo2_proofs/src/plonk/lookup.rs +++ b/halo2_proofs/src/plonk/lookup.rs @@ -5,7 +5,7 @@ use std::fmt::{self, Debug}; pub(crate) mod prover; pub(crate) mod verifier; -#[derive(Clone)] +#[derive(Clone, PartialEq, Eq)] pub struct Argument { pub name: &'static str, pub input_expressions: Vec>, diff --git a/halo2_proofs/src/plonk/permutation.rs b/halo2_proofs/src/plonk/permutation.rs index 69121995..b353493c 100644 --- a/halo2_proofs/src/plonk/permutation.rs +++ b/halo2_proofs/src/plonk/permutation.rs @@ -17,7 +17,7 @@ pub(crate) mod verifier; use std::io; /// A permutation argument. -#[derive(Debug, Clone)] +#[derive(Debug, Clone, PartialEq, Eq)] pub struct Argument { /// A sequence of columns involved in the argument. pub columns: Vec>, diff --git a/halo2_proofs/src/poly.rs b/halo2_proofs/src/poly.rs index f72bb58e..84089482 100644 --- a/halo2_proofs/src/poly.rs +++ b/halo2_proofs/src/poly.rs @@ -307,7 +307,7 @@ impl<'a, F: Field, B: Basis> Sub for &'a Polynomial { /// Describes the relative rotation of a vector. Negative numbers represent /// reverse (leftmost) rotations and positive numbers represent forward (rightmost) /// rotations. Zero represents no rotation. -#[derive(Copy, Clone, Debug, PartialEq)] +#[derive(Copy, Clone, Debug, PartialEq, Eq)] pub struct Rotation(pub i32); impl Rotation { From 01f0b5260445a9190299af7b06b766c1e925fdaf Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Mon, 7 Aug 2023 18:58:03 +0800 Subject: [PATCH 37/70] MockProver can report phase error better --- halo2_proofs/src/dev.rs | 7 ++++--- halo2_proofs/src/plonk/circuit.rs | 2 +- 2 files changed, 5 insertions(+), 4 deletions(-) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 7f420149..aadca90b 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -704,10 +704,11 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { } fn get_challenge(&self, challenge: Challenge) -> circuit::Value { - match self.challenges.get(challenge.index()) { - None => circuit::Value::unknown(), - Some(v) => circuit::Value::known(*v), + if self.current_phase <= challenge.phase { + return circuit::Value::unknown(); } + + circuit::Value::known(self.challenges[challenge.index()]) } fn push_namespace(&mut self, _: N) diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index b64e1034..8f1ec3da 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -509,7 +509,7 @@ impl TableColumn { #[derive(Clone, Copy, Debug, Eq, PartialEq, Hash)] pub struct Challenge { index: usize, - phase: sealed::Phase, + pub(crate) phase: sealed::Phase, } impl Challenge { From b612b1e2a9fa2ccd150a6cb99e67592c8d62cd99 Mon Sep 17 00:00:00 2001 From: xkx Date: Thu, 17 Aug 2023 12:37:36 +0800 Subject: [PATCH 38/70] Fix: false alarm in phase check of mock prover (#61) * fix false alarm in phase check of mock prover * fix clippy * clippy --- halo2_proofs/src/dev.rs | 30 ++++++++++++++++++++++++++---- 1 file changed, 26 insertions(+), 4 deletions(-) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index aadca90b..ff1fa6d6 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -540,7 +540,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { fn assign_advice( &mut self, - _: A, + anno: A, column: Column, row: usize, to: V, @@ -551,6 +551,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { A: FnOnce() -> AR, AR: Into, { + // column of 2nd phase does not need to be assigned when synthesis at 1st phase if self.current_phase.0 < column.column_type().phase.0 { return Ok(()); } @@ -578,7 +579,18 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { .or_default(); } - let assigned = CellValue::Assigned(to().into_field().evaluate().assign()?); + let advice_anno = anno().into(); + let val_res = to().into_field().evaluate().assign(); + if val_res.is_err() { + log::debug!( + "[{}] assign to advice {:?} at row {} failed at phase {:?}", + advice_anno, + column, + row, + self.current_phase + ); + } + let assigned = CellValue::Assigned(val_res?); *self .advice .get_mut(column.index()) @@ -830,12 +842,16 @@ impl<'a, F: FieldExt> MockProver<'a, F> { for current_phase in prover.cs.phases() { prover.current_phase = current_phase; prover.advice_prev = last_advice; - ConcreteCircuit::FloorPlanner::synthesize( + let syn_res = ConcreteCircuit::FloorPlanner::synthesize( &mut prover, circuit, config.clone(), constants.clone(), - )?; + ); + if syn_res.is_err() { + log::error!("mock prover syn failed at phase {:?}", current_phase); + } + syn_res?; for (index, phase) in prover.cs.challenge_phase.iter().enumerate() { if current_phase == *phase { @@ -861,6 +877,11 @@ impl<'a, F: FieldExt> MockProver<'a, F> { panic!("wrong phase assignment"); } } + if current_phase.0 < prover.cs.max_phase() { + // only keep the regions that we got during last phase's synthesis + // as we do not need to verify these regions. + prover.regions.clear(); + } last_advice = prover.advice_vec.as_ref().clone(); } } @@ -1309,6 +1330,7 @@ impl<'a, F: FieldExt> MockProver<'a, F> { // Check that within each region, all cells used in instantiated gates have been // assigned to. + log::debug!("regions.len() = {}", self.regions.len()); let selector_errors = self.regions.iter().enumerate().flat_map(|(r_i, r)| { r.enabled_selectors.iter().flat_map(move |(selector, at)| { // Find the gates enabled by this selector From 19de67c07a9b9b567580466763f93ebfbc3bb799 Mon Sep 17 00:00:00 2001 From: Velaciela Date: Fri, 18 Aug 2023 20:24:57 +0800 Subject: [PATCH 39/70] Perf: batch invert on CellValue for MockProver (#62) * mock prover batch invert * middle * parallelize * unwrap() * fmt * fix clippy error * reviewers' suggestions * refactor --------- Co-authored-by: kunxian xia --- halo2_proofs/src/dev.rs | 143 ++++++++++++++++++++++++++++++++++++++-- 1 file changed, 136 insertions(+), 7 deletions(-) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index ff1fa6d6..ead9abb0 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -9,7 +9,7 @@ use std::sync::Arc; use std::time::{Duration, Instant}; use blake2b_simd::blake2b; -use ff::Field; +use ff::{BatchInvert, Field}; use crate::plonk::permutation::keygen::Assembly; use crate::plonk::sealed::SealedPhase; @@ -97,16 +97,135 @@ impl Region { } /// The value of a particular cell within the circuit. -#[derive(Clone, Copy, Debug, PartialEq, Eq)] +#[derive(Clone, Copy, Debug)] pub enum CellValue { /// An unassigned cell. Unassigned, /// A cell that has been assigned a value. Assigned(F), + /// A value stored as a fraction to enable batch inversion. + Rational(F, F), /// A unique poisoned cell. Poison(usize), } +impl PartialEq for CellValue { + fn eq(&self, other: &Self) -> bool { + match (self, other) { + (Self::Unassigned, Self::Unassigned) => true, + (Self::Assigned(a), Self::Assigned(b)) => a == b, + (Self::Rational(a, b), Self::Rational(c, d)) => *a * d == *b * c, + (Self::Assigned(a), Self::Rational(n, d)) => *a * *d == *n, + (Self::Rational(n, d), Self::Assigned(a)) => *a * *d == *n, + (Self::Poison(a), Self::Poison(b)) => a == b, + _ => false, + } + } +} + +impl CellValue { + /// Returns the numerator. + pub fn numerator(&self) -> Option { + match self { + Self::Rational(numerator, _) => Some(*numerator), + _ => None, + } + } + + /// Returns the denominator + pub fn denominator(&self) -> Option { + match self { + Self::Rational(_, denominator) => Some(*denominator), + _ => None, + } + } +} + +impl From> for CellValue { + fn from(value: Assigned) -> Self { + match value { + Assigned::Zero => CellValue::Unassigned, + Assigned::Trivial(value) => CellValue::Assigned(value), + Assigned::Rational(numerator, denominator) => { + CellValue::Rational(numerator, denominator) + } + } + } +} + +fn calculate_assigned_values( + cell_values: &mut [CellValue], + inv_denoms: &[Option], +) { + assert_eq!(inv_denoms.len(), cell_values.len()); + for (value, inv_den) in cell_values.iter_mut().zip(inv_denoms.iter()) { + // if numerator and denominator exist, calculate the assigned value + // otherwise, return the original CellValue + *value = match value { + CellValue::Rational(numerator, _) => CellValue::Assigned(*numerator * inv_den.unwrap()), + _ => *value, + }; + } +} + +fn batch_invert_cellvalues(cell_values: &mut [Vec>]) { + let mut denominators: Vec<_> = cell_values + .iter() + .map(|f| { + f.par_iter() + .map(|value| value.denominator()) + .collect::>() + }) + .collect(); + let denominators_len: usize = denominators.iter().map(|f| f.len()).sum(); + + let mut_denominators = denominators + .iter_mut() + .flat_map(|f| { + f.iter_mut() + // If the denominator is trivial, we can skip it, reducing the + // size of the batch inversion. + .filter_map(|d| d.as_mut()) + }) + .collect::>(); + + log::info!( + "num of denominators: {} / {}", + mut_denominators.len(), + denominators_len + ); + if mut_denominators.is_empty() { + return; + } + + let num_threads = rayon::current_num_threads(); + let chunk_size = (mut_denominators.len() + num_threads - 1) / num_threads; + let mut_denominators = + mut_denominators + .into_iter() + .enumerate() + .fold(vec![vec![]], |mut acc, (i, denom)| { + let len = acc.len(); + if i % chunk_size == 0 { + acc.push(vec![denom]) + } else { + acc[len - 1].push(denom); + } + acc + }); + rayon::scope(|scope| { + for chunk in mut_denominators { + scope.spawn(|_| { + chunk.batch_invert(); + }); + } + }); + + for (cell_values, inv_denoms) in cell_values.iter_mut().zip(denominators.iter()) { + calculate_assigned_values(cell_values, inv_denoms); + } +} + /// A value within an expression. #[derive(Clone, Copy, Debug, PartialEq, Eq, Ord, PartialOrd)] enum Value { @@ -120,6 +239,7 @@ impl From> for Value { // Cells that haven't been explicitly assigned to, default to zero. CellValue::Unassigned => Value::Real(F::zero()), CellValue::Assigned(v) => Value::Real(v), + CellValue::Rational(n, d) => Value::Real(n * d.invert().unwrap()), CellValue::Poison(_) => Value::Poison, } } @@ -580,7 +700,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { } let advice_anno = anno().into(); - let val_res = to().into_field().evaluate().assign(); + let val_res = to().into_field().assign(); if val_res.is_err() { log::debug!( "[{}] assign to advice {:?} at row {} failed at phase {:?}", @@ -590,7 +710,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { self.current_phase ); } - let assigned = CellValue::Assigned(val_res?); + let assigned = CellValue::from(val_res?); *self .advice .get_mut(column.index()) @@ -653,15 +773,15 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { .or_default(); } - let fix_cell = self + let assigned = self .fixed .get_mut(column.index()) .and_then(|v| v.get_mut(row - self.rw_rows.start)) .ok_or(Error::BoundsFailure); - if fix_cell.is_err() { + if assigned.is_err() { println!("fix cell is none: {}, row: {}", column.index(), row); } - *fix_cell? = CellValue::Assigned(to().into_field().evaluate().assign()?); + *assigned? = CellValue::from(to().into_field().assign()?); Ok(()) } @@ -897,6 +1017,15 @@ impl<'a, F: FieldExt> MockProver<'a, F> { .cs .compress_selectors(prover.selectors_vec.as_ref().clone()); prover.cs = cs; + + // batch invert + batch_invert_cellvalues( + Arc::get_mut(&mut prover.advice_vec).expect("get_mut prover.advice_vec"), + ); + batch_invert_cellvalues( + Arc::get_mut(&mut prover.fixed_vec).expect("get_mut prover.fixed_vec"), + ); + // add selector polys Arc::get_mut(&mut prover.fixed_vec) .expect("get_mut prover.fixed_vec") .extend(selector_polys.into_iter().map(|poly| { From aa86c107aeb62282d81ebce5c4930ec0c0aa540b Mon Sep 17 00:00:00 2001 From: Velaciela Date: Wed, 30 Aug 2023 13:35:11 +0800 Subject: [PATCH 40/70] feature flag: mock-batch-inv (#63) --- halo2_proofs/Cargo.toml | 1 + halo2_proofs/src/dev.rs | 41 ++++++++++++++++++++++++++++++++++------- 2 files changed, 35 insertions(+), 7 deletions(-) diff --git a/halo2_proofs/Cargo.toml b/halo2_proofs/Cargo.toml index 9afcc0ca..14808889 100644 --- a/halo2_proofs/Cargo.toml +++ b/halo2_proofs/Cargo.toml @@ -90,6 +90,7 @@ gwc = [] parallel_syn = [] phase-check = [] profile = ["ark-std/print-trace"] +mock-batch-inv = [] [lib] bench = false diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index ead9abb0..94d7da90 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -104,6 +104,7 @@ pub enum CellValue { /// A cell that has been assigned a value. Assigned(F), /// A value stored as a fraction to enable batch inversion. + #[cfg(feature = "mock-batch-inv")] Rational(F, F), /// A unique poisoned cell. Poison(usize), @@ -114,8 +115,11 @@ impl PartialEq for CellValue { match (self, other) { (Self::Unassigned, Self::Unassigned) => true, (Self::Assigned(a), Self::Assigned(b)) => a == b, + #[cfg(feature = "mock-batch-inv")] (Self::Rational(a, b), Self::Rational(c, d)) => *a * d == *b * c, + #[cfg(feature = "mock-batch-inv")] (Self::Assigned(a), Self::Rational(n, d)) => *a * *d == *n, + #[cfg(feature = "mock-batch-inv")] (Self::Rational(n, d), Self::Assigned(a)) => *a * *d == *n, (Self::Poison(a), Self::Poison(b)) => a == b, _ => false, @@ -123,6 +127,7 @@ impl PartialEq for CellValue { } } +#[cfg(feature = "mock-batch-inv")] impl CellValue { /// Returns the numerator. pub fn numerator(&self) -> Option { @@ -141,6 +146,7 @@ impl CellValue { } } +#[cfg(feature = "mock-batch-inv")] impl From> for CellValue { fn from(value: Assigned) -> Self { match value { @@ -153,6 +159,7 @@ impl From> for CellValue { } } +#[cfg(feature = "mock-batch-inv")] fn calculate_assigned_values( cell_values: &mut [CellValue], inv_denoms: &[Option], @@ -168,6 +175,7 @@ fn calculate_assigned_values( } } +#[cfg(feature = "mock-batch-inv")] fn batch_invert_cellvalues(cell_values: &mut [Vec>]) { let mut denominators: Vec<_> = cell_values .iter() @@ -239,6 +247,7 @@ impl From> for Value { // Cells that haven't been explicitly assigned to, default to zero. CellValue::Unassigned => Value::Real(F::zero()), CellValue::Assigned(v) => Value::Real(v), + #[cfg(feature = "mock-batch-inv")] CellValue::Rational(n, d) => Value::Real(n * d.invert().unwrap()), CellValue::Poison(_) => Value::Poison, } @@ -700,6 +709,9 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { } let advice_anno = anno().into(); + #[cfg(not(feature = "mock-batch-inv"))] + let val_res = to().into_field().evaluate().assign(); + #[cfg(feature = "mock-batch-inv")] let val_res = to().into_field().assign(); if val_res.is_err() { log::debug!( @@ -710,7 +722,11 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { self.current_phase ); } + #[cfg(not(feature = "mock-batch-inv"))] + let assigned = CellValue::Assigned(val_res?); + #[cfg(feature = "mock-batch-inv")] let assigned = CellValue::from(val_res?); + *self .advice .get_mut(column.index()) @@ -781,7 +797,15 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { if assigned.is_err() { println!("fix cell is none: {}, row: {}", column.index(), row); } - *assigned? = CellValue::from(to().into_field().assign()?); + + #[cfg(not(feature = "mock-batch-inv"))] + { + *assigned? = CellValue::Assigned(to().into_field().evaluate().assign()?); + } + #[cfg(feature = "mock-batch-inv")] + { + *assigned? = CellValue::from(to().into_field().assign()?); + } Ok(()) } @@ -1019,12 +1043,15 @@ impl<'a, F: FieldExt> MockProver<'a, F> { prover.cs = cs; // batch invert - batch_invert_cellvalues( - Arc::get_mut(&mut prover.advice_vec).expect("get_mut prover.advice_vec"), - ); - batch_invert_cellvalues( - Arc::get_mut(&mut prover.fixed_vec).expect("get_mut prover.fixed_vec"), - ); + #[cfg(feature = "mock-batch-inv")] + { + batch_invert_cellvalues( + Arc::get_mut(&mut prover.advice_vec).expect("get_mut prover.advice_vec"), + ); + batch_invert_cellvalues( + Arc::get_mut(&mut prover.fixed_vec).expect("get_mut prover.fixed_vec"), + ); + } // add selector polys Arc::get_mut(&mut prover.fixed_vec) .expect("get_mut prover.fixed_vec") From ca3066c88546d7fcae0416c17efd0db632d5b954 Mon Sep 17 00:00:00 2001 From: zhenfei Date: Tue, 19 Sep 2023 08:04:36 +0800 Subject: [PATCH 41/70] expose param field for re-randomization (#67) --- halo2_proofs/src/poly/kzg/commitment.rs | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/halo2_proofs/src/poly/kzg/commitment.rs b/halo2_proofs/src/poly/kzg/commitment.rs index 27d188aa..08665667 100644 --- a/halo2_proofs/src/poly/kzg/commitment.rs +++ b/halo2_proofs/src/poly/kzg/commitment.rs @@ -21,12 +21,12 @@ use super::msm::MSMKZG; /// These are the public parameters for the polynomial commitment scheme. #[derive(Debug, Clone)] pub struct ParamsKZG { - pub(crate) k: u32, + pub k: u32, pub n: u64, - pub(crate) g: Vec, + pub g: Vec, pub g_lagrange: Vec, - pub(crate) g2: E::G2Affine, - pub(crate) s_g2: E::G2Affine, + pub g2: E::G2Affine, + pub s_g2: E::G2Affine, } /// Umbrella commitment scheme construction for all KZG variants From e3fe25eadd714fd991f35190d17ff0b8fb031188 Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Wed, 20 Sep 2023 15:06:17 +0800 Subject: [PATCH 42/70] change log level --- halo2_proofs/src/circuit/floor_planner/single_pass.rs | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index a11b4155..0761957b 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -250,7 +250,7 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a // Do actual synthesis of sub-regions in parallel let cs_fork_time = Instant::now(); let mut sub_cs = self.cs.fork(&ranges)?; - log::info!( + log::debug!( "CS forked into {} subCS took {:?}", sub_cs.len(), cs_fork_time.elapsed() @@ -275,7 +275,7 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a let result = assignment(region_ref.into()); let constant = region.constants.clone(); sub_layouter.cs.exit_region(); - log::info!( + log::debug!( "region {} 2nd pass synthesis took {:?}", region_name, sub_region_2nd_pass.elapsed() @@ -294,12 +294,12 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a let cs_merge_time = Instant::now(); let num_sub_cs = sub_cs.len(); self.cs.merge(sub_cs)?; - log::info!( + log::debug!( "Merge {} subCS back took {:?}", num_sub_cs, cs_merge_time.elapsed() ); - log::info!( + log::debug!( "{} sub_regions of {} 2nd pass synthesis took {:?}", ranges.len(), region_name, From 92fe9b3e2420ee51336b39513e397df7c8175cf9 Mon Sep 17 00:00:00 2001 From: alannotnerd Date: Tue, 17 Oct 2023 22:13:36 +0800 Subject: [PATCH 43/70] Use thread pool for assign_regions (#57) * feat: use rayon threadpool * feat: add UT for many subregions * refact: move common struct out to module level * refact: reuse common configure code * fix ci errors --------- Co-authored-by: kunxian xia --- .gitignore | 2 +- .../src/circuit/floor_planner/single_pass.rs | 55 +- halo2_proofs/tests/plonk_api.rs | 1364 +++++++---------- 3 files changed, 584 insertions(+), 837 deletions(-) diff --git a/.gitignore b/.gitignore index 317814d1..cd5bdf5e 100644 --- a/.gitignore +++ b/.gitignore @@ -2,4 +2,4 @@ **/*.rs.bk .vscode **/*.html -.DS_Store +.DS_Store \ No newline at end of file diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index 0761957b..3c445230 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -6,6 +6,8 @@ use std::ops::Range; use std::sync::{Arc, Mutex}; use std::time::Instant; +use rayon::prelude::{IndexedParallelIterator, IntoParallelIterator, ParallelIterator}; + use ff::Field; use ark_std::{end_timer, start_timer}; @@ -258,39 +260,28 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a let ref_sub_cs = sub_cs.iter_mut().collect(); let sub_layouters = self.fork(ref_sub_cs)?; let regions_2nd_pass = Instant::now(); - let ret = crossbeam::scope(|scope| { - let mut handles = vec![]; - for (i, (mut assignment, mut sub_layouter)) in assignments - .into_iter() - .zip(sub_layouters.into_iter()) - .enumerate() - { + let ret = assignments + .into_par_iter() + .zip(sub_layouters.into_par_iter()) + .enumerate() + .map(|(i, (mut assignment, mut sub_layouter))| { let region_name = format!("{}_{}", region_name, i); - handles.push(scope.spawn(move |_| { - let sub_region_2nd_pass = Instant::now(); - sub_layouter.cs.enter_region(|| region_name.clone()); - let mut region = - SingleChipLayouterRegion::new(&mut sub_layouter, (region_index + i).into()); - let region_ref: &mut dyn RegionLayouter = &mut region; - let result = assignment(region_ref.into()); - let constant = region.constants.clone(); - sub_layouter.cs.exit_region(); - log::debug!( - "region {} 2nd pass synthesis took {:?}", - region_name, - sub_region_2nd_pass.elapsed() - ); - - (result, constant) - })); - } - - handles - .into_iter() - .map(|handle| handle.join().expect("handle.join should never fail")) - .collect::>() - }) - .expect("scope should not fail"); + let sub_region_2nd_pass = Instant::now(); + sub_layouter.cs.enter_region(|| region_name.clone()); + let mut region = + SingleChipLayouterRegion::new(&mut sub_layouter, (region_index + i).into()); + let region_ref: &mut dyn RegionLayouter = &mut region; + let result = assignment(region_ref.into()); + let constant = region.constants.clone(); + sub_layouter.cs.exit_region(); + log::debug!( + "region {} 2nd pass synthesis took {:?}", + region_name, + sub_region_2nd_pass.elapsed() + ); + (result, constant) + }) + .collect::>(); let cs_merge_time = Instant::now(); let num_sub_cs = sub_cs.len(); self.cs.merge(sub_cs)?; diff --git a/halo2_proofs/tests/plonk_api.rs b/halo2_proofs/tests/plonk_api.rs index edfdfac3..778cf840 100644 --- a/halo2_proofs/tests/plonk_api.rs +++ b/halo2_proofs/tests/plonk_api.rs @@ -3,7 +3,9 @@ // use assert_matches::assert_matches; use halo2_proofs::arithmetic::{Field, FieldExt}; -use halo2_proofs::circuit::{Cell, Layouter, Region, SimpleFloorPlanner, Value}; +#[cfg(feature = "parallel_syn")] +use halo2_proofs::circuit::Region; +use halo2_proofs::circuit::{Cell, Layouter, SimpleFloorPlanner, Value}; use halo2_proofs::dev::MockProver; use halo2_proofs::plonk::{ create_proof as create_plonk_proof, keygen_pk, keygen_vk, verify_proof as verify_plonk_proof, @@ -11,260 +13,375 @@ use halo2_proofs::plonk::{ VerifyingKey, }; use halo2_proofs::poly::commitment::{CommitmentScheme, ParamsProver, Prover, Verifier}; +use halo2_proofs::poly::kzg::commitment::{KZGCommitmentScheme, ParamsKZG}; +use halo2_proofs::poly::kzg::multiopen::{ProverGWC, VerifierGWC}; +use halo2_proofs::poly::kzg::strategy::AccumulatorStrategy; use halo2_proofs::poly::Rotation; use halo2_proofs::poly::VerificationStrategy; use halo2_proofs::transcript::{ Blake2bRead, Blake2bWrite, Challenge255, EncodedChallenge, TranscriptReadBuffer, TranscriptWriterBuffer, }; +use halo2curves::bn256::Bn256; use rand_core::{OsRng, RngCore}; use std::marker::PhantomData; use std::time::Instant; -#[test] -fn plonk_api() { - const K: u32 = 17; +const K: u32 = 17; + +/// This represents an advice column at a certain row in the ConstraintSystem +#[derive(Copy, Clone, Debug)] +pub struct Variable(Column, usize); + +#[derive(Clone)] +struct PlonkConfig { + a: Column, + b: Column, + c: Column, + d: Column, + e: Column, + + sa: Column, + sb: Column, + sc: Column, + sm: Column, + sp: Column, + sl: TableColumn, +} - /// This represents an advice column at a certain row in the ConstraintSystem - #[derive(Copy, Clone, Debug)] - pub struct Variable(Column, usize); +impl PlonkConfig { + pub fn construct(meta: &mut ConstraintSystem) -> Self { + let e = meta.advice_column(); + let a = meta.advice_column(); + let b = meta.advice_column(); + let sf = meta.fixed_column(); + let c = meta.advice_column(); + let d = meta.advice_column(); + let p = meta.instance_column(); + + meta.enable_equality(a); + meta.enable_equality(b); + meta.enable_equality(c); + + let sm = meta.fixed_column(); + let sa = meta.fixed_column(); + let sb = meta.fixed_column(); + let sc = meta.fixed_column(); + let sp = meta.fixed_column(); + let sl = meta.lookup_table_column(); - #[derive(Clone)] - struct PlonkConfig { - a: Column, - b: Column, - c: Column, - d: Column, - e: Column, - - sa: Column, - sb: Column, - sc: Column, - sm: Column, - sp: Column, - sl: TableColumn, - } - - #[allow(clippy::type_complexity)] - trait StandardCs { - fn raw_multiply( - &self, - layouter: &mut impl Layouter, - f: F, - ) -> Result<(Cell, Cell, Cell), Error> - where - F: FnMut() -> Value<(Assigned, Assigned, Assigned)>; - fn raw_add( - &self, - layouter: &mut impl Layouter, - f: F, - ) -> Result<(Cell, Cell, Cell), Error> - where - F: FnMut() -> Value<(Assigned, Assigned, Assigned)>; - fn copy(&self, layouter: &mut impl Layouter, a: Cell, b: Cell) -> Result<(), Error>; - fn public_input(&self, layouter: &mut impl Layouter, f: F) -> Result - where - F: FnMut() -> Value; - fn lookup_table( - &self, - layouter: &mut impl Layouter, - values: &[FF], - ) -> Result<(), Error>; + /* + * A B ... sl + * [ + * instance 0 ... 0 + * a a ... 0 + * a a^2 ... 0 + * a a ... 0 + * a a^2 ... 0 + * ... ... ... ... + * ... ... ... instance + * ... ... ... a + * ... ... ... a + * ... ... ... 0 + * ] + */ + + meta.lookup("lookup", |meta| { + let a_ = meta.query_any(a, Rotation::cur()); + vec![(a_, sl)] + }); + + meta.create_gate("Combined add-mult", |meta| { + let d = meta.query_advice(d, Rotation::next()); + let a = meta.query_advice(a, Rotation::cur()); + let sf = meta.query_fixed(sf, Rotation::cur()); + let e = meta.query_advice(e, Rotation::prev()); + let b = meta.query_advice(b, Rotation::cur()); + let c = meta.query_advice(c, Rotation::cur()); + + let sa = meta.query_fixed(sa, Rotation::cur()); + let sb = meta.query_fixed(sb, Rotation::cur()); + let sc = meta.query_fixed(sc, Rotation::cur()); + let sm = meta.query_fixed(sm, Rotation::cur()); + + vec![a.clone() * sa + b.clone() * sb + a * b * sm - (c * sc) + sf * (d * e)] + }); + + meta.create_gate("Public input", |meta| { + let a = meta.query_advice(a, Rotation::cur()); + let p = meta.query_instance(p, Rotation::cur()); + let sp = meta.query_fixed(sp, Rotation::cur()); + + vec![sp * (a - p)] + }); + + meta.enable_equality(sf); + meta.enable_equality(e); + meta.enable_equality(d); + meta.enable_equality(p); + meta.enable_equality(sm); + meta.enable_equality(sa); + meta.enable_equality(sb); + meta.enable_equality(sc); + meta.enable_equality(sp); + + PlonkConfig { + a, + b, + c, + d, + e, + sa, + sb, + sc, + sm, + sp, + sl, + } } +} - #[derive(Clone)] - struct MyCircuit { - a: Value, - lookup_table: Vec, - } +#[allow(clippy::type_complexity)] +trait StandardCs { + fn raw_multiply( + &self, + layouter: &mut impl Layouter, + f: F, + ) -> Result<(Cell, Cell, Cell), Error> + where + F: FnMut() -> Value<(Assigned, Assigned, Assigned)>; + fn raw_add( + &self, + layouter: &mut impl Layouter, + f: F, + ) -> Result<(Cell, Cell, Cell), Error> + where + F: FnMut() -> Value<(Assigned, Assigned, Assigned)>; + fn copy(&self, layouter: &mut impl Layouter, a: Cell, b: Cell) -> Result<(), Error>; + fn public_input(&self, layouter: &mut impl Layouter, f: F) -> Result + where + F: FnMut() -> Value; + fn lookup_table(&self, layouter: &mut impl Layouter, values: &[FF]) -> Result<(), Error>; +} - struct StandardPlonk { - config: PlonkConfig, - _marker: PhantomData, - } +struct StandardPlonk { + config: PlonkConfig, + _marker: PhantomData, +} - impl StandardPlonk { - fn new(config: PlonkConfig) -> Self { - StandardPlonk { - config, - _marker: PhantomData, - } +impl StandardPlonk { + fn new(config: PlonkConfig) -> Self { + StandardPlonk { + config, + _marker: PhantomData, } } +} - impl StandardCs for StandardPlonk { - fn raw_multiply( - &self, - layouter: &mut impl Layouter, - mut f: F, - ) -> Result<(Cell, Cell, Cell), Error> - where - F: FnMut() -> Value<(Assigned, Assigned, Assigned)>, - { - layouter.assign_region( - || "raw_multiply", - |mut region| { - let mut value = None; - let lhs = region.assign_advice( - || "lhs", - self.config.a, - 0, - || { - value = Some(f()); - value.unwrap().map(|v| v.0) - }, - )?; - region.assign_advice( - || "lhs^4", - self.config.d, - 0, - || value.unwrap().map(|v| v.0).square().square(), - )?; - let rhs = region.assign_advice( - || "rhs", - self.config.b, - 0, - || value.unwrap().map(|v| v.1), - )?; - region.assign_advice( - || "rhs^4", - self.config.e, - 0, - || value.unwrap().map(|v| v.1).square().square(), - )?; - let out = region.assign_advice( - || "out", - self.config.c, - 0, - || value.unwrap().map(|v| v.2), +impl StandardCs for StandardPlonk { + fn raw_multiply( + &self, + layouter: &mut impl Layouter, + mut f: F, + ) -> Result<(Cell, Cell, Cell), Error> + where + F: FnMut() -> Value<(Assigned, Assigned, Assigned)>, + { + layouter.assign_region( + || "raw_multiply", + |mut region| { + let mut value = None; + let lhs = region.assign_advice( + || "lhs", + self.config.a, + 0, + || { + value = Some(f()); + value.unwrap().map(|v| v.0) + }, + )?; + region.assign_advice( + || "lhs^4", + self.config.d, + 0, + || value.unwrap().map(|v| v.0).square().square(), + )?; + let rhs = region.assign_advice( + || "rhs", + self.config.b, + 0, + || value.unwrap().map(|v| v.1), + )?; + region.assign_advice( + || "rhs^4", + self.config.e, + 0, + || value.unwrap().map(|v| v.1).square().square(), + )?; + let out = region.assign_advice( + || "out", + self.config.c, + 0, + || value.unwrap().map(|v| v.2), + )?; + + region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::zero()))?; + region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::zero()))?; + region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::one()))?; + region.assign_fixed(|| "a * b", self.config.sm, 0, || Value::known(FF::one()))?; + Ok((lhs.cell(), rhs.cell(), out.cell())) + }, + ) + } + fn raw_add( + &self, + layouter: &mut impl Layouter, + mut f: F, + ) -> Result<(Cell, Cell, Cell), Error> + where + F: FnMut() -> Value<(Assigned, Assigned, Assigned)>, + { + layouter.assign_region( + || "raw_add", + |mut region| { + let mut value = None; + let lhs = region.assign_advice( + || "lhs", + self.config.a, + 0, + || { + value = Some(f()); + value.unwrap().map(|v| v.0) + }, + )?; + region.assign_advice( + || "lhs^4", + self.config.d, + 0, + || value.unwrap().map(|v| v.0).square().square(), + )?; + let rhs = region.assign_advice( + || "rhs", + self.config.b, + 0, + || value.unwrap().map(|v| v.1), + )?; + region.assign_advice( + || "rhs^4", + self.config.e, + 0, + || value.unwrap().map(|v| v.1).square().square(), + )?; + let out = region.assign_advice( + || "out", + self.config.c, + 0, + || value.unwrap().map(|v| v.2), + )?; + + region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::one()))?; + region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::one()))?; + region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::one()))?; + region.assign_fixed(|| "a * b", self.config.sm, 0, || Value::known(FF::zero()))?; + Ok((lhs.cell(), rhs.cell(), out.cell())) + }, + ) + } + fn copy(&self, layouter: &mut impl Layouter, left: Cell, right: Cell) -> Result<(), Error> { + layouter.assign_region( + || "copy", + |mut region| { + region.constrain_equal(left, right)?; + region.constrain_equal(left, right) + }, + ) + } + fn public_input(&self, layouter: &mut impl Layouter, mut f: F) -> Result + where + F: FnMut() -> Value, + { + layouter.assign_region( + || "public_input", + |mut region| { + let value = region.assign_advice(|| "value", self.config.a, 0, &mut f)?; + region.assign_fixed(|| "public", self.config.sp, 0, || Value::known(FF::one()))?; + + Ok(value.cell()) + }, + ) + } + fn lookup_table(&self, layouter: &mut impl Layouter, values: &[FF]) -> Result<(), Error> { + layouter.assign_table( + || "", + |mut table| { + for (index, &value) in values.iter().enumerate() { + table.assign_cell( + || "table col", + self.config.sl, + index, + || Value::known(value), )?; + } + Ok(()) + }, + )?; + Ok(()) + } +} - region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::zero()))?; - region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::zero()))?; - region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::one()))?; - region.assign_fixed( - || "a * b", - self.config.sm, - 0, - || Value::known(FF::one()), - )?; - Ok((lhs.cell(), rhs.cell(), out.cell())) - }, - ) - } - fn raw_add( - &self, - layouter: &mut impl Layouter, - mut f: F, - ) -> Result<(Cell, Cell, Cell), Error> - where - F: FnMut() -> Value<(Assigned, Assigned, Assigned)>, - { - layouter.assign_region( - || "raw_add", - |mut region| { - let mut value = None; - let lhs = region.assign_advice( - || "lhs", - self.config.a, - 0, - || { - value = Some(f()); - value.unwrap().map(|v| v.0) - }, - )?; - region.assign_advice( - || "lhs^4", - self.config.d, - 0, - || value.unwrap().map(|v| v.0).square().square(), - )?; - let rhs = region.assign_advice( - || "rhs", - self.config.b, - 0, - || value.unwrap().map(|v| v.1), - )?; - region.assign_advice( - || "rhs^4", - self.config.e, - 0, - || value.unwrap().map(|v| v.1).square().square(), - )?; - let out = region.assign_advice( - || "out", - self.config.c, - 0, - || value.unwrap().map(|v| v.2), - )?; +macro_rules! common { + ($scheme:ident) => {{ + let a = <$scheme as CommitmentScheme>::Scalar::from(2834758237) + * <$scheme as CommitmentScheme>::Scalar::ZETA; + let instance = <$scheme as CommitmentScheme>::Scalar::one() + + <$scheme as CommitmentScheme>::Scalar::one(); + let lookup_table = vec![ + instance, + a, + a, + <$scheme as CommitmentScheme>::Scalar::zero(), + ]; + (a, instance, lookup_table) + }}; +} - region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::one()))?; - region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::one()))?; - region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::one()))?; - region.assign_fixed( - || "a * b", - self.config.sm, - 0, - || Value::known(FF::zero()), - )?; - Ok((lhs.cell(), rhs.cell(), out.cell())) - }, - ) - } - fn copy( - &self, - layouter: &mut impl Layouter, - left: Cell, - right: Cell, - ) -> Result<(), Error> { - layouter.assign_region( - || "copy", - |mut region| { - region.constrain_equal(left, right)?; - region.constrain_equal(left, right) - }, - ) - } - fn public_input(&self, layouter: &mut impl Layouter, mut f: F) -> Result - where - F: FnMut() -> Value, - { - layouter.assign_region( - || "public_input", - |mut region| { - let value = region.assign_advice(|| "value", self.config.a, 0, &mut f)?; - region.assign_fixed( - || "public", - self.config.sp, - 0, - || Value::known(FF::one()), - )?; +fn verify_proof< + 'a, + 'params, + Scheme: CommitmentScheme, + V: Verifier<'params, Scheme>, + E: EncodedChallenge, + T: TranscriptReadBuffer<&'a [u8], Scheme::Curve, E>, + Strategy: VerificationStrategy<'params, Scheme, V, Output = Strategy>, +>( + params_verifier: &'params Scheme::ParamsVerifier, + vk: &VerifyingKey, + proof: &'a [u8], +) { + let (_, instance, _) = common!(Scheme); + let pubinputs = vec![instance]; + + let mut transcript = T::init(proof); + + let strategy = Strategy::new(params_verifier); + let strategy = verify_plonk_proof( + params_verifier, + vk, + strategy, + &[&[&pubinputs[..]], &[&pubinputs[..]]], + &mut transcript, + ) + .unwrap(); + + assert!(strategy.finalize()); +} - Ok(value.cell()) - }, - ) - } - fn lookup_table( - &self, - layouter: &mut impl Layouter, - values: &[FF], - ) -> Result<(), Error> { - layouter.assign_table( - || "", - |mut table| { - for (index, &value) in values.iter().enumerate() { - table.assign_cell( - || "table col", - self.config.sl, - index, - || Value::known(value), - )?; - } - Ok(()) - }, - )?; - Ok(()) - } +#[test] +fn plonk_api() { + #[derive(Clone)] + struct MyCircuit { + a: Value, + lookup_table: Vec, } impl Circuit for MyCircuit { @@ -279,93 +396,7 @@ fn plonk_api() { } fn configure(meta: &mut ConstraintSystem) -> PlonkConfig { - let e = meta.advice_column(); - let a = meta.advice_column(); - let b = meta.advice_column(); - let sf = meta.fixed_column(); - let c = meta.advice_column(); - let d = meta.advice_column(); - let p = meta.instance_column(); - - meta.enable_equality(a); - meta.enable_equality(b); - meta.enable_equality(c); - - let sm = meta.fixed_column(); - let sa = meta.fixed_column(); - let sb = meta.fixed_column(); - let sc = meta.fixed_column(); - let sp = meta.fixed_column(); - let sl = meta.lookup_table_column(); - - /* - * A B ... sl - * [ - * instance 0 ... 0 - * a a ... 0 - * a a^2 ... 0 - * a a ... 0 - * a a^2 ... 0 - * ... ... ... ... - * ... ... ... instance - * ... ... ... a - * ... ... ... a - * ... ... ... 0 - * ] - */ - - meta.lookup("lookup", |meta| { - let a_ = meta.query_any(a, Rotation::cur()); - vec![(a_, sl)] - }); - - meta.create_gate("Combined add-mult", |meta| { - let d = meta.query_advice(d, Rotation::next()); - let a = meta.query_advice(a, Rotation::cur()); - let sf = meta.query_fixed(sf, Rotation::cur()); - let e = meta.query_advice(e, Rotation::prev()); - let b = meta.query_advice(b, Rotation::cur()); - let c = meta.query_advice(c, Rotation::cur()); - - let sa = meta.query_fixed(sa, Rotation::cur()); - let sb = meta.query_fixed(sb, Rotation::cur()); - let sc = meta.query_fixed(sc, Rotation::cur()); - let sm = meta.query_fixed(sm, Rotation::cur()); - - vec![a.clone() * sa + b.clone() * sb + a * b * sm - (c * sc) + sf * (d * e)] - }); - - meta.create_gate("Public input", |meta| { - let a = meta.query_advice(a, Rotation::cur()); - let p = meta.query_instance(p, Rotation::cur()); - let sp = meta.query_fixed(sp, Rotation::cur()); - - vec![sp * (a - p)] - }); - - meta.enable_equality(sf); - meta.enable_equality(e); - meta.enable_equality(d); - meta.enable_equality(p); - meta.enable_equality(sm); - meta.enable_equality(sa); - meta.enable_equality(sb); - meta.enable_equality(sc); - meta.enable_equality(sp); - - PlonkConfig { - a, - b, - c, - d, - e, - sa, - sb, - sc, - sm, - sp, - sl, - } + PlonkConfig::construct(meta) } fn synthesize( @@ -465,55 +496,6 @@ fn plonk_api() { Ok(()) } } - - macro_rules! common { - ($scheme:ident) => {{ - let a = <$scheme as CommitmentScheme>::Scalar::from(2834758237) - * <$scheme as CommitmentScheme>::Scalar::ZETA; - let instance = <$scheme as CommitmentScheme>::Scalar::one() - + <$scheme as CommitmentScheme>::Scalar::one(); - let lookup_table = vec![ - instance, - a, - a, - <$scheme as CommitmentScheme>::Scalar::zero(), - ]; - (a, instance, lookup_table) - }}; - } - - /* - macro_rules! bad_keys { - ($scheme:ident) => {{ - let (_, _, lookup_table) = common!($scheme); - let empty_circuit: MyCircuit<<$scheme as CommitmentScheme>::Scalar> = MyCircuit { - a: Value::unknown(), - lookup_table: lookup_table.clone(), - }; - - // Check that we get an error if we try to initialize the proving key with a value of - // k that is too small for the minimum required number of rows. - let much_too_small_params= <$scheme as CommitmentScheme>::ParamsProver::new(1); - assert_matches!( - keygen_vk(&much_too_small_params, &empty_circuit), - Err(Error::NotEnoughRowsAvailable { - current_k, - }) if current_k == 1 - ); - - // Check that we get an error if we try to initialize the proving key with a value of - // k that is too small for the number of rows the circuit uses. - let slightly_too_small_params = <$scheme as CommitmentScheme>::ParamsProver::new(K-1); - assert_matches!( - keygen_vk(&slightly_too_small_params, &empty_circuit), - Err(Error::NotEnoughRowsAvailable { - current_k, - }) if current_k == K - 1 - ); - }}; - } - */ - fn keygen( params: &Scheme::ParamsProver, ) -> ProvingKey { @@ -567,37 +549,6 @@ fn plonk_api() { transcript.finalize() } - fn verify_proof< - 'a, - 'params, - Scheme: CommitmentScheme, - V: Verifier<'params, Scheme>, - E: EncodedChallenge, - T: TranscriptReadBuffer<&'a [u8], Scheme::Curve, E>, - Strategy: VerificationStrategy<'params, Scheme, V, Output = Strategy>, - >( - params_verifier: &'params Scheme::ParamsVerifier, - vk: &VerifyingKey, - proof: &'a [u8], - ) { - let (_, instance, _) = common!(Scheme); - let pubinputs = vec![instance]; - - let mut transcript = T::init(proof); - - let strategy = Strategy::new(params_verifier); - let strategy = verify_plonk_proof( - params_verifier, - vk, - strategy, - &[&[&pubinputs[..]], &[&pubinputs[..]]], - &mut transcript, - ) - .unwrap(); - - assert!(strategy.finalize()); - } - fn test_plonk_api_gwc() { use halo2_proofs::poly::kzg::commitment::{KZGCommitmentScheme, ParamsKZG}; use halo2_proofs::poly::kzg::multiopen::{ProverGWC, VerifierGWC}; @@ -698,411 +649,6 @@ fn plonk_api() { Blake2bRead<_, _, Challenge255<_>>, AccumulatorStrategy<_>, >(verifier_params, pk.get_vk(), &proof[..]); - - // Check that the verification key has not changed unexpectedly - // we comment this out because the circuit is already changed - /* - { - //panic!("{:#?}", pk.get_vk().pinned()); - assert_eq!( - format!("{:#?}", pk.get_vk().pinned()), - r#####"PinnedVerificationKey { - base_modulus: "0x40000000000000000000000000000000224698fc0994a8dd8c46eb2100000001", - scalar_modulus: "0x40000000000000000000000000000000224698fc094cf91b992d30ed00000001", - domain: PinnedEvaluationDomain { - k: 5, - extended_k: 7, - omega: 0x0cc3380dc616f2e1daf29ad1560833ed3baea3393eceb7bc8fa36376929b78cc, - }, - cs: PinnedConstraintSystem { - num_fixed_columns: 7, - num_advice_columns: 5, - num_instance_columns: 1, - num_selectors: 0, - gates: [ - Sum( - Sum( - Sum( - Sum( - Product( - Advice { - query_index: 0, - column_index: 1, - rotation: Rotation( - 0, - ), - }, - Fixed { - query_index: 2, - column_index: 2, - rotation: Rotation( - 0, - ), - }, - ), - Product( - Advice { - query_index: 1, - column_index: 2, - rotation: Rotation( - 0, - ), - }, - Fixed { - query_index: 3, - column_index: 3, - rotation: Rotation( - 0, - ), - }, - ), - ), - Product( - Product( - Advice { - query_index: 0, - column_index: 1, - rotation: Rotation( - 0, - ), - }, - Advice { - query_index: 1, - column_index: 2, - rotation: Rotation( - 0, - ), - }, - ), - Fixed { - query_index: 5, - column_index: 1, - rotation: Rotation( - 0, - ), - }, - ), - ), - Negated( - Product( - Advice { - query_index: 2, - column_index: 3, - rotation: Rotation( - 0, - ), - }, - Fixed { - query_index: 4, - column_index: 4, - rotation: Rotation( - 0, - ), - }, - ), - ), - ), - Product( - Fixed { - query_index: 1, - column_index: 0, - rotation: Rotation( - 0, - ), - }, - Product( - Advice { - query_index: 3, - column_index: 4, - rotation: Rotation( - 1, - ), - }, - Advice { - query_index: 4, - column_index: 0, - rotation: Rotation( - -1, - ), - }, - ), - ), - ), - Product( - Fixed { - query_index: 6, - column_index: 5, - rotation: Rotation( - 0, - ), - }, - Sum( - Advice { - query_index: 0, - column_index: 1, - rotation: Rotation( - 0, - ), - }, - Negated( - Instance { - query_index: 0, - column_index: 0, - rotation: Rotation( - 0, - ), - }, - ), - ), - ), - ], - advice_queries: [ - ( - Column { - index: 1, - column_type: Advice, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 2, - column_type: Advice, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 3, - column_type: Advice, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 4, - column_type: Advice, - }, - Rotation( - 1, - ), - ), - ( - Column { - index: 0, - column_type: Advice, - }, - Rotation( - -1, - ), - ), - ( - Column { - index: 0, - column_type: Advice, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 4, - column_type: Advice, - }, - Rotation( - 0, - ), - ), - ], - instance_queries: [ - ( - Column { - index: 0, - column_type: Instance, - }, - Rotation( - 0, - ), - ), - ], - fixed_queries: [ - ( - Column { - index: 6, - column_type: Fixed, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 0, - column_type: Fixed, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 2, - column_type: Fixed, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 3, - column_type: Fixed, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 4, - column_type: Fixed, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 1, - column_type: Fixed, - }, - Rotation( - 0, - ), - ), - ( - Column { - index: 5, - column_type: Fixed, - }, - Rotation( - 0, - ), - ), - ], - permutation: Argument { - columns: [ - Column { - index: 1, - column_type: Advice, - }, - Column { - index: 2, - column_type: Advice, - }, - Column { - index: 3, - column_type: Advice, - }, - Column { - index: 0, - column_type: Fixed, - }, - Column { - index: 0, - column_type: Advice, - }, - Column { - index: 4, - column_type: Advice, - }, - Column { - index: 0, - column_type: Instance, - }, - Column { - index: 1, - column_type: Fixed, - }, - Column { - index: 2, - column_type: Fixed, - }, - Column { - index: 3, - column_type: Fixed, - }, - Column { - index: 4, - column_type: Fixed, - }, - Column { - index: 5, - column_type: Fixed, - }, - ], - }, - lookups: [ - Argument { - input_expressions: [ - Advice { - query_index: 0, - column_index: 1, - rotation: Rotation( - 0, - ), - }, - ], - table_expressions: [ - Fixed { - query_index: 0, - column_index: 6, - rotation: Rotation( - 0, - ), - }, - ], - }, - ], - constants: [], - minimum_degree: None, - }, - fixed_commitments: [ - (0x2bbc94ef7b22aebef24f9a4b0cc1831882548b605171366017d45c3e6fd92075, 0x082b801a6e176239943bfb759fb02138f47a5c8cc4aa7fa0af559fde4e3abd97), - (0x2bf5082b105b2156ed0e9c5b8e42bf2a240b058f74a464d080e9585274dd1e84, 0x222ad83cee7777e7a160585e212140e5e770dd8d1df788d869b5ee483a5864fb), - (0x374a656456a0aae7429b23336f825752b575dd5a44290ff614946ee59d6a20c0, 0x054491e187e6e3460e7601fb54ae10836d34d420026f96316f0c5c62f86db9b8), - (0x374a656456a0aae7429b23336f825752b575dd5a44290ff614946ee59d6a20c0, 0x054491e187e6e3460e7601fb54ae10836d34d420026f96316f0c5c62f86db9b8), - (0x02e62cd68370b13711139a08cbcdd889e800a272b9ea10acc90880fff9d89199, 0x1a96c468cb0ce77065d3a58f1e55fea9b72d15e44c01bba1e110bd0cbc6e9bc6), - (0x224ef42758215157d3ee48fb8d769da5bddd35e5929a90a4a89736f5c4b5ae9b, 0x11bc3a1e08eb320cde764f1492ecef956d71e996e2165f7a9a30ad2febb511c1), - (0x2d5415bf917fcac32bfb705f8ca35cb12d9bad52aa33ccca747350f9235d3a18, 0x2b2921f815fad504052512743963ef20ed5b401d20627793b006413e73fe4dd4), - ], - permutation: VerifyingKey { - commitments: [ - (0x1347b4b385837977a96b87f199c6a9a81520015539d1e8fa79429bb4ca229a00, 0x2168e404cabef513654d6ff516cde73f0ba87e3dc84e4b940ed675b5f66f3884), - (0x0e6d69cd2455ec43be640f6397ed65c9e51b1d8c0fd2216339314ff37ade122a, 0x222ed6dc8cfc9ea26dcc10b9d4add791ada60f2b5a63ee1e4635f88aa0c96654), - (0x13c447846f48c41a5e0675ccf88ebc0cdef2c96c51446d037acb866d24255785, 0x1f0b5414fc5e8219dbfab996eed6129d831488b2386a8b1a63663938903bd63a), - (0x1aae6470aa662b8fda003894ddef5fedd03af318b3231683039d2fac9cab05b9, 0x08832d91ae69e99cd07d096c7a4a284a69e6a16227cbb07932a0cdc56914f3a6), - (0x0850521b0f8ac7dd0550fe3e25c840837076e9635067ed623b81d5cbac5944d9, 0x0c25d65d1038d0a92c72e5fccd96c1caf07801c3c8233290bb292e0c38c256fa), - (0x12febcf696badd970750eabf75dd3ced4c2f54f93519bcee23849025177d2014, 0x0a05ab3cd42c9fbcc1bbfcf9269951640cc9920761c87cf8e211ba73c8d9f90f), - (0x053904bdde8cfead3b517bb4f6ded3e699f8b94ca6156a9dd2f92a2a05a7ec5a, 0x16753ff97c0d82ff586bb7a07bf7f27a92df90b3617fa5e75d4f55c3b0ef8711), - (0x3804548f6816452747a5b542fa5656353fc989db40d69e9e27d6f973b5deebb0, 0x389a44d5037866dd83993af75831a5f90a18ad5244255aa5bd2c922cc5853055), - (0x003a9f9ca71c7c0b832c802220915f6fc8d840162bdde6b0ea05d25fb95559e3, 0x091247ca19d6b73887cd7f68908cbf0db0b47459b7c82276bbdb8a1c937e2438), - (0x3eaa38689d9e391c8a8fafab9568f20c45816321d38f309d4cc37f4b1601af72, 0x247f8270a462ea88450221a56aa6b55d2bc352b80b03501e99ea983251ceea13), - (0x394437571f9de32dccdc546fd4737772d8d92593c85438aa3473243997d5acc8, 0x14924ec6e3174f1fab7f0ce7070c22f04bbd0a0ecebdfc5c94be857f25493e95), - (0x3d907e0591343bd285c2c846f3e871a6ac70d80ec29e9500b8cb57f544e60202, 0x1034e48df35830244cabea076be8a16d67d7896e27c6ac22b285d017105da9c3), - ], - }, - }"##### - ); - } - */ } env_logger::init(); @@ -1110,3 +656,213 @@ fn plonk_api() { test_plonk_api_gwc(); test_plonk_api_shplonk(); } + +#[test] +fn plonk_api_with_many_subregions() { + #[derive(Clone)] + struct MyCircuit { + a: Value, + lookup_table: Vec, + } + + impl Circuit for MyCircuit { + type Config = PlonkConfig; + type FloorPlanner = SimpleFloorPlanner; + + fn without_witnesses(&self) -> Self { + Self { + a: Value::unknown(), + lookup_table: self.lookup_table.clone(), + } + } + + fn configure(meta: &mut ConstraintSystem) -> PlonkConfig { + PlonkConfig::construct(meta) + } + + fn synthesize( + &self, + config: PlonkConfig, + mut layouter: impl Layouter, + ) -> Result<(), Error> { + let cs = StandardPlonk::new(config); + + let _ = cs.public_input(&mut layouter, || Value::known(F::one() + F::one()))?; + + let a: Value> = self.a.into(); + let parallel_regions_time = Instant::now(); + #[cfg(feature = "parallel_syn")] + layouter.assign_regions( + || "regions", + (0..(1 << 14)) + .into_iter() + .map(|_| { + let mut is_first_pass = true; + move |mut region: Region<'_, F>| -> Result<(), Error> { + let n = 1 << 1; + for i in 0..n { + // skip the assign of rows except the last row in the first pass + if is_first_pass && i < n - 1 { + is_first_pass = false; + continue; + } + let a0 = + region.assign_advice(|| "config.a", cs.config.a, i, || a)?; + let a1 = + region.assign_advice(|| "config.b", cs.config.b, i, || a)?; + region.assign_advice( + || "config.c", + cs.config.c, + i, + || a.double(), + )?; + + region.assign_fixed( + || "a", + cs.config.sa, + i, + || Value::known(F::one()), + )?; + region.assign_fixed( + || "b", + cs.config.sb, + i, + || Value::known(F::one()), + )?; + region.assign_fixed( + || "c", + cs.config.sc, + i, + || Value::known(F::one()), + )?; + region.assign_fixed( + || "a * b", + cs.config.sm, + i, + || Value::known(F::zero()), + )?; + + region.constrain_equal(a0.cell(), a1.cell())?; + } + is_first_pass = false; + Ok(()) + } + }) + .collect(), + )?; + log::info!( + "parallel_regions assign took {:?}", + parallel_regions_time.elapsed() + ); + + for _ in 0..10 { + let a: Value> = self.a.into(); + let mut a_squared = Value::unknown(); + let (a0, _, c0) = cs.raw_multiply(&mut layouter, || { + a_squared = a.square(); + a.zip(a_squared).map(|(a, a_squared)| (a, a, a_squared)) + })?; + let (a1, b1, _) = cs.raw_add(&mut layouter, || { + let fin = a_squared + a; + a.zip(a_squared) + .zip(fin) + .map(|((a, a_squared), fin)| (a, a_squared, fin)) + })?; + cs.copy(&mut layouter, a0, a1)?; + cs.copy(&mut layouter, b1, c0)?; + } + + cs.lookup_table(&mut layouter, &self.lookup_table)?; + + Ok(()) + } + } + fn keygen( + params: &Scheme::ParamsProver, + ) -> ProvingKey { + let (_, _, lookup_table) = common!(Scheme); + let empty_circuit: MyCircuit = MyCircuit { + a: Value::unknown(), + lookup_table, + }; + + // Initialize the proving key + let vk = keygen_vk(params, &empty_circuit).expect("keygen_vk should not fail"); + log::info!("keygen vk succeed"); + + let pk = keygen_pk(params, vk, &empty_circuit).expect("keygen_pk should not fail"); + log::info!("keygen pk succeed"); + + pk + } + + fn create_proof< + 'params, + Scheme: CommitmentScheme, + P: Prover<'params, Scheme>, + E: EncodedChallenge, + R: RngCore, + T: TranscriptWriterBuffer, Scheme::Curve, E>, + >( + rng: R, + params: &'params Scheme::ParamsProver, + pk: &ProvingKey, + ) -> Vec { + let (a, instance, lookup_table) = common!(Scheme); + + let circuit: MyCircuit = MyCircuit { + a: Value::known(a), + lookup_table, + }; + + let mut transcript = T::init(vec![]); + + create_plonk_proof::( + params, + pk, + &[circuit.clone(), circuit], + &[&[&[instance]], &[&[instance]]], + rng, + &mut transcript, + ) + .expect("proof generation should not fail"); + + transcript.finalize() + } + + type Scheme = KZGCommitmentScheme; + // bad_keys!(Scheme); + + env_logger::try_init().unwrap(); + let (a, instance, lookup_table) = common!(Scheme); + + let circuit: MyCircuit<::Scalar> = MyCircuit { + a: Value::known(a), + lookup_table, + }; + + // Check this circuit is satisfied. + let prover = match MockProver::run(K, &circuit, vec![vec![instance]]) { + Ok(prover) => prover, + Err(e) => panic!("{:?}", e), + }; + assert_eq!(prover.verify_par(), Ok(())); + log::info!("mock proving succeed!"); + + let params = ParamsKZG::::new(K); + let rng = OsRng; + + let pk = keygen::>(¶ms); + + let proof = create_proof::<_, ProverGWC<_>, _, _, Blake2bWrite<_, _, Challenge255<_>>>( + rng, ¶ms, &pk, + ); + + let verifier_params = params.verifier_params(); + + verify_proof::<_, VerifierGWC<_>, _, Blake2bRead<_, _, Challenge255<_>>, AccumulatorStrategy<_>>( + verifier_params, + pk.get_vk(), + &proof[..], + ); +} From 5cf9a3726525810af41ef416e0292ec999b34030 Mon Sep 17 00:00:00 2001 From: Steven Date: Tue, 7 Nov 2023 22:13:26 +0800 Subject: [PATCH 44/70] Move `env_logger` dependency to dev-depdendencies (only for test). (#69) --- halo2_proofs/Cargo.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/halo2_proofs/Cargo.toml b/halo2_proofs/Cargo.toml index 14808889..42807f79 100644 --- a/halo2_proofs/Cargo.toml +++ b/halo2_proofs/Cargo.toml @@ -67,11 +67,11 @@ log = "0.4.17" # timer ark-std = { version = "0.3.0" } -env_logger = "0.8.0" [dev-dependencies] assert_matches = "1.5" criterion = "0.3" +env_logger = "0.8.0" gumdrop = "0.8" proptest = "1" rand_core = { version = "0.6", default-features = false, features = ["getrandom"] } From ae6e02cf54e6bcaa056427c5acc61e33c7bfb66d Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Carlos=20P=C3=A9rez?= <37264926+CPerezz@users.noreply.github.com> Date: Tue, 7 Mar 2023 17:29:37 +0100 Subject: [PATCH 45/70] sync ff/group 0.13 --- Cargo.lock | 71 +- halo2_gadgets/Cargo.toml | 6 +- halo2_gadgets/benches/poseidon.rs | 6 +- halo2_gadgets/src/ecc/chip/add.rs | 3 +- halo2_gadgets/src/ecc/chip/constants.rs | 13 +- halo2_gadgets/src/ecc/chip/mul.rs | 19 +- halo2_gadgets/src/ecc/chip/mul/incomplete.rs | 3 +- halo2_gadgets/src/ecc/chip/mul/overflow.rs | 4 +- halo2_gadgets/src/ecc/chip/mul_fixed.rs | 4 +- .../src/ecc/chip/mul_fixed/base_field_elem.rs | 2 +- .../src/ecc/chip/mul_fixed/full_width.rs | 2 +- halo2_gadgets/src/ecc/chip/mul_fixed/short.rs | 16 +- halo2_gadgets/src/poseidon.rs | 24 +- halo2_gadgets/src/poseidon/pow5.rs | 36 +- halo2_gadgets/src/poseidon/primitives.rs | 90 +- .../src/poseidon/primitives/grain.rs | 13 +- halo2_gadgets/src/poseidon/primitives/mds.rs | 10 +- .../src/poseidon/primitives/p128pow5t3.rs | 28 +- halo2_gadgets/src/sha256.rs | 8 +- .../table16/compression/compression_gates.rs | 38 +- halo2_gadgets/src/sha256/table16/gates.rs | 17 +- .../message_schedule/schedule_gates.rs | 22 +- .../src/sha256/table16/spread_table.rs | 80 +- halo2_gadgets/src/sinsemilla.rs | 6 +- .../src/sinsemilla/chip/generator_table.rs | 3 +- .../src/sinsemilla/chip/hash_to_point.rs | 16 +- halo2_gadgets/src/sinsemilla/merkle/chip.rs | 2 +- halo2_gadgets/src/sinsemilla/message.rs | 14 +- halo2_gadgets/src/utilities.rs | 26 +- halo2_gadgets/src/utilities/cond_swap.rs | 19 +- .../src/utilities/decompose_running_sum.rs | 19 +- .../src/utilities/lookup_range_check.rs | 30 +- halo2_proofs/Cargo.toml | 8 +- halo2_proofs/benches/dev_lookup.rs | 8 +- halo2_proofs/benches/plonk.rs | 34 +- halo2_proofs/examples/circuit-layout.rs | 29 +- halo2_proofs/examples/shuffle.rs | 42 +- halo2_proofs/examples/simple-example.rs | 18 +- halo2_proofs/examples/two-chip.rs | 43 +- halo2_proofs/src/arithmetic.rs | 117 +- halo2_proofs/src/circuit.rs | 9 +- halo2_proofs/src/circuit/layouter.rs | 2 +- halo2_proofs/src/dev.rs | 47 +- halo2_proofs/src/dev/failure.rs | 7 +- halo2_proofs/src/dev/util.rs | 18 +- halo2_proofs/src/helpers.rs | 17 +- halo2_proofs/src/plonk.rs | 23 +- halo2_proofs/src/plonk/assigned.rs | 14 +- halo2_proofs/src/plonk/circuit.rs | 9 +- .../src/plonk/circuit/compress_selectors.rs | 12 +- halo2_proofs/src/plonk/evaluation.rs | 24 +- halo2_proofs/src/plonk/keygen.rs | 14 +- halo2_proofs/src/plonk/lookup/prover.rs | 17 +- halo2_proofs/src/plonk/lookup/verifier.rs | 10 +- halo2_proofs/src/plonk/permutation/keygen.rs | 10 +- halo2_proofs/src/plonk/permutation/prover.rs | 11 +- .../src/plonk/permutation/verifier.rs | 15 +- halo2_proofs/src/plonk/prover.rs | 11 +- halo2_proofs/src/plonk/vanishing/prover.rs | 10 +- halo2_proofs/src/plonk/vanishing/verifier.rs | 6 +- halo2_proofs/src/plonk/verifier.rs | 15 +- halo2_proofs/src/plonk/verifier/batch.rs | 6 +- halo2_proofs/src/poly.rs | 13 +- halo2_proofs/src/poly/commitment.rs | 24 +- halo2_proofs/src/poly/domain.rs | 160 +- halo2_proofs/src/poly/evaluator.rs | 50 +- halo2_proofs/src/poly/ipa/commitment.rs | 14 +- .../src/poly/ipa/commitment/prover.rs | 4 +- .../src/poly/ipa/commitment/verifier.rs | 4 +- halo2_proofs/src/poly/ipa/msm.rs | 2 +- halo2_proofs/src/poly/ipa/multiopen.rs | 12 +- halo2_proofs/src/poly/ipa/multiopen/prover.rs | 6 +- .../src/poly/ipa/multiopen/verifier.rs | 10 +- halo2_proofs/src/poly/ipa/strategy.rs | 4 +- halo2_proofs/src/poly/kzg/commitment.rs | 27 +- halo2_proofs/src/poly/kzg/msm.rs | 2 +- halo2_proofs/src/poly/kzg/multiopen/gwc.rs | 8 +- .../src/poly/kzg/multiopen/gwc/prover.rs | 5 +- .../src/poly/kzg/multiopen/gwc/verifier.rs | 7 +- .../src/poly/kzg/multiopen/shplonk.rs | 24 +- .../src/poly/kzg/multiopen/shplonk/prover.rs | 11 +- .../poly/kzg/multiopen/shplonk/verifier.rs | 14 +- halo2_proofs/src/poly/kzg/strategy.rs | 5 +- halo2_proofs/src/poly/multiopen_test.rs | 21 +- halo2_proofs/src/transcript.rs | 38 +- halo2_proofs/src/transcript/poseidon.rs | 31 +- halo2_proofs/tests/plonk_api.rs | 1388 ++++++++++------- 87 files changed, 1742 insertions(+), 1398 deletions(-) diff --git a/Cargo.lock b/Cargo.lock index ec56f19b..9a6ee62d 100644 --- a/Cargo.lock +++ b/Cargo.lock @@ -666,9 +666,9 @@ dependencies = [ [[package]] name = "ff" -version = "0.12.0" +version = "0.13.0" source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "df689201f395c6b90dfe87127685f8dbfc083a5e779e613575d8bd7314300c3e" +checksum = "ded41244b729663b1e574f1b4fb731469f69f79c17667b5d776b16cda0479449" dependencies = [ "bitvec", "rand_core", @@ -807,11 +807,10 @@ checksum = "78cc372d058dcf6d5ecd98510e7fbc9e5aec4d21de70f65fea8fecebcd881bd4" [[package]] name = "group" -version = "0.12.0" +version = "0.13.0" source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "7391856def869c1c81063a03457c676fbcd419709c3dfb33d8d319de484b154d" +checksum = "f0f9ef7462f7c099f518d754361858f86d8a07af53ba9af0fe635bbccb151a63" dependencies = [ - "byteorder", "ff", "rand_core", "subtle", @@ -860,7 +859,7 @@ dependencies = [ "ff", "group", "halo2_proofs", - "halo2curves 0.2.1", + "halo2curves 0.3.2", "lazy_static", "plotters", "pprof", @@ -886,7 +885,7 @@ dependencies = [ "getrandom", "group", "gumdrop", - "halo2curves 0.3.1 (git+https://github.com/scroll-tech/halo2curves.git?branch=0.3.1-derive-serde)", + "halo2curves 0.1.0", "log", "num-bigint", "num-integer", @@ -903,42 +902,30 @@ dependencies = [ [[package]] name = "halo2curves" -version = "0.2.1" -source = "git+https://github.com/privacy-scaling-explorations/halo2curves?tag=0.3.0#83c72d49762343ffc9576ca11a2aa615efe1029b" -dependencies = [ - "ff", - "group", - "lazy_static", - "num-bigint", - "num-traits", - "pasta_curves", - "rand", - "rand_core", - "static_assertions", - "subtle", -] - -[[package]] -name = "halo2curves" -version = "0.3.1" -source = "git+https://github.com/privacy-scaling-explorations/halo2curves.git?tag=0.3.1#9b67e19bca30a35208b0c1b41c1723771e2c9f49" +version = "0.1.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "e6b1142bd1059aacde1b477e0c80c142910f1ceae67fc619311d6a17428007ab" dependencies = [ + "blake2b_simd", "ff", "group", "lazy_static", "num-bigint", "num-traits", "pasta_curves", + "paste", "rand", "rand_core", + "serde", + "serde_arrays", "static_assertions", "subtle", ] [[package]] name = "halo2curves" -version = "0.3.1" -source = "git+https://github.com/scroll-tech/halo2curves.git?branch=0.3.1-derive-serde#c0ac1935e5da2a620204b5b011be2c924b1e0155" +version = "0.3.2" +source = "git+https://github.com/privacy-scaling-explorations/halo2curves?tag=0.3.2#9f5c50810bbefe779ee5cf1d852b2fe85dc35d5e" dependencies = [ "ff", "group", @@ -949,7 +936,6 @@ dependencies = [ "paste", "rand", "rand_core", - "serde", "static_assertions", "subtle", ] @@ -1090,6 +1076,9 @@ name = "lazy_static" version = "1.4.0" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "e2abad23fbc42b3700f2f279844dc832adb2b2eb069b2df918f455c4e18cc646" +dependencies = [ + "spin", +] [[package]] name = "libc" @@ -1303,9 +1292,9 @@ dependencies = [ [[package]] name = "pasta_curves" -version = "0.4.0" +version = "0.5.1" source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "369d7785168ad7ff0cbe467d968ca3e19a927d8536b11ef9c21b4e454b15ba42" +checksum = "d3e57598f73cc7e1b2ac63c79c517b31a0877cd7c402cdcaa311b5208de7a095" dependencies = [ "blake2b_simd", "ff", @@ -1423,10 +1412,9 @@ dependencies = [ [[package]] name = "poseidon" version = "0.2.0" -source = "git+https://github.com/scroll-tech/poseidon.git?branch=scroll-dev-0220#2fb4a2385bada39b50dce12fe50cb80d2fd33476" +source = "git+https://github.com/scroll-tech/poseidon.git?branch=sync-ff-0.13#5787dd3d2ce7a9e9601a035c396ac0c03449b54d" dependencies = [ - "group", - "halo2curves 0.3.1 (git+https://github.com/privacy-scaling-explorations/halo2curves.git?tag=0.3.1)", + "halo2curves 0.1.0", "subtle", ] @@ -1737,6 +1725,15 @@ dependencies = [ "serde_derive", ] +[[package]] +name = "serde_arrays" +version = "0.1.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "38636132857f68ec3d5f3eb121166d2af33cb55174c4d5ff645db6165cbef0fd" +dependencies = [ + "serde", +] + [[package]] name = "serde_cbor" version = "0.11.2" @@ -1808,6 +1805,12 @@ version = "1.8.0" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "f2dd574626839106c320a323308629dcb1acfc96e32a8cba364ddc61ac23ee83" +[[package]] +name = "spin" +version = "0.5.2" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "6e63cff320ae2c57904679ba7cb63280a3dc4613885beafb148ee7bf9aa9042d" + [[package]] name = "stable_deref_trait" version = "1.2.0" diff --git a/halo2_gadgets/Cargo.toml b/halo2_gadgets/Cargo.toml index 6025ef72..136ef63a 100644 --- a/halo2_gadgets/Cargo.toml +++ b/halo2_gadgets/Cargo.toml @@ -24,11 +24,11 @@ rustdoc-args = ["--cfg", "docsrs", "--html-in-header", "katex-header.html"] [dependencies] arrayvec = "0.7.0" bitvec = "1" -ff = "0.12" -group = "0.12" +ff = { version = "0.13", features = ["bits"] } +group = "0.13" halo2_proofs = { version = "0.2", path = "../halo2_proofs" } lazy_static = "1" -halo2curves = { git = 'https://github.com/privacy-scaling-explorations/halo2curves', tag = '0.3.0' } +halo2curves = { git = 'https://github.com/privacy-scaling-explorations/halo2curves', tag = "0.3.2" } proptest = { version = "1.0.0", optional = true } rand = "0.8" subtle = "2.3" diff --git a/halo2_gadgets/benches/poseidon.rs b/halo2_gadgets/benches/poseidon.rs index e8cfa087..4494e77a 100644 --- a/halo2_gadgets/benches/poseidon.rs +++ b/halo2_gadgets/benches/poseidon.rs @@ -21,7 +21,7 @@ use halo2_proofs::{ use halo2curves::pasta::{pallas, vesta, EqAffine, Fp}; use halo2_gadgets::poseidon::{ - primitives::{self as poseidon, ConstantLength, Spec}, + primitives::{self as poseidon, generate_constants, ConstantLength, Mds, Spec}, Hash, Pow5Chip, Pow5Config, }; use std::convert::TryInto; @@ -139,6 +139,10 @@ impl Spec for MySpec usize { 0 } + + fn constants() -> (Vec<[Fp; WIDTH]>, Mds, Mds) { + generate_constants::<_, Self, WIDTH, RATE>() + } } const K: u32 = 7; diff --git a/halo2_gadgets/src/ecc/chip/add.rs b/halo2_gadgets/src/ecc/chip/add.rs index 9f24d0d7..11661d51 100644 --- a/halo2_gadgets/src/ecc/chip/add.rs +++ b/halo2_gadgets/src/ecc/chip/add.rs @@ -1,10 +1,11 @@ use super::EccPoint; +use ff::PrimeField; use halo2_proofs::{ circuit::Region, plonk::{Advice, Assigned, Column, ConstraintSystem, Constraints, Error, Expression, Selector}, poly::Rotation, }; -use halo2curves::{pasta::pallas, FieldExt}; +use halo2curves::pasta::pallas; use std::collections::HashSet; #[derive(Clone, Copy, Debug, Eq, PartialEq)] diff --git a/halo2_gadgets/src/ecc/chip/constants.rs b/halo2_gadgets/src/ecc/chip/constants.rs index cecbbae9..62961654 100644 --- a/halo2_gadgets/src/ecc/chip/constants.rs +++ b/halo2_gadgets/src/ecc/chip/constants.rs @@ -6,7 +6,7 @@ use group::{ Curve, }; use halo2_proofs::arithmetic::lagrange_interpolate; -use halo2curves::{pasta::pallas, CurveAffine, FieldExt}; +use halo2curves::{pasta::pallas, CurveAffine}; /// Window size for fixed-base scalar multiplication pub const FIXED_BASE_WINDOW_SIZE: usize = 3; @@ -61,7 +61,7 @@ fn compute_window_table(base: C, num_windows: usize) -> Vec<[C; // Generate window table entries for the last window, w = `num_windows - 1`. // For the last window, we compute [k * (2^3)^w - sum]B, where sum is defined // as sum = \sum_{j = 0}^{`num_windows - 2`} 2^{3j+1} - let sum = (0..(num_windows - 1)).fold(C::Scalar::zero(), |acc, j| { + let sum = (0..(num_windows - 1)).fold(C::Scalar::ZERO, |acc, j| { acc + C::Scalar::from(2).pow(&[FIXED_BASE_WINDOW_SIZE as u64 * j as u64 + 1, 0, 0, 0]) }); window_table.push( @@ -181,7 +181,7 @@ pub fn test_lagrange_coeffs(base: C, num_windows: usize) { .rev() .cloned() .reduce(|acc, coeff| acc * x + coeff) - .unwrap_or_else(C::Base::zero) + .unwrap_or(C::Base::ZERO) } let lagrange_coeffs = compute_lagrange_coeffs(base, num_windows); @@ -213,7 +213,7 @@ pub fn test_lagrange_coeffs(base: C, num_windows: usize) { // Compute the actual x-coordinate of the multiple [k * (8^84) - offset]B, // where offset = \sum_{j = 0}^{83} 2^{3j+1} - let offset = (0..(num_windows - 1)).fold(C::Scalar::zero(), |acc, w| { + let offset = (0..(num_windows - 1)).fold(C::Scalar::ZERO, |acc, w| { acc + C::Scalar::from(2).pow(&[FIXED_BASE_WINDOW_SIZE as u64 * w as u64 + 1, 0, 0, 0]) }); let scalar = C::Scalar::from(bits as u64) @@ -229,8 +229,9 @@ pub fn test_lagrange_coeffs(base: C, num_windows: usize) { #[cfg(test)] mod tests { + use ff::FromUniformBytes; use group::{ff::Field, Curve, Group}; - use halo2curves::{pasta::pallas, CurveAffine, FieldExt}; + use halo2curves::{pasta::pallas, CurveAffine}; use proptest::prelude::*; use super::{compute_window_table, find_zs_and_us, test_lagrange_coeffs, H, NUM_WINDOWS}; @@ -241,7 +242,7 @@ mod tests { // Instead of rejecting out-of-range bytes, let's reduce them. let mut buf = [0; 64]; buf[..32].copy_from_slice(&bytes); - let scalar = pallas::Scalar::from_bytes_wide(&buf); + let scalar = pallas::Scalar::from_uniform_bytes(&buf); pallas::Point::generator() * scalar } } diff --git a/halo2_gadgets/src/ecc/chip/mul.rs b/halo2_gadgets/src/ecc/chip/mul.rs index 26c705a1..7896bf58 100644 --- a/halo2_gadgets/src/ecc/chip/mul.rs +++ b/halo2_gadgets/src/ecc/chip/mul.rs @@ -8,16 +8,15 @@ use std::{ ops::{Deref, Range}, }; -use ff::PrimeField; use halo2_proofs::{ - arithmetic::FieldExt, + arithmetic::Field, circuit::{AssignedCell, Layouter, Region, Value}, plonk::{Advice, Assigned, Column, ConstraintSystem, Constraints, Error, Selector}, poly::Rotation, }; -use uint::construct_uint; - +use halo2curves::group::ff::PrimeField; use halo2curves::pasta::pallas; +use uint::construct_uint; mod complete; pub(super) mod incomplete; @@ -389,8 +388,8 @@ impl Config { #[derive(Clone, Debug)] // `x`-coordinate of the accumulator. -struct X(AssignedCell, F>); -impl Deref for X { +struct X(AssignedCell, F>); +impl Deref for X { type Target = AssignedCell, F>; fn deref(&self) -> &Self::Target { @@ -400,8 +399,8 @@ impl Deref for X { #[derive(Clone, Debug)] // `y`-coordinate of the accumulator. -struct Y(AssignedCell, F>); -impl Deref for Y { +struct Y(AssignedCell, F>); +impl Deref for Y { type Target = AssignedCell, F>; fn deref(&self) -> &Self::Target { @@ -411,8 +410,8 @@ impl Deref for Y { #[derive(Clone, Debug)] // Cumulative sum `z` used to decompose the scalar. -struct Z(AssignedCell); -impl Deref for Z { +struct Z(AssignedCell); +impl Deref for Z { type Target = AssignedCell; fn deref(&self) -> &Self::Target { diff --git a/halo2_gadgets/src/ecc/chip/mul/incomplete.rs b/halo2_gadgets/src/ecc/chip/mul/incomplete.rs index bfe51c7e..9b1d7494 100644 --- a/halo2_gadgets/src/ecc/chip/mul/incomplete.rs +++ b/halo2_gadgets/src/ecc/chip/mul/incomplete.rs @@ -1,6 +1,7 @@ use super::super::NonIdentityEccPoint; use super::{X, Y, Z}; use crate::utilities::bool_check; +use ff::PrimeField; use halo2_proofs::{ circuit::{Region, Value}, plonk::{ @@ -8,7 +9,7 @@ use halo2_proofs::{ }, poly::Rotation, }; -use halo2curves::{pasta::pallas, FieldExt}; +use halo2curves::pasta::pallas; /// A helper struct for implementing single-row double-and-add using incomplete addition. #[derive(Copy, Clone, Debug, Eq, PartialEq)] diff --git a/halo2_gadgets/src/ecc/chip/mul/overflow.rs b/halo2_gadgets/src/ecc/chip/mul/overflow.rs index 0d7bd696..3625ff73 100644 --- a/halo2_gadgets/src/ecc/chip/mul/overflow.rs +++ b/halo2_gadgets/src/ecc/chip/mul/overflow.rs @@ -9,8 +9,8 @@ use halo2_proofs::{ plonk::{Advice, Assigned, Column, ConstraintSystem, Constraints, Error, Expression, Selector}, poly::Rotation, }; - -use halo2curves::{pasta::pallas, FieldExt}; +use halo2curves::group::ff::PrimeField; +use halo2curves::pasta::pallas; use std::iter; diff --git a/halo2_gadgets/src/ecc/chip/mul_fixed.rs b/halo2_gadgets/src/ecc/chip/mul_fixed.rs index 909dd171..0005a108 100644 --- a/halo2_gadgets/src/ecc/chip/mul_fixed.rs +++ b/halo2_gadgets/src/ecc/chip/mul_fixed.rs @@ -7,7 +7,7 @@ use crate::utilities::decompose_running_sum::RunningSumConfig; use std::marker::PhantomData; use group::{ - ff::{PrimeField, PrimeFieldBits}, + ff::{Field, PrimeField, PrimeFieldBits}, Curve, }; use halo2_proofs::{ @@ -18,7 +18,7 @@ use halo2_proofs::{ }, poly::Rotation, }; -use halo2curves::{pasta::pallas, CurveAffine, FieldExt}; +use halo2curves::{pasta::pallas, CurveAffine}; use lazy_static::lazy_static; pub mod base_field_elem; diff --git a/halo2_gadgets/src/ecc/chip/mul_fixed/base_field_elem.rs b/halo2_gadgets/src/ecc/chip/mul_fixed/base_field_elem.rs index 08fd34e3..91671847 100644 --- a/halo2_gadgets/src/ecc/chip/mul_fixed/base_field_elem.rs +++ b/halo2_gadgets/src/ecc/chip/mul_fixed/base_field_elem.rs @@ -13,7 +13,7 @@ use halo2_proofs::{ plonk::{Advice, Column, ConstraintSystem, Constraints, Error, Expression, Selector}, poly::Rotation, }; -use halo2curves::{pasta::pallas, FieldExt}; +use halo2curves::pasta::pallas; use std::convert::TryInto; diff --git a/halo2_gadgets/src/ecc/chip/mul_fixed/full_width.rs b/halo2_gadgets/src/ecc/chip/mul_fixed/full_width.rs index b82620c2..607c51e5 100644 --- a/halo2_gadgets/src/ecc/chip/mul_fixed/full_width.rs +++ b/halo2_gadgets/src/ecc/chip/mul_fixed/full_width.rs @@ -295,7 +295,7 @@ pub mod tests { // [-1]B is the largest scalar field element. { - let scalar_fixed = -pallas::Scalar::one(); + let scalar_fixed = -pallas::Scalar::ONE; let neg_1 = ScalarFixed::new( chip.clone(), layouter.namespace(|| "-1"), diff --git a/halo2_gadgets/src/ecc/chip/mul_fixed/short.rs b/halo2_gadgets/src/ecc/chip/mul_fixed/short.rs index 844d88d1..4c92becb 100644 --- a/halo2_gadgets/src/ecc/chip/mul_fixed/short.rs +++ b/halo2_gadgets/src/ecc/chip/mul_fixed/short.rs @@ -209,6 +209,7 @@ impl> Config { // tested at the circuit-level. { use super::super::FixedPoint; + use ff::Field; use group::{ff::PrimeField, Curve}; scalar @@ -228,9 +229,9 @@ impl> Config { let magnitude = pallas::Scalar::from_repr(magnitude.to_repr()).unwrap(); let sign = if sign == &&pallas::Base::one() { - pallas::Scalar::one() + pallas::Scalar::ONE } else { - -pallas::Scalar::one() + -pallas::Scalar::ONE }; magnitude * sign @@ -248,13 +249,16 @@ impl> Config { #[cfg(test)] pub mod tests { - use group::{ff::PrimeField, Curve}; + use group::{ + ff::{Field, PrimeField}, + Curve, + }; use halo2_proofs::{ arithmetic::CurveAffine, circuit::{AssignedCell, Chip, Layouter, Value}, plonk::{Any, Error}, }; - use halo2curves::{pasta::pallas, FieldExt}; + use halo2curves::pasta::pallas; use crate::{ ecc::{ @@ -359,9 +363,9 @@ pub mod tests { let scalar = { let magnitude = pallas::Scalar::from_repr(magnitude.to_repr()).unwrap(); let sign = if *sign == pallas::Base::one() { - pallas::Scalar::one() + pallas::Scalar::ONE } else { - -pallas::Scalar::one() + -pallas::Scalar::ONE }; magnitude * sign }; diff --git a/halo2_gadgets/src/poseidon.rs b/halo2_gadgets/src/poseidon.rs index 13500751..ffd745ad 100644 --- a/halo2_gadgets/src/poseidon.rs +++ b/halo2_gadgets/src/poseidon.rs @@ -4,9 +4,9 @@ use std::convert::TryInto; use std::fmt; use std::marker::PhantomData; +use ff::PrimeField; use group::ff::Field; use halo2_proofs::{ - arithmetic::FieldExt, circuit::{AssignedCell, Chip, Layouter}, plonk::Error, }; @@ -27,7 +27,7 @@ pub enum PaddedWord { } /// The set of circuit instructions required to use the Poseidon permutation. -pub trait PoseidonInstructions, const T: usize, const RATE: usize>: +pub trait PoseidonInstructions, const T: usize, const RATE: usize>: Chip { /// Variable representing the word over which the Poseidon permutation operates. @@ -45,7 +45,7 @@ pub trait PoseidonInstructions, const T: usize, /// /// [`Hash`]: self::Hash pub trait PoseidonSpongeInstructions< - F: FieldExt, + F: Field, S: Spec, D: Domain, const T: usize, @@ -71,7 +71,7 @@ pub trait PoseidonSpongeInstructions< /// A word over which the Poseidon permutation operates. #[derive(Debug)] pub struct Word< - F: FieldExt, + F: Field, PoseidonChip: PoseidonInstructions, S: Spec, const T: usize, @@ -81,7 +81,7 @@ pub struct Word< } impl< - F: FieldExt, + F: Field, PoseidonChip: PoseidonInstructions, S: Spec, const T: usize, @@ -100,7 +100,7 @@ impl< } fn poseidon_sponge< - F: FieldExt, + F: Field, PoseidonChip: PoseidonSpongeInstructions, S: Spec, D: Domain, @@ -122,7 +122,7 @@ fn poseidon_sponge< /// A Poseidon sponge. #[derive(Debug)] pub struct Sponge< - F: FieldExt, + F: Field, PoseidonChip: PoseidonSpongeInstructions, S: Spec, M: SpongeMode, @@ -137,7 +137,7 @@ pub struct Sponge< } impl< - F: FieldExt, + F: Field, PoseidonChip: PoseidonSpongeInstructions, S: Spec, D: Domain, @@ -210,7 +210,7 @@ impl< } impl< - F: FieldExt, + F: Field, PoseidonChip: PoseidonSpongeInstructions, S: Spec, D: Domain, @@ -241,7 +241,7 @@ impl< /// A Poseidon hash function, built around a sponge. #[derive(Debug)] pub struct Hash< - F: FieldExt, + F: Field, PoseidonChip: PoseidonSpongeInstructions, S: Spec, D: Domain, @@ -252,7 +252,7 @@ pub struct Hash< } impl< - F: FieldExt, + F: Field, PoseidonChip: PoseidonSpongeInstructions, S: Spec, D: Domain, @@ -267,7 +267,7 @@ impl< } impl< - F: FieldExt, + F: PrimeField, PoseidonChip: PoseidonSpongeInstructions, T, RATE>, S: Spec, const T: usize, diff --git a/halo2_gadgets/src/poseidon/pow5.rs b/halo2_gadgets/src/poseidon/pow5.rs index 7b9862e5..52b0d273 100644 --- a/halo2_gadgets/src/poseidon/pow5.rs +++ b/halo2_gadgets/src/poseidon/pow5.rs @@ -2,7 +2,7 @@ use std::convert::TryInto; use std::iter; use halo2_proofs::{ - arithmetic::FieldExt, + arithmetic::Field, circuit::{AssignedCell, Cell, Chip, Layouter, Region, Value}, plonk::{ Advice, Any, Column, ConstraintSystem, Constraints, Error, Expression, Fixed, Selector, @@ -18,7 +18,7 @@ use crate::utilities::Var; /// Configuration for a [`Pow5Chip`]. #[derive(Clone, Debug)] -pub struct Pow5Config { +pub struct Pow5Config { pub(crate) state: [Column; WIDTH], partial_sbox: Column, rc_a: [Column; WIDTH], @@ -40,11 +40,11 @@ pub struct Pow5Config { /// The chip is implemented using a single round per row for full rounds, and two rounds /// per row for partial rounds. #[derive(Debug)] -pub struct Pow5Chip { +pub struct Pow5Chip { config: Pow5Config, } -impl Pow5Chip { +impl Pow5Chip { /// Configures this chip for use in a circuit. /// /// # Side-effects @@ -209,7 +209,7 @@ impl Pow5Chip Chip for Pow5Chip { +impl Chip for Pow5Chip { type Config = Pow5Config; type Loaded = (); @@ -222,7 +222,7 @@ impl Chip for Pow5Chip, const WIDTH: usize, const RATE: usize> +impl, const WIDTH: usize, const RATE: usize> PoseidonInstructions for Pow5Chip { type Word = StateWord; @@ -273,7 +273,7 @@ impl, const WIDTH: usize, const RATE: usize } impl< - F: FieldExt, + F: Field, S: Spec, D: Domain, const WIDTH: usize, @@ -302,7 +302,7 @@ impl< }; for i in 0..RATE { - load_state_word(i, F::zero())?; + load_state_word(i, F::ZERO)?; } load_state_word(RATE, D::initial_capacity_element())?; @@ -372,7 +372,7 @@ impl< .get(i) .map(|word| word.0.value().cloned()) // The capacity element is never altered by the input. - .unwrap_or_else(|| Value::known(F::zero())); + .unwrap_or_else(|| Value::known(F::ZERO)); region .assign_advice( || format!("load output_{}", i), @@ -403,21 +403,21 @@ impl< /// A word in the Poseidon state. #[derive(Clone, Debug)] -pub struct StateWord(AssignedCell); +pub struct StateWord(AssignedCell); -impl From> for AssignedCell { +impl From> for AssignedCell { fn from(state_word: StateWord) -> AssignedCell { state_word.0 } } -impl From> for StateWord { +impl From> for StateWord { fn from(cell_value: AssignedCell) -> StateWord { StateWord(cell_value) } } -impl Var for StateWord { +impl Var for StateWord { fn cell(&self) -> Cell { self.0.cell() } @@ -428,9 +428,9 @@ impl Var for StateWord { } #[derive(Debug)] -struct Pow5State([StateWord; WIDTH]); +struct Pow5State([StateWord; WIDTH]); -impl Pow5State { +impl Pow5State { fn full_round( self, region: &mut Region, @@ -450,7 +450,7 @@ impl Pow5State { r.as_ref().map(|r| { r.iter() .enumerate() - .fold(F::zero(), |acc, (j, r_j)| acc + m_i[j] * r_j) + .fold(F::ZERO, |acc, (j, r_j)| acc + m_i[j] * r_j) }) }); @@ -491,7 +491,7 @@ impl Pow5State { r.as_ref().map(|r| { m_i.iter() .zip(r.iter()) - .fold(F::zero(), |acc, (m_ij, r_j)| acc + *m_ij * r_j) + .fold(F::ZERO, |acc, (m_ij, r_j)| acc + *m_ij * r_j) }) }) .collect(); @@ -524,7 +524,7 @@ impl Pow5State { r_mid.as_ref().map(|r| { m_i.iter() .zip(r.iter()) - .fold(F::zero(), |acc, (m_ij, r_j)| acc + *m_ij * r_j) + .fold(F::ZERO, |acc, (m_ij, r_j)| acc + *m_ij * r_j) }) }) .collect(); diff --git a/halo2_gadgets/src/poseidon/primitives.rs b/halo2_gadgets/src/poseidon/primitives.rs index 4d7d5b03..a8662a00 100644 --- a/halo2_gadgets/src/poseidon/primitives.rs +++ b/halo2_gadgets/src/poseidon/primitives.rs @@ -5,7 +5,9 @@ use std::fmt; use std::iter; use std::marker::PhantomData; -use halo2_proofs::arithmetic::FieldExt; +use ff::FromUniformBytes; +use ff::PrimeField; +use halo2_proofs::arithmetic::Field; pub(crate) mod fp; pub(crate) mod fq; @@ -27,10 +29,10 @@ pub(crate) type State = [F; T]; pub(crate) type SpongeRate = [Option; RATE]; /// The type used to hold the MDS matrix and its inverse. -pub(crate) type Mds = [[F; T]; T]; +pub type Mds = [[F; T]; T]; /// A specification for a Poseidon permutation. -pub trait Spec: fmt::Debug { +pub trait Spec: fmt::Debug { /// The number of full rounds for this specification. /// /// This must be an even number. @@ -50,33 +52,41 @@ pub trait Spec: fmt::Debug { fn secure_mds() -> usize; /// Generates `(round_constants, mds, mds^-1)` corresponding to this specification. - fn constants() -> (Vec<[F; T]>, Mds, Mds) { - let r_f = Self::full_rounds(); - let r_p = Self::partial_rounds(); - - let mut grain = grain::Grain::new(SboxType::Pow, T as u16, r_f as u16, r_p as u16); - - let round_constants = (0..(r_f + r_p)) - .map(|_| { - let mut rc_row = [F::zero(); T]; - for (rc, value) in rc_row - .iter_mut() - .zip((0..T).map(|_| grain.next_field_element())) - { - *rc = value; - } - rc_row - }) - .collect(); + fn constants() -> (Vec<[F; T]>, Mds, Mds); +} + +/// Generates `(round_constants, mds, mds^-1)` corresponding to this specification. +pub fn generate_constants< + F: FromUniformBytes<64> + Ord, + S: Spec, + const T: usize, + const RATE: usize, +>() -> (Vec<[F; T]>, Mds, Mds) { + let r_f = S::full_rounds(); + let r_p = S::partial_rounds(); - let (mds, mds_inv) = mds::generate_mds::(&mut grain, Self::secure_mds()); + let mut grain = grain::Grain::new(SboxType::Pow, T as u16, r_f as u16, r_p as u16); - (round_constants, mds, mds_inv) - } + let round_constants = (0..(r_f + r_p)) + .map(|_| { + let mut rc_row = [F::ZERO; T]; + for (rc, value) in rc_row + .iter_mut() + .zip((0..T).map(|_| grain.next_field_element())) + { + *rc = value; + } + rc_row + }) + .collect(); + + let (mds, mds_inv) = mds::generate_mds::(&mut grain, S::secure_mds()); + + (round_constants, mds, mds_inv) } /// Runs the Poseidon permutation on the given state. -pub(crate) fn permute, const T: usize, const RATE: usize>( +pub(crate) fn permute, const T: usize, const RATE: usize>( state: &mut State, mds: &Mds, round_constants: &[[F; T]], @@ -85,7 +95,7 @@ pub(crate) fn permute, const T: usize, const RA let r_p = S::partial_rounds(); let apply_mds = |state: &mut State| { - let mut new_state = [F::zero(); T]; + let mut new_state = [F::ZERO; T]; // Matrix multiplication #[allow(clippy::needless_range_loop)] for i in 0..T { @@ -123,7 +133,7 @@ pub(crate) fn permute, const T: usize, const RA }); } -fn poseidon_sponge, const T: usize, const RATE: usize>( +fn poseidon_sponge, const T: usize, const RATE: usize>( state: &mut State, input: Option<&Absorbing>, mds_matrix: &Mds, @@ -180,7 +190,7 @@ impl Absorbing { /// A Poseidon sponge. pub(crate) struct Sponge< - F: FieldExt, + F: Field, S: Spec, M: SpongeMode, const T: usize, @@ -193,7 +203,7 @@ pub(crate) struct Sponge< _marker: PhantomData, } -impl, const T: usize, const RATE: usize> +impl, const T: usize, const RATE: usize> Sponge, T, RATE> { /// Constructs a new sponge for the given Poseidon specification. @@ -201,7 +211,7 @@ impl, const T: usize, const RATE: usize> let (round_constants, mds_matrix, _) = S::constants(); let mode = Absorbing([None; RATE]); - let mut state = [F::zero(); T]; + let mut state = [F::ZERO; T]; state[RATE] = initial_capacity_element; Sponge { @@ -251,7 +261,7 @@ impl, const T: usize, const RATE: usize> } } -impl, const T: usize, const RATE: usize> +impl, const T: usize, const RATE: usize> Sponge, T, RATE> { /// Squeezes an element from the sponge. @@ -275,7 +285,7 @@ impl, const T: usize, const RATE: usize> } /// A domain in which a Poseidon hash function is being used. -pub trait Domain { +pub trait Domain { /// Iterator that outputs padding field elements. type Padding: IntoIterator; @@ -295,7 +305,7 @@ pub trait Domain { #[derive(Clone, Copy, Debug)] pub struct ConstantLength; -impl Domain for ConstantLength { +impl Domain for ConstantLength { type Padding = iter::Take>; fn name() -> String { @@ -315,13 +325,13 @@ impl Domain for Constan // Poseidon authors encode the constant length into the capacity element, ensuring // that inputs of different lengths do not share the same permutation. let k = (L + RATE - 1) / RATE; - iter::repeat(F::zero()).take(k * RATE - L) + iter::repeat(F::ZERO).take(k * RATE - L) } } /// A Poseidon hash function, built around a sponge. pub struct Hash< - F: FieldExt, + F: Field, S: Spec, D: Domain, const T: usize, @@ -331,7 +341,7 @@ pub struct Hash< _domain: PhantomData, } -impl, D: Domain, const T: usize, const RATE: usize> +impl, D: Domain, const T: usize, const RATE: usize> fmt::Debug for Hash { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { @@ -345,7 +355,7 @@ impl, D: Domain, const T: usize, const } } -impl, D: Domain, const T: usize, const RATE: usize> +impl, D: Domain, const T: usize, const RATE: usize> Hash { /// Initializes a new hasher. @@ -357,7 +367,7 @@ impl, D: Domain, const T: usize, const } } -impl, const T: usize, const RATE: usize, const L: usize> +impl, const T: usize, const RATE: usize, const L: usize> Hash, T, RATE> { /// Hashes the given input. @@ -374,9 +384,9 @@ impl, const T: usize, const RATE: usize, const #[cfg(test)] mod tests { - use halo2curves::{pasta::pallas, FieldExt}; - use super::{permute, ConstantLength, Hash, P128Pow5T3 as OrchardNullifier, Spec}; + use ff::PrimeField; + use halo2curves::pasta::pallas; #[test] fn orchard_spec_equivalence() { diff --git a/halo2_gadgets/src/poseidon/primitives/grain.rs b/halo2_gadgets/src/poseidon/primitives/grain.rs index f3cf94f7..99711f97 100644 --- a/halo2_gadgets/src/poseidon/primitives/grain.rs +++ b/halo2_gadgets/src/poseidon/primitives/grain.rs @@ -3,7 +3,8 @@ use std::marker::PhantomData; use bitvec::prelude::*; -use halo2_proofs::arithmetic::FieldExt; +use ff::{FromUniformBytes, PrimeField}; +use halo2_proofs::arithmetic::Field; const STATE: usize = 80; @@ -43,13 +44,13 @@ impl SboxType { } } -pub(super) struct Grain { +pub(super) struct Grain { state: BitArr!(for 80, in u8, Msb0), next_bit: usize, _field: PhantomData, } -impl Grain { +impl Grain { pub(super) fn new(sbox: SboxType, t: u16, r_f: u16, r_p: u16) -> Self { // Initialize the LFSR state. let mut state = bitarr![u8, Msb0; 1; STATE]; @@ -135,7 +136,9 @@ impl Grain { } } } +} +impl> Grain { /// Returns the next field element from this Grain instantiation, without using /// rejection sampling. pub(super) fn next_field_element_without_rejection(&mut self) -> F { @@ -161,11 +164,11 @@ impl Grain { view[i / 8] |= if bit { 1 << (i % 8) } else { 0 }; } - F::from_bytes_wide(&bytes) + F::from_uniform_bytes(&bytes) } } -impl Iterator for Grain { +impl Iterator for Grain { type Item = bool; fn next(&mut self) -> Option { diff --git a/halo2_gadgets/src/poseidon/primitives/mds.rs b/halo2_gadgets/src/poseidon/primitives/mds.rs index fb809e3a..892ee11f 100644 --- a/halo2_gadgets/src/poseidon/primitives/mds.rs +++ b/halo2_gadgets/src/poseidon/primitives/mds.rs @@ -1,8 +1,8 @@ -use halo2_proofs::arithmetic::FieldExt; +use ff::FromUniformBytes; use super::{grain::Grain, Mds}; -pub(super) fn generate_mds( +pub(super) fn generate_mds + Ord, const T: usize>( grain: &mut Grain, mut select: usize, ) -> (Mds, Mds) { @@ -48,7 +48,7 @@ pub(super) fn generate_mds( // However, the Poseidon paper and reference impl use the positive formulation, // and we want to rely on the reference impl for MDS security, so we use the same // formulation. - let mut mds = [[F::zero(); T]; T]; + let mut mds = [[F::ZERO; T]; T]; #[allow(clippy::needless_range_loop)] for i in 0..T { for j in 0..T { @@ -74,10 +74,10 @@ pub(super) fn generate_mds( // where A_i(x) and B_i(x) are the Lagrange polynomials for xs and ys respectively. // // We adapt this to the positive Cauchy formulation by negating ys. - let mut mds_inv = [[F::zero(); T]; T]; + let mut mds_inv = [[F::ZERO; T]; T]; let l = |xs: &[F], j, x: F| { let x_j = xs[j]; - xs.iter().enumerate().fold(F::one(), |acc, (m, x_m)| { + xs.iter().enumerate().fold(F::ONE, |acc, (m, x_m)| { if m == j { acc } else { diff --git a/halo2_gadgets/src/poseidon/primitives/p128pow5t3.rs b/halo2_gadgets/src/poseidon/primitives/p128pow5t3.rs index 379c399b..c8d54d9a 100644 --- a/halo2_gadgets/src/poseidon/primitives/p128pow5t3.rs +++ b/halo2_gadgets/src/poseidon/primitives/p128pow5t3.rs @@ -66,29 +66,31 @@ impl Spec for P128Pow5T3 { #[cfg(test)] mod tests { - use ff::PrimeField; - use std::marker::PhantomData; - - use halo2curves::FieldExt; - use super::{ super::{fp, fq}, Fp, Fq, }; - use crate::poseidon::primitives::{permute, ConstantLength, Hash, Spec}; + use crate::poseidon::primitives::{ + generate_constants, permute, ConstantLength, Hash, Mds, Spec, + }; + use ff::PrimeField; + use ff::{Field, FromUniformBytes}; + use std::marker::PhantomData; /// The same Poseidon specification as poseidon::P128Pow5T3, but constructed /// such that its constants will be generated at runtime. #[derive(Debug)] - pub struct P128Pow5T3Gen(PhantomData); + pub struct P128Pow5T3Gen(PhantomData); - impl P128Pow5T3Gen { + impl P128Pow5T3Gen { pub fn new() -> Self { P128Pow5T3Gen(PhantomData::default()) } } - impl Spec for P128Pow5T3Gen { + impl + Ord, const SECURE_MDS: usize> Spec + for P128Pow5T3Gen + { fn full_rounds() -> usize { 8 } @@ -98,17 +100,21 @@ mod tests { } fn sbox(val: F) -> F { - val.pow_vartime(&[5]) + val.pow_vartime([5]) } fn secure_mds() -> usize { SECURE_MDS } + + fn constants() -> (Vec<[F; 3]>, Mds, Mds) { + generate_constants::<_, Self, 3, 2>() + } } #[test] fn verify_constants() { - fn verify_constants_helper( + fn verify_constants_helper + Ord>( expected_round_constants: [[F; 3]; 64], expected_mds: [[F; 3]; 3], expected_mds_inv: [[F; 3]; 3], diff --git a/halo2_gadgets/src/sha256.rs b/halo2_gadgets/src/sha256.rs index 19a658df..391020a3 100644 --- a/halo2_gadgets/src/sha256.rs +++ b/halo2_gadgets/src/sha256.rs @@ -7,7 +7,7 @@ use std::convert::TryInto; use std::fmt; use halo2_proofs::{ - arithmetic::FieldExt, + arithmetic::Field, circuit::{Chip, Layouter}, plonk::Error, }; @@ -22,7 +22,7 @@ pub const BLOCK_SIZE: usize = 16; const DIGEST_SIZE: usize = 8; /// The set of circuit instructions required to use the [`Sha256`] gadget. -pub trait Sha256Instructions: Chip { +pub trait Sha256Instructions: Chip { /// Variable representing the SHA-256 internal state. type State: Clone + fmt::Debug; /// Variable representing a 32-bit word of the input block to the SHA-256 compression @@ -63,14 +63,14 @@ pub struct Sha256Digest([BlockWord; DIGEST_SIZE]); /// A gadget that constrains a SHA-256 invocation. It supports input at a granularity of /// 32 bits. #[derive(Debug)] -pub struct Sha256> { +pub struct Sha256> { chip: CS, state: CS::State, cur_block: Vec, length: usize, } -impl> Sha256 { +impl> Sha256 { /// Create a new hasher instance. pub fn new(chip: Sha256Chip, mut layouter: impl Layouter) -> Result { let state = chip.initialization_vector(&mut layouter)?; diff --git a/halo2_gadgets/src/sha256/table16/compression/compression_gates.rs b/halo2_gadgets/src/sha256/table16/compression/compression_gates.rs index e22a1021..1cf6a605 100644 --- a/halo2_gadgets/src/sha256/table16/compression/compression_gates.rs +++ b/halo2_gadgets/src/sha256/table16/compression/compression_gates.rs @@ -1,15 +1,13 @@ use super::super::{util::*, Gate}; -use halo2_proofs::{ - arithmetic::FieldExt, - plonk::{Constraint, Constraints, Expression}, -}; +use ff::PrimeField; +use halo2_proofs::plonk::{Constraint, Constraints, Expression}; use std::marker::PhantomData; -pub struct CompressionGate(PhantomData); +pub struct CompressionGate(PhantomData); -impl CompressionGate { +impl CompressionGate { fn ones() -> Expression { - Expression::Constant(F::one()) + Expression::Constant(F::ONE) } // Decompose `A,B,C,D` words @@ -59,16 +57,16 @@ impl CompressionGate { + c_mid * F::from(1 << 16) + c_hi * F::from(1 << 19) + d * F::from(1 << 22) - + word_lo * (-F::one()) - + word_hi * F::from(1 << 16) * (-F::one()); + + word_lo * (-F::ONE) + + word_hi * F::from(1 << 16) * (-F::ONE); let spread_check = spread_a + spread_b * F::from(1 << 4) + spread_c_lo * F::from(1 << 26) + spread_c_mid * F::from(1 << 32) + spread_c_hi * F::from(1 << 38) + spread_d * F::from(1 << 44) - + spread_word_lo * (-F::one()) - + spread_word_hi * F::from(1 << 32) * (-F::one()); + + spread_word_lo * (-F::ONE) + + spread_word_hi * F::from(1 << 32) * (-F::ONE); Constraints::with_selector( s_decompose_abcd, @@ -130,16 +128,16 @@ impl CompressionGate { + b_hi * F::from(1 << 8) + c * F::from(1 << 11) + d * F::from(1 << 25) - + word_lo * (-F::one()) - + word_hi * F::from(1 << 16) * (-F::one()); + + word_lo * (-F::ONE) + + word_hi * F::from(1 << 16) * (-F::ONE); let spread_check = spread_a_lo + spread_a_hi * F::from(1 << 6) + spread_b_lo * F::from(1 << 12) + spread_b_hi * F::from(1 << 16) + spread_c * F::from(1 << 22) + spread_d * F::from(1 << 50) - + spread_word_lo * (-F::one()) - + spread_word_hi * F::from(1 << 32) * (-F::one()); + + spread_word_lo * (-F::ONE) + + spread_word_hi * F::from(1 << 32) * (-F::ONE); Constraints::with_selector( s_decompose_efgh, @@ -189,7 +187,7 @@ impl CompressionGate { + spread_c_mid * F::from(1 << 52) + spread_c_hi * F::from(1 << 58); let xor = xor_0 + xor_1 + xor_2; - let check = spread_witness + (xor * -F::one()); + let check = spread_witness + (xor * -F::ONE); Some(("s_upper_sigma_0", s_upper_sigma_0 * check)) } @@ -233,7 +231,7 @@ impl CompressionGate { + spread_b_hi * F::from(1 << 30) + spread_c * F::from(1 << 36); let xor = xor_0 + xor_1 + xor_2; - let check = spread_witness + (xor * -F::one()); + let check = spread_witness + (xor * -F::ONE); Some(("s_upper_sigma_1", s_upper_sigma_1 * check)) } @@ -259,7 +257,7 @@ impl CompressionGate { let rhs_odd = spread_p0_odd + spread_p1_odd * F::from(1 << 32); let rhs = rhs_even + rhs_odd * F::from(2); - let check = lhs + rhs * -F::one(); + let check = lhs + rhs * -F::ONE; Some(("s_ch", s_ch * check)) } @@ -286,9 +284,9 @@ impl CompressionGate { let neg_check = { let evens = Self::ones() * F::from(MASK_EVEN_32 as u64); // evens - spread_e_lo = spread_e_neg_lo - let lo_check = spread_e_neg_lo.clone() + spread_e_lo + (evens.clone() * (-F::one())); + let lo_check = spread_e_neg_lo.clone() + spread_e_lo + (evens.clone() * (-F::ONE)); // evens - spread_e_hi = spread_e_neg_hi - let hi_check = spread_e_neg_hi.clone() + spread_e_hi + (evens * (-F::one())); + let hi_check = spread_e_neg_hi.clone() + spread_e_hi + (evens * (-F::ONE)); std::iter::empty() .chain(Some(("lo_check", lo_check))) diff --git a/halo2_gadgets/src/sha256/table16/gates.rs b/halo2_gadgets/src/sha256/table16/gates.rs index 4f268092..d5f3840a 100644 --- a/halo2_gadgets/src/sha256/table16/gates.rs +++ b/halo2_gadgets/src/sha256/table16/gates.rs @@ -1,10 +1,11 @@ -use halo2_proofs::{arithmetic::FieldExt, plonk::Expression}; +use ff::PrimeField; +use halo2_proofs::{arithmetic::Field, plonk::Expression}; -pub struct Gate(pub Expression); +pub struct Gate(pub Expression); -impl Gate { +impl Gate { fn ones() -> Expression { - Expression::Constant(F::one()) + Expression::Constant(F::ONE) } // Helper gates @@ -32,7 +33,7 @@ impl Gate { for i in 0..deg { let i = i as u64; if i != idx { - expr = expr * (Self::ones() * (-F::one()) * F::from(i) + var.clone()); + expr = expr * (Self::ones() * (-F::ONE) * F::from(i) + var.clone()); } } expr * F::from(u64::from(eval)) @@ -46,13 +47,13 @@ impl Gate { } } if denom < 0 { - -F::one() * F::from(factor / (-denom as u64)) + -F::ONE * F::from(factor / (-denom as u64)) } else { F::from(factor / (denom as u64)) } }; - let mut expr = Self::ones() * F::zero(); + let mut expr = Self::ones() * F::ZERO; for ((idx, _), eval) in points.iter().enumerate().zip(evals.iter()) { expr = expr + numerator(var.clone(), *eval, idx as u64) * denominator(idx as i32) } @@ -63,7 +64,7 @@ impl Gate { pub fn range_check(value: Expression, lower_range: u64, upper_range: u64) -> Expression { let mut expr = Self::ones(); for i in lower_range..(upper_range + 1) { - expr = expr * (Self::ones() * (-F::one()) * F::from(i) + value.clone()) + expr = expr * (Self::ones() * (-F::ONE) * F::from(i) + value.clone()) } expr } diff --git a/halo2_gadgets/src/sha256/table16/message_schedule/schedule_gates.rs b/halo2_gadgets/src/sha256/table16/message_schedule/schedule_gates.rs index fab51bd3..cf6a9172 100644 --- a/halo2_gadgets/src/sha256/table16/message_schedule/schedule_gates.rs +++ b/halo2_gadgets/src/sha256/table16/message_schedule/schedule_gates.rs @@ -1,10 +1,11 @@ use super::super::Gate; -use halo2_proofs::{arithmetic::FieldExt, plonk::Expression}; +use ff::PrimeField; +use halo2_proofs::plonk::Expression; use std::marker::PhantomData; -pub struct ScheduleGate(PhantomData); +pub struct ScheduleGate(PhantomData); -impl ScheduleGate { +impl ScheduleGate { /// s_word for W_16 to W_63 #[allow(clippy::too_many_arguments)] pub fn s_word( @@ -25,8 +26,8 @@ impl ScheduleGate { let word_check = lo + hi * F::from(1 << 16) - + (carry.clone() * F::from(1 << 32) * (-F::one())) - + (word * (-F::one())); + + (carry.clone() * F::from(1 << 32) * (-F::ONE)) + + (word * (-F::ONE)); let carry_check = Gate::range_check(carry, 0, 3); [("word_check", word_check), ("carry_check", carry_check)] @@ -58,11 +59,8 @@ impl ScheduleGate { tag_d: Expression, word: Expression, ) -> impl Iterator)> { - let decompose_check = a - + b * F::from(1 << 3) - + c * F::from(1 << 7) - + d * F::from(1 << 18) - + word * (-F::one()); + let decompose_check = + a + b * F::from(1 << 3) + c * F::from(1 << 7) + d * F::from(1 << 18) + word * (-F::ONE); let range_check_tag_c = Gate::range_check(tag_c, 0, 2); let range_check_tag_d = Gate::range_check(tag_d, 0, 4); @@ -99,7 +97,7 @@ impl ScheduleGate { + e * F::from(1 << 17) + f * F::from(1 << 18) + g * F::from(1 << 19) - + word * (-F::one()); + + word * (-F::ONE); let range_check_tag_d = Gate::range_check(tag_d, 0, 0); let range_check_tag_g = Gate::range_check(tag_g, 0, 3); @@ -129,7 +127,7 @@ impl ScheduleGate { + b * F::from(1 << 10) + c * F::from(1 << 17) + d * F::from(1 << 19) - + word * (-F::one()); + + word * (-F::ONE); let range_check_tag_a = Gate::range_check(tag_a, 0, 1); let range_check_tag_d = Gate::range_check(tag_d, 0, 3); diff --git a/halo2_gadgets/src/sha256/table16/spread_table.rs b/halo2_gadgets/src/sha256/table16/spread_table.rs index 3e1488e9..031f0880 100644 --- a/halo2_gadgets/src/sha256/table16/spread_table.rs +++ b/halo2_gadgets/src/sha256/table16/spread_table.rs @@ -1,6 +1,7 @@ use super::{util::*, AssignedBits}; +use ff::PrimeField; use halo2_proofs::{ - arithmetic::FieldExt, + arithmetic::Field, circuit::{Chip, Layouter, Region, Value}, plonk::{Advice, Column, ConstraintSystem, Error, TableColumn}, poly::Rotation, @@ -153,12 +154,12 @@ pub(super) struct SpreadTableConfig { } #[derive(Clone, Debug)] -pub(super) struct SpreadTableChip { +pub(super) struct SpreadTableChip { config: SpreadTableConfig, _marker: PhantomData, } -impl Chip for SpreadTableChip { +impl Chip for SpreadTableChip { type Config = SpreadTableConfig; type Loaded = (); @@ -171,7 +172,7 @@ impl Chip for SpreadTableChip { } } -impl SpreadTableChip { +impl SpreadTableChip { pub fn configure( meta: &mut ConstraintSystem, input_tag: Column, @@ -250,45 +251,42 @@ impl SpreadTableChip { } impl SpreadTableConfig { - fn generate() -> impl Iterator { - (1..=(1 << 16)).scan( - (F::zero(), F::zero(), F::zero()), - |(tag, dense, spread), i| { - // We computed this table row in the previous iteration. - let res = (*tag, *dense, *spread); - - // i holds the zero-indexed row number for the next table row. - match i { - BITS_7 | BITS_10 | BITS_11 | BITS_13 | BITS_14 => *tag += F::one(), - _ => (), - } - *dense += F::one(); - if i & 1 == 0 { - // On even-numbered rows we recompute the spread. - *spread = F::zero(); - for b in 0..16 { - if (i >> b) & 1 != 0 { - *spread += F::from(1 << (2 * b)); - } + fn generate() -> impl Iterator { + (1..=(1 << 16)).scan((F::ZERO, F::ZERO, F::ZERO), |(tag, dense, spread), i| { + // We computed this table row in the previous iteration. + let res = (*tag, *dense, *spread); + + // i holds the zero-indexed row number for the next table row. + match i { + BITS_7 | BITS_10 | BITS_11 | BITS_13 | BITS_14 => *tag += F::ONE, + _ => (), + } + *dense += F::ONE; + if i & 1 == 0 { + // On even-numbered rows we recompute the spread. + *spread = F::ZERO; + for b in 0..16 { + if (i >> b) & 1 != 0 { + *spread += F::from(1 << (2 * b)); } - } else { - // On odd-numbered rows we add one. - *spread += F::one(); } + } else { + // On odd-numbered rows we add one. + *spread += F::ONE; + } - Some(res) - }, - ) + Some(res) + }) } } #[cfg(test)] mod tests { use super::{get_tag, SpreadTableChip, SpreadTableConfig}; + use ff::PrimeField; use rand::Rng; use halo2_proofs::{ - arithmetic::FieldExt, circuit::{Layouter, SimpleFloorPlanner, Value}, dev::MockProver, plonk::{Advice, Circuit, Column, ConstraintSystem, Error}, @@ -303,7 +301,7 @@ mod tests { struct MyCircuit {} - impl Circuit for MyCircuit { + impl Circuit for MyCircuit { type Config = SpreadTableConfig; type FloorPlanner = SimpleFloorPlanner; @@ -354,20 +352,20 @@ mod tests { }; // Test the first few small values. - add_row(F::zero(), F::from(0b000), F::from(0b000000))?; - add_row(F::zero(), F::from(0b001), F::from(0b000001))?; - add_row(F::zero(), F::from(0b010), F::from(0b000100))?; - add_row(F::zero(), F::from(0b011), F::from(0b000101))?; - add_row(F::zero(), F::from(0b100), F::from(0b010000))?; - add_row(F::zero(), F::from(0b101), F::from(0b010001))?; + add_row(F::ZERO, F::from(0b000), F::from(0b000000))?; + add_row(F::ZERO, F::from(0b001), F::from(0b000001))?; + add_row(F::ZERO, F::from(0b010), F::from(0b000100))?; + add_row(F::ZERO, F::from(0b011), F::from(0b000101))?; + add_row(F::ZERO, F::from(0b100), F::from(0b010000))?; + add_row(F::ZERO, F::from(0b101), F::from(0b010001))?; // Test the tag boundaries: // 7-bit - add_row(F::zero(), F::from(0b1111111), F::from(0b01010101010101))?; - add_row(F::one(), F::from(0b10000000), F::from(0b0100000000000000))?; + add_row(F::ZERO, F::from(0b1111111), F::from(0b01010101010101))?; + add_row(F::ONE, F::from(0b10000000), F::from(0b0100000000000000))?; // - 10-bit add_row( - F::one(), + F::ONE, F::from(0b1111111111), F::from(0b01010101010101010101), )?; diff --git a/halo2_gadgets/src/sinsemilla.rs b/halo2_gadgets/src/sinsemilla.rs index 3cec450e..26705292 100644 --- a/halo2_gadgets/src/sinsemilla.rs +++ b/halo2_gadgets/src/sinsemilla.rs @@ -203,9 +203,9 @@ where let to_base_field = |bits: &[Value]| -> Value { let bits: Value> = bits.iter().cloned().collect(); bits.map(|bits| { - bits.into_iter().rev().fold(C::Base::zero(), |acc, bit| { + bits.into_iter().rev().fold(C::Base::ZERO, |acc, bit| { if bit { - acc.double() + C::Base::one() + acc.double() + C::Base::ONE } else { acc.double() } @@ -243,7 +243,7 @@ where subpieces: impl IntoIterator>>, ) -> Result { let (field_elem, total_bits) = subpieces.into_iter().fold( - (Value::known(C::Base::zero()), 0), + (Value::known(C::Base::ZERO), 0), |(acc, bits), subpiece| { assert!(bits < 64); let subpiece_shifted = subpiece diff --git a/halo2_gadgets/src/sinsemilla/chip/generator_table.rs b/halo2_gadgets/src/sinsemilla/chip/generator_table.rs index a653c13b..a50a687e 100644 --- a/halo2_gadgets/src/sinsemilla/chip/generator_table.rs +++ b/halo2_gadgets/src/sinsemilla/chip/generator_table.rs @@ -6,7 +6,8 @@ use halo2_proofs::{ use super::{CommitDomains, FixedPoints, HashDomains}; use crate::sinsemilla::primitives::{self as sinsemilla, SINSEMILLA_S}; -use halo2curves::{pasta::pallas, FieldExt}; +use ff::PrimeField; +use halo2curves::pasta::pallas; /// Table containing independent generators S[0..2^k] #[derive(Eq, PartialEq, Copy, Clone, Debug)] diff --git a/halo2_gadgets/src/sinsemilla/chip/hash_to_point.rs b/halo2_gadgets/src/sinsemilla/chip/hash_to_point.rs index 70eab6b8..9c15dd11 100644 --- a/halo2_gadgets/src/sinsemilla/chip/hash_to_point.rs +++ b/halo2_gadgets/src/sinsemilla/chip/hash_to_point.rs @@ -10,8 +10,8 @@ use halo2_proofs::{ plonk::{Assigned, Error}, }; -use group::ff::{PrimeField, PrimeFieldBits}; -use halo2curves::{pasta::pallas, CurveAffine, FieldExt}; +use group::ff::{Field, PrimeField, PrimeFieldBits}; +use halo2curves::{pasta::pallas, CurveAffine}; use std::ops::Deref; @@ -376,15 +376,15 @@ where } /// The x-coordinate of the accumulator in a Sinsemilla hash instance. -struct X(AssignedCell, F>); +struct X(AssignedCell, F>); -impl From, F>> for X { +impl From, F>> for X { fn from(cell_value: AssignedCell, F>) -> Self { X(cell_value) } } -impl Deref for X { +impl Deref for X { type Target = AssignedCell, F>; fn deref(&self) -> &AssignedCell, F> { @@ -397,15 +397,15 @@ impl Deref for X { /// This is never actually witnessed until the last round, since it /// can be derived from other variables. Thus it only exists as a field /// element, not a `CellValue`. -struct Y(Value>); +struct Y(Value>); -impl From>> for Y { +impl From>> for Y { fn from(value: Value>) -> Self { Y(value) } } -impl Deref for Y { +impl Deref for Y { type Target = Value>; fn deref(&self) -> &Value> { diff --git a/halo2_gadgets/src/sinsemilla/merkle/chip.rs b/halo2_gadgets/src/sinsemilla/merkle/chip.rs index 97da766d..bb042a5a 100644 --- a/halo2_gadgets/src/sinsemilla/merkle/chip.rs +++ b/halo2_gadgets/src/sinsemilla/merkle/chip.rs @@ -5,7 +5,7 @@ use halo2_proofs::{ plonk::{Advice, Column, ConstraintSystem, Constraints, Error, Selector}, poly::Rotation, }; -use halo2curves::{pasta::pallas, FieldExt}; +use halo2curves::pasta::pallas; use super::MerkleInstructions; diff --git a/halo2_gadgets/src/sinsemilla/message.rs b/halo2_gadgets/src/sinsemilla/message.rs index 6bb72e2f..62696834 100644 --- a/halo2_gadgets/src/sinsemilla/message.rs +++ b/halo2_gadgets/src/sinsemilla/message.rs @@ -1,17 +1,17 @@ //! Gadget and chips for the Sinsemilla hash function. use ff::PrimeFieldBits; use halo2_proofs::{ - arithmetic::FieldExt, + arithmetic::Field, circuit::{AssignedCell, Cell, Value}, }; use std::fmt::Debug; /// A [`Message`] composed of several [`MessagePiece`]s. #[derive(Clone, Debug)] -pub struct Message(Vec>); +pub struct Message(Vec>); -impl - From>> for Message +impl From>> + for Message { fn from(pieces: Vec>) -> Self { // A message cannot contain more than `MAX_WORDS` words. @@ -20,7 +20,7 @@ impl } } -impl std::ops::Deref +impl std::ops::Deref for Message { type Target = [MessagePiece]; @@ -35,13 +35,13 @@ impl std:: /// The piece must fit within a base field element, which means its length /// cannot exceed the base field's `NUM_BITS`. #[derive(Clone, Debug)] -pub struct MessagePiece { +pub struct MessagePiece { cell_value: AssignedCell, /// The number of K-bit words in this message piece. num_words: usize, } -impl MessagePiece { +impl MessagePiece { pub fn new(cell_value: AssignedCell, num_words: usize) -> Self { assert!(num_words * K < F::NUM_BITS as usize); Self { diff --git a/halo2_gadgets/src/utilities.rs b/halo2_gadgets/src/utilities.rs index fa50f7e8..683a553b 100644 --- a/halo2_gadgets/src/utilities.rs +++ b/halo2_gadgets/src/utilities.rs @@ -1,11 +1,10 @@ //! Utility gadgets. -use ff::{Field, PrimeFieldBits}; +use ff::{Field, PrimeField, PrimeFieldBits}; use halo2_proofs::{ circuit::{AssignedCell, Cell, Layouter, Value}, plonk::{Advice, Column, Error, Expression}, }; -use halo2curves::FieldExt; use std::marker::PhantomData; use std::ops::Range; @@ -32,7 +31,7 @@ impl FieldValue for AssignedCell { } /// Trait for a variable in the circuit. -pub trait Var: Clone + std::fmt::Debug + From> { +pub trait Var: Clone + std::fmt::Debug + From> { /// The cell at which this variable was allocated. fn cell(&self) -> Cell; @@ -40,7 +39,7 @@ pub trait Var: Clone + std::fmt::Debug + From> { fn value(&self) -> Value; } -impl Var for AssignedCell { +impl Var for AssignedCell { fn cell(&self) -> Cell { self.cell() } @@ -51,7 +50,7 @@ impl Var for AssignedCell { } /// Trait for utilities used across circuits. -pub trait UtilitiesInstructions { +pub trait UtilitiesInstructions { /// Variable in the circuit. type Var: Var; @@ -130,15 +129,15 @@ impl RangeConstrained> { } /// Checks that an expression is either 1 or 0. -pub fn bool_check(value: Expression) -> Expression { +pub fn bool_check(value: Expression) -> Expression { range_check(value, 2) } /// If `a` then `b`, else `c`. Returns (a * b) + (1 - a) * c. /// /// `a` must be a boolean-constrained expression. -pub fn ternary(a: Expression, b: Expression, c: Expression) -> Expression { - let one_minus_a = Expression::Constant(F::one()) - a.clone(); +pub fn ternary(a: Expression, b: Expression, c: Expression) -> Expression { + let one_minus_a = Expression::Constant(F::ONE) - a.clone(); a * b + one_minus_a * c } @@ -156,9 +155,9 @@ pub fn bitrange_subset(field_elem: &F, bitrange: Range .skip(bitrange.start) .take(bitrange.end - bitrange.start) .rev() - .fold(F::zero(), |acc, bit| { + .fold(F::ZERO, |acc, bit| { if bit { - acc.double() + F::one() + acc.double() + F::ONE } else { acc.double() } @@ -167,7 +166,7 @@ pub fn bitrange_subset(field_elem: &F, bitrange: Range /// Check that an expression is in the small range [0..range), /// i.e. 0 ≤ word < range. -pub fn range_check(word: Expression, range: usize) -> Expression { +pub fn range_check(word: Expression, range: usize) -> Expression { (1..range).fold(word.clone(), |acc, i| { acc * (Expression::Constant(F::from(i as u64)) - word.clone()) }) @@ -240,6 +239,7 @@ pub fn i2lebsp(int: u64) -> [bool; NUM_BITS] { #[cfg(test)] mod tests { use super::*; + use ff::FromUniformBytes; use group::ff::{Field, PrimeField}; use halo2_proofs::{ circuit::{Layouter, SimpleFloorPlanner}, @@ -247,7 +247,7 @@ mod tests { plonk::{Any, Circuit, ConstraintSystem, Constraints, Error, Selector}, poly::Rotation, }; - use halo2curves::{pasta::pallas, FieldExt}; + use halo2curves::pasta::pallas; use proptest::prelude::*; use rand::rngs::OsRng; use std::convert::TryInto; @@ -420,7 +420,7 @@ mod tests { // Instead of rejecting out-of-range bytes, let's reduce them. let mut buf = [0; 64]; buf[..32].copy_from_slice(&bytes); - pallas::Scalar::from_bytes_wide(&buf) + pallas::Scalar::from_uniform_bytes(&buf) } } diff --git a/halo2_gadgets/src/utilities/cond_swap.rs b/halo2_gadgets/src/utilities/cond_swap.rs index 9dc1afa3..2dc96d59 100644 --- a/halo2_gadgets/src/utilities/cond_swap.rs +++ b/halo2_gadgets/src/utilities/cond_swap.rs @@ -1,16 +1,16 @@ //! Gadget and chip for a conditional swap utility. use super::{bool_check, ternary, UtilitiesInstructions}; +use ff::{Field, PrimeField}; use halo2_proofs::{ circuit::{AssignedCell, Chip, Layouter, Value}, plonk::{Advice, Column, ConstraintSystem, Constraints, Error, Selector}, poly::Rotation, }; -use halo2curves::FieldExt; use std::marker::PhantomData; /// Instructions for a conditional swap gadget. -pub trait CondSwapInstructions: UtilitiesInstructions { +pub trait CondSwapInstructions: UtilitiesInstructions { #[allow(clippy::type_complexity)] /// Given an input pair (a,b) and a `swap` boolean flag, returns /// (b,a) if `swap` is set, else (a,b) if `swap` is not set. @@ -32,7 +32,7 @@ pub struct CondSwapChip { _marker: PhantomData, } -impl Chip for CondSwapChip { +impl Chip for CondSwapChip { type Config = CondSwapConfig; type Loaded = (); @@ -63,11 +63,11 @@ impl CondSwapConfig { } } -impl UtilitiesInstructions for CondSwapChip { +impl UtilitiesInstructions for CondSwapChip { type Var = AssignedCell; } -impl CondSwapInstructions for CondSwapChip { +impl CondSwapInstructions for CondSwapChip { #[allow(clippy::type_complexity)] fn swap( &self, @@ -122,7 +122,7 @@ impl CondSwapInstructions for CondSwapChip { } } -impl CondSwapChip { +impl CondSwapChip { /// Configures this chip for use in a circuit. /// /// # Side-effects @@ -195,25 +195,26 @@ impl CondSwapChip { mod tests { use super::super::UtilitiesInstructions; use super::{CondSwapChip, CondSwapConfig, CondSwapInstructions}; + use ff::PrimeField; use group::ff::Field; use halo2_proofs::{ circuit::{Layouter, SimpleFloorPlanner, Value}, dev::MockProver, plonk::{Circuit, ConstraintSystem, Error}, }; - use halo2curves::{pasta::pallas::Base, FieldExt}; + use halo2curves::pasta::pallas::Base; use rand::rngs::OsRng; #[test] fn cond_swap() { #[derive(Default)] - struct MyCircuit { + struct MyCircuit { a: Value, b: Value, swap: Value, } - impl Circuit for MyCircuit { + impl Circuit for MyCircuit { type Config = CondSwapConfig; type FloorPlanner = SimpleFloorPlanner; diff --git a/halo2_gadgets/src/utilities/decompose_running_sum.rs b/halo2_gadgets/src/utilities/decompose_running_sum.rs index 89508f17..96fd2799 100644 --- a/halo2_gadgets/src/utilities/decompose_running_sum.rs +++ b/halo2_gadgets/src/utilities/decompose_running_sum.rs @@ -30,13 +30,12 @@ use halo2_proofs::{ }; use super::range_check; -use halo2curves::FieldExt; use std::marker::PhantomData; /// The running sum $[z_0, ..., z_W]$. If created in strict mode, $z_W = 0$. #[derive(Debug)] -pub struct RunningSum(Vec>); -impl std::ops::Deref for RunningSum { +pub struct RunningSum(Vec>); +impl std::ops::Deref for RunningSum { type Target = Vec>; fn deref(&self) -> &Vec> { @@ -46,15 +45,13 @@ impl std::ops::Deref for RunningSum { /// Configuration that provides methods for running sum decomposition. #[derive(Debug, Clone, Copy, Eq, PartialEq)] -pub struct RunningSumConfig { +pub struct RunningSumConfig { q_range_check: Selector, z: Column, _marker: PhantomData, } -impl - RunningSumConfig -{ +impl RunningSumConfig { /// Returns the q_range_check selector of this [`RunningSumConfig`]. pub(crate) fn q_range_check(&self) -> Selector { self.q_range_check @@ -200,7 +197,7 @@ impl if strict { // Constrain the final running sum output to be zero. - region.constrain_constant(zs.last().unwrap().cell(), F::zero())?; + region.constrain_constant(zs.last().unwrap().cell(), F::ZERO)?; } Ok(RunningSum(zs)) @@ -216,7 +213,7 @@ mod tests { dev::{FailureLocation, MockProver, VerifyFailure}, plonk::{Any, Circuit, ConstraintSystem, Error}, }; - use halo2curves::{pasta::pallas, FieldExt}; + use halo2curves::pasta::pallas; use rand::rngs::OsRng; use crate::ecc::chip::{ @@ -228,7 +225,7 @@ mod tests { #[test] fn test_running_sum() { struct MyCircuit< - F: FieldExt + PrimeFieldBits, + F: PrimeFieldBits, const WORD_NUM_BITS: usize, const WINDOW_NUM_BITS: usize, const NUM_WINDOWS: usize, @@ -238,7 +235,7 @@ mod tests { } impl< - F: FieldExt + PrimeFieldBits, + F: PrimeFieldBits, const WORD_NUM_BITS: usize, const WINDOW_NUM_BITS: usize, const NUM_WINDOWS: usize, diff --git a/halo2_gadgets/src/utilities/lookup_range_check.rs b/halo2_gadgets/src/utilities/lookup_range_check.rs index f97654c3..36be7c77 100644 --- a/halo2_gadgets/src/utilities/lookup_range_check.rs +++ b/halo2_gadgets/src/utilities/lookup_range_check.rs @@ -14,8 +14,8 @@ use super::*; /// The running sum $[z_0, ..., z_W]$. If created in strict mode, $z_W = 0$. #[derive(Debug)] -pub struct RunningSum(Vec>); -impl std::ops::Deref for RunningSum { +pub struct RunningSum(Vec>); +impl std::ops::Deref for RunningSum { type Target = Vec>; fn deref(&self) -> &Vec> { @@ -23,7 +23,7 @@ impl std::ops::Deref for RunningSum { } } -impl RangeConstrained> { +impl RangeConstrained> { /// Witnesses a subset of the bits in `value` and constrains them to be the correct /// number of bits. /// @@ -56,7 +56,7 @@ impl RangeConstrained> { /// Configuration that provides methods for a lookup range check. #[derive(Eq, PartialEq, Debug, Clone, Copy)] -pub struct LookupRangeCheckConfig { +pub struct LookupRangeCheckConfig { q_lookup: Selector, q_running: Selector, q_bitshift: Selector, @@ -65,7 +65,7 @@ pub struct LookupRangeCheckConfig _marker: PhantomData, } -impl LookupRangeCheckConfig { +impl LookupRangeCheckConfig { /// The `running_sum` advice column breaks the field element into `K`-bit /// words. It is used to construct the input expression to the lookup /// argument. @@ -118,7 +118,7 @@ impl LookupRangeCheckConfig // In the short range check, the word is directly witnessed. let short_lookup = { let short_word = z_cur; - let q_short = Expression::Constant(F::one()) - q_running; + let q_short = Expression::Constant(F::ONE) - q_running; q_short * short_word }; @@ -285,7 +285,7 @@ impl LookupRangeCheckConfig if strict { // Constrain the final `z` to be zero. - region.constrain_constant(zs.last().unwrap().cell(), F::zero())?; + region.constrain_constant(zs.last().unwrap().cell(), F::ZERO)?; } Ok(RunningSum(zs)) @@ -395,19 +395,19 @@ mod tests { dev::{FailureLocation, MockProver, VerifyFailure}, plonk::{Circuit, ConstraintSystem, Error}, }; - use halo2curves::{pasta::pallas, FieldExt}; + use halo2curves::pasta::pallas; use std::{convert::TryInto, marker::PhantomData}; #[test] fn lookup_range_check() { #[derive(Clone, Copy)] - struct MyCircuit { + struct MyCircuit { num_words: usize, _marker: PhantomData, } - impl Circuit for MyCircuit { + impl Circuit for MyCircuit { type Config = LookupRangeCheckConfig; type FloorPlanner = SimpleFloorPlanner; @@ -434,11 +434,11 @@ mod tests { // Lookup constraining element to be no longer than num_words * K bits. let elements_and_expected_final_zs = [ - (F::from((1 << (self.num_words * K)) - 1), F::zero(), true), // a word that is within self.num_words * K bits long - (F::from(1 << (self.num_words * K)), F::one(), false), // a word that is just over self.num_words * K bits long + (F::from((1 << (self.num_words * K)) - 1), F::ZERO, true), // a word that is within self.num_words * K bits long + (F::from(1 << (self.num_words * K)), F::ONE, false), // a word that is just over self.num_words * K bits long ]; - fn expected_zs( + fn expected_zs( element: F, num_words: usize, ) -> Vec { @@ -498,12 +498,12 @@ mod tests { #[test] fn short_range_check() { - struct MyCircuit { + struct MyCircuit { element: Value, num_bits: usize, } - impl Circuit for MyCircuit { + impl Circuit for MyCircuit { type Config = LookupRangeCheckConfig; type FloorPlanner = SimpleFloorPlanner; diff --git a/halo2_proofs/Cargo.toml b/halo2_proofs/Cargo.toml index 42807f79..5eabdd43 100644 --- a/halo2_proofs/Cargo.toml +++ b/halo2_proofs/Cargo.toml @@ -46,16 +46,16 @@ harness = false [dependencies] backtrace = { version = "0.3", optional = true } rayon = "1.5.1" -ff = "0.12" -group = "0.12" -halo2curves = { git = 'https://github.com/scroll-tech/halo2curves.git', branch = "0.3.1-derive-serde" } +ff = "0.13" +group = "0.13" +halo2curves = { version = "0.1.0", features = [ "derive_serde" ] } rand_core = { version = "0.6", default-features = false } tracing = "0.1" blake2b_simd = "1" sha3 = "0.9.1" subtle = "2.3" cfg-if = "0.1" -poseidon = { git = "https://github.com/scroll-tech/poseidon.git", branch = "scroll-dev-0220" } +poseidon = { git = "https://github.com/scroll-tech/poseidon.git", branch = "sync-ff-0.13" } num-integer = "0.1" num-bigint = { version = "0.4", features = ["rand"] } diff --git a/halo2_proofs/benches/dev_lookup.rs b/halo2_proofs/benches/dev_lookup.rs index bb6cfdad..745a36b9 100644 --- a/halo2_proofs/benches/dev_lookup.rs +++ b/halo2_proofs/benches/dev_lookup.rs @@ -1,7 +1,7 @@ #[macro_use] extern crate criterion; -use halo2_proofs::arithmetic::FieldExt; +use ff::{Field, PrimeField}; use halo2_proofs::circuit::{Layouter, SimpleFloorPlanner, Value}; use halo2_proofs::dev::MockProver; use halo2_proofs::plonk::*; @@ -14,7 +14,7 @@ use criterion::{BenchmarkId, Criterion}; fn criterion_benchmark(c: &mut Criterion) { #[derive(Clone, Default)] - struct MyCircuit { + struct MyCircuit { _marker: PhantomData, } @@ -25,7 +25,7 @@ fn criterion_benchmark(c: &mut Criterion) { advice: Column, } - impl Circuit for MyCircuit { + impl Circuit for MyCircuit { type Config = MyConfig; type FloorPlanner = SimpleFloorPlanner; @@ -42,7 +42,7 @@ fn criterion_benchmark(c: &mut Criterion) { meta.lookup("lookup", |meta| { let selector = meta.query_selector(config.selector); - let not_selector = Expression::Constant(F::one()) - selector.clone(); + let not_selector = Expression::Constant(F::ONE) - selector.clone(); let advice = meta.query_advice(config.advice, Rotation::cur()); vec![(selector * advice + not_selector, config.table)] }); diff --git a/halo2_proofs/benches/plonk.rs b/halo2_proofs/benches/plonk.rs index a6799614..cf02cf87 100644 --- a/halo2_proofs/benches/plonk.rs +++ b/halo2_proofs/benches/plonk.rs @@ -2,7 +2,6 @@ extern crate criterion; use group::ff::Field; -use halo2_proofs::arithmetic::FieldExt; use halo2_proofs::circuit::{Cell, Layouter, SimpleFloorPlanner, Value}; use halo2_proofs::plonk::*; use halo2_proofs::poly::{commitment::ParamsProver, Rotation}; @@ -43,7 +42,7 @@ fn criterion_benchmark(c: &mut Criterion) { sm: Column, } - trait StandardCs { + trait StandardCs { fn raw_multiply( &self, layouter: &mut impl Layouter, @@ -62,17 +61,17 @@ fn criterion_benchmark(c: &mut Criterion) { } #[derive(Clone)] - struct MyCircuit { + struct MyCircuit { a: Value, k: u32, } - struct StandardPlonk { + struct StandardPlonk { config: PlonkConfig, _marker: PhantomData, } - impl StandardPlonk { + impl StandardPlonk { fn new(config: PlonkConfig) -> Self { StandardPlonk { config, @@ -81,7 +80,7 @@ fn criterion_benchmark(c: &mut Criterion) { } } - impl StandardCs for StandardPlonk { + impl StandardCs for StandardPlonk { fn raw_multiply( &self, layouter: &mut impl Layouter, @@ -116,15 +115,10 @@ fn criterion_benchmark(c: &mut Criterion) { || value.unwrap().map(|v| v.2), )?; - region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::zero()))?; - region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::zero()))?; - region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::one()))?; - region.assign_fixed( - || "a * b", - self.config.sm, - 0, - || Value::known(FF::one()), - )?; + region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::ZERO))?; + region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::ZERO))?; + region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::ONE))?; + region.assign_fixed(|| "a * b", self.config.sm, 0, || Value::known(FF::ONE))?; Ok((lhs.cell(), rhs.cell(), out.cell())) }, ) @@ -163,14 +157,14 @@ fn criterion_benchmark(c: &mut Criterion) { || value.unwrap().map(|v| v.2), )?; - region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::one()))?; - region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::one()))?; - region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::one()))?; + region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::ONE))?; + region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::ONE))?; + region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::ONE))?; region.assign_fixed( || "a * b", self.config.sm, 0, - || Value::known(FF::zero()), + || Value::known(FF::ZERO), )?; Ok((lhs.cell(), rhs.cell(), out.cell())) }, @@ -186,7 +180,7 @@ fn criterion_benchmark(c: &mut Criterion) { } } - impl Circuit for MyCircuit { + impl Circuit for MyCircuit { type Config = PlonkConfig; type FloorPlanner = SimpleFloorPlanner; diff --git a/halo2_proofs/examples/circuit-layout.rs b/halo2_proofs/examples/circuit-layout.rs index beb99502..6a73f51f 100644 --- a/halo2_proofs/examples/circuit-layout.rs +++ b/halo2_proofs/examples/circuit-layout.rs @@ -1,6 +1,5 @@ use ff::Field; use halo2_proofs::{ - arithmetic::FieldExt, circuit::{Cell, Layouter, Region, SimpleFloorPlanner, Value}, plonk::{Advice, Assigned, Circuit, Column, ConstraintSystem, Error, Fixed, TableColumn}, poly::Rotation, @@ -28,7 +27,7 @@ struct PlonkConfig { sl: TableColumn, } -trait StandardCs { +trait StandardCs { fn raw_multiply(&self, region: &mut Region, f: F) -> Result<(Cell, Cell, Cell), Error> where F: FnMut() -> Value<(Assigned, Assigned, Assigned)>; @@ -39,17 +38,17 @@ trait StandardCs { fn lookup_table(&self, layouter: &mut impl Layouter, values: &[FF]) -> Result<(), Error>; } -struct MyCircuit { +struct MyCircuit { a: Value, lookup_table: Vec, } -struct StandardPlonk { +struct StandardPlonk { config: PlonkConfig, _marker: PhantomData, } -impl StandardPlonk { +impl StandardPlonk { fn new(config: PlonkConfig) -> Self { StandardPlonk { config, @@ -58,7 +57,7 @@ impl StandardPlonk { } } -impl StandardCs for StandardPlonk { +impl StandardCs for StandardPlonk { fn raw_multiply( &self, region: &mut Region, @@ -94,10 +93,10 @@ impl StandardCs for StandardPlonk { let out = region.assign_advice(|| "out", self.config.c, 0, || value.unwrap().map(|v| v.2))?; - region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::zero()))?; - region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::zero()))?; - region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::one()))?; - region.assign_fixed(|| "a * b", self.config.sm, 0, || Value::known(FF::one()))?; + region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::ZERO))?; + region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::ZERO))?; + region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::ONE))?; + region.assign_fixed(|| "a * b", self.config.sm, 0, || Value::known(FF::ONE))?; Ok((lhs.cell(), rhs.cell(), out.cell())) } fn raw_add(&self, region: &mut Region, mut f: F) -> Result<(Cell, Cell, Cell), Error> @@ -131,10 +130,10 @@ impl StandardCs for StandardPlonk { let out = region.assign_advice(|| "out", self.config.c, 0, || value.unwrap().map(|v| v.2))?; - region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::one()))?; - region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::one()))?; - region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::one()))?; - region.assign_fixed(|| "a * b", self.config.sm, 0, || Value::known(FF::zero()))?; + region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::ONE))?; + region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::ONE))?; + region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::ONE))?; + region.assign_fixed(|| "a * b", self.config.sm, 0, || Value::known(FF::ZERO))?; Ok((lhs.cell(), rhs.cell(), out.cell())) } fn copy(&self, region: &mut Region, left: Cell, right: Cell) -> Result<(), Error> { @@ -159,7 +158,7 @@ impl StandardCs for StandardPlonk { } } -impl Circuit for MyCircuit { +impl Circuit for MyCircuit { type Config = PlonkConfig; type FloorPlanner = SimpleFloorPlanner; diff --git a/halo2_proofs/examples/shuffle.rs b/halo2_proofs/examples/shuffle.rs index 19260743..08d16b9f 100644 --- a/halo2_proofs/examples/shuffle.rs +++ b/halo2_proofs/examples/shuffle.rs @@ -1,6 +1,6 @@ -use ff::BatchInvert; +use ff::{BatchInvert, FromUniformBytes}; use halo2_proofs::{ - arithmetic::{CurveAffine, FieldExt}, + arithmetic::{CurveAffine, Field}, circuit::{floor_planner::V1, Layouter, Value}, dev::{metadata, FailureLocation, MockProver, VerifyFailure}, halo2curves::pasta::EqAffine, @@ -21,13 +21,11 @@ use halo2_proofs::{ use rand_core::{OsRng, RngCore}; use std::iter; -fn rand_2d_array( - rng: &mut R, -) -> [[F; H]; W] { +fn rand_2d_array(rng: &mut R) -> [[F; H]; W] { [(); W].map(|_| [(); H].map(|_| F::random(&mut *rng))) } -fn shuffled( +fn shuffled( original: [[F; H]; W], rng: &mut R, ) -> [[F; H]; W] { @@ -56,7 +54,7 @@ struct MyConfig { } impl MyConfig { - fn configure(meta: &mut ConstraintSystem) -> Self { + fn configure(meta: &mut ConstraintSystem) -> Self { let [q_shuffle, q_first, q_last] = [(); 3].map(|_| meta.selector()); // First phase let original = [(); W].map(|_| meta.advice_column_in(FirstPhase)); @@ -68,7 +66,7 @@ impl MyConfig { meta.create_gate("z should start with 1", |meta| { let q_first = meta.query_selector(q_first); let z = meta.query_advice(z, Rotation::cur()); - let one = Expression::Constant(F::one()); + let one = Expression::Constant(F::ONE); vec![q_first * (one - z)] }); @@ -76,7 +74,7 @@ impl MyConfig { meta.create_gate("z should end with 1", |meta| { let q_last = meta.query_selector(q_last); let z = meta.query_advice(z, Rotation::cur()); - let one = Expression::Constant(F::one()); + let one = Expression::Constant(F::ONE); vec![q_last * (one - z)] }); @@ -118,12 +116,12 @@ impl MyConfig { } #[derive(Clone, Default)] -struct MyCircuit { +struct MyCircuit { original: Value<[[F; H]; W]>, shuffled: Value<[[F; H]; W]>, } -impl MyCircuit { +impl MyCircuit { fn rand(rng: &mut R) -> Self { let original = rand_2d_array::(rng); let shuffled = shuffled(original, rng); @@ -135,7 +133,7 @@ impl MyCircuit { } } -impl Circuit for MyCircuit { +impl Circuit for MyCircuit { type Config = MyConfig; type FloorPlanner = V1; @@ -200,9 +198,9 @@ impl Circuit for MyCircuit Circuit for MyCircuit Circuit for MyCircuit>(); #[cfg(feature = "sanity-checks")] - assert_eq!(F::one(), *z.last().unwrap()); + assert_eq!(F::ONE, *z.last().unwrap()); z }, @@ -253,12 +251,12 @@ impl Circuit for MyCircuit( +fn test_mock_prover, const W: usize, const H: usize>( k: u32, circuit: MyCircuit, expected: Result<(), Vec<(metadata::Constraint, FailureLocation)>>, ) { - let prover = MockProver::run::<_>(k, &circuit, vec![]).unwrap(); + let prover = MockProver::run(k, &circuit, vec![]).unwrap(); match (prover.verify(), expected) { (Ok(_), Ok(_)) => {} (Err(err), Err(expected)) => { @@ -284,7 +282,9 @@ fn test_prover( k: u32, circuit: MyCircuit, expected: bool, -) { +) where + C::Scalar: FromUniformBytes<64>, +{ let params = ParamsIPA::::new(k); let vk = keygen_vk(¶ms, &circuit).unwrap(); let pk = keygen_pk(¶ms, vk, &circuit).unwrap(); diff --git a/halo2_proofs/examples/simple-example.rs b/halo2_proofs/examples/simple-example.rs index c5e7a9f2..2273ce97 100644 --- a/halo2_proofs/examples/simple-example.rs +++ b/halo2_proofs/examples/simple-example.rs @@ -1,14 +1,14 @@ use std::marker::PhantomData; use halo2_proofs::{ - arithmetic::FieldExt, + arithmetic::Field, circuit::{AssignedCell, Chip, Layouter, Region, SimpleFloorPlanner, Value}, plonk::{Advice, Circuit, Column, ConstraintSystem, Error, Fixed, Instance, Selector}, poly::Rotation, }; // ANCHOR: instructions -trait NumericInstructions: Chip { +trait NumericInstructions: Chip { /// Variable representing a number. type Num; @@ -39,7 +39,7 @@ trait NumericInstructions: Chip { // ANCHOR: chip /// The chip that will implement our instructions! Chips store their own /// config, as well as type markers if necessary. -struct FieldChip { +struct FieldChip { config: FieldConfig, _marker: PhantomData, } @@ -65,7 +65,7 @@ struct FieldConfig { s_mul: Selector, } -impl FieldChip { +impl FieldChip { fn construct(config: >::Config) -> Self { Self { config, @@ -126,7 +126,7 @@ impl FieldChip { // ANCHOR_END: chip-config // ANCHOR: chip-impl -impl Chip for FieldChip { +impl Chip for FieldChip { type Config = FieldConfig; type Loaded = (); @@ -143,9 +143,9 @@ impl Chip for FieldChip { // ANCHOR: instructions-impl /// A variable representing a number. #[derive(Clone)] -struct Number(AssignedCell); +struct Number(AssignedCell); -impl NumericInstructions for FieldChip { +impl NumericInstructions for FieldChip { type Num = Number; fn load_private( @@ -238,13 +238,13 @@ impl NumericInstructions for FieldChip { /// they won't have any value during key generation. During proving, if any of these /// were `None` we would get an error. #[derive(Default)] -struct MyCircuit { +struct MyCircuit { constant: F, a: Value, b: Value, } -impl Circuit for MyCircuit { +impl Circuit for MyCircuit { // Since we are using a single chip for everything, we can just reuse its config. type Config = FieldConfig; type FloorPlanner = SimpleFloorPlanner; diff --git a/halo2_proofs/examples/two-chip.rs b/halo2_proofs/examples/two-chip.rs index 61d40f93..4113d941 100644 --- a/halo2_proofs/examples/two-chip.rs +++ b/halo2_proofs/examples/two-chip.rs @@ -1,7 +1,7 @@ use std::marker::PhantomData; use halo2_proofs::{ - arithmetic::FieldExt, + arithmetic::Field, circuit::{AssignedCell, Chip, Layouter, Region, SimpleFloorPlanner, Value}, plonk::{Advice, Circuit, Column, ConstraintSystem, Error, Instance, Selector}, poly::Rotation, @@ -10,9 +10,9 @@ use halo2_proofs::{ // ANCHOR: field-instructions /// A variable representing a number. #[derive(Clone)] -struct Number(AssignedCell); +struct Number(AssignedCell); -trait FieldInstructions: AddInstructions + MulInstructions { +trait FieldInstructions: AddInstructions + MulInstructions { /// Variable representing a number. type Num; @@ -43,7 +43,7 @@ trait FieldInstructions: AddInstructions + MulInstructions { // ANCHOR_END: field-instructions // ANCHOR: add-instructions -trait AddInstructions: Chip { +trait AddInstructions: Chip { /// Variable representing a number. type Num; @@ -58,7 +58,7 @@ trait AddInstructions: Chip { // ANCHOR_END: add-instructions // ANCHOR: mul-instructions -trait MulInstructions: Chip { +trait MulInstructions: Chip { /// Variable representing a number. type Num; @@ -108,28 +108,28 @@ struct MulConfig { // ANCHOR: field-chip /// The top-level chip that will implement the `FieldInstructions`. -struct FieldChip { +struct FieldChip { config: FieldConfig, _marker: PhantomData, } // ANCHOR_END: field-chip // ANCHOR: add-chip -struct AddChip { +struct AddChip { config: AddConfig, _marker: PhantomData, } // ANCHOR END: add-chip // ANCHOR: mul-chip -struct MulChip { +struct MulChip { config: MulConfig, _marker: PhantomData, } // ANCHOR_END: mul-chip // ANCHOR: add-chip-trait-impl -impl Chip for AddChip { +impl Chip for AddChip { type Config = AddConfig; type Loaded = (); @@ -144,7 +144,7 @@ impl Chip for AddChip { // ANCHOR END: add-chip-trait-impl // ANCHOR: add-chip-impl -impl AddChip { +impl AddChip { fn construct(config: >::Config, _loaded: >::Loaded) -> Self { Self { config, @@ -174,7 +174,7 @@ impl AddChip { // ANCHOR END: add-chip-impl // ANCHOR: add-instructions-impl -impl AddInstructions for FieldChip { +impl AddInstructions for FieldChip { type Num = Number; fn add( &self, @@ -189,7 +189,7 @@ impl AddInstructions for FieldChip { } } -impl AddInstructions for AddChip { +impl AddInstructions for AddChip { type Num = Number; fn add( @@ -231,7 +231,7 @@ impl AddInstructions for AddChip { // ANCHOR END: add-instructions-impl // ANCHOR: mul-chip-trait-impl -impl Chip for MulChip { +impl Chip for MulChip { type Config = MulConfig; type Loaded = (); @@ -246,7 +246,7 @@ impl Chip for MulChip { // ANCHOR END: mul-chip-trait-impl // ANCHOR: mul-chip-impl -impl MulChip { +impl MulChip { fn construct(config: >::Config, _loaded: >::Loaded) -> Self { Self { config, @@ -296,7 +296,7 @@ impl MulChip { // ANCHOR_END: mul-chip-impl // ANCHOR: mul-instructions-impl -impl MulInstructions for FieldChip { +impl MulInstructions for FieldChip { type Num = Number; fn mul( &self, @@ -310,7 +310,7 @@ impl MulInstructions for FieldChip { } } -impl MulInstructions for MulChip { +impl MulInstructions for MulChip { type Num = Number; fn mul( @@ -352,7 +352,7 @@ impl MulInstructions for MulChip { // ANCHOR END: mul-instructions-impl // ANCHOR: field-chip-trait-impl -impl Chip for FieldChip { +impl Chip for FieldChip { type Config = FieldConfig; type Loaded = (); @@ -367,7 +367,7 @@ impl Chip for FieldChip { // ANCHOR_END: field-chip-trait-impl // ANCHOR: field-chip-impl -impl FieldChip { +impl FieldChip { fn construct(config: >::Config, _loaded: >::Loaded) -> Self { Self { config, @@ -396,7 +396,7 @@ impl FieldChip { // ANCHOR_END: field-chip-impl // ANCHOR: field-instructions-impl -impl FieldInstructions for FieldChip { +impl FieldInstructions for FieldChip { type Num = Number; fn load_private( @@ -448,13 +448,13 @@ impl FieldInstructions for FieldChip { /// they won't have any value during key generation. During proving, if any of these /// were `Value::unknown()` we would get an error. #[derive(Default)] -struct MyCircuit { +struct MyCircuit { a: Value, b: Value, c: Value, } -impl Circuit for MyCircuit { +impl Circuit for MyCircuit { // Since we are using a single chip for everything, we can just reuse its config. type Config = FieldConfig; type FloorPlanner = SimpleFloorPlanner; @@ -496,7 +496,6 @@ impl Circuit for MyCircuit { #[allow(clippy::many_single_char_names)] fn main() { - use group::ff::Field; use halo2_proofs::dev::MockProver; use halo2curves::pasta::Fp; use rand_core::OsRng; diff --git a/halo2_proofs/src/arithmetic.rs b/halo2_proofs/src/arithmetic.rs index c06575b5..56ca5fd9 100644 --- a/halo2_proofs/src/arithmetic.rs +++ b/halo2_proofs/src/arithmetic.rs @@ -5,10 +5,25 @@ use super::multicore; pub use ff::Field; use group::{ ff::{BatchInvert, PrimeField}, - Curve, Group as _, + Curve, Group, GroupOpsOwned, ScalarMulOwned, }; -pub use halo2curves::{CurveAffine, CurveExt, FieldExt, Group}; +pub use halo2curves::{CurveAffine, CurveExt}; + +/// This represents an element of a group with basic operations that can be +/// performed. This allows an FFT implementation (for example) to operate +/// generically over either a field or elliptic curve group. +pub trait FftGroup: + Copy + Send + Sync + 'static + GroupOpsOwned + ScalarMulOwned +{ +} + +impl FftGroup for T +where + Scalar: Field, + T: Copy + Send + Sync + 'static + GroupOpsOwned + ScalarMulOwned, +{ +} pub const SPARSE_TWIDDLE_DEGREE: u32 = 10; @@ -170,7 +185,7 @@ pub fn best_multiexp(coeffs: &[C::Scalar], bases: &[C]) -> C::Cu /// by $n$. /// /// This will use multithreading if beneficial. -pub fn best_fft(a: &mut [G], omega: G::Scalar, log_n: u32) { +pub fn best_fft>(a: &mut [G], omega: Scalar, log_n: u32) { let threads = multicore::current_num_threads(); let log_split = log2_floor(threads) as usize; let n = a.len() as usize; @@ -193,7 +208,7 @@ fn bitreverse(mut n: usize, l: usize) -> usize { r } -fn serial_fft(a: &mut [G], omega: G::Scalar, log_n: u32) { +fn serial_fft>(a: &mut [G], omega: Scalar, log_n: u32) { let n = a.len() as u32; assert_eq!(n, 1 << log_n); @@ -210,13 +225,13 @@ fn serial_fft(a: &mut [G], omega: G::Scalar, log_n: u32) { let mut k = 0; while k < n { - let mut w = G::Scalar::one(); + let mut w = Scalar::ONE; for j in 0..m { let mut t = a[(k + j + m) as usize]; - t.group_scale(&w); + t *= &w; a[(k + j + m) as usize] = a[(k + j) as usize]; - a[(k + j + m) as usize].group_sub(&t); - a[(k + j) as usize].group_add(&t); + a[(k + j + m) as usize] -= &t; + a[(k + j) as usize] += &t; w *= &w_m; } @@ -227,9 +242,9 @@ fn serial_fft(a: &mut [G], omega: G::Scalar, log_n: u32) { } } -fn serial_split_fft( +fn serial_split_fft>( a: &mut [G], - twiddle_lut: &[G::Scalar], + twiddle_lut: &[Scalar], twiddle_scale: usize, log_n: u32, ) { @@ -248,13 +263,13 @@ fn serial_split_fft( let mut k = 0; while k < n { - let mut w = G::Scalar::one(); + let mut w = Scalar::ONE; for j in 0..m { let mut t = a[(k + j + m) as usize]; - t.group_scale(&w); + t *= &w; a[(k + j + m) as usize] = a[(k + j) as usize]; - a[(k + j + m) as usize].group_sub(&t); - a[(k + j) as usize].group_add(&t); + a[(k + j + m) as usize] -= &t; + a[(k + j) as usize] += &t; w *= &w_m; } @@ -265,10 +280,10 @@ fn serial_split_fft( } } -fn split_radix_fft( +fn split_radix_fft>( tmp: &mut [G], a: &[G], - twiddle_lut: &[G::Scalar], + twiddle_lut: &[Scalar], n: usize, sub_fft_offset: usize, log_split: usize, @@ -278,10 +293,15 @@ fn split_radix_fft( // we use out-place bitreverse here, split_m <= num_threads, so the buffer spase is small // and it's is good for data locality - let mut t1 = vec![G::group_zero(); split_m]; + // COPY `a` to init temp buffer, + // it's a workaround for G: FftGroup, + // used to be: vec![G::identity; split_m]; + // let mut t1 = a.clone(); // if unsafe code is allowed, a 10% performance improvement can be achieved - // let mut t1: Vec = Vec::with_capacity(split_m as usize); - // unsafe{ t1.set_len(split_m as usize); } + let mut t1: Vec = Vec::with_capacity(split_m as usize); + unsafe { + t1.set_len(split_m as usize); + } for i in 0..split_m { t1[bitreverse(i, log_split)] = a[(i * sub_n + sub_fft_offset)]; } @@ -295,9 +315,9 @@ fn split_radix_fft( if high_idx > 0 { omega = omega * twiddle_lut[(1 << sparse_degree) + high_idx]; } - let mut w_m = G::Scalar::one(); + let mut w_m = Scalar::ONE; for i in 0..split_m { - t1[i].group_scale(&w_m); + t1[i] *= &w_m; tmp[i] = t1[i]; w_m = w_m * omega; } @@ -314,7 +334,7 @@ pub fn generate_twiddle_lookup_table( // dense if is_lut_len_large { - let mut twiddle_lut = vec![F::zero(); (1 << log_n) as usize]; + let mut twiddle_lut = vec![F::ZERO; (1 << log_n) as usize]; parallelize(&mut twiddle_lut, |twiddle_lut, start| { let mut w_n = omega.pow_vartime([start as u64, 0, 0, 0]); for twiddle_lut in twiddle_lut.iter_mut() { @@ -328,7 +348,7 @@ pub fn generate_twiddle_lookup_table( // sparse let low_degree_lut_len = 1 << sparse_degree; let high_degree_lut_len = 1 << (log_n - sparse_degree - without_last_level as u32); - let mut twiddle_lut = vec![F::zero(); (low_degree_lut_len + high_degree_lut_len) as usize]; + let mut twiddle_lut = vec![F::ZERO; (low_degree_lut_len + high_degree_lut_len) as usize]; parallelize( &mut twiddle_lut[..low_degree_lut_len], |twiddle_lut, start| { @@ -353,7 +373,7 @@ pub fn generate_twiddle_lookup_table( twiddle_lut } -pub fn parallel_fft(a: &mut [G], omega: G::Scalar, log_n: u32) { +pub fn parallel_fft>(a: &mut [G], omega: Scalar, log_n: u32) { let n = a.len() as usize; assert_eq!(n, 1 << log_n); @@ -363,10 +383,15 @@ pub fn parallel_fft(a: &mut [G], omega: G::Scalar, log_n: u32) { let twiddle_lut = generate_twiddle_lookup_table(omega, log_n, SPARSE_TWIDDLE_DEGREE, true); // split fft - let mut tmp = vec![G::group_zero(); n]; + // COPY `a` to init temp buffer, + // it's a workaround for G: FftGroup, + // used to be: vec![G::identity; n]; + // let mut tmp = a.clone(); // if unsafe code is allowed, a 10% performance improvement can be achieved - // let mut tmp: Vec = Vec::with_capacity(n); - // unsafe{ tmp.set_len(n); } + let mut tmp: Vec = Vec::with_capacity(n); + unsafe { + tmp.set_len(n); + } multicore::scope(|scope| { let a = &*a; let twiddle_lut = &*twiddle_lut; @@ -449,7 +474,7 @@ pub fn eval_polynomial(poly: &[F], point: F) -> F { fn evaluate(poly: &[F], point: F) -> F { poly.iter() .rev() - .fold(F::zero(), |acc, coeff| acc * point + coeff) + .fold(F::ZERO, |acc, coeff| acc * point + coeff) } let n = poly.len(); let num_threads = multicore::current_num_threads(); @@ -457,7 +482,7 @@ pub fn eval_polynomial(poly: &[F], point: F) -> F { evaluate(poly, point) } else { let chunk_size = (n + num_threads - 1) / num_threads; - let mut parts = vec![F::zero(); num_threads]; + let mut parts = vec![F::ZERO; num_threads]; multicore::scope(|scope| { for (chunk_idx, (out, poly)) in parts.chunks_mut(1).zip(poly.chunks(chunk_size)).enumerate() @@ -468,7 +493,7 @@ pub fn eval_polynomial(poly: &[F], point: F) -> F { }); } }); - parts.iter().fold(F::zero(), |acc, coeff| acc + coeff) + parts.iter().fold(F::ZERO, |acc, coeff| acc + coeff) } } @@ -479,7 +504,7 @@ pub fn compute_inner_product(a: &[F], b: &[F]) -> F { // TODO: parallelize? assert_eq!(a.len(), b.len()); - let mut acc = F::zero(); + let mut acc = F::ZERO; for (a, b) in a.iter().zip(b.iter()) { acc += (*a) * (*b); } @@ -496,9 +521,9 @@ where b = -b; let a = a.into_iter(); - let mut q = vec![F::zero(); a.len() - 1]; + let mut q = vec![F::ZERO; a.len() - 1]; - let mut tmp = F::zero(); + let mut tmp = F::ZERO; for (q, r) in q.iter_mut().rev().zip(a.rev()) { let mut lead_coeff = *r; lead_coeff.sub_assign(&tmp); @@ -546,7 +571,7 @@ fn log2_floor(num: usize) -> u32 { /// Returns coefficients of an n - 1 degree polynomial given a set of n points /// and their evaluations. This function will panic if two values in `points` /// are the same. -pub fn lagrange_interpolate(points: &[F], evals: &[F]) -> Vec { +pub fn lagrange_interpolate(points: &[F], evals: &[F]) -> Vec { assert_eq!(points.len(), evals.len()); if points.len() == 1 { // Constant polynomial @@ -568,11 +593,11 @@ pub fn lagrange_interpolate(points: &[F], evals: &[F]) -> Vec { // Compute (x_j - x_k)^(-1) for each j != i denoms.iter_mut().flat_map(|v| v.iter_mut()).batch_invert(); - let mut final_poly = vec![F::zero(); points.len()]; + let mut final_poly = vec![F::ZERO; points.len()]; for (j, (denoms, eval)) in denoms.into_iter().zip(evals.iter()).enumerate() { let mut tmp: Vec = Vec::with_capacity(points.len()); let mut product = Vec::with_capacity(points.len() - 1); - tmp.push(F::one()); + tmp.push(F::ONE); for (x_k, denom) in points .iter() .enumerate() @@ -580,11 +605,11 @@ pub fn lagrange_interpolate(points: &[F], evals: &[F]) -> Vec { .map(|a| a.1) .zip(denoms.into_iter()) { - product.resize(tmp.len() + 1, F::zero()); + product.resize(tmp.len() + 1, F::ZERO); for ((a, b), product) in tmp .iter() - .chain(std::iter::once(&F::zero())) - .zip(std::iter::once(&F::zero()).chain(tmp.iter())) + .chain(std::iter::once(&F::ZERO)) + .zip(std::iter::once(&F::ZERO).chain(tmp.iter())) .zip(product.iter_mut()) { *product = *a * (-denom * x_k) + *b * denom; @@ -601,9 +626,9 @@ pub fn lagrange_interpolate(points: &[F], evals: &[F]) -> Vec { } } -pub(crate) fn evaluate_vanishing_polynomial(roots: &[F], z: F) -> F { - fn evaluate(roots: &[F], z: F) -> F { - roots.iter().fold(F::one(), |acc, point| (z - point) * acc) +pub(crate) fn evaluate_vanishing_polynomial(roots: &[F], z: F) -> F { + fn evaluate(roots: &[F], z: F) -> F { + roots.iter().fold(F::ONE, |acc, point| (z - point) * acc) } let n = roots.len(); let num_threads = multicore::current_num_threads(); @@ -611,18 +636,18 @@ pub(crate) fn evaluate_vanishing_polynomial(roots: &[F], z: F) -> F evaluate(roots, z) } else { let chunk_size = (n + num_threads - 1) / num_threads; - let mut parts = vec![F::one(); num_threads]; + let mut parts = vec![F::ONE; num_threads]; multicore::scope(|scope| { for (out, roots) in parts.chunks_mut(1).zip(roots.chunks(chunk_size)) { scope.spawn(move |_| out[0] = evaluate(roots, z)); } }); - parts.iter().fold(F::one(), |acc, part| acc * part) + parts.iter().fold(F::ONE, |acc, part| acc * part) } } -pub(crate) fn powers(base: F) -> impl Iterator { - std::iter::successors(Some(F::one()), move |power| Some(base * power)) +pub(crate) fn powers(base: F) -> impl Iterator { + std::iter::successors(Some(F::ONE), move |power| Some(base * power)) } #[cfg(test)] diff --git a/halo2_proofs/src/circuit.rs b/halo2_proofs/src/circuit.rs index 52db772c..508820f0 100644 --- a/halo2_proofs/src/circuit.rs +++ b/halo2_proofs/src/circuit.rs @@ -4,11 +4,8 @@ use std::{convert::TryInto, fmt, marker::PhantomData}; use ff::Field; -use crate::{ - arithmetic::FieldExt, - plonk::{ - Advice, Any, Assigned, Challenge, Column, Error, Fixed, Instance, Selector, TableColumn, - }, +use crate::plonk::{ + Advice, Any, Assigned, Challenge, Column, Error, Fixed, Instance, Selector, TableColumn, }; mod value; @@ -28,7 +25,7 @@ pub mod layouter; /// The chip also loads any fixed configuration needed at synthesis time /// using its own implementation of `load`, and stores it in [`Chip::Loaded`]. /// This can be accessed via [`Chip::loaded`]. -pub trait Chip: Sized { +pub trait Chip: Sized { /// A type that holds the configuration for this chip, and any other state it may need /// during circuit synthesis, that can be derived during [`Circuit::configure`]. /// diff --git a/halo2_proofs/src/circuit/layouter.rs b/halo2_proofs/src/circuit/layouter.rs index f73d7d7d..4b9d74b6 100644 --- a/halo2_proofs/src/circuit/layouter.rs +++ b/halo2_proofs/src/circuit/layouter.rs @@ -14,7 +14,7 @@ use crate::plonk::{Advice, Any, Assigned, Column, Error, Fixed, Instance, Select /// This trait is used for implementing region assignments: /// /// ```ignore -/// impl<'a, F: FieldExt, C: Chip, CS: Assignment + 'a> Layouter for MyLayouter<'a, C, CS> { +/// impl<'a, F: Field, C: Chip, CS: Assignment + 'a> Layouter for MyLayouter<'a, C, CS> { /// fn assign_region( /// &mut self, /// assignment: impl FnOnce(Region<'_, F, C>) -> Result<(), Error>, diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 94d7da90..b72f8c03 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -9,14 +9,15 @@ use std::sync::Arc; use std::time::{Duration, Instant}; use blake2b_simd::blake2b; +use ff::FromUniformBytes; use ff::{BatchInvert, Field}; +use group::Group; use crate::plonk::permutation::keygen::Assembly; use crate::plonk::sealed::SealedPhase; use crate::plonk::FirstPhase; use crate::plonk::ThirdPhase; use crate::{ - arithmetic::{FieldExt, Group}, circuit, plonk::{ permutation, Advice, Any, Assigned, Assignment, Challenge, Circuit, Column, ColumnType, @@ -98,7 +99,7 @@ impl Region { /// The value of a particular cell within the circuit. #[derive(Clone, Copy, Debug)] -pub enum CellValue { +pub enum CellValue { /// An unassigned cell. Unassigned, /// A cell that has been assigned a value. @@ -110,7 +111,7 @@ pub enum CellValue { Poison(usize), } -impl PartialEq for CellValue { +impl PartialEq for CellValue { fn eq(&self, other: &Self) -> bool { match (self, other) { (Self::Unassigned, Self::Unassigned) => true, @@ -236,16 +237,16 @@ fn batch_invert_cellvalues(cell_values: &mut [Vec /// A value within an expression. #[derive(Clone, Copy, Debug, PartialEq, Eq, Ord, PartialOrd)] -enum Value { +enum Value { Real(F), Poison, } -impl From> for Value { +impl From> for Value { fn from(value: CellValue) -> Self { match value { // Cells that haven't been explicitly assigned to, default to zero. - CellValue::Unassigned => Value::Real(F::zero()), + CellValue::Unassigned => Value::Real(F::ZERO), CellValue::Assigned(v) => Value::Real(v), #[cfg(feature = "mock-batch-inv")] CellValue::Rational(n, d) => Value::Real(n * d.invert().unwrap()), @@ -254,7 +255,7 @@ impl From> for Value { } } -impl Neg for Value { +impl Neg for Value { type Output = Self; fn neg(self) -> Self::Output { @@ -265,7 +266,7 @@ impl Neg for Value { } } -impl Add for Value { +impl Add for Value { type Output = Self; fn add(self, rhs: Self) -> Self::Output { @@ -276,7 +277,7 @@ impl Add for Value { } } -impl Mul for Value { +impl Mul for Value { type Output = Self; fn mul(self, rhs: Self) -> Self::Output { @@ -287,14 +288,14 @@ impl Mul for Value { (Value::Real(x), Value::Poison) | (Value::Poison, Value::Real(x)) if x.is_zero_vartime() => { - Value::Real(F::zero()) + Value::Real(F::ZERO) } _ => Value::Poison, } } } -impl Mul for Value { +impl Mul for Value { type Output = Self; fn mul(self, rhs: F) -> Self::Output { @@ -302,7 +303,7 @@ impl Mul for Value { Value::Real(lhs) => Value::Real(lhs * rhs), // If poison is multiplied by zero, then we treat the poison as unconstrained // and we don't propagate it. - Value::Poison if rhs.is_zero_vartime() => Value::Real(F::zero()), + Value::Poison if rhs.is_zero_vartime() => Value::Real(F::ZERO), _ => Value::Poison, } } @@ -320,12 +321,12 @@ impl Mul for Value { /// /// ``` /// use halo2_proofs::{ -/// arithmetic::FieldExt, /// circuit::{Layouter, SimpleFloorPlanner, Value}, /// dev::{FailureLocation, MockProver, VerifyFailure}, /// plonk::{Advice, Any, Circuit, Column, ConstraintSystem, Error, Selector}, /// poly::Rotation, /// }; +/// use ff::PrimeField; /// use halo2curves::pasta::Fp; /// const K: u32 = 5; /// @@ -343,7 +344,7 @@ impl Mul for Value { /// b: Value, /// } /// -/// impl Circuit for MyCircuit { +/// impl Circuit for MyCircuit { /// type Config = MyConfig; /// type FloorPlanner = SimpleFloorPlanner; /// @@ -422,7 +423,7 @@ impl Mul for Value { /// )); /// ``` #[derive(Debug)] -pub struct MockProver<'a, F: Group + Field> { +pub struct MockProver<'a, F: Field> { k: u32, n: u32, cs: ConstraintSystem, @@ -460,7 +461,7 @@ pub struct MockProver<'a, F: Group + Field> { current_phase: crate::plonk::sealed::Phase, } -impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { +impl<'a, F: Field> Assignment for MockProver<'a, F> { fn enter_region(&mut self, name: N) where NR: Into, @@ -880,7 +881,7 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { } } -impl<'a, F: FieldExt> MockProver<'a, F> { +impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { /// Runs a synthetic keygen-and-prove operation on the given circuit, collecting data /// about the constraints and their assignments. pub fn run>( @@ -909,7 +910,7 @@ impl<'a, F: FieldExt> MockProver<'a, F> { return Err(Error::InstanceTooLarge); } - instance.resize(n, F::zero()); + instance.resize(n, F::ZERO); Ok(instance) }) .collect::, _>>()?; @@ -945,7 +946,7 @@ impl<'a, F: FieldExt> MockProver<'a, F> { let mut hash: [u8; 64] = blake2b(b"Halo2-MockProver").as_bytes().try_into().unwrap(); iter::repeat_with(|| { hash = blake2b(&hash).as_bytes().try_into().unwrap(); - F::from_bytes_wide(&hash) + F::from_uniform_bytes(&hash) }) .take(cs.num_challenges) .collect() @@ -1190,7 +1191,7 @@ impl<'a, F: FieldExt> MockProver<'a, F> { &|a, b| a + b, &|a, b| a * b, &|a, scalar| a * scalar, - &Value::Real(F::zero()), + &Value::Real(F::ZERO), ) { Value::Real(x) if x.is_zero_vartime() => None, Value::Real(_) => Some(VerifyFailure::ConstraintNotSatisfied { @@ -1285,7 +1286,7 @@ impl<'a, F: FieldExt> MockProver<'a, F> { &|a, b| a + b, &|a, b| a * b, &|a, scalar| a * scalar, - &Value::Real(F::zero()), + &Value::Real(F::ZERO), ) }; @@ -1576,7 +1577,7 @@ impl<'a, F: FieldExt> MockProver<'a, F> { &|a, b| a + b, &|a, b| a * b, &|a, scalar| a * scalar, - &Value::Real(F::zero()), + &Value::Real(F::ZERO), ) { Value::Real(x) if x.is_zero_vartime() => None, Value::Real(_) => Some(VerifyFailure::ConstraintNotSatisfied { @@ -1664,7 +1665,7 @@ impl<'a, F: FieldExt> MockProver<'a, F> { &|a, b| a + b, &|a, b| a * b, &|a, scalar| a * scalar, - &Value::Real(F::zero()), + &Value::Real(F::ZERO), ) }; diff --git a/halo2_proofs/src/dev/failure.rs b/halo2_proofs/src/dev/failure.rs index 229cb171..54b7a473 100644 --- a/halo2_proofs/src/dev/failure.rs +++ b/halo2_proofs/src/dev/failure.rs @@ -2,7 +2,6 @@ use std::collections::{BTreeMap, HashSet}; use std::fmt::{self, Debug}; use group::ff::Field; -use halo2curves::FieldExt; use super::metadata::{DebugColumn, DebugVirtualCell}; use super::MockProver; @@ -444,7 +443,7 @@ fn render_constraint_not_satisfied( /// | x0 = 0x5 /// | x1 = 1 /// ``` -fn render_lookup( +fn render_lookup( prover: &MockProver, name: &str, lookup_index: usize, @@ -510,7 +509,7 @@ fn render_lookup( ) }); - fn cell_value<'a, F: FieldExt, Q: Into + Copy>( + fn cell_value<'a, F: Field, Q: Into + Copy>( load: impl Fn(Q) -> Value + 'a, ) -> impl Fn(Q) -> BTreeMap + 'a { move |query| { @@ -624,7 +623,7 @@ fn render_lookup( impl VerifyFailure { /// Emits this failure in pretty-printed format to stderr. - pub(super) fn emit(&self, prover: &MockProver) { + pub(super) fn emit(&self, prover: &MockProver) { match self { Self::CellNotAssigned { gate, diff --git a/halo2_proofs/src/dev/util.rs b/halo2_proofs/src/dev/util.rs index 83126e79..f4cd83c3 100644 --- a/halo2_proofs/src/dev/util.rs +++ b/halo2_proofs/src/dev/util.rs @@ -1,7 +1,5 @@ -use std::collections::BTreeMap; - use group::ff::Field; -use halo2curves::FieldExt; +use std::collections::BTreeMap; use super::{metadata, CellValue, Value}; use crate::{ @@ -59,9 +57,9 @@ impl From for AnyQuery { pub(super) fn format_value(v: F) -> String { if v.is_zero_vartime() { "0".into() - } else if v == F::one() { + } else if v == F::ONE { "1".into() - } else if v == -F::one() { + } else if v == -F::ONE { "-1".into() } else { // Format value as hex. @@ -74,7 +72,7 @@ pub(super) fn format_value(v: F) -> String { } /* -pub(super) fn load<'a, F: FieldExt, T: ColumnType, Q: Into + Copy>( +pub(super) fn load<'a, F: Field, T: ColumnType, Q: Into + Copy>( n: i32, row: i32, queries: &'a [(Column, Rotation)], @@ -88,7 +86,7 @@ pub(super) fn load<'a, F: FieldExt, T: ColumnType, Q: Into + Copy>( } */ -pub(super) fn load_slice<'a, F: FieldExt, T: ColumnType, Q: Into + Copy>( +pub(super) fn load_slice<'a, F: Field, T: ColumnType, Q: Into + Copy>( n: i32, row: i32, queries: &'a [(Column, Rotation)], @@ -101,7 +99,7 @@ pub(super) fn load_slice<'a, F: FieldExt, T: ColumnType, Q: Into + Cop } } -pub(super) fn load_instance<'a, F: FieldExt, T: ColumnType, Q: Into + Copy>( +pub(super) fn load_instance<'a, F: Field, T: ColumnType, Q: Into + Copy>( n: i32, row: i32, queries: &'a [(Column, Rotation)], @@ -114,7 +112,7 @@ pub(super) fn load_instance<'a, F: FieldExt, T: ColumnType, Q: Into + } } -fn cell_value<'a, F: FieldExt, Q: Into + Copy>( +fn cell_value<'a, F: Field, Q: Into + Copy>( virtual_cells: &'a [VirtualCell], load: impl Fn(Q) -> Value + 'a, ) -> impl Fn(Q) -> BTreeMap + 'a { @@ -147,7 +145,7 @@ fn cell_value<'a, F: FieldExt, Q: Into + Copy>( } } -pub(super) fn cell_values<'a, F: FieldExt>( +pub(super) fn cell_values<'a, F: Field>( gate: &Gate, poly: &Expression, load_fixed: impl Fn(FixedQuery) -> Value + 'a, diff --git a/halo2_proofs/src/helpers.rs b/halo2_proofs/src/helpers.rs index f58ec9b1..57238ec3 100644 --- a/halo2_proofs/src/helpers.rs +++ b/halo2_proofs/src/helpers.rs @@ -1,8 +1,7 @@ use crate::plonk::{Any, Column}; use crate::poly::Polynomial; -use ff::Field; use ff::PrimeField; -use halo2curves::FieldExt; +use ff::{Field, FromUniformBytes}; use halo2curves::{pairing::Engine, serde::SerdeObject, CurveAffine}; use num_bigint::BigUint; use std::io; @@ -42,24 +41,30 @@ pub(crate) trait CurveRead: CurveAffine { } impl CurveRead for C {} -pub fn field_to_bn(f: &F) -> BigUint { +pub fn field_to_bn(f: &F) -> BigUint { BigUint::from_bytes_le(f.to_repr().as_ref()) } /// Input a big integer `bn`, compute a field element `f` /// such that `f == bn % F::MODULUS`. -pub fn bn_to_field(bn: &BigUint) -> F { +pub fn bn_to_field(bn: &BigUint) -> F +where + F: FromUniformBytes<64>, +{ let mut buf = bn.to_bytes_le(); buf.resize(64, 0u8); let mut buf_array = [0u8; 64]; buf_array.copy_from_slice(buf.as_ref()); - F::from_bytes_wide(&buf_array) + F::from_uniform_bytes(&buf_array) } /// Input a base field element `b`, output a scalar field /// element `s` s.t. `s == b % ScalarField::MODULUS` -pub(crate) fn base_to_scalar(base: &C::Base) -> C::Scalar { +pub(crate) fn base_to_scalar(base: &C::Base) -> C::Scalar +where + C::Scalar: FromUniformBytes<64>, +{ let bn = field_to_bn(base); // bn_to_field will perform a mod reduction bn_to_field(&bn) diff --git a/halo2_proofs/src/plonk.rs b/halo2_proofs/src/plonk.rs index d1aecca3..dc80092f 100644 --- a/halo2_proofs/src/plonk.rs +++ b/halo2_proofs/src/plonk.rs @@ -6,11 +6,10 @@ //! [plonk]: https://eprint.iacr.org/2019/953 use blake2b_simd::Params as Blake2bParams; -use ff::PrimeField; -use group::ff::Field; +use group::ff::{Field, FromUniformBytes, PrimeField}; use halo2curves::pairing::Engine; -use crate::arithmetic::{CurveAffine, FieldExt}; +use crate::arithmetic::CurveAffine; use crate::helpers::{ polynomial_slice_byte_length, read_polynomial_vec, write_polynomial_slice, SerdeCurveAffine, SerdePrimeField, @@ -61,7 +60,7 @@ pub struct VerifyingKey { impl VerifyingKey where - C::Scalar: SerdePrimeField, + C::Scalar: SerdePrimeField + FromUniformBytes<64>, { /// Writes a verifying key to a buffer. /// @@ -151,7 +150,10 @@ where } } -impl VerifyingKey { +impl VerifyingKey +where + C::ScalarExt: FromUniformBytes<64>, +{ fn bytes_length(&self) -> usize { 8 + (self.fixed_commitments.len() * C::default().to_bytes().as_ref().len()) + self.permutation.bytes_length() @@ -182,7 +184,7 @@ impl VerifyingKey { cs, cs_degree, // Temporary, this is not pinned. - transcript_repr: C::Scalar::zero(), + transcript_repr: C::Scalar::ZERO, //selectors, }; @@ -197,7 +199,7 @@ impl VerifyingKey { hasher.update(s.as_bytes()); // Hash in final Blake2bState - vk.transcript_repr = C::Scalar::from_bytes_wide(hasher.finalize().as_array()); + vk.transcript_repr = C::Scalar::from_uniform_bytes(hasher.finalize().as_array()); vk } @@ -267,7 +269,10 @@ pub struct ProvingKey { ev: Evaluator, } -impl ProvingKey { +impl ProvingKey +where + C::Scalar: FromUniformBytes<64>, +{ /// Get the underlying [`VerifyingKey`]. pub fn get_vk(&self) -> &VerifyingKey { &self.vk @@ -288,7 +293,7 @@ impl ProvingKey { impl ProvingKey where - C::Scalar: SerdePrimeField, + C::Scalar: SerdePrimeField + FromUniformBytes<64>, { /// Writes a proving key to a buffer. /// diff --git a/halo2_proofs/src/plonk/assigned.rs b/halo2_proofs/src/plonk/assigned.rs index 7524291e..46d527b9 100644 --- a/halo2_proofs/src/plonk/assigned.rs +++ b/halo2_proofs/src/plonk/assigned.rs @@ -280,7 +280,7 @@ impl Assigned { /// Returns the numerator. pub fn numerator(&self) -> F { match self { - Self::Zero => F::zero(), + Self::Zero => F::ZERO, Self::Trivial(x) => *x, Self::Rational(numerator, _) => *numerator, } @@ -341,7 +341,7 @@ impl Assigned { pub fn invert(&self) -> Self { match self { Self::Zero => Self::Zero, - Self::Trivial(x) => Self::Rational(F::one(), *x), + Self::Trivial(x) => Self::Rational(F::ONE, *x), Self::Rational(numerator, denominator) => Self::Rational(*denominator, *numerator), } } @@ -352,13 +352,13 @@ impl Assigned { /// If the denominator is zero, this returns zero. pub fn evaluate(self) -> F { match self { - Self::Zero => F::zero(), + Self::Zero => F::ZERO, Self::Trivial(x) => x, Self::Rational(numerator, denominator) => { - if denominator == F::one() { + if denominator == F::ONE { numerator } else { - numerator * denominator.invert().unwrap_or(F::zero()) + numerator * denominator.invert().unwrap_or(F::ZERO) } } } @@ -451,7 +451,7 @@ mod proptests { }; use group::ff::Field; - use halo2curves::{pasta::Fp, FieldExt}; + use halo2curves::pasta::Fp; use proptest::{collection::vec, prelude::*, sample::select}; use super::Assigned; @@ -477,7 +477,7 @@ mod proptests { } fn inv0(&self) -> Self { - self.invert().unwrap_or(F::zero()) + self.invert().unwrap_or(F::ZERO) } } diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index 8f1ec3da..b3450e08 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -349,11 +349,10 @@ impl TryFrom> for Column { /// row when required: /// ``` /// use halo2_proofs::{ -/// arithmetic::FieldExt, /// circuit::{Chip, Layouter, Value}, /// plonk::{Advice, Column, Error, Selector}, /// }; -/// # use ff::Field; +/// use ff::Field; /// # use halo2_proofs::plonk::Fixed; /// /// struct Config { @@ -362,12 +361,12 @@ impl TryFrom> for Column { /// s: Selector, /// } /// -/// fn circuit_logic>(chip: C, mut layouter: impl Layouter) -> Result<(), Error> { +/// fn circuit_logic>(chip: C, mut layouter: impl Layouter) -> Result<(), Error> { /// let config = chip.config(); /// # let config: Config = todo!(); /// layouter.assign_region(|| "bar", |mut region| { -/// region.assign_advice(|| "a", config.a, 0, || Value::known(F::one()))?; -/// region.assign_advice(|| "a", config.b, 1, || Value::known(F::one()))?; +/// region.assign_advice(|| "a", config.a, 0, || Value::known(F::ONE))?; +/// region.assign_advice(|| "a", config.b, 1, || Value::known(F::ONE))?; /// config.s.enable(&mut region, 1) /// })?; /// Ok(()) diff --git a/halo2_proofs/src/plonk/circuit/compress_selectors.rs b/halo2_proofs/src/plonk/circuit/compress_selectors.rs index 0e8db9ff..60898d39 100644 --- a/halo2_proofs/src/plonk/circuit/compress_selectors.rs +++ b/halo2_proofs/src/plonk/circuit/compress_selectors.rs @@ -81,7 +81,7 @@ where let combination_assignment = selector .activations .iter() - .map(|b| if *b { F::one() } else { F::zero() }) + .map(|b| if *b { F::ONE } else { F::ZERO }) .collect::>(); let combination_index = combination_assignments.len(); combination_assignments.push(combination_assignment); @@ -179,12 +179,12 @@ where } // Now, compute the selector and combination assignments. - let mut combination_assignment = vec![F::zero(); n]; + let mut combination_assignment = vec![F::ZERO; n]; let combination_len = combination.len(); let combination_index = combination_assignments.len(); let query = allocate_fixed_column(); - let mut assigned_root = F::one(); + let mut assigned_root = F::ONE; selector_assignments.extend(combination.into_iter().map(|selector| { // Compute the expression for substitution. This produces an expression of the // form @@ -194,12 +194,12 @@ where // `assigned_root`. In particular, rows set to 0 correspond to all selectors // being disabled. let mut expression = query.clone(); - let mut root = F::one(); + let mut root = F::ONE; for _ in 0..combination_len { if root != assigned_root { expression = expression * (Expression::Constant(root) - query.clone()); } - root += F::one(); + root += F::ONE; } // Update the combination assignment @@ -214,7 +214,7 @@ where } } - assigned_root += F::one(); + assigned_root += F::ONE; SelectorAssignment { selector: selector.selector, diff --git a/halo2_proofs/src/plonk/evaluation.rs b/halo2_proofs/src/plonk/evaluation.rs index c9c9a5cb..2f08a43e 100644 --- a/halo2_proofs/src/plonk/evaluation.rs +++ b/halo2_proofs/src/plonk/evaluation.rs @@ -4,7 +4,7 @@ use crate::plonk::permutation::Argument; use crate::plonk::{lookup, permutation, AdviceQuery, Any, FixedQuery, InstanceQuery, ProvingKey}; use crate::poly::Basis; use crate::{ - arithmetic::{eval_polynomial, parallelize, CurveAffine, FieldExt}, + arithmetic::{eval_polynomial, parallelize, CurveAffine}, poly::{ commitment::Params, Coeff, EvaluationDomain, ExtendedLagrangeCoeff, LagrangeCoeff, Polynomial, ProverQuery, Rotation, @@ -13,7 +13,7 @@ use crate::{ }; use group::prime::PrimeCurve; use group::{ - ff::{BatchInvert, Field}, + ff::{BatchInvert, Field, PrimeField, WithSmallOrderMulGroup}, Curve, }; use std::any::TypeId; @@ -296,7 +296,7 @@ impl Evaluator { let extended_omega = domain.get_extended_omega(); let omega = domain.get_omega(); let isize = size as i32; - let one = C::ScalarExt::one(); + let one = C::ScalarExt::ONE; let p = &pk.vk.cs.permutation; let num_parts = domain.extended_len() >> domain.k(); @@ -527,7 +527,7 @@ impl Evaluator { &gamma, &theta, &y, - &C::ScalarExt::zero(), + &C::ScalarExt::ZERO, idx, rot_scale, isize, @@ -587,8 +587,8 @@ impl Default for GraphEvaluator { Self { // Fixed positions to allow easy access constants: vec![ - C::ScalarExt::zero(), - C::ScalarExt::one(), + C::ScalarExt::ZERO, + C::ScalarExt::ONE, C::ScalarExt::from(2u64), ], rotations: Vec::new(), @@ -736,9 +736,9 @@ impl GraphEvaluator { } } Expression::Scaled(a, f) => { - if *f == C::ScalarExt::zero() { + if *f == C::ScalarExt::ZERO { ValueSource::Constant(0) - } else if *f == C::ScalarExt::one() { + } else if *f == C::ScalarExt::ONE { self.add_expression(a) } else { let cst = self.add_constant(f); @@ -752,7 +752,7 @@ impl GraphEvaluator { /// Creates a new evaluation structure pub fn instance(&self) -> EvaluationData { EvaluationData { - intermediates: vec![C::ScalarExt::zero(); self.num_intermediates], + intermediates: vec![C::ScalarExt::ZERO; self.num_intermediates], rotations: vec![0usize; self.rotations.len()], } } @@ -800,13 +800,13 @@ impl GraphEvaluator { if let Some(calc) = self.calculations.last() { data.intermediates[calc.target] } else { - C::ScalarExt::zero() + C::ScalarExt::ZERO } } } /// Simple evaluation of an expression -pub fn evaluate( +pub fn evaluate( expression: &Expression, size: usize, rot_scale: i32, @@ -815,7 +815,7 @@ pub fn evaluate( instance: &[Polynomial], challenges: &[F], ) -> Vec { - let mut values = vec![F::zero(); size]; + let mut values = vec![F::ZERO; size]; let isize = size as i32; parallelize(&mut values, |values, start| { for (i, value) in values.iter_mut().enumerate() { diff --git a/halo2_proofs/src/plonk/keygen.rs b/halo2_proofs/src/plonk/keygen.rs index 2f461491..db7123ef 100644 --- a/halo2_proofs/src/plonk/keygen.rs +++ b/halo2_proofs/src/plonk/keygen.rs @@ -3,7 +3,7 @@ use std::ops::Range; use std::sync::Arc; -use ff::Field; +use ff::{Field, FromUniformBytes}; use group::Curve; use super::{ @@ -329,6 +329,7 @@ where C: CurveAffine, P: Params<'params, C>, ConcreteCircuit: Circuit, + C::Scalar: FromUniformBytes<64>, { let (domain, cs, config) = create_domain::(params.k()); @@ -423,6 +424,7 @@ where C: CurveAffine, P: Params<'params, C>, ConcreteCircuit: Circuit, + C::Scalar: FromUniformBytes<64>, { keygen_pk_impl(params, None, circuit) } @@ -437,6 +439,7 @@ where C: CurveAffine, P: Params<'params, C>, ConcreteCircuit: Circuit, + C::Scalar: FromUniformBytes<64>, { keygen_pk_impl(params, Some(vk), circuit) } @@ -451,6 +454,7 @@ where C: CurveAffine, P: Params<'params, C>, ConcreteCircuit: Circuit, + C::Scalar: FromUniformBytes<64>, { let (domain, cs, config) = create_domain::(params.k()); @@ -540,23 +544,23 @@ where // Compute l_0(X) // TODO: this can be done more efficiently let mut l0 = vk.domain.empty_lagrange(); - l0[0] = C::Scalar::one(); + l0[0] = C::Scalar::ONE; let l0 = vk.domain.lagrange_to_coeff(l0); // Compute l_blind(X) which evaluates to 1 for each blinding factor row // and 0 otherwise over the domain. let mut l_blind = vk.domain.empty_lagrange(); for evaluation in l_blind[..].iter_mut().rev().take(cs.blinding_factors()) { - *evaluation = C::Scalar::one(); + *evaluation = C::Scalar::ONE; } // Compute l_last(X) which evaluates to 1 on the first inactive row (just // before the blinding factors) and 0 otherwise over the domain let mut l_last = vk.domain.empty_lagrange(); - l_last[params.n() as usize - cs.blinding_factors() - 1] = C::Scalar::one(); + l_last[params.n() as usize - cs.blinding_factors() - 1] = C::Scalar::ONE; // Compute l_active_row(X) - let one = C::Scalar::one(); + let one = C::Scalar::ONE; let mut l_active_row = vk.domain.empty_lagrange(); parallelize(&mut l_active_row, |values, start| { for (i, value) in values.iter_mut().enumerate() { diff --git a/halo2_proofs/src/plonk/lookup/prover.rs b/halo2_proofs/src/plonk/lookup/prover.rs index f5d87d06..0f0c85d7 100644 --- a/halo2_proofs/src/plonk/lookup/prover.rs +++ b/halo2_proofs/src/plonk/lookup/prover.rs @@ -5,7 +5,7 @@ use super::super::{ use super::Argument; use crate::plonk::evaluation::evaluate; use crate::{ - arithmetic::{eval_polynomial, parallelize, CurveAffine, FieldExt}, + arithmetic::{eval_polynomial, parallelize, CurveAffine}, poly::{ commitment::{Blind, Params}, Coeff, EvaluationDomain, ExtendedLagrangeCoeff, LagrangeCoeff, Polynomial, ProverQuery, @@ -13,6 +13,7 @@ use crate::{ }, transcript::{EncodedChallenge, TranscriptWrite}, }; +use ff::WithSmallOrderMulGroup; use group::{ ff::{BatchInvert, Field}, Curve, @@ -51,7 +52,7 @@ pub(in crate::plonk) struct Evaluated { constructed: Committed, } -impl Argument { +impl> Argument { /// Given a Lookup with input expressions [A_0, A_1, ..., A_{m-1}] and table expressions /// [S_0, S_1, ..., S_{m-1}], this method /// - constructs A_compressed = \theta^{m-1} A_0 + theta^{m-2} A_1 + ... + \theta A_{m-2} + A_{m-1} @@ -191,7 +192,7 @@ impl Permuted { // s_j(X) is the jth table expression in this lookup, // s'(X) is the compression of the permuted table expressions, // and i is the ith row of the expression. - let mut lookup_product = vec![C::Scalar::zero(); params.n() as usize]; + let mut lookup_product = vec![C::Scalar::ZERO; params.n() as usize]; // Denominator uses the permuted input expression and permuted table expression parallelize(&mut lookup_product, |lookup_product, start| { for ((lookup_product, permuted_input_value), permuted_table_value) in lookup_product @@ -234,9 +235,9 @@ impl Permuted { // Compute the evaluations of the lookup product polynomial // over our domain, starting with z[0] = 1 - let z = iter::once(C::Scalar::one()) + let z = iter::once(C::Scalar::ONE) .chain(lookup_product) - .scan(C::Scalar::one(), |state, cur| { + .scan(C::Scalar::ONE, |state, cur| { *state *= &cur; Some(*state) }) @@ -257,7 +258,7 @@ impl Permuted { let u = (params.n() as usize) - (blinding_factors + 1); // l_0(X) * (1 - z(X)) = 0 - assert_eq!(z[0], C::Scalar::one()); + assert_eq!(z[0], C::Scalar::ONE); // z(\omega X) (a'(X) + \beta) (s'(X) + \gamma) // - z(X) (\theta^{m-1} a_0(X) + ... + a_{m-1}(X) + \beta) (\theta^{m-1} s_0(X) + ... + s_{m-1}(X) + \gamma) @@ -284,7 +285,7 @@ impl Permuted { // l_last(X) * (z(X)^2 - z(X)) = 0 // Assertion will fail only when soundness is broken, in which // case this z[u] value will be zero. (bad!) - assert_eq!(z[u], C::Scalar::one()); + assert_eq!(z[u], C::Scalar::ONE); } let product_blind = Blind(C::Scalar::random(rng)); @@ -413,7 +414,7 @@ fn permute_expression_pair<'params, C: CurveAffine, P: Params<'params, C>, R: Rn *acc.entry(*coeff).or_insert(0) += 1; acc }); - let mut permuted_table_coeffs = vec![C::Scalar::zero(); usable_rows]; + let mut permuted_table_coeffs = vec![C::Scalar::ZERO; usable_rows]; let mut repeated_input_rows = permuted_input_expression .iter() diff --git a/halo2_proofs/src/plonk/lookup/verifier.rs b/halo2_proofs/src/plonk/lookup/verifier.rs index add4e592..990866b7 100644 --- a/halo2_proofs/src/plonk/lookup/verifier.rs +++ b/halo2_proofs/src/plonk/lookup/verifier.rs @@ -5,7 +5,7 @@ use super::super::{ }; use super::Argument; use crate::{ - arithmetic::{CurveAffine, FieldExt}, + arithmetic::CurveAffine, plonk::{Error, VerifyingKey}, poly::{commitment::MSM, Rotation, VerifierQuery}, transcript::{EncodedChallenge, TranscriptRead}, @@ -34,7 +34,7 @@ pub struct Evaluated { pub permuted_table_eval: C::Scalar, } -impl Argument { +impl Argument { pub fn read_permuted_commitments< C: CurveAffine, E: EncodedChallenge, @@ -104,7 +104,7 @@ impl Evaluated { instance_evals: &[C::Scalar], challenges: &[C::Scalar], ) -> impl Iterator + 'a { - let active_rows = C::Scalar::one() - (l_last + l_blind); + let active_rows = C::Scalar::ONE - (l_last + l_blind); let product_expression = || { // z(\omega X) (a'(X) + \beta) (s'(X) + \gamma) @@ -130,7 +130,7 @@ impl Evaluated { &|a, scalar| a * &scalar, ) }) - .fold(C::Scalar::zero(), |acc, eval| acc * &*theta + &eval) + .fold(C::Scalar::ZERO, |acc, eval| acc * &*theta + &eval) }; let right = self.product_eval * &(compress_expressions(&argument.input_expressions) + &*beta) @@ -142,7 +142,7 @@ impl Evaluated { std::iter::empty() .chain( // l_0(X) * (1 - z'(X)) = 0 - Some(l_0 * &(C::Scalar::one() - &self.product_eval)), + Some(l_0 * &(C::Scalar::ONE - &self.product_eval)), ) .chain( // l_last(X) * (z(X)^2 - z(X)) = 0 diff --git a/halo2_proofs/src/plonk/permutation/keygen.rs b/halo2_proofs/src/plonk/permutation/keygen.rs index 58ba4878..1d73c82b 100644 --- a/halo2_proofs/src/plonk/permutation/keygen.rs +++ b/halo2_proofs/src/plonk/permutation/keygen.rs @@ -1,9 +1,9 @@ -use ff::Field; +use ff::{Field, PrimeField}; use group::Curve; use super::{Argument, ProvingKey, VerifyingKey}; use crate::{ - arithmetic::{parallelize, CurveAffine, FieldExt}, + arithmetic::{parallelize, CurveAffine}, plonk::{Any, Column, Error}, poly::{ commitment::{Blind, CommitmentScheme, Params}, @@ -109,7 +109,7 @@ impl Assembly { p: &Argument, ) -> VerifyingKey { // Compute [omega^0, omega^1, ..., omega^{params.n - 1}] - let mut omega_powers = vec![C::Scalar::zero(); params.n() as usize]; + let mut omega_powers = vec![C::Scalar::ZERO; params.n() as usize]; { let omega = domain.get_omega(); parallelize(&mut omega_powers, |o, start| { @@ -130,7 +130,7 @@ impl Assembly { for v in omega_powers { *v *= &cur; } - cur *= &C::Scalar::DELTA; + cur *= &::DELTA; } }); } @@ -171,7 +171,7 @@ impl Assembly { p: &Argument, ) -> ProvingKey { // Compute [omega^0, omega^1, ..., omega^{params.n - 1}] - let mut omega_powers = vec![C::Scalar::zero(); params.n() as usize]; + let mut omega_powers = vec![C::Scalar::ZERO; params.n() as usize]; { let omega = domain.get_omega(); parallelize(&mut omega_powers, |o, start| { diff --git a/halo2_proofs/src/plonk/permutation/prover.rs b/halo2_proofs/src/plonk/permutation/prover.rs index ad94b025..0618952f 100644 --- a/halo2_proofs/src/plonk/permutation/prover.rs +++ b/halo2_proofs/src/plonk/permutation/prover.rs @@ -1,3 +1,4 @@ +use ff::PrimeField; use group::{ ff::{BatchInvert, Field}, Curve, @@ -8,7 +9,7 @@ use std::iter::{self, ExactSizeIterator}; use super::super::{circuit::Any, ChallengeBeta, ChallengeGamma, ChallengeX}; use super::{Argument, ProvingKey}; use crate::{ - arithmetic::{eval_polynomial, parallelize, CurveAffine, FieldExt}, + arithmetic::{eval_polynomial, parallelize, CurveAffine}, plonk::{self, Error}, poly::{ self, @@ -72,10 +73,10 @@ impl Argument { let blinding_factors = pk.vk.cs.blinding_factors(); // Each column gets its own delta power. - let mut deltaomega = C::Scalar::one(); + let mut deltaomega = C::Scalar::ONE; // Track the "last" value from the previous column set - let mut last_z = C::Scalar::one(); + let mut last_z = C::Scalar::ONE; let mut sets = vec![]; @@ -92,7 +93,7 @@ impl Argument { // where p_j(X) is the jth column in this permutation, // and i is the ith row of the column. - let mut modified_values = vec![C::Scalar::one(); params.n() as usize]; + let mut modified_values = vec![C::Scalar::ONE; params.n() as usize]; // Iterate over each column of the permutation for (&column, permuted_column_values) in columns.iter().zip(permutations.iter()) { @@ -135,7 +136,7 @@ impl Argument { deltaomega *= ω } }); - deltaomega *= &C::Scalar::DELTA; + deltaomega *= &::DELTA; } // The modified_values vector is a vector of products of fractions diff --git a/halo2_proofs/src/plonk/permutation/verifier.rs b/halo2_proofs/src/plonk/permutation/verifier.rs index a33b210e..ecdef3f5 100644 --- a/halo2_proofs/src/plonk/permutation/verifier.rs +++ b/halo2_proofs/src/plonk/permutation/verifier.rs @@ -1,10 +1,10 @@ -use ff::Field; +use ff::{Field, PrimeField}; use std::iter; use super::super::{circuit::Any, ChallengeBeta, ChallengeGamma, ChallengeX}; use super::{Argument, VerifyingKey}; use crate::{ - arithmetic::{CurveAffine, FieldExt}, + arithmetic::CurveAffine, plonk::{self, Error}, poly::{commitment::MSM, Rotation, VerifierQuery}, transcript::{EncodedChallenge, TranscriptRead}, @@ -123,9 +123,9 @@ impl Evaluated { // Enforce only for the first set. // l_0(X) * (1 - z_0(X)) = 0 .chain( - self.sets.first().map(|first_set| { - l_0 * &(C::Scalar::one() - &first_set.permutation_product_eval) - }), + self.sets + .first() + .map(|first_set| l_0 * &(C::Scalar::ONE - &first_set.permutation_product_eval)), ) // Enforce only for the last set. // l_last(X) * (z_l(X)^2 - z_l(X)) = 0 @@ -182,7 +182,8 @@ impl Evaluated { let mut right = set.permutation_product_eval; let mut current_delta = (*beta * &*x) - * &(C::Scalar::DELTA.pow_vartime([(chunk_index * chunk_len) as u64])); + * &(::DELTA + .pow_vartime(&[(chunk_index * chunk_len) as u64])); for eval in columns.iter().map(|&column| match column.column_type() { Any::Advice(_) => { advice_evals[vk.cs.get_any_query_index(column, Rotation::cur())] @@ -198,7 +199,7 @@ impl Evaluated { current_delta *= &C::Scalar::DELTA; } - (left - &right) * (C::Scalar::one() - &(l_last + &l_blind)) + (left - &right) * (C::Scalar::ONE - &(l_last + &l_blind)) }), ) } diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index 7c176e57..c5229478 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -1,4 +1,4 @@ -use ff::Field; +use ff::{Field, FromUniformBytes, PrimeField, WithSmallOrderMulGroup}; use group::Curve; use halo2curves::CurveExt; use rand_core::RngCore; @@ -20,7 +20,7 @@ use super::{ ChallengeY, Error, Expression, ProvingKey, }; use crate::{ - arithmetic::{eval_polynomial, CurveAffine, FieldExt}, + arithmetic::{eval_polynomial, CurveAffine}, circuit::Value, plonk::Assigned, poly::{ @@ -55,7 +55,10 @@ pub fn create_proof< instances: &[&[&[Scheme::Scalar]]], mut rng: R, transcript: &mut T, -) -> Result<(), Error> { +) -> Result<(), Error> +where + Scheme::Scalar: WithSmallOrderMulGroup<3> + FromUniformBytes<64>, +{ for instance in instances.iter() { if instance.len() != pk.vk.cs.num_instance_columns { return Err(Error::InvalidInstances); @@ -463,7 +466,7 @@ pub fn create_proof< //*cell = C::Scalar::one(); //} let idx = advice_values.len() - 1; - advice_values[idx] = Scheme::Scalar::one(); + advice_values[idx] = Scheme::Scalar::ONE; } // Compute commitments to advice column polynomials diff --git a/halo2_proofs/src/plonk/vanishing/prover.rs b/halo2_proofs/src/plonk/vanishing/prover.rs index aa43a07c..d394b8c0 100644 --- a/halo2_proofs/src/plonk/vanishing/prover.rs +++ b/halo2_proofs/src/plonk/vanishing/prover.rs @@ -6,7 +6,7 @@ use rand_core::RngCore; use super::Argument; use crate::{ - arithmetic::{eval_polynomial, CurveAffine, FieldExt}, + arithmetic::{eval_polynomial, CurveAffine}, plonk::{ChallengeX, ChallengeY, Error}, poly::{ self, @@ -50,10 +50,10 @@ impl Argument { transcript: &mut T, ) -> Result, Error> { // Sample a random polynomial of degree n - 1 - let random_poly = domain.constant_lagrange(C::Scalar::one()); + let random_poly = domain.constant_lagrange(C::Scalar::ONE); let random_poly = domain.lagrange_to_coeff(random_poly); // Sample a random blinding factor - let random_blind = Blind(C::Scalar::zero()); + let random_blind = Blind(C::Scalar::ZERO); let c = params.commit(&random_poly, random_blind).to_affine(); // We write the identity point to the transcript which // is the commitment of the zero polynomial. @@ -139,9 +139,7 @@ impl Constructed { .h_blinds .iter() .rev() - .fold(Blind(C::Scalar::zero()), |acc, eval| { - acc * Blind(xn) + *eval - }); + .fold(Blind(C::Scalar::ZERO), |acc, eval| acc * Blind(xn) + *eval); let random_eval = eval_polynomial(&self.committed.random_poly, *x); transcript.write_scalar(random_eval)?; diff --git a/halo2_proofs/src/plonk/vanishing/verifier.rs b/halo2_proofs/src/plonk/vanishing/verifier.rs index 3570dee6..0881dfb2 100644 --- a/halo2_proofs/src/plonk/vanishing/verifier.rs +++ b/halo2_proofs/src/plonk/vanishing/verifier.rs @@ -94,8 +94,8 @@ impl PartiallyEvaluated { y: ChallengeY, xn: C::Scalar, ) -> Evaluated { - let expected_h_eval = expressions.fold(C::Scalar::zero(), |h_eval, v| h_eval * &*y + &v); - let expected_h_eval = expected_h_eval * ((xn - C::Scalar::one()).invert().unwrap()); + let expected_h_eval = expressions.fold(C::Scalar::ZERO, |h_eval, v| h_eval * &*y + &v); + let expected_h_eval = expected_h_eval * ((xn - C::Scalar::ONE).invert().unwrap()); let h_commitment = self.h_commitments @@ -104,7 +104,7 @@ impl PartiallyEvaluated { .fold(params.empty_msm(), |mut acc, commitment| { acc.scale(xn); let commitment: C::CurveExt = (*commitment).into(); - acc.append_term(C::Scalar::one(), commitment); + acc.append_term(C::Scalar::ONE, commitment); acc }); diff --git a/halo2_proofs/src/plonk/verifier.rs b/halo2_proofs/src/plonk/verifier.rs index e6a2327e..f5984d2c 100644 --- a/halo2_proofs/src/plonk/verifier.rs +++ b/halo2_proofs/src/plonk/verifier.rs @@ -1,4 +1,4 @@ -use ff::Field; +use ff::{Field, FromUniformBytes, WithSmallOrderMulGroup}; use group::Curve; use rand_core::RngCore; use std::iter; @@ -7,7 +7,7 @@ use super::{ vanishing, ChallengeBeta, ChallengeGamma, ChallengeTheta, ChallengeX, ChallengeY, Error, VerifyingKey, }; -use crate::arithmetic::{compute_inner_product, CurveAffine, FieldExt}; +use crate::arithmetic::{compute_inner_product, CurveAffine}; use crate::poly::commitment::{CommitmentScheme, Verifier}; use crate::poly::VerificationStrategy; use crate::poly::{ @@ -37,7 +37,10 @@ pub fn verify_proof< strategy: Strategy, instances: &[&[&[Scheme::Scalar]]], transcript: &mut T, -) -> Result { +) -> Result +where + Scheme::Scalar: WithSmallOrderMulGroup<3> + FromUniformBytes<64>, +{ // Check that instances matches the expected number of instance columns for instances in instances.iter() { if instances.len() != vk.cs.num_instance_columns { @@ -56,7 +59,7 @@ pub fn verify_proof< return Err(Error::InstanceTooLarge); } let mut poly = instance.to_vec(); - poly.resize(params.n() as usize, Scheme::Scalar::zero()); + poly.resize(params.n() as usize, Scheme::Scalar::ZERO); let poly = vk.domain.lagrange_from_vec(poly); Ok(params.commit_lagrange(&poly, Blind::default()).to_affine()) @@ -94,7 +97,7 @@ pub fn verify_proof< let (advice_commitments, challenges) = { let mut advice_commitments = vec![vec![Scheme::Curve::default(); vk.cs.num_advice_columns]; num_proofs]; - let mut challenges = vec![Scheme::Scalar::zero(); vk.cs.num_challenges]; + let mut challenges = vec![Scheme::Scalar::ZERO; vk.cs.num_challenges]; for current_phase in vk.cs.phases() { for advice_commitments in advice_commitments.iter_mut() { @@ -253,7 +256,7 @@ pub fn verify_proof< let l_last = l_evals[0]; let l_blind: Scheme::Scalar = l_evals[1..(1 + blinding_factors)] .iter() - .fold(Scheme::Scalar::zero(), |acc, eval| acc + eval); + .fold(Scheme::Scalar::ZERO, |acc, eval| acc + eval); let l_0 = l_evals[1 + blinding_factors]; // Compute the expected value of h(x) diff --git a/halo2_proofs/src/plonk/verifier/batch.rs b/halo2_proofs/src/plonk/verifier/batch.rs index f07ba414..04e08be4 100644 --- a/halo2_proofs/src/plonk/verifier/batch.rs +++ b/halo2_proofs/src/plonk/verifier/batch.rs @@ -1,5 +1,6 @@ use std::{io, marker::PhantomData}; +use ff::FromUniformBytes; use group::ff::Field; use halo2curves::CurveAffine; use rand_core::{OsRng, RngCore}; @@ -67,7 +68,10 @@ pub struct BatchVerifier { items: Vec>, } -impl BatchVerifier { +impl BatchVerifier +where + C::Scalar: FromUniformBytes<64>, +{ /// Constructs a new batch verifier. pub fn new() -> Self { Self { items: vec![] } diff --git a/halo2_proofs/src/poly.rs b/halo2_proofs/src/poly.rs index 84089482..42e43b2e 100644 --- a/halo2_proofs/src/poly.rs +++ b/halo2_proofs/src/poly.rs @@ -9,7 +9,6 @@ use crate::SerdeFormat; use ff::PrimeField; use group::ff::{BatchInvert, Field}; -use halo2curves::FieldExt; use std::fmt::Debug; use std::io; use std::marker::PhantomData; @@ -177,7 +176,7 @@ impl Polynomial { } } -pub(crate) fn batch_invert_assigned( +pub(crate) fn batch_invert_assigned( assigned: Vec, LagrangeCoeff>>, ) -> Vec> { let mut assigned_denominators: Vec<_> = assigned @@ -202,9 +201,7 @@ pub(crate) fn batch_invert_assigned( assigned .iter() .zip(assigned_denominators.into_iter()) - .map(|(poly, inv_denoms)| { - poly.invert(inv_denoms.into_iter().map(|d| d.unwrap_or_else(F::one))) - }) + .map(|(poly, inv_denoms)| poly.invert(inv_denoms.into_iter().map(|d| d.unwrap_or(F::ONE)))) .collect() } @@ -274,13 +271,13 @@ impl Mul for Polynomial { type Output = Polynomial; fn mul(mut self, rhs: F) -> Polynomial { - if rhs == F::zero() { + if rhs == F::ZERO { return Polynomial { - values: vec![F::zero(); self.len()], + values: vec![F::ZERO; self.len()], _marker: PhantomData, }; } - if rhs == F::one() { + if rhs == F::ONE { return self; } diff --git a/halo2_proofs/src/poly/commitment.rs b/halo2_proofs/src/poly/commitment.rs index e82515cf..3a0b68f6 100644 --- a/halo2_proofs/src/poly/commitment.rs +++ b/halo2_proofs/src/poly/commitment.rs @@ -6,8 +6,8 @@ use super::{ use crate::poly::Error; use crate::transcript::{EncodedChallenge, TranscriptRead, TranscriptWrite}; use ff::Field; -use group::Curve; -use halo2curves::{CurveAffine, CurveExt, FieldExt}; +use group::{Curve, Group}; +use halo2curves::{CurveAffine, CurveExt}; use rand_core::RngCore; use std::{ fmt::Debug, @@ -18,7 +18,7 @@ use std::{ /// Defines components of a commitment scheme. pub trait CommitmentScheme { /// Application field of this commitment scheme - type Scalar: FieldExt + halo2curves::Group; + type Scalar: Field; /// Elliptic curve used to commit the application and witnesses type Curve: CurveAffine; @@ -192,20 +192,20 @@ pub trait Verifier<'params, Scheme: CommitmentScheme> { #[derive(Copy, Clone, Eq, PartialEq, Debug)] pub struct Blind(pub F); -impl Default for Blind { +impl Default for Blind { fn default() -> Self { - Blind(F::one()) + Blind(F::ONE) } } -impl Blind { +impl Blind { /// Given `rng` creates new blinding scalar pub fn new(rng: &mut R) -> Self { Blind(F::random(rng)) } } -impl Add for Blind { +impl Add for Blind { type Output = Self; fn add(self, rhs: Blind) -> Self { @@ -213,7 +213,7 @@ impl Add for Blind { } } -impl Mul for Blind { +impl Mul for Blind { type Output = Self; fn mul(self, rhs: Blind) -> Self { @@ -221,25 +221,25 @@ impl Mul for Blind { } } -impl AddAssign for Blind { +impl AddAssign for Blind { fn add_assign(&mut self, rhs: Blind) { self.0 += rhs.0; } } -impl MulAssign for Blind { +impl MulAssign for Blind { fn mul_assign(&mut self, rhs: Blind) { self.0 *= rhs.0; } } -impl AddAssign for Blind { +impl AddAssign for Blind { fn add_assign(&mut self, rhs: F) { self.0 += rhs; } } -impl MulAssign for Blind { +impl MulAssign for Blind { fn mul_assign(&mut self, rhs: F) { self.0 *= rhs; } diff --git a/halo2_proofs/src/poly/domain.rs b/halo2_proofs/src/poly/domain.rs index cd1a0cdc..e99c7f6c 100644 --- a/halo2_proofs/src/poly/domain.rs +++ b/halo2_proofs/src/poly/domain.rs @@ -2,13 +2,16 @@ //! domain that is of a suitable size for the application. use crate::{ - arithmetic::{best_fft, parallelize, FieldExt, Group}, + arithmetic::{best_fft, parallelize}, plonk::Assigned, }; use super::{Coeff, ExtendedLagrangeCoeff, LagrangeCoeff, Polynomial, Rotation}; - -use group::ff::{BatchInvert, Field, PrimeField}; +use ff::WithSmallOrderMulGroup; +use group::{ + ff::{BatchInvert, Field, PrimeField}, + Group, +}; use std::marker::PhantomData; @@ -16,24 +19,24 @@ use std::marker::PhantomData; /// performing operations on an evaluation domain of size $2^k$ and an extended /// domain of size $2^{k} * j$ with $j \neq 0$. #[derive(Clone, Debug)] -pub struct EvaluationDomain { +pub struct EvaluationDomain { n: u64, k: u32, extended_k: u32, - omega: G::Scalar, - omega_inv: G::Scalar, - extended_omega: G::Scalar, - extended_omega_inv: G::Scalar, - g_coset: G::Scalar, - g_coset_inv: G::Scalar, + omega: F, + omega_inv: F, + extended_omega: F, + extended_omega_inv: F, + g_coset: F, + g_coset_inv: F, quotient_poly_degree: u64, - ifft_divisor: G::Scalar, - extended_ifft_divisor: G::Scalar, - t_evaluations: Vec, - barycentric_weight: G::Scalar, + ifft_divisor: F, + extended_ifft_divisor: F, + t_evaluations: Vec, + barycentric_weight: F, } -impl EvaluationDomain { +impl> EvaluationDomain { /// This constructs a new evaluation domain object based on the provided /// values $j, k$. pub fn new(j: u32, k: u32) -> Self { @@ -51,12 +54,12 @@ impl EvaluationDomain { extended_k += 1; } - let mut extended_omega = G::Scalar::root_of_unity(); + let mut extended_omega = F::ROOT_OF_UNITY; // Get extended_omega, the 2^{extended_k}'th root of unity // The loop computes extended_omega = omega^{2 ^ (S - extended_k)} // Notice that extended_omega ^ {2 ^ extended_k} = omega ^ {2^S} = 1. - for _ in extended_k..G::Scalar::S { + for _ in extended_k..F::S { extended_omega = extended_omega.square(); } let extended_omega = extended_omega; @@ -78,15 +81,15 @@ impl EvaluationDomain { // already. // The coset evaluation domain is: // zeta {1, extended_omega, extended_omega^2, ..., extended_omega^{(2^extended_k) - 1}} - let g_coset = G::Scalar::ZETA; + let g_coset = F::ZETA; let g_coset_inv = g_coset.square(); let mut t_evaluations = Vec::with_capacity(1 << (extended_k - k)); { // Compute the evaluations of t(X) = X^n - 1 in the coset evaluation domain. // We don't have to compute all of them, because it will repeat. - let orig = G::Scalar::ZETA.pow_vartime([n as u64, 0, 0, 0]); - let step = extended_omega.pow_vartime([n as u64, 0, 0, 0]); + let orig = F::ZETA.pow_vartime(&[n as u64, 0, 0, 0]); + let step = extended_omega.pow_vartime(&[n as u64, 0, 0, 0]); let mut cur = orig; loop { t_evaluations.push(cur); @@ -99,19 +102,19 @@ impl EvaluationDomain { // Subtract 1 from each to give us t_evaluations[i] = t(zeta * extended_omega^i) for coeff in &mut t_evaluations { - *coeff -= &G::Scalar::one(); + *coeff -= &F::ONE; } // Invert, because we're dividing by this polynomial. // We invert in a batch, below. } - let mut ifft_divisor = G::Scalar::from(1 << k); // Inversion computed later - let mut extended_ifft_divisor = G::Scalar::from(1 << extended_k); // Inversion computed later + let mut ifft_divisor = F::from(1 << k); // Inversion computed later + let mut extended_ifft_divisor = F::from(1 << extended_k); // Inversion computed later // The barycentric weight of 1 over the evaluation domain // 1 / \prod_{i != 0} (1 - omega^i) - let mut barycentric_weight = G::Scalar::from(n); // Inversion computed later + let mut barycentric_weight = F::from(n); // Inversion computed later // Compute batch inversion t_evaluations @@ -144,7 +147,7 @@ impl EvaluationDomain { /// Obtains a polynomial in Lagrange form when given a vector of Lagrange /// coefficients of size `n`; panics if the provided vector is the wrong /// length. - pub fn lagrange_from_vec(&self, values: Vec) -> Polynomial { + pub fn lagrange_from_vec(&self, values: Vec) -> Polynomial { assert_eq!(values.len(), self.n as usize); Polynomial { @@ -156,7 +159,7 @@ impl EvaluationDomain { /// Obtains a polynomial in coefficient form when given a vector of /// coefficients of size `n`; panics if the provided vector is the wrong /// length. - pub fn coeff_from_vec(&self, values: Vec) -> Polynomial { + pub fn coeff_from_vec(&self, values: Vec) -> Polynomial { assert_eq!(values.len(), self.n as usize); Polynomial { @@ -170,13 +173,13 @@ impl EvaluationDomain { /// provided vector is the wrong length. pub fn extended_from_lagrange_vec( &self, - values: Vec>, - ) -> Polynomial { + values: Vec>, + ) -> Polynomial { assert_eq!(values.len(), (self.extended_len() >> self.k) as usize); assert_eq!(values[0].len(), self.n as usize); // transpose the values in parallel - let mut transposed = vec![vec![G::group_zero(); values.len()]; self.n as usize]; + let mut transposed = vec![vec![F::ZERO; values.len()]; self.n as usize]; values.into_iter().enumerate().for_each(|(i, p)| { parallelize(&mut transposed, |transposed, start| { for (transposed, p) in transposed.iter_mut().zip(p.values[start..].iter()) { @@ -192,35 +195,32 @@ impl EvaluationDomain { } /// Returns an empty (zero) polynomial in the coefficient basis - pub fn empty_coeff(&self) -> Polynomial { + pub fn empty_coeff(&self) -> Polynomial { Polynomial { - values: vec![G::group_zero(); self.n as usize], + values: vec![F::ZERO; self.n as usize], _marker: PhantomData, } } /// Returns an empty (zero) polynomial in the Lagrange coefficient basis - pub fn empty_lagrange(&self) -> Polynomial { + pub fn empty_lagrange(&self) -> Polynomial { Polynomial { - values: vec![G::group_zero(); self.n as usize], + values: vec![F::ZERO; self.n as usize], _marker: PhantomData, } } /// Returns an empty (zero) polynomial in the Lagrange coefficient basis, with /// deferred inversions. - pub(crate) fn empty_lagrange_assigned(&self) -> Polynomial, LagrangeCoeff> - where - G: Field, - { + pub(crate) fn empty_lagrange_assigned(&self) -> Polynomial, LagrangeCoeff> { Polynomial { - values: vec![G::group_zero().into(); self.n as usize], + values: vec![F::ZERO.into(); self.n as usize], _marker: PhantomData, } } /// Returns a constant polynomial in the Lagrange coefficient basis - pub fn constant_lagrange(&self, scalar: G) -> Polynomial { + pub fn constant_lagrange(&self, scalar: F) -> Polynomial { Polynomial { values: vec![scalar; self.n as usize], _marker: PhantomData, @@ -229,16 +229,16 @@ impl EvaluationDomain { /// Returns an empty (zero) polynomial in the extended Lagrange coefficient /// basis - pub fn empty_extended(&self) -> Polynomial { + pub fn empty_extended(&self) -> Polynomial { Polynomial { - values: vec![G::group_zero(); self.extended_len()], + values: vec![F::ZERO; self.extended_len()], _marker: PhantomData, } } /// Returns a constant polynomial in the extended Lagrange coefficient /// basis - pub fn constant_extended(&self, scalar: G) -> Polynomial { + pub fn constant_extended(&self, scalar: F) -> Polynomial { Polynomial { values: vec![scalar; self.extended_len()], _marker: PhantomData, @@ -249,7 +249,7 @@ impl EvaluationDomain { /// /// This function will panic if the provided vector is not the correct /// length. - pub fn lagrange_to_coeff(&self, mut a: Polynomial) -> Polynomial { + pub fn lagrange_to_coeff(&self, mut a: Polynomial) -> Polynomial { assert_eq!(a.values.len(), 1 << self.k); // Perform inverse FFT to obtain the polynomial in coefficient form @@ -265,12 +265,12 @@ impl EvaluationDomain { /// evaluation domain, rotating by `rotation` if desired. pub fn coeff_to_extended( &self, - mut a: Polynomial, - ) -> Polynomial { + mut a: Polynomial, + ) -> Polynomial { assert_eq!(a.values.len(), 1 << self.k); self.distribute_powers_zeta(&mut a.values, true); - a.values.resize(self.extended_len(), G::group_zero()); + a.values.resize(self.extended_len(), F::ZERO); best_fft(&mut a.values, self.extended_omega, self.extended_k); Polynomial { @@ -289,12 +289,12 @@ impl EvaluationDomain { /// `FFT(f(zeta * extended_omega^{m-1} * X), n)` pub fn coeff_to_extended_parts( &self, - a: &Polynomial, - ) -> Vec> { + a: &Polynomial, + ) -> Vec> { assert_eq!(a.values.len(), 1 << self.k); let num_parts = self.extended_len() >> self.k; - let mut extended_omega_factor = G::Scalar::one(); + let mut extended_omega_factor = F::ONE; (0..num_parts) .map(|_| { let part = self.coeff_to_extended_part(a.clone(), extended_omega_factor); @@ -314,11 +314,11 @@ impl EvaluationDomain { /// `FFT(f(zeta * extended_omega^{m-1} * X), n)` pub fn batched_coeff_to_extended_parts( &self, - a: &[Polynomial], - ) -> Vec>> { + a: &[Polynomial], + ) -> Vec>> { assert_eq!(a[0].values.len(), 1 << self.k); - let mut extended_omega_factor = G::Scalar::one(); + let mut extended_omega_factor = F::ONE; let num_parts = self.extended_len() >> self.k; (0..num_parts) .map(|_| { @@ -340,9 +340,9 @@ impl EvaluationDomain { /// where `extended_omega_factor` is `extended_omega^i` with `i` in `[0, m)`. pub fn coeff_to_extended_part( &self, - mut a: Polynomial, - extended_omega_factor: G::Scalar, - ) -> Polynomial { + mut a: Polynomial, + extended_omega_factor: F, + ) -> Polynomial { assert_eq!(a.values.len(), 1 << self.k); self.distribute_powers(&mut a.values, self.g_coset * extended_omega_factor); @@ -357,9 +357,9 @@ impl EvaluationDomain { /// Rotate the extended domain polynomial over the original domain. pub fn rotate_extended( &self, - poly: &Polynomial, + poly: &Polynomial, rotation: Rotation, - ) -> Polynomial { + ) -> Polynomial { let new_rotation = ((1 << (self.extended_k - self.k)) * rotation.0.abs()) as usize; let mut poly = poly.clone(); @@ -379,7 +379,7 @@ impl EvaluationDomain { /// This function will panic if the provided vector is not the correct /// length. // TODO/FIXME: caller should be responsible for truncating - pub fn extended_to_coeff(&self, mut a: Polynomial) -> Vec { + pub fn extended_to_coeff(&self, mut a: Polynomial) -> Vec { assert_eq!(a.values.len(), self.extended_len()); // Inverse FFT @@ -407,15 +407,15 @@ impl EvaluationDomain { /// polynomial of the $2^k$ size domain. pub fn divide_by_vanishing_poly( &self, - mut a: Polynomial, - ) -> Polynomial { + mut a: Polynomial, + ) -> Polynomial { assert_eq!(a.values.len(), self.extended_len()); // Divide to obtain the quotient polynomial in the coset evaluation // domain. parallelize(&mut a.values, |h, mut index| { for h in h { - h.group_scale(&self.t_evaluations[index % self.t_evaluations.len()]); + *h *= &self.t_evaluations[index % self.t_evaluations.len()]; index += 1; } }); @@ -433,7 +433,7 @@ impl EvaluationDomain { /// /// `into_coset` should be set to `true` when moving into the coset, /// and `false` when moving out. This toggles the choice of `zeta`. - fn distribute_powers_zeta(&self, a: &mut [G], into_coset: bool) { + fn distribute_powers_zeta(&self, a: &mut [F], into_coset: bool) { let coset_powers = if into_coset { [self.g_coset, self.g_coset_inv] } else { @@ -444,7 +444,7 @@ impl EvaluationDomain { // Distribute powers to move into/from coset let i = index % (coset_powers.len() + 1); if i != 0 { - a.group_scale(&coset_powers[i - 1]); + *a *= &coset_powers[i - 1]; } index += 1; } @@ -454,22 +454,22 @@ impl EvaluationDomain { /// Given a slice of group elements `[a_0, a_1, a_2, ...]`, this returns /// `[a_0, [c]a_1, [c^2]a_2, [c^3]a_3, [c^4]a_4, ...]`, /// - fn distribute_powers(&self, a: &mut [G], c: G::Scalar) { + fn distribute_powers(&self, a: &mut [F], c: F) { parallelize(a, |a, index| { let mut c_power = c.pow_vartime(&[index as u64, 0, 0, 0]); for a in a { - a.group_scale(&c_power); + *a = *a * c_power; c_power = c_power * c; } }); } - fn ifft(a: &mut [G], omega_inv: G::Scalar, log_n: u32, divisor: G::Scalar) { + fn ifft(a: &mut [F], omega_inv: F, log_n: u32, divisor: F) { best_fft(a, omega_inv, log_n); parallelize(a, |a, _| { for a in a { // Finish iFFT - a.group_scale(&divisor); + *a *= &divisor; } }); } @@ -490,24 +490,24 @@ impl EvaluationDomain { } /// Get $\omega$, the generator of the $2^k$ order multiplicative subgroup. - pub fn get_omega(&self) -> G::Scalar { + pub fn get_omega(&self) -> F { self.omega } /// Get $\omega^{-1}$, the inverse of the generator of the $2^k$ order /// multiplicative subgroup. - pub fn get_omega_inv(&self) -> G::Scalar { + pub fn get_omega_inv(&self) -> F { self.omega_inv } /// Get the generator of the extended domain's multiplicative subgroup. - pub fn get_extended_omega(&self) -> G::Scalar { + pub fn get_extended_omega(&self) -> F { self.extended_omega } /// Multiplies a value by some power of $\omega$, essentially rotating over /// the domain. - pub fn rotate_omega(&self, value: G::Scalar, rotation: Rotation) -> G::Scalar { + pub fn rotate_omega(&self, value: F, rotation: Rotation) -> F { let mut point = value; if rotation.0 >= 0 { point *= &self.get_omega().pow_vartime([rotation.0 as u64]); @@ -548,23 +548,23 @@ impl EvaluationDomain { /// which is the barycentric weight of $\omega^i$. pub fn l_i_range + Clone>( &self, - x: G::Scalar, - xn: G::Scalar, + x: F, + xn: F, rotations: I, - ) -> Vec { + ) -> Vec { let mut results; { let rotations = rotations.clone().into_iter(); results = Vec::with_capacity(rotations.size_hint().1.unwrap_or(0)); for rotation in rotations { let rotation = Rotation(rotation); - let result = x - self.rotate_omega(G::Scalar::one(), rotation); + let result = x - self.rotate_omega(F::ONE, rotation); results.push(result); } results.iter_mut().batch_invert(); } - let common = (xn - G::Scalar::one()) * self.barycentric_weight; + let common = (xn - F::ONE) * self.barycentric_weight; for (rotation, result) in rotations.into_iter().zip(results.iter_mut()) { let rotation = Rotation(rotation); *result = self.rotate_omega(*result * common, rotation); @@ -581,7 +581,7 @@ impl EvaluationDomain { /// Obtain a pinned version of this evaluation domain; a structure with the /// minimal parameters needed to determine the rest of the evaluation /// domain. - pub fn pinned(&self) -> PinnedEvaluationDomain<'_, G> { + pub fn pinned(&self) -> PinnedEvaluationDomain<'_, F> { PinnedEvaluationDomain { k: &self.k, extended_k: &self.extended_k, @@ -593,10 +593,10 @@ impl EvaluationDomain { /// Represents the minimal parameters that determine an `EvaluationDomain`. #[allow(dead_code)] #[derive(Debug)] -pub struct PinnedEvaluationDomain<'a, G: Group> { +pub struct PinnedEvaluationDomain<'a, F: Field> { k: &'a u32, extended_k: &'a u32, - omega: &'a G::Scalar, + omega: &'a F, } #[test] @@ -655,7 +655,7 @@ fn test_l_i() { } for i in 0..8 { let mut l_i = vec![Scalar::zero(); 8]; - l_i[i] = Scalar::one(); + l_i[i] = Scalar::ONE; let l_i = lagrange_interpolate(&points[..], &l_i[..]); l.push(l_i); } diff --git a/halo2_proofs/src/poly/evaluator.rs b/halo2_proofs/src/poly/evaluator.rs index d1ba853c..5d202212 100644 --- a/halo2_proofs/src/poly/evaluator.rs +++ b/halo2_proofs/src/poly/evaluator.rs @@ -9,7 +9,7 @@ use std::{ }; use group::ff::Field; -use halo2curves::FieldExt; +use halo2curves::Field; use super::{ Basis, Coeff, EvaluationDomain, ExtendedLagrangeCoeff, LagrangeCoeff, Polynomial, Rotation, @@ -135,7 +135,7 @@ impl Evaluator { ) -> Polynomial where E: Copy + Send + Sync, - F: FieldExt, + F: Field, B: BasisOps, { // Traverse `ast` to collect the used leaves. @@ -192,7 +192,7 @@ impl Evaluator { }) .collect(); - struct AstContext<'a, E, F: FieldExt, B: Basis> { + struct AstContext<'a, E, F: Field, B: Basis> { domain: &'a EvaluationDomain, poly_len: usize, chunk_size: usize, @@ -200,7 +200,7 @@ impl Evaluator { leaves: &'a HashMap, &'a [F]>, } - fn recurse( + fn recurse( ast: &Ast, ctx: &AstContext<'_, E, F, B>, ) -> Vec { @@ -230,7 +230,7 @@ impl Evaluator { lhs } Ast::DistributePowers(terms, base) => terms.iter().fold( - B::constant_term(ctx.poly_len, ctx.chunk_size, ctx.chunk_index, F::zero()), + B::constant_term(ctx.poly_len, ctx.chunk_size, ctx.chunk_index, F::ZERO), |mut acc, term| { let term = recurse(term, ctx); for (acc, term) in acc.iter_mut().zip(term) { @@ -347,7 +347,7 @@ impl From> for Ast { impl Ast { pub(crate) fn one() -> Self { - Self::ConstantTerm(F::one()) + Self::ConstantTerm(F::ONE) } } @@ -355,7 +355,7 @@ impl Neg for Ast { type Output = Ast; fn neg(self) -> Self::Output { - Ast::Scale(Arc::new(self), -F::one()) + Ast::Scale(Arc::new(self), -F::ONE) } } @@ -489,21 +489,21 @@ impl MulAssign for Ast { /// Operations which can be performed over a given basis. pub(crate) trait BasisOps: Basis { - fn empty_poly(domain: &EvaluationDomain) -> Polynomial; - fn constant_term( + fn empty_poly(domain: &EvaluationDomain) -> Polynomial; + fn constant_term( poly_len: usize, chunk_size: usize, chunk_index: usize, scalar: F, ) -> Vec; - fn linear_term( + fn linear_term( domain: &EvaluationDomain, poly_len: usize, chunk_size: usize, chunk_index: usize, scalar: F, ) -> Vec; - fn rotate( + fn rotate( domain: &EvaluationDomain, poly: &Polynomial, rotation: Rotation, @@ -511,31 +511,31 @@ pub(crate) trait BasisOps: Basis { } impl BasisOps for Coeff { - fn empty_poly(domain: &EvaluationDomain) -> Polynomial { + fn empty_poly(domain: &EvaluationDomain) -> Polynomial { domain.empty_coeff() } - fn constant_term( + fn constant_term( poly_len: usize, chunk_size: usize, chunk_index: usize, scalar: F, ) -> Vec { - let mut chunk = vec![F::zero(); cmp::min(chunk_size, poly_len - chunk_size * chunk_index)]; + let mut chunk = vec![F::ZERO; cmp::min(chunk_size, poly_len - chunk_size * chunk_index)]; if chunk_index == 0 { chunk[0] = scalar; } chunk } - fn linear_term( + fn linear_term( _: &EvaluationDomain, poly_len: usize, chunk_size: usize, chunk_index: usize, scalar: F, ) -> Vec { - let mut chunk = vec![F::zero(); cmp::min(chunk_size, poly_len - chunk_size * chunk_index)]; + let mut chunk = vec![F::ZERO; cmp::min(chunk_size, poly_len - chunk_size * chunk_index)]; // If the chunk size is 1 (e.g. if we have a small k and many threads), then the // linear coefficient is the second chunk. Otherwise, the chunk size is greater // than one, and the linear coefficient is the second element of the first chunk. @@ -550,7 +550,7 @@ impl BasisOps for Coeff { chunk } - fn rotate( + fn rotate( _: &EvaluationDomain, _: &Polynomial, _: Rotation, @@ -560,11 +560,11 @@ impl BasisOps for Coeff { } impl BasisOps for LagrangeCoeff { - fn empty_poly(domain: &EvaluationDomain) -> Polynomial { + fn empty_poly(domain: &EvaluationDomain) -> Polynomial { domain.empty_lagrange() } - fn constant_term( + fn constant_term( poly_len: usize, chunk_size: usize, chunk_index: usize, @@ -573,7 +573,7 @@ impl BasisOps for LagrangeCoeff { vec![scalar; cmp::min(chunk_size, poly_len - chunk_size * chunk_index)] } - fn linear_term( + fn linear_term( domain: &EvaluationDomain, poly_len: usize, chunk_size: usize, @@ -592,7 +592,7 @@ impl BasisOps for LagrangeCoeff { .collect() } - fn rotate( + fn rotate( _: &EvaluationDomain, poly: &Polynomial, rotation: Rotation, @@ -602,11 +602,11 @@ impl BasisOps for LagrangeCoeff { } impl BasisOps for ExtendedLagrangeCoeff { - fn empty_poly(domain: &EvaluationDomain) -> Polynomial { + fn empty_poly(domain: &EvaluationDomain) -> Polynomial { domain.empty_extended() } - fn constant_term( + fn constant_term( poly_len: usize, chunk_size: usize, chunk_index: usize, @@ -615,7 +615,7 @@ impl BasisOps for ExtendedLagrangeCoeff { vec![scalar; cmp::min(chunk_size, poly_len - chunk_size * chunk_index)] } - fn linear_term( + fn linear_term( domain: &EvaluationDomain, poly_len: usize, chunk_size: usize, @@ -637,7 +637,7 @@ impl BasisOps for ExtendedLagrangeCoeff { .collect() } - fn rotate( + fn rotate( domain: &EvaluationDomain, poly: &Polynomial, rotation: Rotation, diff --git a/halo2_proofs/src/poly/ipa/commitment.rs b/halo2_proofs/src/poly/ipa/commitment.rs index 9060e831..f9b4ad05 100644 --- a/halo2_proofs/src/poly/ipa/commitment.rs +++ b/halo2_proofs/src/poly/ipa/commitment.rs @@ -4,7 +4,7 @@ //! [halo]: https://eprint.iacr.org/2019/1021 use crate::arithmetic::{ - best_fft, best_multiexp, g_to_lagrange, parallelize, CurveAffine, CurveExt, FieldExt, Group, + best_fft, best_multiexp, g_to_lagrange, parallelize, CurveAffine, CurveExt, }; use crate::helpers::CurveRead; use crate::poly::commitment::{Blind, CommitmentScheme, Params, ParamsProver, ParamsVerifier, MSM}; @@ -12,7 +12,7 @@ use crate::poly::ipa::msm::MSMIPA; use crate::poly::{Coeff, LagrangeCoeff, Polynomial}; use ff::{Field, PrimeField}; -use group::{prime::PrimeCurveAffine, Curve, Group as _}; +use group::{prime::PrimeCurveAffine, Curve, Group}; use std::marker::PhantomData; use std::ops::{Add, AddAssign, Mul, MulAssign}; @@ -234,9 +234,7 @@ impl<'params, C: CurveAffine> ParamsProver<'params, C> for ParamsIPA { #[cfg(test)] mod test { - use crate::arithmetic::{ - best_fft, best_multiexp, parallelize, CurveAffine, CurveExt, FieldExt, Group, - }; + use crate::arithmetic::{best_fft, best_multiexp, parallelize, CurveAffine, CurveExt}; use crate::helpers::CurveRead; use crate::poly::commitment::ParamsProver; use crate::poly::commitment::{Blind, CommitmentScheme, Params, MSM}; @@ -245,7 +243,7 @@ mod test { use crate::poly::{Coeff, LagrangeCoeff, Polynomial}; use ff::{Field, PrimeField}; - use group::{prime::PrimeCurveAffine, Curve, Group as _}; + use group::{prime::PrimeCurveAffine, Curve, Group}; use std::marker::PhantomData; use std::ops::{Add, AddAssign, Mul, MulAssign}; @@ -309,7 +307,7 @@ mod test { use rand_core::OsRng; use super::super::commitment::{Blind, Params}; - use crate::arithmetic::{eval_polynomial, FieldExt}; + use crate::arithmetic::eval_polynomial; use crate::halo2curves::pasta::{EpAffine, Fq}; use crate::poly::EvaluationDomain; use crate::transcript::{ @@ -363,7 +361,7 @@ mod test { assert_eq!(v, v_prime); let mut commitment_msm = MSMIPA::new(¶ms); - commitment_msm.append_term(Field::one(), p.into()); + commitment_msm.append_term(Fq::one(), p.into()); let guard = verify_proof(¶ms, commitment_msm, &mut transcript, *x, v).unwrap(); let ch_verifier = transcript.squeeze_challenge(); diff --git a/halo2_proofs/src/poly/ipa/commitment/prover.rs b/halo2_proofs/src/poly/ipa/commitment/prover.rs index 3b22b31b..d176987c 100644 --- a/halo2_proofs/src/poly/ipa/commitment/prover.rs +++ b/halo2_proofs/src/poly/ipa/commitment/prover.rs @@ -3,7 +3,7 @@ use rand_core::RngCore; use super::{Params, ParamsIPA}; use crate::arithmetic::{ - best_multiexp, compute_inner_product, eval_polynomial, parallelize, CurveAffine, FieldExt, + best_multiexp, compute_inner_product, eval_polynomial, parallelize, CurveAffine, }; use crate::poly::commitment::ParamsProver; @@ -87,7 +87,7 @@ pub fn create_proof< // `p_prime` and `b` is the evaluation of the polynomial at `x_3`. let mut b = Vec::with_capacity(1 << params.k); { - let mut cur = C::Scalar::one(); + let mut cur = C::Scalar::ONE; for _ in 0..(1 << params.k) { b.push(cur); cur *= &x_3; diff --git a/halo2_proofs/src/poly/ipa/commitment/verifier.rs b/halo2_proofs/src/poly/ipa/commitment/verifier.rs index b3b30e0b..0b608428 100644 --- a/halo2_proofs/src/poly/ipa/commitment/verifier.rs +++ b/halo2_proofs/src/poly/ipa/commitment/verifier.rs @@ -96,10 +96,10 @@ pub fn verify_proof<'params, C: CurveAffine, E: EncodedChallenge, T: Transcri /// Computes $\prod\limits_{i=0}^{k-1} (1 + u_{k - 1 - i} x^{2^i})$. fn compute_b(x: F, u: &[F]) -> F { - let mut tmp = F::one(); + let mut tmp = F::ONE; let mut cur = x; for u_j in u.iter().rev() { - tmp *= F::one() + &(*u_j * &cur); + tmp *= F::ONE + &(*u_j * &cur); cur *= cur; } tmp diff --git a/halo2_proofs/src/poly/ipa/msm.rs b/halo2_proofs/src/poly/ipa/msm.rs index 63f994b4..3316e253 100644 --- a/halo2_proofs/src/poly/ipa/msm.rs +++ b/halo2_proofs/src/poly/ipa/msm.rs @@ -191,7 +191,7 @@ impl<'a, C: CurveAffine> MSMIPA<'a, C> { if let Some(g_scalars) = self.g_scalars.as_mut() { g_scalars[0] += &constant; } else { - let mut g_scalars = vec![C::Scalar::zero(); self.params.n as usize]; + let mut g_scalars = vec![C::Scalar::ZERO; self.params.n as usize]; g_scalars[0] += &constant; self.g_scalars = Some(g_scalars); } diff --git a/halo2_proofs/src/poly/ipa/multiopen.rs b/halo2_proofs/src/poly/ipa/multiopen.rs index b724139a..fd6aa785 100644 --- a/halo2_proofs/src/poly/ipa/multiopen.rs +++ b/halo2_proofs/src/poly/ipa/multiopen.rs @@ -3,14 +3,10 @@ //! //! [halo]: https://eprint.iacr.org/2019/1021 -use std::collections::{BTreeMap, BTreeSet}; - use super::*; -use crate::{ - arithmetic::{CurveAffine, FieldExt}, - poly::query::Query, - transcript::ChallengeScalar, -}; +use crate::{arithmetic::CurveAffine, poly::query::Query, transcript::ChallengeScalar}; +use ff::Field; +use std::collections::{BTreeMap, BTreeSet}; mod prover; mod verifier; @@ -63,7 +59,7 @@ type IntermediateSets = ( Vec>, ); -fn construct_intermediate_sets>(queries: I) -> IntermediateSets +fn construct_intermediate_sets>(queries: I) -> IntermediateSets where I: IntoIterator + Clone, { diff --git a/halo2_proofs/src/poly/ipa/multiopen/prover.rs b/halo2_proofs/src/poly/ipa/multiopen/prover.rs index bba038c9..6d65e7ae 100644 --- a/halo2_proofs/src/poly/ipa/multiopen/prover.rs +++ b/halo2_proofs/src/poly/ipa/multiopen/prover.rs @@ -1,7 +1,7 @@ use super::{ construct_intermediate_sets, ChallengeX1, ChallengeX2, ChallengeX3, ChallengeX4, Query, }; -use crate::arithmetic::{eval_polynomial, kate_division, CurveAffine, FieldExt}; +use crate::arithmetic::{eval_polynomial, kate_division, CurveAffine}; use crate::poly::commitment::ParamsProver; use crate::poly::commitment::{Blind, Params, Prover}; use crate::poly::ipa::commitment::{self, IPACommitmentScheme, ParamsIPA}; @@ -47,7 +47,7 @@ impl<'params, C: CurveAffine> Prover<'params, IPACommitmentScheme> for Prover // Collapse openings at same point sets together into single openings using // x_1 challenge. let mut q_polys: Vec>> = vec![None; point_sets.len()]; - let mut q_blinds = vec![Blind(C::Scalar::zero()); point_sets.len()]; + let mut q_blinds = vec![Blind(C::Scalar::ZERO); point_sets.len()]; { let mut accumulate = |set_idx: usize, @@ -80,7 +80,7 @@ impl<'params, C: CurveAffine> Prover<'params, IPACommitmentScheme> for Prover .fold(poly.clone().unwrap().values, |poly, point| { kate_division(&poly, *point) }); - poly.resize(self.params.n as usize, C::Scalar::zero()); + poly.resize(self.params.n as usize, C::Scalar::ZERO); let poly = Polynomial { values: poly, _marker: PhantomData, diff --git a/halo2_proofs/src/poly/ipa/multiopen/verifier.rs b/halo2_proofs/src/poly/ipa/multiopen/verifier.rs index ff4c7626..391f89e1 100644 --- a/halo2_proofs/src/poly/ipa/multiopen/verifier.rs +++ b/halo2_proofs/src/poly/ipa/multiopen/verifier.rs @@ -8,7 +8,7 @@ use rand_core::RngCore; use super::{ construct_intermediate_sets, ChallengeX1, ChallengeX2, ChallengeX3, ChallengeX4, Query, }; -use crate::arithmetic::{eval_polynomial, lagrange_interpolate, CurveAffine, FieldExt}; +use crate::arithmetic::{eval_polynomial, lagrange_interpolate, CurveAffine}; use crate::poly::commitment::{Params, Verifier, MSM}; use crate::poly::ipa::commitment::{IPACommitmentScheme, ParamsIPA, ParamsVerifierIPA}; use crate::poly::ipa::msm::MSMIPA; @@ -63,7 +63,7 @@ impl<'params, C: CurveAffine> Verifier<'params, IPACommitmentScheme> // while the inner vec corresponds to the points in a particular set. let mut q_eval_sets = Vec::with_capacity(point_sets.len()); for point_set in point_sets.iter() { - q_eval_sets.push(vec![C::Scalar::zero(); point_set.len()]); + q_eval_sets.push(vec![C::Scalar::ZERO; point_set.len()]); } { let mut accumulate = |set_idx: usize, @@ -72,7 +72,7 @@ impl<'params, C: CurveAffine> Verifier<'params, IPACommitmentScheme> q_commitments[set_idx].scale(*x_1); match new_commitment { CommitmentReference::Commitment(c) => { - q_commitments[set_idx].append_term(C::Scalar::one(), (*c).into()); + q_commitments[set_idx].append_term(C::Scalar::ONE, (*c).into()); } CommitmentReference::MSM(msm) => { q_commitments[set_idx].add_msm(msm); @@ -116,7 +116,7 @@ impl<'params, C: CurveAffine> Verifier<'params, IPACommitmentScheme> .zip(q_eval_sets.iter()) .zip(u.iter()) .fold( - C::Scalar::zero(), + C::Scalar::ZERO, |msm_eval, ((points, evals), proof_eval)| { let r_poly = lagrange_interpolate(points, evals); let r_eval = eval_polynomial(&r_poly, *x_3); @@ -132,7 +132,7 @@ impl<'params, C: CurveAffine> Verifier<'params, IPACommitmentScheme> let x_4: ChallengeX4<_> = transcript.squeeze_challenge_scalar(); // Compute the final commitment that has to be opened - msm.append_term(C::Scalar::one(), q_prime_commitment.into()); + msm.append_term(C::Scalar::ONE, q_prime_commitment.into()); let (msm, v) = q_commitments.into_iter().zip(u.iter()).fold( (msm, msm_eval), |(mut msm, msm_eval), (q_commitment, q_eval)| { diff --git a/halo2_proofs/src/poly/ipa/strategy.rs b/halo2_proofs/src/poly/ipa/strategy.rs index 6f3b4b72..c8d385f9 100644 --- a/halo2_proofs/src/poly/ipa/strategy.rs +++ b/halo2_proofs/src/poly/ipa/strategy.rs @@ -70,7 +70,7 @@ impl<'params, C: CurveAffine> GuardIPA<'params, C> { /// Computes G = ⟨s, params.g⟩ pub fn compute_g(&self) -> C { - let s = compute_s(&self.u, C::Scalar::one()); + let s = compute_s(&self.u, C::Scalar::ONE); best_multiexp(&s, &self.msm.params.g).to_affine() } @@ -160,7 +160,7 @@ impl<'params, C: CurveAffine> /// Computes the coefficients of $g(X) = \prod\limits_{i=0}^{k-1} (1 + u_{k - 1 - i} X^{2^i})$. fn compute_s(u: &[F], init: F) -> Vec { assert!(!u.is_empty()); - let mut v = vec![F::zero(); 1 << u.len()]; + let mut v = vec![F::ZERO; 1 << u.len()]; v[0] = init; for (len, u_j) in u.iter().rev().enumerate().map(|(i, u_j)| (1 << i, u_j)) { diff --git a/halo2_proofs/src/poly/kzg/commitment.rs b/halo2_proofs/src/poly/kzg/commitment.rs index 08665667..f9fc508c 100644 --- a/halo2_proofs/src/poly/kzg/commitment.rs +++ b/halo2_proofs/src/poly/kzg/commitment.rs @@ -1,5 +1,5 @@ use crate::arithmetic::{ - best_fft, best_multiexp, g_to_lagrange, parallelize, CurveAffine, CurveExt, FieldExt, Group, + best_fft, best_multiexp, g_to_lagrange, parallelize, CurveAffine, CurveExt, }; use crate::helpers::SerdeCurveAffine; use crate::poly::commitment::{Blind, CommitmentScheme, Params, ParamsProver, ParamsVerifier, MSM}; @@ -7,7 +7,7 @@ use crate::poly::{Coeff, LagrangeCoeff, Polynomial}; use crate::SerdeFormat; use ff::{Field, PrimeField}; -use group::{prime::PrimeCurveAffine, Curve, Group as _}; +use group::{prime::PrimeCurveAffine, Curve, Group}; use halo2curves::pairing::Engine; use rand_core::{OsRng, RngCore}; use std::fmt::Debug; @@ -37,6 +37,7 @@ pub struct KZGCommitmentScheme { impl CommitmentScheme for KZGCommitmentScheme where + E::Scalar: PrimeField, E::G1Affine: SerdeCurveAffine, E::G2Affine: SerdeCurveAffine, { @@ -55,7 +56,10 @@ where } } -impl ParamsKZG { +impl ParamsKZG +where + E::Scalar: PrimeField, +{ /// Initializes parameters for the curve, draws toxic secret from given rng. /// MUST NOT be used in production. pub fn setup(k: u32, rng: R) -> Self { @@ -80,7 +84,7 @@ impl ParamsKZG { // Calculate g = [G1, [s] G1, [s^2] G1, ..., [s^(n-1)] G1] in parallel. let g1 = E::G1Affine::generator(); - let mut g_projective = vec![E::G1::group_zero(); n as usize]; + let mut g_projective = vec![E::G1::identity(); n as usize]; parallelize(&mut g_projective, |g, start| { let mut current_g: E::G1 = g1.into(); current_g *= s.pow_vartime([start as u64]); @@ -98,14 +102,14 @@ impl ParamsKZG { g }; - let mut g_lagrange_projective = vec![E::G1::group_zero(); n as usize]; + let mut g_lagrange_projective = vec![E::G1::identity(); n as usize]; let mut root = E::Scalar::ROOT_OF_UNITY_INV.invert().unwrap(); for _ in k..E::Scalar::S { root = root.square(); } let n_inv = Option::::from(E::Scalar::from(n).invert()) .expect("inversion should be ok for n = 1< = ParamsKZG; impl<'params, E: Engine + Debug> Params<'params, E::G1Affine> for ParamsKZG where + E::Scalar: PrimeField, E::G1Affine: SerdeCurveAffine, E::G2Affine: SerdeCurveAffine, { @@ -316,6 +321,7 @@ where impl<'params, E: Engine + Debug> ParamsVerifier<'params, E::G1Affine> for ParamsKZG where + E::Scalar: PrimeField, E::G1Affine: SerdeCurveAffine, E::G2Affine: SerdeCurveAffine, { @@ -323,6 +329,7 @@ where impl<'params, E: Engine + Debug> ParamsProver<'params, E::G1Affine> for ParamsKZG where + E::Scalar: PrimeField, E::G1Affine: SerdeCurveAffine, E::G2Affine: SerdeCurveAffine, { @@ -352,9 +359,7 @@ where #[cfg(test)] mod test { - use crate::arithmetic::{ - best_fft, best_multiexp, parallelize, CurveAffine, CurveExt, FieldExt, Group, - }; + use crate::arithmetic::{best_fft, best_multiexp, parallelize, CurveAffine, CurveExt}; use crate::poly::commitment::ParamsProver; use crate::poly::commitment::{Blind, CommitmentScheme, Params, MSM}; use crate::poly::kzg::commitment::{ParamsKZG, ParamsVerifierKZG}; @@ -363,7 +368,7 @@ mod test { use crate::poly::{Coeff, LagrangeCoeff, Polynomial}; use ff::{Field, PrimeField}; - use group::{prime::PrimeCurveAffine, Curve, Group as _}; + use group::{prime::PrimeCurveAffine, Curve, Group}; use halo2curves::bn256::G1Affine; use std::marker::PhantomData; use std::ops::{Add, AddAssign, Mul, MulAssign}; @@ -403,7 +408,7 @@ mod test { use rand_core::OsRng; use super::super::commitment::{Blind, Params}; - use crate::arithmetic::{eval_polynomial, FieldExt}; + use crate::arithmetic::eval_polynomial; use crate::halo2curves::bn256::{Bn256, Fr}; use crate::poly::EvaluationDomain; diff --git a/halo2_proofs/src/poly/kzg/msm.rs b/halo2_proofs/src/poly/kzg/msm.rs index 6cc90a51..abd8309f 100644 --- a/halo2_proofs/src/poly/kzg/msm.rs +++ b/halo2_proofs/src/poly/kzg/msm.rs @@ -27,7 +27,7 @@ impl MSMKZG { /// Prepares all scalars in the MSM to linear combination pub fn combine_with_base(&mut self, base: E::Scalar) { use ff::Field; - let mut acc = E::Scalar::one(); + let mut acc = E::Scalar::ONE; if !self.scalars.is_empty() { for scalar in self.scalars.iter_mut().rev() { *scalar *= &acc; diff --git a/halo2_proofs/src/poly/kzg/multiopen/gwc.rs b/halo2_proofs/src/poly/kzg/multiopen/gwc.rs index 4869238a..8e7d742f 100644 --- a/halo2_proofs/src/poly/kzg/multiopen/gwc.rs +++ b/halo2_proofs/src/poly/kzg/multiopen/gwc.rs @@ -5,7 +5,7 @@ pub use prover::ProverGWC; pub use verifier::VerifierGWC; use crate::{ - arithmetic::{eval_polynomial, CurveAffine, FieldExt}, + arithmetic::{eval_polynomial, CurveAffine}, poly::{ commitment::{Params, ParamsVerifier}, query::Query, @@ -13,7 +13,7 @@ use crate::{ }, transcript::ChallengeScalar, }; - +use ff::Field; use std::{ collections::{BTreeMap, BTreeSet}, marker::PhantomData, @@ -27,13 +27,13 @@ type ChallengeU = ChallengeScalar; struct V {} type ChallengeV = ChallengeScalar; -struct CommitmentData> { +struct CommitmentData> { queries: Vec, point: F, _marker: PhantomData, } -fn construct_intermediate_sets>(queries: I) -> Vec> +fn construct_intermediate_sets>(queries: I) -> Vec> where I: IntoIterator + Clone, { diff --git a/halo2_proofs/src/poly/kzg/multiopen/gwc/prover.rs b/halo2_proofs/src/poly/kzg/multiopen/gwc/prover.rs index ee8a549a..d5d977fb 100644 --- a/halo2_proofs/src/poly/kzg/multiopen/gwc/prover.rs +++ b/halo2_proofs/src/poly/kzg/multiopen/gwc/prover.rs @@ -1,5 +1,5 @@ use super::{construct_intermediate_sets, ChallengeV, Query}; -use crate::arithmetic::{eval_polynomial, kate_division, powers, CurveAffine, FieldExt}; +use crate::arithmetic::{eval_polynomial, kate_division, powers, CurveAffine}; use crate::helpers::SerdeCurveAffine; use crate::poly::commitment::ParamsProver; use crate::poly::commitment::Prover; @@ -12,7 +12,7 @@ use crate::poly::{ }; use crate::transcript::{EncodedChallenge, TranscriptWrite}; -use ff::Field; +use ff::{Field, PrimeField}; use group::Curve; use halo2curves::pairing::Engine; use rand_core::RngCore; @@ -29,6 +29,7 @@ pub struct ProverGWC<'params, E: Engine> { /// Create a multi-opening proof impl<'params, E: Engine + Debug> Prover<'params, KZGCommitmentScheme> for ProverGWC<'params, E> where + E::Scalar: PrimeField, E::G1Affine: SerdeCurveAffine, E::G2Affine: SerdeCurveAffine, { diff --git a/halo2_proofs/src/poly/kzg/multiopen/gwc/verifier.rs b/halo2_proofs/src/poly/kzg/multiopen/gwc/verifier.rs index 22fa1394..1d0c9468 100644 --- a/halo2_proofs/src/poly/kzg/multiopen/gwc/verifier.rs +++ b/halo2_proofs/src/poly/kzg/multiopen/gwc/verifier.rs @@ -3,7 +3,7 @@ use std::io::Read; use std::marker::PhantomData; use super::{construct_intermediate_sets, ChallengeU, ChallengeV}; -use crate::arithmetic::{eval_polynomial, lagrange_interpolate, powers, CurveAffine, FieldExt}; +use crate::arithmetic::{eval_polynomial, lagrange_interpolate, powers, CurveAffine}; use crate::helpers::SerdeCurveAffine; use crate::poly::commitment::Verifier; use crate::poly::commitment::MSM; @@ -19,7 +19,7 @@ use crate::poly::{ }; use crate::transcript::{EncodedChallenge, TranscriptRead}; -use ff::Field; +use ff::{Field, PrimeField}; use group::Group; use halo2curves::pairing::{Engine, MillerLoopResult, MultiMillerLoop}; use rand_core::OsRng; @@ -33,6 +33,7 @@ pub struct VerifierGWC<'params, E: Engine> { impl<'params, E> Verifier<'params, KZGCommitmentScheme> for VerifierGWC<'params, E> where E: MultiMillerLoop + Debug, + E::Scalar: PrimeField, E::G1Affine: SerdeCurveAffine, E::G2Affine: SerdeCurveAffine, { @@ -70,7 +71,7 @@ where let u: ChallengeU<_> = transcript.squeeze_challenge_scalar(); let mut commitment_multi = MSMKZG::::new(); - let mut eval_multi = E::Scalar::zero(); + let mut eval_multi = E::Scalar::ZERO; let mut witness = MSMKZG::::new(); let mut witness_with_aux = MSMKZG::::new(); diff --git a/halo2_proofs/src/poly/kzg/multiopen/shplonk.rs b/halo2_proofs/src/poly/kzg/multiopen/shplonk.rs index 0b1a2492..d14132fb 100644 --- a/halo2_proofs/src/poly/kzg/multiopen/shplonk.rs +++ b/halo2_proofs/src/poly/kzg/multiopen/shplonk.rs @@ -1,20 +1,20 @@ mod prover; mod verifier; -pub use prover::ProverSHPLONK; -pub use verifier::VerifierSHPLONK; - use crate::{ - arithmetic::{eval_polynomial, lagrange_interpolate, CurveAffine, FieldExt}, + arithmetic::{eval_polynomial, lagrange_interpolate, CurveAffine}, poly::{query::Query, Coeff, Polynomial}, transcript::ChallengeScalar, }; +use ff::Field; +pub use prover::ProverSHPLONK; use rayon::prelude::*; use std::{ collections::{btree_map::Entry, BTreeMap, BTreeSet, HashMap, HashSet}, marker::PhantomData, sync::Arc, }; +pub use verifier::VerifierSHPLONK; #[derive(Clone, Copy, Debug)] struct U {} @@ -29,9 +29,9 @@ struct Y {} type ChallengeY = ChallengeScalar; #[derive(Debug, Clone, PartialEq)] -struct Commitment((T, Vec)); +struct Commitment((T, Vec)); -impl Commitment { +impl Commitment { fn get(&self) -> T { self.0 .0.clone() } @@ -42,18 +42,18 @@ impl Commitment { } #[derive(Debug, Clone, PartialEq)] -struct RotationSet { +struct RotationSet { commitments: Vec>, points: Vec, } #[derive(Debug, PartialEq)] -struct IntermediateSets> { +struct IntermediateSets> { rotation_sets: Vec>, super_point_set: BTreeSet, } -fn construct_intermediate_sets>( +fn construct_intermediate_sets>( queries: I, ) -> IntermediateSets where @@ -157,8 +157,8 @@ mod proptests { use super::{construct_intermediate_sets, Commitment, IntermediateSets}; use crate::poly::Rotation; - use halo2curves::{pasta::Fp, FieldExt}; - + use ff::{Field, FromUniformBytes}; + use halo2curves::pasta::Fp; use std::collections::BTreeMap; use std::convert::TryFrom; @@ -190,7 +190,7 @@ mod proptests { fn arb_point()( bytes in vec(any::(), 64) ) -> Fp { - Fp::from_bytes_wide(&<[u8; 64]>::try_from(bytes).unwrap()) + Fp::from_uniform_bytes(&<[u8; 64]>::try_from(bytes).unwrap()) } } diff --git a/halo2_proofs/src/poly/kzg/multiopen/shplonk/prover.rs b/halo2_proofs/src/poly/kzg/multiopen/shplonk/prover.rs index 3206364b..bb50eafe 100644 --- a/halo2_proofs/src/poly/kzg/multiopen/shplonk/prover.rs +++ b/halo2_proofs/src/poly/kzg/multiopen/shplonk/prover.rs @@ -3,7 +3,7 @@ use super::{ }; use crate::arithmetic::{ eval_polynomial, evaluate_vanishing_polynomial, kate_division, lagrange_interpolate, - parallelize, powers, CurveAffine, FieldExt, + parallelize, powers, CurveAffine, }; use crate::helpers::SerdeCurveAffine; use crate::poly::commitment::{Blind, ParamsProver, Prover}; @@ -13,7 +13,7 @@ use crate::poly::Rotation; use crate::poly::{commitment::Params, Coeff, Polynomial}; use crate::transcript::{EncodedChallenge, TranscriptWrite}; -use ff::Field; +use ff::{Field, PrimeField}; use group::Curve; use halo2curves::pairing::Engine; use rand_core::RngCore; @@ -23,7 +23,7 @@ use std::io::{self, Write}; use std::marker::PhantomData; use std::ops::MulAssign; -fn div_by_vanishing(poly: Polynomial, roots: &[F]) -> Vec { +fn div_by_vanishing(poly: Polynomial, roots: &[F]) -> Vec { let poly = roots .iter() .fold(poly.values, |poly, point| kate_division(&poly, *point)); @@ -105,6 +105,7 @@ impl<'a, E: Engine> ProverSHPLONK<'a, E> { impl<'params, E: Engine + Debug> Prover<'params, KZGCommitmentScheme> for ProverSHPLONK<'params, E> where + E::Scalar: Ord + PrimeField, E::G1Affine: SerdeCurveAffine, E::G2Affine: SerdeCurveAffine, { @@ -162,7 +163,7 @@ where // Q_i(X) = N_i(X) / Z_i(X) where // Z_i(X) = (x - r_i_0) * (x - r_i_1) * ... let mut poly = div_by_vanishing(n_x, points); - poly.resize(self.params.n as usize, E::Scalar::zero()); + poly.resize(self.params.n as usize, E::Scalar::ZERO); Polynomial { values: poly, @@ -261,7 +262,7 @@ where #[cfg(debug_assertions)] { let must_be_zero = eval_polynomial(&l_x.values[..], *u); - assert_eq!(must_be_zero, E::Scalar::zero()); + assert_eq!(must_be_zero, E::Scalar::ZERO); } let mut h_x = div_by_vanishing(l_x, &[*u]); diff --git a/halo2_proofs/src/poly/kzg/multiopen/shplonk/verifier.rs b/halo2_proofs/src/poly/kzg/multiopen/shplonk/verifier.rs index 11ffa880..d1d1660e 100644 --- a/halo2_proofs/src/poly/kzg/multiopen/shplonk/verifier.rs +++ b/halo2_proofs/src/poly/kzg/multiopen/shplonk/verifier.rs @@ -5,7 +5,6 @@ use super::ChallengeY; use super::{construct_intermediate_sets, ChallengeU, ChallengeV}; use crate::arithmetic::{ eval_polynomial, evaluate_vanishing_polynomial, lagrange_interpolate, powers, CurveAffine, - FieldExt, }; use crate::helpers::SerdeCurveAffine; use crate::poly::commitment::Verifier; @@ -22,7 +21,7 @@ use crate::poly::{ Error, }; use crate::transcript::{EncodedChallenge, TranscriptRead}; -use ff::Field; +use ff::{Field, PrimeField}; use group::Group; use halo2curves::pairing::{Engine, MillerLoopResult, MultiMillerLoop}; use rand_core::OsRng; @@ -37,6 +36,7 @@ pub struct VerifierSHPLONK<'params, E: Engine> { impl<'params, E> Verifier<'params, KZGCommitmentScheme> for VerifierSHPLONK<'params, E> where E: MultiMillerLoop + Debug, + E::Scalar: PrimeField + Ord, E::G1Affine: SerdeCurveAffine, E::G2Affine: SerdeCurveAffine, { @@ -77,8 +77,8 @@ where let u: ChallengeU<_> = transcript.squeeze_challenge_scalar(); let h2 = transcript.read_point().map_err(|_| Error::SamplingError)?; - let (mut z_0_diff_inverse, mut z_0) = (E::Scalar::zero(), E::Scalar::zero()); - let (mut outer_msm, mut r_outer_acc) = (PreMSM::::new(), E::Scalar::zero()); + let (mut z_0_diff_inverse, mut z_0) = (E::Scalar::ZERO, E::Scalar::ZERO); + let (mut outer_msm, mut r_outer_acc) = (PreMSM::::new(), E::Scalar::ZERO); for (i, (rotation_set, power_of_v)) in rotation_sets.iter().zip(powers(*v)).enumerate() { let diffs: Vec = super_point_set .iter() @@ -91,7 +91,7 @@ where if i == 0 { z_0 = evaluate_vanishing_polynomial(&rotation_set.points[..], *u); z_0_diff_inverse = z_diff_i.invert().unwrap(); - z_diff_i = E::Scalar::one(); + z_diff_i = E::Scalar::ONE; } else { z_diff_i.mul_assign(z_0_diff_inverse); } @@ -137,9 +137,7 @@ where outer_msm.append_term(-z_0, h1.into()); outer_msm.append_term(*u, h2.into()); - msm_accumulator - .left - .append_term(E::Scalar::one(), h2.into()); + msm_accumulator.left.append_term(E::Scalar::ONE, h2.into()); msm_accumulator.right.add_msm(&outer_msm); diff --git a/halo2_proofs/src/poly/kzg/strategy.rs b/halo2_proofs/src/poly/kzg/strategy.rs index ca4b4fb1..15cdba20 100644 --- a/halo2_proofs/src/poly/kzg/strategy.rs +++ b/halo2_proofs/src/poly/kzg/strategy.rs @@ -15,7 +15,7 @@ use crate::{ }, transcript::{EncodedChallenge, TranscriptRead}, }; -use ff::Field; +use ff::{Field, PrimeField}; use group::Group; use halo2curves::{ pairing::{Engine, MillerLoopResult, MultiMillerLoop}, @@ -32,6 +32,7 @@ pub struct GuardKZG<'params, E: MultiMillerLoop + Debug> { /// Define accumulator type as `DualMSM` impl<'params, E> Guard> for GuardKZG<'params, E> where + E::Scalar: PrimeField, E: MultiMillerLoop + Debug, E::G1Affine: SerdeCurveAffine, E::G2Affine: SerdeCurveAffine, @@ -92,6 +93,7 @@ impl< >, > VerificationStrategy<'params, KZGCommitmentScheme, V> for AccumulatorStrategy<'params, E> where + E::Scalar: PrimeField, E::G1Affine: SerdeCurveAffine, E::G2Affine: SerdeCurveAffine, { @@ -130,6 +132,7 @@ impl< >, > VerificationStrategy<'params, KZGCommitmentScheme, V> for SingleStrategy<'params, E> where + E::Scalar: PrimeField, E::G1Affine: SerdeCurveAffine, E::G2Affine: SerdeCurveAffine, { diff --git a/halo2_proofs/src/poly/multiopen_test.rs b/halo2_proofs/src/poly/multiopen_test.rs index 8dd563b1..d57243f7 100644 --- a/halo2_proofs/src/poly/multiopen_test.rs +++ b/halo2_proofs/src/poly/multiopen_test.rs @@ -1,6 +1,6 @@ #[cfg(test)] mod test { - use crate::arithmetic::{eval_polynomial, FieldExt}; + use crate::arithmetic::eval_polynomial; use crate::plonk::Error; use crate::poly::commitment::ParamsProver; use crate::poly::commitment::{Blind, ParamsVerifier, MSM}; @@ -17,7 +17,7 @@ mod test { Keccak256Write, TranscriptRead, TranscriptReadBuffer, TranscriptWrite, TranscriptWriterBuffer, }; - use ff::Field; + use ff::{Field, PrimeField, WithSmallOrderMulGroup}; use group::{Curve, Group}; use halo2curves::CurveAffine; use rand_core::{OsRng, RngCore}; @@ -233,28 +233,25 @@ mod test { T: TranscriptWriterBuffer, Scheme::Curve, E>, >( params: &'params Scheme::ParamsProver, - ) -> Vec { + ) -> Vec + where + Scheme::Scalar: WithSmallOrderMulGroup<3>, + { let domain = EvaluationDomain::new(1, params.k()); let mut ax = domain.empty_coeff(); for (i, a) in ax.iter_mut().enumerate() { - *a = <::Curve as CurveAffine>::ScalarExt::from( - 10 + i as u64, - ); + *a = <::Scalar>::from(10 + i as u64); } let mut bx = domain.empty_coeff(); for (i, a) in bx.iter_mut().enumerate() { - *a = <::Curve as CurveAffine>::ScalarExt::from( - 100 + i as u64, - ); + *a = <::Scalar>::from(100 + i as u64); } let mut cx = domain.empty_coeff(); for (i, a) in cx.iter_mut().enumerate() { - *a = <::Curve as CurveAffine>::ScalarExt::from( - 100 + i as u64, - ); + *a = <::Scalar>::from(100 + i as u64); } let mut transcript = T::init(vec![]); diff --git a/halo2_proofs/src/transcript.rs b/halo2_proofs/src/transcript.rs index 8907f977..166b0e6f 100644 --- a/halo2_proofs/src/transcript.rs +++ b/halo2_proofs/src/transcript.rs @@ -2,11 +2,11 @@ //! transcripts. use blake2b_simd::{Params as Blake2bParams, State as Blake2bState}; -use group::ff::PrimeField; +use group::ff::{FromUniformBytes, PrimeField}; use sha3::{Digest, Keccak256}; use std::convert::TryInto; -use halo2curves::{Coordinates, CurveAffine, FieldExt}; +use halo2curves::{Coordinates, CurveAffine}; use std::io::{self, Read, Write}; use std::marker::PhantomData; @@ -119,6 +119,8 @@ pub struct Keccak256Read> { impl TranscriptReadBuffer> for Blake2bRead> +where + C::Scalar: FromUniformBytes<64>, { /// Initialize a transcript given an input buffer. fn init(reader: R) -> Self { @@ -135,6 +137,8 @@ impl TranscriptReadBuffer> impl TranscriptReadBuffer> for Keccak256Read> +where + C::Scalar: FromUniformBytes<64>, { /// Initialize a transcript given an input buffer. fn init(reader: R) -> Self { @@ -150,6 +154,8 @@ impl TranscriptReadBuffer> impl TranscriptRead> for Blake2bRead> +where + C::Scalar: FromUniformBytes<64>, { fn read_point(&mut self) -> io::Result { let mut compressed = C::Repr::default(); @@ -179,6 +185,8 @@ impl TranscriptRead> impl TranscriptRead> for Keccak256Read> +where + C::Scalar: FromUniformBytes<64>, { fn read_point(&mut self) -> io::Result { let mut compressed = C::Repr::default(); @@ -206,8 +214,9 @@ impl TranscriptRead> } } -impl Transcript> - for Blake2bRead> +impl Transcript> for Blake2bRead> +where + C::Scalar: FromUniformBytes<64>, { fn squeeze_challenge(&mut self) -> Challenge255 { self.state.update(&[BLAKE2B_PREFIX_CHALLENGE]); @@ -240,6 +249,8 @@ impl Transcript> impl Transcript> for Keccak256Read> +where + C::Scalar: FromUniformBytes<64>, { fn squeeze_challenge(&mut self) -> Challenge255 { self.state.update(&[KECCAK256_PREFIX_CHALLENGE]); @@ -298,6 +309,8 @@ pub struct Keccak256Write> { impl TranscriptWriterBuffer> for Blake2bWrite> +where + C::Scalar: FromUniformBytes<64>, { /// Initialize a transcript given an output buffer. fn init(writer: W) -> Self { @@ -319,6 +332,8 @@ impl TranscriptWriterBuffer> impl TranscriptWriterBuffer> for Keccak256Write> +where + C::Scalar: FromUniformBytes<64>, { /// Initialize a transcript given an output buffer. fn init(writer: W) -> Self { @@ -340,6 +355,8 @@ impl TranscriptWriterBuffer> impl TranscriptWrite> for Blake2bWrite> +where + C::Scalar: FromUniformBytes<64>, { fn write_point(&mut self, point: C) -> io::Result<()> { self.common_point(point)?; @@ -355,6 +372,8 @@ impl TranscriptWrite> impl TranscriptWrite> for Keccak256Write> +where + C::Scalar: FromUniformBytes<64>, { fn write_point(&mut self, point: C) -> io::Result<()> { self.common_point(point)?; @@ -370,6 +389,8 @@ impl TranscriptWrite> impl Transcript> for Blake2bWrite> +where + C::Scalar: FromUniformBytes<64>, { fn squeeze_challenge(&mut self) -> Challenge255 { self.state.update(&[BLAKE2B_PREFIX_CHALLENGE]); @@ -402,6 +423,8 @@ impl Transcript> impl Transcript> for Keccak256Write> +where + C::Scalar: FromUniformBytes<64>, { fn squeeze_challenge(&mut self) -> Challenge255 { self.state.update(&[KECCAK256_PREFIX_CHALLENGE]); @@ -496,12 +519,15 @@ impl std::ops::Deref for Challenge255 { } } -impl EncodedChallenge for Challenge255 { +impl EncodedChallenge for Challenge255 +where + C::Scalar: FromUniformBytes<64>, +{ type Input = [u8; 64]; fn new(challenge_input: &[u8; 64]) -> Self { Challenge255( - C::Scalar::from_bytes_wide(challenge_input) + C::Scalar::from_uniform_bytes(challenge_input) .to_repr() .as_ref() .try_into() diff --git a/halo2_proofs/src/transcript/poseidon.rs b/halo2_proofs/src/transcript/poseidon.rs index d9da18a4..b6561d67 100644 --- a/halo2_proofs/src/transcript/poseidon.rs +++ b/halo2_proofs/src/transcript/poseidon.rs @@ -1,9 +1,7 @@ use super::{Challenge255, EncodedChallenge, Transcript, TranscriptRead, TranscriptWrite}; use crate::helpers::base_to_scalar; -use ff::Field; -use group::ff::PrimeField; -use halo2curves::{Coordinates, CurveAffine, FieldExt}; -use num_bigint::BigUint; +use group::ff::{FromUniformBytes, PrimeField}; +use halo2curves::{Coordinates, CurveAffine}; use poseidon::Poseidon; use std::convert::TryInto; use std::io::{self, Read, Write}; @@ -15,13 +13,16 @@ const POSEIDON_T: usize = POSEIDON_RATE + 1usize; /// TODO #[derive(Debug, Clone)] pub struct PoseidonRead> { - state: Poseidon, + state: Poseidon, reader: R, _marker: PhantomData<(C, E)>, } /// TODO -impl> PoseidonRead { +impl> PoseidonRead +where + ::ScalarExt: FromUniformBytes<64>, +{ /// Initialize a transcript given an input buffer. pub fn init(reader: R) -> Self { PoseidonRead { @@ -34,6 +35,8 @@ impl> PoseidonRead { impl TranscriptRead> for PoseidonRead> +where + ::ScalarExt: FromUniformBytes<64>, { fn read_point(&mut self) -> io::Result { let mut compressed = C::Repr::default(); @@ -64,8 +67,9 @@ impl TranscriptRead> } } -impl Transcript> - for PoseidonRead> +impl Transcript> for PoseidonRead> +where + ::ScalarExt: FromUniformBytes<64>, { fn squeeze_challenge(&mut self) -> Challenge255 { //self.state.update(&[PREFIX_SQUEEZE]); @@ -101,12 +105,15 @@ impl Transcript> /// TODO #[derive(Debug, Clone)] pub struct PoseidonWrite> { - state: Poseidon, + state: Poseidon, writer: W, _marker: PhantomData<(C, E)>, } -impl> PoseidonWrite { +impl> PoseidonWrite +where + ::ScalarExt: FromUniformBytes<64>, +{ /// Initialize a transcript given an output buffer. pub fn init(writer: W) -> Self { PoseidonWrite { @@ -125,6 +132,8 @@ impl> PoseidonWrite { impl TranscriptWrite> for PoseidonWrite> +where + ::ScalarExt: FromUniformBytes<64>, { fn write_point(&mut self, point: C) -> io::Result<()> { self.common_point(point)?; @@ -140,6 +149,8 @@ impl TranscriptWrite> impl Transcript> for PoseidonWrite> +where + ::ScalarExt: FromUniformBytes<64>, { fn squeeze_challenge(&mut self) -> Challenge255 { //self.state.update(&[PREFIX_SQUEEZE]); diff --git a/halo2_proofs/tests/plonk_api.rs b/halo2_proofs/tests/plonk_api.rs index 778cf840..187280b0 100644 --- a/halo2_proofs/tests/plonk_api.rs +++ b/halo2_proofs/tests/plonk_api.rs @@ -1,10 +1,8 @@ #![allow(clippy::many_single_char_names)] #![allow(clippy::op_ref)] -// use assert_matches::assert_matches; -use halo2_proofs::arithmetic::{Field, FieldExt}; -#[cfg(feature = "parallel_syn")] -use halo2_proofs::circuit::Region; +use ff::{FromUniformBytes, WithSmallOrderMulGroup}; +use halo2_proofs::arithmetic::Field; use halo2_proofs::circuit::{Cell, Layouter, SimpleFloorPlanner, Value}; use halo2_proofs::dev::MockProver; use halo2_proofs::plonk::{ @@ -13,380 +11,265 @@ use halo2_proofs::plonk::{ VerifyingKey, }; use halo2_proofs::poly::commitment::{CommitmentScheme, ParamsProver, Prover, Verifier}; -use halo2_proofs::poly::kzg::commitment::{KZGCommitmentScheme, ParamsKZG}; -use halo2_proofs::poly::kzg::multiopen::{ProverGWC, VerifierGWC}; -use halo2_proofs::poly::kzg::strategy::AccumulatorStrategy; use halo2_proofs::poly::Rotation; use halo2_proofs::poly::VerificationStrategy; use halo2_proofs::transcript::{ Blake2bRead, Blake2bWrite, Challenge255, EncodedChallenge, TranscriptReadBuffer, TranscriptWriterBuffer, }; -use halo2curves::bn256::Bn256; use rand_core::{OsRng, RngCore}; use std::marker::PhantomData; use std::time::Instant; -const K: u32 = 17; - -/// This represents an advice column at a certain row in the ConstraintSystem -#[derive(Copy, Clone, Debug)] -pub struct Variable(Column, usize); - -#[derive(Clone)] -struct PlonkConfig { - a: Column, - b: Column, - c: Column, - d: Column, - e: Column, - - sa: Column, - sb: Column, - sc: Column, - sm: Column, - sp: Column, - sl: TableColumn, -} - -impl PlonkConfig { - pub fn construct(meta: &mut ConstraintSystem) -> Self { - let e = meta.advice_column(); - let a = meta.advice_column(); - let b = meta.advice_column(); - let sf = meta.fixed_column(); - let c = meta.advice_column(); - let d = meta.advice_column(); - let p = meta.instance_column(); - - meta.enable_equality(a); - meta.enable_equality(b); - meta.enable_equality(c); - - let sm = meta.fixed_column(); - let sa = meta.fixed_column(); - let sb = meta.fixed_column(); - let sc = meta.fixed_column(); - let sp = meta.fixed_column(); - let sl = meta.lookup_table_column(); - - /* - * A B ... sl - * [ - * instance 0 ... 0 - * a a ... 0 - * a a^2 ... 0 - * a a ... 0 - * a a^2 ... 0 - * ... ... ... ... - * ... ... ... instance - * ... ... ... a - * ... ... ... a - * ... ... ... 0 - * ] - */ - - meta.lookup("lookup", |meta| { - let a_ = meta.query_any(a, Rotation::cur()); - vec![(a_, sl)] - }); - - meta.create_gate("Combined add-mult", |meta| { - let d = meta.query_advice(d, Rotation::next()); - let a = meta.query_advice(a, Rotation::cur()); - let sf = meta.query_fixed(sf, Rotation::cur()); - let e = meta.query_advice(e, Rotation::prev()); - let b = meta.query_advice(b, Rotation::cur()); - let c = meta.query_advice(c, Rotation::cur()); - - let sa = meta.query_fixed(sa, Rotation::cur()); - let sb = meta.query_fixed(sb, Rotation::cur()); - let sc = meta.query_fixed(sc, Rotation::cur()); - let sm = meta.query_fixed(sm, Rotation::cur()); - - vec![a.clone() * sa + b.clone() * sb + a * b * sm - (c * sc) + sf * (d * e)] - }); - - meta.create_gate("Public input", |meta| { - let a = meta.query_advice(a, Rotation::cur()); - let p = meta.query_instance(p, Rotation::cur()); - let sp = meta.query_fixed(sp, Rotation::cur()); - - vec![sp * (a - p)] - }); - - meta.enable_equality(sf); - meta.enable_equality(e); - meta.enable_equality(d); - meta.enable_equality(p); - meta.enable_equality(sm); - meta.enable_equality(sa); - meta.enable_equality(sb); - meta.enable_equality(sc); - meta.enable_equality(sp); - - PlonkConfig { - a, - b, - c, - d, - e, - sa, - sb, - sc, - sm, - sp, - sl, - } - } -} +#[cfg(feature = "parallel_syn")] +use halo2_proofs::circuit::Region; -#[allow(clippy::type_complexity)] -trait StandardCs { - fn raw_multiply( - &self, - layouter: &mut impl Layouter, - f: F, - ) -> Result<(Cell, Cell, Cell), Error> - where - F: FnMut() -> Value<(Assigned, Assigned, Assigned)>; - fn raw_add( - &self, - layouter: &mut impl Layouter, - f: F, - ) -> Result<(Cell, Cell, Cell), Error> - where - F: FnMut() -> Value<(Assigned, Assigned, Assigned)>; - fn copy(&self, layouter: &mut impl Layouter, a: Cell, b: Cell) -> Result<(), Error>; - fn public_input(&self, layouter: &mut impl Layouter, f: F) -> Result - where - F: FnMut() -> Value; - fn lookup_table(&self, layouter: &mut impl Layouter, values: &[FF]) -> Result<(), Error>; -} +#[test] +fn plonk_api() { + const K: u32 = 17; -struct StandardPlonk { - config: PlonkConfig, - _marker: PhantomData, -} + /// This represents an advice column at a certain row in the ConstraintSystem + #[derive(Copy, Clone, Debug)] + pub struct Variable(Column, usize); -impl StandardPlonk { - fn new(config: PlonkConfig) -> Self { - StandardPlonk { - config, - _marker: PhantomData, - } + #[derive(Clone)] + struct PlonkConfig { + a: Column, + b: Column, + c: Column, + d: Column, + e: Column, + + sa: Column, + sb: Column, + sc: Column, + sm: Column, + sp: Column, + sl: TableColumn, } -} -impl StandardCs for StandardPlonk { - fn raw_multiply( - &self, - layouter: &mut impl Layouter, - mut f: F, - ) -> Result<(Cell, Cell, Cell), Error> - where - F: FnMut() -> Value<(Assigned, Assigned, Assigned)>, - { - layouter.assign_region( - || "raw_multiply", - |mut region| { - let mut value = None; - let lhs = region.assign_advice( - || "lhs", - self.config.a, - 0, - || { - value = Some(f()); - value.unwrap().map(|v| v.0) - }, - )?; - region.assign_advice( - || "lhs^4", - self.config.d, - 0, - || value.unwrap().map(|v| v.0).square().square(), - )?; - let rhs = region.assign_advice( - || "rhs", - self.config.b, - 0, - || value.unwrap().map(|v| v.1), - )?; - region.assign_advice( - || "rhs^4", - self.config.e, - 0, - || value.unwrap().map(|v| v.1).square().square(), - )?; - let out = region.assign_advice( - || "out", - self.config.c, - 0, - || value.unwrap().map(|v| v.2), - )?; - - region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::zero()))?; - region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::zero()))?; - region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::one()))?; - region.assign_fixed(|| "a * b", self.config.sm, 0, || Value::known(FF::one()))?; - Ok((lhs.cell(), rhs.cell(), out.cell())) - }, - ) + #[allow(clippy::type_complexity)] + trait StandardCs { + fn raw_multiply( + &self, + layouter: &mut impl Layouter, + f: F, + ) -> Result<(Cell, Cell, Cell), Error> + where + F: FnMut() -> Value<(Assigned, Assigned, Assigned)>; + fn raw_add( + &self, + layouter: &mut impl Layouter, + f: F, + ) -> Result<(Cell, Cell, Cell), Error> + where + F: FnMut() -> Value<(Assigned, Assigned, Assigned)>; + fn copy(&self, layouter: &mut impl Layouter, a: Cell, b: Cell) -> Result<(), Error>; + fn public_input(&self, layouter: &mut impl Layouter, f: F) -> Result + where + F: FnMut() -> Value; + fn lookup_table( + &self, + layouter: &mut impl Layouter, + values: &[FF], + ) -> Result<(), Error>; } - fn raw_add( - &self, - layouter: &mut impl Layouter, - mut f: F, - ) -> Result<(Cell, Cell, Cell), Error> - where - F: FnMut() -> Value<(Assigned, Assigned, Assigned)>, - { - layouter.assign_region( - || "raw_add", - |mut region| { - let mut value = None; - let lhs = region.assign_advice( - || "lhs", - self.config.a, - 0, - || { - value = Some(f()); - value.unwrap().map(|v| v.0) - }, - )?; - region.assign_advice( - || "lhs^4", - self.config.d, - 0, - || value.unwrap().map(|v| v.0).square().square(), - )?; - let rhs = region.assign_advice( - || "rhs", - self.config.b, - 0, - || value.unwrap().map(|v| v.1), - )?; - region.assign_advice( - || "rhs^4", - self.config.e, - 0, - || value.unwrap().map(|v| v.1).square().square(), - )?; - let out = region.assign_advice( - || "out", - self.config.c, - 0, - || value.unwrap().map(|v| v.2), - )?; - - region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::one()))?; - region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::one()))?; - region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::one()))?; - region.assign_fixed(|| "a * b", self.config.sm, 0, || Value::known(FF::zero()))?; - Ok((lhs.cell(), rhs.cell(), out.cell())) - }, - ) + + #[derive(Clone)] + struct MyCircuit { + a: Value, + lookup_table: Vec, } - fn copy(&self, layouter: &mut impl Layouter, left: Cell, right: Cell) -> Result<(), Error> { - layouter.assign_region( - || "copy", - |mut region| { - region.constrain_equal(left, right)?; - region.constrain_equal(left, right) - }, - ) + + struct StandardPlonk { + config: PlonkConfig, + _marker: PhantomData, } - fn public_input(&self, layouter: &mut impl Layouter, mut f: F) -> Result - where - F: FnMut() -> Value, - { - layouter.assign_region( - || "public_input", - |mut region| { - let value = region.assign_advice(|| "value", self.config.a, 0, &mut f)?; - region.assign_fixed(|| "public", self.config.sp, 0, || Value::known(FF::one()))?; - Ok(value.cell()) - }, - ) + impl StandardPlonk { + fn new(config: PlonkConfig) -> Self { + StandardPlonk { + config, + _marker: PhantomData, + } + } } - fn lookup_table(&self, layouter: &mut impl Layouter, values: &[FF]) -> Result<(), Error> { - layouter.assign_table( - || "", - |mut table| { - for (index, &value) in values.iter().enumerate() { - table.assign_cell( - || "table col", - self.config.sl, - index, - || Value::known(value), + + impl StandardCs for StandardPlonk { + fn raw_multiply( + &self, + layouter: &mut impl Layouter, + mut f: F, + ) -> Result<(Cell, Cell, Cell), Error> + where + F: FnMut() -> Value<(Assigned, Assigned, Assigned)>, + { + layouter.assign_region( + || "raw_multiply", + |mut region| { + let mut value = None; + let lhs = region.assign_advice( + || "lhs", + self.config.a, + 0, + || { + value = Some(f()); + value.unwrap().map(|v| v.0) + }, + )?; + region.assign_advice( + || "lhs^4", + self.config.d, + 0, + || value.unwrap().map(|v| v.0).square().square(), + )?; + let rhs = region.assign_advice( + || "rhs", + self.config.b, + 0, + || value.unwrap().map(|v| v.1), + )?; + region.assign_advice( + || "rhs^4", + self.config.e, + 0, + || value.unwrap().map(|v| v.1).square().square(), + )?; + let out = region.assign_advice( + || "out", + self.config.c, + 0, + || value.unwrap().map(|v| v.2), )?; - } - Ok(()) - }, - )?; - Ok(()) - } -} -macro_rules! common { - ($scheme:ident) => {{ - let a = <$scheme as CommitmentScheme>::Scalar::from(2834758237) - * <$scheme as CommitmentScheme>::Scalar::ZETA; - let instance = <$scheme as CommitmentScheme>::Scalar::one() - + <$scheme as CommitmentScheme>::Scalar::one(); - let lookup_table = vec![ - instance, - a, - a, - <$scheme as CommitmentScheme>::Scalar::zero(), - ]; - (a, instance, lookup_table) - }}; -} + region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::ZERO))?; + region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::ZERO))?; + region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::ONE))?; + region.assign_fixed(|| "a * b", self.config.sm, 0, || Value::known(FF::ONE))?; + Ok((lhs.cell(), rhs.cell(), out.cell())) + }, + ) + } + fn raw_add( + &self, + layouter: &mut impl Layouter, + mut f: F, + ) -> Result<(Cell, Cell, Cell), Error> + where + F: FnMut() -> Value<(Assigned, Assigned, Assigned)>, + { + layouter.assign_region( + || "raw_add", + |mut region| { + let mut value = None; + let lhs = region.assign_advice( + || "lhs", + self.config.a, + 0, + || { + value = Some(f()); + value.unwrap().map(|v| v.0) + }, + )?; + region.assign_advice( + || "lhs^4", + self.config.d, + 0, + || value.unwrap().map(|v| v.0).square().square(), + )?; + let rhs = region.assign_advice( + || "rhs", + self.config.b, + 0, + || value.unwrap().map(|v| v.1), + )?; + region.assign_advice( + || "rhs^4", + self.config.e, + 0, + || value.unwrap().map(|v| v.1).square().square(), + )?; + let out = region.assign_advice( + || "out", + self.config.c, + 0, + || value.unwrap().map(|v| v.2), + )?; -fn verify_proof< - 'a, - 'params, - Scheme: CommitmentScheme, - V: Verifier<'params, Scheme>, - E: EncodedChallenge, - T: TranscriptReadBuffer<&'a [u8], Scheme::Curve, E>, - Strategy: VerificationStrategy<'params, Scheme, V, Output = Strategy>, ->( - params_verifier: &'params Scheme::ParamsVerifier, - vk: &VerifyingKey, - proof: &'a [u8], -) { - let (_, instance, _) = common!(Scheme); - let pubinputs = vec![instance]; - - let mut transcript = T::init(proof); - - let strategy = Strategy::new(params_verifier); - let strategy = verify_plonk_proof( - params_verifier, - vk, - strategy, - &[&[&pubinputs[..]], &[&pubinputs[..]]], - &mut transcript, - ) - .unwrap(); - - assert!(strategy.finalize()); -} + region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::ONE))?; + region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::ONE))?; + region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::ONE))?; + region.assign_fixed( + || "a * b", + self.config.sm, + 0, + || Value::known(FF::ZERO), + )?; + Ok((lhs.cell(), rhs.cell(), out.cell())) + }, + ) + } + fn copy( + &self, + layouter: &mut impl Layouter, + left: Cell, + right: Cell, + ) -> Result<(), Error> { + layouter.assign_region( + || "copy", + |mut region| { + region.constrain_equal(left, right)?; + region.constrain_equal(left, right) + }, + ) + } + fn public_input(&self, layouter: &mut impl Layouter, mut f: F) -> Result + where + F: FnMut() -> Value, + { + layouter.assign_region( + || "public_input", + |mut region| { + let value = region.assign_advice(|| "value", self.config.a, 0, &mut f)?; + region.assign_fixed( + || "public", + self.config.sp, + 0, + || Value::known(FF::ONE), + )?; -#[test] -fn plonk_api() { - #[derive(Clone)] - struct MyCircuit { - a: Value, - lookup_table: Vec, + Ok(value.cell()) + }, + ) + } + fn lookup_table( + &self, + layouter: &mut impl Layouter, + values: &[FF], + ) -> Result<(), Error> { + layouter.assign_table( + || "", + |mut table| { + for (index, &value) in values.iter().enumerate() { + table.assign_cell( + || "table col", + self.config.sl, + index, + || Value::known(value), + )?; + } + Ok(()) + }, + )?; + Ok(()) + } } - impl Circuit for MyCircuit { + impl Circuit for MyCircuit { type Config = PlonkConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { Self { @@ -396,7 +279,93 @@ fn plonk_api() { } fn configure(meta: &mut ConstraintSystem) -> PlonkConfig { - PlonkConfig::construct(meta) + let e = meta.advice_column(); + let a = meta.advice_column(); + let b = meta.advice_column(); + let sf = meta.fixed_column(); + let c = meta.advice_column(); + let d = meta.advice_column(); + let p = meta.instance_column(); + + meta.enable_equality(a); + meta.enable_equality(b); + meta.enable_equality(c); + + let sm = meta.fixed_column(); + let sa = meta.fixed_column(); + let sb = meta.fixed_column(); + let sc = meta.fixed_column(); + let sp = meta.fixed_column(); + let sl = meta.lookup_table_column(); + + /* + * A B ... sl + * [ + * instance 0 ... 0 + * a a ... 0 + * a a^2 ... 0 + * a a ... 0 + * a a^2 ... 0 + * ... ... ... ... + * ... ... ... instance + * ... ... ... a + * ... ... ... a + * ... ... ... 0 + * ] + */ + + meta.lookup("lookup", |meta| { + let a_ = meta.query_any(a, Rotation::cur()); + vec![(a_, sl)] + }); + + meta.create_gate("Combined add-mult", |meta| { + let d = meta.query_advice(d, Rotation::next()); + let a = meta.query_advice(a, Rotation::cur()); + let sf = meta.query_fixed(sf, Rotation::cur()); + let e = meta.query_advice(e, Rotation::prev()); + let b = meta.query_advice(b, Rotation::cur()); + let c = meta.query_advice(c, Rotation::cur()); + + let sa = meta.query_fixed(sa, Rotation::cur()); + let sb = meta.query_fixed(sb, Rotation::cur()); + let sc = meta.query_fixed(sc, Rotation::cur()); + let sm = meta.query_fixed(sm, Rotation::cur()); + + vec![a.clone() * sa + b.clone() * sb + a * b * sm - (c * sc) + sf * (d * e)] + }); + + meta.create_gate("Public input", |meta| { + let a = meta.query_advice(a, Rotation::cur()); + let p = meta.query_instance(p, Rotation::cur()); + let sp = meta.query_fixed(sp, Rotation::cur()); + + vec![sp * (a - p)] + }); + + meta.enable_equality(sf); + meta.enable_equality(e); + meta.enable_equality(d); + meta.enable_equality(p); + meta.enable_equality(sm); + meta.enable_equality(sa); + meta.enable_equality(sb); + meta.enable_equality(sc); + meta.enable_equality(sp); + + PlonkConfig { + a, + b, + c, + d, + e, + sa, + sb, + sc, + sm, + sp, + sl, + } } fn synthesize( @@ -405,10 +374,13 @@ fn plonk_api() { mut layouter: impl Layouter, ) -> Result<(), Error> { let cs = StandardPlonk::new(config); + + #[cfg(feature = "parallel_syn")] let mut is_first_pass_vec = vec![true; 8]; - let _ = cs.public_input(&mut layouter, || Value::known(F::one() + F::one()))?; + let _ = cs.public_input(&mut layouter, || Value::known(F::ONE + F::ONE))?; + #[cfg(feature = "parallel_syn")] let a: Value> = self.a.into(); let parallel_regions_time = Instant::now(); #[cfg(feature = "parallel_syn")] @@ -440,25 +412,25 @@ fn plonk_api() { || "a", cs.config.sa, i, - || Value::known(F::one()), + || Value::known(F::ONE), )?; region.assign_fixed( || "b", cs.config.sb, i, - || Value::known(F::one()), + || Value::known(F::ONE), )?; region.assign_fixed( || "c", cs.config.sc, i, - || Value::known(F::one()), + || Value::known(F::ONE), )?; region.assign_fixed( || "a * b", cs.config.sm, i, - || Value::known(F::zero()), + || Value::known(F::ZERO), )?; region.constrain_equal(a0.cell(), a1.cell())?; @@ -496,9 +468,54 @@ fn plonk_api() { Ok(()) } } - fn keygen( - params: &Scheme::ParamsProver, - ) -> ProvingKey { + + macro_rules! common { + ($scheme:ident) => {{ + let a = <$scheme as CommitmentScheme>::Scalar::from(2834758237) + * <$scheme as CommitmentScheme>::Scalar::ZETA; + let instance = <$scheme as CommitmentScheme>::Scalar::ONE + + <$scheme as CommitmentScheme>::Scalar::ONE; + let lookup_table = vec![instance, a, a, <$scheme as CommitmentScheme>::Scalar::ZERO]; + (a, instance, lookup_table) + }}; + } + + /* + macro_rules! bad_keys { + ($scheme:ident) => {{ + let (_, _, lookup_table) = common!($scheme); + let empty_circuit: MyCircuit<<$scheme as CommitmentScheme>::Scalar> = MyCircuit { + a: Value::unknown(), + lookup_table: lookup_table.clone(), + }; + + // Check that we get an error if we try to initialize the proving key with a value of + // k that is too small for the minimum required number of rows. + let much_too_small_params= <$scheme as CommitmentScheme>::ParamsProver::new(1); + assert_matches!( + keygen_vk(&much_too_small_params, &empty_circuit), + Err(Error::NotEnoughRowsAvailable { + current_k, + }) if current_k == 1 + ); + + // Check that we get an error if we try to initialize the proving key with a value of + // k that is too small for the number of rows the circuit uses. + let slightly_too_small_params = <$scheme as CommitmentScheme>::ParamsProver::new(K-1); + assert_matches!( + keygen_vk(&slightly_too_small_params, &empty_circuit), + Err(Error::NotEnoughRowsAvailable { + current_k, + }) if current_k == K - 1 + ); + }}; + } + */ + + fn keygen(params: &Scheme::ParamsProver) -> ProvingKey + where + Scheme::Scalar: FromUniformBytes<64> + WithSmallOrderMulGroup<3>, + { let (_, _, lookup_table) = common!(Scheme); let empty_circuit: MyCircuit = MyCircuit { a: Value::unknown(), @@ -526,7 +543,10 @@ fn plonk_api() { rng: R, params: &'params Scheme::ParamsProver, pk: &ProvingKey, - ) -> Vec { + ) -> Vec + where + Scheme::Scalar: Ord + WithSmallOrderMulGroup<3> + FromUniformBytes<64>, + { let (a, instance, lookup_table) = common!(Scheme); let circuit: MyCircuit = MyCircuit { @@ -549,6 +569,39 @@ fn plonk_api() { transcript.finalize() } + fn verify_proof< + 'a, + 'params, + Scheme: CommitmentScheme, + V: Verifier<'params, Scheme>, + E: EncodedChallenge, + T: TranscriptReadBuffer<&'a [u8], Scheme::Curve, E>, + Strategy: VerificationStrategy<'params, Scheme, V, Output = Strategy>, + >( + params_verifier: &'params Scheme::ParamsVerifier, + vk: &VerifyingKey, + proof: &'a [u8], + ) where + Scheme::Scalar: Ord + WithSmallOrderMulGroup<3> + FromUniformBytes<64>, + { + let (_, instance, _) = common!(Scheme); + let pubinputs = [instance]; + + let mut transcript = T::init(proof); + + let strategy = Strategy::new(params_verifier); + let strategy = verify_plonk_proof( + params_verifier, + vk, + strategy, + &[&[&pubinputs[..]], &[&pubinputs[..]]], + &mut transcript, + ) + .unwrap(); + + assert!(strategy.finalize()); + } + fn test_plonk_api_gwc() { use halo2_proofs::poly::kzg::commitment::{KZGCommitmentScheme, ParamsKZG}; use halo2_proofs::poly::kzg::multiopen::{ProverGWC, VerifierGWC}; @@ -649,6 +702,411 @@ fn plonk_api() { Blake2bRead<_, _, Challenge255<_>>, AccumulatorStrategy<_>, >(verifier_params, pk.get_vk(), &proof[..]); + + // Check that the verification key has not changed unexpectedly + // we comment this out because the circuit is already changed + /* + { + //panic!("{:#?}", pk.get_vk().pinned()); + assert_eq!( + format!("{:#?}", pk.get_vk().pinned()), + r#####"PinnedVerificationKey { + base_modulus: "0x40000000000000000000000000000000224698fc0994a8dd8c46eb2100000001", + scalar_modulus: "0x40000000000000000000000000000000224698fc094cf91b992d30ed00000001", + domain: PinnedEvaluationDomain { + k: 5, + extended_k: 7, + omega: 0x0cc3380dc616f2e1daf29ad1560833ed3baea3393eceb7bc8fa36376929b78cc, + }, + cs: PinnedConstraintSystem { + num_fixed_columns: 7, + num_advice_columns: 5, + num_instance_columns: 1, + num_selectors: 0, + gates: [ + Sum( + Sum( + Sum( + Sum( + Product( + Advice { + query_index: 0, + column_index: 1, + rotation: Rotation( + 0, + ), + }, + Fixed { + query_index: 2, + column_index: 2, + rotation: Rotation( + 0, + ), + }, + ), + Product( + Advice { + query_index: 1, + column_index: 2, + rotation: Rotation( + 0, + ), + }, + Fixed { + query_index: 3, + column_index: 3, + rotation: Rotation( + 0, + ), + }, + ), + ), + Product( + Product( + Advice { + query_index: 0, + column_index: 1, + rotation: Rotation( + 0, + ), + }, + Advice { + query_index: 1, + column_index: 2, + rotation: Rotation( + 0, + ), + }, + ), + Fixed { + query_index: 5, + column_index: 1, + rotation: Rotation( + 0, + ), + }, + ), + ), + Negated( + Product( + Advice { + query_index: 2, + column_index: 3, + rotation: Rotation( + 0, + ), + }, + Fixed { + query_index: 4, + column_index: 4, + rotation: Rotation( + 0, + ), + }, + ), + ), + ), + Product( + Fixed { + query_index: 1, + column_index: 0, + rotation: Rotation( + 0, + ), + }, + Product( + Advice { + query_index: 3, + column_index: 4, + rotation: Rotation( + 1, + ), + }, + Advice { + query_index: 4, + column_index: 0, + rotation: Rotation( + -1, + ), + }, + ), + ), + ), + Product( + Fixed { + query_index: 6, + column_index: 5, + rotation: Rotation( + 0, + ), + }, + Sum( + Advice { + query_index: 0, + column_index: 1, + rotation: Rotation( + 0, + ), + }, + Negated( + Instance { + query_index: 0, + column_index: 0, + rotation: Rotation( + 0, + ), + }, + ), + ), + ), + ], + advice_queries: [ + ( + Column { + index: 1, + column_type: Advice, + }, + Rotation( + 0, + ), + ), + ( + Column { + index: 2, + column_type: Advice, + }, + Rotation( + 0, + ), + ), + ( + Column { + index: 3, + column_type: Advice, + }, + Rotation( + 0, + ), + ), + ( + Column { + index: 4, + column_type: Advice, + }, + Rotation( + 1, + ), + ), + ( + Column { + index: 0, + column_type: Advice, + }, + Rotation( + -1, + ), + ), + ( + Column { + index: 0, + column_type: Advice, + }, + Rotation( + 0, + ), + ), + ( + Column { + index: 4, + column_type: Advice, + }, + Rotation( + 0, + ), + ), + ], + instance_queries: [ + ( + Column { + index: 0, + column_type: Instance, + }, + Rotation( + 0, + ), + ), + ], + fixed_queries: [ + ( + Column { + index: 6, + column_type: Fixed, + }, + Rotation( + 0, + ), + ), + ( + Column { + index: 0, + column_type: Fixed, + }, + Rotation( + 0, + ), + ), + ( + Column { + index: 2, + column_type: Fixed, + }, + Rotation( + 0, + ), + ), + ( + Column { + index: 3, + column_type: Fixed, + }, + Rotation( + 0, + ), + ), + ( + Column { + index: 4, + column_type: Fixed, + }, + Rotation( + 0, + ), + ), + ( + Column { + index: 1, + column_type: Fixed, + }, + Rotation( + 0, + ), + ), + ( + Column { + index: 5, + column_type: Fixed, + }, + Rotation( + 0, + ), + ), + ], + permutation: Argument { + columns: [ + Column { + index: 1, + column_type: Advice, + }, + Column { + index: 2, + column_type: Advice, + }, + Column { + index: 3, + column_type: Advice, + }, + Column { + index: 0, + column_type: Fixed, + }, + Column { + index: 0, + column_type: Advice, + }, + Column { + index: 4, + column_type: Advice, + }, + Column { + index: 0, + column_type: Instance, + }, + Column { + index: 1, + column_type: Fixed, + }, + Column { + index: 2, + column_type: Fixed, + }, + Column { + index: 3, + column_type: Fixed, + }, + Column { + index: 4, + column_type: Fixed, + }, + Column { + index: 5, + column_type: Fixed, + }, + ], + }, + lookups: [ + Argument { + input_expressions: [ + Advice { + query_index: 0, + column_index: 1, + rotation: Rotation( + 0, + ), + }, + ], + table_expressions: [ + Fixed { + query_index: 0, + column_index: 6, + rotation: Rotation( + 0, + ), + }, + ], + }, + ], + constants: [], + minimum_degree: None, + }, + fixed_commitments: [ + (0x2bbc94ef7b22aebef24f9a4b0cc1831882548b605171366017d45c3e6fd92075, 0x082b801a6e176239943bfb759fb02138f47a5c8cc4aa7fa0af559fde4e3abd97), + (0x2bf5082b105b2156ed0e9c5b8e42bf2a240b058f74a464d080e9585274dd1e84, 0x222ad83cee7777e7a160585e212140e5e770dd8d1df788d869b5ee483a5864fb), + (0x374a656456a0aae7429b23336f825752b575dd5a44290ff614946ee59d6a20c0, 0x054491e187e6e3460e7601fb54ae10836d34d420026f96316f0c5c62f86db9b8), + (0x374a656456a0aae7429b23336f825752b575dd5a44290ff614946ee59d6a20c0, 0x054491e187e6e3460e7601fb54ae10836d34d420026f96316f0c5c62f86db9b8), + (0x02e62cd68370b13711139a08cbcdd889e800a272b9ea10acc90880fff9d89199, 0x1a96c468cb0ce77065d3a58f1e55fea9b72d15e44c01bba1e110bd0cbc6e9bc6), + (0x224ef42758215157d3ee48fb8d769da5bddd35e5929a90a4a89736f5c4b5ae9b, 0x11bc3a1e08eb320cde764f1492ecef956d71e996e2165f7a9a30ad2febb511c1), + (0x2d5415bf917fcac32bfb705f8ca35cb12d9bad52aa33ccca747350f9235d3a18, 0x2b2921f815fad504052512743963ef20ed5b401d20627793b006413e73fe4dd4), + ], + permutation: VerifyingKey { + commitments: [ + (0x1347b4b385837977a96b87f199c6a9a81520015539d1e8fa79429bb4ca229a00, 0x2168e404cabef513654d6ff516cde73f0ba87e3dc84e4b940ed675b5f66f3884), + (0x0e6d69cd2455ec43be640f6397ed65c9e51b1d8c0fd2216339314ff37ade122a, 0x222ed6dc8cfc9ea26dcc10b9d4add791ada60f2b5a63ee1e4635f88aa0c96654), + (0x13c447846f48c41a5e0675ccf88ebc0cdef2c96c51446d037acb866d24255785, 0x1f0b5414fc5e8219dbfab996eed6129d831488b2386a8b1a63663938903bd63a), + (0x1aae6470aa662b8fda003894ddef5fedd03af318b3231683039d2fac9cab05b9, 0x08832d91ae69e99cd07d096c7a4a284a69e6a16227cbb07932a0cdc56914f3a6), + (0x0850521b0f8ac7dd0550fe3e25c840837076e9635067ed623b81d5cbac5944d9, 0x0c25d65d1038d0a92c72e5fccd96c1caf07801c3c8233290bb292e0c38c256fa), + (0x12febcf696badd970750eabf75dd3ced4c2f54f93519bcee23849025177d2014, 0x0a05ab3cd42c9fbcc1bbfcf9269951640cc9920761c87cf8e211ba73c8d9f90f), + (0x053904bdde8cfead3b517bb4f6ded3e699f8b94ca6156a9dd2f92a2a05a7ec5a, 0x16753ff97c0d82ff586bb7a07bf7f27a92df90b3617fa5e75d4f55c3b0ef8711), + (0x3804548f6816452747a5b542fa5656353fc989db40d69e9e27d6f973b5deebb0, 0x389a44d5037866dd83993af75831a5f90a18ad5244255aa5bd2c922cc5853055), + (0x003a9f9ca71c7c0b832c802220915f6fc8d840162bdde6b0ea05d25fb95559e3, 0x091247ca19d6b73887cd7f68908cbf0db0b47459b7c82276bbdb8a1c937e2438), + (0x3eaa38689d9e391c8a8fafab9568f20c45816321d38f309d4cc37f4b1601af72, 0x247f8270a462ea88450221a56aa6b55d2bc352b80b03501e99ea983251ceea13), + (0x394437571f9de32dccdc546fd4737772d8d92593c85438aa3473243997d5acc8, 0x14924ec6e3174f1fab7f0ce7070c22f04bbd0a0ecebdfc5c94be857f25493e95), + (0x3d907e0591343bd285c2c846f3e871a6ac70d80ec29e9500b8cb57f544e60202, 0x1034e48df35830244cabea076be8a16d67d7896e27c6ac22b285d017105da9c3), + ], + }, + }"##### + ); + } + */ } env_logger::init(); @@ -656,213 +1114,3 @@ fn plonk_api() { test_plonk_api_gwc(); test_plonk_api_shplonk(); } - -#[test] -fn plonk_api_with_many_subregions() { - #[derive(Clone)] - struct MyCircuit { - a: Value, - lookup_table: Vec, - } - - impl Circuit for MyCircuit { - type Config = PlonkConfig; - type FloorPlanner = SimpleFloorPlanner; - - fn without_witnesses(&self) -> Self { - Self { - a: Value::unknown(), - lookup_table: self.lookup_table.clone(), - } - } - - fn configure(meta: &mut ConstraintSystem) -> PlonkConfig { - PlonkConfig::construct(meta) - } - - fn synthesize( - &self, - config: PlonkConfig, - mut layouter: impl Layouter, - ) -> Result<(), Error> { - let cs = StandardPlonk::new(config); - - let _ = cs.public_input(&mut layouter, || Value::known(F::one() + F::one()))?; - - let a: Value> = self.a.into(); - let parallel_regions_time = Instant::now(); - #[cfg(feature = "parallel_syn")] - layouter.assign_regions( - || "regions", - (0..(1 << 14)) - .into_iter() - .map(|_| { - let mut is_first_pass = true; - move |mut region: Region<'_, F>| -> Result<(), Error> { - let n = 1 << 1; - for i in 0..n { - // skip the assign of rows except the last row in the first pass - if is_first_pass && i < n - 1 { - is_first_pass = false; - continue; - } - let a0 = - region.assign_advice(|| "config.a", cs.config.a, i, || a)?; - let a1 = - region.assign_advice(|| "config.b", cs.config.b, i, || a)?; - region.assign_advice( - || "config.c", - cs.config.c, - i, - || a.double(), - )?; - - region.assign_fixed( - || "a", - cs.config.sa, - i, - || Value::known(F::one()), - )?; - region.assign_fixed( - || "b", - cs.config.sb, - i, - || Value::known(F::one()), - )?; - region.assign_fixed( - || "c", - cs.config.sc, - i, - || Value::known(F::one()), - )?; - region.assign_fixed( - || "a * b", - cs.config.sm, - i, - || Value::known(F::zero()), - )?; - - region.constrain_equal(a0.cell(), a1.cell())?; - } - is_first_pass = false; - Ok(()) - } - }) - .collect(), - )?; - log::info!( - "parallel_regions assign took {:?}", - parallel_regions_time.elapsed() - ); - - for _ in 0..10 { - let a: Value> = self.a.into(); - let mut a_squared = Value::unknown(); - let (a0, _, c0) = cs.raw_multiply(&mut layouter, || { - a_squared = a.square(); - a.zip(a_squared).map(|(a, a_squared)| (a, a, a_squared)) - })?; - let (a1, b1, _) = cs.raw_add(&mut layouter, || { - let fin = a_squared + a; - a.zip(a_squared) - .zip(fin) - .map(|((a, a_squared), fin)| (a, a_squared, fin)) - })?; - cs.copy(&mut layouter, a0, a1)?; - cs.copy(&mut layouter, b1, c0)?; - } - - cs.lookup_table(&mut layouter, &self.lookup_table)?; - - Ok(()) - } - } - fn keygen( - params: &Scheme::ParamsProver, - ) -> ProvingKey { - let (_, _, lookup_table) = common!(Scheme); - let empty_circuit: MyCircuit = MyCircuit { - a: Value::unknown(), - lookup_table, - }; - - // Initialize the proving key - let vk = keygen_vk(params, &empty_circuit).expect("keygen_vk should not fail"); - log::info!("keygen vk succeed"); - - let pk = keygen_pk(params, vk, &empty_circuit).expect("keygen_pk should not fail"); - log::info!("keygen pk succeed"); - - pk - } - - fn create_proof< - 'params, - Scheme: CommitmentScheme, - P: Prover<'params, Scheme>, - E: EncodedChallenge, - R: RngCore, - T: TranscriptWriterBuffer, Scheme::Curve, E>, - >( - rng: R, - params: &'params Scheme::ParamsProver, - pk: &ProvingKey, - ) -> Vec { - let (a, instance, lookup_table) = common!(Scheme); - - let circuit: MyCircuit = MyCircuit { - a: Value::known(a), - lookup_table, - }; - - let mut transcript = T::init(vec![]); - - create_plonk_proof::( - params, - pk, - &[circuit.clone(), circuit], - &[&[&[instance]], &[&[instance]]], - rng, - &mut transcript, - ) - .expect("proof generation should not fail"); - - transcript.finalize() - } - - type Scheme = KZGCommitmentScheme; - // bad_keys!(Scheme); - - env_logger::try_init().unwrap(); - let (a, instance, lookup_table) = common!(Scheme); - - let circuit: MyCircuit<::Scalar> = MyCircuit { - a: Value::known(a), - lookup_table, - }; - - // Check this circuit is satisfied. - let prover = match MockProver::run(K, &circuit, vec![vec![instance]]) { - Ok(prover) => prover, - Err(e) => panic!("{:?}", e), - }; - assert_eq!(prover.verify_par(), Ok(())); - log::info!("mock proving succeed!"); - - let params = ParamsKZG::::new(K); - let rng = OsRng; - - let pk = keygen::>(¶ms); - - let proof = create_proof::<_, ProverGWC<_>, _, _, Blake2bWrite<_, _, Challenge255<_>>>( - rng, ¶ms, &pk, - ); - - let verifier_params = params.verifier_params(); - - verify_proof::<_, VerifierGWC<_>, _, Blake2bRead<_, _, Challenge255<_>>, AccumulatorStrategy<_>>( - verifier_params, - pk.get_vk(), - &proof[..], - ); -} From 0bfe0c94d27784cef407fe2d6a830db1df2d9bb9 Mon Sep 17 00:00:00 2001 From: zhenfei Date: Mon, 13 Nov 2023 21:05:09 -0500 Subject: [PATCH 46/70] fix clippy --- halo2_proofs/src/circuit/floor_planner/single_pass.rs | 1 + halo2_proofs/src/dev.rs | 3 +++ halo2_proofs/src/lib.rs | 3 ++- halo2_proofs/src/plonk/prover.rs | 6 +++--- 4 files changed, 9 insertions(+), 4 deletions(-) diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index 3c445230..21ea0136 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -83,6 +83,7 @@ impl<'a, F: Field, CS: Assignment + 'a> SingleChipLayouter<'a, F, CS> { Ok(ret) } + #[allow(dead_code)] fn fork(&self, sub_cs: Vec<&'a mut CS>) -> Result, Error> { Ok(sub_cs .into_iter() diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index b72f8c03..4550b296 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -971,7 +971,10 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { instance, selectors_vec, selectors, + #[cfg(feature = "phase-check")] challenges: challenges.clone(), + #[cfg(not(feature = "phase-check"))] + challenges, permutation: Some(permutation), rw_rows: 0..usable_rows, usable_rows: 0..usable_rows, diff --git a/halo2_proofs/src/lib.rs b/halo2_proofs/src/lib.rs index 0ca61f64..6192272f 100644 --- a/halo2_proofs/src/lib.rs +++ b/halo2_proofs/src/lib.rs @@ -15,7 +15,8 @@ clippy::suspicious_arithmetic_impl, clippy::many_single_char_names, clippy::same_item_push, - clippy::upper_case_acronyms + clippy::upper_case_acronyms, + clippy::uninit_vec )] #![deny(broken_intra_doc_links)] #![deny(missing_debug_implementations)] diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index c5229478..0128f52f 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -389,7 +389,7 @@ where }) .collect::>(); - for (circuit_idx, ((circuit, advice), instances)) in circuits + for (_circuit_idx, ((circuit, advice), instances)) in circuits .iter() .zip(advice.iter_mut()) .zip(instances) @@ -428,7 +428,7 @@ where { for (idx, advice_col) in witness.advice_vec.iter().enumerate() { if pk.vk.cs.advice_column_phase[idx].0 < current_phase.0 - && advice_assignments[circuit_idx][idx].values != advice_col.values + && advice_assignments[_circuit_idx][idx].values != advice_col.values { log::error!( "advice column {}(at {:?}) changed when {:?}", @@ -449,7 +449,7 @@ where if column_indices.contains(&column_index) { #[cfg(feature = "phase-check")] { - advice_assignments[circuit_idx][column_index] = advice.clone(); + advice_assignments[_circuit_idx][column_index] = advice.clone(); } Some(advice) } else { From 6edad9dbf7051d08b1523e6221cabd80055d7383 Mon Sep 17 00:00:00 2001 From: zhenfei Date: Mon, 20 Nov 2023 18:46:11 -0500 Subject: [PATCH 47/70] fix clippy --- halo2_proofs/src/dev.rs | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 4550b296..687763be 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -129,7 +129,7 @@ impl PartialEq for CellValue { } #[cfg(feature = "mock-batch-inv")] -impl CellValue { +impl CellValue { /// Returns the numerator. pub fn numerator(&self) -> Option { match self { @@ -148,7 +148,7 @@ impl CellValue { } #[cfg(feature = "mock-batch-inv")] -impl From> for CellValue { +impl From> for CellValue { fn from(value: Assigned) -> Self { match value { Assigned::Zero => CellValue::Unassigned, @@ -161,7 +161,7 @@ impl From> for CellValue { } #[cfg(feature = "mock-batch-inv")] -fn calculate_assigned_values( +fn calculate_assigned_values( cell_values: &mut [CellValue], inv_denoms: &[Option], ) { @@ -177,7 +177,7 @@ fn calculate_assigned_values( } #[cfg(feature = "mock-batch-inv")] -fn batch_invert_cellvalues(cell_values: &mut [Vec>]) { +fn batch_invert_cellvalues(cell_values: &mut [Vec>]) { let mut denominators: Vec<_> = cell_values .iter() .map(|f| { From 2f5ee1040e3cdef22e13d35865ecddce4a6130c7 Mon Sep 17 00:00:00 2001 From: zhenfei Date: Mon, 20 Nov 2023 18:53:08 -0500 Subject: [PATCH 48/70] fmg --- halo2_proofs/src/dev.rs | 5 +---- 1 file changed, 1 insertion(+), 4 deletions(-) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 687763be..977a00ae 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -161,10 +161,7 @@ impl From> for CellValue { } #[cfg(feature = "mock-batch-inv")] -fn calculate_assigned_values( - cell_values: &mut [CellValue], - inv_denoms: &[Option], -) { +fn calculate_assigned_values(cell_values: &mut [CellValue], inv_denoms: &[Option]) { assert_eq!(inv_denoms.len(), cell_values.len()); for (value, inv_den) in cell_values.iter_mut().zip(inv_denoms.iter()) { // if numerator and denominator exist, calculate the assigned value From d84c0833c2098f25969c6f9c2c0e8f29fd9d1a6c Mon Sep 17 00:00:00 2001 From: Ho Date: Thu, 30 Nov 2023 13:39:02 +0800 Subject: [PATCH 49/70] [FEAT] Upgrading table16 for SHA256 (#73) * upgrade sha256 * fix clippy --- halo2_gadgets/benches/sha256.rs | 2 +- halo2_gadgets/src/lib.rs | 4 +- halo2_gadgets/src/sha256/table16.rs | 183 ++++++--- .../src/sha256/table16/compression.rs | 346 ++++++++++-------- .../table16/compression/compression_gates.rs | 37 +- .../table16/compression/compression_util.rs | 226 ++++++------ .../table16/compression/subregion_digest.rs | 254 ++++++++----- .../table16/compression/subregion_initial.rs | 74 ++-- .../table16/compression/subregion_main.rs | 33 +- .../src/sha256/table16/message_schedule.rs | 44 ++- .../table16/message_schedule/schedule_util.rs | 47 ++- .../table16/message_schedule/subregion1.rs | 75 ++-- .../table16/message_schedule/subregion2.rs | 281 +++++++------- .../table16/message_schedule/subregion3.rs | 63 ++-- .../src/sha256/table16/spread_table.rs | 39 +- halo2_gadgets/src/sha256/table16/util.rs | 2 +- 16 files changed, 976 insertions(+), 734 deletions(-) diff --git a/halo2_gadgets/benches/sha256.rs b/halo2_gadgets/benches/sha256.rs index 670956cb..a702e84e 100644 --- a/halo2_gadgets/benches/sha256.rs +++ b/halo2_gadgets/benches/sha256.rs @@ -52,7 +52,7 @@ fn bench(name: &str, k: u32, c: &mut Criterion) { mut layouter: impl Layouter, ) -> Result<(), Error> { Table16Chip::load(config.clone(), &mut layouter)?; - let table16_chip = Table16Chip::construct(config); + let table16_chip = Table16Chip::construct::(config); // Test vector: "abc" let test_input = [ diff --git a/halo2_gadgets/src/lib.rs b/halo2_gadgets/src/lib.rs index 8d4d4292..446b16c5 100644 --- a/halo2_gadgets/src/lib.rs +++ b/halo2_gadgets/src/lib.rs @@ -25,8 +25,8 @@ pub mod ecc; pub mod poseidon; -#[cfg(feature = "unstable")] -#[cfg_attr(docsrs, doc(cfg(feature = "unstable")))] +//#[cfg(feature = "unstable")] +//#[cfg_attr(docsrs, doc(cfg(feature = "unstable")))] pub mod sha256; pub mod sinsemilla; pub mod utilities; diff --git a/halo2_gadgets/src/sha256/table16.rs b/halo2_gadgets/src/sha256/table16.rs index c4919158..33fb54f1 100644 --- a/halo2_gadgets/src/sha256/table16.rs +++ b/halo2_gadgets/src/sha256/table16.rs @@ -1,12 +1,9 @@ -use std::convert::TryInto; -use std::marker::PhantomData; - -use super::Sha256Instructions; +use halo2_proofs::arithmetic::FieldExt as Field; use halo2_proofs::{ circuit::{AssignedCell, Chip, Layouter, Region, Value}, plonk::{Advice, Any, Assigned, Column, ConstraintSystem, Error}, }; -use halo2curves::pasta::pallas; +use std::convert::TryInto; mod compression; mod gates; @@ -81,10 +78,10 @@ impl From<&Bits> for [bool; LEN] { } } -impl From<&Bits> for Assigned { - fn from(bits: &Bits) -> Assigned { +impl From<&Bits> for Assigned { + fn from(bits: &Bits) -> Assigned { assert!(LEN <= 64); - pallas::Base::from(lebs2ip(&bits.0)).into() + F::from(lebs2ip(&bits.0)).into() } } @@ -112,20 +109,21 @@ impl From for Bits<32> { } } +/// Assigned bits #[derive(Clone, Debug)] -pub struct AssignedBits(AssignedCell, pallas::Base>); +pub struct AssignedBits(pub AssignedCell, F>); -impl std::ops::Deref for AssignedBits { - type Target = AssignedCell, pallas::Base>; +impl std::ops::Deref for AssignedBits { + type Target = AssignedCell, F>; fn deref(&self) -> &Self::Target { &self.0 } } -impl AssignedBits { +impl AssignedBits { fn assign_bits + std::fmt::Debug + Clone>( - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, annotation: A, column: impl Into>, offset: usize, @@ -157,13 +155,13 @@ impl AssignedBits { } } -impl AssignedBits<16> { +impl AssignedBits { fn value_u16(&self) -> Value { self.value().map(|v| v.into()) } fn assign( - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, annotation: A, column: impl Into>, offset: usize, @@ -192,13 +190,13 @@ impl AssignedBits<16> { } } -impl AssignedBits<32> { +impl AssignedBits { fn value_u32(&self) -> Value { self.value().map(|v| v.into()) } fn assign( - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, annotation: A, column: impl Into>, offset: usize, @@ -235,14 +233,53 @@ pub struct Table16Config { compression: CompressionConfig, } +impl Table16Config { + pub(crate) fn initialize( + &self, + layouter: &mut impl Layouter, + init_state_assigned: [RoundWordDense; STATE], + ) -> Result, Error> { + self.compression.initialize(layouter, init_state_assigned) + } + + pub(crate) fn compress( + &self, + layouter: &mut impl Layouter, + initialized_state: State, + w_halves: [(AssignedBits, AssignedBits); ROUNDS], + ) -> Result, Error> { + self.compression + .compress(layouter, initialized_state, w_halves) + } + + pub(crate) fn digest( + &self, + layouter: &mut impl Layouter, + final_state: State, + initialized_state: State, + ) -> Result<[RoundWordDense; STATE], Error> { + self.compression + .digest(layouter, final_state, initialized_state) + } + + #[allow(clippy::type_complexity)] + pub(crate) fn message_process( + &self, + layouter: &mut impl Layouter, + input: [BlockWord; super::BLOCK_SIZE], + ) -> Result<[(AssignedBits, AssignedBits); ROUNDS], Error> { + let (_, w_halves) = self.message_schedule.process(layouter, input)?; + Ok(w_halves) + } +} + /// A chip that implements SHA-256 with a maximum lookup table size of $2^16$. #[derive(Clone, Debug)] pub struct Table16Chip { config: Table16Config, - _marker: PhantomData, } -impl Chip for Table16Chip { +impl Chip for Table16Chip { type Config = Table16Config; type Loaded = (); @@ -257,17 +294,12 @@ impl Chip for Table16Chip { impl Table16Chip { /// Reconstructs this chip from the given config. - pub fn construct(config: >::Config) -> Self { - Self { - config, - _marker: PhantomData, - } + pub fn construct(config: >::Config) -> Self { + Self { config } } /// Configures a circuit to include this chip. - pub fn configure( - meta: &mut ConstraintSystem, - ) -> >::Config { + pub fn configure(meta: &mut ConstraintSystem) -> >::Config { // Columns required by this chip: let message_schedule = meta.advice_column(); let extras = [ @@ -318,69 +350,114 @@ impl Table16Chip { } /// Loads the lookup table required by this chip into the circuit. - pub fn load( + pub fn load( config: Table16Config, - layouter: &mut impl Layouter, + layouter: &mut impl Layouter, ) -> Result<(), Error> { SpreadTableChip::load(config.lookup, layouter) } } -impl Sha256Instructions for Table16Chip { - type State = State; +/// composite of states in table16 +#[allow(clippy::large_enum_variant)] +#[derive(Clone, Debug)] +pub enum Table16State { + /// working state (with spread assignment) for compression rounds + Compress(Box>), + /// the dense state only carry hi-lo 16bit assigned cell used in digest and next block + Dense([RoundWordDense; STATE]), +} + +impl super::Sha256Instructions for Table16Chip { + type State = Table16State; type BlockWord = BlockWord; - fn initialization_vector( - &self, - layouter: &mut impl Layouter, - ) -> Result { - self.config().compression.initialize_with_iv(layouter, IV) + fn initialization_vector(&self, layouter: &mut impl Layouter) -> Result { + >::config(self) + .compression + .initialize_with_iv(layouter, IV) + .map(Box::new) + .map(Table16State::Compress) } fn initialization( &self, - layouter: &mut impl Layouter, + layouter: &mut impl Layouter, init_state: &Self::State, ) -> Result { - self.config() + let dense_state = match init_state.clone() { + Table16State::Compress(s) => { + let (a, b, c, d, e, f, g, h) = s.decompose(); + [ + a.into_dense(), + b.into_dense(), + c.into_dense(), + d, + e.into_dense(), + f.into_dense(), + g.into_dense(), + h, + ] + } + Table16State::Dense(s) => s, + }; + + >::config(self) .compression - .initialize_with_state(layouter, init_state.clone()) + .initialize(layouter, dense_state) + .map(Box::new) + .map(Table16State::Compress) } // Given an initialized state and an input message block, compress the // message block and return the final state. fn compress( &self, - layouter: &mut impl Layouter, + layouter: &mut impl Layouter, initialized_state: &Self::State, input: [Self::BlockWord; super::BLOCK_SIZE], ) -> Result { - let config = self.config(); + let config = >::config(self); let (_, w_halves) = config.message_schedule.process(layouter, input)?; + + let init_working_state = match initialized_state { + Table16State::Compress(s) => s.as_ref().clone(), + _ => panic!("unexpected state type"), + }; + + let final_state = + config + .compression + .compress(layouter, init_working_state.clone(), w_halves)?; + config .compression - .compress(layouter, initialized_state.clone(), w_halves) + .digest(layouter, final_state, init_working_state) + .map(Table16State::Dense) } fn digest( &self, - layouter: &mut impl Layouter, + _layouter: &mut impl Layouter, state: &Self::State, ) -> Result<[Self::BlockWord; super::DIGEST_SIZE], Error> { - // Copy the dense forms of the state variable chunks down to this gate. - // Reconstruct the 32-bit dense words. - self.config().compression.digest(layouter, state.clone()) + let digest_state = match state { + Table16State::Dense(s) => s.clone(), + _ => panic!("unexpected state type"), + }; + + Ok(digest_state.map(|s| s.value()).map(BlockWord)) } } /// Common assignment patterns used by Table16 regions. -trait Table16Assignment { +trait Table16Assignment { /// Assign cells for general spread computation used in sigma, ch, ch_neg, maj gates #[allow(clippy::too_many_arguments)] #[allow(clippy::type_complexity)] fn assign_spread_outputs( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, lookup: &SpreadInputs, a_3: Column, row: usize, @@ -390,8 +467,8 @@ trait Table16Assignment { r_1_odd: Value<[bool; 16]>, ) -> Result< ( - (AssignedBits<16>, AssignedBits<16>), - (AssignedBits<16>, AssignedBits<16>), + (AssignedBits, AssignedBits), + (AssignedBits, AssignedBits), ), Error, > { @@ -432,7 +509,7 @@ trait Table16Assignment { #[allow(clippy::too_many_arguments)] fn assign_sigma_outputs( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, lookup: &SpreadInputs, a_3: Column, row: usize, @@ -440,7 +517,7 @@ trait Table16Assignment { r_0_odd: Value<[bool; 16]>, r_1_even: Value<[bool; 16]>, r_1_odd: Value<[bool; 16]>, - ) -> Result<(AssignedBits<16>, AssignedBits<16>), Error> { + ) -> Result<(AssignedBits, AssignedBits), Error> { let (even, _odd) = self.assign_spread_outputs( region, lookup, a_3, row, r_0_even, r_0_odd, r_1_even, r_1_odd, )?; @@ -482,7 +559,7 @@ mod tests { config: Self::Config, mut layouter: impl Layouter, ) -> Result<(), Error> { - let table16_chip = Table16Chip::construct(config.clone()); + let table16_chip = Table16Chip::construct::(config.clone()); Table16Chip::load(config, &mut layouter)?; // Test vector: "abc" diff --git a/halo2_gadgets/src/sha256/table16/compression.rs b/halo2_gadgets/src/sha256/table16/compression.rs index 62deb429..9c2de950 100644 --- a/halo2_gadgets/src/sha256/table16/compression.rs +++ b/halo2_gadgets/src/sha256/table16/compression.rs @@ -1,16 +1,13 @@ use super::{ - super::DIGEST_SIZE, util::{i2lebsp, lebs2ip}, - AssignedBits, BlockWord, SpreadInputs, SpreadVar, Table16Assignment, ROUNDS, STATE, + AssignedBits, Field, SpreadInputs, SpreadVar, Table16Assignment, ROUNDS, STATE, }; use halo2_proofs::{ circuit::{Layouter, Value}, plonk::{Advice, Column, ConstraintSystem, Error, Selector}, poly::Rotation, }; -use halo2curves::pasta::pallas; -use std::convert::TryInto; -use std::ops::Range; +use std::{convert::TryInto, ops::Range}; mod compression_gates; mod compression_util; @@ -72,24 +69,23 @@ pub trait UpperSigmaVar< /// A variable that represents the `[A,B,C,D]` words of the SHA-256 internal state. /// /// The structure of this variable is influenced by the following factors: -/// - In `Σ_0(A)` we need `A` to be split into pieces `(a,b,c,d)` of lengths `(2,11,9,10)` -/// bits respectively (counting from the little end), as well as their spread forms. -/// - `Maj(A,B,C)` requires having the bits of each input in spread form. For `A` we can -/// reuse the pieces from `Σ_0(A)`. Since `B` and `C` are assigned from `A` and `B` -/// respectively in each round, we therefore also have the same pieces in earlier rows. -/// We align the columns to make it efficient to copy-constrain these forms where they -/// are needed. +/// - In `Σ_0(A)` we need `A` to be split into pieces `(a,b,c,d)` of lengths `(2,11,9,10)` bits +/// respectively (counting from the little end), as well as their spread forms. +/// - `Maj(A,B,C)` requires having the bits of each input in spread form. For `A` we can reuse the +/// pieces from `Σ_0(A)`. Since `B` and `C` are assigned from `A` and `B` respectively in each +/// round, we therefore also have the same pieces in earlier rows. We align the columns to make it +/// efficient to copy-constrain these forms where they are needed. #[derive(Clone, Debug)] -pub struct AbcdVar { - a: SpreadVar<2, 4>, - b: SpreadVar<11, 22>, - c_lo: SpreadVar<3, 6>, - c_mid: SpreadVar<3, 6>, - c_hi: SpreadVar<3, 6>, - d: SpreadVar<10, 20>, +pub struct AbcdVar { + a: SpreadVar, + b: SpreadVar, + c_lo: SpreadVar, + c_mid: SpreadVar, + c_hi: SpreadVar, + d: SpreadVar, } -impl AbcdVar { +impl AbcdVar { fn a_range() -> Range { 0..2 } @@ -127,7 +123,7 @@ impl AbcdVar { } } -impl UpperSigmaVar<4, 22, 18, 20> for AbcdVar { +impl UpperSigmaVar<4, 22, 18, 20> for AbcdVar { fn spread_a(&self) -> Value<[bool; 4]> { self.a.spread.value().map(|v| v.0) } @@ -161,24 +157,23 @@ impl UpperSigmaVar<4, 22, 18, 20> for AbcdVar { /// A variable that represents the `[E,F,G,H]` words of the SHA-256 internal state. /// /// The structure of this variable is influenced by the following factors: -/// - In `Σ_1(E)` we need `E` to be split into pieces `(a,b,c,d)` of lengths `(6,5,14,7)` -/// bits respectively (counting from the little end), as well as their spread forms. -/// - `Ch(E,F,G)` requires having the bits of each input in spread form. For `E` we can -/// reuse the pieces from `Σ_1(E)`. Since `F` and `G` are assigned from `E` and `F` -/// respectively in each round, we therefore also have the same pieces in earlier rows. -/// We align the columns to make it efficient to copy-constrain these forms where they -/// are needed. +/// - In `Σ_1(E)` we need `E` to be split into pieces `(a,b,c,d)` of lengths `(6,5,14,7)` bits +/// respectively (counting from the little end), as well as their spread forms. +/// - `Ch(E,F,G)` requires having the bits of each input in spread form. For `E` we can reuse the +/// pieces from `Σ_1(E)`. Since `F` and `G` are assigned from `E` and `F` respectively in each +/// round, we therefore also have the same pieces in earlier rows. We align the columns to make it +/// efficient to copy-constrain these forms where they are needed. #[derive(Clone, Debug)] -pub struct EfghVar { - a_lo: SpreadVar<3, 6>, - a_hi: SpreadVar<3, 6>, - b_lo: SpreadVar<2, 4>, - b_hi: SpreadVar<3, 6>, - c: SpreadVar<14, 28>, - d: SpreadVar<7, 14>, +pub struct EfghVar { + a_lo: SpreadVar, + a_hi: SpreadVar, + b_lo: SpreadVar, + b_hi: SpreadVar, + c: SpreadVar, + d: SpreadVar, } -impl EfghVar { +impl EfghVar { fn a_lo_range() -> Range { 0..3 } @@ -216,7 +211,7 @@ impl EfghVar { } } -impl UpperSigmaVar<12, 10, 28, 14> for EfghVar { +impl UpperSigmaVar<12, 10, 28, 14> for EfghVar { fn spread_a(&self) -> Value<[bool; 12]> { self.a_lo .spread @@ -257,33 +252,37 @@ impl UpperSigmaVar<12, 10, 28, 14> for EfghVar { } #[derive(Clone, Debug)] -pub struct RoundWordDense(AssignedBits<16>, AssignedBits<16>); +pub struct RoundWordDense(AssignedBits, AssignedBits); -impl From<(AssignedBits<16>, AssignedBits<16>)> for RoundWordDense { - fn from(halves: (AssignedBits<16>, AssignedBits<16>)) -> Self { +impl From<(AssignedBits, AssignedBits)> for RoundWordDense { + fn from(halves: (AssignedBits, AssignedBits)) -> Self { Self(halves.0, halves.1) } } -impl RoundWordDense { +impl RoundWordDense { pub fn value(&self) -> Value { self.0 .value_u16() .zip(self.1.value_u16()) .map(|(lo, hi)| lo as u32 + (1 << 16) * hi as u32) } + + pub fn decompose(self) -> (AssignedBits, AssignedBits) { + (self.0, self.1) + } } #[derive(Clone, Debug)] -pub struct RoundWordSpread(AssignedBits<32>, AssignedBits<32>); +pub struct RoundWordSpread(AssignedBits, AssignedBits); -impl From<(AssignedBits<32>, AssignedBits<32>)> for RoundWordSpread { - fn from(halves: (AssignedBits<32>, AssignedBits<32>)) -> Self { +impl From<(AssignedBits, AssignedBits)> for RoundWordSpread { + fn from(halves: (AssignedBits, AssignedBits)) -> Self { Self(halves.0, halves.1) } } -impl RoundWordSpread { +impl RoundWordSpread { pub fn value(&self) -> Value { self.0 .value_u32() @@ -293,17 +292,17 @@ impl RoundWordSpread { } #[derive(Clone, Debug)] -pub struct RoundWordA { - pieces: Option, - dense_halves: RoundWordDense, - spread_halves: Option, +pub struct RoundWordA { + pieces: Option>, + dense_halves: RoundWordDense, + spread_halves: Option>, } -impl RoundWordA { +impl RoundWordA { pub fn new( - pieces: AbcdVar, - dense_halves: RoundWordDense, - spread_halves: RoundWordSpread, + pieces: AbcdVar, + dense_halves: RoundWordDense, + spread_halves: RoundWordSpread, ) -> Self { RoundWordA { pieces: Some(pieces), @@ -312,27 +311,31 @@ impl RoundWordA { } } - pub fn new_dense(dense_halves: RoundWordDense) -> Self { + pub fn new_dense(dense_halves: RoundWordDense) -> Self { RoundWordA { pieces: None, dense_halves, spread_halves: None, } } + + pub fn into_dense(self) -> RoundWordDense { + self.dense_halves + } } #[derive(Clone, Debug)] -pub struct RoundWordE { - pieces: Option, - dense_halves: RoundWordDense, - spread_halves: Option, +pub struct RoundWordE { + pieces: Option>, + dense_halves: RoundWordDense, + spread_halves: Option>, } -impl RoundWordE { +impl RoundWordE { pub fn new( - pieces: EfghVar, - dense_halves: RoundWordDense, - spread_halves: RoundWordSpread, + pieces: EfghVar, + dense_halves: RoundWordDense, + spread_halves: RoundWordSpread, ) -> Self { RoundWordE { pieces: Some(pieces), @@ -341,55 +344,63 @@ impl RoundWordE { } } - pub fn new_dense(dense_halves: RoundWordDense) -> Self { + pub fn new_dense(dense_halves: RoundWordDense) -> Self { RoundWordE { pieces: None, dense_halves, spread_halves: None, } } + + pub fn into_dense(self) -> RoundWordDense { + self.dense_halves + } } #[derive(Clone, Debug)] -pub struct RoundWord { - dense_halves: RoundWordDense, - spread_halves: RoundWordSpread, +pub struct RoundWord { + dense_halves: RoundWordDense, + spread_halves: RoundWordSpread, } -impl RoundWord { - pub fn new(dense_halves: RoundWordDense, spread_halves: RoundWordSpread) -> Self { +impl RoundWord { + pub fn new(dense_halves: RoundWordDense, spread_halves: RoundWordSpread) -> Self { RoundWord { dense_halves, spread_halves, } } + + pub fn into_dense(self) -> RoundWordDense { + self.dense_halves + } } /// The internal state for SHA-256. #[derive(Clone, Debug)] -pub struct State { - a: Option, - b: Option, - c: Option, - d: Option, - e: Option, - f: Option, - g: Option, - h: Option, +pub struct State { + a: Option>, + b: Option>, + c: Option>, + d: Option>, + e: Option>, + f: Option>, + g: Option>, + h: Option>, } -impl State { +impl State { #[allow(clippy::many_single_char_names)] #[allow(clippy::too_many_arguments)] pub fn new( - a: StateWord, - b: StateWord, - c: StateWord, - d: StateWord, - e: StateWord, - f: StateWord, - g: StateWord, - h: StateWord, + a: StateWord, + b: StateWord, + c: StateWord, + d: StateWord, + e: StateWord, + f: StateWord, + g: StateWord, + h: StateWord, ) -> Self { State { a: Some(a), @@ -415,18 +426,58 @@ impl State { h: None, } } + + #[allow(clippy::type_complexity)] + pub fn decompose( + self, + ) -> ( + RoundWordA, + RoundWord, + RoundWord, + RoundWordDense, + RoundWordE, + RoundWord, + RoundWord, + RoundWordDense, + ) { + compression_util::match_state(self) + } + + #[allow(clippy::many_single_char_names)] + #[allow(clippy::too_many_arguments)] + pub fn composite( + a: RoundWordA, + b: RoundWord, + c: RoundWord, + d: RoundWordDense, + e: RoundWordE, + f: RoundWord, + g: RoundWord, + h: RoundWordDense, + ) -> Self { + Self::new( + StateWord::A(a), + StateWord::B(b), + StateWord::C(c), + StateWord::D(d), + StateWord::E(e), + StateWord::F(f), + StateWord::G(g), + StateWord::H(h), + ) + } } #[derive(Clone, Debug)] -pub enum StateWord { - A(RoundWordA), - B(RoundWord), - C(RoundWord), - D(RoundWordDense), - E(RoundWordE), - F(RoundWord), - G(RoundWord), - H(RoundWordDense), +pub enum StateWord { + A(RoundWordA), + B(RoundWord), + C(RoundWord), + D(RoundWordDense), + E(RoundWordE), + F(RoundWord), + G(RoundWord), + H(RoundWordDense), } #[derive(Clone, Debug)] @@ -453,11 +504,11 @@ pub(super) struct CompressionConfig { s_digest: Selector, } -impl Table16Assignment for CompressionConfig {} +impl Table16Assignment for CompressionConfig {} impl CompressionConfig { - pub(super) fn configure( - meta: &mut ConstraintSystem, + pub(super) fn configure( + meta: &mut ConstraintSystem, lookup: SpreadInputs, message_schedule: Column, extras: [Column; 6], @@ -822,22 +873,25 @@ impl CompressionConfig { // s_digest for final round meta.create_gate("s_digest", |meta| { let s_digest = meta.query_selector(s_digest); - let lo_0 = meta.query_advice(a_3, Rotation::cur()); - let hi_0 = meta.query_advice(a_4, Rotation::cur()); - let word_0 = meta.query_advice(a_5, Rotation::cur()); - let lo_1 = meta.query_advice(a_6, Rotation::cur()); - let hi_1 = meta.query_advice(a_7, Rotation::cur()); - let word_1 = meta.query_advice(a_8, Rotation::cur()); - let lo_2 = meta.query_advice(a_3, Rotation::next()); - let hi_2 = meta.query_advice(a_4, Rotation::next()); - let word_2 = meta.query_advice(a_5, Rotation::next()); - let lo_3 = meta.query_advice(a_6, Rotation::next()); - let hi_3 = meta.query_advice(a_7, Rotation::next()); - let word_3 = meta.query_advice(a_8, Rotation::next()); + let digest_lo = meta.query_advice(a_1, Rotation::cur()); + let digest_hi = meta.query_advice(a_1, Rotation::next()); + let digest_word = meta.query_advice(a_5, Rotation::cur()); + let final_lo = meta.query_advice(a_3, Rotation::cur()); + let final_hi = meta.query_advice(a_3, Rotation::next()); + let initial_lo = meta.query_advice(a_6, Rotation::cur()); + let initial_hi = meta.query_advice(a_6, Rotation::next()); + let digest_carry = meta.query_advice(a_8, Rotation::cur()); CompressionGate::s_digest( - s_digest, lo_0, hi_0, word_0, lo_1, hi_1, word_1, lo_2, hi_2, word_2, lo_3, hi_3, - word_3, + s_digest, + digest_lo, + digest_hi, + digest_word, + final_lo, + final_hi, + initial_lo, + initial_hi, + digest_carry, ) }); @@ -861,11 +915,11 @@ impl CompressionConfig { /// Initialize compression with a constant Initialization Vector of 32-byte words. /// Returns an initialized state. - pub(super) fn initialize_with_iv( + pub(super) fn initialize_with_iv( &self, - layouter: &mut impl Layouter, + layouter: &mut impl Layouter, init_state: [u32; STATE], - ) -> Result { + ) -> Result, Error> { let mut new_state = State::empty_state(); layouter.assign_region( || "initialize_with_iv", @@ -877,18 +931,17 @@ impl CompressionConfig { Ok(new_state) } - /// Initialize compression with some initialized state. This could be a state - /// output from a previous compression round. - pub(super) fn initialize_with_state( + /// Initialize compression with the minimun assignment of state cell. + pub(crate) fn initialize( &self, - layouter: &mut impl Layouter, - init_state: State, - ) -> Result { + layouter: &mut impl Layouter, + init_state_assigned: [RoundWordDense; STATE], + ) -> Result, Error> { let mut new_state = State::empty_state(); layouter.assign_region( || "initialize_with_state", |mut region| { - new_state = self.initialize_state(&mut region, init_state.clone())?; + new_state = self.initialize_state(&mut region, init_state_assigned.clone())?; Ok(()) }, )?; @@ -896,12 +949,12 @@ impl CompressionConfig { } /// Given an initialized state and a message schedule, perform 64 compression rounds. - pub(super) fn compress( + pub(super) fn compress( &self, - layouter: &mut impl Layouter, - initialized_state: State, - w_halves: [(AssignedBits<16>, AssignedBits<16>); ROUNDS], - ) -> Result { + layouter: &mut impl Layouter, + initialized_state: State, + w_halves: [(AssignedBits, AssignedBits); ROUNDS], + ) -> Result, Error> { let mut state = State::empty_state(); layouter.assign_region( || "compress", @@ -917,21 +970,22 @@ impl CompressionConfig { } /// After the final round, convert the state into the final digest. - pub(super) fn digest( + pub(super) fn digest( &self, - layouter: &mut impl Layouter, - state: State, - ) -> Result<[BlockWord; DIGEST_SIZE], Error> { - let mut digest = [BlockWord(Value::known(0)); DIGEST_SIZE]; + layouter: &mut impl Layouter, + last_compress_state: State, + initial_state: State, + ) -> Result<[RoundWordDense; STATE], Error> { layouter.assign_region( || "digest", |mut region| { - digest = self.assign_digest(&mut region, state.clone())?; - - Ok(()) + self.complete_digest( + &mut region, + last_compress_state.clone(), + initial_state.clone(), + ) }, - )?; - Ok(digest) + ) } } @@ -978,15 +1032,17 @@ mod tests { let compression = config.compression.clone(); let initial_state = compression.initialize_with_iv(&mut layouter, IV)?; - let state = config - .compression - .compress(&mut layouter, initial_state, w_halves)?; + let state = + config + .compression + .compress(&mut layouter, initial_state.clone(), w_halves)?; - let digest = config.compression.digest(&mut layouter, state)?; + let digest = config + .compression + .digest(&mut layouter, state, initial_state)?; for (idx, digest_word) in digest.iter().enumerate() { - digest_word.0.assert_if_known(|digest_word| { - (*digest_word as u64 + IV[idx] as u64) as u32 - == super::compression_util::COMPRESSION_OUTPUT[idx] + digest_word.value().assert_if_known(|digest_word| { + *digest_word == super::compression_util::COMPRESSION_OUTPUT[idx] }); } @@ -998,7 +1054,7 @@ mod tests { let prover = match MockProver::::run(17, &circuit, vec![]) { Ok(prover) => prover, - Err(e) => panic!("{:?}", e), + Err(e) => panic!("{e:?}"), }; assert_eq!(prover.verify(), Ok(())); } diff --git a/halo2_gadgets/src/sha256/table16/compression/compression_gates.rs b/halo2_gadgets/src/sha256/table16/compression/compression_gates.rs index e22a1021..eccdddfd 100644 --- a/halo2_gadgets/src/sha256/table16/compression/compression_gates.rs +++ b/halo2_gadgets/src/sha256/table16/compression/compression_gates.rs @@ -1,4 +1,5 @@ use super::super::{util::*, Gate}; +use crate::utilities::range_check; use halo2_proofs::{ arithmetic::FieldExt, plonk::{Constraint, Constraints, Expression}, @@ -414,30 +415,28 @@ impl CompressionGate { #[allow(clippy::too_many_arguments)] pub fn s_digest( s_digest: Expression, - lo_0: Expression, - hi_0: Expression, - word_0: Expression, - lo_1: Expression, - hi_1: Expression, - word_1: Expression, - lo_2: Expression, - hi_2: Expression, - word_2: Expression, - lo_3: Expression, - hi_3: Expression, - word_3: Expression, + digest_lo: Expression, + digest_hi: Expression, + digest_word: Expression, + final_lo: Expression, + final_hi: Expression, + initial_lo: Expression, + initial_hi: Expression, + digest_carry: Expression, ) -> impl IntoIterator> { - let check_lo_hi = |lo: Expression, hi: Expression, word: Expression| { - lo + hi * F::from(1 << 16) - word - }; + let check_lo_hi = digest_lo.clone() + digest_hi.clone() * F::from(1 << 16) - digest_word; + + let check = + digest_carry.clone() * F::from(1 << 32) + digest_hi * F::from(1 << 16) + digest_lo + - (final_hi + initial_hi) * F::from(1 << 16) + - (final_lo + initial_lo); Constraints::with_selector( s_digest, [ - ("check_lo_hi_0", check_lo_hi(lo_0, hi_0, word_0)), - ("check_lo_hi_1", check_lo_hi(lo_1, hi_1, word_1)), - ("check_lo_hi_2", check_lo_hi(lo_2, hi_2, word_2)), - ("check_lo_hi_3", check_lo_hi(lo_3, hi_3, word_3)), + ("check digest lo_hi", check_lo_hi), + ("digest check", check), + ("check carry bit", range_check(digest_carry, 2)), ], ) } diff --git a/halo2_gadgets/src/sha256/table16/compression/compression_util.rs b/halo2_gadgets/src/sha256/table16/compression/compression_util.rs index 324fe8f6..caa0fd7c 100644 --- a/halo2_gadgets/src/sha256/table16/compression/compression_util.rs +++ b/halo2_gadgets/src/sha256/table16/compression/compression_util.rs @@ -1,15 +1,12 @@ +use super::super::{util::*, AssignedBits, SpreadVar, SpreadWord, StateWord, Table16Assignment}; use super::{ - AbcdVar, CompressionConfig, EfghVar, RoundWord, RoundWordA, RoundWordDense, RoundWordE, + AbcdVar, CompressionConfig, EfghVar, Field, RoundWord, RoundWordA, RoundWordDense, RoundWordE, RoundWordSpread, State, UpperSigmaVar, }; -use crate::sha256::table16::{ - util::*, AssignedBits, SpreadVar, SpreadWord, StateWord, Table16Assignment, -}; use halo2_proofs::{ circuit::{Region, Value}, plonk::{Advice, Column, Error}, }; -use halo2curves::pasta::pallas; use std::convert::TryInto; // Test vector 'abc' @@ -111,7 +108,7 @@ pub fn get_round_row(round_idx: RoundIdx) -> usize { RoundIdx::Init => 0, RoundIdx::Main(MainRoundIdx(idx)) => { assert!(idx < 64); - (idx as usize) * SUBREGION_MAIN_WORD + idx * SUBREGION_MAIN_WORD } } } @@ -190,21 +187,17 @@ pub fn get_a_new_row(round_idx: MainRoundIdx) -> usize { get_maj_row(round_idx) } -pub fn get_digest_abcd_row() -> usize { +pub fn get_digest_first_row() -> usize { SUBREGION_MAIN_ROWS } -pub fn get_digest_efgh_row() -> usize { - get_digest_abcd_row() + 2 -} - impl CompressionConfig { - pub(super) fn decompose_abcd( + pub(super) fn decompose_abcd( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, row: usize, val: Value, - ) -> Result { + ) -> Result, Error> { self.s_decompose_abcd.enable(region, row)?; let a_3 = self.extras[0]; @@ -212,7 +205,7 @@ impl CompressionConfig { let a_5 = self.message_schedule; let a_6 = self.extras[2]; - let spread_pieces = val.map(AbcdVar::pieces); + let spread_pieces = val.map(AbcdVar::::pieces); let spread_pieces = spread_pieces.transpose_vec(6); let a = SpreadVar::without_lookup( @@ -270,12 +263,12 @@ impl CompressionConfig { }) } - pub(super) fn decompose_efgh( + pub(super) fn decompose_efgh( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, row: usize, val: Value, - ) -> Result { + ) -> Result, Error> { self.s_decompose_efgh.enable(region, row)?; let a_3 = self.extras[0]; @@ -283,7 +276,7 @@ impl CompressionConfig { let a_5 = self.message_schedule; let a_6 = self.extras[2]; - let spread_pieces = val.map(EfghVar::pieces); + let spread_pieces = val.map(EfghVar::::pieces); let spread_pieces = spread_pieces.transpose_vec(6); let a_lo = SpreadVar::without_lookup( @@ -341,12 +334,12 @@ impl CompressionConfig { }) } - pub(super) fn decompose_a( + pub(super) fn decompose_a( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, round_idx: RoundIdx, a_val: Value, - ) -> Result { + ) -> Result, Error> { let row = get_decompose_a_row(round_idx); let (dense_halves, spread_halves) = self.assign_word_halves(region, row, a_val)?; @@ -354,12 +347,12 @@ impl CompressionConfig { Ok(RoundWordA::new(a_pieces, dense_halves, spread_halves)) } - pub(super) fn decompose_e( + pub(super) fn decompose_e( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, round_idx: RoundIdx, e_val: Value, - ) -> Result { + ) -> Result, Error> { let row = get_decompose_e_row(round_idx); let (dense_halves, spread_halves) = self.assign_word_halves(region, row, e_val)?; @@ -367,12 +360,12 @@ impl CompressionConfig { Ok(RoundWordE::new(e_pieces, dense_halves, spread_halves)) } - pub(super) fn assign_upper_sigma_0( + pub(super) fn assign_upper_sigma_0( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, round_idx: MainRoundIdx, - word: AbcdVar, - ) -> Result<(AssignedBits<16>, AssignedBits<16>), Error> { + word: AbcdVar, + ) -> Result<(AssignedBits, AssignedBits), Error> { // Rename these here for ease of matching the gates to the specification. let a_3 = self.extras[0]; let a_4 = self.extras[1]; @@ -425,12 +418,12 @@ impl CompressionConfig { ) } - pub(super) fn assign_upper_sigma_1( + pub(super) fn assign_upper_sigma_1( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, round_idx: MainRoundIdx, - word: EfghVar, - ) -> Result<(AssignedBits<16>, AssignedBits<16>), Error> { + word: EfghVar, + ) -> Result<(AssignedBits, AssignedBits), Error> { // Rename these here for ease of matching the gates to the specification. let a_3 = self.extras[0]; let a_4 = self.extras[1]; @@ -484,15 +477,15 @@ impl CompressionConfig { ) } - fn assign_ch_outputs( + fn assign_ch_outputs( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, row: usize, r_0_even: Value<[bool; 16]>, r_0_odd: Value<[bool; 16]>, r_1_even: Value<[bool; 16]>, r_1_odd: Value<[bool; 16]>, - ) -> Result<(AssignedBits<16>, AssignedBits<16>), Error> { + ) -> Result<(AssignedBits, AssignedBits), Error> { let a_3 = self.extras[0]; let (_even, odd) = self.assign_spread_outputs( @@ -509,13 +502,13 @@ impl CompressionConfig { Ok(odd) } - pub(super) fn assign_ch( + pub(super) fn assign_ch( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, round_idx: MainRoundIdx, - spread_halves_e: RoundWordSpread, - spread_halves_f: RoundWordSpread, - ) -> Result<(AssignedBits<16>, AssignedBits<16>), Error> { + spread_halves_e: RoundWordSpread, + spread_halves_f: RoundWordSpread, + ) -> Result<(AssignedBits, AssignedBits), Error> { let a_3 = self.extras[0]; let a_4 = self.extras[1]; @@ -555,13 +548,13 @@ impl CompressionConfig { self.assign_ch_outputs(region, row, p_0_even, p_0_odd, p_1_even, p_1_odd) } - pub(super) fn assign_ch_neg( + pub(super) fn assign_ch_neg( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, round_idx: MainRoundIdx, - spread_halves_e: RoundWordSpread, - spread_halves_g: RoundWordSpread, - ) -> Result<(AssignedBits<16>, AssignedBits<16>), Error> { + spread_halves_e: RoundWordSpread, + spread_halves_g: RoundWordSpread, + ) -> Result<(AssignedBits, AssignedBits), Error> { let row = get_ch_neg_row(round_idx); self.s_ch_neg.enable(region, row)?; @@ -592,7 +585,7 @@ impl CompressionConfig { .value() .map(|spread_e_lo| negate_spread(spread_e_lo.0)); // Assign spread_neg_e_lo - AssignedBits::<32>::assign_bits( + AssignedBits::::assign_bits( region, || "spread_neg_e_lo", a_3, @@ -606,7 +599,7 @@ impl CompressionConfig { .value() .map(|spread_e_hi| negate_spread(spread_e_hi.0)); // Assign spread_neg_e_hi - AssignedBits::<32>::assign_bits( + AssignedBits::::assign_bits( region, || "spread_neg_e_hi", a_4, @@ -634,15 +627,15 @@ impl CompressionConfig { self.assign_ch_outputs(region, row, p_0_even, p_0_odd, p_1_even, p_1_odd) } - fn assign_maj_outputs( + fn assign_maj_outputs( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, row: usize, r_0_even: Value<[bool; 16]>, r_0_odd: Value<[bool; 16]>, r_1_even: Value<[bool; 16]>, r_1_odd: Value<[bool; 16]>, - ) -> Result<(AssignedBits<16>, AssignedBits<16>), Error> { + ) -> Result<(AssignedBits, AssignedBits), Error> { let a_3 = self.extras[0]; let (_even, odd) = self.assign_spread_outputs( region, @@ -658,14 +651,14 @@ impl CompressionConfig { Ok(odd) } - pub(super) fn assign_maj( + pub(super) fn assign_maj( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, round_idx: MainRoundIdx, - spread_halves_a: RoundWordSpread, - spread_halves_b: RoundWordSpread, - spread_halves_c: RoundWordSpread, - ) -> Result<(AssignedBits<16>, AssignedBits<16>), Error> { + spread_halves_a: RoundWordSpread, + spread_halves_b: RoundWordSpread, + spread_halves_c: RoundWordSpread, + ) -> Result<(AssignedBits, AssignedBits), Error> { let a_4 = self.extras[1]; let a_5 = self.message_schedule; @@ -716,17 +709,17 @@ impl CompressionConfig { // s_h_prime to get H' = H + Ch(E, F, G) + s_upper_sigma_1(E) + K + W #[allow(clippy::too_many_arguments)] - pub(super) fn assign_h_prime( + pub(super) fn assign_h_prime( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, round_idx: MainRoundIdx, - h: RoundWordDense, - ch: (AssignedBits<16>, AssignedBits<16>), - ch_neg: (AssignedBits<16>, AssignedBits<16>), - sigma_1: (AssignedBits<16>, AssignedBits<16>), + h: RoundWordDense, + ch: (AssignedBits, AssignedBits), + ch_neg: (AssignedBits, AssignedBits), + sigma_1: (AssignedBits, AssignedBits), k: u32, - w: &(AssignedBits<16>, AssignedBits<16>), - ) -> Result { + w: &(AssignedBits, AssignedBits), + ) -> Result, Error> { let row = get_h_prime_row(round_idx); self.s_h_prime.enable(region, row)?; @@ -750,8 +743,14 @@ impl CompressionConfig { let k_lo: [bool; 16] = k[..16].try_into().unwrap(); let k_hi: [bool; 16] = k[16..].try_into().unwrap(); { - AssignedBits::<16>::assign_bits(region, || "k_lo", a_6, row - 1, Value::known(k_lo))?; - AssignedBits::<16>::assign_bits(region, || "k_hi", a_6, row, Value::known(k_hi))?; + AssignedBits::::assign_bits( + region, + || "k_lo", + a_6, + row - 1, + Value::known(k_lo), + )?; + AssignedBits::::assign_bits(region, || "k_hi", a_6, row, Value::known(k_hi))?; } // Assign and copy w @@ -783,30 +782,40 @@ impl CompressionConfig { || "h_prime_carry", a_9, row + 1, - || h_prime_carry.map(|value| pallas::Base::from(value as u64)), + || h_prime_carry.map(|value| F::from(value)), )?; let h_prime: Value<[bool; 32]> = h_prime.map(|w| i2lebsp(w.into())); let h_prime_lo: Value<[bool; 16]> = h_prime.map(|w| w[..16].try_into().unwrap()); let h_prime_hi: Value<[bool; 16]> = h_prime.map(|w| w[16..].try_into().unwrap()); - let h_prime_lo = - AssignedBits::<16>::assign_bits(region, || "h_prime_lo", a_7, row + 1, h_prime_lo)?; - let h_prime_hi = - AssignedBits::<16>::assign_bits(region, || "h_prime_hi", a_8, row + 1, h_prime_hi)?; + let h_prime_lo = AssignedBits::::assign_bits( + region, + || "h_prime_lo", + a_7, + row + 1, + h_prime_lo, + )?; + let h_prime_hi = AssignedBits::::assign_bits( + region, + || "h_prime_hi", + a_8, + row + 1, + h_prime_hi, + )?; Ok((h_prime_lo, h_prime_hi).into()) } } // s_e_new to get E_new = H' + D - pub(super) fn assign_e_new( + pub(super) fn assign_e_new( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, round_idx: MainRoundIdx, - d: &RoundWordDense, - h_prime: &RoundWordDense, - ) -> Result { + d: &RoundWordDense, + h_prime: &RoundWordDense, + ) -> Result, Error> { let row = get_e_new_row(round_idx); self.s_e_new.enable(region, row)?; @@ -826,25 +835,20 @@ impl CompressionConfig { ]); let e_new_dense = self.assign_word_halves_dense(region, row, a_8, row + 1, a_8, e_new)?; - region.assign_advice( - || "e_new_carry", - a_9, - row + 1, - || e_new_carry.map(pallas::Base::from), - )?; + region.assign_advice(|| "e_new_carry", a_9, row + 1, || e_new_carry.map(F::from))?; Ok(e_new_dense) } // s_a_new to get A_new = H' + Maj(A, B, C) + s_upper_sigma_0(A) - pub(super) fn assign_a_new( + pub(super) fn assign_a_new( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, round_idx: MainRoundIdx, - maj: (AssignedBits<16>, AssignedBits<16>), - sigma_0: (AssignedBits<16>, AssignedBits<16>), - h_prime: RoundWordDense, - ) -> Result { + maj: (AssignedBits, AssignedBits), + sigma_0: (AssignedBits, AssignedBits), + h_prime: RoundWordDense, + ) -> Result, Error> { let row = get_a_new_row(round_idx); self.s_a_new.enable(region, row)?; @@ -880,35 +884,30 @@ impl CompressionConfig { ]); let a_new_dense = self.assign_word_halves_dense(region, row, a_8, row + 1, a_8, a_new)?; - region.assign_advice( - || "a_new_carry", - a_9, - row, - || a_new_carry.map(pallas::Base::from), - )?; + region.assign_advice(|| "a_new_carry", a_9, row, || a_new_carry.map(F::from))?; Ok(a_new_dense) } - pub fn assign_word_halves_dense( + pub fn assign_word_halves_dense( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, lo_row: usize, lo_col: Column, hi_row: usize, hi_col: Column, word: Value, - ) -> Result { + ) -> Result, Error> { let word: Value<[bool; 32]> = word.map(|w| i2lebsp(w.into())); let lo = { let lo: Value<[bool; 16]> = word.map(|w| w[..16].try_into().unwrap()); - AssignedBits::<16>::assign_bits(region, || "lo", lo_col, lo_row, lo)? + AssignedBits::::assign_bits(region, || "lo", lo_col, lo_row, lo)? }; let hi = { let hi: Value<[bool; 16]> = word.map(|w| w[16..].try_into().unwrap()); - AssignedBits::<16>::assign_bits(region, || "hi", hi_col, hi_row, hi)? + AssignedBits::::assign_bits(region, || "hi", hi_col, hi_row, hi)? }; Ok((lo, hi).into()) @@ -916,12 +915,12 @@ impl CompressionConfig { // Assign hi and lo halves for both dense and spread versions of a word #[allow(clippy::type_complexity)] - pub fn assign_word_halves( + pub fn assign_word_halves( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, row: usize, word: Value, - ) -> Result<(RoundWordDense, RoundWordSpread), Error> { + ) -> Result<(RoundWordDense, RoundWordSpread), Error> { // Rename these here for ease of matching the gates to the specification. let a_7 = self.extras[3]; let a_8 = self.extras[4]; @@ -942,17 +941,18 @@ impl CompressionConfig { } #[allow(clippy::many_single_char_names)] -pub fn match_state( - state: State, +#[allow(clippy::type_complexity)] +pub fn match_state( + state: State, ) -> ( - RoundWordA, - RoundWord, - RoundWord, - RoundWordDense, - RoundWordE, - RoundWord, - RoundWord, - RoundWordDense, + RoundWordA, + RoundWord, + RoundWord, + RoundWordDense, + RoundWordE, + RoundWord, + RoundWord, + RoundWordDense, ) { let a = match state.a { Some(StateWord::A(a)) => a, diff --git a/halo2_gadgets/src/sha256/table16/compression/subregion_digest.rs b/halo2_gadgets/src/sha256/table16/compression/subregion_digest.rs index aa30f80a..a22c8cd6 100644 --- a/halo2_gadgets/src/sha256/table16/compression/subregion_digest.rs +++ b/halo2_gadgets/src/sha256/table16/compression/subregion_digest.rs @@ -1,102 +1,180 @@ -use super::super::{super::DIGEST_SIZE, BlockWord, RoundWordDense}; -use super::{compression_util::*, CompressionConfig, State}; -use halo2_proofs::{ - circuit::{Region, Value}, - plonk::{Advice, Column, Error}, +use super::super::util::{i2lebsp, sum_with_carry}; +use super::{ + super::{AssignedBits, RoundWordDense, SpreadVar, SpreadWord, STATE}, + compression_util::*, + CompressionConfig, Field, State, }; -use halo2curves::pasta::pallas; +use halo2_proofs::{circuit::Region, plonk::Error}; impl CompressionConfig { + // #[allow(clippy::many_single_char_names)] + // pub fn assign_digest( + // &self, + // region: &mut Region<'_, F>, + // state: State, + // ) -> Result<[BlockWord; DIGEST_SIZE], Error> { + // let a_3 = self.extras[0]; + // let a_4 = self.extras[1]; + // let a_5 = self.message_schedule; + // let a_6 = self.extras[2]; + // let a_7 = self.extras[3]; + // let a_8 = self.extras[4]; + + // let (a, b, c, d, e, f, g, h) = match_state(state); + + // let abcd_row = 0; + // self.s_digest.enable(region, abcd_row)?; + // let efgh_row = abcd_row + 2; + // self.s_digest.enable(region, efgh_row)?; + + // // Assign digest for A, B, C, D + // a.dense_halves + // .0 + // .copy_advice(|| "a_lo", region, a_3, abcd_row)?; + // a.dense_halves + // .1 + // .copy_advice(|| "a_hi", region, a_4, abcd_row)?; + // let a = a.dense_halves.value(); + // region.assign_advice(|| "a", a_5, abcd_row, || a.map(|a| F::from(a as u64)))?; + + // let b = self.assign_digest_word(region, abcd_row, a_6, a_7, a_8, b.dense_halves)?; + // let c = self.assign_digest_word(region, abcd_row + 1, a_3, a_4, a_5, c.dense_halves)?; + // let d = self.assign_digest_word(region, abcd_row + 1, a_6, a_7, a_8, d)?; + + // // Assign digest for E, F, G, H + // e.dense_halves + // .0 + // .copy_advice(|| "e_lo", region, a_3, efgh_row)?; + // e.dense_halves + // .1 + // .copy_advice(|| "e_hi", region, a_4, efgh_row)?; + // let e = e.dense_halves.value(); + // region.assign_advice(|| "e", a_5, efgh_row, || e.map(|e| F::from(e as u64)))?; + + // let f = self.assign_digest_word(region, efgh_row, a_6, a_7, a_8, f.dense_halves)?; + // let g = self.assign_digest_word(region, efgh_row + 1, a_3, a_4, a_5, g.dense_halves)?; + // let h = self.assign_digest_word(region, efgh_row + 1, a_6, a_7, a_8, h)?; + + // Ok([ + // BlockWord(a), + // BlockWord(b), + // BlockWord(c), + // BlockWord(d), + // BlockWord(e), + // BlockWord(f), + // BlockWord(g), + // BlockWord(h), + // ]) + // } + + // fn assign_digest_word( + // &self, + // region: &mut Region<'_, F>, + // row: usize, + // lo_col: Column, + // hi_col: Column, + // word_col: Column, + // dense_halves: RoundWordDense, + // ) -> Result, Error> { + // dense_halves.0.copy_advice(|| "lo", region, lo_col, row)?; + // dense_halves.1.copy_advice(|| "hi", region, hi_col, row)?; + + // let val = dense_halves.value(); + // region.assign_advice( + // || "word", + // word_col, + // row, + // || val.map(|val| F::from(val as u64)), + // )?; + + // Ok(val) + // } + #[allow(clippy::many_single_char_names)] - pub fn assign_digest( + pub fn complete_digest( &self, - region: &mut Region<'_, pallas::Base>, - state: State, - ) -> Result<[BlockWord; DIGEST_SIZE], Error> { + region: &mut Region<'_, F>, + last_compress_state: State, + initial_state: State, + ) -> Result<[RoundWordDense; STATE], Error> { let a_3 = self.extras[0]; - let a_4 = self.extras[1]; let a_5 = self.message_schedule; let a_6 = self.extras[2]; - let a_7 = self.extras[3]; let a_8 = self.extras[4]; - let (a, b, c, d, e, f, g, h) = match_state(state); - - let abcd_row = 0; - self.s_digest.enable(region, abcd_row)?; - let efgh_row = abcd_row + 2; - self.s_digest.enable(region, efgh_row)?; - - // Assign digest for A, B, C, D - a.dense_halves - .0 - .copy_advice(|| "a_lo", region, a_3, abcd_row)?; - a.dense_halves - .1 - .copy_advice(|| "a_hi", region, a_4, abcd_row)?; - let a = a.dense_halves.value(); - region.assign_advice( - || "a", - a_5, - abcd_row, - || a.map(|a| pallas::Base::from(a as u64)), - )?; - - let b = self.assign_digest_word(region, abcd_row, a_6, a_7, a_8, b.dense_halves)?; - let c = self.assign_digest_word(region, abcd_row + 1, a_3, a_4, a_5, c.dense_halves)?; - let d = self.assign_digest_word(region, abcd_row + 1, a_6, a_7, a_8, d)?; - - // Assign digest for E, F, G, H - e.dense_halves - .0 - .copy_advice(|| "e_lo", region, a_3, efgh_row)?; - e.dense_halves - .1 - .copy_advice(|| "e_hi", region, a_4, efgh_row)?; - let e = e.dense_halves.value(); - region.assign_advice( - || "e", - a_5, - efgh_row, - || e.map(|e| pallas::Base::from(e as u64)), - )?; - - let f = self.assign_digest_word(region, efgh_row, a_6, a_7, a_8, f.dense_halves)?; - let g = self.assign_digest_word(region, efgh_row + 1, a_3, a_4, a_5, g.dense_halves)?; - let h = self.assign_digest_word(region, efgh_row + 1, a_6, a_7, a_8, h)?; - - Ok([ - BlockWord(a), - BlockWord(b), - BlockWord(c), - BlockWord(d), - BlockWord(e), - BlockWord(f), - BlockWord(g), - BlockWord(h), + let (a, b, c, d, e, f, g, h) = match_state(last_compress_state); + let (a_i, b_i, c_i, d_i, e_i, f_i, g_i, h_i) = match_state(initial_state); + + let mut digest_dense = Vec::new(); + for (i, (final_dense, init_dense)) in [ + a.dense_halves, + b.dense_halves, + c.dense_halves, + d, + e.dense_halves, + f.dense_halves, + g.dense_halves, + h, + ] + .into_iter() + .zip([ + a_i.dense_halves, + b_i.dense_halves, + c_i.dense_halves, + d_i, + e_i.dense_halves, + f_i.dense_halves, + g_i.dense_halves, + h_i, ]) - } + .enumerate() + { + let row = i * 2; + self.s_digest.enable(region, row)?; + let (final_lo, final_hi) = final_dense.decompose(); + let (init_lo, init_hi) = init_dense.decompose(); - fn assign_digest_word( - &self, - region: &mut Region<'_, pallas::Base>, - row: usize, - lo_col: Column, - hi_col: Column, - word_col: Column, - dense_halves: RoundWordDense, - ) -> Result, Error> { - dense_halves.0.copy_advice(|| "lo", region, lo_col, row)?; - dense_halves.1.copy_advice(|| "hi", region, hi_col, row)?; - - let val = dense_halves.value(); - region.assign_advice( - || "word", - word_col, - row, - || val.map(|val| pallas::Base::from(val as u64)), - )?; - - Ok(val) + let (digest, carry) = sum_with_carry(vec![ + (final_lo.value_u16(), final_hi.value_u16()), + (init_lo.value_u16(), init_hi.value_u16()), + ]); + + region.assign_advice(|| "digest carry", a_8, row, || carry.map(F::from))?; + region.assign_advice( + || "digest word", + a_5, + row, + || digest.map(|v| F::from(v as u64)), + )?; + + final_lo.copy_advice(|| "final lo", region, a_3, row)?; + final_hi.copy_advice(|| "final hi", region, a_3, row + 1)?; + init_lo.copy_advice(|| "init lo", region, a_6, row)?; + init_hi.copy_advice(|| "init hi", region, a_6, row + 1)?; + + let word = digest.map(|w| i2lebsp(w.into())); + let digest_lo = word.map(|w: [bool; 32]| w[..16].try_into().unwrap()); + let digest_hi = word.map(|w| w[16..].try_into().unwrap()); + + let digest_lo = SpreadVar::with_lookup( + region, + &self.lookup, + row, + digest_lo.map(SpreadWord::<16, 32>::new), + )? + .dense; + let digest_hi = SpreadVar::with_lookup( + region, + &self.lookup, + row + 1, + digest_hi.map(SpreadWord::<16, 32>::new), + )? + .dense; + digest_dense.push((digest_lo, digest_hi)) + } + + let ret: [(AssignedBits, AssignedBits); STATE] = + digest_dense.try_into().unwrap(); + Ok(ret.map(RoundWordDense::from)) } } diff --git a/halo2_gadgets/src/sha256/table16/compression/subregion_initial.rs b/halo2_gadgets/src/sha256/table16/compression/subregion_initial.rs index a487dc0c..9b0c4341 100644 --- a/halo2_gadgets/src/sha256/table16/compression/subregion_initial.rs +++ b/halo2_gadgets/src/sha256/table16/compression/subregion_initial.rs @@ -1,19 +1,21 @@ -use super::super::{RoundWord, StateWord, STATE}; -use super::{compression_util::*, CompressionConfig, State}; +use super::{ + super::{RoundWord, StateWord, STATE}, + compression_util::*, + CompressionConfig, Field, RoundWordDense, State, +}; use halo2_proofs::{ circuit::{Region, Value}, plonk::Error, }; -use halo2curves::pasta::pallas; impl CompressionConfig { #[allow(clippy::many_single_char_names)] - pub fn initialize_iv( + pub fn initialize_iv( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, iv: [u32; STATE], - ) -> Result { + ) -> Result, Error> { let a_7 = self.extras[3]; // Decompose E into (6, 5, 14, 7)-bit chunks @@ -53,43 +55,37 @@ impl CompressionConfig { } #[allow(clippy::many_single_char_names)] - pub fn initialize_state( + pub fn initialize_state( &self, - region: &mut Region<'_, pallas::Base>, - state: State, - ) -> Result { + region: &mut Region<'_, F>, + state_dense: [RoundWordDense; STATE], + ) -> Result, Error> { + // TODO: there is no constraint on the input state and the output decomposed state + let a_7 = self.extras[3]; - let (a, b, c, d, e, f, g, h) = match_state(state); + let [a, b, c, d, e, f, g, h] = state_dense; // Decompose E into (6, 5, 14, 7)-bit chunks - let e = e.dense_halves.value(); - let e = self.decompose_e(region, RoundIdx::Init, e)?; + let e = self.decompose_e(region, RoundIdx::Init, e.value())?; // Decompose F, G - let f = f.dense_halves.value(); - let f = self.decompose_f(region, InitialRound, f)?; - let g = g.dense_halves.value(); - let g = self.decompose_g(region, InitialRound, g)?; + let f = self.decompose_f(region, InitialRound, f.value())?; + let g = self.decompose_g(region, InitialRound, g.value())?; // Assign H - let h = h.value(); let h_row = get_h_row(RoundIdx::Init); - let h = self.assign_word_halves_dense(region, h_row, a_7, h_row + 1, a_7, h)?; + let h = self.assign_word_halves_dense(region, h_row, a_7, h_row + 1, a_7, h.value())?; // Decompose A into (2, 11, 9, 10)-bit chunks - let a = a.dense_halves.value(); - let a = self.decompose_a(region, RoundIdx::Init, a)?; + let a = self.decompose_a(region, RoundIdx::Init, a.value())?; // Decompose B, C - let b = b.dense_halves.value(); - let b = self.decompose_b(region, InitialRound, b)?; - let c = c.dense_halves.value(); - let c = self.decompose_c(region, InitialRound, c)?; + let b = self.decompose_b(region, InitialRound, b.value())?; + let c = self.decompose_c(region, InitialRound, c.value())?; // Assign D - let d = d.value(); let d_row = get_d_row(RoundIdx::Init); - let d = self.assign_word_halves_dense(region, d_row, a_7, d_row + 1, a_7, d)?; + let d = self.assign_word_halves_dense(region, d_row, a_7, d_row + 1, a_7, d.value())?; Ok(State::new( StateWord::A(a), @@ -103,12 +99,12 @@ impl CompressionConfig { )) } - fn decompose_b( + fn decompose_b( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, round_idx: InitialRound, b_val: Value, - ) -> Result { + ) -> Result, Error> { let row = get_decompose_b_row(round_idx); let (dense_halves, spread_halves) = self.assign_word_halves(region, row, b_val)?; @@ -116,12 +112,12 @@ impl CompressionConfig { Ok(RoundWord::new(dense_halves, spread_halves)) } - fn decompose_c( + fn decompose_c( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, round_idx: InitialRound, c_val: Value, - ) -> Result { + ) -> Result, Error> { let row = get_decompose_c_row(round_idx); let (dense_halves, spread_halves) = self.assign_word_halves(region, row, c_val)?; @@ -129,12 +125,12 @@ impl CompressionConfig { Ok(RoundWord::new(dense_halves, spread_halves)) } - fn decompose_f( + fn decompose_f( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, round_idx: InitialRound, f_val: Value, - ) -> Result { + ) -> Result, Error> { let row = get_decompose_f_row(round_idx); let (dense_halves, spread_halves) = self.assign_word_halves(region, row, f_val)?; @@ -142,12 +138,12 @@ impl CompressionConfig { Ok(RoundWord::new(dense_halves, spread_halves)) } - fn decompose_g( + fn decompose_g( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, round_idx: InitialRound, g_val: Value, - ) -> Result { + ) -> Result, Error> { let row = get_decompose_g_row(round_idx); let (dense_halves, spread_halves) = self.assign_word_halves(region, row, g_val)?; diff --git a/halo2_gadgets/src/sha256/table16/compression/subregion_main.rs b/halo2_gadgets/src/sha256/table16/compression/subregion_main.rs index bda188a8..ab798497 100644 --- a/halo2_gadgets/src/sha256/table16/compression/subregion_main.rs +++ b/halo2_gadgets/src/sha256/table16/compression/subregion_main.rs @@ -1,19 +1,19 @@ -use super::super::{AssignedBits, RoundWord, RoundWordA, RoundWordE, StateWord, ROUND_CONSTANTS}; -use super::{compression_util::*, CompressionConfig, State}; +use super::{ + super::{AssignedBits, RoundWord, RoundWordA, RoundWordE, StateWord, ROUND_CONSTANTS}, + compression_util::*, + CompressionConfig, Field, State, +}; use halo2_proofs::{circuit::Region, plonk::Error}; -use halo2curves::pasta::pallas; impl CompressionConfig { #[allow(clippy::many_single_char_names)] - pub fn assign_round( + pub fn assign_round( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, round_idx: MainRoundIdx, - state: State, - schedule_word: &(AssignedBits<16>, AssignedBits<16>), - ) -> Result { - let a_3 = self.extras[0]; - let a_4 = self.extras[1]; + state: State, + schedule_word: &(AssignedBits, AssignedBits), + ) -> Result, Error> { let a_7 = self.extras[3]; let (a, b, c, d, e, f, g, h) = match_state(state); @@ -103,21 +103,12 @@ impl CompressionConfig { StateWord::H(g.dense_halves), )) } else { - let abcd_row = get_digest_abcd_row(); - let efgh_row = get_digest_efgh_row(); - - let a_final = - self.assign_word_halves_dense(region, abcd_row, a_3, abcd_row, a_4, a_new_val)?; - - let e_final = - self.assign_word_halves_dense(region, efgh_row, a_3, efgh_row, a_4, e_new_val)?; - Ok(State::new( - StateWord::A(RoundWordA::new_dense(a_final)), + StateWord::A(RoundWordA::new_dense(a_new_dense)), StateWord::B(RoundWord::new(a.dense_halves, a.spread_halves.unwrap())), StateWord::C(b), StateWord::D(c.dense_halves), - StateWord::E(RoundWordE::new_dense(e_final)), + StateWord::E(RoundWordE::new_dense(e_new_dense)), StateWord::F(RoundWord::new(e.dense_halves, e.spread_halves.unwrap())), StateWord::G(f), StateWord::H(g.dense_halves), diff --git a/halo2_gadgets/src/sha256/table16/message_schedule.rs b/halo2_gadgets/src/sha256/table16/message_schedule.rs index 690e086c..792e980f 100644 --- a/halo2_gadgets/src/sha256/table16/message_schedule.rs +++ b/halo2_gadgets/src/sha256/table16/message_schedule.rs @@ -1,12 +1,13 @@ use std::convert::TryInto; -use super::{super::BLOCK_SIZE, AssignedBits, BlockWord, SpreadInputs, Table16Assignment, ROUNDS}; +use super::{ + super::BLOCK_SIZE, AssignedBits, BlockWord, Field, SpreadInputs, Table16Assignment, ROUNDS, +}; use halo2_proofs::{ circuit::Layouter, plonk::{Advice, Column, ConstraintSystem, Error, Selector}, poly::Rotation, }; -use halo2curves::pasta::pallas; mod schedule_gates; mod schedule_util; @@ -21,10 +22,10 @@ use schedule_util::*; pub use schedule_util::msg_schedule_test_input; #[derive(Clone, Debug)] -pub(super) struct MessageWord(AssignedBits<32>); +pub(super) struct MessageWord(AssignedBits); -impl std::ops::Deref for MessageWord { - type Target = AssignedBits<32>; +impl std::ops::Deref for MessageWord { + type Target = AssignedBits; fn deref(&self) -> &Self::Target { &self.0 @@ -57,7 +58,7 @@ pub(super) struct MessageScheduleConfig { s_lower_sigma_1_v2: Selector, } -impl Table16Assignment for MessageScheduleConfig {} +impl Table16Assignment for MessageScheduleConfig {} impl MessageScheduleConfig { /// Configures the message schedule. @@ -70,8 +71,8 @@ impl MessageScheduleConfig { /// gates, and will not place any constraints on (such as lookup constraints) outside /// itself. #[allow(clippy::many_single_char_names)] - pub(super) fn configure( - meta: &mut ConstraintSystem, + pub(super) fn configure( + meta: &mut ConstraintSystem, lookup: SpreadInputs, message_schedule: Column, extras: [Column; 6], @@ -302,25 +303,25 @@ impl MessageScheduleConfig { } #[allow(clippy::type_complexity)] - pub(super) fn process( + pub(super) fn process( &self, - layouter: &mut impl Layouter, + layouter: &mut impl Layouter, input: [BlockWord; BLOCK_SIZE], ) -> Result< ( - [MessageWord; ROUNDS], - [(AssignedBits<16>, AssignedBits<16>); ROUNDS], + [MessageWord; ROUNDS], + [(AssignedBits, AssignedBits); ROUNDS], ), Error, > { - let mut w = Vec::::with_capacity(ROUNDS); - let mut w_halves = Vec::<(AssignedBits<16>, AssignedBits<16>)>::with_capacity(ROUNDS); + let mut w = Vec::>::with_capacity(ROUNDS); + let mut w_halves = Vec::<(AssignedBits<_, 16>, AssignedBits<_, 16>)>::with_capacity(ROUNDS); layouter.assign_region( || "process message block", |mut region| { - w = Vec::::with_capacity(ROUNDS); - w_halves = Vec::<(AssignedBits<16>, AssignedBits<16>)>::with_capacity(ROUNDS); + w = Vec::>::with_capacity(ROUNDS); + w_halves = Vec::<(AssignedBits<_, 16>, AssignedBits<_, 16>)>::with_capacity(ROUNDS); // Assign all fixed columns for index in 1..14 { @@ -393,10 +394,13 @@ impl MessageScheduleConfig { #[cfg(test)] mod tests { - use super::super::{ - super::BLOCK_SIZE, util::lebs2ip, BlockWord, SpreadTableChip, Table16Chip, Table16Config, + use super::{ + super::{ + super::BLOCK_SIZE, util::lebs2ip, BlockWord, SpreadTableChip, Table16Chip, + Table16Config, + }, + schedule_util::*, }; - use super::schedule_util::*; use halo2_proofs::{ circuit::{Layouter, SimpleFloorPlanner}, dev::MockProver, @@ -448,7 +452,7 @@ mod tests { let prover = match MockProver::::run(17, &circuit, vec![]) { Ok(prover) => prover, - Err(e) => panic!("{:?}", e), + Err(e) => panic!("{e:?}"), }; assert_eq!(prover.verify(), Ok(())); } diff --git a/halo2_gadgets/src/sha256/table16/message_schedule/schedule_util.rs b/halo2_gadgets/src/sha256/table16/message_schedule/schedule_util.rs index 79a9fa26..3aab76e6 100644 --- a/halo2_gadgets/src/sha256/table16/message_schedule/schedule_util.rs +++ b/halo2_gadgets/src/sha256/table16/message_schedule/schedule_util.rs @@ -1,10 +1,9 @@ -use super::super::AssignedBits; -use super::MessageScheduleConfig; +use super::super::Field; +use super::{super::AssignedBits, MessageScheduleConfig}; use halo2_proofs::{ circuit::{Region, Value}, plonk::Error, }; -use halo2curves::pasta::pallas; #[cfg(test)] use super::super::{super::BLOCK_SIZE, BlockWord, ROUNDS}; @@ -40,20 +39,17 @@ pub fn get_word_row(word_idx: usize) -> usize { if word_idx == 0 { 0 } else if (1..=13).contains(&word_idx) { - SUBREGION_0_ROWS + SUBREGION_1_WORD * (word_idx - 1) as usize + SUBREGION_0_ROWS + SUBREGION_1_WORD * (word_idx - 1) } else if (14..=48).contains(&word_idx) { SUBREGION_0_ROWS + SUBREGION_1_ROWS + SUBREGION_2_WORD * (word_idx - 14) + 1 } else if (49..=61).contains(&word_idx) { - SUBREGION_0_ROWS - + SUBREGION_1_ROWS - + SUBREGION_2_ROWS - + SUBREGION_3_WORD * (word_idx - 49) as usize + SUBREGION_0_ROWS + SUBREGION_1_ROWS + SUBREGION_2_ROWS + SUBREGION_3_WORD * (word_idx - 49) } else { SUBREGION_0_ROWS + SUBREGION_1_ROWS + SUBREGION_2_ROWS + SUBREGION_3_ROWS - + DECOMPOSE_0_ROWS * (word_idx - 62) as usize + + DECOMPOSE_0_ROWS * (word_idx - 62) } } @@ -150,12 +146,19 @@ pub const MSG_SCHEDULE_TEST_OUTPUT: [u32; ROUNDS] = [ impl MessageScheduleConfig { // Assign a word and its hi and lo halves - pub fn assign_word_and_halves( + #[allow(clippy::type_complexity)] + pub fn assign_word_and_halves( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, word: Value, word_idx: usize, - ) -> Result<(AssignedBits<32>, (AssignedBits<16>, AssignedBits<16>)), Error> { + ) -> Result< + ( + AssignedBits, + (AssignedBits, AssignedBits), + ), + Error, + > { // Rename these here for ease of matching the gates to the specification. let a_3 = self.extras[0]; let a_4 = self.extras[1]; @@ -164,16 +167,28 @@ impl MessageScheduleConfig { let w_lo = { let w_lo_val = word.map(|word| word as u16); - AssignedBits::<16>::assign(region, || format!("W_{}_lo", word_idx), a_3, row, w_lo_val)? + AssignedBits::<_, 16>::assign( + region, + || format!("W_{word_idx}_lo"), + a_3, + row, + w_lo_val, + )? }; let w_hi = { let w_hi_val = word.map(|word| (word >> 16) as u16); - AssignedBits::<16>::assign(region, || format!("W_{}_hi", word_idx), a_4, row, w_hi_val)? + AssignedBits::<_, 16>::assign( + region, + || format!("W_{word_idx}_hi"), + a_4, + row, + w_hi_val, + )? }; - let word = AssignedBits::<32>::assign( + let word = AssignedBits::<_, 32>::assign( region, - || format!("W_{}", word_idx), + || format!("W_{word_idx}"), self.message_schedule, row, word, diff --git a/halo2_gadgets/src/sha256/table16/message_schedule/subregion1.rs b/halo2_gadgets/src/sha256/table16/message_schedule/subregion1.rs index 947c9dda..a5bed0b0 100644 --- a/halo2_gadgets/src/sha256/table16/message_schedule/subregion1.rs +++ b/halo2_gadgets/src/sha256/table16/message_schedule/subregion1.rs @@ -1,26 +1,29 @@ -use super::super::{util::*, AssignedBits, BlockWord, SpreadVar, SpreadWord, Table16Assignment}; -use super::{schedule_util::*, MessageScheduleConfig}; +use super::super::Field; +use super::{ + super::{util::*, AssignedBits, BlockWord, SpreadVar, SpreadWord, Table16Assignment}, + schedule_util::*, + MessageScheduleConfig, +}; use halo2_proofs::{ circuit::{Region, Value}, plonk::Error, }; -use halo2curves::pasta::pallas; use std::convert::TryInto; // A word in subregion 1 // (3, 4, 11, 14)-bit chunks #[derive(Debug)] -pub struct Subregion1Word { +pub struct Subregion1Word { index: usize, - a: AssignedBits<3>, - b: AssignedBits<4>, - c: AssignedBits<11>, - d: AssignedBits<14>, - spread_c: AssignedBits<22>, - spread_d: AssignedBits<28>, + a: AssignedBits, + b: AssignedBits, + c: AssignedBits, + d: AssignedBits, + spread_c: AssignedBits, + spread_d: AssignedBits, } -impl Subregion1Word { +impl Subregion1Word { fn spread_a(&self) -> Value<[bool; 6]> { self.a.value().map(|v| v.spread()) } @@ -75,11 +78,12 @@ impl Subregion1Word { } impl MessageScheduleConfig { - pub fn assign_subregion1( + #[allow(clippy::type_complexity)] + pub fn assign_subregion1( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, input: &[BlockWord], - ) -> Result, AssignedBits<16>)>, Error> { + ) -> Result, AssignedBits)>, Error> { assert_eq!(input.len(), SUBREGION_1_LEN); Ok(input .iter() @@ -101,12 +105,13 @@ impl MessageScheduleConfig { } /// Pieces of length [3, 4, 11, 14] - fn decompose_subregion1_word( + #[allow(clippy::type_complexity)] + fn decompose_subregion1_word( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, word: Value<[bool; 32]>, index: usize, - ) -> Result { + ) -> Result, Error> { let row = get_word_row(index); // Rename these here for ease of matching the gates to the specification. @@ -124,11 +129,21 @@ impl MessageScheduleConfig { let pieces = pieces.transpose_vec(4); // Assign `a` (3-bit piece) - let a = - AssignedBits::<3>::assign_bits(region, || "word_a", a_3, row + 1, pieces[0].clone())?; + let a = AssignedBits::<_, 3>::assign_bits( + region, + || "word_a", + a_3, + row + 1, + pieces[0].clone(), + )?; // Assign `b` (4-bit piece) - let b = - AssignedBits::<4>::assign_bits(region, || "word_b", a_4, row + 1, pieces[1].clone())?; + let b = AssignedBits::<_, 4>::assign_bits( + region, + || "word_b", + a_4, + row + 1, + pieces[1].clone(), + )?; // Assign `c` (11-bit piece) lookup let spread_c = pieces[2].clone().map(SpreadWord::try_new); @@ -151,11 +166,11 @@ impl MessageScheduleConfig { // sigma_0 v1 on a word in W_1 to W_13 // (3, 4, 11, 14)-bit chunks - fn lower_sigma_0( + fn lower_sigma_0( &self, - region: &mut Region<'_, pallas::Base>, - word: Subregion1Word, - ) -> Result<(AssignedBits<16>, AssignedBits<16>), Error> { + region: &mut Region<'_, F>, + word: Subregion1Word, + ) -> Result<(AssignedBits, AssignedBits), Error> { let a_3 = self.extras[0]; let a_4 = self.extras[1]; let a_5 = self.message_schedule; @@ -168,16 +183,16 @@ impl MessageScheduleConfig { // Witness `spread_a` let spread_a = word.a.value().map(|bits| spread_bits(bits.0)); - AssignedBits::<6>::assign_bits(region, || "spread_a", a_6, row + 1, spread_a)?; + AssignedBits::<_, 6>::assign_bits(region, || "spread_a", a_6, row + 1, spread_a)?; // Split `b` (4-bit chunk) into `b_hi` and `b_lo` // Assign `b_lo`, `spread_b_lo` let b_lo: Value<[bool; 2]> = word.b.value().map(|b| b.0[..2].try_into().unwrap()); let spread_b_lo = b_lo.map(spread_bits); { - AssignedBits::<2>::assign_bits(region, || "b_lo", a_3, row - 1, b_lo)?; + AssignedBits::<_, 2>::assign_bits(region, || "b_lo", a_3, row - 1, b_lo)?; - AssignedBits::<4>::assign_bits(region, || "spread_b_lo", a_4, row - 1, spread_b_lo)?; + AssignedBits::<_, 4>::assign_bits(region, || "spread_b_lo", a_4, row - 1, spread_b_lo)?; }; // Split `b` (2-bit chunk) into `b_hi` and `b_lo` @@ -185,9 +200,9 @@ impl MessageScheduleConfig { let b_hi: Value<[bool; 2]> = word.b.value().map(|b| b.0[2..].try_into().unwrap()); let spread_b_hi = b_hi.map(spread_bits); { - AssignedBits::<2>::assign_bits(region, || "b_hi", a_5, row - 1, b_hi)?; + AssignedBits::<_, 2>::assign_bits(region, || "b_hi", a_5, row - 1, b_hi)?; - AssignedBits::<4>::assign_bits(region, || "spread_b_hi", a_6, row - 1, spread_b_hi)?; + AssignedBits::<_, 4>::assign_bits(region, || "spread_b_hi", a_6, row - 1, spread_b_hi)?; }; // Assign `b` and copy constraint diff --git a/halo2_gadgets/src/sha256/table16/message_schedule/subregion2.rs b/halo2_gadgets/src/sha256/table16/message_schedule/subregion2.rs index 43e96c93..e34c4bd3 100644 --- a/halo2_gadgets/src/sha256/table16/message_schedule/subregion2.rs +++ b/halo2_gadgets/src/sha256/table16/message_schedule/subregion2.rs @@ -1,29 +1,32 @@ -use super::super::{util::*, AssignedBits, Bits, SpreadVar, SpreadWord, Table16Assignment}; -use super::{schedule_util::*, MessageScheduleConfig, MessageWord}; +use super::super::Field; +use super::{ + super::{util::*, AssignedBits, Bits, SpreadVar, SpreadWord, Table16Assignment}, + schedule_util::*, + MessageScheduleConfig, MessageWord, +}; use halo2_proofs::{ circuit::{Region, Value}, plonk::Error, }; -use halo2curves::pasta::pallas; use std::convert::TryInto; /// A word in subregion 2 /// (3, 4, 3, 7, 1, 1, 13)-bit chunks #[derive(Clone, Debug)] -pub struct Subregion2Word { +pub struct Subregion2Word { index: usize, - a: AssignedBits<3>, - b: AssignedBits<4>, - c: AssignedBits<3>, - d: AssignedBits<7>, - e: AssignedBits<1>, - f: AssignedBits<1>, - g: AssignedBits<13>, - spread_d: AssignedBits<14>, - spread_g: AssignedBits<26>, + a: AssignedBits, + b: AssignedBits, + c: AssignedBits, + d: AssignedBits, + e: AssignedBits, + f: AssignedBits, + g: AssignedBits, + spread_d: AssignedBits, + spread_g: AssignedBits, } -impl Subregion2Word { +impl Subregion2Word { fn spread_a(&self) -> Value<[bool; 6]> { self.a.value().map(|v| v.spread()) } @@ -153,13 +156,14 @@ impl Subregion2Word { impl MessageScheduleConfig { // W_[14..49] - pub fn assign_subregion2( + #[allow(clippy::type_complexity)] + pub fn assign_subregion2( &self, - region: &mut Region<'_, pallas::Base>, - lower_sigma_0_output: Vec<(AssignedBits<16>, AssignedBits<16>)>, - w: &mut Vec, - w_halves: &mut Vec<(AssignedBits<16>, AssignedBits<16>)>, - ) -> Result, AssignedBits<16>)>, Error> { + region: &mut Region<'_, F>, + lower_sigma_0_output: Vec<(AssignedBits, AssignedBits)>, + w: &mut Vec>, + w_halves: &mut Vec<(AssignedBits, AssignedBits)>, + ) -> Result, AssignedBits)>, Error> { let a_5 = self.message_schedule; let a_6 = self.extras[2]; let a_7 = self.extras[3]; @@ -167,9 +171,9 @@ impl MessageScheduleConfig { let a_9 = self.extras[5]; let mut lower_sigma_0_v2_results = - Vec::<(AssignedBits<16>, AssignedBits<16>)>::with_capacity(SUBREGION_2_LEN); + Vec::<(AssignedBits<_, 16>, AssignedBits<_, 16>)>::with_capacity(SUBREGION_2_LEN); let mut lower_sigma_1_v2_results = - Vec::<(AssignedBits<16>, AssignedBits<16>)>::with_capacity(SUBREGION_2_LEN); + Vec::<(AssignedBits<_, 16>, AssignedBits<_, 16>)>::with_capacity(SUBREGION_2_LEN); // Closure to compose new word // W_i = sigma_1(W_{i - 2}) + W_{i - 7} + sigma_0(W_{i - 15}) + W_{i - 16} @@ -179,98 +183,99 @@ impl MessageScheduleConfig { // sigma_0_v2(W_[14..36]) will be used to get the new W_[29..51] // sigma_1_v2(W_[14..49]) will be used to get the W_[16..51] // The lowest-index words involved will be W_[0..13] - let mut new_word = |idx: usize, - sigma_0_output: &(AssignedBits<16>, AssignedBits<16>)| - -> Result, AssignedBits<16>)>, Error> { - // Decompose word into (3, 4, 3, 7, 1, 1, 13)-bit chunks - let word = self.decompose_word(region, w[idx].value(), idx)?; - - // sigma_0 v2 and sigma_1 v2 on word - lower_sigma_0_v2_results.push(self.lower_sigma_0_v2(region, word.clone())?); - lower_sigma_1_v2_results.push(self.lower_sigma_1_v2(region, word)?); - - let new_word_idx = idx + 2; - - // Copy sigma_0(W_{i - 15}) output from Subregion 1 - sigma_0_output.0.copy_advice( - || format!("sigma_0(W_{})_lo", new_word_idx - 15), - region, - a_6, - get_word_row(new_word_idx - 16), - )?; - sigma_0_output.1.copy_advice( - || format!("sigma_0(W_{})_hi", new_word_idx - 15), - region, - a_6, - get_word_row(new_word_idx - 16) + 1, - )?; - - // Copy sigma_1(W_{i - 2}) - lower_sigma_1_v2_results[new_word_idx - 16].0.copy_advice( - || format!("sigma_1(W_{})_lo", new_word_idx - 2), - region, - a_7, - get_word_row(new_word_idx - 16), - )?; - lower_sigma_1_v2_results[new_word_idx - 16].1.copy_advice( - || format!("sigma_1(W_{})_hi", new_word_idx - 2), - region, - a_7, - get_word_row(new_word_idx - 16) + 1, - )?; - - // Copy W_{i - 7} - w_halves[new_word_idx - 7].0.copy_advice( - || format!("W_{}_lo", new_word_idx - 7), - region, - a_8, - get_word_row(new_word_idx - 16), - )?; - w_halves[new_word_idx - 7].1.copy_advice( - || format!("W_{}_hi", new_word_idx - 7), - region, - a_8, - get_word_row(new_word_idx - 16) + 1, - )?; - - // Calculate W_i, carry_i - let (word, carry) = sum_with_carry(vec![ - ( - lower_sigma_1_v2_results[new_word_idx - 16].0.value_u16(), - lower_sigma_1_v2_results[new_word_idx - 16].1.value_u16(), - ), - ( - w_halves[new_word_idx - 7].0.value_u16(), - w_halves[new_word_idx - 7].1.value_u16(), - ), - (sigma_0_output.0.value_u16(), sigma_0_output.1.value_u16()), - ( - w_halves[new_word_idx - 16].0.value_u16(), - w_halves[new_word_idx - 16].1.value_u16(), - ), - ]); - - // Assign W_i, carry_i - region.assign_advice( - || format!("W_{}", new_word_idx), - a_5, - get_word_row(new_word_idx - 16) + 1, - || word.map(|word| pallas::Base::from(word as u64)), - )?; - region.assign_advice( - || format!("carry_{}", new_word_idx), - a_9, - get_word_row(new_word_idx - 16) + 1, - || carry.map(|carry| pallas::Base::from(carry as u64)), - )?; - let (word, halves) = self.assign_word_and_halves(region, word, new_word_idx)?; - w.push(MessageWord(word)); - w_halves.push(halves); - - Ok(lower_sigma_0_v2_results.clone()) - }; - - let mut tmp_lower_sigma_0_v2_results: Vec<(AssignedBits<16>, AssignedBits<16>)> = + let mut new_word = + |idx: usize, + sigma_0_output: &(AssignedBits<_, 16>, AssignedBits<_, 16>)| + -> Result, AssignedBits<_, 16>)>, Error> { + // Decompose word into (3, 4, 3, 7, 1, 1, 13)-bit chunks + let word = self.decompose_word(region, w[idx].value(), idx)?; + + // sigma_0 v2 and sigma_1 v2 on word + lower_sigma_0_v2_results.push(self.lower_sigma_0_v2(region, word.clone())?); + lower_sigma_1_v2_results.push(self.lower_sigma_1_v2(region, word)?); + + let new_word_idx = idx + 2; + + // Copy sigma_0(W_{i - 15}) output from Subregion 1 + sigma_0_output.0.copy_advice( + || format!("sigma_0(W_{})_lo", new_word_idx - 15), + region, + a_6, + get_word_row(new_word_idx - 16), + )?; + sigma_0_output.1.copy_advice( + || format!("sigma_0(W_{})_hi", new_word_idx - 15), + region, + a_6, + get_word_row(new_word_idx - 16) + 1, + )?; + + // Copy sigma_1(W_{i - 2}) + lower_sigma_1_v2_results[new_word_idx - 16].0.copy_advice( + || format!("sigma_1(W_{})_lo", new_word_idx - 2), + region, + a_7, + get_word_row(new_word_idx - 16), + )?; + lower_sigma_1_v2_results[new_word_idx - 16].1.copy_advice( + || format!("sigma_1(W_{})_hi", new_word_idx - 2), + region, + a_7, + get_word_row(new_word_idx - 16) + 1, + )?; + + // Copy W_{i - 7} + w_halves[new_word_idx - 7].0.copy_advice( + || format!("W_{}_lo", new_word_idx - 7), + region, + a_8, + get_word_row(new_word_idx - 16), + )?; + w_halves[new_word_idx - 7].1.copy_advice( + || format!("W_{}_hi", new_word_idx - 7), + region, + a_8, + get_word_row(new_word_idx - 16) + 1, + )?; + + // Calculate W_i, carry_i + let (word, carry) = sum_with_carry(vec![ + ( + lower_sigma_1_v2_results[new_word_idx - 16].0.value_u16(), + lower_sigma_1_v2_results[new_word_idx - 16].1.value_u16(), + ), + ( + w_halves[new_word_idx - 7].0.value_u16(), + w_halves[new_word_idx - 7].1.value_u16(), + ), + (sigma_0_output.0.value_u16(), sigma_0_output.1.value_u16()), + ( + w_halves[new_word_idx - 16].0.value_u16(), + w_halves[new_word_idx - 16].1.value_u16(), + ), + ]); + + // Assign W_i, carry_i + region.assign_advice( + || format!("W_{new_word_idx}"), + a_5, + get_word_row(new_word_idx - 16) + 1, + || word.map(|word| F::from(word as u64)), + )?; + region.assign_advice( + || format!("carry_{new_word_idx}"), + a_9, + get_word_row(new_word_idx - 16) + 1, + || carry.map(|carry| F::from(carry)), + )?; + let (word, halves) = self.assign_word_and_halves(region, word, new_word_idx)?; + w.push(MessageWord(word)); + w_halves.push(halves); + + Ok(lower_sigma_0_v2_results.clone()) + }; + + let mut tmp_lower_sigma_0_v2_results: Vec<(AssignedBits<_, 16>, AssignedBits<_, 16>)> = Vec::with_capacity(SUBREGION_2_LEN); // Use up all the output from Subregion 1 lower_sigma_0 @@ -288,12 +293,12 @@ impl MessageScheduleConfig { } /// Pieces of length [3, 4, 3, 7, 1, 1, 13] - fn decompose_word( + fn decompose_word( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, word: Value<&Bits<32>>, index: usize, - ) -> Result { + ) -> Result, Error> { let row = get_word_row(index); let pieces = word.map(|word| { @@ -314,24 +319,24 @@ impl MessageScheduleConfig { let a_4 = self.extras[1]; // Assign `a` (3-bit piece) - let a = AssignedBits::<3>::assign_bits(region, || "a", a_3, row - 1, pieces[0].clone())?; + let a = AssignedBits::<_, 3>::assign_bits(region, || "a", a_3, row - 1, pieces[0].clone())?; // Assign `b` (4-bit piece) lookup let spread_b: Value> = pieces[1].clone().map(SpreadWord::try_new); let spread_b = SpreadVar::with_lookup(region, &self.lookup, row + 1, spread_b)?; // Assign `c` (3-bit piece) - let c = AssignedBits::<3>::assign_bits(region, || "c", a_4, row - 1, pieces[2].clone())?; + let c = AssignedBits::<_, 3>::assign_bits(region, || "c", a_4, row - 1, pieces[2].clone())?; // Assign `d` (7-bit piece) lookup let spread_d: Value> = pieces[3].clone().map(SpreadWord::try_new); let spread_d = SpreadVar::with_lookup(region, &self.lookup, row, spread_d)?; // Assign `e` (1-bit piece) - let e = AssignedBits::<1>::assign_bits(region, || "e", a_3, row + 1, pieces[4].clone())?; + let e = AssignedBits::<_, 1>::assign_bits(region, || "e", a_3, row + 1, pieces[4].clone())?; // Assign `f` (1-bit piece) - let f = AssignedBits::<1>::assign_bits(region, || "f", a_4, row + 1, pieces[5].clone())?; + let f = AssignedBits::<_, 1>::assign_bits(region, || "f", a_4, row + 1, pieces[5].clone())?; // Assign `g` (13-bit piece) lookup let spread_g = pieces[6].clone().map(SpreadWord::try_new); @@ -354,11 +359,11 @@ impl MessageScheduleConfig { /// A word in subregion 2 /// (3, 4, 3, 7, 1, 1, 13)-bit chunks #[allow(clippy::type_complexity)] - fn assign_lower_sigma_v2_pieces( + fn assign_lower_sigma_v2_pieces( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, row: usize, - word: &Subregion2Word, + word: &Subregion2Word, ) -> Result<(), Error> { let a_3 = self.extras[0]; let a_4 = self.extras[1]; @@ -370,7 +375,7 @@ impl MessageScheduleConfig { word.a.copy_advice(|| "a", region, a_3, row + 1)?; // Witness `spread_a` - AssignedBits::<6>::assign_bits(region, || "spread_a", a_4, row + 1, word.spread_a())?; + AssignedBits::<_, 6>::assign_bits(region, || "spread_a", a_4, row + 1, word.spread_a())?; // Split `b` (4-bit chunk) into `b_hi` and `b_lo` // Assign `b_lo`, `spread_b_lo` @@ -378,9 +383,9 @@ impl MessageScheduleConfig { let b_lo: Value<[bool; 2]> = word.b.value().map(|b| b.0[..2].try_into().unwrap()); let spread_b_lo = b_lo.map(spread_bits); { - AssignedBits::<2>::assign_bits(region, || "b_lo", a_3, row - 1, b_lo)?; + AssignedBits::<_, 2>::assign_bits(region, || "b_lo", a_3, row - 1, b_lo)?; - AssignedBits::<4>::assign_bits(region, || "spread_b_lo", a_4, row - 1, spread_b_lo)?; + AssignedBits::<_, 4>::assign_bits(region, || "spread_b_lo", a_4, row - 1, spread_b_lo)?; }; // Split `b` (2-bit chunk) into `b_hi` and `b_lo` @@ -388,9 +393,9 @@ impl MessageScheduleConfig { let b_hi: Value<[bool; 2]> = word.b.value().map(|b| b.0[2..].try_into().unwrap()); let spread_b_hi = b_hi.map(spread_bits); { - AssignedBits::<2>::assign_bits(region, || "b_hi", a_5, row - 1, b_hi)?; + AssignedBits::<_, 2>::assign_bits(region, || "b_hi", a_5, row - 1, b_hi)?; - AssignedBits::<4>::assign_bits(region, || "spread_b_hi", a_6, row - 1, spread_b_hi)?; + AssignedBits::<_, 4>::assign_bits(region, || "spread_b_hi", a_6, row - 1, spread_b_hi)?; }; // Assign `b` and copy constraint @@ -400,7 +405,7 @@ impl MessageScheduleConfig { word.c.copy_advice(|| "c", region, a_5, row + 1)?; // Witness `spread_c` - AssignedBits::<6>::assign_bits(region, || "spread_c", a_6, row + 1, word.spread_c())?; + AssignedBits::<_, 6>::assign_bits(region, || "spread_c", a_6, row + 1, word.spread_c())?; // Assign `spread_d` and copy constraint word.spread_d.copy_advice(|| "spread_d", region, a_4, row)?; @@ -417,11 +422,11 @@ impl MessageScheduleConfig { Ok(()) } - fn lower_sigma_0_v2( + fn lower_sigma_0_v2( &self, - region: &mut Region<'_, pallas::Base>, - word: Subregion2Word, - ) -> Result<(AssignedBits<16>, AssignedBits<16>), Error> { + region: &mut Region<'_, F>, + word: Subregion2Word, + ) -> Result<(AssignedBits, AssignedBits), Error> { let a_3 = self.extras[0]; let row = get_word_row(word.index) + 3; @@ -450,11 +455,11 @@ impl MessageScheduleConfig { ) } - fn lower_sigma_1_v2( + fn lower_sigma_1_v2( &self, - region: &mut Region<'_, pallas::Base>, - word: Subregion2Word, - ) -> Result<(AssignedBits<16>, AssignedBits<16>), Error> { + region: &mut Region<'_, F>, + word: Subregion2Word, + ) -> Result<(AssignedBits, AssignedBits), Error> { let a_3 = self.extras[0]; let row = get_word_row(word.index) + SIGMA_0_V2_ROWS + 3; diff --git a/halo2_gadgets/src/sha256/table16/message_schedule/subregion3.rs b/halo2_gadgets/src/sha256/table16/message_schedule/subregion3.rs index b23046e4..9f2217c7 100644 --- a/halo2_gadgets/src/sha256/table16/message_schedule/subregion3.rs +++ b/halo2_gadgets/src/sha256/table16/message_schedule/subregion3.rs @@ -1,27 +1,30 @@ -use super::super::{util::*, AssignedBits, Bits, SpreadVar, SpreadWord, Table16Assignment}; -use super::{schedule_util::*, MessageScheduleConfig, MessageWord}; +use super::super::Field; +use super::{ + super::{util::*, AssignedBits, Bits, SpreadVar, SpreadWord, Table16Assignment}, + schedule_util::*, + MessageScheduleConfig, MessageWord, +}; use halo2_proofs::{ circuit::{Region, Value}, plonk::Error, }; -use halo2curves::pasta::pallas; use std::convert::TryInto; // A word in subregion 3 // (10, 7, 2, 13)-bit chunks -pub struct Subregion3Word { +pub struct Subregion3Word { index: usize, #[allow(dead_code)] - a: AssignedBits<10>, - b: AssignedBits<7>, - c: AssignedBits<2>, + a: AssignedBits, + b: AssignedBits, + c: AssignedBits, #[allow(dead_code)] - d: AssignedBits<13>, - spread_a: AssignedBits<20>, - spread_d: AssignedBits<26>, + d: AssignedBits, + spread_a: AssignedBits, + spread_d: AssignedBits, } -impl Subregion3Word { +impl Subregion3Word { fn spread_a(&self) -> Value<[bool; 20]> { self.spread_a.value().map(|v| v.0) } @@ -78,12 +81,12 @@ impl Subregion3Word { impl MessageScheduleConfig { // W_[49..62] - pub fn assign_subregion3( + pub fn assign_subregion3( &self, - region: &mut Region<'_, pallas::Base>, - lower_sigma_0_v2_output: Vec<(AssignedBits<16>, AssignedBits<16>)>, - w: &mut Vec, - w_halves: &mut Vec<(AssignedBits<16>, AssignedBits<16>)>, + region: &mut Region<'_, F>, + lower_sigma_0_v2_output: Vec<(AssignedBits, AssignedBits)>, + w: &mut Vec>, + w_halves: &mut Vec<(AssignedBits, AssignedBits)>, ) -> Result<(), Error> { let a_5 = self.message_schedule; let a_6 = self.extras[2]; @@ -168,16 +171,16 @@ impl MessageScheduleConfig { // Assign W_i, carry_i region.assign_advice( - || format!("W_{}", new_word_idx), + || format!("W_{new_word_idx}"), a_5, get_word_row(new_word_idx - 16) + 1, - || word.map(|word| pallas::Base::from(word as u64)), + || word.map(|word| F::from(word as u64)), )?; region.assign_advice( - || format!("carry_{}", new_word_idx), + || format!("carry_{new_word_idx}"), a_9, get_word_row(new_word_idx - 16) + 1, - || carry.map(|carry| pallas::Base::from(carry as u64)), + || carry.map(|carry| F::from(carry)), )?; let (word, halves) = self.assign_word_and_halves(region, word, new_word_idx)?; w.push(MessageWord(word)); @@ -194,12 +197,12 @@ impl MessageScheduleConfig { } /// Pieces of length [10, 7, 2, 13] - fn decompose_subregion3_word( + fn decompose_subregion3_word( &self, - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, word: Value<&Bits<32>>, index: usize, - ) -> Result { + ) -> Result, Error> { let row = get_word_row(index); // Rename these here for ease of matching the gates to the specification. @@ -221,10 +224,10 @@ impl MessageScheduleConfig { let spread_a = SpreadVar::with_lookup(region, &self.lookup, row + 1, spread_a)?; // Assign `b` (7-bit piece) - let b = AssignedBits::<7>::assign_bits(region, || "b", a_4, row + 1, pieces[1].clone())?; + let b = AssignedBits::::assign_bits(region, || "b", a_4, row + 1, pieces[1].clone())?; // Assign `c` (2-bit piece) - let c = AssignedBits::<2>::assign_bits(region, || "c", a_3, row + 1, pieces[2].clone())?; + let c = AssignedBits::::assign_bits(region, || "c", a_3, row + 1, pieces[2].clone())?; // Assign `d` (13-bit piece) lookup let spread_d = pieces[3].clone().map(SpreadWord::try_new); @@ -241,11 +244,11 @@ impl MessageScheduleConfig { }) } - fn lower_sigma_1( + fn lower_sigma_1( &self, - region: &mut Region<'_, pallas::Base>, - word: Subregion3Word, - ) -> Result<(AssignedBits<16>, AssignedBits<16>), Error> { + region: &mut Region<'_, F>, + word: Subregion3Word, + ) -> Result<(AssignedBits, AssignedBits), Error> { let a_3 = self.extras[0]; let a_4 = self.extras[1]; let a_5 = self.message_schedule; @@ -289,7 +292,7 @@ impl MessageScheduleConfig { // Witness `spread_c` { let spread_c = word.c.value().map(spread_bits); - AssignedBits::<4>::assign_bits(region, || "spread_c", a_4, row + 1, spread_c)?; + AssignedBits::::assign_bits(region, || "spread_c", a_4, row + 1, spread_c)?; } // Assign `spread_d` and copy constraint diff --git a/halo2_gadgets/src/sha256/table16/spread_table.rs b/halo2_gadgets/src/sha256/table16/spread_table.rs index 3e1488e9..471a844f 100644 --- a/halo2_gadgets/src/sha256/table16/spread_table.rs +++ b/halo2_gadgets/src/sha256/table16/spread_table.rs @@ -1,13 +1,10 @@ -use super::{util::*, AssignedBits}; +use super::{util::*, AssignedBits, Field}; use halo2_proofs::{ arithmetic::FieldExt, circuit::{Chip, Layouter, Region, Value}, plonk::{Advice, Column, ConstraintSystem, Error, TableColumn}, - poly::Rotation, }; -use halo2curves::pasta::pallas; -use std::convert::TryInto; -use std::marker::PhantomData; +use std::{convert::TryInto, marker::PhantomData}; const BITS_7: usize = 1 << 7; const BITS_10: usize = 1 << 10; @@ -67,15 +64,15 @@ impl SpreadWord { /// A variable stored in advice columns corresponding to a row of [`SpreadTableConfig`]. #[derive(Clone, Debug)] -pub(super) struct SpreadVar { +pub(super) struct SpreadVar { pub tag: Value, - pub dense: AssignedBits, - pub spread: AssignedBits, + pub dense: AssignedBits, + pub spread: AssignedBits, } -impl SpreadVar { +impl SpreadVar { pub(super) fn with_lookup( - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, cols: &SpreadInputs, row: usize, word: Value>, @@ -88,20 +85,25 @@ impl SpreadVar { || "tag", cols.tag, row, - || tag.map(|tag| pallas::Base::from(tag as u64)), + || tag.map(|tag| F::from(tag as u64)), )?; let dense = - AssignedBits::::assign_bits(region, || "dense", cols.dense, row, dense_val)?; + AssignedBits::<_, DENSE>::assign_bits(region, || "dense", cols.dense, row, dense_val)?; - let spread = - AssignedBits::::assign_bits(region, || "spread", cols.spread, row, spread_val)?; + let spread = AssignedBits::<_, SPREAD>::assign_bits( + region, + || "spread", + cols.spread, + row, + spread_val, + )?; Ok(SpreadVar { tag, dense, spread }) } pub(super) fn without_lookup( - region: &mut Region<'_, pallas::Base>, + region: &mut Region<'_, F>, dense_col: Column, dense_row: usize, spread_col: Column, @@ -112,7 +114,7 @@ impl SpreadVar { let dense_val = word.map(|word| word.dense); let spread_val = word.map(|word| word.spread); - let dense = AssignedBits::::assign_bits( + let dense = AssignedBits::<_, DENSE>::assign_bits( region, || "dense", dense_col, @@ -120,7 +122,7 @@ impl SpreadVar { dense_val, )?; - let spread = AssignedBits::::assign_bits( + let spread = AssignedBits::<_, SPREAD>::assign_bits( region, || "spread", spread_col, @@ -183,6 +185,7 @@ impl SpreadTableChip { let table_spread = meta.lookup_table_column(); meta.lookup("lookup", |meta| { + use halo2_proofs::poly::Rotation; let tag_cur = meta.query_advice(input_tag, Rotation::cur()); let dense_cur = meta.query_advice(input_dense, Rotation::cur()); let spread_cur = meta.query_advice(input_spread, Rotation::cur()); @@ -441,7 +444,7 @@ mod tests { let prover = match MockProver::::run(17, &circuit, vec![]) { Ok(prover) => prover, - Err(e) => panic!("{:?}", e), + Err(e) => panic!("{e:?}"), }; assert_eq!(prover.verify(), Ok(())); } diff --git a/halo2_gadgets/src/sha256/table16/util.rs b/halo2_gadgets/src/sha256/table16/util.rs index 6a790d37..d3da5317 100644 --- a/halo2_gadgets/src/sha256/table16/util.rs +++ b/halo2_gadgets/src/sha256/table16/util.rs @@ -110,7 +110,7 @@ pub fn sum_with_carry(words: Vec<(Value, Value)>) -> (Value, Valu sum_lo.zip(sum_hi).map(|(lo, hi)| lo + (1 << 16) * hi) }; - let carry = sum.map(|sum| (sum >> 32) as u64); + let carry = sum.map(|sum| (sum >> 32)); let sum = sum.map(|sum| sum as u32); (sum, carry) From cf9765a485d2ed76424ffb04b7c801deb2ef9136 Mon Sep 17 00:00:00 2001 From: naure Date: Thu, 30 Nov 2023 06:41:28 +0100 Subject: [PATCH 50/70] Bus auto (#72) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit * bus: expose global offset of regions * bus-auto: add query_advice and query_fixed function in witness generation * bus-auto: fix clippy --------- Co-authored-by: Aurélien Nicolas --- halo2_proofs/src/circuit.rs | 15 ++++++ .../src/circuit/floor_planner/single_pass.rs | 16 ++++++ halo2_proofs/src/circuit/floor_planner/v1.rs | 16 ++++++ halo2_proofs/src/circuit/layouter.rs | 21 ++++++++ halo2_proofs/src/dev.rs | 50 +++++++++++++++++++ halo2_proofs/src/dev/cost.rs | 8 +++ halo2_proofs/src/dev/graph.rs | 8 +++ halo2_proofs/src/dev/graph/layout.rs | 8 +++ halo2_proofs/src/plonk/circuit.rs | 15 +++++- halo2_proofs/src/plonk/keygen.rs | 20 ++++++++ halo2_proofs/src/plonk/prover.rs | 27 ++++++++++ 11 files changed, 203 insertions(+), 1 deletion(-) diff --git a/halo2_proofs/src/circuit.rs b/halo2_proofs/src/circuit.rs index 52db772c..3874cbce 100644 --- a/halo2_proofs/src/circuit.rs +++ b/halo2_proofs/src/circuit.rs @@ -221,6 +221,16 @@ impl<'r, F: Field> Region<'r, F> { .name_column(&|| annotation().into(), column.into()); } + /// Get the last assigned value of an advice cell. + pub fn query_advice(&self, column: Column, offset: usize) -> Result { + self.region.query_advice(column, offset) + } + + /// Get the last assigned value of a fixed cell. + pub fn query_fixed(&self, column: Column, offset: usize) -> Result { + self.region.query_fixed(column, offset) + } + /// Assign an advice column value (witness). /// /// Even though `to` has `FnMut` bounds, it is guaranteed to be called at most once. @@ -367,6 +377,11 @@ impl<'r, F: Field> Region<'r, F> { pub fn constrain_equal(&mut self, left: Cell, right: Cell) -> Result<(), Error> { self.region.constrain_equal(left, right) } + + /// Return the offset of a row within the overall circuit. + pub fn global_offset(&self, row_offset: usize) -> usize { + self.region.global_offset(row_offset) + } } /// A lookup table in the circuit. diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index 3c445230..a76cab9f 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -480,6 +480,18 @@ impl<'r, 'a, F: Field, CS: Assignment + 'a> RegionLayouter self.layouter.cs.annotate_column(annotation, column); } + fn query_advice(&self, column: Column, offset: usize) -> Result { + self.layouter + .cs + .query_advice(column, *self.layouter.regions[*self.region_index] + offset) + } + + fn query_fixed(&self, column: Column, offset: usize) -> Result { + self.layouter + .cs + .query_fixed(column, *self.layouter.regions[*self.region_index] + offset) + } + fn assign_advice<'v>( &'v mut self, annotation: &'v (dyn Fn() -> String + 'v), @@ -573,6 +585,10 @@ impl<'r, 'a, F: Field, CS: Assignment + 'a> RegionLayouter Ok(()) } + + fn global_offset(&self, row_offset: usize) -> usize { + *self.layouter.regions[*self.region_index] + row_offset + } } /// The default value to fill a table column with. diff --git a/halo2_proofs/src/circuit/floor_planner/v1.rs b/halo2_proofs/src/circuit/floor_planner/v1.rs index 0fd28c19..8a366d84 100644 --- a/halo2_proofs/src/circuit/floor_planner/v1.rs +++ b/halo2_proofs/src/circuit/floor_planner/v1.rs @@ -427,6 +427,18 @@ impl<'r, 'a, F: Field, CS: Assignment + 'a> RegionLayouter for V1Region<'r ) } + fn query_advice(&self, column: Column, offset: usize) -> Result { + self.plan + .cs + .query_advice(column, *self.plan.regions[*self.region_index] + offset) + } + + fn query_fixed(&self, column: Column, offset: usize) -> Result { + self.plan + .cs + .query_fixed(column, *self.plan.regions[*self.region_index] + offset) + } + fn assign_advice<'v>( &'v mut self, annotation: &'v (dyn Fn() -> String + 'v), @@ -528,6 +540,10 @@ impl<'r, 'a, F: Field, CS: Assignment + 'a> RegionLayouter for V1Region<'r Ok(()) } + + fn global_offset(&self, row_offset: usize) -> usize { + *self.plan.regions[*self.region_index] + row_offset + } } #[cfg(test)] diff --git a/halo2_proofs/src/circuit/layouter.rs b/halo2_proofs/src/circuit/layouter.rs index f73d7d7d..8f36c3f1 100644 --- a/halo2_proofs/src/circuit/layouter.rs +++ b/halo2_proofs/src/circuit/layouter.rs @@ -58,6 +58,12 @@ pub trait RegionLayouter: fmt::Debug { column: Column, ); + /// Get the last assigned value of an advice cell. + fn query_advice(&self, column: Column, offset: usize) -> Result; + + /// Get the last assigned value of a fixed cell. + fn query_fixed(&self, column: Column, offset: usize) -> Result; + /// Assign an advice column value (witness) fn assign_advice<'v>( &'v mut self, @@ -112,6 +118,9 @@ pub trait RegionLayouter: fmt::Debug { /// /// Returns an error if either of the cells is not within the given permutation. fn constrain_equal(&mut self, left: Cell, right: Cell) -> Result<(), Error>; + + /// Return the offset of a row within the overall circuit. + fn global_offset(&self, row_offset: usize) -> usize; } /// Helper trait for implementing a custom [`Layouter`]. @@ -219,6 +228,14 @@ impl RegionLayouter for RegionShape { Ok(()) } + fn query_advice(&self, _column: Column, _offset: usize) -> Result { + Ok(F::zero()) + } + + fn query_fixed(&self, _column: Column, _offset: usize) -> Result { + Ok(F::zero()) + } + fn assign_advice<'v>( &'v mut self, _: &'v (dyn Fn() -> String + 'v), @@ -302,4 +319,8 @@ impl RegionLayouter for RegionShape { // Equality constraints don't affect the region shape. Ok(()) } + + fn global_offset(&self, _row_offset: usize) -> usize { + 0 + } } diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 94d7da90..ddee47b1 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -651,6 +651,56 @@ impl<'a, F: Field + Group> Assignment for MockProver<'a, F> { Ok(()) } + fn query_advice(&self, column: Column, row: usize) -> Result { + if !self.usable_rows.contains(&row) { + return Err(Error::not_enough_rows_available(self.k)); + } + if !self.rw_rows.contains(&row) { + return Err(Error::InvalidRange( + row, + self.current_region + .as_ref() + .map(|region| region.name.clone()) + .unwrap(), + )); + } + self.advice + .get(column.index()) + .and_then(|v| v.get(row - self.rw_rows.start)) + .map(|v| match v { + CellValue::Assigned(f) => *f, + #[cfg(feature = "mock-batch-inv")] + CellValue::Rational(n, d) => *n * d.invert().unwrap_or(F::zero()), + _ => F::zero(), + }) + .ok_or(Error::BoundsFailure) + } + + fn query_fixed(&self, column: Column, row: usize) -> Result { + if !self.usable_rows.contains(&row) { + return Err(Error::not_enough_rows_available(self.k)); + } + if !self.rw_rows.contains(&row) { + return Err(Error::InvalidRange( + row, + self.current_region + .as_ref() + .map(|region| region.name.clone()) + .unwrap(), + )); + } + self.fixed + .get(column.index()) + .and_then(|v| v.get(row - self.rw_rows.start)) + .map(|v| match v { + CellValue::Assigned(f) => *f, + #[cfg(feature = "mock-batch-inv")] + CellValue::Rational(n, d) => *n * d.invert().unwrap_or(F::zero()), + _ => F::zero(), + }) + .ok_or(Error::BoundsFailure) + } + fn query_instance( &self, column: Column, diff --git a/halo2_proofs/src/dev/cost.rs b/halo2_proofs/src/dev/cost.rs index 2a39cc51..bc7d18fa 100644 --- a/halo2_proofs/src/dev/cost.rs +++ b/halo2_proofs/src/dev/cost.rs @@ -78,6 +78,14 @@ impl Assignment for Assembly { todo!() } + fn query_advice(&self, _column: Column, _row: usize) -> Result { + Ok(F::zero()) + } + + fn query_fixed(&self, _column: Column, _row: usize) -> Result { + Ok(F::zero()) + } + fn query_instance(&self, _: Column, _: usize) -> Result, Error> { Ok(Value::unknown()) } diff --git a/halo2_proofs/src/dev/graph.rs b/halo2_proofs/src/dev/graph.rs index 84828799..c43016b8 100644 --- a/halo2_proofs/src/dev/graph.rs +++ b/halo2_proofs/src/dev/graph.rs @@ -116,6 +116,14 @@ impl Assignment for Graph { // Do nothing } + fn query_advice(&self, _column: Column, _row: usize) -> Result { + Ok(F::zero()) + } + + fn query_fixed(&self, _column: Column, _row: usize) -> Result { + Ok(F::zero()) + } + fn query_instance(&self, _: Column, _: usize) -> Result, Error> { Ok(Value::unknown()) } diff --git a/halo2_proofs/src/dev/graph/layout.rs b/halo2_proofs/src/dev/graph/layout.rs index ad989eab..6812a24e 100644 --- a/halo2_proofs/src/dev/graph/layout.rs +++ b/halo2_proofs/src/dev/graph/layout.rs @@ -440,6 +440,14 @@ impl Assignment for Layout { todo!() } + fn query_advice(&self, _column: Column, _row: usize) -> Result { + Ok(F::zero()) + } + + fn query_fixed(&self, _column: Column, _row: usize) -> Result { + Ok(F::zero()) + } + fn query_instance(&self, _: Column, _: usize) -> Result, Error> { Ok(Value::unknown()) } diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index 8f1ec3da..500c8185 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -32,7 +32,6 @@ pub struct Column { } impl Column { - #[cfg(test)] pub(crate) fn new(index: usize, column_type: C) -> Self { Column { index, column_type } } @@ -409,6 +408,10 @@ impl FixedQuery { pub fn column_index(&self) -> usize { self.column_index } + /// Column + pub fn column(&self) -> Column { + Column::new(self.column_index, Fixed) + } /// Rotation of this query pub fn rotation(&self) -> Rotation { @@ -438,6 +441,10 @@ impl AdviceQuery { pub fn column_index(&self) -> usize { self.column_index } + /// Column + pub fn column(&self) -> Column { + Column::new(self.column_index, Advice { phase: self.phase }) + } /// Rotation of this query pub fn rotation(&self) -> Rotation { @@ -577,6 +584,12 @@ pub trait Assignment: Sized + Send { unimplemented!("merge is not implemented by default") } + /// Get the last assigned value of an advice cell. + fn query_advice(&self, column: Column, row: usize) -> Result; + + /// Get the last assigned value of a fixed cell. + fn query_fixed(&self, column: Column, row: usize) -> Result; + /// Queries the cell of an instance column at a particular absolute row. /// /// Returns the cell's value, if known. diff --git a/halo2_proofs/src/plonk/keygen.rs b/halo2_proofs/src/plonk/keygen.rs index 2f461491..5a08ca2e 100644 --- a/halo2_proofs/src/plonk/keygen.rs +++ b/halo2_proofs/src/plonk/keygen.rs @@ -186,6 +186,26 @@ impl<'a, F: Field> Assignment for Assembly<'a, F> { Ok(()) } + fn query_advice(&self, _column: Column, _row: usize) -> Result { + // We only care about fixed columns here + Ok(F::zero()) + } + + fn query_fixed(&self, column: Column, row: usize) -> Result { + if !self.usable_rows.contains(&row) { + return Err(Error::not_enough_rows_available(self.k)); + } + if !self.rw_rows.contains(&row) { + log::error!("query_fixed: {:?}, row: {}", column, row); + return Err(Error::Synthesis); + } + self.fixed + .get(column.index()) + .and_then(|v| v.get(row - self.rw_rows.start)) + .map(|v| v.evaluate()) + .ok_or(Error::BoundsFailure) + } + fn query_instance(&self, _: Column, row: usize) -> Result, Error> { if !self.usable_rows.contains(&row) { return Err(Error::not_enough_rows_available(self.k)); diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index 7c176e57..7f28f224 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -146,6 +146,7 @@ pub fn create_proof< advice: Vec<&'a mut [Assigned]>, challenges: &'a HashMap, instances: &'a [&'a [F]], + fixed_values: &'a [Polynomial], rw_rows: Range, usable_rows: RangeTo, _marker: std::marker::PhantomData, @@ -229,6 +230,7 @@ pub fn create_proof< advice, challenges: self.challenges, instances: self.instances, + fixed_values: self.fixed_values, rw_rows: sub_range.clone(), usable_rows: self.usable_rows, _marker: Default::default(), @@ -250,6 +252,30 @@ pub fn create_proof< // Do nothing } + /// Get the last assigned value of a cell. + fn query_advice(&self, column: Column, row: usize) -> Result { + if !self.usable_rows.contains(&row) { + return Err(Error::not_enough_rows_available(self.k)); + } + if !self.rw_rows.contains(&row) { + log::error!("query_advice: {:?}, row: {}", column, row); + return Err(Error::Synthesis); + } + self.advice + .get(column.index()) + .and_then(|v| v.get(row - self.rw_rows.start)) + .map(|v| v.evaluate()) + .ok_or(Error::BoundsFailure) + } + + fn query_fixed(&self, column: Column, row: usize) -> Result { + self.fixed_values + .get(column.index()) + .and_then(|v| v.get(row)) + .copied() + .ok_or(Error::BoundsFailure) + } + fn query_instance(&self, column: Column, row: usize) -> Result, Error> { if !self.usable_rows.contains(&row) { return Err(Error::not_enough_rows_available(self.k)); @@ -403,6 +429,7 @@ pub fn create_proof< advice_vec, advice: advice_slice, instances, + fixed_values: &pk.fixed_values, challenges: &challenges, // The prover will not be allowed to assign values to advice // cells that exist within inactive rows, which include some From 5f758e0bf22157f1f64e93056e8f5aea35ea6f19 Mon Sep 17 00:00:00 2001 From: zhenfei Date: Thu, 30 Nov 2023 13:42:23 +0800 Subject: [PATCH 51/70] fix-tob-scroll-21 (#59) * fix-tob-scroll-21 * expose param field for re-randomization --- halo2_proofs/src/helpers.rs | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/halo2_proofs/src/helpers.rs b/halo2_proofs/src/helpers.rs index f58ec9b1..e8521aa7 100644 --- a/halo2_proofs/src/helpers.rs +++ b/halo2_proofs/src/helpers.rs @@ -48,6 +48,10 @@ pub fn field_to_bn(f: &F) -> BigUint { /// Input a big integer `bn`, compute a field element `f` /// such that `f == bn % F::MODULUS`. +/// Require: +/// - bn is less than 512 bits. +/// Return: +/// - bn mod F::MODULUS when bn > F::MODULUS pub fn bn_to_field(bn: &BigUint) -> F { let mut buf = bn.to_bytes_le(); buf.resize(64, 0u8); From 5b9a3d71a325a9ecbad164aba90a7f6a8550a015 Mon Sep 17 00:00:00 2001 From: Ho Date: Thu, 30 Nov 2023 19:44:35 +0800 Subject: [PATCH 52/70] enable accessing for table16 (#75) --- halo2_gadgets/benches/sha256.rs | 5 ++++- halo2_gadgets/src/lib.rs | 4 ++-- halo2_gadgets/src/sha256.rs | 5 ++--- halo2_gadgets/src/sha256/table16.rs | 12 ++++++++---- 4 files changed, 16 insertions(+), 10 deletions(-) diff --git a/halo2_gadgets/benches/sha256.rs b/halo2_gadgets/benches/sha256.rs index a702e84e..cb5b5c31 100644 --- a/halo2_gadgets/benches/sha256.rs +++ b/halo2_gadgets/benches/sha256.rs @@ -15,7 +15,10 @@ use std::{ use criterion::{criterion_group, criterion_main, Criterion}; -use halo2_gadgets::sha256::{BlockWord, Sha256, Table16Chip, Table16Config, BLOCK_SIZE}; +use halo2_gadgets::sha256::{ + table16::{BlockWord, Table16Chip, Table16Config}, + Sha256, BLOCK_SIZE, +}; use halo2_proofs::{ poly::{ diff --git a/halo2_gadgets/src/lib.rs b/halo2_gadgets/src/lib.rs index 446b16c5..8d4d4292 100644 --- a/halo2_gadgets/src/lib.rs +++ b/halo2_gadgets/src/lib.rs @@ -25,8 +25,8 @@ pub mod ecc; pub mod poseidon; -//#[cfg(feature = "unstable")] -//#[cfg_attr(docsrs, doc(cfg(feature = "unstable")))] +#[cfg(feature = "unstable")] +#[cfg_attr(docsrs, doc(cfg(feature = "unstable")))] pub mod sha256; pub mod sinsemilla; pub mod utilities; diff --git a/halo2_gadgets/src/sha256.rs b/halo2_gadgets/src/sha256.rs index 19a658df..499613ad 100644 --- a/halo2_gadgets/src/sha256.rs +++ b/halo2_gadgets/src/sha256.rs @@ -12,9 +12,8 @@ use halo2_proofs::{ plonk::Error, }; -mod table16; - -pub use table16::{BlockWord, Table16Chip, Table16Config}; +/// The core circuit for SHA256 +pub mod table16; /// The size of a SHA-256 block, in 32-bit words. pub const BLOCK_SIZE: usize = 16; diff --git a/halo2_gadgets/src/sha256/table16.rs b/halo2_gadgets/src/sha256/table16.rs index 33fb54f1..48a38ea5 100644 --- a/halo2_gadgets/src/sha256/table16.rs +++ b/halo2_gadgets/src/sha256/table16.rs @@ -234,7 +234,8 @@ pub struct Table16Config { } impl Table16Config { - pub(crate) fn initialize( + /// export initialize of compression module + pub fn initialize( &self, layouter: &mut impl Layouter, init_state_assigned: [RoundWordDense; STATE], @@ -242,7 +243,8 @@ impl Table16Config { self.compression.initialize(layouter, init_state_assigned) } - pub(crate) fn compress( + /// export compress of compression module + pub fn compress( &self, layouter: &mut impl Layouter, initialized_state: State, @@ -252,7 +254,8 @@ impl Table16Config { .compress(layouter, initialized_state, w_halves) } - pub(crate) fn digest( + /// export digest of compression module + pub fn digest( &self, layouter: &mut impl Layouter, final_state: State, @@ -262,8 +265,9 @@ impl Table16Config { .digest(layouter, final_state, initialized_state) } + /// export message_process module #[allow(clippy::type_complexity)] - pub(crate) fn message_process( + pub fn message_process( &self, layouter: &mut impl Layouter, input: [BlockWord; super::BLOCK_SIZE], From 44dbed4515984bbc14cb8283e273794b03c28afa Mon Sep 17 00:00:00 2001 From: zhenfei Date: Thu, 30 Nov 2023 22:37:09 -0500 Subject: [PATCH 53/70] chore: update poseidon link --- Cargo.lock | 2 +- halo2_proofs/Cargo.toml | 2 +- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/Cargo.lock b/Cargo.lock index 9a6ee62d..bac52822 100644 --- a/Cargo.lock +++ b/Cargo.lock @@ -1412,7 +1412,7 @@ dependencies = [ [[package]] name = "poseidon" version = "0.2.0" -source = "git+https://github.com/scroll-tech/poseidon.git?branch=sync-ff-0.13#5787dd3d2ce7a9e9601a035c396ac0c03449b54d" +source = "git+https://github.com/scroll-tech/poseidon.git?branch=main#5787dd3d2ce7a9e9601a035c396ac0c03449b54d" dependencies = [ "halo2curves 0.1.0", "subtle", diff --git a/halo2_proofs/Cargo.toml b/halo2_proofs/Cargo.toml index 5eabdd43..b7eb4947 100644 --- a/halo2_proofs/Cargo.toml +++ b/halo2_proofs/Cargo.toml @@ -55,7 +55,7 @@ blake2b_simd = "1" sha3 = "0.9.1" subtle = "2.3" cfg-if = "0.1" -poseidon = { git = "https://github.com/scroll-tech/poseidon.git", branch = "sync-ff-0.13" } +poseidon = { git = "https://github.com/scroll-tech/poseidon.git", branch = "main" } num-integer = "0.1" num-bigint = { version = "0.4", features = ["rand"] } From 45c4539dd935cda5a9e836a8880346e3521d2cbe Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Tue, 5 Dec 2023 15:40:15 +0800 Subject: [PATCH 54/70] merge sha256 gadget changes --- halo2_proofs/src/circuit/layouter.rs | 4 ++-- halo2_proofs/src/dev.rs | 8 ++++---- halo2_proofs/src/dev/cost.rs | 4 ++-- halo2_proofs/src/dev/graph.rs | 4 ++-- halo2_proofs/src/dev/graph/layout.rs | 4 ++-- halo2_proofs/src/plonk/keygen.rs | 2 +- 6 files changed, 13 insertions(+), 13 deletions(-) diff --git a/halo2_proofs/src/circuit/layouter.rs b/halo2_proofs/src/circuit/layouter.rs index c5a740a7..4c9572e1 100644 --- a/halo2_proofs/src/circuit/layouter.rs +++ b/halo2_proofs/src/circuit/layouter.rs @@ -229,11 +229,11 @@ impl RegionLayouter for RegionShape { } fn query_advice(&self, _column: Column, _offset: usize) -> Result { - Ok(F::zero()) + Ok(F::ZERO) } fn query_fixed(&self, _column: Column, _offset: usize) -> Result { - Ok(F::zero()) + Ok(F::ZERO) } fn assign_advice<'v>( diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index d156b6f2..585987cc 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -668,8 +668,8 @@ impl<'a, F: Field> Assignment for MockProver<'a, F> { .map(|v| match v { CellValue::Assigned(f) => *f, #[cfg(feature = "mock-batch-inv")] - CellValue::Rational(n, d) => *n * d.invert().unwrap_or(F::zero()), - _ => F::zero(), + CellValue::Rational(n, d) => *n * d.invert().unwrap_or(F::ZERO), + _ => F::ZERO, }) .ok_or(Error::BoundsFailure) } @@ -693,8 +693,8 @@ impl<'a, F: Field> Assignment for MockProver<'a, F> { .map(|v| match v { CellValue::Assigned(f) => *f, #[cfg(feature = "mock-batch-inv")] - CellValue::Rational(n, d) => *n * d.invert().unwrap_or(F::zero()), - _ => F::zero(), + CellValue::Rational(n, d) => *n * d.invert().unwrap_or(F::ZERO), + _ => F::ZERO, }) .ok_or(Error::BoundsFailure) } diff --git a/halo2_proofs/src/dev/cost.rs b/halo2_proofs/src/dev/cost.rs index bc7d18fa..effbd979 100644 --- a/halo2_proofs/src/dev/cost.rs +++ b/halo2_proofs/src/dev/cost.rs @@ -79,11 +79,11 @@ impl Assignment for Assembly { } fn query_advice(&self, _column: Column, _row: usize) -> Result { - Ok(F::zero()) + Ok(F::ZERO) } fn query_fixed(&self, _column: Column, _row: usize) -> Result { - Ok(F::zero()) + Ok(F::ZERO) } fn query_instance(&self, _: Column, _: usize) -> Result, Error> { diff --git a/halo2_proofs/src/dev/graph.rs b/halo2_proofs/src/dev/graph.rs index c43016b8..ec9d3d3b 100644 --- a/halo2_proofs/src/dev/graph.rs +++ b/halo2_proofs/src/dev/graph.rs @@ -117,11 +117,11 @@ impl Assignment for Graph { } fn query_advice(&self, _column: Column, _row: usize) -> Result { - Ok(F::zero()) + Ok(F::ZERO) } fn query_fixed(&self, _column: Column, _row: usize) -> Result { - Ok(F::zero()) + Ok(F::ZERO) } fn query_instance(&self, _: Column, _: usize) -> Result, Error> { diff --git a/halo2_proofs/src/dev/graph/layout.rs b/halo2_proofs/src/dev/graph/layout.rs index 6812a24e..fb7e83e7 100644 --- a/halo2_proofs/src/dev/graph/layout.rs +++ b/halo2_proofs/src/dev/graph/layout.rs @@ -441,11 +441,11 @@ impl Assignment for Layout { } fn query_advice(&self, _column: Column, _row: usize) -> Result { - Ok(F::zero()) + Ok(F::ZERO) } fn query_fixed(&self, _column: Column, _row: usize) -> Result { - Ok(F::zero()) + Ok(F::ZERO) } fn query_instance(&self, _: Column, _: usize) -> Result, Error> { diff --git a/halo2_proofs/src/plonk/keygen.rs b/halo2_proofs/src/plonk/keygen.rs index 8b404151..e5459969 100644 --- a/halo2_proofs/src/plonk/keygen.rs +++ b/halo2_proofs/src/plonk/keygen.rs @@ -188,7 +188,7 @@ impl<'a, F: Field> Assignment for Assembly<'a, F> { fn query_advice(&self, _column: Column, _row: usize) -> Result { // We only care about fixed columns here - Ok(F::zero()) + Ok(F::ZERO) } fn query_fixed(&self, column: Column, row: usize) -> Result { From f427acac46f97c133043a75a2da150348818edc8 Mon Sep 17 00:00:00 2001 From: xkx Date: Thu, 7 Dec 2023 22:29:40 +0800 Subject: [PATCH 55/70] Fix the CI errors (#78) * cargo fmt * fix clippy error --- halo2_gadgets/src/sha256/table16.rs | 2 +- .../src/sha256/table16/compression/compression_gates.rs | 2 +- halo2_gadgets/src/sha256/table16/spread_table.rs | 1 - 3 files changed, 2 insertions(+), 3 deletions(-) diff --git a/halo2_gadgets/src/sha256/table16.rs b/halo2_gadgets/src/sha256/table16.rs index 48a38ea5..41798978 100644 --- a/halo2_gadgets/src/sha256/table16.rs +++ b/halo2_gadgets/src/sha256/table16.rs @@ -1,4 +1,4 @@ -use halo2_proofs::arithmetic::FieldExt as Field; +use ff::PrimeField as Field; use halo2_proofs::{ circuit::{AssignedCell, Chip, Layouter, Region, Value}, plonk::{Advice, Any, Assigned, Column, ConstraintSystem, Error}, diff --git a/halo2_gadgets/src/sha256/table16/compression/compression_gates.rs b/halo2_gadgets/src/sha256/table16/compression/compression_gates.rs index b7a23735..2828a491 100644 --- a/halo2_gadgets/src/sha256/table16/compression/compression_gates.rs +++ b/halo2_gadgets/src/sha256/table16/compression/compression_gates.rs @@ -1,6 +1,6 @@ use super::super::{util::*, Gate}; -use ff::PrimeField; use crate::utilities::range_check; +use ff::PrimeField; use halo2_proofs::plonk::{Constraint, Constraints, Expression}; use std::marker::PhantomData; diff --git a/halo2_gadgets/src/sha256/table16/spread_table.rs b/halo2_gadgets/src/sha256/table16/spread_table.rs index 0d016656..87a71efd 100644 --- a/halo2_gadgets/src/sha256/table16/spread_table.rs +++ b/halo2_gadgets/src/sha256/table16/spread_table.rs @@ -1,7 +1,6 @@ use super::{util::*, AssignedBits, Field}; use ff::PrimeField; use halo2_proofs::{ - arithmetic::Field, circuit::{Chip, Layouter, Region, Value}, plonk::{Advice, Column, ConstraintSystem, Error, TableColumn}, }; From 84003a202d6b9185c952ec91ea793dbbd6c5b200 Mon Sep 17 00:00:00 2001 From: xkx Date: Fri, 8 Dec 2023 17:22:49 +0800 Subject: [PATCH 56/70] Feat: switch to logup scheme for lookup argument (#71) * Multi-input mv-lookup. (#49) * Add mv_lookup.rs * mv_lookup::prover, mv_lookup::verifier * Replace lookup with mv_lookup * replace halo2 with mv lookup Co-authored-by: ying tong * cleanups Co-authored-by: ying tong * ConstraintSystem: setup lookup_tracker Co-authored-by: Andrija * mv_lookup::hybrid_prover Co-authored-by: Andrija * WIP * mv_multi_lookup: enable lookup caching Co-authored-by: therealyingtong * Rename hybrid_lookup -> lookup * Chunk lookups using user-provided minimum degree Co-authored-by: Andrija * mv_lookup bench Co-authored-by: Andrija * Introduce counter feature for FFTs and MSMs Co-authored-by: Andrija * Fix off-by-one errors in chunk_lookup Co-authored-by: Andrija * bench wip * time evaluate_h * KZG * more efficient batch inversion * extended lookup example * Finalize mv lookup Author: therealyingtong * Remove main/ * Fix according to the comments * replace scan with parallel grand sum computation * Revert Cargo.lock * mv lookup Argument name * parallel batch invert --------- Co-authored-by: Andrija Co-authored-by: ying tong Co-authored-by: therealyingtong * fmt * fix unit test * fix clippy errors * add todo in mv_lookup's prover * fmt and clippy * fix clippy * add detailed running time of steps in logup's prover * fmt * add more log hooks * more running time logs * use par invert * use sorted-vector to store how many times a table element occurs in input * par the process to get inputs_inv_sum * use par * fix par * add feature to skip inv sums * add new feature flag * fix clippy error --------- Co-authored-by: Sphere L Co-authored-by: Andrija Co-authored-by: ying tong Co-authored-by: therealyingtong --- Cargo.lock | 1 + halo2_proofs/Cargo.toml | 10 +- halo2_proofs/benches/lookups.rs | 239 +++++ halo2_proofs/src/arithmetic.rs | 22 +- halo2_proofs/src/dev.rs | 172 ++-- halo2_proofs/src/dev/failure.rs | 151 +-- halo2_proofs/src/lib.rs | 19 + halo2_proofs/src/plonk.rs | 2 + halo2_proofs/src/plonk/circuit.rs | 176 +++- .../src/plonk/circuit/compress_selectors.rs | 2 +- halo2_proofs/src/plonk/evaluation.rs | 266 ++++-- halo2_proofs/src/plonk/keygen.rs | 2 + halo2_proofs/src/plonk/mv_lookup.rs | 96 ++ .../src/plonk/mv_lookup/exec_info.json | 46 + halo2_proofs/src/plonk/mv_lookup/prover.rs | 529 +++++++++++ halo2_proofs/src/plonk/mv_lookup/verifier.rs | 191 ++++ halo2_proofs/src/plonk/prover.rs | 28 +- halo2_proofs/src/plonk/verifier.rs | 50 +- halo2_proofs/src/poly.rs | 2 +- halo2_proofs/tests/plonk_api.rs | 857 ++++++++++++------ 20 files changed, 2293 insertions(+), 568 deletions(-) create mode 100644 halo2_proofs/benches/lookups.rs create mode 100644 halo2_proofs/src/plonk/mv_lookup.rs create mode 100644 halo2_proofs/src/plonk/mv_lookup/exec_info.json create mode 100644 halo2_proofs/src/plonk/mv_lookup/prover.rs create mode 100644 halo2_proofs/src/plonk/mv_lookup/verifier.rs diff --git a/Cargo.lock b/Cargo.lock index bac52822..3a36d84c 100644 --- a/Cargo.lock +++ b/Cargo.lock @@ -886,6 +886,7 @@ dependencies = [ "group", "gumdrop", "halo2curves 0.1.0", + "lazy_static", "log", "num-bigint", "num-integer", diff --git a/halo2_proofs/Cargo.toml b/halo2_proofs/Cargo.toml index b7eb4947..94d7df91 100644 --- a/halo2_proofs/Cargo.toml +++ b/halo2_proofs/Cargo.toml @@ -39,6 +39,10 @@ harness = false name = "dev_lookup" harness = false +[[bench]] +name = "lookups" +harness = false + [[bench]] name = "fft" harness = false @@ -63,11 +67,13 @@ crossbeam = "0.8.0" # Developer tooling dependencies plotters = { version = "0.3.0", optional = true } tabbycat = { version = "0.1", features = ["attributes"], optional = true } +lazy_static = { version = "1", optional = true } log = "0.4.17" # timer ark-std = { version = "0.3.0" } + [dev-dependencies] assert_matches = "1.5" criterion = "0.3" @@ -80,7 +86,7 @@ rand_core = { version = "0.6", default-features = false, features = ["getrandom" getrandom = { version = "0.2", features = ["js"] } [features] -default = ["batch", "gwc"] +default = ["batch", "gwc", "logup_skip_inv"] dev-graph = ["plotters", "tabbycat"] gadget-traces = ["backtrace"] sanity-checks = [] @@ -90,7 +96,9 @@ gwc = [] parallel_syn = [] phase-check = [] profile = ["ark-std/print-trace"] +counter = ["lazy_static"] mock-batch-inv = [] +logup_skip_inv = [] [lib] bench = false diff --git a/halo2_proofs/benches/lookups.rs b/halo2_proofs/benches/lookups.rs new file mode 100644 index 00000000..601b1a42 --- /dev/null +++ b/halo2_proofs/benches/lookups.rs @@ -0,0 +1,239 @@ +#[macro_use] +extern crate criterion; + +use halo2_proofs::circuit::{Layouter, SimpleFloorPlanner, Value}; +use halo2_proofs::plonk::*; +use halo2_proofs::poly::kzg::multiopen::VerifierGWC; +use halo2_proofs::poly::{commitment::ParamsProver, Rotation}; +use halo2_proofs::transcript::{Blake2bRead, Blake2bWrite, Challenge255}; +use halo2curves::bn256::{Bn256, G1Affine}; +use halo2curves::pairing::Engine; +use rand_core::OsRng; + +use halo2_proofs::{ + poly::kzg::{ + commitment::{KZGCommitmentScheme, ParamsKZG}, + multiopen::ProverGWC, + strategy::SingleStrategy, + }, + transcript::{TranscriptReadBuffer, TranscriptWriterBuffer}, +}; + +use std::marker::PhantomData; + +use criterion::{BenchmarkId, Criterion}; +use ff::PrimeField as Field; + +fn criterion_benchmark(c: &mut Criterion) { + #[derive(Clone, Default)] + struct MyCircuit { + _marker: PhantomData, + } + + #[derive(Clone)] + struct MyConfig { + selector: Selector, + table: TableColumn, + advice: Column, + other_advice: Column, + } + + impl Circuit for MyCircuit { + type Config = MyConfig; + type FloorPlanner = SimpleFloorPlanner; + + fn without_witnesses(&self) -> Self { + Self::default() + } + + fn configure(meta: &mut ConstraintSystem) -> MyConfig { + let config = MyConfig { + selector: meta.complex_selector(), + table: meta.lookup_table_column(), + advice: meta.advice_column(), + other_advice: meta.advice_column(), + }; + + let dummy_selector = meta.complex_selector(); + + meta.create_gate("degree 6 gate", |meta| { + let dummy_selector = meta.query_selector(dummy_selector); + let constraints = vec![dummy_selector.clone(); 4] + .iter() + .fold(dummy_selector.clone(), |acc, val| acc * val.clone()); + Constraints::with_selector(dummy_selector, Some(constraints)) + }); + + meta.lookup("lookup", |meta| { + let advice = meta.query_advice(config.advice, Rotation::cur()); + vec![(advice, config.table)] + }); + + meta.lookup("lookup", |meta| { + let advice = meta.query_advice(config.advice, Rotation::cur()); + vec![(advice, config.table)] + }); + + meta.lookup("lookup", |meta| { + let advice = meta.query_advice(config.advice, Rotation::cur()); + vec![(advice, config.table)] + }); + + meta.lookup("lookup", |meta| { + let advice = meta.query_advice(config.advice, Rotation::cur()); + vec![(advice, config.table)] + }); + + meta.lookup("lookup", |meta| { + let advice = meta.query_advice(config.advice, Rotation::cur()); + vec![(advice, config.table)] + }); + + /* + - We need degree at least 6 because 6 - 1 = 5 and we need to go to extended domain of 8n + - Our goal is to get to max degree of 9 because now 9 - 1 = 8 and that will fit into domain + + - base degree = table_deg + 2 + - if we put input_expression_degree = 1 + => degree = base + 1 = 3 + 1 = 4 + - we can batch one more with 5 more lookups + */ + + config + } + + fn synthesize( + &self, + config: MyConfig, + mut layouter: impl Layouter, + ) -> Result<(), Error> { + layouter.assign_table( + || "8-bit table", + |mut table| { + for row in 0u64..(1 << 8) { + table.assign_cell( + || format!("row {}", row), + config.table, + row as usize, + || Value::known(F::from(row)), + )?; + } + + Ok(()) + }, + )?; + + layouter.assign_region( + || "assign values", + |mut region| { + for offset in 0u64..(1 << 10) { + config.selector.enable(&mut region, offset as usize)?; + region.assign_advice( + || format!("offset {}", offset), + config.advice, + offset as usize, + || Value::known(F::from(offset % 256)), + )?; + } + for offset in 1u64..(1 << 10) { + config.selector.enable(&mut region, offset as usize)?; + region.assign_advice( + || format!("offset {}", offset), + config.other_advice, + offset as usize - 1, + || Value::known(F::from(offset % 256)), + )?; + } + Ok(()) + }, + ) + } + } + + fn keygen(k: u32) -> (ParamsKZG, ProvingKey) { + let params: ParamsKZG = ParamsKZG::new(k); + let empty_circuit: MyCircuit<::Scalar> = MyCircuit { + _marker: PhantomData, + }; + let vk = keygen_vk(¶ms, &empty_circuit).expect("keygen_vk should not fail"); + let pk = keygen_pk(¶ms, vk, &empty_circuit).expect("keygen_pk should not fail"); + (params, pk) + } + + fn prover(_k: u32, params: &ParamsKZG, pk: &ProvingKey) -> Vec { + let rng = OsRng; + + let circuit: MyCircuit<::Scalar> = MyCircuit { + _marker: PhantomData, + }; + + let mut transcript = Blake2bWrite::<_, _, Challenge255>::init(vec![]); + create_proof::, ProverGWC<'_, Bn256>, _, _, _, _>( + params, + pk, + &[circuit], + &[&[]], + rng, + &mut transcript, + ) + .expect("proof generation should not fail"); + transcript.finalize() + } + + fn verifier(params: &ParamsKZG, vk: &VerifyingKey, proof: &[u8]) { + let strategy = SingleStrategy::new(params); + let mut transcript = Blake2bRead::<_, _, Challenge255>::init(proof); + assert!(verify_proof::< + KZGCommitmentScheme, + VerifierGWC<'_, Bn256>, + Challenge255, + Blake2bRead<&[u8], G1Affine, Challenge255>, + SingleStrategy<'_, Bn256>, + >(params, vk, strategy, &[&[]], &mut transcript) + .is_ok()); + } + + let k_range = 16..=16; + + let mut keygen_group = c.benchmark_group("plonk-keygen"); + keygen_group.sample_size(10); + for k in k_range.clone() { + keygen_group.bench_with_input(BenchmarkId::from_parameter(k), &k, |b, &k| { + b.iter(|| keygen(k)); + }); + } + keygen_group.finish(); + + let mut prover_group = c.benchmark_group("plonk-prover"); + prover_group.sample_size(10); + for k in k_range.clone() { + let (params, pk) = keygen(k); + + prover_group.bench_with_input( + BenchmarkId::from_parameter(k), + &(k, ¶ms, &pk), + |b, &(k, params, pk)| { + b.iter(|| prover(k, params, pk)); + }, + ); + } + prover_group.finish(); + + let mut verifier_group = c.benchmark_group("plonk-verifier"); + for k in k_range { + let (params, pk) = keygen(k); + let proof = prover(k, ¶ms, &pk); + + verifier_group.bench_with_input( + BenchmarkId::from_parameter(k), + &(¶ms, pk.get_vk(), &proof[..]), + |b, &(params, vk, proof)| { + b.iter(|| verifier(params, vk, proof)); + }, + ); + } + verifier_group.finish(); +} + +criterion_group!(benches, criterion_benchmark); +criterion_main!(benches); diff --git a/halo2_proofs/src/arithmetic.rs b/halo2_proofs/src/arithmetic.rs index 56ca5fd9..849a7022 100644 --- a/halo2_proofs/src/arithmetic.rs +++ b/halo2_proofs/src/arithmetic.rs @@ -535,9 +535,18 @@ where q } +pub fn par_invert(values: &mut [F]) { + parallelize(values, |values, _start| { + values.batch_invert(); + }); +} + /// This simple utility function will parallelize an operation that is to be /// performed over a mutable slice. -pub fn parallelize(v: &mut [T], f: F) { +pub(crate) fn parallelize_internal( + v: &mut [T], + f: F, +) -> Vec { let n = v.len(); let num_threads = multicore::current_num_threads(); let mut chunk = (n as usize) / num_threads; @@ -546,14 +555,23 @@ pub fn parallelize(v: &mu } multicore::scope(|scope| { + let mut chunk_starts = vec![]; for (chunk_num, v) in v.chunks_mut(chunk).enumerate() { let f = f.clone(); scope.spawn(move |_| { let start = chunk_num * chunk; f(v, start); }); + let start = chunk_num * chunk; + chunk_starts.push(start); } - }); + + chunk_starts + }) +} + +pub fn parallelize(v: &mut [T], f: F) { + parallelize_internal(v, f); } fn log2_floor(num: usize) -> u32 { diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 585987cc..a8347836 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -940,6 +940,7 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { let mut cs = ConstraintSystem::default(); let config = ConcreteCircuit::configure(&mut cs); + let cs = cs.chunk_lookups(); let cs = cs; if n < cs.minimum_rows() { @@ -1340,7 +1341,9 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { ) }; - assert!(lookup.table_expressions.len() == lookup.input_expressions.len()); + for input_expressions in lookup.inputs_expressions.iter() { + assert!(lookup.table_expressions.len() == input_expressions.len()); + } assert!(self.usable_rows.end > 0); // We optimize on the basis that the table might have been filled so that the last @@ -1386,49 +1389,53 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { } let table = &cached_table; - let mut inputs: Vec<(Vec<_>, usize)> = lookup_input_row_ids - .clone() - .into_iter() - .filter_map(|input_row| { - let t = lookup - .input_expressions - .iter() - .map(move |c| load(c, input_row)) - .collect(); - - if t != fill_row { - // Also keep track of the original input row, since we're going to sort. - Some((t, input_row)) - } else { - None - } - }) - .collect(); - inputs.sort_unstable(); - - let mut i = 0; - inputs + lookup + .inputs_expressions .iter() - .filter_map(move |(input, input_row)| { - while i < table.len() && &table[i] < input { - i += 1; - } - if i == table.len() || &table[i] > input { - assert!(table.binary_search(input).is_err()); + .map(|input_expressions| { + let mut inputs: Vec<(Vec<_>, usize)> = lookup_input_row_ids + .clone() + .filter_map(|input_row| { + let t = input_expressions + .iter() + .map(move |c| load(c, input_row)) + .collect(); + + if t != fill_row { + // Also keep track of the original input row, since we're going to sort. + Some((t, input_row)) + } else { + None + } + }) + .collect(); + inputs.sort_unstable(); - Some(VerifyFailure::Lookup { - name: lookup.name, - lookup_index, - location: FailureLocation::find_expressions( - &self.cs, - &self.regions, - *input_row, - lookup.input_expressions.iter(), - ), + let mut i = 0; + inputs + .iter() + .filter_map(move |(input, input_row)| { + while i < table.len() && &table[i] < input { + i += 1; + } + if i == table.len() || &table[i] > input { + assert!(table.binary_search(input).is_err()); + + Some(VerifyFailure::Lookup { + name: lookup.name, + lookup_index, + location: FailureLocation::find_expressions( + &self.cs, + &self.regions, + *input_row, + input_expressions.iter(), + ), + }) + } else { + None + } }) - } else { - None - } + .collect::>() }) .collect::>() }); @@ -1483,7 +1490,7 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { let mut errors: Vec<_> = iter::empty() .chain(selector_errors) .chain(gate_errors) - .chain(lookup_errors) + .chain(lookup_errors.flatten()) .chain(perm_errors) .collect(); if errors.is_empty() { @@ -1719,7 +1726,9 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { ) }; - assert!(lookup.table_expressions.len() == lookup.input_expressions.len()); + for input_expressions in lookup.inputs_expressions.iter() { + assert!(lookup.table_expressions.len() == input_expressions.len()); + } assert!(self.usable_rows.end > 0); // We optimize on the basis that the table might have been filled so that the last @@ -1766,43 +1775,48 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { } let table = &cached_table; - let mut inputs: Vec<(Vec<_>, usize)> = lookup_input_row_ids - .clone() - .into_par_iter() - .filter_map(|input_row| { - let t = lookup - .input_expressions - .iter() - .map(move |c| load(c, input_row)) + lookup + .inputs_expressions + .iter() + .map(|input_expressions| { + let mut inputs: Vec<(Vec<_>, usize)> = lookup_input_row_ids + .clone() + .into_par_iter() + .filter_map(|input_row| { + let t = input_expressions + .iter() + .map(move |c| load(c, input_row)) + .collect(); + + if t != fill_row { + // Also keep track of the original input row, since we're going to sort. + Some((t, input_row)) + } else { + None + } + }) .collect(); - - if t != fill_row { - // Also keep track of the original input row, since we're going to sort. - Some((t, input_row)) - } else { - None - } - }) - .collect(); - inputs.par_sort_unstable(); - - inputs - .par_iter() - .filter_map(move |(input, input_row)| { - if table.binary_search(input).is_err() { - Some(VerifyFailure::Lookup { - name: lookup.name, - lookup_index, - location: FailureLocation::find_expressions( - &self.cs, - &self.regions, - *input_row, - lookup.input_expressions.iter(), - ), + inputs.par_sort_unstable(); + + inputs + .par_iter() + .filter_map(move |(input, input_row)| { + if table.binary_search(input).is_err() { + Some(VerifyFailure::Lookup { + name: lookup.name, + lookup_index, + location: FailureLocation::find_expressions( + &self.cs, + &self.regions, + *input_row, + input_expressions.iter(), + ), + }) + } else { + None + } }) - } else { - None - } + .collect::>() }) .collect::>() }); @@ -1861,7 +1875,7 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { let mut errors: Vec<_> = iter::empty() .chain(selector_errors) .chain(gate_errors) - .chain(lookup_errors) + .chain(lookup_errors.flatten()) .chain(perm_errors) .collect(); if errors.is_empty() { diff --git a/halo2_proofs/src/dev/failure.rs b/halo2_proofs/src/dev/failure.rs index 54b7a473..06aaafe2 100644 --- a/halo2_proofs/src/dev/failure.rs +++ b/halo2_proofs/src/dev/failure.rs @@ -158,7 +158,6 @@ pub enum VerifyFailure { }, /// A lookup input did not exist in its corresponding table. Lookup { - /// The name of the lookup that is not satisfied. name: &'static str, /// The index of the lookup that is not satisfied. These indices are assigned in /// the order in which `ConstraintSystem::lookup` is called during @@ -445,7 +444,7 @@ fn render_constraint_not_satisfied( /// ``` fn render_lookup( prover: &MockProver, - name: &str, + _name: &str, lookup_index: usize, location: &FailureLocation, ) { @@ -533,8 +532,10 @@ fn render_lookup( eprintln!("error: lookup input does not exist in table"); eprint!(" ("); - for i in 0..lookup.input_expressions.len() { - eprint!("{}L{}", if i == 0 { "" } else { ", " }, i); + for input_expressions in lookup.inputs_expressions.iter() { + for i in 0..input_expressions.len() { + eprint!("{}L{}", if i == 0 { "" } else { ", " }, i); + } } eprint!(") ∉ ("); @@ -544,79 +545,81 @@ fn render_lookup( eprintln!(")"); eprintln!(); - eprintln!(" Lookup '{}' inputs:", name); - for (i, input) in lookup.input_expressions.iter().enumerate() { - // Fetch the cell values (since we don't store them in VerifyFailure::Lookup). - let cell_values = input.evaluate( - &|_| BTreeMap::default(), - &|_| panic!("virtual selectors are removed during optimization"), - &cell_value(&util::load_slice( - n, - row, - &cs.fixed_queries, - prover.fixed.as_slice(), - )), - &cell_value(&util::load_slice( - n, - row, - &cs.advice_queries, - &prover.advice, - )), - &cell_value(&util::load_instance( - n, - row, - &cs.instance_queries, - &prover.instance, - )), - &|_| BTreeMap::default(), - &|a| a, - &|mut a, mut b| { - a.append(&mut b); - a - }, - &|mut a, mut b| { - a.append(&mut b); - a - }, - &|a, _| a, - ); - - // Collect the necessary rendering information: - // - The columns involved in this constraint. - // - How many cells are in each column. - // - The grid of cell values, indexed by rotation. - let mut columns = BTreeMap::::default(); - let mut layout = BTreeMap::>::default(); - for (i, (cell, _)) in cell_values.iter().enumerate() { - *columns.entry(cell.column).or_default() += 1; - layout - .entry(cell.rotation) - .or_default() - .entry(cell.column) - .or_insert(format!("x{}", i)); - } + eprintln!(" Lookup inputs:"); + for input_expressions in lookup.inputs_expressions.iter() { + for (i, input) in input_expressions.iter().enumerate() { + // Fetch the cell values (since we don't store them in VerifyFailure::Lookup). + let cell_values = input.evaluate( + &|_| BTreeMap::default(), + &|_| panic!("virtual selectors are removed during optimization"), + &cell_value(&util::load_slice( + n, + row, + &cs.fixed_queries, + prover.fixed.as_slice(), + )), + &cell_value(&util::load_slice( + n, + row, + &cs.advice_queries, + &prover.advice, + )), + &cell_value(&util::load_instance( + n, + row, + &cs.instance_queries, + &prover.instance, + )), + &|_| BTreeMap::default(), + &|a| a, + &|mut a, mut b| { + a.append(&mut b); + a + }, + &|mut a, mut b| { + a.append(&mut b); + a + }, + &|a, _| a, + ); + + // Collect the necessary rendering information: + // - The columns involved in this constraint. + // - How many cells are in each column. + // - The grid of cell values, indexed by rotation. + let mut columns = BTreeMap::::default(); + let mut layout = BTreeMap::>::default(); + for (i, (cell, _)) in cell_values.iter().enumerate() { + *columns.entry(cell.column).or_default() += 1; + layout + .entry(cell.rotation) + .or_default() + .entry(cell.column) + .or_insert(format!("x{}", i)); + } - if i != 0 { - eprintln!(); - } - eprintln!( - " L{} = {}", - i, - emitter::expression_to_string(input, &layout) - ); - eprintln!(" ^"); - - emitter::render_cell_layout(" | ", location, &columns, &layout, |_, rotation| { - if rotation == 0 { - eprint!(" <--{{ Lookup '{}' inputs queried here", name); + if i != 0 { + eprintln!(); } - }); + eprintln!( + " L{} = {}", + i, + emitter::expression_to_string(input, &layout) + ); + eprintln!(" ^"); + + emitter::render_cell_layout(" | ", location, &columns, &layout, |_, rotation| { + if rotation == 0 { + eprint!(" <--{{ Lookup inputs queried here"); + } + }); - // Print the map from local variables to assigned values. - eprintln!(" |"); - eprintln!(" | Assigned cell values:"); - for (i, (_, value)) in cell_values.iter().enumerate() { - eprintln!(" | x{} = {}", i, value); + // Print the map from local variables to assigned values. + eprintln!(" |"); + eprintln!(" | Assigned cell values:"); + for (i, (_, value)) in cell_values.iter().enumerate() { + eprintln!(" | x{} = {}", i, value); + } } } } diff --git a/halo2_proofs/src/lib.rs b/halo2_proofs/src/lib.rs index 6192272f..39fd43d4 100644 --- a/halo2_proofs/src/lib.rs +++ b/halo2_proofs/src/lib.rs @@ -25,6 +25,25 @@ #![allow(unused_imports)] #![allow(clippy::derive_partial_eq_without_eq)] +#[cfg(feature = "counter")] +#[macro_use] +extern crate lazy_static; + +#[cfg(feature = "counter")] +use lazy_static::lazy_static; + +#[cfg(feature = "counter")] +use std::sync::Mutex; + +#[cfg(feature = "counter")] +use std::collections::BTreeMap; + +#[cfg(feature = "counter")] +lazy_static! { + static ref FFT_COUNTER: Mutex> = Mutex::new(BTreeMap::new()); + static ref MSM_COUNTER: Mutex> = Mutex::new(BTreeMap::new()); +} + pub mod arithmetic; pub mod circuit; pub use halo2curves; diff --git a/halo2_proofs/src/plonk.rs b/halo2_proofs/src/plonk.rs index dc80092f..96d34992 100644 --- a/halo2_proofs/src/plonk.rs +++ b/halo2_proofs/src/plonk.rs @@ -26,7 +26,9 @@ mod circuit; mod error; mod evaluation; mod keygen; +#[allow(dead_code)] mod lookup; +mod mv_lookup; pub(crate) mod permutation; mod vanishing; diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index 85e48022..251c146a 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -1,14 +1,17 @@ use core::cmp::max; use core::ops::{Add, Mul}; use ff::Field; -use std::collections::BTreeMap; +use std::collections::{BTreeMap, HashMap}; +use std::fmt::Debug; +use std::hash::Hasher; +use std::marker::PhantomData; use std::ops::Range; use std::{ convert::TryFrom, ops::{Neg, Sub}, }; -use super::{lookup, permutation, Assigned, Error}; +use super::{mv_lookup, permutation, Assigned, Error}; use crate::dev::metadata; use crate::{ circuit::{Layouter, Region, Value}, @@ -388,7 +391,7 @@ impl Selector { } /// Query of fixed column at a certain relative location -#[derive(Copy, Clone, Debug, PartialEq, Eq)] +#[derive(Copy, Clone, Debug, PartialEq, Eq, Hash)] pub struct FixedQuery { /// Query index pub(crate) index: usize, @@ -419,7 +422,7 @@ impl FixedQuery { } /// Query of advice column at a certain relative location -#[derive(Copy, Clone, Debug, PartialEq, Eq)] +#[derive(Copy, Clone, Debug, PartialEq, Eq, Hash)] pub struct AdviceQuery { /// Query index pub(crate) index: usize, @@ -457,7 +460,7 @@ impl AdviceQuery { } /// Query of instance column at a certain relative location -#[derive(Copy, Clone, Debug, PartialEq, Eq)] +#[derive(Copy, Clone, Debug, PartialEq, Eq, Hash)] pub struct InstanceQuery { /// Query index pub(crate) index: usize, @@ -1382,9 +1385,16 @@ impl Gate { } } +/// TODO doc +#[derive(Debug, Clone)] +pub struct LookupTracker { + pub(crate) table: Vec>, + pub(crate) inputs: Vec>>, +} + /// This is a description of the circuit environment, such as the gate, column and /// permutation arrangements. -#[derive(Debug, Clone, PartialEq, Eq)] +#[derive(Debug, Clone)] pub struct ConstraintSystem { pub num_fixed_columns: usize, pub num_advice_columns: usize, @@ -1414,9 +1424,12 @@ pub struct ConstraintSystem { // Permutation argument for performing equality constraints pub permutation: permutation::Argument, + /// Map from table expression to vec of vec of input expressions + pub lookups_map: BTreeMap>, + // Vector of lookup arguments, where each corresponds to a sequence of // input expressions and a sequence of table expressions involved in the lookup. - pub lookups: Vec>, + pub lookups: Vec>, // List of indexes of Fixed columns which are associated to a circuit-general Column tied to their annotation. pub(crate) general_column_annotations: BTreeMap, @@ -1443,7 +1456,7 @@ pub struct PinnedConstraintSystem<'a, F: Field> { instance_queries: &'a Vec<(Column, Rotation)>, fixed_queries: &'a Vec<(Column, Rotation)>, permutation: &'a permutation::Argument, - lookups: &'a Vec>, + lookups_map: &'a BTreeMap>, constants: &'a Vec>, minimum_degree: &'a Option, } @@ -1469,7 +1482,7 @@ impl<'a, F: Field> std::fmt::Debug for PinnedConstraintSystem<'a, F> { .field("instance_queries", self.instance_queries) .field("fixed_queries", self.fixed_queries) .field("permutation", self.permutation) - .field("lookups", self.lookups) + .field("lookups_map", self.lookups_map) .field("constants", self.constants) .field("minimum_degree", self.minimum_degree); debug_struct.finish() @@ -1504,6 +1517,7 @@ impl Default for ConstraintSystem { num_advice_queries: Vec::new(), instance_queries: Vec::new(), permutation: permutation::Argument::new(), + lookups_map: BTreeMap::default(), lookups: Vec::new(), general_column_annotations: BTreeMap::new(), constants: vec![], @@ -1530,7 +1544,7 @@ impl ConstraintSystem { advice_queries: &self.advice_queries, instance_queries: &self.instance_queries, permutation: &self.permutation, - lookups: &self.lookups, + lookups_map: &self.lookups_map, constants: &self.constants, minimum_degree: &self.minimum_degree, } @@ -1561,11 +1575,12 @@ impl ConstraintSystem { /// they need to match. pub fn lookup( &mut self, - name: &'static str, + // FIXME use name in debug messages + _name: &'static str, table_map: impl FnOnce(&mut VirtualCells<'_, F>) -> Vec<(Expression, TableColumn)>, - ) -> usize { + ) { let mut cells = VirtualCells::new(self); - let table_map = table_map(&mut cells) + let (input_expressions, table_expressions): (Vec<_>, Vec<_>) = table_map(&mut cells) .into_iter() .map(|(input, table)| { if input.contains_simple_selector() { @@ -1576,13 +1591,90 @@ impl ConstraintSystem { (input, table) }) - .collect(); + .unzip(); - let index = self.lookups.len(); + let table_expressions_identifier = table_expressions + .iter() + .fold(String::new(), |string, expr| string + &expr.identifier()); + + self.lookups_map + .entry(table_expressions_identifier) + .and_modify(|table_tracker| table_tracker.inputs.push(input_expressions.clone())) + .or_insert(LookupTracker { + table: table_expressions, + inputs: vec![input_expressions], + }); + } - self.lookups.push(lookup::Argument::new(name, table_map)); + /// Chunk lookup arguments into pieces below a given degree bound + pub fn chunk_lookups(mut self) -> Self { + if self.lookups_map.is_empty() { + return self; + } - index + let max_gate_degree = self.max_gate_degree(); + let max_single_lookup_degree: usize = self + .lookups_map + .values() + .map(|v| { + let table_degree = v.table.iter().map(|expr| expr.degree()).max().unwrap(); + let base_lookup_degree = super::mv_lookup::base_degree(table_degree); + + let max_inputs_degree: usize = v + .inputs + .iter() + .map(|input| input.iter().map(|expr| expr.degree()).max().unwrap()) + .max() + .unwrap(); + + mv_lookup::degree_with_input(base_lookup_degree, max_inputs_degree) + }) + .max() + .unwrap(); + + let required_degree = std::cmp::max(max_gate_degree, max_single_lookup_degree); + let required_degree = (required_degree as u64 - 1).next_power_of_two() as usize; + + self.set_minimum_degree(required_degree + 1); + + // safe to unwrap here + let minimum_degree = self.minimum_degree.unwrap(); + + let mut lookups: Vec<_> = vec![]; + for v in self.lookups_map.values() { + let LookupTracker { table, inputs } = v; + let mut args = vec![super::mv_lookup::Argument::new( + "lookup", + table, + &[inputs[0].clone()], + )]; + + for input in inputs.iter().skip(1) { + let cur_input_degree = input.iter().map(|expr| expr.degree()).max().unwrap(); + let mut indicator = false; + for arg in args.iter_mut() { + // try to fit input in one of the args + let cur_argument_degree = arg.required_degree(); + let new_potential_degree = cur_argument_degree + cur_input_degree; + if new_potential_degree <= minimum_degree { + arg.inputs_expressions.push(input.clone()); + indicator = true; + break; + } + } + + if !indicator { + args.push(super::mv_lookup::Argument::new( + "dummy", + table, + &[input.clone()], + )) + } + } + lookups.append(&mut args); + } + self.lookups = lookups; + self } /// Add a lookup argument for some input expressions and table expressions. @@ -1591,17 +1683,26 @@ impl ConstraintSystem { /// they need to match. pub fn lookup_any( &mut self, - name: &'static str, + // FIXME use name in debug messages + _name: &'static str, table_map: impl FnOnce(&mut VirtualCells<'_, F>) -> Vec<(Expression, Expression)>, - ) -> usize { + ) { let mut cells = VirtualCells::new(self); let table_map = table_map(&mut cells); - let index = self.lookups.len(); - - self.lookups.push(lookup::Argument::new(name, table_map)); - - index + let (input_expressions, table_expressions): (Vec<_>, Vec<_>) = + table_map.into_iter().unzip(); + let table_expressions_identifier = table_expressions + .iter() + .fold(String::new(), |string, expr| string + &expr.identifier()); + + self.lookups_map + .entry(table_expressions_identifier) + .and_modify(|table_tracker| table_tracker.inputs.push(input_expressions.clone())) + .or_insert(LookupTracker { + table: table_expressions, + inputs: vec![input_expressions], + }); } fn query_fixed_index(&mut self, column: Column, at: Rotation) -> usize { @@ -1710,7 +1811,9 @@ impl ConstraintSystem { /// larger amount than actually needed. This can be used, for example, to /// force the permutation argument to involve more columns in the same set. pub fn set_minimum_degree(&mut self, degree: usize) { - self.minimum_degree = Some(degree); + self.minimum_degree = self + .minimum_degree + .map_or(Some(degree), |min_degree| Some(max(min_degree, degree))); } /// Creates a new gate. @@ -1855,8 +1958,9 @@ impl ConstraintSystem { // lookup expressions for expr in self.lookups.iter_mut().flat_map(|lookup| { lookup - .input_expressions + .inputs_expressions .iter_mut() + .flatten() .chain(lookup.table_expressions.iter_mut()) }) { replace_selectors(expr, &selector_replacements, true); @@ -2015,6 +2119,15 @@ impl ConstraintSystem { (0..=max_phase).map(sealed::Phase) } + /// Compute the maximum degree of gates in the constraint system + pub fn max_gate_degree(&self) -> usize { + self.gates + .iter() + .flat_map(|gate| gate.polynomials().iter().map(|poly| poly.degree())) + .max() + .unwrap_or(0) + } + /// Compute the degree of the constraint system (the maximum degree of all /// constraints). pub fn degree(&self) -> usize { @@ -2035,13 +2148,16 @@ impl ConstraintSystem { // Account for each gate to ensure our quotient polynomial is the // correct degree and that our extended domain is the right size. + degree = std::cmp::max(degree, self.max_gate_degree()); + + // Lookup degree degree = std::cmp::max( degree, - self.gates + self.lookups .iter() - .flat_map(|gate| gate.polynomials().iter().map(|poly| poly.degree())) + .map(|hl| hl.required_degree()) .max() - .unwrap_or(0), + .unwrap_or(1), ); std::cmp::max(degree, self.minimum_degree.unwrap_or(1)) @@ -2147,7 +2263,7 @@ impl ConstraintSystem { } /// Returns lookup arguments - pub fn lookups(&self) -> &Vec> { + pub fn lookups(&self) -> &Vec> { &self.lookups } diff --git a/halo2_proofs/src/plonk/circuit/compress_selectors.rs b/halo2_proofs/src/plonk/circuit/compress_selectors.rs index 60898d39..f52a0e7c 100644 --- a/halo2_proofs/src/plonk/circuit/compress_selectors.rs +++ b/halo2_proofs/src/plonk/circuit/compress_selectors.rs @@ -20,7 +20,7 @@ pub struct SelectorDescription { /// This describes the assigned combination of a particular selector as well as /// the expression it should be substituted with. #[derive(Debug, Clone)] -pub struct SelectorAssignment { +pub struct SelectorAssignment { /// The selector that this structure references, by index. pub selector: usize, diff --git a/halo2_proofs/src/plonk/evaluation.rs b/halo2_proofs/src/plonk/evaluation.rs index 2f08a43e..f626bcbb 100644 --- a/halo2_proofs/src/plonk/evaluation.rs +++ b/halo2_proofs/src/plonk/evaluation.rs @@ -1,7 +1,9 @@ use crate::multicore; use crate::plonk::lookup::prover::Committed; use crate::plonk::permutation::Argument; -use crate::plonk::{lookup, permutation, AdviceQuery, Any, FixedQuery, InstanceQuery, ProvingKey}; +use crate::plonk::{ + mv_lookup, permutation, AdviceQuery, Any, FixedQuery, InstanceQuery, ProvingKey, +}; use crate::poly::Basis; use crate::{ arithmetic::{eval_polynomial, parallelize, CurveAffine}, @@ -16,10 +18,14 @@ use group::{ ff::{BatchInvert, Field, PrimeField, WithSmallOrderMulGroup}, Curve, }; +use rayon::prelude::IntoParallelIterator; +use rayon::prelude::ParallelIterator; use std::any::TypeId; use std::convert::TryInto; use std::num::ParseIntError; +use std::process::exit; use std::slice; +use std::sync::atomic::fence; use std::{ collections::BTreeMap, iter, @@ -51,7 +57,8 @@ pub enum ValueSource { /// beta Beta(), /// gamma - Gamma(), + // only used by the old halo2 lookup scheme + // Gamma(), /// theta Theta(), /// y @@ -78,7 +85,7 @@ impl ValueSource { instance_values: &[Polynomial], challenges: &[F], beta: &F, - gamma: &F, + _gamma: &F, theta: &F, y: &F, previous_value: &F, @@ -97,7 +104,7 @@ impl ValueSource { } ValueSource::Challenge(index) => challenges[*index], ValueSource::Beta() => *beta, - ValueSource::Gamma() => *gamma, + // ValueSource::Gamma() => *gamma, ValueSource::Theta() => *theta, ValueSource::Y() => *y, ValueSource::PreviousValue() => *previous_value, @@ -185,7 +192,7 @@ pub struct Evaluator { /// Custom gates evalution pub custom_gates: GraphEvaluator, /// Lookups evalution - pub lookups: Vec>, + pub lookups: Vec<(Vec>, GraphEvaluator)>, } /// GraphEvaluator @@ -241,9 +248,12 @@ impl Evaluator { // Lookups for lookup in cs.lookups.iter() { - let mut graph = GraphEvaluator::default(); + let mut graph_table = GraphEvaluator::default(); + let mut graph_inputs: Vec<_> = (0..lookup.inputs_expressions.len()) + .map(|_| GraphEvaluator::default()) + .collect(); - let mut evaluate_lc = |expressions: &Vec>| { + let evaluate_lc = |graph: &mut GraphEvaluator, expressions: &Vec>| { let parts = expressions .iter() .map(|expr| graph.add_expression(expr)) @@ -255,22 +265,33 @@ impl Evaluator { )) }; - // Input coset - let compressed_input_coset = evaluate_lc(&lookup.input_expressions); + // Inputs cosets + for (input_expressions, graph_input) in lookup + .inputs_expressions + .iter() + .zip(graph_inputs.iter_mut()) + { + let compressed_input_coset = evaluate_lc(graph_input, input_expressions); + + graph_input.add_calculation(Calculation::Add( + compressed_input_coset, + ValueSource::Beta(), + )); + } + // table coset - let compressed_table_coset = evaluate_lc(&lookup.table_expressions); - // z(\omega X) (a'(X) + \beta) (s'(X) + \gamma) - let right_gamma = graph.add_calculation(Calculation::Add( + let compressed_table_coset = evaluate_lc(&mut graph_table, &lookup.table_expressions); + + graph_table.add_calculation(Calculation::Add( compressed_table_coset, - ValueSource::Gamma(), - )); - let lc = graph.add_calculation(Calculation::Add( - compressed_input_coset, ValueSource::Beta(), )); - graph.add_calculation(Calculation::Mul(lc, right_gamma)); - ev.lookups.push(graph); + /* + a) f_i + beta + b) t + beta + */ + ev.lookups.push((graph_inputs.to_vec(), graph_table)); } ev @@ -287,7 +308,7 @@ impl Evaluator { beta: C::ScalarExt, gamma: C::ScalarExt, theta: C::ScalarExt, - lookups: &[Vec>], + lookups: &[Vec>], permutations: &[permutation::prover::Committed], ) -> Polynomial { let domain = &pk.vk.domain; @@ -492,33 +513,140 @@ impl Evaluator { }); } + // For lookups, compute inputs_inv_sum = ∑ 1 / (f_i(X) + beta) + // The outer vector has capacity self.lookups.len() + #[cfg(not(feature = "logup_skip_inv"))] + let inputs_inv_sum: Vec> = self + .lookups + .iter() + .map(|lookup| { + let (inputs_lookup_evaluator, _) = lookup; + + let inputs_values_for_extended_domain: Vec> = (0..size) + .into_par_iter() + .map(|idx| { + let mut inputs_eval_data: Vec<_> = inputs_lookup_evaluator + .iter() + .map(|input_lookup_evaluator| { + input_lookup_evaluator.instance() + }) + .collect(); + + inputs_lookup_evaluator + .iter() + .zip(inputs_eval_data.iter_mut()) + .map(|(input_lookup_evaluator, input_eval_data)| { + input_lookup_evaluator.evaluate( + input_eval_data, + fixed, + advice, + instance, + challenges, + &beta, + &gamma, + &theta, + &y, + &C::ScalarExt::zero(), + idx, + rot_scale, + isize, + ) + }) + .collect() + }) + .collect(); + let mut inputs_values_for_extended_domain: Vec = + inputs_values_for_extended_domain + .into_iter() + .flatten() + .collect(); + + parallelize(&mut inputs_values_for_extended_domain, |values, _| { + values.batch_invert(); + }); + + let inputs_len = inputs_lookup_evaluator.len(); + + (0..size) + .into_par_iter() + .map(|i| { + inputs_values_for_extended_domain + [i * inputs_len..(i + 1) * inputs_len] + .iter() + .fold(C::Scalar::zero(), |acc, x| acc + x) + }) + .collect::>() + }) + .collect(); + // Lookups for (n, lookup) in lookups.iter().enumerate() { // Polynomials required for this lookup. // Calculated here so these only have to be kept in memory for the short time // they are actually needed. - let product_coset = pk.vk.domain.coeff_to_extended_part( - lookup.product_poly.clone(), - current_extended_omega, - ); - let permuted_input_coset = pk.vk.domain.coeff_to_extended_part( - lookup.permuted_input_poly.clone(), - current_extended_omega, - ); - let permuted_table_coset = pk.vk.domain.coeff_to_extended_part( - lookup.permuted_table_poly.clone(), + let phi_coset = pk.vk.domain.coeff_to_extended_part( + lookup.phi_poly.clone(), current_extended_omega, ); + let m_coset = pk + .vk + .domain + .coeff_to_extended_part(lookup.m_poly.clone(), current_extended_omega); // Lookup constraints + /* + φ_i(X) = f_i(X) + beta + Ï„(X) = t(X) + beta + LHS = Ï„(X) * Π(φ_i(X)) * (Ï•(gX) - Ï•(X)) + RHS = Ï„(X) * Π(φ_i(X)) * (∑ 1/(φ_i(X)) - m(X) / Ï„(X)))) (1) + = (Ï„(X) * Π(φ_i(X)) * ∑ 1/(φ_i(X))) - Π(φ_i(X)) * m(X) + = Π(φ_i(X)) * (Ï„(X) * ∑ 1/(φ_i(X)) - m(X)) + + = ∑_i Ï„(X) * Π_{j != i} φ_j(X) - m(X) * Π(φ_i(X)) (2) + */ parallelize(&mut values, |values, start| { - let lookup_evaluator = &self.lookups[n]; - let mut eval_data = lookup_evaluator.instance(); + let (inputs_lookup_evaluator, table_lookup_evaluator) = + &self.lookups[n]; + let mut inputs_eval_data: Vec<_> = inputs_lookup_evaluator + .iter() + .map(|input_lookup_evaluator| input_lookup_evaluator.instance()) + .collect(); + let mut table_eval_data = table_lookup_evaluator.instance(); + for (i, value) in values.iter_mut().enumerate() { let idx = start + i; - let table_value = lookup_evaluator.evaluate( - &mut eval_data, + // f_i(X) + beta for i in expressions + let inputs_value: Vec = inputs_lookup_evaluator + .iter() + .zip(inputs_eval_data.iter_mut()) + .map(|(input_lookup_evaluator, input_eval_data)| { + input_lookup_evaluator.evaluate( + input_eval_data, + fixed, + advice, + instance, + challenges, + &beta, + &gamma, + &theta, + &y, + &C::ScalarExt::ZERO, + idx, + rot_scale, + isize, + ) + }) + .collect(); + + // Π(φ_i(X)) + let inputs_prod: C::Scalar = inputs_value + .iter() + .fold(C::Scalar::ZERO, |acc, input| acc * input); + + // t(X) + beta + let table_value = table_lookup_evaluator.evaluate( + &mut table_eval_data, fixed, advice, instance, @@ -534,41 +662,45 @@ impl Evaluator { ); let r_next = get_rotation_idx(idx, 1, rot_scale, isize); - let r_prev = get_rotation_idx(idx, -1, rot_scale, isize); - let a_minus_s = - permuted_input_coset[idx] - permuted_table_coset[idx]; - // l_0(X) * (1 - z(X)) = 0 - *value = *value * y + ((one - product_coset[idx]) * l0[idx]); - // l_last(X) * (z(X)^2 - z(X)) = 0 - *value = *value * y - + ((product_coset[idx] * product_coset[idx] - - product_coset[idx]) - * l_last[idx]); - // (1 - (l_last(X) + l_blind(X))) * ( - // z(\omega X) (a'(X) + \beta) (s'(X) + \gamma) - // - z(X) (\theta^{m-1} a_0(X) + ... + a_{m-1}(X) + \beta) - // (\theta^{m-1} s_0(X) + ... + s_{m-1}(X) + \gamma) - // ) = 0 - *value = *value * y - + ((product_coset[r_next] - * (permuted_input_coset[idx] + beta) - * (permuted_table_coset[idx] + gamma) - - product_coset[idx] * table_value) - * l_active_row[idx]); - // Check that the first values in the permuted input expression and permuted - // fixed expression are the same. - // l_0(X) * (a'(X) - s'(X)) = 0 - *value = *value * y + (a_minus_s * l0[idx]); - // Check that each value in the permuted lookup input expression is either - // equal to the value above it, or the value at the same index in the - // permuted table expression. - // (1 - (l_last + l_blind)) * (a′(X) − s′(X))â‹…(a′(X) − a′(\omega^{-1} X)) = 0 - *value = *value * y - + (a_minus_s - * (permuted_input_coset[idx] - - permuted_input_coset[r_prev]) - * l_active_row[idx]); + let lhs = { + // Ï„(X) * Π(φ_i(X)) * (Ï•(gX) - Ï•(X)) + table_value * inputs_prod * (phi_coset[r_next] - phi_coset[idx]) + }; + + #[cfg(feature = "logup_skip_inv")] + let rhs = { + // Ï„(X) * Π(φ_i(X)) * (∑ 1/(φ_i(X)) - m(X) / Ï„(X)))) + // = ∑_i Ï„(X) * Π_{j != i} φ_j(X) - m(X) * Π(φ_i(X)) + let inputs = (0..inputs_value.len()) + .map(|i| { + inputs_value + .iter() + .enumerate() + .filter(|(j, _)| *j != i) + .fold(C::Scalar::ZERO, |acc, (_, x)| acc * *x) + }) + .fold(C::Scalar::ZERO, |acc, x| acc + x); + inputs * table_value - inputs_prod * m_coset[idx] + }; + #[cfg(not(feature = "logup_skip_inv"))] + let rhs = { + // ∑ 1 / (f_i(X) + beta) at ω^idx + let inv_sum: C::Scalar = inputs_inv_sum[n][idx]; + // Ï„(X) * Π(φ_i(X)) * (∑ 1/(φ_i(X)) - m(X) / Ï„(X)))) + // = (Ï„(X) * Π(φ_i(X)) * ∑ 1/(φ_i(X))) - Π(φ_i(X)) * m(X) + // = Π(φ_i(X)) * (Ï„(X) * ∑ 1/(φ_i(X)) - m(X)) + inputs_prod * (table_value * inv_sum - m_coset[idx]) + }; + + // phi[0] = 0 + *value = *value * y + l0[idx] * phi_coset[idx]; + + // phi[u] = 0 + *value = *value * y + l_last[idx] * phi_coset[idx]; + + // q(X) = (1 - (l_last(X) + l_blind(X))) * (LHS - RHS) + *value = *value * y + (lhs - rhs) * l_active_row[idx]; } }); } diff --git a/halo2_proofs/src/plonk/keygen.rs b/halo2_proofs/src/plonk/keygen.rs index e5459969..92ef096f 100644 --- a/halo2_proofs/src/plonk/keygen.rs +++ b/halo2_proofs/src/plonk/keygen.rs @@ -41,6 +41,8 @@ where let mut cs = ConstraintSystem::default(); let config = ConcreteCircuit::configure(&mut cs); + let cs = cs.chunk_lookups(); + let degree = cs.degree(); let domain = EvaluationDomain::new(degree as u32, k); diff --git a/halo2_proofs/src/plonk/mv_lookup.rs b/halo2_proofs/src/plonk/mv_lookup.rs new file mode 100644 index 00000000..b4fd2d82 --- /dev/null +++ b/halo2_proofs/src/plonk/mv_lookup.rs @@ -0,0 +1,96 @@ +use super::circuit::Expression; +use ff::Field; +use std::fmt::{self, Debug}; + +pub(crate) mod prover; +pub(crate) mod verifier; + +/// Degree of lookup without inputs +pub fn base_degree(table_degree: usize) -> usize { + // let lhs_degree = table_degree + inputs_expressions_degree + 1 + // let degree = lhs_degree + 1 + std::cmp::max(3, table_degree + 2) +} + +pub fn degree_with_input(base_degree: usize, input_expression_degree: usize) -> usize { + base_degree + input_expression_degree +} + +#[derive(Clone)] +pub struct Argument { + pub name: &'static str, + pub(crate) table_expressions: Vec>, + pub(crate) inputs_expressions: Vec>>, +} + +impl Debug for Argument { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("Argument") + .field("table_expressions", &self.table_expressions) + .field("inputs_expressions", &self.inputs_expressions) + .finish() + } +} + +impl Argument { + /// Constructs a new lookup argument. + pub fn new(name: &'static str, table: &[Expression], input: &[Vec>]) -> Self { + Self { + name, + table_expressions: table.to_owned(), + inputs_expressions: input.to_owned(), + } + } + + pub(crate) fn required_degree(&self) -> usize { + assert!(self + .inputs_expressions + .iter() + .all(|input| input.len() == self.table_expressions.len())); + + let expr_degree = |input_expressions: &Vec>| { + let mut input_degree = 0; + for expr in input_expressions.iter() { + input_degree = std::cmp::max(input_degree, expr.degree()); + } + + input_degree + }; + + let inputs_expressions_degree: usize = self + .inputs_expressions + .iter() + .map(|input_expressions| expr_degree(input_expressions)) + .sum(); + + let table_degree = expr_degree(&self.table_expressions); + + /* + φ_i(X) = f_i(X) + α + Ï„(X) = t(X) + α + LHS = Ï„(X) * Π(φ_i(X)) * (Ï•(gX) - Ï•(X)) + = table_degree + sum(input_degree) + 1 + RHS = Ï„(X) * Π(φ_i(X)) * (∑ 1/(φ_i(X)) - m(X) / Ï„(X)))) + + deg(q(X)) = (1 - (q_last + q_blind)) * (LHS - RHS) + = 1 + LHS + */ + + let lhs_degree = table_degree + inputs_expressions_degree + 1; + let degree = lhs_degree + 1; + + // 3 = phi + q_blind + table (where table is = 1) + // + 1 for each of inputs expressions + std::cmp::max(3 + self.inputs_expressions.len(), degree) + } + + /// Returns input of this argument + pub fn input_expressions(&self) -> &Vec>> { + &self.inputs_expressions + } + + /// Returns table of this argument + pub fn table_expressions(&self) -> &Vec> { + &self.table_expressions + } +} diff --git a/halo2_proofs/src/plonk/mv_lookup/exec_info.json b/halo2_proofs/src/plonk/mv_lookup/exec_info.json new file mode 100644 index 00000000..f7a7042c --- /dev/null +++ b/halo2_proofs/src/plonk/mv_lookup/exec_info.json @@ -0,0 +1,46 @@ +{ + "unit": "ms", + "non_batched": { + "k": 14, + "halo2": { + "protocol": "halo2", + "methods": { + "commit_permuted": { + "compress_expressions": 1, + "permute_expressions": 4.5, + "commit_permuted_input": 5, + "commit_permuted_table": 5 + }, + "grand_product": { + "lookup_product_denom": 2, + "lookup_product": 0.2, + "grand_prod_evals": 0.5, + "grand_prod_commit": 7.5 + }, + "h_evaluation": { + + } + } + }, + "mv": { + "protocol": "mv", + "methods": { + "compute_multiplicity": { + "compress_expressions": 1, + "compute_multiplicities": 2, + "commit_m": 1 + }, + "grand_sum": { + "inputs_log_derivatives": 2, + "table_log_derivatives": 1.8, + "log_derivatives_diff": 0.2, + "grand_sum_evals": 0.2, + "grand_sum_commit": 33 + }, + "h_evaluation": { + + } + } + } + } +} \ No newline at end of file diff --git a/halo2_proofs/src/plonk/mv_lookup/prover.rs b/halo2_proofs/src/plonk/mv_lookup/prover.rs new file mode 100644 index 00000000..52d43428 --- /dev/null +++ b/halo2_proofs/src/plonk/mv_lookup/prover.rs @@ -0,0 +1,529 @@ +use super::super::{ + circuit::Expression, ChallengeBeta, ChallengeGamma, ChallengeTheta, ChallengeX, Error, + ProvingKey, +}; +use super::Argument; +use crate::plonk::evaluation::evaluate; +use crate::{ + arithmetic::{eval_polynomial, parallelize, CurveAffine}, + poly::{ + commitment::{Blind, Params}, + Coeff, EvaluationDomain, ExtendedLagrangeCoeff, LagrangeCoeff, Polynomial, ProverQuery, + Rotation, + }, + transcript::{EncodedChallenge, TranscriptWrite}, +}; +use ark_std::{end_timer, start_timer}; +use blake2b_simd::Hash; +use ff::{BitViewSized, PrimeField, PrimeFieldBits, WithSmallOrderMulGroup}; +use group::{ + ff::{BatchInvert, Field}, + Curve, +}; +use rand_core::RngCore; +use rayon::current_num_threads; +use std::collections::{BTreeSet, HashSet}; +use std::time::Instant; +use std::{any::TypeId, convert::TryInto, num::ParseIntError, ops::Index}; +use std::{ + collections::BTreeMap, + iter, + ops::{Mul, MulAssign}, +}; + +use crate::arithmetic::{par_invert, parallelize_internal}; +use rayon::prelude::{ + IndexedParallelIterator, IntoParallelRefIterator, ParallelIterator, ParallelSliceMut, +}; + +#[derive(Debug)] +pub(in crate::plonk) struct Prepared { + compressed_inputs_expressions: Vec>, + compressed_table_expression: Polynomial, + m_values: Polynomial, +} + +#[derive(Debug)] +pub(in crate::plonk) struct Committed { + pub(in crate::plonk) m_poly: Polynomial, + pub(in crate::plonk) phi_poly: Polynomial, +} + +pub(in crate::plonk) struct Evaluated { + constructed: Committed, +} + +impl + Ord> Argument { + pub(in crate::plonk) fn prepare< + 'a, + 'params: 'a, + C, + P: Params<'params, C>, + E: EncodedChallenge, + R: RngCore, + T: TranscriptWrite, + >( + &self, + pk: &ProvingKey, + params: &P, + domain: &EvaluationDomain, + theta: ChallengeTheta, + advice_values: &'a [Polynomial], + fixed_values: &'a [Polynomial], + instance_values: &'a [Polynomial], + challenges: &'a [C::Scalar], + mut rng: R, // in case we want to blind (do we actually need zk?) + transcript: &mut T, + ) -> Result, Error> + where + C: CurveAffine, + C::Curve: Mul + MulAssign, + { + let prepare_time = start_timer!(|| format!( + "prepare m(X) (inputs={:?}, table={})", + self.inputs_expressions + .iter() + .map(|e| e.len()) + .collect::>(), + self.table_expressions.len() + )); + // Closure to get values of expressions and compress them + let compress_expressions = |expressions: &[Expression]| { + let compressed_expression = expressions + .iter() + .map(|expression| { + pk.vk.domain.lagrange_from_vec(evaluate( + expression, + params.n() as usize, + 1, + fixed_values, + advice_values, + instance_values, + challenges, + )) + }) + .fold(domain.empty_lagrange(), |acc, expression| { + acc * *theta + &expression + }); + compressed_expression + }; + + // Get values of input expressions involved in the lookup and compress them + let compressed_inputs_expressions: Vec<_> = self + .inputs_expressions + .iter() + .map(|input_expressions| compress_expressions(input_expressions)) + .collect(); + + // Get values of table expressions involved in the lookup and compress them + let compressed_table_expression = compress_expressions(&self.table_expressions); + + let blinding_factors = pk.vk.cs.blinding_factors(); + + // compute m(X) + let tivm_time = start_timer!(|| "table index value mapping"); + let mut sorted_table_with_indices = compressed_table_expression + .iter() + .take(params.n() as usize - blinding_factors - 1) + .enumerate() + .map(|(i, t)| (t, i)) + .collect::>(); + sorted_table_with_indices.par_sort_by_key(|(&t, _)| t); + end_timer!(tivm_time); + + let m_time = start_timer!(|| "m(X) values"); + let m_values: Vec = { + use std::sync::atomic::{AtomicU64, Ordering}; + use std::sync::RwLock; + let m_values: Vec = (0..params.n()).map(|_| AtomicU64::new(0)).collect(); + + for compressed_input_expression in compressed_inputs_expressions.iter() { + let _ = compressed_input_expression + .par_iter() + .take(params.n() as usize - blinding_factors - 1) + .try_for_each(|fi| -> Result<(), Error> { + let index = sorted_table_with_indices + .binary_search_by_key(&fi, |&(t, _)| t) + .map_err(|_| Error::ConstraintSystemFailure)?; + let index = sorted_table_with_indices[index].1; + + m_values[index].fetch_add(1, Ordering::Relaxed); + Ok(()) + }); + } + + m_values + .par_iter() + .map(|mi| F::from(mi.load(Ordering::Relaxed) as u64)) + .collect() + }; + end_timer!(m_time); + let m_values = pk.vk.domain.lagrange_from_vec(m_values); + + #[cfg(feature = "sanity-checks")] + { + // check that m is zero after blinders + let invalid_ms = m_values + .iter() + .skip(params.n() as usize - blinding_factors) + .collect::>(); + assert_eq!(invalid_ms.len(), blinding_factors); + for mi in invalid_ms { + assert_eq!(*mi, C::Scalar::ZERO); + } + + // check sums + let alpha = C::Scalar::random(&mut rng); + let cs_input_sum = + |compressed_input_expression: &Polynomial| { + let mut lhs_sum = C::Scalar::ZERO; + for &fi in compressed_input_expression + .iter() + .take(params.n() as usize - blinding_factors - 1) + { + lhs_sum += (fi + alpha).invert().unwrap(); + } + + lhs_sum + }; + + let mut lhs_sum = C::Scalar::ZERO; + + for compressed_input_expression in compressed_inputs_expressions.iter() { + lhs_sum += cs_input_sum(compressed_input_expression); + } + + let mut rhs_sum = C::Scalar::ZERO; + for (&ti, &mi) in compressed_table_expression.iter().zip(m_values.iter()) { + rhs_sum += mi * (ti + alpha).invert().unwrap(); + } + + assert_eq!(lhs_sum, rhs_sum); + } + + // commit to m(X) + // TODO: should we use zero instead? + let blind = Blind(C::Scalar::random(rng)); + let m_commitment = params.commit_lagrange(&m_values, blind).to_affine(); + + // write commitment of m(X) to transcript + transcript.write_point(m_commitment)?; + + end_timer!(prepare_time); + + Ok(Prepared { + compressed_inputs_expressions, + compressed_table_expression, + m_values, + }) + } +} + +impl Prepared { + pub(in crate::plonk) fn commit_grand_sum< + 'params, + P: Params<'params, C>, + E: EncodedChallenge, + R: RngCore, + T: TranscriptWrite, + >( + self, + pk: &ProvingKey, + params: &P, + beta: ChallengeBeta, + mut rng: R, + transcript: &mut T, + ) -> Result, Error> { + /* + φ_i(X) = f_i(X) + beta + Ï„(X) = t(X) + beta + LHS = Ï„(X) * Π(φ_i(X)) * (Ï•(gX) - Ï•(X)) + RHS = Ï„(X) * Π(φ_i(X)) * (∑ 1/(φ_i(X)) - m(X) / Ï„(X)))) + */ + let lookup_commit_time = start_timer!(|| "commit_grand_sum"); + + // ∑ 1/(φ_i(X)) + let inputs_log_drv_time = start_timer!(|| "inputs_log_derivative"); + let mut inputs_log_derivatives = vec![C::Scalar::ZERO; params.n() as usize]; + for compressed_input_expression in self.compressed_inputs_expressions.iter() { + let mut input_log_derivatives = vec![C::Scalar::ZERO; params.n() as usize]; + + parallelize( + &mut input_log_derivatives, + |input_log_derivatives, start| { + for (input_log_derivative, fi) in input_log_derivatives + .iter_mut() + .zip(compressed_input_expression[start..].iter()) + { + *input_log_derivative = *beta + fi; + } + }, + ); + let inputs_inv_time = start_timer!(|| "batch invert"); + par_invert(input_log_derivatives.as_mut_slice()); + end_timer!(inputs_inv_time); + + // TODO: remove last blinders from this + for i in 0..params.n() as usize { + inputs_log_derivatives[i] += input_log_derivatives[i]; + } + } + end_timer!(inputs_log_drv_time); + + // 1 / Ï„(X) + let table_log_drv_time = start_timer!(|| "table log derivative"); + let mut table_log_derivatives = vec![C::Scalar::ZERO; params.n() as usize]; + parallelize( + &mut table_log_derivatives, + |table_log_derivatives, start| { + for (table_log_derivative, ti) in table_log_derivatives + .iter_mut() + .zip(self.compressed_table_expression[start..].iter()) + { + *table_log_derivative = *beta + ti; + } + }, + ); + + let table_inv_time = start_timer!(|| "table batch invert"); + par_invert(table_log_derivatives.as_mut_slice()); + end_timer!(table_inv_time); + end_timer!(table_log_drv_time); + + let log_drv_diff_time = start_timer!(|| "log derivatives diff"); + // (Σ 1/(φ_i(X)) - m(X) / Ï„(X)) + let mut log_derivatives_diff = vec![C::Scalar::ZERO; params.n() as usize]; + parallelize(&mut log_derivatives_diff, |log_derivatives_diff, start| { + for (((log_derivative_diff, fi), ti), mi) in log_derivatives_diff + .iter_mut() + .zip(inputs_log_derivatives[start..].iter()) + .zip(table_log_derivatives[start..].iter()) + .zip(self.m_values[start..].iter()) + { + // (Σ 1/(φ_i(X)) - m(X) / Ï„(X)) + *log_derivative_diff = *fi - *mi * *ti; + } + }); + end_timer!(log_drv_diff_time); + + // Compute the evaluations of the lookup grand sum polynomial + // over our domain, starting with phi[0] = 0 + let blinding_factors = pk.vk.cs.blinding_factors(); + let phi_time = start_timer!(|| "par_scan(log_derivatives_diff)"); + let phi = { + // parallelized version of log_derivatives_diff.scan() + let active_size = params.n() as usize - blinding_factors; + let chunk = { + let num_threads = crate::multicore::current_num_threads(); + let mut chunk = (active_size as usize) / num_threads; + if chunk < num_threads { + chunk = 1; + } + chunk + }; + let num_chunks = (active_size as usize + chunk - 1) / chunk; + let mut segment_sum = vec![C::Scalar::ZERO; num_chunks]; + let mut grand_sum = iter::once(C::Scalar::ZERO) + .chain(log_derivatives_diff) + .take(active_size) + .collect::>(); + // TODO: remove the implicit assumption that parallelize() split the grand_sum + // into segments that each has `chunk` elements except the last. + parallelize(&mut grand_sum, |segment_grand_sum, _| { + for i in 1..segment_grand_sum.len() { + segment_grand_sum[i] += segment_grand_sum[i - 1]; + } + }); + for i in 1..segment_sum.len() { + segment_sum[i] = segment_sum[i - 1] + grand_sum[i * chunk - 1]; + } + parallelize(&mut grand_sum, |grand_sum, start| { + let prefix_sum = segment_sum[start / chunk]; + for v in grand_sum.iter_mut() { + *v += prefix_sum; + } + }); + grand_sum + .into_iter() + .chain((0..blinding_factors).map(|_| C::Scalar::random(&mut rng))) + .collect::>() + }; + end_timer!(phi_time); + assert_eq!(phi.len(), params.n() as usize); + let phi = pk.vk.domain.lagrange_from_vec(phi); + + #[cfg(feature = "sanity-checks")] + // This test works only with intermediate representations in this method. + // It can be used for debugging purposes. + { + // While in Lagrange basis, check that product is correctly constructed + let u = (params.n() as usize) - (blinding_factors + 1); + + /* + φ_i(X) = f_i(X) + α + Ï„(X) = t(X) + α + LHS = Ï„(X) * Π(φ_i(X)) * (Ï•(gX) - Ï•(X)) + RHS = Ï„(X) * Π(φ_i(X)) * (∑ 1/(φ_i(X)) - m(X) / Ï„(X)))) + */ + + // q(X) = LHS - RHS mod zH(X) + for i in 0..u { + // Π(φ_i(X)) + let fi_prod = || { + let mut prod = C::Scalar::ONE; + for compressed_input_expression in self.compressed_inputs_expressions.iter() { + prod *= *beta + compressed_input_expression[i]; + } + + prod + }; + + let fi_log_derivative = || { + let mut sum = C::Scalar::ZERO; + for compressed_input_expression in self.compressed_inputs_expressions.iter() { + sum += (*beta + compressed_input_expression[i]).invert().unwrap(); + } + + sum + }; + + // LHS = Ï„(X) * Π(φ_i(X)) * (Ï•(gX) - Ï•(X)) + let lhs = { + (*beta + self.compressed_table_expression[i]) + * fi_prod() + * (phi[i + 1] - phi[i]) + }; + + // RHS = Ï„(X) * Π(φ_i(X)) * (∑ 1/(φ_i(X)) - m(X) / Ï„(X)))) + let rhs = { + (*beta + self.compressed_table_expression[i]) + * fi_prod() + * (fi_log_derivative() + - self.m_values[i] + * (*beta + self.compressed_table_expression[i]) + .invert() + .unwrap()) + }; + + assert_eq!(lhs - rhs, C::Scalar::ZERO); + } + + assert_eq!(phi[u], C::Scalar::ZERO); + } + + let grand_sum_blind = Blind(C::Scalar::random(rng)); + let phi_commitment = params.commit_lagrange(&phi, grand_sum_blind).to_affine(); + + // Hash grand sum commitment + transcript.write_point(phi_commitment)?; + + end_timer!(lookup_commit_time); + Ok(Committed { + m_poly: pk.vk.domain.lagrange_to_coeff(self.m_values), + phi_poly: pk.vk.domain.lagrange_to_coeff(phi), + }) + } +} + +impl Committed { + pub(in crate::plonk) fn evaluate, T: TranscriptWrite>( + self, + pk: &ProvingKey, + x: ChallengeX, + transcript: &mut T, + ) -> Result, Error> { + let domain = &pk.vk.domain; + let x_next = domain.rotate_omega(*x, Rotation::next()); + + let phi_eval = eval_polynomial(&self.phi_poly, *x); + let phi_next_eval = eval_polynomial(&self.phi_poly, x_next); + let m_eval = eval_polynomial(&self.m_poly, *x); + + // Hash each advice evaluation + for eval in iter::empty() + .chain(Some(phi_eval)) + .chain(Some(phi_next_eval)) + .chain(Some(m_eval)) + { + transcript.write_scalar(eval)?; + } + + Ok(Evaluated { constructed: self }) + } +} + +impl Evaluated { + pub(in crate::plonk) fn open<'a>( + &'a self, + pk: &'a ProvingKey, + x: ChallengeX, + ) -> impl Iterator> + Clone { + let x_next = pk.vk.domain.rotate_omega(*x, Rotation::next()); + + iter::empty() + .chain(Some(ProverQuery { + point: *x, + poly: &self.constructed.phi_poly, + blind: Blind(C::Scalar::ZERO), + })) + .chain(Some(ProverQuery { + point: x_next, + poly: &self.constructed.phi_poly, + blind: Blind(C::Scalar::ZERO), + })) + .chain(Some(ProverQuery { + point: *x, + poly: &self.constructed.m_poly, + blind: Blind(C::Scalar::ZERO), + })) + } +} + +mod benches { + use ark_std::rand::thread_rng; + use ff::Field; + use halo2curves::bn256::Fr; + use std::collections::BTreeMap; + use std::time::Instant; + + // bench the time to construct a BTreeMap out of a large table + // tivm is short for table_index_value_mapping + #[ignore] + #[test] + fn bench_tivm_btree_map() { + env_logger::init(); + let mut rng = thread_rng(); + + for log_n in 20..26 { + let n = 1 << log_n; + let dur = Instant::now(); + let _table: BTreeMap = (0..n) + .into_iter() + .map(|_| Fr::random(&mut rng)) + .enumerate() + .map(|(i, x)| (x, i)) + .collect(); + log::info!( + "construct btreemap from random vec (len = {}) took {:?}", + n, + dur.elapsed() + ); + } + + for log_n in 20..26 { + let n = 1 << log_n; + let dur = Instant::now(); + let _table: BTreeMap = (0..n) + .into_iter() + .map(Fr::from) + .enumerate() + .map(|(i, x)| (x, i)) + .collect(); + log::info!( + "construct btreemap from increasing vec (len = {}) took {:?}", + n, + dur.elapsed() + ); + } + } +} diff --git a/halo2_proofs/src/plonk/mv_lookup/verifier.rs b/halo2_proofs/src/plonk/mv_lookup/verifier.rs new file mode 100644 index 00000000..361bb5f9 --- /dev/null +++ b/halo2_proofs/src/plonk/mv_lookup/verifier.rs @@ -0,0 +1,191 @@ +use std::iter; + +use super::super::{ + circuit::Expression, ChallengeBeta, ChallengeGamma, ChallengeTheta, ChallengeX, +}; +use super::Argument; +use crate::{ + arithmetic::CurveAffine, + plonk::{Error, VerifyingKey}, + poly::{commitment::MSM, Rotation, VerifierQuery}, + transcript::{EncodedChallenge, TranscriptRead}, +}; +use ff::{BatchInvert, Field, PrimeField, WithSmallOrderMulGroup}; + +pub struct PreparedCommitments { + m_commitment: C, +} + +pub struct Committed { + prepared: PreparedCommitments, + phi_commitment: C, +} + +pub struct Evaluated { + committed: Committed, + phi_eval: C::Scalar, + phi_next_eval: C::Scalar, + m_eval: C::Scalar, +} + +impl> Argument { + pub(in crate::plonk) fn read_prepared_commitments< + C: CurveAffine, + E: EncodedChallenge, + T: TranscriptRead, + >( + &self, + transcript: &mut T, + ) -> Result, Error> { + let m_commitment = transcript.read_point()?; + + Ok(PreparedCommitments { m_commitment }) + } +} + +impl PreparedCommitments { + pub(in crate::plonk) fn read_grand_sum_commitment< + E: EncodedChallenge, + T: TranscriptRead, + >( + self, + transcript: &mut T, + ) -> Result, Error> { + let phi_commitment = transcript.read_point()?; + + Ok(Committed { + prepared: self, + phi_commitment, + }) + } +} + +impl Committed { + pub(crate) fn evaluate, T: TranscriptRead>( + self, + transcript: &mut T, + ) -> Result, Error> { + let phi_eval = transcript.read_scalar()?; + let phi_next_eval = transcript.read_scalar()?; + let m_eval = transcript.read_scalar()?; + + Ok(Evaluated { + committed: self, + phi_eval, + phi_next_eval, + m_eval, + }) + } +} + +impl Evaluated { + pub(in crate::plonk) fn expressions<'a>( + &'a self, + l_0: C::Scalar, + l_last: C::Scalar, + l_blind: C::Scalar, + argument: &'a Argument, + theta: ChallengeTheta, + beta: ChallengeBeta, + advice_evals: &[C::Scalar], + fixed_evals: &[C::Scalar], + instance_evals: &[C::Scalar], + challenges: &[C::Scalar], + ) -> impl Iterator + 'a { + let active_rows = C::Scalar::ZERO - (l_last + l_blind); + + /* + φ_i(X) = f_i(X) + beta + Ï„(X) = t(X) + beta + LHS = Ï„(X) * Π(φ_i(X)) * (Ï•(gX) - Ï•(X)) + RHS = Ï„(X) * Π(φ_i(X)) * (∑ 1/(φ_i(X)) - m(X) / Ï„(X)))) + */ + + let grand_sum_expression = || { + let compress_expressions = |expressions: &[Expression]| { + expressions + .iter() + .map(|expression| { + expression.evaluate( + &|scalar| scalar, + &|_| panic!("virtual selectors are removed during optimization"), + &|query| fixed_evals[query.index], + &|query| advice_evals[query.index], + &|query| instance_evals[query.index], + &|challenge| challenges[challenge.index()], + &|a| -a, + &|a, b| a + &b, + &|a, b| a * &b, + &|a, scalar| a * &scalar, + ) + }) + .fold(C::Scalar::ZERO, |acc, eval| acc * &*theta + &eval) + }; + + // φ_i(X) = f_i(X) + beta + let mut f_evals: Vec<_> = argument + .inputs_expressions + .iter() + .map(|input_expressions| compress_expressions(input_expressions) + *beta) + .collect(); + + let t_eval = compress_expressions(&argument.table_expressions); + + let tau = t_eval + *beta; + // Π(φ_i(X)) + let prod_fi = f_evals.iter().fold(C::Scalar::ZERO, |acc, eval| acc * eval); + // ∑ 1/(φ_i(X)) + let sum_inv_fi = { + f_evals.batch_invert(); + f_evals.iter().fold(C::Scalar::ZERO, |acc, eval| acc + eval) + }; + + // LHS = Ï„(X) * Π(φ_i(X)) * (Ï•(gX) - Ï•(X)) + let lhs = tau * prod_fi * (self.phi_next_eval - self.phi_eval); + + // RHS = Ï„(X) * Π(φ_i(X)) * (∑ 1/(φ_i(X)) - m(X) / Ï„(X)))) + let rhs = { tau * prod_fi * (sum_inv_fi - self.m_eval * tau.invert().unwrap()) }; + + (lhs - rhs) * active_rows + }; + + std::iter::empty() + .chain( + // phi[0] = 0 + Some(l_0 * self.phi_eval), + ) + .chain( + // phi[u] = 0 + Some(l_last * self.phi_eval), + ) + .chain( + // (1 - l_last - l_blind) * (lhs - rhs) = 0 + Some(grand_sum_expression()), + ) + } + + pub(in crate::plonk) fn queries<'r, M: MSM + 'r>( + &'r self, + vk: &'r VerifyingKey, + x: ChallengeX, + ) -> impl Iterator> + Clone { + let x_next = vk.domain.rotate_omega(*x, Rotation::next()); + + iter::empty() + .chain(Some(VerifierQuery::new_commitment( + &self.committed.phi_commitment, + *x, + self.phi_eval, + ))) + .chain(Some(VerifierQuery::new_commitment( + &self.committed.phi_commitment, + x_next, + self.phi_next_eval, + ))) + .chain(Some(VerifierQuery::new_commitment( + &self.committed.prepared.m_commitment, + *x, + self.m_eval, + ))) + } +} diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index 15f04384..768216e4 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -16,7 +16,7 @@ use super::{ Advice, Any, Assignment, Challenge, Circuit, Column, ConstraintSystem, FirstPhase, Fixed, FloorPlanner, Instance, Selector, }, - lookup, permutation, vanishing, ChallengeBeta, ChallengeGamma, ChallengeTheta, ChallengeX, + mv_lookup, permutation, vanishing, ChallengeBeta, ChallengeGamma, ChallengeTheta, ChallengeX, ChallengeY, Error, Expression, ProvingKey, }; use crate::{ @@ -34,6 +34,7 @@ use crate::{ poly::batch_invert_assigned, transcript::{EncodedChallenge, TranscriptWrite}, }; +use ark_std::{end_timer, start_timer}; use group::prime::PrimeCurveAffine; /// This creates a proof for the provided `circuit` when given the public @@ -57,7 +58,7 @@ pub fn create_proof< transcript: &mut T, ) -> Result<(), Error> where - Scheme::Scalar: WithSmallOrderMulGroup<3> + FromUniformBytes<64>, + Scheme::Scalar: WithSmallOrderMulGroup<3> + FromUniformBytes<64> + Ord, { for instance in instances.iter() { if instance.len() != pk.vk.cs.num_instance_columns { @@ -546,17 +547,20 @@ where // Sample theta challenge for keeping lookup columns linearly independent let theta: ChallengeTheta<_> = transcript.squeeze_challenge_scalar(); - let lookups: Vec>> = instance + let lookups: Vec>> = instance .iter() .zip(advice.iter()) .map(|(instance, advice)| -> Result, Error> { + let lookup_get_mx_time = + start_timer!(|| format!("get m(X) in {} lookups", pk.vk.cs.lookups.len())); // Construct and commit to permuted values for each lookup - pk.vk + let mx = pk + .vk .cs .lookups .iter() .map(|lookup| { - lookup.commit_permuted( + lookup.prepare( pk, params, domain, @@ -569,7 +573,10 @@ where transcript, ) }) - .collect() + .collect(); + end_timer!(lookup_get_mx_time); + + mx }) .collect::, _>>()?; @@ -599,16 +606,18 @@ where }) .collect::, _>>()?; - let lookups: Vec>> = lookups + let lookup_commit_time = start_timer!(|| "lookup commit grand sum"); + let lookups: Vec>> = lookups .into_iter() .map(|lookups| -> Result, _> { // Construct and commit to products for each lookup lookups .into_iter() - .map(|lookup| lookup.commit_product(pk, params, beta, gamma, &mut rng, transcript)) + .map(|lookup| lookup.commit_grand_sum(pk, params, beta, &mut rng, transcript)) .collect::, _>>() }) .collect::, _>>()?; + end_timer!(lookup_commit_time); // Commit to the vanishing argument's random polynomial for blinding h(x_3) let vanishing = vanishing::Argument::commit(params, domain, &mut rng, transcript)?; @@ -728,8 +737,7 @@ where .map(|permutation| -> Result<_, _> { permutation.construct().evaluate(pk, x, transcript) }) .collect::, _>>()?; - // Evaluate the lookups, if any, at omega^i x. - let lookups: Vec>> = lookups + let lookups: Vec>> = lookups .into_iter() .map(|lookups| -> Result, _> { lookups diff --git a/halo2_proofs/src/plonk/verifier.rs b/halo2_proofs/src/plonk/verifier.rs index f5984d2c..315a3b6c 100644 --- a/halo2_proofs/src/plonk/verifier.rs +++ b/halo2_proofs/src/plonk/verifier.rs @@ -131,7 +131,7 @@ where vk.cs .lookups .iter() - .map(|argument| argument.read_permuted_commitments(transcript)) + .map(|argument| argument.read_prepared_commitments(transcript)) .collect::, _>>() }) .collect::, _>>()?; @@ -152,10 +152,10 @@ where let lookups_committed = lookups_permuted .into_iter() .map(|lookups| { - // Hash each lookup product commitment + // Hash each lookup sum commitment lookups .into_iter() - .map(|lookup| lookup.read_product_commitment(transcript)) + .map(|lookup| lookup.read_grand_sum_commitment(transcript)) .collect::, _>>() }) .collect::, _>>()?; @@ -300,27 +300,22 @@ where gamma, x, )) - .chain( - lookups - .iter() - .zip(vk.cs.lookups.iter()) - .flat_map(move |(p, argument)| { - p.expressions( - l_0, - l_last, - l_blind, - argument, - theta, - beta, - gamma, - advice_evals, - fixed_evals, - instance_evals, - challenges, - ) - }) - .into_iter(), - ) + .chain(lookups.iter().zip(vk.cs.lookups.iter()).flat_map( + move |(p, argument)| { + p.expressions( + l_0, + l_last, + l_blind, + argument, + theta, + beta, + advice_evals, + fixed_evals, + instance_evals, + challenges, + ) + }, + )) }); vanishing.verify(params, expressions, y, xn) @@ -366,12 +361,7 @@ where }, )) .chain(permutation.queries(vk, x)) - .chain( - lookups - .iter() - .flat_map(move |p| p.queries(vk, x)) - .into_iter(), - ) + .chain(lookups.iter().flat_map(move |p| p.queries(vk, x))) }, ) .chain( diff --git a/halo2_proofs/src/poly.rs b/halo2_proofs/src/poly.rs index 42e43b2e..31f6d1f7 100644 --- a/halo2_proofs/src/poly.rs +++ b/halo2_proofs/src/poly.rs @@ -304,7 +304,7 @@ impl<'a, F: Field, B: Basis> Sub for &'a Polynomial { /// Describes the relative rotation of a vector. Negative numbers represent /// reverse (leftmost) rotations and positive numbers represent forward (rightmost) /// rotations. Zero represents no rotation. -#[derive(Copy, Clone, Debug, PartialEq, Eq)] +#[derive(Copy, Clone, Debug, PartialEq, Eq, Hash)] pub struct Rotation(pub i32); impl Rotation { diff --git a/halo2_proofs/tests/plonk_api.rs b/halo2_proofs/tests/plonk_api.rs index 187280b0..1f1f0a2a 100644 --- a/halo2_proofs/tests/plonk_api.rs +++ b/halo2_proofs/tests/plonk_api.rs @@ -17,252 +17,390 @@ use halo2_proofs::transcript::{ Blake2bRead, Blake2bWrite, Challenge255, EncodedChallenge, TranscriptReadBuffer, TranscriptWriterBuffer, }; +use halo2curves::bn256::Bn256; use rand_core::{OsRng, RngCore}; use std::marker::PhantomData; use std::time::Instant; #[cfg(feature = "parallel_syn")] use halo2_proofs::circuit::Region; +use halo2_proofs::poly::kzg::commitment::{KZGCommitmentScheme, ParamsKZG}; +use halo2_proofs::poly::kzg::multiopen::{ProverGWC, VerifierGWC}; +use halo2_proofs::poly::kzg::strategy::AccumulatorStrategy; + +/// This represents an advice column at a certain row in the ConstraintSystem +#[derive(Copy, Clone, Debug)] +pub struct Variable(Column, usize); + +#[derive(Clone)] +struct PlonkConfig { + a: Column, + b: Column, + c: Column, + d: Column, + e: Column, + + sa: Column, + sb: Column, + sc: Column, + sm: Column, + sp: Column, + sl: TableColumn, +} -#[test] -fn plonk_api() { - const K: u32 = 17; - - /// This represents an advice column at a certain row in the ConstraintSystem - #[derive(Copy, Clone, Debug)] - pub struct Variable(Column, usize); - - #[derive(Clone)] - struct PlonkConfig { - a: Column, - b: Column, - c: Column, - d: Column, - e: Column, - - sa: Column, - sb: Column, - sc: Column, - sm: Column, - sp: Column, - sl: TableColumn, - } +impl PlonkConfig { + pub fn construct(meta: &mut ConstraintSystem) -> Self { + let e = meta.advice_column(); + let a = meta.advice_column(); + let b = meta.advice_column(); + let sf = meta.fixed_column(); + let c = meta.advice_column(); + let d = meta.advice_column(); + let p = meta.instance_column(); + + meta.enable_equality(a); + meta.enable_equality(b); + meta.enable_equality(c); + + let sm = meta.fixed_column(); + let sa = meta.fixed_column(); + let sb = meta.fixed_column(); + let sc = meta.fixed_column(); + let sp = meta.fixed_column(); + let sl = meta.lookup_table_column(); + + // Add to test mvlookup + let dummy = meta.complex_selector(); + let dummy_2 = meta.complex_selector(); + let dummy_3 = meta.complex_selector(); + + let dummy_table = meta.lookup_table_column(); - #[allow(clippy::type_complexity)] - trait StandardCs { - fn raw_multiply( - &self, - layouter: &mut impl Layouter, - f: F, - ) -> Result<(Cell, Cell, Cell), Error> - where - F: FnMut() -> Value<(Assigned, Assigned, Assigned)>; - fn raw_add( - &self, - layouter: &mut impl Layouter, - f: F, - ) -> Result<(Cell, Cell, Cell), Error> - where - F: FnMut() -> Value<(Assigned, Assigned, Assigned)>; - fn copy(&self, layouter: &mut impl Layouter, a: Cell, b: Cell) -> Result<(), Error>; - fn public_input(&self, layouter: &mut impl Layouter, f: F) -> Result - where - F: FnMut() -> Value; - fn lookup_table( - &self, - layouter: &mut impl Layouter, - values: &[FF], - ) -> Result<(), Error>; + /* + * A B ... sl + * [ + * instance 0 ... 0 + * a a ... 0 + * a a^2 ... 0 + * a a ... 0 + * a a^2 ... 0 + * ... ... ... ... + * ... ... ... instance + * ... ... ... a + * ... ... ... a + * ... ... ... 0 + * ] + */ + + meta.lookup("lookup", |meta| { + let a_ = meta.query_any(a, Rotation::cur()); + vec![(a_, sl)] + }); + + // Add to test mvlookup + meta.lookup("lookup_same", |meta| { + let a_ = meta.query_any(a, Rotation::cur()); + vec![(a_, sl)] + }); + + meta.lookup("lookup_same", |meta| { + let b_ = meta.query_any(b, Rotation::cur()); + let dummy = meta.query_selector(dummy); + let dummy_2 = meta.query_selector(dummy_2); + let dummy_3 = meta.query_selector(dummy_3); + + vec![(dummy * dummy_2 * dummy_3 * b_, dummy_table)] + }); + + meta.create_gate("Combined add-mult", |meta| { + let d = meta.query_advice(d, Rotation::next()); + let a = meta.query_advice(a, Rotation::cur()); + let sf = meta.query_fixed(sf, Rotation::cur()); + let e = meta.query_advice(e, Rotation::prev()); + let b = meta.query_advice(b, Rotation::cur()); + let c = meta.query_advice(c, Rotation::cur()); + + let sa = meta.query_fixed(sa, Rotation::cur()); + let sb = meta.query_fixed(sb, Rotation::cur()); + let sc = meta.query_fixed(sc, Rotation::cur()); + let sm = meta.query_fixed(sm, Rotation::cur()); + + vec![a.clone() * sa + b.clone() * sb + a * b * sm - (c * sc) + sf * (d * e)] + }); + + meta.create_gate("Public input", |meta| { + let a = meta.query_advice(a, Rotation::cur()); + let p = meta.query_instance(p, Rotation::cur()); + let sp = meta.query_fixed(sp, Rotation::cur()); + + vec![sp * (a - p)] + }); + + meta.enable_equality(sf); + meta.enable_equality(e); + meta.enable_equality(d); + meta.enable_equality(p); + meta.enable_equality(sm); + meta.enable_equality(sa); + meta.enable_equality(sb); + meta.enable_equality(sc); + meta.enable_equality(sp); + + PlonkConfig { + a, + b, + c, + d, + e, + sa, + sb, + sc, + sm, + sp, + sl, + } } +} - #[derive(Clone)] - struct MyCircuit { - a: Value, - lookup_table: Vec, - } +#[allow(clippy::type_complexity)] +trait StandardCs { + fn raw_multiply( + &self, + layouter: &mut impl Layouter, + f: F, + ) -> Result<(Cell, Cell, Cell), Error> + where + F: FnMut() -> Value<(Assigned, Assigned, Assigned)>; + fn raw_add( + &self, + layouter: &mut impl Layouter, + f: F, + ) -> Result<(Cell, Cell, Cell), Error> + where + F: FnMut() -> Value<(Assigned, Assigned, Assigned)>; + fn copy(&self, layouter: &mut impl Layouter, a: Cell, b: Cell) -> Result<(), Error>; + fn public_input(&self, layouter: &mut impl Layouter, f: F) -> Result + where + F: FnMut() -> Value; + fn lookup_table(&self, layouter: &mut impl Layouter, values: &[FF]) -> Result<(), Error>; +} - struct StandardPlonk { - config: PlonkConfig, - _marker: PhantomData, - } +struct StandardPlonk { + config: PlonkConfig, + _marker: PhantomData, +} - impl StandardPlonk { - fn new(config: PlonkConfig) -> Self { - StandardPlonk { - config, - _marker: PhantomData, - } +impl StandardPlonk { + fn new(config: PlonkConfig) -> Self { + StandardPlonk { + config, + _marker: PhantomData, } } +} +impl StandardCs for StandardPlonk { + fn raw_multiply( + &self, + layouter: &mut impl Layouter, + mut f: F, + ) -> Result<(Cell, Cell, Cell), Error> + where + F: FnMut() -> Value<(Assigned, Assigned, Assigned)>, + { + layouter.assign_region( + || "raw_multiply", + |mut region| { + let mut value = None; + let lhs = region.assign_advice( + || "lhs", + self.config.a, + 0, + || { + value = Some(f()); + value.unwrap().map(|v| v.0) + }, + )?; + region.assign_advice( + || "lhs^4", + self.config.d, + 0, + || value.unwrap().map(|v| v.0).square().square(), + )?; + let rhs = region.assign_advice( + || "rhs", + self.config.b, + 0, + || value.unwrap().map(|v| v.1), + )?; + region.assign_advice( + || "rhs^4", + self.config.e, + 0, + || value.unwrap().map(|v| v.1).square().square(), + )?; + let out = region.assign_advice( + || "out", + self.config.c, + 0, + || value.unwrap().map(|v| v.2), + )?; + + region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::ZERO))?; + region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::ZERO))?; + region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::ONE))?; + region.assign_fixed(|| "a * b", self.config.sm, 0, || Value::known(FF::ONE))?; + Ok((lhs.cell(), rhs.cell(), out.cell())) + }, + ) + } + fn raw_add( + &self, + layouter: &mut impl Layouter, + mut f: F, + ) -> Result<(Cell, Cell, Cell), Error> + where + F: FnMut() -> Value<(Assigned, Assigned, Assigned)>, + { + layouter.assign_region( + || "raw_add", + |mut region| { + let mut value = None; + let lhs = region.assign_advice( + || "lhs", + self.config.a, + 0, + || { + value = Some(f()); + value.unwrap().map(|v| v.0) + }, + )?; + region.assign_advice( + || "lhs^4", + self.config.d, + 0, + || value.unwrap().map(|v| v.0).square().square(), + )?; + let rhs = region.assign_advice( + || "rhs", + self.config.b, + 0, + || value.unwrap().map(|v| v.1), + )?; + region.assign_advice( + || "rhs^4", + self.config.e, + 0, + || value.unwrap().map(|v| v.1).square().square(), + )?; + let out = region.assign_advice( + || "out", + self.config.c, + 0, + || value.unwrap().map(|v| v.2), + )?; + + region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::ONE))?; + region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::ONE))?; + region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::ONE))?; + region.assign_fixed(|| "a * b", self.config.sm, 0, || Value::known(FF::ZERO))?; + Ok((lhs.cell(), rhs.cell(), out.cell())) + }, + ) + } + fn copy(&self, layouter: &mut impl Layouter, left: Cell, right: Cell) -> Result<(), Error> { + layouter.assign_region( + || "copy", + |mut region| { + region.constrain_equal(left, right)?; + region.constrain_equal(left, right) + }, + ) + } + fn public_input(&self, layouter: &mut impl Layouter, mut f: F) -> Result + where + F: FnMut() -> Value, + { + layouter.assign_region( + || "public_input", + |mut region| { + let value = region.assign_advice(|| "value", self.config.a, 0, &mut f)?; + region.assign_fixed(|| "public", self.config.sp, 0, || Value::known(FF::ONE))?; - impl StandardCs for StandardPlonk { - fn raw_multiply( - &self, - layouter: &mut impl Layouter, - mut f: F, - ) -> Result<(Cell, Cell, Cell), Error> - where - F: FnMut() -> Value<(Assigned, Assigned, Assigned)>, - { - layouter.assign_region( - || "raw_multiply", - |mut region| { - let mut value = None; - let lhs = region.assign_advice( - || "lhs", - self.config.a, - 0, - || { - value = Some(f()); - value.unwrap().map(|v| v.0) - }, - )?; - region.assign_advice( - || "lhs^4", - self.config.d, - 0, - || value.unwrap().map(|v| v.0).square().square(), - )?; - let rhs = region.assign_advice( - || "rhs", - self.config.b, - 0, - || value.unwrap().map(|v| v.1), - )?; - region.assign_advice( - || "rhs^4", - self.config.e, - 0, - || value.unwrap().map(|v| v.1).square().square(), - )?; - let out = region.assign_advice( - || "out", - self.config.c, - 0, - || value.unwrap().map(|v| v.2), + Ok(value.cell()) + }, + ) + } + fn lookup_table(&self, layouter: &mut impl Layouter, values: &[FF]) -> Result<(), Error> { + layouter.assign_table( + || "", + |mut table| { + for (index, &value) in values.iter().enumerate() { + table.assign_cell( + || "table col", + self.config.sl, + index, + || Value::known(value), )?; + } + Ok(()) + }, + )?; + Ok(()) + } +} - region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::ZERO))?; - region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::ZERO))?; - region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::ONE))?; - region.assign_fixed(|| "a * b", self.config.sm, 0, || Value::known(FF::ONE))?; - Ok((lhs.cell(), rhs.cell(), out.cell())) - }, - ) - } - fn raw_add( - &self, - layouter: &mut impl Layouter, - mut f: F, - ) -> Result<(Cell, Cell, Cell), Error> - where - F: FnMut() -> Value<(Assigned, Assigned, Assigned)>, - { - layouter.assign_region( - || "raw_add", - |mut region| { - let mut value = None; - let lhs = region.assign_advice( - || "lhs", - self.config.a, - 0, - || { - value = Some(f()); - value.unwrap().map(|v| v.0) - }, - )?; - region.assign_advice( - || "lhs^4", - self.config.d, - 0, - || value.unwrap().map(|v| v.0).square().square(), - )?; - let rhs = region.assign_advice( - || "rhs", - self.config.b, - 0, - || value.unwrap().map(|v| v.1), - )?; - region.assign_advice( - || "rhs^4", - self.config.e, - 0, - || value.unwrap().map(|v| v.1).square().square(), - )?; - let out = region.assign_advice( - || "out", - self.config.c, - 0, - || value.unwrap().map(|v| v.2), - )?; +macro_rules! common { + ($scheme:ident) => {{ + let a = <$scheme as CommitmentScheme>::Scalar::from(2834758237) + * <$scheme as CommitmentScheme>::Scalar::ZETA; + let instance = + <$scheme as CommitmentScheme>::Scalar::ONE + <$scheme as CommitmentScheme>::Scalar::ONE; + let lookup_table = vec![instance, a, a, <$scheme as CommitmentScheme>::Scalar::ZERO]; + (a, instance, lookup_table) + }}; +} - region.assign_fixed(|| "a", self.config.sa, 0, || Value::known(FF::ONE))?; - region.assign_fixed(|| "b", self.config.sb, 0, || Value::known(FF::ONE))?; - region.assign_fixed(|| "c", self.config.sc, 0, || Value::known(FF::ONE))?; - region.assign_fixed( - || "a * b", - self.config.sm, - 0, - || Value::known(FF::ZERO), - )?; - Ok((lhs.cell(), rhs.cell(), out.cell())) - }, - ) - } - fn copy( - &self, - layouter: &mut impl Layouter, - left: Cell, - right: Cell, - ) -> Result<(), Error> { - layouter.assign_region( - || "copy", - |mut region| { - region.constrain_equal(left, right)?; - region.constrain_equal(left, right) - }, - ) - } - fn public_input(&self, layouter: &mut impl Layouter, mut f: F) -> Result - where - F: FnMut() -> Value, - { - layouter.assign_region( - || "public_input", - |mut region| { - let value = region.assign_advice(|| "value", self.config.a, 0, &mut f)?; - region.assign_fixed( - || "public", - self.config.sp, - 0, - || Value::known(FF::ONE), - )?; +fn verify_proof< + 'a, + 'params, + Scheme: CommitmentScheme, + V: Verifier<'params, Scheme>, + E: EncodedChallenge, + T: TranscriptReadBuffer<&'a [u8], Scheme::Curve, E>, + Strategy: VerificationStrategy<'params, Scheme, V, Output = Strategy>, +>( + params_verifier: &'params Scheme::ParamsVerifier, + vk: &VerifyingKey, + proof: &'a [u8], +) where + Scheme::Scalar: Ord + WithSmallOrderMulGroup<3> + FromUniformBytes<64>, +{ + let (_, instance, _) = common!(Scheme); + let pubinputs = [instance]; + + let mut transcript = T::init(proof); + + let strategy = Strategy::new(params_verifier); + let strategy = verify_plonk_proof( + params_verifier, + vk, + strategy, + &[&[&pubinputs[..]], &[&pubinputs[..]]], + &mut transcript, + ) + .unwrap(); + + assert!(strategy.finalize()); +} - Ok(value.cell()) - }, - ) - } - fn lookup_table( - &self, - layouter: &mut impl Layouter, - values: &[FF], - ) -> Result<(), Error> { - layouter.assign_table( - || "", - |mut table| { - for (index, &value) in values.iter().enumerate() { - table.assign_cell( - || "table col", - self.config.sl, - index, - || Value::known(value), - )?; - } - Ok(()) - }, - )?; - Ok(()) - } +#[test] +fn plonk_api() { + const K: u32 = 17; + + #[derive(Clone)] + struct MyCircuit { + a: Value, + lookup_table: Vec, } impl Circuit for MyCircuit { @@ -469,17 +607,6 @@ fn plonk_api() { } } - macro_rules! common { - ($scheme:ident) => {{ - let a = <$scheme as CommitmentScheme>::Scalar::from(2834758237) - * <$scheme as CommitmentScheme>::Scalar::ZETA; - let instance = <$scheme as CommitmentScheme>::Scalar::ONE - + <$scheme as CommitmentScheme>::Scalar::ONE; - let lookup_table = vec![instance, a, a, <$scheme as CommitmentScheme>::Scalar::ZERO]; - (a, instance, lookup_table) - }}; - } - /* macro_rules! bad_keys { ($scheme:ident) => {{ @@ -569,39 +696,6 @@ fn plonk_api() { transcript.finalize() } - fn verify_proof< - 'a, - 'params, - Scheme: CommitmentScheme, - V: Verifier<'params, Scheme>, - E: EncodedChallenge, - T: TranscriptReadBuffer<&'a [u8], Scheme::Curve, E>, - Strategy: VerificationStrategy<'params, Scheme, V, Output = Strategy>, - >( - params_verifier: &'params Scheme::ParamsVerifier, - vk: &VerifyingKey, - proof: &'a [u8], - ) where - Scheme::Scalar: Ord + WithSmallOrderMulGroup<3> + FromUniformBytes<64>, - { - let (_, instance, _) = common!(Scheme); - let pubinputs = [instance]; - - let mut transcript = T::init(proof); - - let strategy = Strategy::new(params_verifier); - let strategy = verify_plonk_proof( - params_verifier, - vk, - strategy, - &[&[&pubinputs[..]], &[&pubinputs[..]]], - &mut transcript, - ) - .unwrap(); - - assert!(strategy.finalize()); - } - fn test_plonk_api_gwc() { use halo2_proofs::poly::kzg::commitment::{KZGCommitmentScheme, ParamsKZG}; use halo2_proofs::poly::kzg::multiopen::{ProverGWC, VerifierGWC}; @@ -675,6 +769,7 @@ fn plonk_api() { >(verifier_params, pk.get_vk(), &proof[..]); } + #[allow(unused)] fn test_plonk_api_ipa() { use halo2_proofs::poly::ipa::commitment::{IPACommitmentScheme, ParamsIPA}; use halo2_proofs::poly::ipa::multiopen::{ProverIPA, VerifierIPA}; @@ -1109,8 +1204,224 @@ fn plonk_api() { */ } - env_logger::init(); - test_plonk_api_ipa(); + let _logger_err = env_logger::try_init(); + // TODO: fix the ipa test + // test_plonk_api_ipa(); test_plonk_api_gwc(); test_plonk_api_shplonk(); } + +#[test] +fn plonk_api_with_many_subregions() { + #[derive(Clone)] + struct MyCircuit { + a: Value, + lookup_table: Vec, + } + + impl Circuit for MyCircuit { + type Config = PlonkConfig; + type FloorPlanner = SimpleFloorPlanner; + + fn without_witnesses(&self) -> Self { + Self { + a: Value::unknown(), + lookup_table: self.lookup_table.clone(), + } + } + + fn configure(meta: &mut ConstraintSystem) -> PlonkConfig { + PlonkConfig::construct(meta) + } + + fn synthesize( + &self, + config: PlonkConfig, + mut layouter: impl Layouter, + ) -> Result<(), Error> { + let cs = StandardPlonk::new(config); + + let _ = cs.public_input(&mut layouter, || Value::known(F::ONE + F::ONE))?; + + let a: Value> = self.a.into(); + let parallel_regions_time = Instant::now(); + #[cfg(feature = "parallel_syn")] + layouter.assign_regions( + || "regions", + (0..(1 << 14)) + .into_iter() + .map(|_| { + let mut is_first_pass = true; + move |mut region: Region<'_, F>| -> Result<(), Error> { + let n = 1 << 1; + for i in 0..n { + // skip the assign of rows except the last row in the first pass + if is_first_pass && i < n - 1 { + is_first_pass = false; + continue; + } + let a0 = + region.assign_advice(|| "config.a", cs.config.a, i, || a)?; + let a1 = + region.assign_advice(|| "config.b", cs.config.b, i, || a)?; + region.assign_advice( + || "config.c", + cs.config.c, + i, + || a.double(), + )?; + + region.assign_fixed( + || "a", + cs.config.sa, + i, + || Value::known(F::ONE), + )?; + region.assign_fixed( + || "b", + cs.config.sb, + i, + || Value::known(F::ONE), + )?; + region.assign_fixed( + || "c", + cs.config.sc, + i, + || Value::known(F::ONE), + )?; + region.assign_fixed( + || "a * b", + cs.config.sm, + i, + || Value::known(F::ZERO), + )?; + + region.constrain_equal(a0.cell(), a1.cell())?; + } + is_first_pass = false; + Ok(()) + } + }) + .collect(), + )?; + log::info!( + "parallel_regions assign took {:?}", + parallel_regions_time.elapsed() + ); + + for _ in 0..10 { + let a: Value> = self.a.into(); + let mut a_squared = Value::unknown(); + let (a0, _, c0) = cs.raw_multiply(&mut layouter, || { + a_squared = a.square(); + a.zip(a_squared).map(|(a, a_squared)| (a, a, a_squared)) + })?; + let (a1, b1, _) = cs.raw_add(&mut layouter, || { + let fin = a_squared + a; + a.zip(a_squared) + .zip(fin) + .map(|((a, a_squared), fin)| (a, a_squared, fin)) + })?; + cs.copy(&mut layouter, a0, a1)?; + cs.copy(&mut layouter, b1, c0)?; + } + + cs.lookup_table(&mut layouter, &self.lookup_table)?; + + Ok(()) + } + } + fn keygen(params: &Scheme::ParamsProver) -> ProvingKey + where + Scheme::Scalar: Ord + WithSmallOrderMulGroup<3> + FromUniformBytes<64>, + { + let (_, _, lookup_table) = common!(Scheme); + let empty_circuit: MyCircuit = MyCircuit { + a: Value::unknown(), + lookup_table, + }; + + // Initialize the proving key + let vk = keygen_vk(params, &empty_circuit).expect("keygen_vk should not fail"); + log::info!("keygen vk succeed"); + + let pk = keygen_pk(params, vk, &empty_circuit).expect("keygen_pk should not fail"); + log::info!("keygen pk succeed"); + + pk + } + + fn create_proof< + 'params, + Scheme: CommitmentScheme, + P: Prover<'params, Scheme>, + E: EncodedChallenge, + R: RngCore, + T: TranscriptWriterBuffer, Scheme::Curve, E>, + >( + rng: R, + params: &'params Scheme::ParamsProver, + pk: &ProvingKey, + ) -> Vec + where + Scheme::Scalar: Ord + WithSmallOrderMulGroup<3> + FromUniformBytes<64>, + { + let (a, instance, lookup_table) = common!(Scheme); + + let circuit: MyCircuit = MyCircuit { + a: Value::known(a), + lookup_table, + }; + + let mut transcript = T::init(vec![]); + + create_plonk_proof::( + params, + pk, + &[circuit.clone(), circuit], + &[&[&[instance]], &[&[instance]]], + rng, + &mut transcript, + ) + .expect("proof generation should not fail"); + + transcript.finalize() + } + + const K: u32 = 17; + type Scheme = KZGCommitmentScheme; + // bad_keys!(Scheme); + + let _logger_err = env_logger::try_init(); + let (a, instance, lookup_table) = common!(Scheme); + + let circuit: MyCircuit<::Scalar> = MyCircuit { + a: Value::known(a), + lookup_table, + }; + + // Check this circuit is satisfied. + let prover = match MockProver::run(K, &circuit, vec![vec![instance]]) { + Ok(prover) => prover, + Err(e) => panic!("{:?}", e), + }; + assert_eq!(prover.verify_par(), Ok(())); + log::info!("mock proving succeed!"); + + let params = ParamsKZG::::new(K); + let rng = OsRng; + + let pk = keygen::>(¶ms); + + let proof = create_proof::<_, ProverGWC<_>, _, _, Blake2bWrite<_, _, Challenge255<_>>>( + rng, ¶ms, &pk, + ); + + let verifier_params = params.verifier_params(); + + verify_proof::<_, VerifierGWC<_>, _, Blake2bRead<_, _, Challenge255<_>>, AccumulatorStrategy<_>>( + verifier_params, + pk.get_vk(), + &proof[..], + ); +} From 0008b866c1b458bf7129fcd88e877d5b58c25e2f Mon Sep 17 00:00:00 2001 From: zhenfei Date: Fri, 12 Jan 2024 06:36:03 -0500 Subject: [PATCH 57/70] [wip] Sync halo2 lib 0.4.0 (#80) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit * feat: call synthesize in `MockProver` multiple times to behave same as real prover * modify previous commit * Expose mod `permutation` and re-export `permutation::keygen::Assembly` (#149) * feat: expose mod ule `permutation` and re-export `permutation::keygen::Assembly` * feat: derive `lone` for `permutation::keygen::Assembly` * feat: bump MSRV for `inferno` * change: Migrate workspace to pasta_curves-0.5 (#157) * change: Migrate workspace to pasta_curves-0.5 This ports the majority of the workspace to the `pasta_curves-0.5.0` leaving some tricky edge-cases that we need to handle carefully. Resolves: #132 * fix: Complete latest trait bounds to compile halo2proofs * change: Migrate examples & benches to pasta 0.5 * change: Migrate halo2_gadgets to pasta-0.5 * change: Update gadgets outdated code with latest upstream * fix: Sha3 gadget circuit * fix: doc tests * chore: Update merged main * fix: Apply review suggestions * fix previous commit * Extend Circuit trait to take parameters in config (#168) * Extend Circuit trait to take parameters in config The Circuit trait is extended with the following: ``` pub trait Circuit { /// [...] type Params: Default; fn params(&self) -> Self::Params { Self::Params::default() } fn configure_with_params(meta: &mut ConstraintSystem, params: &Self::Params) -> Self::Config { Self::configure(meta) } fn configure(meta: &mut ConstraintSystem) -> Self::Config; } ``` This allows runtime parametrization of the circuit configuration. The extension to the Circuit trait has been designed to minimize the breaking change: existing circuits only need to define the associated `type Params`. Unfortunately "Associated type defaults" are unstable in Rust, otherwise this would be a non-breaking change. See https://github.com/rust-lang/rust/issues/29661 * Implement circuit params under feature flag * Don't overwrite configure method * Fix doc test * Allow halo2 constraint names to have non static names (#156) * static ref to String type in Gates, Constraints, VirtualCell, Argument * 'lookup'.to_string() * return &str for gate name and constriant_name, also run fmt * Update halo2_gadgets/Cargo.toml Co-authored-by: Han * upgrade rust-toochain --------- Co-authored-by: Carlos Pérez <37264926+CPerezz@users.noreply.github.com> Co-authored-by: Han * Improve halo2 query calls (#154) * return expression from cell * add example * selector * recurse Expression to fill in index * minimized changes from the original * backword compatible meta.query_X & challange.expr() * cargo fmt * fixed lookup to pass all tests * Update comments Co-authored-by: Brecht Devos * Update comments Co-authored-by: Brecht Devos * Update comments Co-authored-by: Brecht Devos * Update comments Co-authored-by: Brecht Devos * Update comments Co-authored-by: Brecht Devos * Update comments Co-authored-by: Brecht Devos * update Co-authored-by: Brecht Devos * add primitives.rs back * remove example2 * backward compatible meta.query_X & Column.cur(), next(), prev(), at(usize) * impl Debug & make side effects only when query.index.is_none() * change impl Debug for Expression instead & revert test in plonk_api * upgrade rust-toolchain * Update halo2_proofs/src/plonk/circuit.rs Co-authored-by: Han * Update halo2_proofs/src/plonk/circuit.rs Co-authored-by: Han * ran clippy * Update halo2_proofs/src/plonk/circuit.rs Co-authored-by: Han --------- Co-authored-by: Brecht Devos Co-authored-by: Han * Implement Clone trait for Hash, Absorbing, and Sponge structs (#171) * fix: Fix serialization for VerifyingKey (#178) Now the value returned when the number of selectors is a multiple of 8 is correct. Resolves: #175 * Add more getters to expose internal fields * add a constructor (#164) * add a constructor * add more comment * fix as review * remove clone * remove * no need to use new variable * change comment * fix clippy * rename to from_parts * remove n declaration * feat: send sync region (#180) * feat: send / sync region * Update layout.rs * update * lol * debug * Update keygen.rs * Update keygen.rs * Update keygen.rs * Update keygen.rs * thread-safe-region feature flag * cleanup * patch dev-graph * patch non-determinism in mapping creation * reduce mem usage for vk and pk * mock proving examples * swap for hashmap for insertion speed * reduce update overhead * replace BTree with Vec * add benchmarks * make the benchmarks massive * patch clippy * simplify lifetimes * patch benches * Update halo2_proofs/src/plonk/permutation/keygen.rs Co-authored-by: Han * Update halo2_proofs/examples/vector-mul.rs Co-authored-by: Han * rm benches * order once * patch lints --------- Co-authored-by: Han * fix previous commit * Fix `parallelize` workload imbalance (#186) * fix parallelize workload imbalance * remove the need of unsafe * Updates halo2_curves dependency to released package (#190) THe package release ressets the version from those inherited by the legacy halo2curves repo's fork history. The upstream diff is: https://github.com/privacy-scaling-explorations/halo2curves/compare/9f5c50810bbefe779ee5cf1d852b2fe85dc35d5e..9a7f726fa74c8765bc7cdab11519cf285d169ecf * fix: explicitly define mds diff type (#196) * fix: explicitly define mds diff type * rm paren * feat: expose `transcript_repr` of `VerifyingKey` and reduce the trait constraint (#200) * implement native shuffle argument and api fix: remove nonsense comment strictly check shuffle rows address doc typos move compression into product commitment typo add shuffle errors for `verify_at_rows_par` dedup expression evaluation cargo fmt fix fields in sanity-checks feature * feat: public cells to allow for implementations of custom `Layouter` (#192) * feat: public cells * Update mds.rs * Update mds.rs * Update single_pass.rs Co-authored-by: Han * bump toolchain to resolve errors * fix clippy errors for CI run * rustfmt post clippy * plz let it be the last lint * patch clippy lints in gadgets * clippy lints for sha256 bench * patch halo2proof benches * Update assigned.rs * Update halo2_gadgets/src/poseidon/primitives/mds.rs Co-authored-by: Han * Update halo2_gadgets/src/poseidon/primitives/mds.rs Co-authored-by: Han --------- Co-authored-by: Han * Synchronize with upstream (#199) * refactor: add default impl for `SyncDeps` for backward compatability * feat: pick changes from https://github.com/zcash/halo2/pull/728 and changes of flag `test-dev-graph` * feat: pick changes from https://github.com/zcash/halo2/pull/622 * feat: pick changes about mod `circuit` and mod `dev` * feat: pick rest changes of `halo2_proofs` * fix: when `--no-default-features` * ci: sync from upstream, and deduplicate jobs when push to `main`, and remove always failing job `codecov`. * fix: make `commit_zk` runnable when `--no-default-features` * chore: Update rust-toolchain to 1.66 for testing (#208) * chore: Update rust-toolchain to 1.66 for testing Note that tests will not compile due to the silent MSRV bump in `blake2b_simd`. Hence, we need to use `1.66` as toolchain. Resolves: #207 * change: UIpdate MSRVs in Cargo.toml * fix: clippy (#203) * fix: clippy * fmt * fix: Final clippy complains & adjustments --------- Co-authored-by: CPerezz * Implement Sum and Product for Expression (#209) * Make it Eq to make it easier for tests * Implement Sum and Product for Expression * Make it readable * chore: update poseidon dependency * fix: compiling bug with feautes=parallel_syn * feat(MockProver): replace errors by asserts(privacy-scaling-explorations#150) * boundary offset lost when resolving conflict * disable multiphase prover * Sync halo2 lib 0.4.0 merging (#81) * Use thread pool for assign_regions (#57) * feat: use rayon threadpool * feat: add UT for many subregions * refact: move common struct out to module level * refact: reuse common configure code * fix ci errors --------- Co-authored-by: kunxian xia * Move `env_logger` dependency to dev-depdendencies (only for test). (#69) * sync ff/group 0.13 * fix clippy * fix clippy * fmg * [FEAT] Upgrading table16 for SHA256 (#73) * upgrade sha256 * fix clippy * Bus auto (#72) * bus: expose global offset of regions * bus-auto: add query_advice and query_fixed function in witness generation * bus-auto: fix clippy --------- Co-authored-by: Aurélien Nicolas * fix-tob-scroll-21 (#59) * fix-tob-scroll-21 * expose param field for re-randomization * enable accessing for table16 (#75) * chore: update poseidon link * merge sha256 gadget changes * Fix the CI errors (#78) * cargo fmt * fix clippy error * Feat: switch to logup scheme for lookup argument (#71) * Multi-input mv-lookup. (#49) * Add mv_lookup.rs * mv_lookup::prover, mv_lookup::verifier * Replace lookup with mv_lookup * replace halo2 with mv lookup Co-authored-by: ying tong * cleanups Co-authored-by: ying tong * ConstraintSystem: setup lookup_tracker Co-authored-by: Andrija * mv_lookup::hybrid_prover Co-authored-by: Andrija * WIP * mv_multi_lookup: enable lookup caching Co-authored-by: therealyingtong * Rename hybrid_lookup -> lookup * Chunk lookups using user-provided minimum degree Co-authored-by: Andrija * mv_lookup bench Co-authored-by: Andrija * Introduce counter feature for FFTs and MSMs Co-authored-by: Andrija * Fix off-by-one errors in chunk_lookup Co-authored-by: Andrija * bench wip * time evaluate_h * KZG * more efficient batch inversion * extended lookup example * Finalize mv lookup Author: therealyingtong * Remove main/ * Fix according to the comments * replace scan with parallel grand sum computation * Revert Cargo.lock * mv lookup Argument name * parallel batch invert --------- Co-authored-by: Andrija Co-authored-by: ying tong Co-authored-by: therealyingtong * fmt * fix unit test * fix clippy errors * add todo in mv_lookup's prover * fmt and clippy * fix clippy * add detailed running time of steps in logup's prover * fmt * add more log hooks * more running time logs * use par invert * use sorted-vector to store how many times a table element occurs in input * par the process to get inputs_inv_sum * use par * fix par * add feature to skip inv sums * add new feature flag * fix clippy error --------- Co-authored-by: Sphere L Co-authored-by: Andrija Co-authored-by: ying tong Co-authored-by: therealyingtong * fix some simple building errs * upgrade pathfinder_simd to newer version as it can't compile on mac m1 pro * resolve merge conflict * fmt * clippy * more clippy fix * more lint fix * fmt * minor syntax fix * fix ipa multiopen test failure * fix clippy warning * fmt * fix par scan of log_inv diff * remove uncessary clone --------- Co-authored-by: alannotnerd Co-authored-by: kunxian xia Co-authored-by: Steven Co-authored-by: Carlos Pérez <37264926+CPerezz@users.noreply.github.com> Co-authored-by: zhenfei Co-authored-by: Ho Co-authored-by: naure Co-authored-by: Aurélien Nicolas Co-authored-by: Sphere L Co-authored-by: Andrija Co-authored-by: ying tong Co-authored-by: therealyingtong --------- Co-authored-by: han0110 Co-authored-by: Velaciela Co-authored-by: Carlos Pérez <37264926+CPerezz@users.noreply.github.com> Co-authored-by: Eduard S Co-authored-by: CeciliaZ030 <45245961+CeciliaZ030@users.noreply.github.com> Co-authored-by: Brecht Devos Co-authored-by: Enrico Bottazzi <85900164+enricobottazzi@users.noreply.github.com> Co-authored-by: Ethan-000 Co-authored-by: dante <45801863+alexander-camuto@users.noreply.github.com> Co-authored-by: Mamy Ratsimbazafy Co-authored-by: François Garillot <4142+huitseeker@users.noreply.github.com> Co-authored-by: kilic Co-authored-by: Thor <7041313+thor314@users.noreply.github.com> Co-authored-by: CPerezz Co-authored-by: chokermaxx <135603985+chokermaxx@users.noreply.github.com> Co-authored-by: Zhang Zhuo Co-authored-by: alannotnerd Co-authored-by: kunxian xia Co-authored-by: Steven Co-authored-by: Ho Co-authored-by: naure Co-authored-by: Aurélien Nicolas Co-authored-by: Sphere L Co-authored-by: Andrija Co-authored-by: ying tong Co-authored-by: therealyingtong --- .github/workflows/ci.yml | 79 +- .github/workflows/ci_main.yml | 106 --- Cargo.lock | 138 +--- README.md | 6 +- halo2/Cargo.toml | 2 +- halo2_gadgets/Cargo.toml | 19 +- halo2_gadgets/benches/poseidon.rs | 4 +- halo2_gadgets/benches/sha256.rs | 23 +- halo2_gadgets/src/ecc.rs | 4 +- halo2_gadgets/src/ecc/chip/constants.rs | 14 +- halo2_gadgets/src/ecc/chip/mul.rs | 6 +- halo2_gadgets/src/ecc/chip/mul_fixed.rs | 8 +- halo2_gadgets/src/ecc/chip/mul_fixed/short.rs | 2 + halo2_gadgets/src/poseidon.rs | 4 +- halo2_gadgets/src/poseidon/pow5.rs | 51 +- halo2_gadgets/src/poseidon/primitives.rs | 10 +- .../src/poseidon/primitives/grain.rs | 2 +- halo2_gadgets/src/poseidon/primitives/mds.rs | 3 +- .../src/poseidon/primitives/p128pow5t3.rs | 6 +- halo2_gadgets/src/sha256/table16.rs | 4 +- .../src/sha256/table16/compression.rs | 2 + .../src/sha256/table16/message_schedule.rs | 2 + .../src/sha256/table16/spread_table.rs | 2 + halo2_gadgets/src/sinsemilla.rs | 13 +- halo2_gadgets/src/sinsemilla/merkle.rs | 4 +- halo2_gadgets/src/utilities.rs | 11 +- halo2_gadgets/src/utilities/cond_swap.rs | 2 + .../src/utilities/decompose_running_sum.rs | 2 + .../src/utilities/lookup_range_check.rs | 16 +- halo2_proofs/Cargo.toml | 31 +- halo2_proofs/README.md | 6 +- halo2_proofs/benches/commit_zk.rs | 80 ++ halo2_proofs/benches/dev_lookup.rs | 2 + halo2_proofs/benches/lookups.rs | 5 +- halo2_proofs/benches/plonk.rs | 2 + halo2_proofs/examples/circuit-layout.rs | 2 + halo2_proofs/examples/serialization.rs | 12 +- halo2_proofs/examples/shuffle.rs | 30 +- halo2_proofs/examples/shuffle_api.rs | 216 +++++ halo2_proofs/examples/simple-example.rs | 2 + halo2_proofs/examples/two-chip.rs | 2 + halo2_proofs/examples/vector-mul.rs | 350 ++++++++ halo2_proofs/src/arithmetic.rs | 95 ++- halo2_proofs/src/circuit.rs | 24 +- .../src/circuit/floor_planner/single_pass.rs | 123 +-- halo2_proofs/src/circuit/floor_planner/v1.rs | 50 +- .../src/circuit/floor_planner/v1/strategy.rs | 21 +- halo2_proofs/src/circuit/layouter.rs | 54 +- halo2_proofs/src/circuit/table_layouter.rs | 413 ++++++++++ halo2_proofs/src/circuit/value.rs | 5 + halo2_proofs/src/dev.rs | 761 +++++++++++++----- halo2_proofs/src/dev/cost.rs | 239 +++++- halo2_proofs/src/dev/failure.rs | 265 +++++- halo2_proofs/src/dev/failure/emitter.rs | 2 +- halo2_proofs/src/dev/gates.rs | 25 +- halo2_proofs/src/dev/graph.rs | 3 + halo2_proofs/src/dev/graph/layout.rs | 221 +---- halo2_proofs/src/dev/metadata.rs | 62 +- halo2_proofs/src/dev/tfp.rs | 544 +++++++++++++ halo2_proofs/src/dev/util.rs | 19 +- halo2_proofs/src/helpers.rs | 7 +- halo2_proofs/src/lib.rs | 27 +- halo2_proofs/src/multicore.rs | 73 +- halo2_proofs/src/plonk.rs | 67 +- halo2_proofs/src/plonk/assigned.rs | 3 +- halo2_proofs/src/plonk/circuit.rs | 486 +++++++++-- .../src/plonk/circuit/compress_selectors.rs | 4 +- halo2_proofs/src/plonk/error.rs | 48 +- halo2_proofs/src/plonk/evaluation.rs | 154 +++- halo2_proofs/src/plonk/keygen.rs | 28 +- halo2_proofs/src/plonk/lookup.rs | 15 +- halo2_proofs/src/plonk/lookup/prover.rs | 7 +- halo2_proofs/src/plonk/lookup/verifier.rs | 9 +- halo2_proofs/src/plonk/mv_lookup.rs | 7 +- halo2_proofs/src/plonk/mv_lookup/prover.rs | 48 +- halo2_proofs/src/plonk/mv_lookup/verifier.rs | 10 +- halo2_proofs/src/plonk/permutation.rs | 8 +- halo2_proofs/src/plonk/permutation/keygen.rs | 466 ++++++++--- halo2_proofs/src/plonk/permutation/prover.rs | 4 +- .../src/plonk/permutation/verifier.rs | 3 +- halo2_proofs/src/plonk/prover.rs | 148 +++- halo2_proofs/src/plonk/shuffle.rs | 67 ++ halo2_proofs/src/plonk/shuffle/prover.rs | 250 ++++++ halo2_proofs/src/plonk/shuffle/verifier.rs | 138 ++++ halo2_proofs/src/plonk/vanishing/prover.rs | 3 +- halo2_proofs/src/plonk/verifier.rs | 181 +++-- halo2_proofs/src/plonk/verifier/batch.rs | 17 +- halo2_proofs/src/poly.rs | 5 +- halo2_proofs/src/poly/commitment.rs | 5 +- halo2_proofs/src/poly/domain.rs | 26 +- halo2_proofs/src/poly/ipa/commitment.rs | 24 +- .../src/poly/ipa/commitment/prover.rs | 8 +- .../src/poly/ipa/commitment/verifier.rs | 18 +- halo2_proofs/src/poly/ipa/msm.rs | 15 +- halo2_proofs/src/poly/ipa/multiopen.rs | 2 +- halo2_proofs/src/poly/ipa/multiopen/prover.rs | 8 +- .../src/poly/ipa/multiopen/verifier.rs | 30 +- halo2_proofs/src/poly/ipa/strategy.rs | 9 +- halo2_proofs/src/poly/kzg/commitment.rs | 59 +- halo2_proofs/src/poly/kzg/msm.rs | 6 +- halo2_proofs/src/poly/kzg/multiopen/gwc.rs | 15 +- .../src/poly/kzg/multiopen/gwc/prover.rs | 12 +- .../src/poly/kzg/multiopen/gwc/verifier.rs | 18 +- .../src/poly/kzg/multiopen/shplonk.rs | 33 +- .../src/poly/kzg/multiopen/shplonk/prover.rs | 155 ++-- .../poly/kzg/multiopen/shplonk/verifier.rs | 16 +- halo2_proofs/src/poly/kzg/strategy.rs | 16 +- halo2_proofs/src/poly/multiopen.rs | 8 +- halo2_proofs/src/poly/multiopen_test.rs | 27 +- halo2_proofs/src/poly/query.rs | 8 +- halo2_proofs/src/poly/strategy.rs | 10 +- halo2_proofs/src/transcript.rs | 20 +- halo2_proofs/src/transcript/blake2b.rs | 2 +- halo2_proofs/tests/plonk_api.rs | 14 +- rust-toolchain | 2 +- 115 files changed, 5234 insertions(+), 1826 deletions(-) delete mode 100644 .github/workflows/ci_main.yml create mode 100644 halo2_proofs/benches/commit_zk.rs create mode 100644 halo2_proofs/examples/shuffle_api.rs create mode 100644 halo2_proofs/examples/vector-mul.rs create mode 100644 halo2_proofs/src/circuit/table_layouter.rs create mode 100644 halo2_proofs/src/dev/tfp.rs create mode 100644 halo2_proofs/src/plonk/shuffle.rs create mode 100644 halo2_proofs/src/plonk/shuffle/prover.rs create mode 100644 halo2_proofs/src/plonk/shuffle/verifier.rs diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index 74ddd131..56efd9a3 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -1,14 +1,25 @@ name: CI checks -on: [pull_request, push] +on: + merge_group: + pull_request: + push: + branches: + - main jobs: test: - name: Test on ${{ matrix.os }} + name: Test on ${{ matrix.os }} with ${{ matrix.feature_set }} features runs-on: ${{ matrix.os }} strategy: matrix: + feature_set: [basic, all] os: [ubuntu-latest, windows-latest, macOS-latest] + include: + - feature_set: basic + features: batch,dev-graph,gadget-traces + - feature_set: all + features: batch,dev-graph,gadget-traces,multicore,test-dev-graph,thread-safe-region,sanity-checks,circuit-params steps: - uses: actions/checkout@v3 @@ -19,8 +30,67 @@ jobs: uses: actions-rs/cargo@v1 with: command: test - args: --verbose --release --all --all-features - if: ${{ false }} + args: --verbose --release --workspace --no-default-features --features "${{ matrix.features }}" + + build: + name: Build target ${{ matrix.target }} + runs-on: ubuntu-latest + strategy: + matrix: + target: + - wasm32-unknown-unknown + - wasm32-wasi + + steps: + - uses: actions/checkout@v3 + - uses: actions-rs/toolchain@v1 + with: + override: false + - name: Add target + run: rustup target add ${{ matrix.target }} + - name: cargo build + uses: actions-rs/cargo@v1 + with: + command: build + args: --no-default-features --features batch,dev-graph,gadget-traces --target ${{ matrix.target }} + + bitrot: + name: Bitrot check + runs-on: ubuntu-latest + + steps: + - uses: actions/checkout@v3 + - uses: actions-rs/toolchain@v1 + with: + override: false + # Build benchmarks to prevent bitrot + - name: Build benchmarks + uses: actions-rs/cargo@v1 + with: + command: build + args: --benches --examples --all-features + + doc-links: + name: Intra-doc links + runs-on: ubuntu-latest + + steps: + - uses: actions/checkout@v3 + - uses: actions-rs/toolchain@v1 + with: + override: false + - name: cargo fetch + uses: actions-rs/cargo@v1 + with: + command: fetch + + # Ensure intra-documentation links all resolve correctly + # Requires #![deny(intra_doc_link_resolution_failure)] in crates. + - name: Check intra-doc links + uses: actions-rs/cargo@v1 + with: + command: doc + args: --all --document-private-items fmt: name: Rustfmt @@ -36,3 +106,4 @@ jobs: with: command: fmt args: --all -- --check + diff --git a/.github/workflows/ci_main.yml b/.github/workflows/ci_main.yml deleted file mode 100644 index 400bff09..00000000 --- a/.github/workflows/ci_main.yml +++ /dev/null @@ -1,106 +0,0 @@ -name: CI checks main - -on: - push: - branches: - - main -jobs: - test: - name: Test on ${{ matrix.os }} - runs-on: ${{ matrix.os }} - strategy: - matrix: - os: [ubuntu-latest, windows-latest, macOS-latest] - - steps: - - uses: actions/checkout@v3 - - uses: actions-rs/toolchain@v1 - with: - override: false - - name: Run tests - uses: actions-rs/cargo@v1 - with: - command: test - args: --verbose --release --all --all-features - bitrot: - name: Bitrot check - runs-on: ubuntu-latest - - steps: - - uses: actions/checkout@v3 - - uses: actions-rs/toolchain@v1 - with: - override: false - # Build benchmarks to prevent bitrot - - name: Build benchmarks - uses: actions-rs/cargo@v1 - with: - command: build - args: --benches --examples --all-features - - codecov: - name: Code coverage - runs-on: ubuntu-latest - - steps: - - uses: actions/checkout@v3 - # Use stable for this to ensure that cargo-tarpaulin can be built. - - uses: actions-rs/toolchain@v1 - with: - override: false - - name: Install cargo-tarpaulin - uses: actions-rs/cargo@v1 - with: - command: install - args: cargo-tarpaulin - - name: Generate coverage report - uses: actions-rs/cargo@v1 - with: - command: tarpaulin - args: --all-features --timeout 600 --out Xml - - name: Upload coverage to Codecov - uses: codecov/codecov-action@v3.1.0 - - doc-links: - name: Intra-doc links - runs-on: ubuntu-latest - - steps: - - uses: actions/checkout@v3 - - uses: actions-rs/toolchain@v1 - with: - override: false - - name: cargo fetch - uses: actions-rs/cargo@v1 - with: - command: fetch - - # Ensure intra-documentation links all resolve correctly - # Requires #![deny(intra_doc_link_resolution_failure)] in crates. - - name: Check intra-doc links - uses: actions-rs/cargo@v1 - with: - command: doc - args: --all --document-private-items - - build: - name: Build target ${{ matrix.target }} - runs-on: ubuntu-latest - strategy: - matrix: - target: - - wasm32-unknown-unknown - - wasm32-wasi - - steps: - - uses: actions/checkout@v3 - - uses: actions-rs/toolchain@v1 - with: - override: false - - name: Add target - run: rustup target add ${{ matrix.target }} - - name: cargo build - uses: actions-rs/cargo@v1 - with: - command: build - args: --features dev-graph,gadget-traces,unstable --target ${{ matrix.target }} diff --git a/Cargo.lock b/Cargo.lock index 3a36d84c..a25d8cd0 100644 --- a/Cargo.lock +++ b/Cargo.lock @@ -215,7 +215,7 @@ version = "0.2.7" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "4c24dab4283a142afa2fdca129b80ad2c6284e073930f964c3a1293c225ee39a" dependencies = [ - "rustc_version 0.4.0", + "rustc_version", ] [[package]] @@ -236,19 +236,6 @@ version = "1.0.0" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "baf1de4339761588bc0619e3cbc0120ee582ebb74b53b4efbf79117bd2da40fd" -[[package]] -name = "chrono" -version = "0.4.19" -source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "670ad68c9088c2a963aaa298cb369688cf3f9465ce5e2d4ca10e6e0098a1ce73" -dependencies = [ - "libc", - "num-integer", - "num-traits", - "time", - "winapi", -] - [[package]] name = "clap" version = "2.34.0" @@ -789,16 +776,6 @@ dependencies = [ "wasm-bindgen", ] -[[package]] -name = "gif" -version = "0.11.3" -source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "c3a7187e78088aead22ceedeee99779455b23fc231fe13ec443f99bb71694e5b" -dependencies = [ - "color_quant", - "weezl", -] - [[package]] name = "gimli" version = "0.26.1" @@ -859,7 +836,7 @@ dependencies = [ "ff", "group", "halo2_proofs", - "halo2curves 0.3.2", + "halo2curves", "lazy_static", "plotters", "pprof", @@ -869,6 +846,12 @@ dependencies = [ "uint", ] +[[package]] +name = "halo2_legacy_pdqsort" +version = "0.1.0" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "47716fe1ae67969c5e0b2ef826f32db8c3be72be325e1aa3c1951d06b5575ec5" + [[package]] name = "halo2_proofs" version = "0.2.0" @@ -885,14 +868,17 @@ dependencies = [ "getrandom", "group", "gumdrop", - "halo2curves 0.1.0", + "halo2_legacy_pdqsort", + "halo2curves", "lazy_static", "log", + "maybe-rayon", "num-bigint", "num-integer", "plotters", "poseidon", "proptest", + "rand_chacha", "rand_core", "rayon", "sha3", @@ -923,24 +909,6 @@ dependencies = [ "subtle", ] -[[package]] -name = "halo2curves" -version = "0.3.2" -source = "git+https://github.com/privacy-scaling-explorations/halo2curves?tag=0.3.2#9f5c50810bbefe779ee5cf1d852b2fe85dc35d5e" -dependencies = [ - "ff", - "group", - "lazy_static", - "num-bigint", - "num-traits", - "pasta_curves", - "paste", - "rand", - "rand_core", - "static_assertions", - "subtle", -] - [[package]] name = "hashbrown" version = "0.11.2" @@ -1106,6 +1074,16 @@ dependencies = [ "cfg-if 1.0.0", ] +[[package]] +name = "maybe-rayon" +version = "0.1.1" +source = "registry+https://github.com/rust-lang/crates.io-index" +checksum = "8ea1f30cedd69f0a2954655f7188c6a834246d2bcf1e315e2ac40c4b24dc9519" +dependencies = [ + "cfg-if 1.0.0", + "rayon", +] + [[package]] name = "memchr" version = "2.5.0" @@ -1324,20 +1302,11 @@ dependencies = [ [[package]] name = "pathfinder_simd" -version = "0.5.1" -source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "39fe46acc5503595e5949c17b818714d26fdf9b4920eacf3b2947f0199f4a6ff" -dependencies = [ - "rustc_version 0.3.3", -] - -[[package]] -name = "pest" -version = "2.1.3" +version = "0.5.2" source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "10f4872ae94d7b90ae48754df22fd42ad52ce740b8f370b03da4835417403e53" +checksum = "0444332826c70dc47be74a7c6a5fc44e23a7905ad6858d4162b658320455ef93" dependencies = [ - "ucd-trie", + "rustc_version", ] [[package]] @@ -1358,9 +1327,7 @@ version = "0.3.1" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "32a3fd9ec30b9749ce28cd91f255d569591cdf937fe280c312143e3c4bad6f2a" dependencies = [ - "chrono", "font-kit", - "image", "lazy_static", "num-traits", "pathfinder_geometry", @@ -1384,7 +1351,6 @@ version = "0.3.1" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "21362fa905695e5618aefd169358f52e0e8bc4a8e05333cf780fda8cddc00b54" dependencies = [ - "gif", "image", "plotters-backend", ] @@ -1415,7 +1381,7 @@ name = "poseidon" version = "0.2.0" source = "git+https://github.com/scroll-tech/poseidon.git?branch=main#5787dd3d2ce7a9e9601a035c396ac0c03449b54d" dependencies = [ - "halo2curves 0.1.0", + "halo2curves", "subtle", ] @@ -1642,22 +1608,13 @@ version = "0.1.21" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "7ef03e0a2b150c7a90d01faf6254c9c48a41e95fb2a8c2ac1c6f0d2b9aefc342" -[[package]] -name = "rustc_version" -version = "0.3.3" -source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "f0dfe2087c51c460008730de8b57e6a320782fbfb312e1f4d520e6c6fae155ee" -dependencies = [ - "semver 0.11.0", -] - [[package]] name = "rustc_version" version = "0.4.0" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "bfa0f585226d2e68097d4f95d113b15b83a82e819ab25717ec0590d9584ef366" dependencies = [ - "semver 1.0.7", + "semver", ] [[package]] @@ -1693,30 +1650,12 @@ version = "1.1.0" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "d29ab0c6d3fc0ee92fe66e2d99f700eab17a8d57d1c1d3b748380fb20baa78cd" -[[package]] -name = "semver" -version = "0.11.0" -source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "f301af10236f6df4160f7c3f04eec6dbc70ace82d23326abad5edee88801c6b6" -dependencies = [ - "semver-parser", -] - [[package]] name = "semver" version = "1.0.7" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "d65bd28f48be7196d222d95b9243287f48d27aca604e08497513019ff0502cc4" -[[package]] -name = "semver-parser" -version = "0.10.2" -source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "00b0bef5b7f9e0df16536d3961cfb6e84331c065b4066afb39768d0e319411f7" -dependencies = [ - "pest", -] - [[package]] name = "serde" version = "1.0.136" @@ -1945,17 +1884,6 @@ dependencies = [ "syn", ] -[[package]] -name = "time" -version = "0.1.44" -source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "6db9e6914ab8b1ae1c260a4ae7a49b6c5611b40328a735b21862567685e73255" -dependencies = [ - "libc", - "wasi", - "winapi", -] - [[package]] name = "tinytemplate" version = "1.2.1" @@ -2010,12 +1938,6 @@ version = "1.16.0" source = "registry+https://github.com/rust-lang/crates.io-index" checksum = "497961ef93d974e23eb6f433eb5fe1b7930b659f06d12dec6fc44a8f554c0bba" -[[package]] -name = "ucd-trie" -version = "0.1.3" -source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "56dee185309b50d1f11bfedef0fe6d036842e3fb77413abef29f8f8d1c5d4c1c" - [[package]] name = "uint" version = "0.9.4" @@ -2142,12 +2064,6 @@ dependencies = [ "wasm-bindgen", ] -[[package]] -name = "weezl" -version = "0.1.5" -source = "registry+https://github.com/rust-lang/crates.io-index" -checksum = "d8b77fdfd5a253be4ab714e4ffa3c49caf146b4de743e97510c0656cf90f1e8e" - [[package]] name = "winapi" version = "0.3.9" diff --git a/README.md b/README.md index 69167e07..4de513c4 100644 --- a/README.md +++ b/README.md @@ -4,7 +4,7 @@ ## Minimum Supported Rust Version -Requires Rust **1.56.1** or higher. +Requires Rust **1.65.0** or higher. Minimum supported Rust version can be changed in the future, but it will be done with a minor version bump. @@ -14,6 +14,10 @@ minor version bump. `halo2` currently uses [rayon](https://github.com/rayon-rs/rayon) for parallel computation. The `RAYON_NUM_THREADS` environment variable can be used to set the number of threads. +You can disable `rayon` by disabling the `"multicore"` feature. +Warning! Halo2 will lose access to parallelism if you disable the `"multicore"` feature. +This will significantly degrade performance. + ## License Licensed under either of diff --git a/halo2/Cargo.toml b/halo2/Cargo.toml index 7a6bbaa9..ba934102 100644 --- a/halo2/Cargo.toml +++ b/halo2/Cargo.toml @@ -19,7 +19,7 @@ all-features = true rustdoc-args = ["--cfg", "docsrs", "--html-in-header", "katex-header.html"] [dependencies] -halo2_proofs = { version = "0.2", path = "../halo2_proofs" } +halo2_proofs = { version = "0.2", path = "../halo2_proofs", default-features = false } [lib] bench = false diff --git a/halo2_gadgets/Cargo.toml b/halo2_gadgets/Cargo.toml index 136ef63a..7281b429 100644 --- a/halo2_gadgets/Cargo.toml +++ b/halo2_gadgets/Cargo.toml @@ -9,7 +9,7 @@ authors = [ "Kris Nuttycombe ", ] edition = "2021" -rust-version = "1.56.1" +rust-version = "1.66.0" description = "Reusable gadgets and chip implementations for Halo 2" license = "MIT OR Apache-2.0" repository = "https://github.com/zcash/halo2" @@ -26,16 +26,16 @@ arrayvec = "0.7.0" bitvec = "1" ff = { version = "0.13", features = ["bits"] } group = "0.13" -halo2_proofs = { version = "0.2", path = "../halo2_proofs" } +halo2_proofs = { version = "0.2", path = "../halo2_proofs", default-features = false } lazy_static = "1" -halo2curves = { git = 'https://github.com/privacy-scaling-explorations/halo2curves', tag = "0.3.2" } +halo2curves = { version = "0.1.0" } proptest = { version = "1.0.0", optional = true } rand = "0.8" subtle = "2.3" -uint = "0.9.2" # MSRV 1.56.1 +uint = "0.9.2" # Developer tooling dependencies -plotters = { version = "0.3.0", optional = true } +plotters = { version = "0.3.0", default-features = false, optional = true } [dev-dependencies] criterion = "0.3" @@ -48,7 +48,14 @@ pprof = { version = "0.8", features = ["criterion", "flamegraph"] } # MSRV 1.56 bench = false [features] -dev-graph = ["halo2_proofs/dev-graph", "plotters"] +test-dev-graph = [ + "halo2_proofs/dev-graph", + "plotters", + "plotters/bitmap_backend", + "plotters/bitmap_encoder", + "plotters/ttf", +] +circuit-params = ["halo2_proofs/circuit-params"] test-dependencies = ["proptest"] unstable = [] diff --git a/halo2_gadgets/benches/poseidon.rs b/halo2_gadgets/benches/poseidon.rs index 4494e77a..41753183 100644 --- a/halo2_gadgets/benches/poseidon.rs +++ b/halo2_gadgets/benches/poseidon.rs @@ -53,6 +53,8 @@ where { type Config = MyConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { Self { @@ -133,7 +135,7 @@ impl Spec for MySpec Fp { - val.pow_vartime(&[5]) + val.pow_vartime([5]) } fn secure_mds() -> usize { diff --git a/halo2_gadgets/benches/sha256.rs b/halo2_gadgets/benches/sha256.rs index cb5b5c31..b1b8e0a2 100644 --- a/halo2_gadgets/benches/sha256.rs +++ b/halo2_gadgets/benches/sha256.rs @@ -8,7 +8,7 @@ use halo2curves::pasta::{pallas, EqAffine}; use rand::rngs::OsRng; use std::{ - fs::File, + fs::{create_dir_all, File}, io::{prelude::*, BufReader}, path::Path, }; @@ -40,6 +40,8 @@ fn bench(name: &str, k: u32, c: &mut Criterion) { impl Circuit for MyCircuit { type Config = Table16Config; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { Self::default() @@ -89,20 +91,23 @@ fn bench(name: &str, k: u32, c: &mut Criterion) { } } + // Create parent directory for assets + create_dir_all("./benches/sha256_assets").expect("Failed to create sha256_assets directory"); + // Initialize the polynomial commitment parameters let params_path = Path::new("./benches/sha256_assets/sha256_params"); - if File::open(¶ms_path).is_err() { + if File::open(params_path).is_err() { let params: ParamsIPA = ParamsIPA::new(k); let mut buf = Vec::new(); params.write(&mut buf).expect("Failed to write params"); - let mut file = File::create(¶ms_path).expect("Failed to create sha256_params"); + let mut file = File::create(params_path).expect("Failed to create sha256_params"); file.write_all(&buf[..]) .expect("Failed to write params to file"); } - let params_fs = File::open(¶ms_path).expect("couldn't load sha256_params"); + let params_fs = File::open(params_path).expect("couldn't load sha256_params"); let params: ParamsIPA = ParamsIPA::read::<_>(&mut BufReader::new(params_fs)).expect("Failed to read params"); @@ -129,23 +134,23 @@ fn bench(name: &str, k: u32, c: &mut Criterion) { // Create a proof let proof_path = Path::new("./benches/sha256_assets/sha256_proof"); - if File::open(&proof_path).is_err() { + if File::open(proof_path).is_err() { let mut transcript = Blake2bWrite::<_, _, Challenge255<_>>::init(vec![]); create_proof::, ProverIPA<_>, _, _, _, _>( ¶ms, &pk, &[circuit], - &[], + &[&[]], OsRng, &mut transcript, ) .expect("proof generation should not fail"); let proof: Vec = transcript.finalize(); - let mut file = File::create(&proof_path).expect("Failed to create sha256_proof"); + let mut file = File::create(proof_path).expect("Failed to create sha256_proof"); file.write_all(&proof[..]).expect("Failed to write proof"); } - let mut proof_fs = File::open(&proof_path).expect("couldn't load sha256_proof"); + let mut proof_fs = File::open(proof_path).expect("couldn't load sha256_proof"); let mut proof = Vec::::new(); proof_fs .read_to_end(&mut proof) @@ -160,7 +165,7 @@ fn bench(name: &str, k: u32, c: &mut Criterion) { ¶ms, pk.get_vk(), strategy, - &[], + &[&[]], &mut transcript, ) .unwrap(); diff --git a/halo2_gadgets/src/ecc.rs b/halo2_gadgets/src/ecc.rs index 08f34b15..8d71db85 100644 --- a/halo2_gadgets/src/ecc.rs +++ b/halo2_gadgets/src/ecc.rs @@ -731,6 +731,8 @@ pub(crate) mod tests { impl Circuit for MyCircuit { type Config = EccConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { MyCircuit { test_errors: false } @@ -901,7 +903,7 @@ pub(crate) mod tests { assert_eq!(prover.verify(), Ok(())) } - #[cfg(feature = "dev-graph")] + #[cfg(feature = "test-dev-graph")] #[test] fn print_ecc_chip() { use plotters::prelude::*; diff --git a/halo2_gadgets/src/ecc/chip/constants.rs b/halo2_gadgets/src/ecc/chip/constants.rs index 62961654..90a989b9 100644 --- a/halo2_gadgets/src/ecc/chip/constants.rs +++ b/halo2_gadgets/src/ecc/chip/constants.rs @@ -48,8 +48,8 @@ fn compute_window_table(base: C, num_windows: usize) -> Vec<[C; (0..H) .map(|k| { // scalar = (k+2)*(8^w) - let scalar = C::Scalar::from(k as u64 + 2) - * C::Scalar::from(H as u64).pow(&[w as u64, 0, 0, 0]); + let scalar = + C::Scalar::from(k as u64 + 2) * C::Scalar::from(H as u64).pow([w as u64]); (base * scalar).to_affine() }) .collect::>() @@ -62,14 +62,14 @@ fn compute_window_table(base: C, num_windows: usize) -> Vec<[C; // For the last window, we compute [k * (2^3)^w - sum]B, where sum is defined // as sum = \sum_{j = 0}^{`num_windows - 2`} 2^{3j+1} let sum = (0..(num_windows - 1)).fold(C::Scalar::ZERO, |acc, j| { - acc + C::Scalar::from(2).pow(&[FIXED_BASE_WINDOW_SIZE as u64 * j as u64 + 1, 0, 0, 0]) + acc + C::Scalar::from(2).pow([FIXED_BASE_WINDOW_SIZE as u64 * j as u64 + 1]) }); window_table.push( (0..H) .map(|k| { // scalar = k * (2^3)^w - sum, where w = `num_windows - 1` let scalar = C::Scalar::from(k as u64) - * C::Scalar::from(H as u64).pow(&[(num_windows - 1) as u64, 0, 0, 0]) + * C::Scalar::from(H as u64).pow([(num_windows - 1) as u64]) - sum; (base * scalar).to_affine() }) @@ -197,7 +197,7 @@ pub fn test_lagrange_coeffs(base: C, num_windows: usize) { // Compute the actual x-coordinate of the multiple [(k+2)*(8^w)]B. let point = base * C::Scalar::from(bits as u64 + 2) - * C::Scalar::from(H as u64).pow(&[idx as u64, 0, 0, 0]); + * C::Scalar::from(H as u64).pow([idx as u64]); let x = *point.to_affine().coordinates().unwrap().x(); // Check that the interpolated x-coordinate matches the actual one. @@ -214,10 +214,10 @@ pub fn test_lagrange_coeffs(base: C, num_windows: usize) { // Compute the actual x-coordinate of the multiple [k * (8^84) - offset]B, // where offset = \sum_{j = 0}^{83} 2^{3j+1} let offset = (0..(num_windows - 1)).fold(C::Scalar::ZERO, |acc, w| { - acc + C::Scalar::from(2).pow(&[FIXED_BASE_WINDOW_SIZE as u64 * w as u64 + 1, 0, 0, 0]) + acc + C::Scalar::from(2).pow([FIXED_BASE_WINDOW_SIZE as u64 * w as u64 + 1]) }); let scalar = C::Scalar::from(bits as u64) - * C::Scalar::from(H as u64).pow(&[(num_windows - 1) as u64, 0, 0, 0]) + * C::Scalar::from(H as u64).pow([(num_windows - 1) as u64]) - offset; let point = base * scalar; let x = *point.to_affine().coordinates().unwrap().x(); diff --git a/halo2_gadgets/src/ecc/chip/mul.rs b/halo2_gadgets/src/ecc/chip/mul.rs index 7896bf58..94991912 100644 --- a/halo2_gadgets/src/ecc/chip/mul.rs +++ b/halo2_gadgets/src/ecc/chip/mul.rs @@ -277,9 +277,9 @@ impl Config { let zs = { let mut zs = std::iter::empty() .chain(Some(z_init)) - .chain(zs_incomplete_hi.into_iter()) - .chain(zs_incomplete_lo.into_iter()) - .chain(zs_complete.into_iter()) + .chain(zs_incomplete_hi) + .chain(zs_incomplete_lo) + .chain(zs_complete) .chain(Some(z_0)) .collect::>(); assert_eq!(zs.len(), pallas::Scalar::NUM_BITS as usize + 1); diff --git a/halo2_gadgets/src/ecc/chip/mul_fixed.rs b/halo2_gadgets/src/ecc/chip/mul_fixed.rs index 0005a108..ce478fdb 100644 --- a/halo2_gadgets/src/ecc/chip/mul_fixed.rs +++ b/halo2_gadgets/src/ecc/chip/mul_fixed.rs @@ -372,7 +372,7 @@ impl> Config { base: &F, ) -> Result { // `scalar = [(k_w + 2) â‹… 8^w] - let scalar = k.map(|k| (k + *TWO_SCALAR) * (*H_SCALAR).pow(&[w as u64, 0, 0, 0])); + let scalar = k.map(|k| (k + *TWO_SCALAR) * (*H_SCALAR).pow([w as u64])); self.process_window::<_, NUM_WINDOWS>(region, offset, w, k_usize, scalar, base) } @@ -389,12 +389,12 @@ impl> Config { // offset_acc = \sum_{j = 0}^{NUM_WINDOWS - 2} 2^{FIXED_BASE_WINDOW_SIZE*j + 1} let offset_acc = (0..(NUM_WINDOWS - 1)).fold(pallas::Scalar::zero(), |acc, w| { - acc + (*TWO_SCALAR).pow(&[FIXED_BASE_WINDOW_SIZE as u64 * w as u64 + 1, 0, 0, 0]) + acc + (*TWO_SCALAR).pow([FIXED_BASE_WINDOW_SIZE as u64 * w as u64 + 1]) }); // `scalar = [k * 8^(NUM_WINDOWS - 1) - offset_acc]`. let scalar = scalar.windows_field()[scalar.windows_field().len() - 1] - .map(|k| k * (*H_SCALAR).pow(&[(NUM_WINDOWS - 1) as u64, 0, 0, 0]) - offset_acc); + .map(|k| k * (*H_SCALAR).pow([(NUM_WINDOWS - 1) as u64]) - offset_acc); self.process_window::<_, NUM_WINDOWS>( region, @@ -490,7 +490,7 @@ impl ScalarFixed { .by_vals() .take(FIXED_BASE_WINDOW_SIZE) .rev() - .fold(0, |acc, b| 2 * acc + if b { 1 } else { 0 }) + .fold(0, |acc, b| 2 * acc + usize::from(b)) }) }) .collect::>() diff --git a/halo2_gadgets/src/ecc/chip/mul_fixed/short.rs b/halo2_gadgets/src/ecc/chip/mul_fixed/short.rs index 4c92becb..42363baa 100644 --- a/halo2_gadgets/src/ecc/chip/mul_fixed/short.rs +++ b/halo2_gadgets/src/ecc/chip/mul_fixed/short.rs @@ -434,6 +434,8 @@ pub mod tests { impl Circuit for MyCircuit { type Config = EccConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { Self::default() diff --git a/halo2_gadgets/src/poseidon.rs b/halo2_gadgets/src/poseidon.rs index ffd745ad..bfd78f3d 100644 --- a/halo2_gadgets/src/poseidon.rs +++ b/halo2_gadgets/src/poseidon.rs @@ -157,7 +157,7 @@ impl< .unwrap(), ), state, - _marker: PhantomData::default(), + _marker: PhantomData, }) } @@ -204,7 +204,7 @@ impl< chip: self.chip, mode, state: self.state, - _marker: PhantomData::default(), + _marker: PhantomData, }) } } diff --git a/halo2_gadgets/src/poseidon/pow5.rs b/halo2_gadgets/src/poseidon/pow5.rs index 52b0d273..51c1f059 100644 --- a/halo2_gadgets/src/poseidon/pow5.rs +++ b/halo2_gadgets/src/poseidon/pow5.rs @@ -240,30 +240,25 @@ impl, const WIDTH: usize, const RATE: usize> // Load the initial state into this region. let state = Pow5State::load(&mut region, config, initial_state)?; - let state = (0..config.half_full_rounds).fold(Ok(state), |res, r| { - res.and_then(|state| state.full_round(&mut region, config, r, r)) + let state = (0..config.half_full_rounds) + .try_fold(state, |res, r| res.full_round(&mut region, config, r, r))?; + + let state = (0..config.half_partial_rounds).try_fold(state, |res, r| { + res.partial_round( + &mut region, + config, + config.half_full_rounds + 2 * r, + config.half_full_rounds + r, + ) })?; - let state = (0..config.half_partial_rounds).fold(Ok(state), |res, r| { - res.and_then(|state| { - state.partial_round( - &mut region, - config, - config.half_full_rounds + 2 * r, - config.half_full_rounds + r, - ) - }) - })?; - - let state = (0..config.half_full_rounds).fold(Ok(state), |res, r| { - res.and_then(|state| { - state.full_round( - &mut region, - config, - config.half_full_rounds + 2 * config.half_partial_rounds + r, - config.half_full_rounds + config.half_partial_rounds + r, - ) - }) + let state = (0..config.half_full_rounds).try_fold(state, |res, r| { + res.full_round( + &mut region, + config, + config.half_full_rounds + 2 * config.half_partial_rounds + r, + config.half_full_rounds + config.half_partial_rounds + r, + ) })?; Ok(state.0) @@ -444,7 +439,7 @@ impl Pow5State { .value() .map(|v| *v + config.round_constants[round][idx]) }); - let r: Value> = q.map(|q| q.map(|q| q.pow(&config.alpha))).collect(); + let r: Value> = q.map(|q| q.map(|q| q.pow(config.alpha))).collect(); let m = &config.m_reg; let state = m.iter().map(|m_i| { r.as_ref().map(|r| { @@ -470,7 +465,7 @@ impl Pow5State { let p: Value> = self.0.iter().map(|word| word.0.value().cloned()).collect(); let r: Value> = p.map(|p| { - let r_0 = (p[0] + config.round_constants[round][0]).pow(&config.alpha); + let r_0 = (p[0] + config.round_constants[round][0]).pow(config.alpha); let r_i = p[1..] .iter() .enumerate() @@ -510,7 +505,7 @@ impl Pow5State { } let r_mid: Value> = p_mid.map(|p| { - let r_0 = (p[0] + config.round_constants[round + 1][0]).pow(&config.alpha); + let r_0 = (p[0] + config.round_constants[round + 1][0]).pow(config.alpha); let r_i = p[1..] .iter() .enumerate() @@ -620,6 +615,8 @@ mod tests { { type Config = Pow5Config; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { PermuteCircuit::(PhantomData) @@ -735,6 +732,8 @@ mod tests { { type Config = Pow5Config; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { Self { @@ -865,7 +864,7 @@ mod tests { } } - #[cfg(feature = "dev-graph")] + #[cfg(feature = "test-dev-graph")] #[test] fn print_poseidon_chip() { use plotters::prelude::*; diff --git a/halo2_gadgets/src/poseidon/primitives.rs b/halo2_gadgets/src/poseidon/primitives.rs index a8662a00..c456c87f 100644 --- a/halo2_gadgets/src/poseidon/primitives.rs +++ b/halo2_gadgets/src/poseidon/primitives.rs @@ -166,7 +166,7 @@ mod private { pub trait SpongeMode: private::SealedSpongeMode {} /// The absorbing state of the `Sponge`. -#[derive(Debug)] +#[derive(Debug, Clone)] pub struct Absorbing(pub(crate) SpongeRate); /// The squeezing state of the `Sponge`. @@ -188,6 +188,7 @@ impl Absorbing { } } +#[derive(Clone)] /// A Poseidon sponge. pub(crate) struct Sponge< F: Field, @@ -219,7 +220,7 @@ impl, const T: usize, const RATE: usize> state, mds_matrix, round_constants, - _marker: PhantomData::default(), + _marker: PhantomData, } } @@ -256,7 +257,7 @@ impl, const T: usize, const RATE: usize> state: self.state, mds_matrix: self.mds_matrix, round_constants: self.round_constants, - _marker: PhantomData::default(), + _marker: PhantomData, } } } @@ -329,6 +330,7 @@ impl Domain for Const } } +#[derive(Clone)] /// A Poseidon hash function, built around a sponge. pub struct Hash< F: Field, @@ -362,7 +364,7 @@ impl, D: Domain, const T: usize, const RA pub fn init() -> Self { Hash { sponge: Sponge::new(D::initial_capacity_element()), - _domain: PhantomData::default(), + _domain: PhantomData, } } } diff --git a/halo2_gadgets/src/poseidon/primitives/grain.rs b/halo2_gadgets/src/poseidon/primitives/grain.rs index 99711f97..1a780d58 100644 --- a/halo2_gadgets/src/poseidon/primitives/grain.rs +++ b/halo2_gadgets/src/poseidon/primitives/grain.rs @@ -70,7 +70,7 @@ impl Grain { let mut grain = Grain { state, next_bit: STATE, - _field: PhantomData::default(), + _field: PhantomData, }; // Discard the first 160 bits. diff --git a/halo2_gadgets/src/poseidon/primitives/mds.rs b/halo2_gadgets/src/poseidon/primitives/mds.rs index 892ee11f..f1642d21 100644 --- a/halo2_gadgets/src/poseidon/primitives/mds.rs +++ b/halo2_gadgets/src/poseidon/primitives/mds.rs @@ -82,7 +82,8 @@ pub(super) fn generate_mds + Ord, const T: usize>( acc } else { // We can invert freely; by construction, the elements of xs are distinct. - acc * (x - x_m) * (x_j - x_m).invert().unwrap() + let diff: F = x_j - *x_m; + acc * (x - x_m) * diff.invert().unwrap() } }) }; diff --git a/halo2_gadgets/src/poseidon/primitives/p128pow5t3.rs b/halo2_gadgets/src/poseidon/primitives/p128pow5t3.rs index c8d54d9a..fdd4b229 100644 --- a/halo2_gadgets/src/poseidon/primitives/p128pow5t3.rs +++ b/halo2_gadgets/src/poseidon/primitives/p128pow5t3.rs @@ -22,7 +22,7 @@ impl Spec for P128Pow5T3 { } fn sbox(val: Fp) -> Fp { - val.pow_vartime(&[5]) + val.pow_vartime([5]) } fn secure_mds() -> usize { @@ -48,7 +48,7 @@ impl Spec for P128Pow5T3 { } fn sbox(val: Fq) -> Fq { - val.pow_vartime(&[5]) + val.pow_vartime([5]) } fn secure_mds() -> usize { @@ -84,7 +84,7 @@ mod tests { impl P128Pow5T3Gen { pub fn new() -> Self { - P128Pow5T3Gen(PhantomData::default()) + P128Pow5T3Gen(PhantomData) } } diff --git a/halo2_gadgets/src/sha256/table16.rs b/halo2_gadgets/src/sha256/table16.rs index 41798978..efc7fd8b 100644 --- a/halo2_gadgets/src/sha256/table16.rs +++ b/halo2_gadgets/src/sha256/table16.rs @@ -531,7 +531,7 @@ trait Table16Assignment { } #[cfg(test)] -#[cfg(feature = "dev-graph")] +#[cfg(feature = "test-dev-graph")] mod tests { use super::super::{Sha256, BLOCK_SIZE}; use super::{message_schedule::msg_schedule_test_input, Table16Chip, Table16Config}; @@ -549,6 +549,8 @@ mod tests { impl Circuit for MyCircuit { type Config = Table16Config; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { MyCircuit {} diff --git a/halo2_gadgets/src/sha256/table16/compression.rs b/halo2_gadgets/src/sha256/table16/compression.rs index 9c2de950..b2903b7b 100644 --- a/halo2_gadgets/src/sha256/table16/compression.rs +++ b/halo2_gadgets/src/sha256/table16/compression.rs @@ -1008,6 +1008,8 @@ mod tests { impl Circuit for MyCircuit { type Config = Table16Config; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { MyCircuit {} diff --git a/halo2_gadgets/src/sha256/table16/message_schedule.rs b/halo2_gadgets/src/sha256/table16/message_schedule.rs index 792e980f..044db8c1 100644 --- a/halo2_gadgets/src/sha256/table16/message_schedule.rs +++ b/halo2_gadgets/src/sha256/table16/message_schedule.rs @@ -415,6 +415,8 @@ mod tests { impl Circuit for MyCircuit { type Config = Table16Config; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { MyCircuit {} diff --git a/halo2_gadgets/src/sha256/table16/spread_table.rs b/halo2_gadgets/src/sha256/table16/spread_table.rs index 87a71efd..d1484c8d 100644 --- a/halo2_gadgets/src/sha256/table16/spread_table.rs +++ b/halo2_gadgets/src/sha256/table16/spread_table.rs @@ -306,6 +306,8 @@ mod tests { impl Circuit for MyCircuit { type Config = SpreadTableConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { MyCircuit {} diff --git a/halo2_gadgets/src/sinsemilla.rs b/halo2_gadgets/src/sinsemilla.rs index 26705292..4a20ce48 100644 --- a/halo2_gadgets/src/sinsemilla.rs +++ b/halo2_gadgets/src/sinsemilla.rs @@ -197,7 +197,7 @@ where // Each message piece must have at most `floor(C::Base::CAPACITY / K)` words. // This ensures that the all-ones bitstring is canonical in the field. let piece_max_num_words = C::Base::CAPACITY as usize / K; - assert!(num_words <= piece_max_num_words as usize); + assert!(num_words <= piece_max_num_words); // Closure to parse a bitstring (little-endian) into a base field element. let to_base_field = |bits: &[Value]| -> Value { @@ -496,6 +496,7 @@ pub(crate) mod tests { #[derive(Debug, Clone, Eq, PartialEq)] pub(crate) struct TestHashDomain; + #[allow(non_snake_case)] impl HashDomains for TestHashDomain { fn Q(&self) -> pallas::Affine { *Q @@ -525,6 +526,8 @@ pub(crate) mod tests { SinsemillaConfig, ); type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { MyCircuit {} @@ -652,11 +655,7 @@ pub(crate) mod tests { |(l, (left, right))| { let merkle_crh = sinsemilla::HashDomain::from_Q((*Q).into()); let point = merkle_crh - .hash_to_point( - l.into_iter() - .chain(left.into_iter()) - .chain(right.into_iter()), - ) + .hash_to_point(l.into_iter().chain(left).chain(right)) .unwrap(); point.to_affine() }, @@ -737,7 +736,7 @@ pub(crate) mod tests { assert_eq!(prover.verify(), Ok(())) } - #[cfg(feature = "dev-graph")] + #[cfg(feature = "test-dev-graph")] #[test] fn print_sinsemilla_chip() { use plotters::prelude::*; diff --git a/halo2_gadgets/src/sinsemilla/merkle.rs b/halo2_gadgets/src/sinsemilla/merkle.rs index a9ae781d..47e5c953 100644 --- a/halo2_gadgets/src/sinsemilla/merkle.rs +++ b/halo2_gadgets/src/sinsemilla/merkle.rs @@ -213,6 +213,8 @@ pub mod tests { MerkleConfig, ); type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { Self::default() @@ -380,7 +382,7 @@ pub mod tests { assert_eq!(prover.verify(), Ok(())) } - #[cfg(feature = "dev-graph")] + #[cfg(feature = "test-dev-graph")] #[test] fn print_merkle_chip() { use plotters::prelude::*; diff --git a/halo2_gadgets/src/utilities.rs b/halo2_gadgets/src/utilities.rs index 683a553b..f86be625 100644 --- a/halo2_gadgets/src/utilities.rs +++ b/halo2_gadgets/src/utilities.rs @@ -99,7 +99,7 @@ impl RangeConstrained> { Self { inner: value.map(|value| bitrange_subset(value, bitrange)), num_bits, - _phantom: PhantomData::default(), + _phantom: PhantomData, } } } @@ -114,7 +114,7 @@ impl RangeConstrained> { Self { inner: cell, num_bits, - _phantom: PhantomData::default(), + _phantom: PhantomData, } } @@ -123,7 +123,7 @@ impl RangeConstrained> { RangeConstrained { inner: self.inner.value().copied(), num_bits: self.num_bits, - _phantom: PhantomData::default(), + _phantom: PhantomData, } } } @@ -271,6 +271,8 @@ mod tests { impl Circuit for MyCircuit { type Config = Config; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { MyCircuit(self.0) @@ -403,8 +405,7 @@ mod tests { } assert_eq!(field_elem, sum); }; - - decompose(pallas::Base::random(rng), &[0..255]); + // decompose(pallas::Base::random(rng), &[0..255]); decompose(pallas::Base::random(rng), &[0..1, 1..255]); decompose(pallas::Base::random(rng), &[0..254, 254..255]); decompose(pallas::Base::random(rng), &[0..127, 127..255]); diff --git a/halo2_gadgets/src/utilities/cond_swap.rs b/halo2_gadgets/src/utilities/cond_swap.rs index 2dc96d59..d71b2599 100644 --- a/halo2_gadgets/src/utilities/cond_swap.rs +++ b/halo2_gadgets/src/utilities/cond_swap.rs @@ -217,6 +217,8 @@ mod tests { impl Circuit for MyCircuit { type Config = CondSwapConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { Self::default() diff --git a/halo2_gadgets/src/utilities/decompose_running_sum.rs b/halo2_gadgets/src/utilities/decompose_running_sum.rs index 96fd2799..041044ff 100644 --- a/halo2_gadgets/src/utilities/decompose_running_sum.rs +++ b/halo2_gadgets/src/utilities/decompose_running_sum.rs @@ -243,6 +243,8 @@ mod tests { { type Config = RunningSumConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { Self { diff --git a/halo2_gadgets/src/utilities/lookup_range_check.rs b/halo2_gadgets/src/utilities/lookup_range_check.rs index 36be7c77..73122069 100644 --- a/halo2_gadgets/src/utilities/lookup_range_check.rs +++ b/halo2_gadgets/src/utilities/lookup_range_check.rs @@ -49,7 +49,7 @@ impl RangeConstrained> { .map(|inner| Self { inner, num_bits, - _phantom: PhantomData::default(), + _phantom: PhantomData, }) } } @@ -410,6 +410,8 @@ mod tests { impl Circuit for MyCircuit { type Config = LookupRangeCheckConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { *self @@ -506,6 +508,8 @@ mod tests { impl Circuit for MyCircuit { type Config = LookupRangeCheckConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { MyCircuit { @@ -582,13 +586,13 @@ mod tests { assert_eq!( prover.verify(), Err(vec![VerifyFailure::Lookup { - name: "lookup", + name: "lookup".to_string(), lookup_index: 0, location: FailureLocation::InRegion { region: (1, "Range check 6 bits").into(), offset: 1, }, - }]) + }]), ); } @@ -603,7 +607,7 @@ mod tests { prover.verify(), Err(vec![ VerifyFailure::Lookup { - name: "lookup", + name: "lookup".to_string(), lookup_index: 0, location: FailureLocation::InRegion { region: (1, "Range check 6 bits").into(), @@ -611,7 +615,7 @@ mod tests { }, }, VerifyFailure::Lookup { - name: "lookup", + name: "lookup".to_string(), lookup_index: 0, location: FailureLocation::InRegion { region: (1, "Range check 6 bits").into(), @@ -641,7 +645,7 @@ mod tests { assert_eq!( prover.verify(), Err(vec![VerifyFailure::Lookup { - name: "lookup", + name: "lookup".to_string(), lookup_index: 0, location: FailureLocation::InRegion { region: (1, "Range check 6 bits").into(), diff --git a/halo2_proofs/Cargo.toml b/halo2_proofs/Cargo.toml index 94d7df91..0935cfcc 100644 --- a/halo2_proofs/Cargo.toml +++ b/halo2_proofs/Cargo.toml @@ -8,7 +8,7 @@ authors = [ "Jack Grigg ", ] edition = "2021" -rust-version = "1.56.1" +rust-version = "1.66.0" description = """ Fast PLONK-based zero-knowledge proving system with no trusted setup """ @@ -48,24 +48,26 @@ name = "fft" harness = false [dependencies] -backtrace = { version = "0.3", optional = true } rayon = "1.5.1" +backtrace = { version = "0.3", optional = true } ff = "0.13" group = "0.13" halo2curves = { version = "0.1.0", features = [ "derive_serde" ] } rand_core = { version = "0.6", default-features = false } tracing = "0.1" -blake2b_simd = "1" +blake2b_simd = "1" # MSRV 1.66.0 sha3 = "0.9.1" subtle = "2.3" cfg-if = "0.1" poseidon = { git = "https://github.com/scroll-tech/poseidon.git", branch = "main" } num-integer = "0.1" num-bigint = { version = "0.4", features = ["rand"] } +rand_chacha = "0.3" +maybe-rayon = { version = "0.1.0", default-features = false } crossbeam = "0.8.0" # Developer tooling dependencies -plotters = { version = "0.3.0", optional = true } +plotters = { version = "0.3.0", default-features = false, optional = true } tabbycat = { version = "0.1", features = ["attributes"], optional = true } lazy_static = { version = "1", optional = true } log = "0.4.17" @@ -74,6 +76,9 @@ log = "0.4.17" ark-std = { version = "0.3.0" } +# Legacy circuit compatibility +halo2_legacy_pdqsort = { version = "0.1.0", optional = true } + [dev-dependencies] assert_matches = "1.5" criterion = "0.3" @@ -86,23 +91,35 @@ rand_core = { version = "0.6", default-features = false, features = ["getrandom" getrandom = { version = "0.2", features = ["js"] } [features] -default = ["batch", "gwc", "logup_skip_inv"] +default = ["batch", "gwc", "multicore", "parallel_syn", "logup_skip_inv"] +multicore = ["maybe-rayon/threads"] dev-graph = ["plotters", "tabbycat"] +test-dev-graph = [ + "dev-graph", + "plotters/bitmap_backend", + "plotters/bitmap_encoder", + "plotters/ttf", +] gadget-traces = ["backtrace"] +thread-safe-region = [] sanity-checks = [] batch = ["rand_core/getrandom"] shplonk = [] gwc = [] parallel_syn = [] -phase-check = [] profile = ["ark-std/print-trace"] counter = ["lazy_static"] mock-batch-inv = [] +circuit-params = [] logup_skip_inv = [] +# todo: we have both mutliphase prover and phase check. consider merge them +phase-check = [] +multiphase-mock-prover = [] + [lib] bench = false [[example]] name = "circuit-layout" -required-features = ["dev-graph"] +required-features = ["test-dev-graph"] diff --git a/halo2_proofs/README.md b/halo2_proofs/README.md index 7c226ff2..7aeebeb8 100644 --- a/halo2_proofs/README.md +++ b/halo2_proofs/README.md @@ -4,7 +4,7 @@ ## Minimum Supported Rust Version -Requires Rust **1.56.1** or higher. +Requires Rust **1.65.0** or higher. Minimum supported Rust version can be changed in the future, but it will be done with a minor version bump. @@ -15,6 +15,10 @@ minor version bump. computation. The `RAYON_NUM_THREADS` environment variable can be used to set the number of threads. +You can disable `rayon` by disabling the `"multicore"` feature. +Warning! Halo2 will lose access to parallelism if you disable the `"multicore"` feature. +This will significantly degrade performance. + ## License Licensed under either of diff --git a/halo2_proofs/benches/commit_zk.rs b/halo2_proofs/benches/commit_zk.rs new file mode 100644 index 00000000..a6a33a93 --- /dev/null +++ b/halo2_proofs/benches/commit_zk.rs @@ -0,0 +1,80 @@ +extern crate criterion; + +use criterion::{criterion_group, criterion_main, BenchmarkId, Criterion}; +use group::ff::Field; +use halo2_proofs::arithmetic::parallelize; +use halo2curves::pasta::pallas::Scalar; +use rand_chacha::rand_core::RngCore; +use rand_chacha::ChaCha20Rng; +use rand_core::SeedableRng; +use std::{collections::HashMap, iter}; + +#[cfg(feature = "multicore")] +use maybe_rayon::current_num_threads; + +#[cfg(not(feature = "multicore"))] +fn current_num_threads() -> usize { + 1 +} + +fn rand_poly_serial(mut rng: ChaCha20Rng, domain: usize) -> Vec { + // Sample a random polynomial of degree n - 1 + let mut random_poly = vec![Scalar::zero(); 1 << domain]; + for coeff in random_poly.iter_mut() { + *coeff = Scalar::random(&mut rng); + } + + random_poly +} + +fn rand_poly_par(mut rng: ChaCha20Rng, domain: usize) -> Vec { + // Sample a random polynomial of degree n - 1 + let n = 1usize << domain; + let mut random_poly = vec![Scalar::ZERO; n]; + + let num_threads = current_num_threads(); + let chunk_size = n / num_threads; + let thread_seeds = (0..) + .step_by(chunk_size + 1) + .take(n % num_threads) + .chain( + (chunk_size != 0) + .then(|| ((n % num_threads) * (chunk_size + 1)..).step_by(chunk_size)) + .into_iter() + .flatten(), + ) + .take(num_threads) + .zip(iter::repeat_with(|| { + let mut seed = [0u8; 32]; + rng.fill_bytes(&mut seed); + ChaCha20Rng::from_seed(seed) + })) + .collect::>(); + + parallelize(&mut random_poly, |chunk, offset| { + let mut rng = thread_seeds[&offset].clone(); + chunk.iter_mut().for_each(|v| *v = Scalar::random(&mut rng)); + }); + random_poly +} + +fn bench_commit(c: &mut Criterion) { + let mut group = c.benchmark_group("Blinder_poly"); + let rand = ChaCha20Rng::from_seed([1u8; 32]); + for i in [ + 18usize, 19usize, 20usize, 21usize, 22usize, 23usize, 24usize, 25usize, + ] + .iter() + { + group.bench_with_input(BenchmarkId::new("serial", i), i, |b, i| { + b.iter(|| rand_poly_serial(rand.clone(), *i)) + }); + group.bench_with_input(BenchmarkId::new("parallel", i), i, |b, i| { + b.iter(|| rand_poly_par(rand.clone(), *i)) + }); + } + group.finish(); +} + +criterion_group!(benches, bench_commit); +criterion_main!(benches); diff --git a/halo2_proofs/benches/dev_lookup.rs b/halo2_proofs/benches/dev_lookup.rs index 745a36b9..62ed5a7f 100644 --- a/halo2_proofs/benches/dev_lookup.rs +++ b/halo2_proofs/benches/dev_lookup.rs @@ -28,6 +28,8 @@ fn criterion_benchmark(c: &mut Criterion) { impl Circuit for MyCircuit { type Config = MyConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { Self::default() diff --git a/halo2_proofs/benches/lookups.rs b/halo2_proofs/benches/lookups.rs index 601b1a42..aca5cecc 100644 --- a/halo2_proofs/benches/lookups.rs +++ b/halo2_proofs/benches/lookups.rs @@ -41,6 +41,7 @@ fn criterion_benchmark(c: &mut Criterion) { impl Circuit for MyCircuit { type Config = MyConfig; type FloorPlanner = SimpleFloorPlanner; + type Params = (); fn without_witnesses(&self) -> Self { Self::default() @@ -58,8 +59,8 @@ fn criterion_benchmark(c: &mut Criterion) { meta.create_gate("degree 6 gate", |meta| { let dummy_selector = meta.query_selector(dummy_selector); - let constraints = vec![dummy_selector.clone(); 4] - .iter() + let constraints = std::iter::repeat(dummy_selector.clone()) + .take(4) .fold(dummy_selector.clone(), |acc, val| acc * val.clone()); Constraints::with_selector(dummy_selector, Some(constraints)) }); diff --git a/halo2_proofs/benches/plonk.rs b/halo2_proofs/benches/plonk.rs index cf02cf87..9c9bd261 100644 --- a/halo2_proofs/benches/plonk.rs +++ b/halo2_proofs/benches/plonk.rs @@ -183,6 +183,8 @@ fn criterion_benchmark(c: &mut Criterion) { impl Circuit for MyCircuit { type Config = PlonkConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { Self { diff --git a/halo2_proofs/examples/circuit-layout.rs b/halo2_proofs/examples/circuit-layout.rs index 6a73f51f..18de27a7 100644 --- a/halo2_proofs/examples/circuit-layout.rs +++ b/halo2_proofs/examples/circuit-layout.rs @@ -161,6 +161,8 @@ impl StandardCs for StandardPlonk { impl Circuit for MyCircuit { type Config = PlonkConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { Self { diff --git a/halo2_proofs/examples/serialization.rs b/halo2_proofs/examples/serialization.rs index 91ed5464..39b6b119 100644 --- a/halo2_proofs/examples/serialization.rs +++ b/halo2_proofs/examples/serialization.rs @@ -86,6 +86,8 @@ struct StandardPlonk(Fr); impl Circuit for StandardPlonk { type Config = StandardPlonkConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { Self::default() @@ -140,8 +142,14 @@ fn main() { let f = File::open("serialization-test.pk").unwrap(); let mut reader = BufReader::new(f); - let pk = ProvingKey::::read::<_, StandardPlonk>(&mut reader, SerdeFormat::RawBytes) - .unwrap(); + #[allow(clippy::unit_arg)] + let pk = ProvingKey::::read::<_, StandardPlonk>( + &mut reader, + SerdeFormat::RawBytes, + #[cfg(feature = "circuit-params")] + circuit.params(), + ) + .unwrap(); std::fs::remove_file("serialization-test.pk").unwrap(); diff --git a/halo2_proofs/examples/shuffle.rs b/halo2_proofs/examples/shuffle.rs index 08d16b9f..17bbb333 100644 --- a/halo2_proofs/examples/shuffle.rs +++ b/halo2_proofs/examples/shuffle.rs @@ -12,7 +12,7 @@ use halo2_proofs::{ multiopen::{ProverIPA, VerifierIPA}, strategy::AccumulatorStrategy, }, - Rotation, VerificationStrategy, + VerificationStrategy, }, transcript::{ Blake2bRead, Blake2bWrite, Challenge255, TranscriptReadBuffer, TranscriptWriterBuffer, @@ -63,29 +63,23 @@ impl MyConfig { // Second phase let z = meta.advice_column_in(SecondPhase); - meta.create_gate("z should start with 1", |meta| { - let q_first = meta.query_selector(q_first); - let z = meta.query_advice(z, Rotation::cur()); + meta.create_gate("z should start with 1", |_| { let one = Expression::Constant(F::ONE); - vec![q_first * (one - z)] + vec![q_first.expr() * (one - z.cur())] }); - meta.create_gate("z should end with 1", |meta| { - let q_last = meta.query_selector(q_last); - let z = meta.query_advice(z, Rotation::cur()); + meta.create_gate("z should end with 1", |_| { let one = Expression::Constant(F::ONE); - vec![q_last * (one - z)] + vec![q_last.expr() * (one - z.cur())] }); - meta.create_gate("z should have valid transition", |meta| { - let q_shuffle = meta.query_selector(q_shuffle); - let original = original.map(|advice| meta.query_advice(advice, Rotation::cur())); - let shuffled = shuffled.map(|advice| meta.query_advice(advice, Rotation::cur())); - let [theta, gamma] = [theta, gamma].map(|challenge| meta.query_challenge(challenge)); - let [z, z_w] = - [Rotation::cur(), Rotation::next()].map(|rotation| meta.query_advice(z, rotation)); + meta.create_gate("z should have valid transition", |_| { + let q_shuffle = q_shuffle.expr(); + let original = original.map(|advice| advice.cur()); + let shuffled = shuffled.map(|advice| advice.cur()); + let [theta, gamma] = [theta, gamma].map(|challenge| challenge.expr()); // Compress let original = original @@ -99,7 +93,7 @@ impl MyConfig { .reduce(|acc, a| acc * theta.clone() + a) .unwrap(); - vec![q_shuffle * (z * (original + gamma.clone()) - z_w * (shuffled + gamma))] + vec![q_shuffle * (z.cur() * (original + gamma.clone()) - z.next() * (shuffled + gamma))] }); Self { @@ -136,6 +130,8 @@ impl MyCircuit { impl Circuit for MyCircuit { type Config = MyConfig; type FloorPlanner = V1; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { Self::default() diff --git a/halo2_proofs/examples/shuffle_api.rs b/halo2_proofs/examples/shuffle_api.rs new file mode 100644 index 00000000..259e038d --- /dev/null +++ b/halo2_proofs/examples/shuffle_api.rs @@ -0,0 +1,216 @@ +use std::{marker::PhantomData, vec}; + +use ff::FromUniformBytes; +use halo2_proofs::{ + arithmetic::Field, + circuit::{Layouter, SimpleFloorPlanner, Value}, + plonk::{ + create_proof, keygen_pk, keygen_vk, verify_proof, Advice, Circuit, Column, + ConstraintSystem, Error, Fixed, Selector, + }, + poly::Rotation, + poly::{ + commitment::ParamsProver, + ipa::{ + commitment::{IPACommitmentScheme, ParamsIPA}, + multiopen::{ProverIPA, VerifierIPA}, + strategy::AccumulatorStrategy, + }, + VerificationStrategy, + }, + transcript::{ + Blake2bRead, Blake2bWrite, Challenge255, TranscriptReadBuffer, TranscriptWriterBuffer, + }, +}; +use halo2curves::{pasta::EqAffine, CurveAffine}; +use rand_core::OsRng; + +struct ShuffleChip { + config: ShuffleConfig, + _marker: PhantomData, +} + +#[derive(Clone, Debug)] +struct ShuffleConfig { + input_0: Column, + input_1: Column, + shuffle_0: Column, + shuffle_1: Column, + s_input: Selector, + s_shuffle: Selector, +} + +impl ShuffleChip { + fn construct(config: ShuffleConfig) -> Self { + Self { + config, + _marker: PhantomData, + } + } + + fn configure( + meta: &mut ConstraintSystem, + input_0: Column, + input_1: Column, + shuffle_0: Column, + shuffle_1: Column, + ) -> ShuffleConfig { + let s_shuffle = meta.complex_selector(); + let s_input = meta.complex_selector(); + meta.shuffle("shuffle", |meta| { + let s_input = meta.query_selector(s_input); + let s_shuffle = meta.query_selector(s_shuffle); + let input_0 = meta.query_advice(input_0, Rotation::cur()); + let input_1 = meta.query_fixed(input_1, Rotation::cur()); + let shuffle_0 = meta.query_advice(shuffle_0, Rotation::cur()); + let shuffle_1 = meta.query_advice(shuffle_1, Rotation::cur()); + vec![ + (s_input.clone() * input_0, s_shuffle.clone() * shuffle_0), + (s_input * input_1, s_shuffle * shuffle_1), + ] + }); + ShuffleConfig { + input_0, + input_1, + shuffle_0, + shuffle_1, + s_input, + s_shuffle, + } + } +} + +#[derive(Default)] +struct MyCircuit { + input_0: Vec>, + input_1: Vec, + shuffle_0: Vec>, + shuffle_1: Vec>, +} + +impl Circuit for MyCircuit { + // Since we are using a single chip for everything, we can just reuse its config. + type Config = ShuffleConfig; + type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); + + fn without_witnesses(&self) -> Self { + Self::default() + } + + fn configure(meta: &mut ConstraintSystem) -> Self::Config { + let input_0 = meta.advice_column(); + let input_1 = meta.fixed_column(); + let shuffle_0 = meta.advice_column(); + let shuffle_1 = meta.advice_column(); + ShuffleChip::configure(meta, input_0, input_1, shuffle_0, shuffle_1) + } + + fn synthesize( + &self, + config: Self::Config, + mut layouter: impl Layouter, + ) -> Result<(), Error> { + let ch = ShuffleChip::::construct(config); + layouter.assign_region( + || "load inputs", + |mut region| { + for (i, (input_0, input_1)) in + self.input_0.iter().zip(self.input_1.iter()).enumerate() + { + region.assign_advice(|| "input_0", ch.config.input_0, i, || *input_0)?; + region.assign_fixed( + || "input_1", + ch.config.input_1, + i, + || Value::known(*input_1), + )?; + ch.config.s_input.enable(&mut region, i)?; + } + Ok(()) + }, + )?; + layouter.assign_region( + || "load shuffles", + |mut region| { + for (i, (shuffle_0, shuffle_1)) in + self.shuffle_0.iter().zip(self.shuffle_1.iter()).enumerate() + { + region.assign_advice(|| "shuffle_0", ch.config.shuffle_0, i, || *shuffle_0)?; + region.assign_advice(|| "shuffle_1", ch.config.shuffle_1, i, || *shuffle_1)?; + ch.config.s_shuffle.enable(&mut region, i)?; + } + Ok(()) + }, + )?; + Ok(()) + } +} + +fn test_prover(k: u32, circuit: MyCircuit, expected: bool) +where + C::Scalar: FromUniformBytes<64>, +{ + let params = ParamsIPA::::new(k); + let vk = keygen_vk(¶ms, &circuit).unwrap(); + let pk = keygen_pk(¶ms, vk, &circuit).unwrap(); + + let proof = { + let mut transcript = Blake2bWrite::<_, _, Challenge255<_>>::init(vec![]); + + create_proof::, ProverIPA, _, _, _, _>( + ¶ms, + &pk, + &[circuit], + &[&[]], + OsRng, + &mut transcript, + ) + .expect("proof generation should not fail"); + + transcript.finalize() + }; + + let accepted = { + let strategy = AccumulatorStrategy::new(¶ms); + let mut transcript = Blake2bRead::<_, _, Challenge255<_>>::init(&proof[..]); + + verify_proof::, VerifierIPA, _, _, _>( + ¶ms, + pk.get_vk(), + strategy, + &[&[]], + &mut transcript, + ) + .map(|strategy| strategy.finalize()) + .unwrap_or_default() + }; + + assert_eq!(accepted, expected); +} + +fn main() { + use halo2_proofs::dev::MockProver; + use halo2curves::pasta::Fp; + const K: u32 = 4; + let input_0 = [1, 2, 4, 1] + .map(|e: u64| Value::known(Fp::from(e))) + .to_vec(); + let input_1 = [10, 20, 40, 10].map(Fp::from).to_vec(); + let shuffle_0 = [4, 1, 1, 2] + .map(|e: u64| Value::known(Fp::from(e))) + .to_vec(); + let shuffle_1 = [40, 10, 10, 20] + .map(|e: u64| Value::known(Fp::from(e))) + .to_vec(); + let circuit = MyCircuit { + input_0, + input_1, + shuffle_0, + shuffle_1, + }; + let prover = MockProver::run(K, &circuit, vec![]).unwrap(); + prover.assert_satisfied(); + test_prover::(K, circuit, true); +} diff --git a/halo2_proofs/examples/simple-example.rs b/halo2_proofs/examples/simple-example.rs index 2273ce97..242257a6 100644 --- a/halo2_proofs/examples/simple-example.rs +++ b/halo2_proofs/examples/simple-example.rs @@ -248,6 +248,8 @@ impl Circuit for MyCircuit { // Since we are using a single chip for everything, we can just reuse its config. type Config = FieldConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { Self::default() diff --git a/halo2_proofs/examples/two-chip.rs b/halo2_proofs/examples/two-chip.rs index 4113d941..336f9c49 100644 --- a/halo2_proofs/examples/two-chip.rs +++ b/halo2_proofs/examples/two-chip.rs @@ -458,6 +458,8 @@ impl Circuit for MyCircuit { // Since we are using a single chip for everything, we can just reuse its config. type Config = FieldConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { Self::default() diff --git a/halo2_proofs/examples/vector-mul.rs b/halo2_proofs/examples/vector-mul.rs new file mode 100644 index 00000000..4b971dc9 --- /dev/null +++ b/halo2_proofs/examples/vector-mul.rs @@ -0,0 +1,350 @@ +use std::marker::PhantomData; + +use halo2_proofs::{ + arithmetic::Field, + circuit::{AssignedCell, Chip, Layouter, Region, SimpleFloorPlanner, Value}, + plonk::{Advice, Circuit, Column, ConstraintSystem, Error, Instance, Selector}, + poly::Rotation, +}; + +// ANCHOR: instructions +trait NumericInstructions: Chip { + /// Variable representing a number. + type Num; + + /// Loads a number into the circuit as a private input. + fn load_private( + &self, + layouter: impl Layouter, + a: &[Value], + ) -> Result, Error>; + + /// Returns `c = a * b`. The caller is responsible for ensuring that `a.len() == b.len()`. + fn mul( + &self, + layouter: impl Layouter, + a: &[Self::Num], + b: &[Self::Num], + ) -> Result, Error>; + + /// Exposes a number as a public input to the circuit. + fn expose_public( + &self, + layouter: impl Layouter, + num: &Self::Num, + row: usize, + ) -> Result<(), Error>; +} +// ANCHOR_END: instructions + +// ANCHOR: chip +/// The chip that will implement our instructions! Chips store their own +/// config, as well as type markers if necessary. +struct FieldChip { + config: FieldConfig, + _marker: PhantomData, +} +// ANCHOR_END: chip + +// ANCHOR: chip-config +/// Chip state is stored in a config struct. This is generated by the chip +/// during configuration, and then stored inside the chip. +#[derive(Clone, Debug)] +struct FieldConfig { + /// For this chip, we will use two advice columns to implement our instructions. + /// These are also the columns through which we communicate with other parts of + /// the circuit. + advice: [Column; 3], + + /// This is the public input (instance) column. + instance: Column, + + // We need a selector to enable the multiplication gate, so that we aren't placing + // any constraints on cells where `NumericInstructions::mul` is not being used. + // This is important when building larger circuits, where columns are used by + // multiple sets of instructions. + s_mul: Selector, +} + +impl FieldChip { + fn construct(config: >::Config) -> Self { + Self { + config, + _marker: PhantomData, + } + } + + fn configure( + meta: &mut ConstraintSystem, + advice: [Column; 3], + instance: Column, + ) -> >::Config { + meta.enable_equality(instance); + for column in &advice { + meta.enable_equality(*column); + } + let s_mul = meta.selector(); + + // Define our multiplication gate! + meta.create_gate("mul", |meta| { + // To implement multiplication, we need three advice cells and a selector + // cell. We arrange them like so: + // + // | a0 | a1 | a2 | s_mul | + // |-----|-----|-----|-------| + // | lhs | rhs | out | s_mul | + // + // Gates may refer to any relative offsets we want, but each distinct + // offset adds a cost to the proof. The most common offsets are 0 (the + // current row), 1 (the next row), and -1 (the previous row), for which + // `Rotation` has specific constructors. + let lhs = meta.query_advice(advice[0], Rotation::cur()); + let rhs = meta.query_advice(advice[1], Rotation::cur()); + let out = meta.query_advice(advice[2], Rotation::cur()); + let s_mul = meta.query_selector(s_mul); + + // Finally, we return the polynomial expressions that constrain this gate. + // For our multiplication gate, we only need a single polynomial constraint. + // + // The polynomial expressions returned from `create_gate` will be + // constrained by the proving system to equal zero. Our expression + // has the following properties: + // - When s_mul = 0, any value is allowed in lhs, rhs, and out. + // - When s_mul != 0, this constrains lhs * rhs = out. + vec![s_mul * (lhs * rhs - out)] + }); + + FieldConfig { + advice, + instance, + s_mul, + } + } +} +// ANCHOR_END: chip-config + +// ANCHOR: chip-impl +impl Chip for FieldChip { + type Config = FieldConfig; + type Loaded = (); + + fn config(&self) -> &Self::Config { + &self.config + } + + fn loaded(&self) -> &Self::Loaded { + &() + } +} +// ANCHOR_END: chip-impl + +// ANCHOR: instructions-impl +/// A variable representing a number. +#[derive(Clone, Debug)] +struct Number(AssignedCell); + +impl NumericInstructions for FieldChip { + type Num = Number; + + fn load_private( + &self, + mut layouter: impl Layouter, + values: &[Value], + ) -> Result, Error> { + let config = self.config(); + + layouter.assign_region( + || "load private", + |mut region| { + values + .iter() + .enumerate() + .map(|(i, value)| { + region + .assign_advice(|| "private input", config.advice[0], i, || *value) + .map(Number) + }) + .collect() + }, + ) + } + + fn mul( + &self, + mut layouter: impl Layouter, + a: &[Self::Num], + b: &[Self::Num], + ) -> Result, Error> { + let config = self.config(); + assert_eq!(a.len(), b.len()); + + #[cfg(feature = "thread-safe-region")] + { + use maybe_rayon::prelude::{ + IndexedParallelIterator, IntoParallelRefIterator, ParallelIterator, + }; + layouter.assign_region( + || "mul", + |region: Region<'_, F>| { + let thread_safe_region = std::sync::Mutex::new(region); + a.par_iter() + .zip(b.par_iter()) + .enumerate() + .map(|(i, (a, b))| { + let mut region = thread_safe_region.lock().unwrap(); + + config.s_mul.enable(&mut region, i)?; + + a.0.copy_advice(|| "lhs", &mut region, config.advice[0], i)?; + b.0.copy_advice(|| "rhs", &mut region, config.advice[1], i)?; + + let value = a.0.value().copied() * b.0.value(); + + // Finally, we do the assignment to the output, returning a + // variable to be used in another part of the circuit. + region + .assign_advice(|| "lhs * rhs", config.advice[2], i, || value) + .map(Number) + }) + .collect() + }, + ) + } + + #[cfg(not(feature = "thread-safe-region"))] + layouter.assign_region( + || "mul", + |mut region: Region<'_, F>| { + a.iter() + .zip(b.iter()) + .enumerate() + .map(|(i, (a, b))| { + config.s_mul.enable(&mut region, i)?; + + a.0.copy_advice(|| "lhs", &mut region, config.advice[0], i)?; + b.0.copy_advice(|| "rhs", &mut region, config.advice[1], i)?; + + let value = a.0.value().copied() * b.0.value(); + + // Finally, we do the assignment to the output, returning a + // variable to be used in another part of the circuit. + region + .assign_advice(|| "lhs * rhs", config.advice[2], i, || value) + .map(Number) + }) + .collect() + }, + ) + } + + fn expose_public( + &self, + mut layouter: impl Layouter, + num: &Self::Num, + row: usize, + ) -> Result<(), Error> { + let config = self.config(); + + layouter.constrain_instance(num.0.cell(), config.instance, row) + } +} +// ANCHOR_END: instructions-impl + +// ANCHOR: circuit +/// The full circuit implementation. +/// +/// In this struct we store the private input variables. We use `Option` because +/// they won't have any value during key generation. During proving, if any of these +/// were `None` we would get an error. +#[derive(Default)] +struct MyCircuit { + a: Vec>, + b: Vec>, +} + +impl Circuit for MyCircuit { + // Since we are using a single chip for everything, we can just reuse its config. + type Config = FieldConfig; + type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); + + fn without_witnesses(&self) -> Self { + Self::default() + } + + fn configure(meta: &mut ConstraintSystem) -> Self::Config { + // We create the three advice columns that FieldChip uses for I/O. + let advice = [ + meta.advice_column(), + meta.advice_column(), + meta.advice_column(), + ]; + + // We also need an instance column to store public inputs. + let instance = meta.instance_column(); + + FieldChip::configure(meta, advice, instance) + } + + fn synthesize( + &self, + config: Self::Config, + mut layouter: impl Layouter, + ) -> Result<(), Error> { + let field_chip = FieldChip::::construct(config); + + // Load our private values into the circuit. + let a = field_chip.load_private(layouter.namespace(|| "load a"), &self.a)?; + let b = field_chip.load_private(layouter.namespace(|| "load b"), &self.b)?; + + let ab = field_chip.mul(layouter.namespace(|| "a * b"), &a, &b)?; + + for (i, c) in ab.iter().enumerate() { + // Expose the result as a public input to the circuit. + field_chip.expose_public(layouter.namespace(|| "expose c"), c, i)?; + } + Ok(()) + } +} +// ANCHOR_END: circuit + +fn main() { + use halo2_proofs::dev::MockProver; + use halo2curves::pasta::Fp; + + const N: usize = 20000; + // ANCHOR: test-circuit + // The number of rows in our circuit cannot exceed 2^k. Since our example + // circuit is very small, we can pick a very small value here. + let k = 16; + + // Prepare the private and public inputs to the circuit! + let a = [Fp::from(2); N]; + let b = [Fp::from(3); N]; + let c: Vec = a.iter().zip(b).map(|(&a, b)| a * b).collect(); + + // Instantiate the circuit with the private inputs. + let circuit = MyCircuit { + a: a.iter().map(|&x| Value::known(x)).collect(), + b: b.iter().map(|&x| Value::known(x)).collect(), + }; + + // Arrange the public input. We expose the multiplication result in row 0 + // of the instance column, so we position it there in our public inputs. + let mut public_inputs = c; + + let start = std::time::Instant::now(); + // Given the correct public input, our circuit will verify. + let prover = MockProver::run(k, &circuit, vec![public_inputs.clone()]).unwrap(); + assert_eq!(prover.verify(), Ok(())); + println!("positive test took {:?}", start.elapsed()); + + // If we try some other public input, the proof will fail! + let start = std::time::Instant::now(); + public_inputs[0] += Fp::one(); + let prover = MockProver::run(k, &circuit, vec![public_inputs]).unwrap(); + assert!(prover.verify().is_err()); + println!("negative test took {:?}", start.elapsed()); + // ANCHOR_END: test-circuit +} diff --git a/halo2_proofs/src/arithmetic.rs b/halo2_proofs/src/arithmetic.rs index 849a7022..dfb7f51b 100644 --- a/halo2_proofs/src/arithmetic.rs +++ b/halo2_proofs/src/arithmetic.rs @@ -53,7 +53,7 @@ fn multiexp_serial(coeffs: &[C::Scalar], bases: &[C], acc: &mut let mut tmp = u64::from_le_bytes(v); tmp >>= skip_bits - (skip_bytes * 8); - tmp = tmp % (1 << c); + tmp %= 1 << c; tmp as usize } @@ -112,7 +112,7 @@ fn multiexp_serial(coeffs: &[C::Scalar], bases: &[C], acc: &mut let mut running_sum = C::Curve::identity(); for exp in buckets.into_iter().rev() { running_sum = exp.add(running_sum); - *acc = *acc + &running_sum; + *acc += &running_sum; } } } @@ -188,7 +188,7 @@ pub fn best_multiexp(coeffs: &[C::Scalar], bases: &[C]) -> C::Cu pub fn best_fft>(a: &mut [G], omega: Scalar, log_n: u32) { let threads = multicore::current_num_threads(); let log_split = log2_floor(threads) as usize; - let n = a.len() as usize; + let n = a.len(); let sub_n = n >> log_split; let split_m = 1 << log_split; @@ -215,7 +215,7 @@ fn serial_fft>(a: &mut [G], omega: Scalar, lo for k in 0..n as usize { let rk = bitreverse(k, log_n as usize); if k < rk { - a.swap(rk as usize, k as usize); + a.swap(rk, k); } } @@ -258,7 +258,7 @@ fn serial_split_fft>( let high_idx = omega_idx >> SPARSE_TWIDDLE_DEGREE; let mut w_m = twiddle_lut[low_idx]; if high_idx > 0 { - w_m = w_m * twiddle_lut[(1 << SPARSE_TWIDDLE_DEGREE) + high_idx]; + w_m *= twiddle_lut[(1 << SPARSE_TWIDDLE_DEGREE) + high_idx]; } let mut k = 0; @@ -298,28 +298,28 @@ fn split_radix_fft>( // used to be: vec![G::identity; split_m]; // let mut t1 = a.clone(); // if unsafe code is allowed, a 10% performance improvement can be achieved - let mut t1: Vec = Vec::with_capacity(split_m as usize); + let mut t1: Vec = Vec::with_capacity(split_m); unsafe { - t1.set_len(split_m as usize); + t1.set_len(split_m); } for i in 0..split_m { - t1[bitreverse(i, log_split)] = a[(i * sub_n + sub_fft_offset)]; + t1[bitreverse(i, log_split)] = a[i * sub_n + sub_fft_offset]; } serial_split_fft(&mut t1, twiddle_lut, sub_n, log_split as u32); let sparse_degree = SPARSE_TWIDDLE_DEGREE; - let omega_idx = sub_fft_offset as usize; + let omega_idx = sub_fft_offset; let low_idx = omega_idx % (1 << sparse_degree); let high_idx = omega_idx >> sparse_degree; let mut omega = twiddle_lut[low_idx]; if high_idx > 0 { - omega = omega * twiddle_lut[(1 << sparse_degree) + high_idx]; + omega *= twiddle_lut[(1 << sparse_degree) + high_idx]; } let mut w_m = Scalar::ONE; for i in 0..split_m { t1[i] *= &w_m; tmp[i] = t1[i]; - w_m = w_m * omega; + w_m *= omega; } } @@ -339,7 +339,7 @@ pub fn generate_twiddle_lookup_table( let mut w_n = omega.pow_vartime([start as u64, 0, 0, 0]); for twiddle_lut in twiddle_lut.iter_mut() { *twiddle_lut = w_n; - w_n = w_n * omega; + w_n *= omega; } }); return twiddle_lut; @@ -348,14 +348,14 @@ pub fn generate_twiddle_lookup_table( // sparse let low_degree_lut_len = 1 << sparse_degree; let high_degree_lut_len = 1 << (log_n - sparse_degree - without_last_level as u32); - let mut twiddle_lut = vec![F::ZERO; (low_degree_lut_len + high_degree_lut_len) as usize]; + let mut twiddle_lut = vec![F::ZERO; low_degree_lut_len + high_degree_lut_len]; parallelize( &mut twiddle_lut[..low_degree_lut_len], |twiddle_lut, start| { let mut w_n = omega.pow_vartime([start as u64, 0, 0, 0]); for twiddle_lut in twiddle_lut.iter_mut() { *twiddle_lut = w_n; - w_n = w_n * omega; + w_n *= omega; } }, ); @@ -366,7 +366,7 @@ pub fn generate_twiddle_lookup_table( let mut w_n = high_degree_omega.pow_vartime([start as u64, 0, 0, 0]); for twiddle_lut in twiddle_lut.iter_mut() { *twiddle_lut = w_n; - w_n = w_n * high_degree_omega; + w_n *= high_degree_omega; } }, ); @@ -374,7 +374,7 @@ pub fn generate_twiddle_lookup_table( } pub fn parallel_fft>(a: &mut [G], omega: Scalar, log_n: u32) { - let n = a.len() as usize; + let n = a.len(); assert_eq!(n, 1 << log_n); let log_split = log2_floor(multicore::current_num_threads()) as usize; @@ -541,29 +541,60 @@ pub fn par_invert(values: &mut [F]) { }); } -/// This simple utility function will parallelize an operation that is to be +/// This utility function will parallelize an operation that is to be /// performed over a mutable slice. pub(crate) fn parallelize_internal( v: &mut [T], f: F, ) -> Vec { - let n = v.len(); + // Algorithm rationale: + // + // Using the stdlib `chunks_mut` will lead to severe load imbalance. + // From https://github.com/rust-lang/rust/blob/e94bda3/library/core/src/slice/iter.rs#L1607-L1637 + // if the division is not exact, the last chunk will be the remainder. + // + // Dividing 40 items on 12 threads will lead to a chunk size of 40/12 = 3, + // There will be a 13 chunks of size 3 and 1 of size 1 distributed on 12 threads. + // This leads to 1 thread working on 6 iterations, 1 on 4 iterations and 10 on 3 iterations, + // a load imbalance of 2x. + // + // Instead we can divide work into chunks of size + // 4, 4, 4, 4, 3, 3, 3, 3, 3, 3, 3, 3 = 4*4 + 3*8 = 40 + // + // This would lead to a 6/4 = 1.5x speedup compared to naive chunks_mut + // + // See also OpenMP spec (page 60) + // http://www.openmp.org/mp-documents/openmp-4.5.pdf + // "When no chunk_size is specified, the iteration space is divided into chunks + // that are approximately equal in size, and at most one chunk is distributed to + // each thread. The size of the chunks is unspecified in this case." + // This implies chunks are the same size ±1 + + let f = &f; + let total_iters = v.len(); let num_threads = multicore::current_num_threads(); - let mut chunk = (n as usize) / num_threads; - if chunk < num_threads { - chunk = 1; - } + let base_chunk_size = total_iters / num_threads; + let cutoff_chunk_id = total_iters % num_threads; + let split_pos = cutoff_chunk_id * (base_chunk_size + 1); + let (v_hi, v_lo) = v.split_at_mut(split_pos); multicore::scope(|scope| { + // Skip special-case: number of iterations is cleanly divided by number of threads. let mut chunk_starts = vec![]; - for (chunk_num, v) in v.chunks_mut(chunk).enumerate() { - let f = f.clone(); - scope.spawn(move |_| { - let start = chunk_num * chunk; - f(v, start); - }); - let start = chunk_num * chunk; - chunk_starts.push(start); + if cutoff_chunk_id != 0 { + for (chunk_id, chunk) in v_hi.chunks_exact_mut(base_chunk_size + 1).enumerate() { + let offset = chunk_id * (base_chunk_size + 1); + scope.spawn(move |_| f(chunk, offset)); + chunk_starts.push(offset); + } + } + // Skip special-case: less iterations than number of threads. + if base_chunk_size != 0 { + for (chunk_id, chunk) in v_lo.chunks_exact_mut(base_chunk_size).enumerate() { + let offset = split_pos + (chunk_id * base_chunk_size); + scope.spawn(move |_| f(chunk, offset)); + chunk_starts.push(offset); + } } chunk_starts @@ -621,7 +652,7 @@ pub fn lagrange_interpolate(points: &[F], evals: &[F]) -> Vec { .enumerate() .filter(|&(k, _)| k != j) .map(|a| a.1) - .zip(denoms.into_iter()) + .zip(denoms) { product.resize(tmp.len() + 1, F::ZERO); for ((a, b), product) in tmp @@ -636,7 +667,7 @@ pub fn lagrange_interpolate(points: &[F], evals: &[F]) -> Vec { } assert_eq!(tmp.len(), points.len()); assert_eq!(product.len(), points.len() - 1); - for (final_coeff, interpolation_coeff) in final_poly.iter_mut().zip(tmp.into_iter()) { + for (final_coeff, interpolation_coeff) in final_poly.iter_mut().zip(tmp) { *final_coeff += interpolation_coeff * eval; } } diff --git a/halo2_proofs/src/circuit.rs b/halo2_proofs/src/circuit.rs index 6bfdfdb7..2081d37b 100644 --- a/halo2_proofs/src/circuit.rs +++ b/halo2_proofs/src/circuit.rs @@ -1,6 +1,6 @@ //! Traits and structs for implementing circuit components. -use std::{convert::TryInto, fmt, marker::PhantomData}; +use std::{fmt, marker::PhantomData}; use ff::Field; @@ -16,6 +16,9 @@ pub mod floor_planner; pub use floor_planner::single_pass::SimpleFloorPlanner; pub mod layouter; +mod table_layouter; + +pub use table_layouter::{SimpleTableLayouter, TableLayouter}; /// A chip implements a set of instructions that can be used by gadgets. /// @@ -324,6 +327,19 @@ impl<'r, F: Field> Region<'r, F> { }) } + /// Returns the value of the instance column's cell at absolute location `row`. + /// + /// This method is only provided for convenience; it does not create any constraints. + /// Callers still need to use [`Self::assign_advice_from_instance`] to constrain the + /// instance values in their circuit. + pub fn instance_value( + &mut self, + instance: Column, + row: usize, + ) -> Result, Error> { + self.region.instance_value(instance, row) + } + /// Assign a fixed value. /// /// Even though `to` has `FnMut` bounds, it is guaranteed to be called at most once. @@ -384,11 +400,11 @@ impl<'r, F: Field> Region<'r, F> { /// A lookup table in the circuit. #[derive(Debug)] pub struct Table<'r, F: Field> { - table: &'r mut dyn layouter::TableLayouter, + table: &'r mut dyn TableLayouter, } -impl<'r, F: Field> From<&'r mut dyn layouter::TableLayouter> for Table<'r, F> { - fn from(table: &'r mut dyn layouter::TableLayouter) -> Self { +impl<'r, F: Field> From<&'r mut dyn TableLayouter> for Table<'r, F> { + fn from(table: &'r mut dyn TableLayouter) -> Self { Table { table } } } diff --git a/halo2_proofs/src/circuit/floor_planner/single_pass.rs b/halo2_proofs/src/circuit/floor_planner/single_pass.rs index 7844dee1..4a6d78e7 100644 --- a/halo2_proofs/src/circuit/floor_planner/single_pass.rs +++ b/halo2_proofs/src/circuit/floor_planner/single_pass.rs @@ -2,8 +2,6 @@ use std::cmp; use std::collections::HashMap; use std::fmt; use std::marker::PhantomData; -use std::ops::Range; -use std::sync::{Arc, Mutex}; use std::time::Instant; use rayon::prelude::{IndexedParallelIterator, IntoParallelIterator, ParallelIterator}; @@ -14,10 +12,10 @@ use ark_std::{end_timer, start_timer}; use crate::{ circuit::{ - layouter::{RegionColumn, RegionLayouter, RegionShape, TableLayouter}, + layouter::{RegionColumn, RegionLayouter, RegionShape, SyncDeps, TableLayouter}, + table_layouter::{compute_table_lengths, SimpleTableLayouter}, Cell, Layouter, Region, RegionIndex, RegionStart, Table, Value, }, - multicore, plonk::{ Advice, Any, Assigned, Assignment, Challenge, Circuit, Column, Error, Fixed, FloorPlanner, Instance, Selector, TableColumn, @@ -33,7 +31,7 @@ use crate::{ pub struct SimpleFloorPlanner; impl FloorPlanner for SimpleFloorPlanner { - fn synthesize, C: Circuit>( + fn synthesize + SyncDeps, C: Circuit>( cs: &mut CS, circuit: &C, config: C::Config, @@ -99,7 +97,9 @@ impl<'a, F: Field, CS: Assignment + 'a> SingleChipLayouter<'a, F, CS> { } } -impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a, F, CS> { +impl<'a, F: Field, CS: Assignment + 'a + SyncDeps> Layouter + for SingleChipLayouter<'a, F, CS> +{ type Root = Self; fn assign_region(&mut self, name: N, mut assignment: A) -> Result @@ -359,24 +359,7 @@ impl<'a, F: Field, CS: Assignment + 'a> Layouter for SingleChipLayouter<'a // Check that all table columns have the same length `first_unused`, // and all cells up to that length are assigned. - let first_unused = { - match default_and_assigned - .values() - .map(|(_, assigned)| { - if assigned.iter().all(|b| *b) { - Some(assigned.len()) - } else { - None - } - }) - .reduce(|acc, item| match (acc, item) { - (Some(a), Some(b)) if a == b => Some(a), - _ => None, - }) { - Some(Some(len)) => len, - _ => return Err(Error::Synthesis), // TODO better error - } - }; + let first_unused = compute_table_lengths(&default_and_assigned)?; // Record these columns so that we can prevent them from being used again. for column in default_and_assigned.keys() { @@ -457,7 +440,7 @@ impl<'r, 'a, F: Field, CS: Assignment + 'a> SingleChipLayouterRegion<'r, 'a, } } -impl<'r, 'a, F: Field, CS: Assignment + 'a> RegionLayouter +impl<'r, 'a, F: Field, CS: Assignment + 'a + SyncDeps> RegionLayouter for SingleChipLayouterRegion<'r, 'a, F, CS> { fn enable_selector<'v>( @@ -550,6 +533,14 @@ impl<'r, 'a, F: Field, CS: Assignment + 'a> RegionLayouter Ok((cell, value)) } + fn instance_value( + &mut self, + instance: Column, + row: usize, + ) -> Result, Error> { + self.layouter.cs.query_instance(instance, row) + } + fn assign_fixed<'v>( &'v mut self, annotation: &'v (dyn Fn() -> String + 'v), @@ -592,86 +583,6 @@ impl<'r, 'a, F: Field, CS: Assignment + 'a> RegionLayouter } } -/// The default value to fill a table column with. -/// -/// - The outer `Option` tracks whether the value in row 0 of the table column has been -/// assigned yet. This will always be `Some` once a valid table has been completely -/// assigned. -/// - The inner `Value` tracks whether the underlying `Assignment` is evaluating -/// witnesses or not. -type DefaultTableValue = Option>>; - -pub(crate) struct SimpleTableLayouter<'r, 'a, F: Field, CS: Assignment + 'a> { - cs: &'a mut CS, - used_columns: &'r [TableColumn], - // maps from a fixed column to a pair (default value, vector saying which rows are assigned) - pub(crate) default_and_assigned: HashMap, Vec)>, -} - -impl<'r, 'a, F: Field, CS: Assignment + 'a> fmt::Debug for SimpleTableLayouter<'r, 'a, F, CS> { - fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - f.debug_struct("SimpleTableLayouter") - .field("used_columns", &self.used_columns) - .field("default_and_assigned", &self.default_and_assigned) - .finish() - } -} - -impl<'r, 'a, F: Field, CS: Assignment + 'a> SimpleTableLayouter<'r, 'a, F, CS> { - pub(crate) fn new(cs: &'a mut CS, used_columns: &'r [TableColumn]) -> Self { - SimpleTableLayouter { - cs, - used_columns, - default_and_assigned: HashMap::default(), - } - } -} - -impl<'r, 'a, F: Field, CS: Assignment + 'a> TableLayouter - for SimpleTableLayouter<'r, 'a, F, CS> -{ - fn assign_cell<'v>( - &'v mut self, - annotation: &'v (dyn Fn() -> String + 'v), - column: TableColumn, - offset: usize, - to: &'v mut (dyn FnMut() -> Value> + 'v), - ) -> Result<(), Error> { - if self.used_columns.contains(&column) { - return Err(Error::Synthesis); // TODO better error - } - - let entry = self.default_and_assigned.entry(column).or_default(); - - let mut value = Value::unknown(); - self.cs.assign_fixed( - annotation, - column.inner(), - offset, // tables are always assigned starting at row 0 - || { - let res = to(); - value = res; - res - }, - )?; - - match (entry.0.is_none(), offset) { - // Use the value at offset 0 as the default value for this table column. - (true, 0) => entry.0 = Some(value), - // Since there is already an existing default value for this table column, - // the caller should not be attempting to assign another value at offset 0. - (false, 0) => return Err(Error::Synthesis), // TODO better error - _ => (), - } - if entry.1.len() <= offset { - entry.1.resize(offset + 1, false); - } - entry.1[offset] = true; - - Ok(()) - } -} - #[cfg(test)] mod tests { use halo2curves::pasta::vesta; @@ -689,6 +600,8 @@ mod tests { impl Circuit for MyCircuit { type Config = Column; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { MyCircuit {} diff --git a/halo2_proofs/src/circuit/floor_planner/v1.rs b/halo2_proofs/src/circuit/floor_planner/v1.rs index 8a366d84..642be88d 100644 --- a/halo2_proofs/src/circuit/floor_planner/v1.rs +++ b/halo2_proofs/src/circuit/floor_planner/v1.rs @@ -4,8 +4,8 @@ use ff::Field; use crate::{ circuit::{ - floor_planner::single_pass::SimpleTableLayouter, - layouter::{RegionColumn, RegionLayouter, RegionShape, TableLayouter}, + layouter::{RegionColumn, RegionLayouter, RegionShape, SyncDeps, TableLayouter}, + table_layouter::{compute_table_lengths, SimpleTableLayouter}, Cell, Layouter, Region, RegionIndex, RegionStart, Table, Value, }, plonk::{ @@ -43,7 +43,7 @@ impl<'a, F: Field, CS: Assignment + 'a> fmt::Debug for V1Plan<'a, F, CS> { } } -impl<'a, F: Field, CS: Assignment> V1Plan<'a, F, CS> { +impl<'a, F: Field, CS: Assignment + SyncDeps> V1Plan<'a, F, CS> { /// Creates a new v1 layouter. pub fn new(cs: &'a mut CS) -> Result { let ret = V1Plan { @@ -57,7 +57,7 @@ impl<'a, F: Field, CS: Assignment> V1Plan<'a, F, CS> { } impl FloorPlanner for V1 { - fn synthesize, C: Circuit>( + fn synthesize + SyncDeps, C: Circuit>( cs: &mut CS, circuit: &C, config: C::Config, @@ -90,8 +90,8 @@ impl FloorPlanner for V1 { // - Determine how many rows our planned circuit will require. let first_unassigned_row = column_allocations - .iter() - .map(|(_, a)| a.unbounded_interval_start()) + .values() + .map(|a| a.unbounded_interval_start()) .max() .unwrap_or(0); @@ -128,8 +128,7 @@ impl FloorPlanner for V1 { if constant_positions().count() < plan.constants.len() { return Err(Error::NotEnoughColumnsForConstants); } - for ((fixed_column, fixed_row), (value, advice)) in - constant_positions().zip(plan.constants.into_iter()) + for ((fixed_column, fixed_row), (value, advice)) in constant_positions().zip(plan.constants) { plan.cs.assign_fixed( || format!("Constant({:?})", value.evaluate()), @@ -169,7 +168,7 @@ impl<'p, 'a, F: Field, CS: Assignment + 'a> V1Pass<'p, 'a, F, CS> { } } -impl<'p, 'a, F: Field, CS: Assignment + 'a> Layouter for V1Pass<'p, 'a, F, CS> { +impl<'p, 'a, F: Field, CS: Assignment + SyncDeps> Layouter for V1Pass<'p, 'a, F, CS> { type Root = Self; fn assign_region(&mut self, name: N, assignment: A) -> Result @@ -293,7 +292,7 @@ pub struct AssignmentPass<'p, 'a, F: Field, CS: Assignment + 'a> { region_index: usize, } -impl<'p, 'a, F: Field, CS: Assignment + 'a> AssignmentPass<'p, 'a, F, CS> { +impl<'p, 'a, F: Field, CS: Assignment + SyncDeps> AssignmentPass<'p, 'a, F, CS> { fn new(plan: &'p mut V1Plan<'a, F, CS>) -> Self { AssignmentPass { plan, @@ -342,24 +341,7 @@ impl<'p, 'a, F: Field, CS: Assignment + 'a> AssignmentPass<'p, 'a, F, CS> { // Check that all table columns have the same length `first_unused`, // and all cells up to that length are assigned. - let first_unused = { - match default_and_assigned - .values() - .map(|(_, assigned)| { - if assigned.iter().all(|b| *b) { - Some(assigned.len()) - } else { - None - } - }) - .reduce(|acc, item| match (acc, item) { - (Some(a), Some(b)) if a == b => Some(a), - _ => None, - }) { - Some(Some(len)) => len, - _ => return Err(Error::Synthesis), // TODO better error - } - }; + let first_unused = compute_table_lengths(&default_and_assigned)?; // Record these columns so that we can prevent them from being used again. for column in default_and_assigned.keys() { @@ -413,7 +395,7 @@ impl<'r, 'a, F: Field, CS: Assignment + 'a> V1Region<'r, 'a, F, CS> { } } -impl<'r, 'a, F: Field, CS: Assignment + 'a> RegionLayouter for V1Region<'r, 'a, F, CS> { +impl<'r, 'a, F: Field, CS: Assignment + SyncDeps> RegionLayouter for V1Region<'r, 'a, F, CS> { fn enable_selector<'v>( &'v mut self, annotation: &'v (dyn Fn() -> String + 'v), @@ -496,6 +478,14 @@ impl<'r, 'a, F: Field, CS: Assignment + 'a> RegionLayouter for V1Region<'r Ok((cell, value)) } + fn instance_value( + &mut self, + instance: Column, + row: usize, + ) -> Result, Error> { + self.plan.cs.query_instance(instance, row) + } + fn assign_fixed<'v>( &'v mut self, annotation: &'v (dyn Fn() -> String + 'v), @@ -562,6 +552,8 @@ mod tests { impl Circuit for MyCircuit { type Config = Column; type FloorPlanner = super::V1; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { MyCircuit {} diff --git a/halo2_proofs/src/circuit/floor_planner/v1/strategy.rs b/halo2_proofs/src/circuit/floor_planner/v1/strategy.rs index f9acd0f5..71745de2 100644 --- a/halo2_proofs/src/circuit/floor_planner/v1/strategy.rs +++ b/halo2_proofs/src/circuit/floor_planner/v1/strategy.rs @@ -199,7 +199,7 @@ pub fn slot_in_biggest_advice_first( region_shapes: Vec, ) -> (Vec, CircuitAllocations) { let mut sorted_regions: Vec<_> = region_shapes.into_iter().collect(); - sorted_regions.sort_unstable_by_key(|shape| { + let sort_key = |shape: &RegionShape| { // Count the number of advice columns let advice_cols = shape .columns() @@ -211,7 +211,24 @@ pub fn slot_in_biggest_advice_first( .count(); // Sort by advice area (since this has the most contention). advice_cols * shape.row_count() - }); + }; + + // This used to incorrectly use `sort_unstable_by_key` with non-unique keys, which gave + // output that differed between 32-bit and 64-bit platforms, and potentially between Rust + // versions. + // We now use `sort_by_cached_key` with non-unique keys, and rely on `region_shapes` + // being sorted by region index (which we also rely on below to return `RegionStart`s + // in the correct order). + #[cfg(not(feature = "floor-planner-v1-legacy-pdqsort"))] + sorted_regions.sort_by_cached_key(sort_key); + + // To preserve compatibility, when the "floor-planner-v1-legacy-pdqsort" feature is enabled, + // we use a copy of the pdqsort implementation from the Rust 1.56.1 standard library, fixed + // to its behaviour on 64-bit platforms. + // https://github.com/rust-lang/rust/blob/1.56.1/library/core/src/slice/mod.rs#L2365-L2402 + #[cfg(feature = "floor-planner-v1-legacy-pdqsort")] + halo2_legacy_pdqsort::sort::quicksort(&mut sorted_regions, |a, b| sort_key(a).lt(&sort_key(b))); + sorted_regions.reverse(); // Lay out the sorted regions. diff --git a/halo2_proofs/src/circuit/layouter.rs b/halo2_proofs/src/circuit/layouter.rs index 4c9572e1..1b747077 100644 --- a/halo2_proofs/src/circuit/layouter.rs +++ b/halo2_proofs/src/circuit/layouter.rs @@ -6,8 +6,23 @@ use std::fmt; use ff::Field; +pub use super::table_layouter::TableLayouter; use super::{Cell, RegionIndex, Value}; -use crate::plonk::{Advice, Any, Assigned, Column, Error, Fixed, Instance, Selector, TableColumn}; +use crate::plonk::{Advice, Any, Assigned, Column, Error, Fixed, Instance, Selector}; + +/// Intermediate trait requirements for [`RegionLayouter`] when thread-safe regions are enabled. +#[cfg(feature = "thread-safe-region")] +pub trait SyncDeps: Send + Sync {} + +#[cfg(feature = "thread-safe-region")] +impl SyncDeps for T {} + +/// Intermediate trait requirements for [`RegionLayouter`]. +#[cfg(not(feature = "thread-safe-region"))] +pub trait SyncDeps {} + +#[cfg(not(feature = "thread-safe-region"))] +impl SyncDeps for T {} /// Helper trait for implementing a custom [`Layouter`]. /// @@ -39,7 +54,7 @@ use crate::plonk::{Advice, Any, Assigned, Column, Error, Fixed, Instance, Select /// `Chip::Config`). /// /// [`Layouter`]: super::Layouter -pub trait RegionLayouter: fmt::Debug { +pub trait RegionLayouter: fmt::Debug + SyncDeps { /// Enables a selector at the given offset. fn enable_selector<'v>( &'v mut self, @@ -90,7 +105,8 @@ pub trait RegionLayouter: fmt::Debug { /// Assign the value of the instance column's cell at absolute location /// `row` to the column `advice` at `offset` within this region. /// - /// Returns the advice cell, and its value if known. + /// Returns the advice cell that has been equality-constrained to the + /// instance cell, and its value if known. fn assign_advice_from_instance<'v>( &mut self, annotation: &'v (dyn Fn() -> String + 'v), @@ -100,7 +116,11 @@ pub trait RegionLayouter: fmt::Debug { offset: usize, ) -> Result<(Cell, Value), Error>; - /// Assign a fixed value + /// Returns the value of the instance column's cell at absolute location `row`. + fn instance_value(&mut self, instance: Column, row: usize) + -> Result, Error>; + + /// Assigns a fixed value fn assign_fixed<'v>( &'v mut self, annotation: &'v (dyn Fn() -> String + 'v), @@ -123,24 +143,6 @@ pub trait RegionLayouter: fmt::Debug { fn global_offset(&self, row_offset: usize) -> usize; } -/// Helper trait for implementing a custom [`Layouter`]. -/// -/// This trait is used for implementing table assignments. -/// -/// [`Layouter`]: super::Layouter -pub trait TableLayouter: fmt::Debug { - /// Assigns a fixed value to a table cell. - /// - /// Returns an error if the table cell has already been assigned to. - fn assign_cell<'v>( - &'v mut self, - annotation: &'v (dyn Fn() -> String + 'v), - column: TableColumn, - offset: usize, - to: &'v mut (dyn FnMut() -> Value> + 'v), - ) -> Result<(), Error>; -} - /// The shape of a region. For a region at a certain index, we track /// the set of columns it uses as well as the number of rows it uses. #[derive(Clone, Debug)] @@ -285,6 +287,14 @@ impl RegionLayouter for RegionShape { )) } + fn instance_value( + &mut self, + _instance: Column, + _row: usize, + ) -> Result, Error> { + Ok(Value::unknown()) + } + fn assign_fixed<'v>( &'v mut self, _: &'v (dyn Fn() -> String + 'v), diff --git a/halo2_proofs/src/circuit/table_layouter.rs b/halo2_proofs/src/circuit/table_layouter.rs new file mode 100644 index 00000000..5efe1173 --- /dev/null +++ b/halo2_proofs/src/circuit/table_layouter.rs @@ -0,0 +1,413 @@ +//! Implementations of common table layouters. + +use std::{ + collections::HashMap, + fmt::{self, Debug}, +}; + +use ff::Field; + +use crate::plonk::{Assigned, Assignment, Error, TableColumn, TableError}; + +use super::Value; + +/// Helper trait for implementing a custom [`Layouter`]. +/// +/// This trait is used for implementing table assignments. +/// +/// [`Layouter`]: super::Layouter +pub trait TableLayouter: std::fmt::Debug { + /// Assigns a fixed value to a table cell. + /// + /// Returns an error if the table cell has already been assigned to. + fn assign_cell<'v>( + &'v mut self, + annotation: &'v (dyn Fn() -> String + 'v), + column: TableColumn, + offset: usize, + to: &'v mut (dyn FnMut() -> Value> + 'v), + ) -> Result<(), Error>; +} + +/// The default value to fill a table column with. +/// +/// - The outer `Option` tracks whether the value in row 0 of the table column has been +/// assigned yet. This will always be `Some` once a valid table has been completely +/// assigned. +/// - The inner `Value` tracks whether the underlying `Assignment` is evaluating +/// witnesses or not. +type DefaultTableValue = Option>>; + +/// A table layouter that can be used to assign values to a table. +pub struct SimpleTableLayouter<'r, 'a, F: Field, CS: Assignment + 'a> { + cs: &'a mut CS, + used_columns: &'r [TableColumn], + /// maps from a fixed column to a pair (default value, vector saying which rows are assigned) + pub default_and_assigned: HashMap, Vec)>, +} + +impl<'r, 'a, F: Field, CS: Assignment + 'a> fmt::Debug for SimpleTableLayouter<'r, 'a, F, CS> { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("SimpleTableLayouter") + .field("used_columns", &self.used_columns) + .field("default_and_assigned", &self.default_and_assigned) + .finish() + } +} + +impl<'r, 'a, F: Field, CS: Assignment + 'a> SimpleTableLayouter<'r, 'a, F, CS> { + /// Returns a new SimpleTableLayouter + pub fn new(cs: &'a mut CS, used_columns: &'r [TableColumn]) -> Self { + SimpleTableLayouter { + cs, + used_columns, + default_and_assigned: HashMap::default(), + } + } +} + +impl<'r, 'a, F: Field, CS: Assignment + 'a> TableLayouter + for SimpleTableLayouter<'r, 'a, F, CS> +{ + fn assign_cell<'v>( + &'v mut self, + annotation: &'v (dyn Fn() -> String + 'v), + column: TableColumn, + offset: usize, + to: &'v mut (dyn FnMut() -> Value> + 'v), + ) -> Result<(), Error> { + if self.used_columns.contains(&column) { + return Err(Error::TableError(TableError::UsedColumn(column))); + } + + let entry = self.default_and_assigned.entry(column).or_default(); + + let mut value = Value::unknown(); + self.cs.assign_fixed( + annotation, + column.inner(), + offset, // tables are always assigned starting at row 0 + || { + let res = to(); + value = res; + res + }, + )?; + + match (entry.0.is_none(), offset) { + // Use the value at offset 0 as the default value for this table column. + (true, 0) => entry.0 = Some(value), + // Since there is already an existing default value for this table column, + // the caller should not be attempting to assign another value at offset 0. + (false, 0) => { + return Err(Error::TableError(TableError::OverwriteDefault( + column, + format!("{:?}", entry.0.unwrap()), + format!("{:?}", value), + ))) + } + _ => (), + } + if entry.1.len() <= offset { + entry.1.resize(offset + 1, false); + } + entry.1[offset] = true; + + Ok(()) + } +} + +pub(crate) fn compute_table_lengths( + default_and_assigned: &HashMap, Vec)>, +) -> Result { + let column_lengths: Result, Error> = default_and_assigned + .iter() + .map(|(col, (default_value, assigned))| { + if default_value.is_none() || assigned.is_empty() { + return Err(Error::TableError(TableError::ColumnNotAssigned(*col))); + } + if assigned.iter().all(|b| *b) { + // All values in the column have been assigned + Ok((col, assigned.len())) + } else { + Err(Error::TableError(TableError::ColumnNotAssigned(*col))) + } + }) + .collect(); + let column_lengths = column_lengths?; + column_lengths + .into_iter() + .try_fold((None, 0), |acc, (col, col_len)| { + if acc.1 == 0 || acc.1 == col_len { + Ok((Some(*col), col_len)) + } else { + let mut cols = [(*col, col_len), (acc.0.unwrap(), acc.1)]; + cols.sort(); + Err(Error::TableError(TableError::UnevenColumnLengths( + cols[0], cols[1], + ))) + } + }) + .map(|col_len| col_len.1) +} + +#[cfg(test)] +mod tests { + use halo2curves::pasta::Fp; + + use crate::{ + circuit::{Layouter, SimpleFloorPlanner}, + dev::MockProver, + plonk::{Circuit, ConstraintSystem}, + poly::Rotation, + }; + + use super::*; + + #[test] + fn table_no_default() { + const K: u32 = 4; + + #[derive(Clone)] + struct FaultyCircuitConfig { + table: TableColumn, + } + + struct FaultyCircuit; + + impl Circuit for FaultyCircuit { + type Config = FaultyCircuitConfig; + type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); + + fn without_witnesses(&self) -> Self { + Self + } + + fn configure(meta: &mut ConstraintSystem) -> Self::Config { + let a = meta.advice_column(); + let table = meta.lookup_table_column(); + + meta.lookup("", |cells| { + let a = cells.query_advice(a, Rotation::cur()); + vec![(a, table)] + }); + + Self::Config { table } + } + + fn synthesize( + &self, + config: Self::Config, + mut layouter: impl Layouter, + ) -> Result<(), Error> { + layouter.assign_table( + || "duplicate assignment", + |mut table| { + table.assign_cell( + || "default", + config.table, + 1, + || Value::known(Fp::zero()), + ) + }, + ) + } + } + + let prover = MockProver::run(K, &FaultyCircuit, vec![]); + assert_eq!( + format!("{}", prover.unwrap_err()), + "TableColumn { inner: Column { index: 0, column_type: Fixed } } not fully assigned. Help: assign a value at offset 0." + ); + } + + #[test] + fn table_overwrite_default() { + const K: u32 = 4; + + #[derive(Clone)] + struct FaultyCircuitConfig { + table: TableColumn, + } + + struct FaultyCircuit; + + impl Circuit for FaultyCircuit { + type Config = FaultyCircuitConfig; + type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); + + fn without_witnesses(&self) -> Self { + Self + } + + fn configure(meta: &mut ConstraintSystem) -> Self::Config { + let a = meta.advice_column(); + let table = meta.lookup_table_column(); + + meta.lookup("", |cells| { + let a = cells.query_advice(a, Rotation::cur()); + vec![(a, table)] + }); + + Self::Config { table } + } + + fn synthesize( + &self, + config: Self::Config, + mut layouter: impl Layouter, + ) -> Result<(), Error> { + layouter.assign_table( + || "duplicate assignment", + |mut table| { + table.assign_cell( + || "default", + config.table, + 0, + || Value::known(Fp::zero()), + )?; + table.assign_cell( + || "duplicate", + config.table, + 0, + || Value::known(Fp::zero()), + ) + }, + ) + } + } + + let prover = MockProver::run(K, &FaultyCircuit, vec![]); + assert_eq!( + format!("{}", prover.unwrap_err()), + "Attempted to overwrite default value Value { inner: Some(Trivial(0x0000000000000000000000000000000000000000000000000000000000000000)) } with Value { inner: Some(Trivial(0x0000000000000000000000000000000000000000000000000000000000000000)) } in TableColumn { inner: Column { index: 0, column_type: Fixed } }" + ); + } + + #[test] + fn table_reuse_column() { + const K: u32 = 4; + + #[derive(Clone)] + struct FaultyCircuitConfig { + table: TableColumn, + } + + struct FaultyCircuit; + + impl Circuit for FaultyCircuit { + type Config = FaultyCircuitConfig; + type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); + + fn without_witnesses(&self) -> Self { + Self + } + + fn configure(meta: &mut ConstraintSystem) -> Self::Config { + let a = meta.advice_column(); + let table = meta.lookup_table_column(); + + meta.lookup("", |cells| { + let a = cells.query_advice(a, Rotation::cur()); + vec![(a, table)] + }); + + Self::Config { table } + } + + fn synthesize( + &self, + config: Self::Config, + mut layouter: impl Layouter, + ) -> Result<(), Error> { + layouter.assign_table( + || "first assignment", + |mut table| { + table.assign_cell( + || "default", + config.table, + 0, + || Value::known(Fp::zero()), + ) + }, + )?; + + layouter.assign_table( + || "reuse", + |mut table| { + table.assign_cell(|| "reuse", config.table, 1, || Value::known(Fp::zero())) + }, + ) + } + } + + let prover = MockProver::run(K, &FaultyCircuit, vec![]); + assert_eq!( + format!("{}", prover.unwrap_err()), + "TableColumn { inner: Column { index: 0, column_type: Fixed } } has already been used" + ); + } + + #[test] + fn table_uneven_columns() { + const K: u32 = 4; + + #[derive(Clone)] + struct FaultyCircuitConfig { + table: (TableColumn, TableColumn), + } + + struct FaultyCircuit; + + impl Circuit for FaultyCircuit { + type Config = FaultyCircuitConfig; + type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); + + fn without_witnesses(&self) -> Self { + Self + } + + fn configure(meta: &mut ConstraintSystem) -> Self::Config { + let a = meta.advice_column(); + let table = (meta.lookup_table_column(), meta.lookup_table_column()); + meta.lookup("", |cells| { + let a = cells.query_advice(a, Rotation::cur()); + + vec![(a.clone(), table.0), (a, table.1)] + }); + + Self::Config { table } + } + + fn synthesize( + &self, + config: Self::Config, + mut layouter: impl Layouter, + ) -> Result<(), Error> { + layouter.assign_table( + || "table with uneven columns", + |mut table| { + table.assign_cell(|| "", config.table.0, 0, || Value::known(Fp::zero()))?; + table.assign_cell(|| "", config.table.0, 1, || Value::known(Fp::zero()))?; + + table.assign_cell(|| "", config.table.1, 0, || Value::known(Fp::zero())) + }, + ) + } + } + + let prover = MockProver::run(K, &FaultyCircuit, vec![]); + assert_eq!( + format!("{}", prover.unwrap_err()), + "TableColumn { inner: Column { index: 0, column_type: Fixed } } has length 2 while TableColumn { inner: Column { index: 1, column_type: Fixed } } has length 1" + ); + } +} diff --git a/halo2_proofs/src/circuit/value.rs b/halo2_proofs/src/circuit/value.rs index 1a1bf4f9..7052d8bc 100644 --- a/halo2_proofs/src/circuit/value.rs +++ b/halo2_proofs/src/circuit/value.rs @@ -68,6 +68,11 @@ impl Value { } } + /// ONLY FOR INTERNAL CRATE USAGE; DO NOT EXPOSE! + pub(crate) fn into_option(self) -> Option { + self.inner + } + /// Enforces an assertion on the contained value, if known. /// /// The assertion is ignored if `self` is [`Value::unknown()`]. Do not try to enforce diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index a8347836..2eb4e063 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -2,35 +2,32 @@ use std::collections::HashMap; use std::collections::HashSet; -use std::fmt; use std::iter; -use std::ops::{Add, DerefMut, Mul, Neg, Range}; +use std::ops::{Add, Mul, Neg, Range}; use std::sync::Arc; -use std::time::{Duration, Instant}; use blake2b_simd::blake2b; +use ff::Field; use ff::FromUniformBytes; -use ff::{BatchInvert, Field}; -use group::Group; use crate::plonk::permutation::keygen::Assembly; -use crate::plonk::sealed::SealedPhase; -use crate::plonk::FirstPhase; -use crate::plonk::ThirdPhase; use crate::{ circuit, plonk::{ - permutation, Advice, Any, Assigned, Assignment, Challenge, Circuit, Column, ColumnType, - ConstraintSystem, Error, Expression, Fixed, FloorPlanner, Instance, Phase, Selector, - VirtualCell, + permutation, sealed, Advice, Any, Assigned, Assignment, Challenge, Circuit, Column, + ConstraintSystem, Error, Expression, Fixed, FloorPlanner, Instance, Selector, }, - poly::Rotation, }; -use rayon::{ - iter::{ - IndexedParallelIterator, IntoParallelIterator, IntoParallelRefIterator, ParallelIterator, - }, - slice::ParallelSliceMut, + +#[cfg(feature = "multiphase-mock-prover")] +use crate::{plonk::sealed::SealedPhase, plonk::FirstPhase, plonk::Phase}; +#[cfg(feature = "multiphase-mock-prover")] +use ff::BatchInvert; + +#[cfg(feature = "multicore")] +use crate::multicore::{ + IndexedParallelIterator, IntoParallelIterator, IntoParallelRefIterator, ParallelIterator, + ParallelSliceMut, }; pub mod metadata; @@ -47,11 +44,12 @@ mod gates; pub use gates::CircuitGates; use crate::two_dim_vec_to_vec_of_slice; +mod tfp; +pub use tfp::TracingFloorPlanner; #[cfg(feature = "dev-graph")] mod graph; -use crate::circuit::Cell; use crate::helpers::CopyCell; #[cfg(feature = "dev-graph")] #[cfg_attr(docsrs, doc(cfg(feature = "dev-graph")))] @@ -98,7 +96,7 @@ impl Region { } /// The value of a particular cell within the circuit. -#[derive(Clone, Copy, Debug)] +#[derive(Clone, Copy, Debug, Eq)] pub enum CellValue { /// An unassigned cell. Unassigned, @@ -344,6 +342,8 @@ impl Mul for Value { /// impl Circuit for MyCircuit { /// type Config = MyConfig; /// type FloorPlanner = SimpleFloorPlanner; +/// #[cfg(feature = "circuit-params")] +/// type Params = (); /// /// fn without_witnesses(&self) -> Self { /// Self::default() @@ -411,13 +411,15 @@ impl Mul for Value { /// }]) /// ); /// -/// // If we provide a too-small K, we get an error. -/// assert!(matches!( -/// MockProver::::run(2, &circuit, vec![]).unwrap_err(), -/// Error::NotEnoughRowsAvailable { -/// current_k, -/// } if current_k == 2, -/// )); +/// // If we provide a too-small K, we get a panic. +/// use std::panic; +/// let result = panic::catch_unwind(|| { +/// MockProver::::run(2, &circuit, vec![]).unwrap_err() +/// }); +/// assert_eq!( +/// result.unwrap_err().downcast_ref::().unwrap(), +/// "n=4, minimum_rows=8, k=2" +/// ); /// ``` #[derive(Debug)] pub struct MockProver<'a, F: Field> { @@ -440,7 +442,7 @@ pub struct MockProver<'a, F: Field> { // This field is used only if the "phase_check" feature is turned on. advice_prev: Vec>>, // The instance cells in the circuit, arranged as [column][row]. - instance: Vec>, + instance: Vec>>, selectors_vec: Arc>>, selectors: Vec<&'a mut [bool]>, @@ -455,7 +457,29 @@ pub struct MockProver<'a, F: Field> { // A range of available rows for assignment and copies. usable_rows: Range, - current_phase: crate::plonk::sealed::Phase, + current_phase: sealed::Phase, // crate::plonk::sealed::Phase, +} + +#[derive(Debug, Clone, PartialEq, Eq)] +enum InstanceValue { + Assigned(F), + Padding, +} + +impl InstanceValue { + fn value(&self) -> F { + match self { + InstanceValue::Assigned(v) => *v, + InstanceValue::Padding => F::ZERO, + } + } +} + +#[cfg(feature = "multiphase-mock-prover")] +impl<'a, F: Field> MockProver<'a, F> { + fn in_phase(&self, phase: P) -> bool { + self.current_phase == phase.to_sealed() + } } impl<'a, F: Field> Assignment for MockProver<'a, F> { @@ -464,6 +488,11 @@ impl<'a, F: Field> Assignment for MockProver<'a, F> { NR: Into, N: FnOnce() -> NR, { + #[cfg(feature = "multiphase-mock-prover")] + if !self.in_phase(FirstPhase) { + return; + } + assert!(self.current_region.is_none()); self.current_region = Some(Region { name: name().into(), @@ -477,6 +506,11 @@ impl<'a, F: Field> Assignment for MockProver<'a, F> { } fn exit_region(&mut self) { + #[cfg(feature = "multiphase-mock-prover")] + if !self.in_phase(FirstPhase) { + return; + } + self.regions.push(self.current_region.take().unwrap()); } @@ -485,6 +519,11 @@ impl<'a, F: Field> Assignment for MockProver<'a, F> { A: FnOnce() -> AR, AR: Into, { + #[cfg(feature = "multiphase-mock-prover")] + if !self.in_phase(FirstPhase) { + return; + } + if let Some(region) = self.current_region.as_mut() { region .annotations @@ -497,6 +536,21 @@ impl<'a, F: Field> Assignment for MockProver<'a, F> { A: FnOnce() -> AR, AR: Into, { + #[cfg(feature = "multiphase-mock-prover")] + { + if !self.in_phase(FirstPhase) { + return Ok(()); + } + assert!( + self.usable_rows.contains(&row), + "row={} not in usable_rows={:?}, k={}", + row, + self.usable_rows, + self.k, + ); + } + + #[cfg(not(feature = "multiphase-mock-prover"))] if !self.usable_rows.contains(&row) { return Err(Error::not_enough_rows_available(self.k)); } @@ -704,15 +758,26 @@ impl<'a, F: Field> Assignment for MockProver<'a, F> { column: Column, row: usize, ) -> Result, Error> { + #[cfg(feature = "multiphase-mock-prover")] + assert!( + self.usable_rows.contains(&row), + "row={}, usable_rows={:?}, k={}", + row, + self.usable_rows, + self.k, + ); + + #[cfg(not(feature = "multiphase-mock-prover"))] if !self.usable_rows.contains(&row) { return Err(Error::not_enough_rows_available(self.k)); } - self.instance + Ok(self + .instance .get(column.index()) .and_then(|column| column.get(row)) - .map(|v| circuit::Value::known(*v)) - .ok_or(Error::BoundsFailure) + .map(|v| circuit::Value::known(v.value())) + .expect("bound failure")) } fn assign_advice( @@ -733,6 +798,26 @@ impl<'a, F: Field> Assignment for MockProver<'a, F> { return Ok(()); } + #[cfg(feature = "multiphase-mock-prover")] + if self.in_phase(FirstPhase) { + assert!( + self.usable_rows.contains(&row), + "row={}, usable_rows={:?}, k={}", + row, + self.usable_rows, + self.k, + ); + if let Some(region) = self.current_region.as_mut() { + region.update_extent(column.into(), row); + region + .cells + .entry((column.into(), row)) + .and_modify(|count| *count += 1) + .or_default(); + } + } + + #[cfg(not(feature = "multiphase-mock-prover"))] if !self.usable_rows.contains(&row) { return Err(Error::not_enough_rows_available(self.k)); } @@ -747,6 +832,7 @@ impl<'a, F: Field> Assignment for MockProver<'a, F> { )); } + #[cfg(not(feature = "multiphase-mock-prover"))] if let Some(region) = self.current_region.as_mut() { region.update_extent(column.into(), row); region @@ -775,11 +861,23 @@ impl<'a, F: Field> Assignment for MockProver<'a, F> { #[cfg(feature = "mock-batch-inv")] let assigned = CellValue::from(val_res?); - *self - .advice - .get_mut(column.index()) - .and_then(|v| v.get_mut(row - self.rw_rows.start)) - .ok_or(Error::BoundsFailure)? = assigned; + #[cfg(feature = "multiphase-mock-prover")] + if self.in_phase(column.column_type().phase) { + *self + .advice + .get_mut(column.index()) + .and_then(|v| v.get_mut(row - self.rw_rows.start)) + .expect("bounds failure") = assigned; + } + + #[cfg(not(feature = "multiphase-mock-prover"))] + { + *self + .advice + .get_mut(column.index()) + .and_then(|v| v.get_mut(row - self.rw_rows.start)) + .ok_or(Error::BoundsFailure)? = assigned; + } #[cfg(feature = "phase-check")] // if false && self.current_phase.0 > column.column_type().phase.0 { @@ -814,10 +912,25 @@ impl<'a, F: Field> Assignment for MockProver<'a, F> { A: FnOnce() -> AR, AR: Into, { + #[cfg(not(feature = "multiphase-mock-prover"))] if !self.usable_rows.contains(&row) { return Err(Error::not_enough_rows_available(self.k)); } + #[cfg(feature = "multiphase-mock-prover")] + { + if !self.in_phase(FirstPhase) { + return Ok(()); + } + + assert!( + self.usable_rows.contains(&row), + "row={}, usable_rows={:?}, k={}", + row, + self.usable_rows, + self.k, + ); + } if !self.rw_rows.contains(&row) { return Err(Error::InvalidRange( row, @@ -865,10 +978,27 @@ impl<'a, F: Field> Assignment for MockProver<'a, F> { right_column: Column, right_row: usize, ) -> Result<(), crate::plonk::Error> { + #[cfg(not(feature = "multiphase-mock-prover"))] if !self.usable_rows.contains(&left_row) || !self.usable_rows.contains(&right_row) { return Err(Error::not_enough_rows_available(self.k)); } + #[cfg(feature = "multiphase-mock-prover")] + { + if !self.in_phase(FirstPhase) { + return Ok(()); + } + + assert!( + self.usable_rows.contains(&left_row) && self.usable_rows.contains(&right_row), + "left_row={}, right_row={}, usable_rows={:?}, k={}", + left_row, + right_row, + self.usable_rows, + self.k, + ); + } + match self.permutation.as_mut() { Some(permutation) => permutation.copy(left_column, left_row, right_column, right_row), None => { @@ -896,9 +1026,24 @@ impl<'a, F: Field> Assignment for MockProver<'a, F> { from_row: usize, to: circuit::Value>, ) -> Result<(), Error> { + #[cfg(not(feature = "multiphase-mock-prover"))] if !self.usable_rows.contains(&from_row) { return Err(Error::not_enough_rows_available(self.k)); } + #[cfg(feature = "multiphase-mock-prover")] + { + if !self.in_phase(FirstPhase) { + return Ok(()); + } + + assert!( + self.usable_rows.contains(&from_row), + "row={}, usable_rows={:?}, k={}", + from_row, + self.usable_rows, + self.k, + ); + } for row in self.usable_rows.clone().skip(from_row) { self.assign_fixed(|| "", col, row, || to)?; @@ -939,29 +1084,41 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { let n = 1 << k; let mut cs = ConstraintSystem::default(); + #[cfg(feature = "circuit-params")] + let config = ConcreteCircuit::configure_with_params(&mut cs, circuit.params()); + #[cfg(not(feature = "circuit-params"))] let config = ConcreteCircuit::configure(&mut cs); let cs = cs.chunk_lookups(); - let cs = cs; - if n < cs.minimum_rows() { - return Err(Error::not_enough_rows_available(k)); - } + assert!( + n >= cs.minimum_rows(), + "n={}, minimum_rows={}, k={}", + n, + cs.minimum_rows(), + k, + ); - if instance.len() != cs.num_instance_columns { - return Err(Error::InvalidInstances); - } + assert_eq!(instance.len(), cs.num_instance_columns); let instance = instance .into_iter() - .map(|mut instance| { - if instance.len() > n - (cs.blinding_factors() + 1) { - return Err(Error::InstanceTooLarge); + .map(|instance| { + assert!( + instance.len() <= n - (cs.blinding_factors() + 1), + "instance.len={}, n={}, cs.blinding_factors={}", + instance.len(), + n, + cs.blinding_factors() + ); + + let mut instance_values = vec![InstanceValue::Padding; n]; + for (idx, value) in instance.into_iter().enumerate() { + instance_values[idx] = InstanceValue::Assigned(value); } - instance.resize(n, F::ZERO); - Ok(instance) + instance_values }) - .collect::, _>>()?; + .collect::>(); // Fixed columns contain no blinding factors. let fixed_vec = Arc::new(vec![vec![CellValue::Unassigned; n]; cs.num_fixed_columns]); @@ -1084,7 +1241,20 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { #[cfg(not(feature = "phase-check"))] { - let syn_time = Instant::now(); + let syn_time = std::time::Instant::now(); + + #[cfg(feature = "multiphase-mock-prover")] + for current_phase in prover.cs.phases() { + prover.current_phase = current_phase; + ConcreteCircuit::FloorPlanner::synthesize( + &mut prover, + circuit, + config.clone(), + constants.clone(), + )?; + } + + #[cfg(not(feature = "multiphase-mock-prover"))] ConcreteCircuit::FloorPlanner::synthesize(&mut prover, circuit, config, constants)?; log::info!("MockProver synthesize took {:?}", syn_time.elapsed()); } @@ -1126,6 +1296,9 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { }; debug_assert_eq!(Arc::strong_count(&prover.fixed_vec), 1); + #[cfg(feature = "thread-safe-region")] + prover.permutation.as_mut().unwrap().build_ordered_mapping(); + Ok(prover) } @@ -1192,17 +1365,42 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { // Determine where this cell should have been assigned. let cell_row = ((gate_row + n + cell.rotation.0) % n) as usize; - // Check that it was assigned! - if r.cells.get(&(cell.column, cell_row)).is_some() { - None - } else { - Some(VerifyFailure::CellNotAssigned { - gate: (gate_index, gate.name()).into(), - region: (r_i, r.name.clone(), r.annotations.clone()).into(), - gate_offset: *selector_row, - column: cell.column, - offset: cell_row as isize - r.rows.unwrap().0 as isize, - }) + match cell.column.column_type() { + Any::Instance => { + // Handle instance cells, which are not in the region. + let instance_value = + &self.instance[cell.column.index()][cell_row]; + match instance_value { + InstanceValue::Assigned(_) => None, + _ => Some(VerifyFailure::InstanceCellNotAssigned { + gate: (gate_index, gate.name()).into(), + region: (r_i, r.name.clone()).into(), + gate_offset: *selector_row, + column: cell.column.try_into().unwrap(), + row: cell_row, + }), + } + } + _ => { + // Check that it was assigned! + if r.cells.contains_key(&(cell.column, cell_row)) { + None + } else { + Some(VerifyFailure::CellNotAssigned { + gate: (gate_index, gate.name()).into(), + region: ( + r_i, + r.name.clone(), + r.annotations.clone(), + ) + .into(), + gate_offset: *selector_row, + column: cell.column, + offset: cell_row as isize + - r.rows.unwrap().0 as isize, + }) + } + } } }) }) @@ -1219,11 +1417,7 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { .flat_map(|(gate_index, gate)| { let blinding_rows = (self.n as usize - (self.cs.blinding_factors() + 1))..(self.n as usize); - (gate_row_ids - .clone() - .into_iter() - .chain(blinding_rows.into_iter())) - .flat_map(move |row| { + (gate_row_ids.clone().chain(blinding_rows)).flat_map(move |row| { let row = row as i32 + n; gate.polynomials().iter().enumerate().filter_map( move |(poly_index, poly)| match poly.evaluate_lazy( @@ -1294,6 +1488,43 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { }) }); + let load = |expression: &Expression, row| { + expression.evaluate_lazy( + &|scalar| Value::Real(scalar), + &|_| panic!("virtual selectors are removed during optimization"), + &|query| { + let query = self.cs.fixed_queries[query.index.unwrap()]; + let column_index = query.0.index(); + let rotation = query.1 .0; + self.fixed[column_index][(row as i32 + n + rotation) as usize % n as usize] + .into() + }, + &|query| { + let query = self.cs.advice_queries[query.index.unwrap()]; + let column_index = query.0.index(); + let rotation = query.1 .0; + self.advice[column_index][(row as i32 + n + rotation) as usize % n as usize] + .into() + }, + &|query| { + let query = self.cs.instance_queries[query.index.unwrap()]; + let column_index = query.0.index(); + let rotation = query.1 .0; + Value::Real( + self.instance[column_index] + [(row as i32 + n + rotation) as usize % n as usize] + .value(), + ) + }, + &|challenge| Value::Real(self.challenges[challenge.index()]), + &|a| -a, + &|a, b| a + b, + &|a, b| a * b, + &|a, scalar| a * scalar, + &Value::Real(F::ZERO), + ) + }; + let mut cached_table = Vec::new(); let mut cached_table_identifier = Vec::new(); // Check that all lookups exist in their respective tables. @@ -1303,47 +1534,6 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { .iter() .enumerate() .flat_map(|(lookup_index, lookup)| { - let load = |expression: &Expression, row| { - expression.evaluate_lazy( - &|scalar| Value::Real(scalar), - &|_| panic!("virtual selectors are removed during optimization"), - &|query| { - let query = self.cs.fixed_queries[query.index]; - let column_index = query.0.index(); - let rotation = query.1 .0; - self.fixed[column_index] - [(row as i32 + n + rotation) as usize % n as usize] - .into() - }, - &|query| { - let query = self.cs.advice_queries[query.index]; - let column_index = query.0.index(); - let rotation = query.1 .0; - self.advice[column_index] - [(row as i32 + n + rotation) as usize % n as usize] - .into() - }, - &|query| { - let query = self.cs.instance_queries[query.index]; - let column_index = query.0.index(); - let rotation = query.1 .0; - Value::Real( - self.instance[column_index] - [(row as i32 + n + rotation) as usize % n as usize], - ) - }, - &|challenge| Value::Real(self.challenges[challenge.index()]), - &|a| -a, - &|a, b| a + b, - &|a, b| a * b, - &|a, scalar| a * scalar, - &Value::Real(F::ZERO), - ) - }; - - for input_expressions in lookup.inputs_expressions.iter() { - assert!(lookup.table_expressions.len() == input_expressions.len()); - } assert!(self.usable_rows.end > 0); // We optimize on the basis that the table might have been filled so that the last @@ -1422,7 +1612,7 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { assert!(table.binary_search(input).is_err()); Some(VerifyFailure::Lookup { - name: lookup.name, + name: lookup.name.to_string(), lookup_index, location: FailureLocation::find_expressions( &self.cs, @@ -1440,6 +1630,71 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { .collect::>() }); + let shuffle_errors = + self.cs + .shuffles + .iter() + .enumerate() + .flat_map(|(shuffle_index, shuffle)| { + assert!(shuffle.shuffle_expressions.len() == shuffle.input_expressions.len()); + assert!(self.usable_rows.end > 0); + + let mut shuffle_rows: Vec>> = self + .usable_rows + .clone() + .map(|row| { + let t = shuffle + .shuffle_expressions + .iter() + .map(move |c| load(c, row)) + .collect(); + t + }) + .collect(); + shuffle_rows.sort(); + + let mut input_rows: Vec<(Vec>, usize)> = self + .usable_rows + .clone() + .map(|input_row| { + let t = shuffle + .input_expressions + .iter() + .map(move |c| load(c, input_row)) + .collect(); + + (t, input_row) + }) + .collect(); + input_rows.sort(); + + input_rows + .iter() + .zip(shuffle_rows.iter()) + .filter_map(|((input_value, row), shuffle_value)| { + if shuffle_value != input_value { + Some(VerifyFailure::Shuffle { + name: shuffle.name.clone(), + shuffle_index, + location: FailureLocation::find_expressions( + &self.cs, + &self.regions, + *row, + shuffle.input_expressions.iter(), + ), + }) + } else { + None + } + }) + .collect::>() + }); + + let mapping = self + .permutation + .as_ref() + .expect("root cs permutation must be Some") + .mapping(); // Check that permutations preserve the original values of the cells. let perm_errors = { // Original values of columns involved in the permutation. @@ -1451,22 +1706,21 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { .map(|c: &Column| match c.column_type() { Any::Advice(_) => self.advice[c.index()][row], Any::Fixed => self.fixed[c.index()][row], - Any::Instance => CellValue::Assigned(self.instance[c.index()][row]), + Any::Instance => { + let cell: &InstanceValue = &self.instance[c.index()][row]; + CellValue::Assigned(cell.value()) + } }) .unwrap() }; // Iterate over each column of the permutation - self.permutation - .as_ref() - .expect("root cs permutation must be Some") - .mapping - .iter() - .enumerate() - .flat_map(move |(column, values)| { - // Iterate over each row of the column to check that the cell's - // value is preserved by the mapping. - values.iter().enumerate().filter_map(move |(row, cell)| { + mapping.enumerate().flat_map(move |(column, values)| { + // Iterate over each row of the column to check that the cell's + // value is preserved by the mapping. + values + .enumerate() + .filter_map(move |(row, cell)| { let original_cell = original(column, row); let permuted_cell = original(cell.0, cell.1); if original_cell == permuted_cell { @@ -1484,7 +1738,8 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { }) } }) - }) + .collect::>() + }) }; let mut errors: Vec<_> = iter::empty() @@ -1492,6 +1747,7 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { .chain(gate_errors) .chain(lookup_errors.flatten()) .chain(perm_errors) + .chain(shuffle_errors) .collect(); if errors.is_empty() { Ok(()) @@ -1513,6 +1769,7 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { /// Returns `Ok(())` if this `MockProver` is satisfied, or a list of errors indicating /// the reasons that the circuit is not satisfied. /// Constraints and lookup are checked at `usable_rows`, parallelly. + #[cfg(feature = "multicore")] pub fn verify_par(&self) -> Result<(), Vec> { self.verify_at_rows_par(self.usable_rows.clone(), self.usable_rows.clone()) } @@ -1520,6 +1777,7 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { /// Returns `Ok(())` if this `MockProver` is satisfied, or a list of errors indicating /// the reasons that the circuit is not satisfied. /// Constraints are only checked at `gate_row_ids`, and lookup inputs are only checked at `lookup_input_row_ids`, parallelly. + #[cfg(feature = "multicore")] pub fn verify_at_rows_par>( &self, gate_row_ids: I, @@ -1573,23 +1831,44 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { let cell_row = ((gate_row + n + cell.rotation.0) % n) as usize; - // Check that it was assigned! - if r.cells.contains_key(&(cell.column, cell_row)) { - None - } else { - Some(VerifyFailure::CellNotAssigned { - gate: (gate_index, gate.name()).into(), - region: ( - r_i, - r.name.clone(), - r.annotations.clone(), - ) - .into(), - gate_offset: *selector_row, - column: cell.column, - offset: cell_row as isize - - r.rows.unwrap().0 as isize, - }) + match cell.column.column_type() { + Any::Instance => { + // Handle instance cells, which are not in the region. + let instance_value = + &self.instance[cell.column.index()][cell_row]; + match instance_value { + InstanceValue::Assigned(_) => None, + _ => Some( + VerifyFailure::InstanceCellNotAssigned { + gate: (gate_index, gate.name()).into(), + region: (r_i, r.name.clone()).into(), + gate_offset: *selector_row, + column: cell.column.try_into().unwrap(), + row: cell_row, + }, + ), + } + } + _ => { + // Check that it was assigned! + if r.cells.contains_key(&(cell.column, cell_row)) { + None + } else { + Some(VerifyFailure::CellNotAssigned { + gate: (gate_index, gate.name()).into(), + region: ( + r_i, + r.name.clone(), + r.annotations.clone(), + ) + .into(), + gate_offset: *selector_row, + column: cell.column, + offset: cell_row as isize + - r.rows.unwrap().0 as isize, + }) + } + } } }) .collect::>() @@ -1688,6 +1967,36 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { .collect::>() }); + let load = |expression: &Expression, row| { + expression.evaluate_lazy( + &|scalar| Value::Real(scalar), + &|_| panic!("virtual selectors are removed during optimization"), + &|query| { + self.fixed[query.column_index] + [(row as i32 + n + query.rotation.0) as usize % n as usize] + .into() + }, + &|query| { + self.advice[query.column_index] + [(row as i32 + n + query.rotation.0) as usize % n as usize] + .into() + }, + &|query| { + Value::Real( + self.instance[query.column_index] + [(row as i32 + n + query.rotation.0) as usize % n as usize] + .value(), + ) + }, + &|challenge| Value::Real(self.challenges[challenge.index()]), + &|a| -a, + &|a, b| a + b, + &|a, b| a * b, + &|a, scalar| a * scalar, + &Value::Real(F::ZERO), + ) + }; + let mut cached_table = Vec::new(); let mut cached_table_identifier = Vec::new(); // Check that all lookups exist in their respective tables. @@ -1697,38 +2006,6 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { .iter() .enumerate() .flat_map(|(lookup_index, lookup)| { - let load = |expression: &Expression, row| { - expression.evaluate_lazy( - &|scalar| Value::Real(scalar), - &|_| panic!("virtual selectors are removed during optimization"), - &|query| { - self.fixed[query.column_index] - [(row as i32 + n + query.rotation.0) as usize % n as usize] - .into() - }, - &|query| { - self.advice[query.column_index] - [(row as i32 + n + query.rotation.0) as usize % n as usize] - .into() - }, - &|query| { - Value::Real( - self.instance[query.column_index] - [(row as i32 + n + query.rotation.0) as usize % n as usize], - ) - }, - &|challenge| Value::Real(self.challenges[challenge.index()]), - &|a| -a, - &|a, b| a + b, - &|a, b| a * b, - &|a, scalar| a * scalar, - &Value::Real(F::ZERO), - ) - }; - - for input_expressions in lookup.inputs_expressions.iter() { - assert!(lookup.table_expressions.len() == input_expressions.len()); - } assert!(self.usable_rows.end > 0); // We optimize on the basis that the table might have been filled so that the last @@ -1803,7 +2080,7 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { .filter_map(move |(input, input_row)| { if table.binary_search(input).is_err() { Some(VerifyFailure::Lookup { - name: lookup.name, + name: lookup.name.to_string(), lookup_index, location: FailureLocation::find_expressions( &self.cs, @@ -1821,6 +2098,71 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { .collect::>() }); + let shuffle_errors = + self.cs + .shuffles + .iter() + .enumerate() + .flat_map(|(shuffle_index, shuffle)| { + assert!(shuffle.shuffle_expressions.len() == shuffle.input_expressions.len()); + assert!(self.usable_rows.end > 0); + + let mut shuffle_rows: Vec>> = self + .usable_rows + .clone() + .map(|row| { + let t = shuffle + .shuffle_expressions + .iter() + .map(move |c| load(c, row)) + .collect(); + t + }) + .collect(); + shuffle_rows.sort(); + + let mut input_rows: Vec<(Vec>, usize)> = self + .usable_rows + .clone() + .map(|input_row| { + let t = shuffle + .input_expressions + .iter() + .map(move |c| load(c, input_row)) + .collect(); + + (t, input_row) + }) + .collect(); + input_rows.sort(); + + input_rows + .iter() + .zip(shuffle_rows.iter()) + .filter_map(|((input_value, row), shuffle_value)| { + if shuffle_value != input_value { + Some(VerifyFailure::Shuffle { + name: shuffle.name.clone(), + shuffle_index, + location: FailureLocation::find_expressions( + &self.cs, + &self.regions, + *row, + shuffle.input_expressions.iter(), + ), + }) + } else { + None + } + }) + .collect::>() + }); + + let mapping = self + .permutation + .as_ref() + .expect("root cs permutation must be Some") + .mapping(); // Check that permutations preserve the original values of the cells. let perm_errors = { // Original values of columns involved in the permutation. @@ -1832,44 +2174,40 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { .map(|c: &Column| match c.column_type() { Any::Advice(_) => self.advice[c.index()][row], Any::Fixed => self.fixed[c.index()][row], - Any::Instance => CellValue::Assigned(self.instance[c.index()][row]), + Any::Instance => { + let cell: &InstanceValue = &self.instance[c.index()][row]; + CellValue::Assigned(cell.value()) + } }) .unwrap() }; // Iterate over each column of the permutation - self.permutation - .as_ref() - .expect("root cs permutation must be Some") - .mapping - .iter() - .enumerate() - .flat_map(move |(column, values)| { - // Iterate over each row of the column to check that the cell's - // value is preserved by the mapping. - values - .par_iter() - .enumerate() - .filter_map(move |(row, cell)| { - let original_cell = original(column, row); - let permuted_cell = original(cell.0, cell.1); - if original_cell == permuted_cell { - None - } else { - let columns = self.cs.permutation.get_columns(); - let column = columns.get(column).unwrap(); - Some(VerifyFailure::Permutation { - column: (*column).into(), - location: FailureLocation::find( - &self.regions, - row, - Some(column).into_iter().cloned().collect(), - ), - }) - } - }) - .collect::>() - }) + mapping.enumerate().flat_map(move |(column, values)| { + // Iterate over each row of the column to check that the cell's + // value is preserved by the mapping. + values + .enumerate() + .filter_map(move |(row, cell)| { + let original_cell = original(column, row); + let permuted_cell = original(cell.0, cell.1); + if original_cell == permuted_cell { + None + } else { + let columns = self.cs.permutation.get_columns(); + let column = columns.get(column).unwrap(); + Some(VerifyFailure::Permutation { + column: (*column).into(), + location: FailureLocation::find( + &self.regions, + row, + Some(column).into_iter().cloned().collect(), + ), + }) + } + }) + .collect::>() + }) }; let mut errors: Vec<_> = iter::empty() @@ -1877,6 +2215,7 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { .chain(gate_errors) .chain(lookup_errors.flatten()) .chain(perm_errors) + .chain(shuffle_errors) .collect(); if errors.is_empty() { Ok(()) @@ -1925,6 +2264,7 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { /// ```ignore /// assert_eq!(prover.verify_par(), Ok(())); /// ``` + #[cfg(feature = "multicore")] pub fn assert_satisfied_par(&self) { if let Err(errs) = self.verify_par() { for err in errs { @@ -1946,6 +2286,7 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { /// ```ignore /// assert_eq!(prover.verify_at_rows_par(), Ok(())); /// ``` + #[cfg(feature = "multicore")] pub fn assert_satisfied_at_rows_par>( &self, gate_row_ids: I, @@ -2006,6 +2347,8 @@ mod tests { impl Circuit for FaultyCircuit { type Config = FaultyCircuitConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn configure(meta: &mut ConstraintSystem) -> Self::Config { let a = meta.advice_column(); @@ -2092,6 +2435,8 @@ mod tests { impl Circuit for FaultyCircuit { type Config = FaultyCircuitConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn configure(meta: &mut ConstraintSystem) -> Self::Config { let a = meta.advice_column(); @@ -2235,7 +2580,7 @@ mod tests { assert_eq!( prover.verify(), Err(vec![VerifyFailure::Lookup { - name: "lookup", + name: "lookup".to_string(), lookup_index: 0, location: FailureLocation::InRegion { region: (1, "Faulty synthesis").into(), @@ -2261,6 +2606,8 @@ mod tests { impl Circuit for FaultyCircuit { type Config = FaultyCircuitConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn configure(meta: &mut ConstraintSystem) -> Self::Config { let a = meta.advice_column(); @@ -2303,7 +2650,7 @@ mod tests { || Value::known(Fp::from(2 * i as u64)), ) }) - .fold(Ok(()), |acc, res| acc.and(res)) + .try_fold((), |_, res| res) }, )?; @@ -2367,7 +2714,7 @@ mod tests { assert_eq!( prover.verify(), Err(vec![VerifyFailure::Lookup { - name: "lookup", + name: "lookup".to_string(), lookup_index: 0, location: FailureLocation::InRegion { region: (2, "Faulty synthesis").into(), @@ -2395,6 +2742,8 @@ mod tests { impl Circuit for FaultyCircuit { type Config = FaultyCircuitConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn configure(meta: &mut ConstraintSystem) -> Self::Config { let a = meta.advice_column(); diff --git a/halo2_proofs/src/dev/cost.rs b/halo2_proofs/src/dev/cost.rs index effbd979..82880069 100644 --- a/halo2_proofs/src/dev/cost.rs +++ b/halo2_proofs/src/dev/cost.rs @@ -2,6 +2,7 @@ use std::ops::Range; use std::{ + cmp, collections::{HashMap, HashSet}, iter, marker::PhantomData, @@ -12,7 +13,7 @@ use ff::{Field, PrimeField}; use group::prime::PrimeGroup; use crate::{ - circuit::Value, + circuit::{layouter::RegionColumn, Value}, plonk::{ Advice, Any, Assigned, Assignment, Challenge, Circuit, Column, ConstraintSystem, Error, Fixed, FloorPlanner, Instance, Selector, @@ -21,10 +22,11 @@ use crate::{ }; /// Measures a circuit to determine its costs, and explain what contributes to them. +#[allow(dead_code)] #[derive(Debug)] pub struct CircuitCost> { /// Power-of-2 bound on the number of rows in the circuit. - k: usize, + k: u32, /// Maximum degree of the circuit. max_deg: usize, /// Number of advice columns. @@ -39,25 +41,141 @@ pub struct CircuitCost> { permutation_cols: usize, /// Number of distinct sets of points in the multiopening argument. point_sets: usize, + /// Maximum rows used over all columns + max_rows: usize, + /// Maximum rows used over all advice columns + max_advice_rows: usize, + /// Maximum rows used over all fixed columns + max_fixed_rows: usize, + num_fixed_columns: usize, + num_advice_columns: usize, + num_instance_columns: usize, + num_total_columns: usize, _marker: PhantomData<(G, ConcreteCircuit)>, } -struct Assembly { - selectors: Vec>, +/// Region implementation used by Layout +#[allow(dead_code)] +#[derive(Debug)] +pub(crate) struct LayoutRegion { + /// The name of the region. Not required to be unique. + pub(crate) name: String, + /// The columns used by this region. + pub(crate) columns: HashSet, + /// The row that this region starts on, if known. + pub(crate) offset: Option, + /// The number of rows that this region takes up. + pub(crate) rows: usize, + /// The cells assigned in this region. + pub(crate) cells: Vec<(RegionColumn, usize)>, +} + +/// Cost and graphing layouter +#[derive(Default, Debug)] +pub(crate) struct Layout { + /// k = 1 << n + pub(crate) k: u32, + /// Regions of the layout + pub(crate) regions: Vec, + current_region: Option, + /// Total row count + pub(crate) total_rows: usize, + /// Total advice rows + pub(crate) total_advice_rows: usize, + /// Total fixed rows + pub(crate) total_fixed_rows: usize, + /// Any cells assigned outside of a region. + pub(crate) loose_cells: Vec<(RegionColumn, usize)>, + /// Pairs of cells between which we have equality constraints. + pub(crate) equality: Vec<(Column, usize, Column, usize)>, + /// Selector assignments used for optimization pass + pub(crate) selectors: Vec>, } -impl Assignment for Assembly { - fn enter_region(&mut self, _: N) +impl Layout { + /// Creates a empty layout + pub fn new(k: u32, n: usize, num_selectors: usize) -> Self { + Layout { + k, + regions: vec![], + current_region: None, + total_rows: 0, + total_advice_rows: 0, + total_fixed_rows: 0, + /// Any cells assigned outside of a region. + loose_cells: vec![], + /// Pairs of cells between which we have equality constraints. + equality: vec![], + /// Selector assignments used for optimization pass + selectors: vec![vec![false; n]; num_selectors], + } + } + + /// Update layout metadata + pub fn update(&mut self, column: RegionColumn, row: usize) { + self.total_rows = cmp::max(self.total_rows, row + 1); + + if let RegionColumn::Column(col) = column { + match col.column_type() { + Any::Advice(_) => { + self.total_advice_rows = cmp::max(self.total_advice_rows, row + 1) + } + Any::Fixed => self.total_fixed_rows = cmp::max(self.total_fixed_rows, row + 1), + _ => {} + } + } + + if let Some(region) = self.current_region { + let region = &mut self.regions[region]; + region.columns.insert(column); + + // The region offset is the earliest row assigned to. + let mut offset = region.offset.unwrap_or(row); + if row < offset { + // The first row assigned was not at offset 0 within the region. + region.rows += offset - row; + offset = row; + } + // The number of rows in this region is the gap between the earliest and + // latest rows assigned. + region.rows = cmp::max(region.rows, row - offset + 1); + region.offset = Some(offset); + + region.cells.push((column, row)); + } else { + self.loose_cells.push((column, row)); + } + } +} + +impl Assignment for Layout { + fn enter_region(&mut self, name_fn: N) where NR: Into, N: FnOnce() -> NR, { - // Do nothing; we don't care about regions in this context. + assert!(self.current_region.is_none()); + self.current_region = Some(self.regions.len()); + self.regions.push(LayoutRegion { + name: name_fn().into(), + columns: HashSet::default(), + offset: None, + rows: 0, + cells: vec![], + }) + } + + fn annotate_column(&mut self, _: A, _: Column) + where + A: FnOnce() -> AR, + AR: Into, + { } fn exit_region(&mut self) { - // Do nothing; we don't care about regions in this context. + assert!(self.current_region.is_some()); + self.current_region = None; } fn enable_selector(&mut self, _: A, selector: &Selector, row: usize) -> Result<(), Error> @@ -65,8 +183,13 @@ impl Assignment for Assembly { A: FnOnce() -> AR, AR: Into, { - self.selectors[selector.0][row] = true; + if let Some(cell) = self.selectors[selector.0].get_mut(row) { + *cell = true; + } else { + return Err(Error::not_enough_rows_available(self.k)); + } + self.update((*selector).into(), row); Ok(()) } @@ -93,8 +216,8 @@ impl Assignment for Assembly { fn assign_advice( &mut self, _: A, - _: Column, - _: usize, + column: Column, + row: usize, _: V, ) -> Result<(), Error> where @@ -103,14 +226,15 @@ impl Assignment for Assembly { A: FnOnce() -> AR, AR: Into, { + self.update(Column::::from(column).into(), row); Ok(()) } fn assign_fixed( &mut self, _: A, - _: Column, - _: usize, + column: Column, + row: usize, _: V, ) -> Result<(), Error> where @@ -119,10 +243,18 @@ impl Assignment for Assembly { A: FnOnce() -> AR, AR: Into, { + self.update(Column::::from(column).into(), row); Ok(()) } - fn copy(&mut self, _: Column, _: usize, _: Column, _: usize) -> Result<(), Error> { + fn copy( + &mut self, + l_col: Column, + l_row: usize, + r_col: Column, + r_row: usize, + ) -> Result<(), crate::plonk::Error> { + self.equality.push((l_col, l_row, r_col, r_row)); Ok(()) } @@ -139,14 +271,6 @@ impl Assignment for Assembly { Value::unknown() } - fn annotate_column(&mut self, _annotation: A, _column: Column) - where - A: FnOnce() -> AR, - AR: Into, - { - // Do nothing - } - fn push_namespace(&mut self, _: N) where NR: Into, @@ -164,21 +288,19 @@ impl> CircuitCost Self { + pub fn measure(k: u32, circuit: &ConcreteCircuit) -> Self { // Collect the layout details. let mut cs = ConstraintSystem::default(); let config = ConcreteCircuit::configure(&mut cs); - let mut assembly = Assembly { - selectors: vec![vec![false; 1 << k]; cs.num_selectors], - }; + let mut layout = Layout::new(k, 1 << k, cs.num_selectors); ConcreteCircuit::FloorPlanner::synthesize( - &mut assembly, + &mut layout, circuit, config, cs.constants.clone(), ) .unwrap(); - let (cs, _) = cs.compress_selectors(assembly.selectors); + let (cs, _) = cs.compress_selectors(layout.selectors); assert!((1 << k) >= cs.minimum_rows()); @@ -233,7 +355,16 @@ impl> CircuitCost> CircuitCost> CircuitCost From> for usize { + proof.polycomm.len(point, scalar) } } + +#[cfg(test)] +mod tests { + use halo2curves::pasta::{Eq, Fp}; + + use crate::circuit::SimpleFloorPlanner; + + use super::*; + + #[test] + fn circuit_cost_without_permutation() { + const K: u32 = 4; + + struct MyCircuit; + impl Circuit for MyCircuit { + type Config = (); + type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); + + fn without_witnesses(&self) -> Self { + Self + } + + fn configure(_meta: &mut ConstraintSystem) -> Self::Config {} + + fn synthesize( + &self, + _config: Self::Config, + _layouter: impl crate::circuit::Layouter, + ) -> Result<(), Error> { + Ok(()) + } + } + CircuitCost::::measure(K, &MyCircuit).proof_size(1); + } +} diff --git a/halo2_proofs/src/dev/failure.rs b/halo2_proofs/src/dev/failure.rs index 06aaafe2..37f7d2d8 100644 --- a/halo2_proofs/src/dev/failure.rs +++ b/halo2_proofs/src/dev/failure.rs @@ -14,7 +14,6 @@ use crate::dev::metadata::Constraint; use crate::{ dev::{Instance, Value}, plonk::{Any, Column, ConstraintSystem, Expression, Gate}, - poly::Rotation, }; mod emitter; @@ -70,9 +69,9 @@ impl FailureLocation { expression.evaluate( &|_| vec![], &|_| panic!("virtual selectors are removed during optimization"), - &|query| vec![cs.fixed_queries[query.index].0.into()], - &|query| vec![cs.advice_queries[query.index].0.into()], - &|query| vec![cs.instance_queries[query.index].0.into()], + &|query| vec![cs.fixed_queries[query.index.unwrap()].0.into()], + &|query| vec![cs.advice_queries[query.index.unwrap()].0.into()], + &|query| vec![cs.instance_queries[query.index.unwrap()].0.into()], &|_| vec![], &|a| a, &|mut a, mut b| { @@ -101,16 +100,17 @@ impl FailureLocation { .iter() .enumerate() .find(|(_, r)| { - if r.rows.is_none() { - return false; + if let Some((start, end)) = r.rows { + // We match the region if any input columns overlap, rather than all of + // them, because matching complex selector columns is hard. As long as + // regions are rectangles, and failures occur due to assignments entirely + // within single regions, "any" will be equivalent to "all". If these + // assumptions change, we'll start getting bug reports from users :) + (start..=end).contains(&failure_row) && !failure_columns.is_disjoint(&r.columns) + } else { + // Zero-area region + false } - let (start, end) = r.rows.unwrap(); - // We match the region if any input columns overlap, rather than all of - // them, because matching complex selector columns is hard. As long as - // regions are rectangles, and failures occur due to assignments entirely - // within single regions, "any" will be equivalent to "all". If these - // assumptions change, we'll start getting bug reports from users :) - (start..=end).contains(&failure_row) && !failure_columns.is_disjoint(&r.columns) }) .map(|(r_i, r)| FailureLocation::InRegion { region: (r_i, r.name.clone(), r.annotations.clone()).into(), @@ -139,6 +139,20 @@ pub enum VerifyFailure { /// offset 0, but the gate uses `Rotation::prev()`). offset: isize, }, + /// An instance cell used in an active gate was not assigned to. + InstanceCellNotAssigned { + /// The index of the active gate. + gate: metadata::Gate, + /// The region in which this gate was activated. + region: metadata::Region, + /// The offset (relative to the start of the region) at which the active gate + /// queries this cell. + gate_offset: usize, + /// The column in which this cell should be assigned. + column: Column, + /// The absolute row at which this cell should be assigned. + row: usize, + }, /// A constraint was not satisfied for a particular row. ConstraintNotSatisfied { /// The polynomial constraint that is not satisfied. @@ -158,7 +172,7 @@ pub enum VerifyFailure { }, /// A lookup input did not exist in its corresponding table. Lookup { - name: &'static str, + name: String, /// The index of the lookup that is not satisfied. These indices are assigned in /// the order in which `ConstraintSystem::lookup` is called during /// `Circuit::configure`. @@ -177,6 +191,28 @@ pub enum VerifyFailure { /// lookup is active on a row adjacent to an unrelated region. location: FailureLocation, }, + /// A shuffle input did not exist in its corresponding map. + Shuffle { + /// The name of the lookup that is not satisfied. + name: String, + /// The index of the lookup that is not satisfied. These indices are assigned in + /// the order in which `ConstraintSystem::lookup` is called during + /// `Circuit::configure`. + shuffle_index: usize, + /// The location at which the lookup is not satisfied. + /// + /// `FailureLocation::InRegion` is most common, and may be due to the intentional + /// use of a lookup (if its inputs are conditional on a complex selector), or an + /// unintentional lookup constraint that overlaps the region (indicating that the + /// lookup's inputs should be made conditional). + /// + /// `FailureLocation::OutsideRegion` is uncommon, and could mean that: + /// - The input expressions do not correctly constrain a default value that exists + /// in the table when the lookup is not being used. + /// - The input expressions use a column queried at a non-zero `Rotation`, and the + /// lookup is active on a row adjacent to an unrelated region. + location: FailureLocation, + }, /// A permutation did not preserve the original value of a cell. Permutation { /// The column in which this permutation is not satisfied. @@ -202,6 +238,19 @@ impl fmt::Display for VerifyFailure { region, gate, gate_offset, column, offset, region.get_column_annotation((*column).into()) ) } + Self::InstanceCellNotAssigned { + gate, + region, + gate_offset, + column, + row, + } => { + write!( + f, + "{} uses {} at offset {}, which requires cell in instance column {:?} at row {} to be assigned.", + region, gate, gate_offset, column, row + ) + } Self::ConstraintNotSatisfied { constraint, location, @@ -240,6 +289,17 @@ impl fmt::Display for VerifyFailure { name, lookup_index, location ) } + Self::Shuffle { + name, + shuffle_index, + location, + } => { + write!( + f, + "Shuffle {}(index: {}) is not satisfied {}", + name, shuffle_index, location + ) + } Self::Permutation { column, location } => { write!( f, @@ -276,7 +336,7 @@ impl Debug for VerifyFailure { }; let debug = ConstraintCaseDebug { - constraint: *constraint, + constraint: constraint.clone(), location: location.clone(), cell_values: cell_values .iter() @@ -624,6 +684,176 @@ fn render_lookup( } } +fn render_shuffle( + prover: &MockProver, + name: &str, + shuffle_index: usize, + location: &FailureLocation, +) { + let n = prover.n as i32; + let cs = &prover.cs; + let shuffle = &cs.shuffles[shuffle_index]; + + // Get the absolute row on which the shuffle's inputs are being queried, so we can + // fetch the input values. + let row = match location { + FailureLocation::InRegion { region, offset } => { + prover.regions[region.index].rows.unwrap().0 + offset + } + FailureLocation::OutsideRegion { row } => *row, + } as i32; + + let shuffle_columns = shuffle.shuffle_expressions.iter().map(|expr| { + expr.evaluate( + &|f| format! {"Const: {:#?}", f}, + &|s| format! {"S{}", s.0}, + &|query| { + format!( + "{:?}", + prover + .cs + .general_column_annotations + .get(&metadata::Column::from((Any::Fixed, query.column_index))) + .cloned() + .unwrap_or_else(|| format!("F{}", query.column_index())) + ) + }, + &|query| { + format!( + "{:?}", + prover + .cs + .general_column_annotations + .get(&metadata::Column::from((Any::advice(), query.column_index))) + .cloned() + .unwrap_or_else(|| format!("A{}", query.column_index())) + ) + }, + &|query| { + format!( + "{:?}", + prover + .cs + .general_column_annotations + .get(&metadata::Column::from((Any::Instance, query.column_index))) + .cloned() + .unwrap_or_else(|| format!("I{}", query.column_index())) + ) + }, + &|challenge| format! {"C{}", challenge.index()}, + &|query| format! {"-{}", query}, + &|a, b| format! {"{} + {}", a,b}, + &|a, b| format! {"{} * {}", a,b}, + &|a, b| format! {"{} * {:?}", a, b}, + ) + }); + + fn cell_value<'a, F: Field, Q: Into + Copy>( + load: impl Fn(Q) -> Value + 'a, + ) -> impl Fn(Q) -> BTreeMap + 'a { + move |query| { + let AnyQuery { + column_type, + column_index, + rotation, + .. + } = query.into(); + Some(( + ((column_type, column_index).into(), rotation.0).into(), + match load(query) { + Value::Real(v) => util::format_value(v), + Value::Poison => unreachable!(), + }, + )) + .into_iter() + .collect() + } + } + + eprintln!("error: input does not exist in shuffle"); + eprint!(" ("); + for i in 0..shuffle.input_expressions.len() { + eprint!("{}L{}", if i == 0 { "" } else { ", " }, i); + } + eprint!(") <-> ("); + for (i, column) in shuffle_columns.enumerate() { + eprint!("{}{}", if i == 0 { "" } else { ", " }, column); + } + eprintln!(")"); + + eprintln!(); + eprintln!(" Shuffle '{}' inputs:", name); + for (i, input) in shuffle.input_expressions.iter().enumerate() { + // Fetch the cell values (since we don't store them in VerifyFailure::Shuffle). + let cell_values = input.evaluate( + &|_| BTreeMap::default(), + &|_| panic!("virtual selectors are removed during optimization"), + &cell_value(&util::load_slice(n, row, &cs.fixed_queries, &prover.fixed)), + &cell_value(&util::load_slice( + n, + row, + &cs.advice_queries, + &prover.advice, + )), + &cell_value(&util::load_instance( + n, + row, + &cs.instance_queries, + &prover.instance, + )), + &|_| BTreeMap::default(), + &|a| a, + &|mut a, mut b| { + a.append(&mut b); + a + }, + &|mut a, mut b| { + a.append(&mut b); + a + }, + &|a, _| a, + ); + + // Collect the necessary rendering information: + // - The columns involved in this constraint. + // - How many cells are in each column. + // - The grid of cell values, indexed by rotation. + let mut columns = BTreeMap::::default(); + let mut layout = BTreeMap::>::default(); + for (i, (cell, _)) in cell_values.iter().enumerate() { + *columns.entry(cell.column).or_default() += 1; + layout + .entry(cell.rotation) + .or_default() + .entry(cell.column) + .or_insert(format!("x{}", i)); + } + + if i != 0 { + eprintln!(); + } + eprintln!( + " Sh{} = {}", + i, + emitter::expression_to_string(input, &layout) + ); + eprintln!(" ^"); + + emitter::render_cell_layout(" | ", location, &columns, &layout, |_, rotation| { + if rotation == 0 { + eprint!(" <--{{ Shuffle '{}' inputs queried here", name); + } + }); + + // Print the map from local variables to assigned values. + eprintln!(" |"); + eprintln!(" | Assigned cell values:"); + for (i, (_, value)) in cell_values.iter().enumerate() { + eprintln!(" | x{} = {}", i, value); + } + } +} + impl VerifyFailure { /// Emits this failure in pretty-printed format to stderr. pub(super) fn emit(&self, prover: &MockProver) { @@ -654,6 +884,11 @@ impl VerifyFailure { lookup_index, location, } => render_lookup(prover, name, *lookup_index, location), + Self::Shuffle { + name, + shuffle_index, + location, + } => render_shuffle(prover, name, *shuffle_index, location), _ => eprintln!("{}", self), } } diff --git a/halo2_proofs/src/dev/failure/emitter.rs b/halo2_proofs/src/dev/failure/emitter.rs index e84ba801..edd61f30 100644 --- a/halo2_proofs/src/dev/failure/emitter.rs +++ b/halo2_proofs/src/dev/failure/emitter.rs @@ -153,7 +153,7 @@ pub(super) fn expression_to_string( label.clone() } else if query.rotation.0 == 0 { // This is most likely a merged selector - format!("S{}", query.index) + format!("S{}", query.index.unwrap()) } else { // No idea how we'd get here... format!("F{}@{}", query.column_index, query.rotation.0) diff --git a/halo2_proofs/src/dev/gates.rs b/halo2_proofs/src/dev/gates.rs index cfc71c02..352415bc 100644 --- a/halo2_proofs/src/dev/gates.rs +++ b/halo2_proofs/src/dev/gates.rs @@ -7,22 +7,19 @@ use ff::PrimeField; use crate::{ dev::util, - plonk::{ - sealed::{self, SealedPhase}, - Circuit, ConstraintSystem, FirstPhase, - }, + plonk::{sealed::SealedPhase, Circuit, ConstraintSystem, FirstPhase}, }; #[derive(Debug)] struct Constraint { - name: &'static str, + name: String, expression: String, queries: BTreeSet, } #[derive(Debug)] struct Gate { - name: &'static str, + name: String, constraints: Vec, } @@ -49,6 +46,8 @@ struct Gate { /// impl Circuit for MyCircuit { /// type Config = MyConfig; /// type FloorPlanner = SimpleFloorPlanner; +/// #[cfg(feature = "circuit-params")] +/// type Params = (); /// /// fn without_witnesses(&self) -> Self { /// Self::default() @@ -79,6 +78,9 @@ struct Gate { /// } /// } /// +/// #[cfg(feature = "circuit-params")] +/// let gates = CircuitGates::collect::(()); +/// #[cfg(not(feature = "circuit-params"))] /// let gates = CircuitGates::collect::(); /// assert_eq!( /// format!("{}", gates), @@ -103,22 +105,27 @@ pub struct CircuitGates { impl CircuitGates { /// Collects the gates from within the circuit. - pub fn collect>() -> Self { + pub fn collect>( + #[cfg(feature = "circuit-params")] params: C::Params, + ) -> Self { // Collect the graph details. let mut cs = ConstraintSystem::default(); + #[cfg(feature = "circuit-params")] + let _ = C::configure_with_params(&mut cs, params); + #[cfg(not(feature = "circuit-params"))] let _ = C::configure(&mut cs); let gates = cs .gates .iter() .map(|gate| Gate { - name: gate.name(), + name: gate.name().to_string(), constraints: gate .polynomials() .iter() .enumerate() .map(|(i, constraint)| Constraint { - name: gate.constraint_name(i), + name: gate.constraint_name(i).to_string(), expression: constraint.evaluate( &util::format_value, &|selector| format!("S{}", selector.0), diff --git a/halo2_proofs/src/dev/graph.rs b/halo2_proofs/src/dev/graph.rs index ec9d3d3b..744f41d2 100644 --- a/halo2_proofs/src/dev/graph.rs +++ b/halo2_proofs/src/dev/graph.rs @@ -23,6 +23,9 @@ pub fn circuit_dot_graph>( ) -> String { // Collect the graph details. let mut cs = ConstraintSystem::default(); + #[cfg(feature = "circuit-params")] + let config = ConcreteCircuit::configure_with_params(&mut cs, circuit.params()); + #[cfg(not(feature = "circuit-params"))] let config = ConcreteCircuit::configure(&mut cs); let mut graph = Graph::default(); ConcreteCircuit::FloorPlanner::synthesize(&mut graph, circuit, config, cs.constants).unwrap(); diff --git a/halo2_proofs/src/dev/graph/layout.rs b/halo2_proofs/src/dev/graph/layout.rs index fb7e83e7..7d00434a 100644 --- a/halo2_proofs/src/dev/graph/layout.rs +++ b/halo2_proofs/src/dev/graph/layout.rs @@ -3,16 +3,13 @@ use plotters::{ coord::Shift, prelude::{DrawingArea, DrawingAreaErrorKind, DrawingBackend}, }; -use std::cmp; use std::collections::HashSet; use std::ops::Range; use crate::{ - circuit::{layouter::RegionColumn, Value}, - plonk::{ - Advice, Any, Assigned, Assignment, Challenge, Circuit, Column, ConstraintSystem, Error, - Fixed, FloorPlanner, Instance, Selector, - }, + circuit::layouter::RegionColumn, + dev::cost::Layout, + plonk::{Any, Circuit, Column, ConstraintSystem, FloorPlanner}, }; /// Graphical renderer for circuit layouts. @@ -97,6 +94,9 @@ impl CircuitLayout { let n = 1 << k; // Collect the layout details. let mut cs = ConstraintSystem::default(); + #[cfg(feature = "circuit-params")] + let config = ConcreteCircuit::configure_with_params(&mut cs, circuit.params()); + #[cfg(not(feature = "circuit-params"))] let config = ConcreteCircuit::configure(&mut cs); let mut layout = Layout::new(k, n, cs.num_selectors); ConcreteCircuit::FloorPlanner::synthesize( @@ -321,212 +321,3 @@ impl CircuitLayout { Ok(()) } } - -#[derive(Debug)] -struct Region { - /// The name of the region. Not required to be unique. - name: String, - /// The columns used by this region. - columns: HashSet, - /// The row that this region starts on, if known. - offset: Option, - /// The number of rows that this region takes up. - rows: usize, - /// The cells assigned in this region. We store this as a `Vec` so that if any cells - /// are double-assigned, they will be visibly darker. - cells: Vec<(RegionColumn, usize)>, -} - -#[derive(Default)] -struct Layout { - k: u32, - regions: Vec, - current_region: Option, - total_rows: usize, - /// Any cells assigned outside of a region. We store this as a `Vec` so that if any - /// cells are double-assigned, they will be visibly darker. - loose_cells: Vec<(RegionColumn, usize)>, - /// Pairs of cells between which we have equality constraints. - equality: Vec<(Column, usize, Column, usize)>, - /// Selector assignments used for optimization pass - selectors: Vec>, -} - -impl Layout { - fn new(k: u32, n: usize, num_selectors: usize) -> Self { - Layout { - k, - regions: vec![], - current_region: None, - total_rows: 0, - /// Any cells assigned outside of a region. We store this as a `Vec` so that if any - /// cells are double-assigned, they will be visibly darker. - loose_cells: vec![], - /// Pairs of cells between which we have equality constraints. - equality: vec![], - /// Selector assignments used for optimization pass - selectors: vec![vec![false; n]; num_selectors], - } - } - - fn update(&mut self, column: RegionColumn, row: usize) { - self.total_rows = cmp::max(self.total_rows, row + 1); - - if let Some(region) = self.current_region { - let region = &mut self.regions[region]; - region.columns.insert(column); - - // The region offset is the earliest row assigned to. - let mut offset = region.offset.unwrap_or(row); - if row < offset { - // The first row assigned was not at offset 0 within the region. - region.rows += offset - row; - offset = row; - } - // The number of rows in this region is the gap between the earliest and - // latest rows assigned. - region.rows = cmp::max(region.rows, row - offset + 1); - region.offset = Some(offset); - - region.cells.push((column, row)); - } else { - self.loose_cells.push((column, row)); - } - } -} - -impl Assignment for Layout { - fn enter_region(&mut self, name_fn: N) - where - NR: Into, - N: FnOnce() -> NR, - { - assert!(self.current_region.is_none()); - self.current_region = Some(self.regions.len()); - self.regions.push(Region { - name: name_fn().into(), - columns: HashSet::default(), - offset: None, - rows: 0, - cells: vec![], - }) - } - - fn exit_region(&mut self) { - assert!(self.current_region.is_some()); - self.current_region = None; - } - - fn enable_selector(&mut self, _: A, selector: &Selector, row: usize) -> Result<(), Error> - where - A: FnOnce() -> AR, - AR: Into, - { - if let Some(cell) = self.selectors[selector.0].get_mut(row) { - *cell = true; - } else { - return Err(Error::not_enough_rows_available(self.k)); - } - - self.update((*selector).into(), row); - Ok(()) - } - - fn fork(&mut self, _ranges: &[Range]) -> Result, Error> { - todo!() - } - - fn merge(&mut self, _sub_cs: Vec) -> Result<(), Error> { - todo!() - } - - fn query_advice(&self, _column: Column, _row: usize) -> Result { - Ok(F::ZERO) - } - - fn query_fixed(&self, _column: Column, _row: usize) -> Result { - Ok(F::ZERO) - } - - fn query_instance(&self, _: Column, _: usize) -> Result, Error> { - Ok(Value::unknown()) - } - - fn assign_advice( - &mut self, - _: A, - column: Column, - row: usize, - _: V, - ) -> Result<(), Error> - where - V: FnOnce() -> Value, - VR: Into>, - A: FnOnce() -> AR, - AR: Into, - { - self.update(Column::::from(column).into(), row); - Ok(()) - } - - fn assign_fixed( - &mut self, - _: A, - column: Column, - row: usize, - _: V, - ) -> Result<(), Error> - where - V: FnOnce() -> Value, - VR: Into>, - A: FnOnce() -> AR, - AR: Into, - { - self.update(Column::::from(column).into(), row); - Ok(()) - } - - fn copy( - &mut self, - l_col: Column, - l_row: usize, - r_col: Column, - r_row: usize, - ) -> Result<(), crate::plonk::Error> { - self.equality.push((l_col, l_row, r_col, r_row)); - Ok(()) - } - - fn fill_from_row( - &mut self, - _: Column, - _: usize, - _: Value>, - ) -> Result<(), Error> { - Ok(()) - } - - fn get_challenge(&self, _: Challenge) -> Value { - Value::unknown() - } - - fn annotate_column(&mut self, _annotation: A, _column: Column) - where - A: FnOnce() -> AR, - AR: Into, - { - // Do nothing - } - - fn push_namespace(&mut self, _: N) - where - NR: Into, - N: FnOnce() -> NR, - { - // Do nothing; we don't care about namespaces in this context. - } - - fn pop_namespace(&mut self, _: Option) { - // Do nothing; we don't care about namespaces in this context. - } -} diff --git a/halo2_proofs/src/dev/metadata.rs b/halo2_proofs/src/dev/metadata.rs index 5fd0835b..f81bfa67 100644 --- a/halo2_proofs/src/dev/metadata.rs +++ b/halo2_proofs/src/dev/metadata.rs @@ -15,6 +15,17 @@ pub struct Column { pub(super) index: usize, } +impl Column { + /// Return the column type. + pub fn column_type(&self) -> Any { + self.column_type + } + /// Return the column index. + pub fn index(&self) -> usize { + self.index + } +} + impl fmt::Display for Column { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { write!(f, "Column('{:?}', {})", self.column_type, self.index) @@ -75,7 +86,7 @@ impl fmt::Display for DebugColumn { /// within a custom gate. #[derive(Debug, PartialEq, Eq, PartialOrd, Ord)] pub struct VirtualCell { - name: &'static str, + name: String, pub(super) column: Column, pub(super) rotation: i32, } @@ -83,17 +94,17 @@ pub struct VirtualCell { impl From<(Column, i32)> for VirtualCell { fn from((column, rotation): (Column, i32)) -> Self { VirtualCell { - name: "", + name: "".to_string(), column, rotation, } } } -impl From<(&'static str, Column, i32)> for VirtualCell { - fn from((name, column, rotation): (&'static str, Column, i32)) -> Self { +impl> From<(S, Column, i32)> for VirtualCell { + fn from((name, column, rotation): (S, Column, i32)) -> Self { VirtualCell { - name, + name: name.as_ref().to_string(), column, rotation, } @@ -103,7 +114,7 @@ impl From<(&'static str, Column, i32)> for VirtualCell { impl From for VirtualCell { fn from(c: plonk::VirtualCell) -> Self { VirtualCell { - name: "", + name: "".to_string(), column: c.column.into(), rotation: c.rotation.0, } @@ -114,7 +125,7 @@ impl fmt::Display for VirtualCell { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { write!(f, "{}@{}", self.column, self.rotation)?; if !self.name.is_empty() { - write!(f, "({})", self.name)?; + write!(f, "({})", self.name.as_str())?; } Ok(()) } @@ -123,7 +134,7 @@ impl fmt::Display for VirtualCell { /// Helper structure used to be able to inject Column annotations inside a `Display` or `Debug` call. #[derive(Clone, Debug)] pub(super) struct DebugVirtualCell { - name: &'static str, + name: String, column: DebugColumn, rotation: i32, } @@ -131,7 +142,7 @@ pub(super) struct DebugVirtualCell { impl From<(&VirtualCell, Option<&HashMap>)> for DebugVirtualCell { fn from(info: (&VirtualCell, Option<&HashMap>)) -> Self { DebugVirtualCell { - name: info.0.name, + name: info.0.name.clone(), column: DebugColumn::from((info.0.column, info.1)), rotation: info.0.rotation, } @@ -149,30 +160,33 @@ impl fmt::Display for DebugVirtualCell { } /// Metadata about a configured gate within a circuit. -#[derive(Debug, PartialEq, Eq, Clone, Copy)] +#[derive(Debug, PartialEq, Eq, Clone)] pub struct Gate { /// The index of the active gate. These indices are assigned in the order in which /// `ConstraintSystem::create_gate` is called during `Circuit::configure`. pub(super) index: usize, /// The name of the active gate. These are specified by the gate creator (such as /// a chip implementation), and is not enforced to be unique. - pub(super) name: &'static str, + pub(super) name: String, } impl fmt::Display for Gate { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - write!(f, "Gate {} ('{}')", self.index, self.name) + write!(f, "Gate {} ('{}')", self.index, self.name.as_str()) } } -impl From<(usize, &'static str)> for Gate { - fn from((index, name): (usize, &'static str)) -> Self { - Gate { index, name } +impl> From<(usize, S)> for Gate { + fn from((index, name): (usize, S)) -> Self { + Gate { + index, + name: name.as_ref().to_string(), + } } } /// Metadata about a configured constraint within a circuit. -#[derive(Debug, PartialEq, Eq, Clone, Copy)] +#[derive(Debug, PartialEq, Eq, Clone)] pub struct Constraint { /// The gate containing the constraint. pub(super) gate: Gate, @@ -182,7 +196,7 @@ pub struct Constraint { pub(super) index: usize, /// The name of the constraint. This is specified by the gate creator (such as a chip /// implementation), and is not enforced to be unique. - pub(super) name: &'static str, + pub(super) name: String, } impl fmt::Display for Constraint { @@ -194,7 +208,7 @@ impl fmt::Display for Constraint { if self.name.is_empty() { String::new() } else { - format!(" ('{}')", self.name) + format!(" ('{}')", self.name.as_str()) }, self.gate.index, self.gate.name, @@ -202,9 +216,13 @@ impl fmt::Display for Constraint { } } -impl From<(Gate, usize, &'static str)> for Constraint { - fn from((gate, index, name): (Gate, usize, &'static str)) -> Self { - Constraint { gate, index, name } +impl> From<(Gate, usize, S)> for Constraint { + fn from((gate, index, name): (Gate, usize, S)) -> Self { + Constraint { + gate, + index, + name: name.as_ref().to_string(), + } } } @@ -250,7 +268,7 @@ impl Debug for Region { impl fmt::Display for Region { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - write!(f, "Region {} ('{}')", self.index, self.name) + write!(f, "Region {} ('{}')", self.index, self.name.as_str()) } } diff --git a/halo2_proofs/src/dev/tfp.rs b/halo2_proofs/src/dev/tfp.rs new file mode 100644 index 00000000..65340b35 --- /dev/null +++ b/halo2_proofs/src/dev/tfp.rs @@ -0,0 +1,544 @@ +use std::{fmt, marker::PhantomData}; + +use ff::Field; +use tracing::{debug, debug_span, span::EnteredSpan}; + +use crate::{ + circuit::{ + layouter::{RegionLayouter, SyncDeps}, + AssignedCell, Cell, Layouter, Region, Table, Value, + }, + plonk::{ + Advice, Any, Assigned, Assignment, Challenge, Circuit, Column, ConstraintSystem, Error, + Fixed, FloorPlanner, Instance, Selector, + }, +}; + +/// A helper type that augments a [`FloorPlanner`] with [`tracing`] spans and events. +/// +/// `TracingFloorPlanner` can be used to instrument your circuit and determine exactly +/// what is happening during a particular run of keygen or proving. This can be useful for +/// identifying unexpected non-determinism or changes to a circuit. +/// +/// # No stability guarantees +/// +/// The `tracing` output is intended for use during circuit development. It should not be +/// considered production-stable, and the precise format or data exposed may change at any +/// time. +/// +/// # Examples +/// +/// ``` +/// use ff::Field; +/// use halo2_proofs::{ +/// circuit::{floor_planner, Layouter, Value}, +/// dev::TracingFloorPlanner, +/// plonk::{Circuit, ConstraintSystem, Error}, +/// }; +/// +/// # struct MyCircuit { +/// # some_witness: Value, +/// # }; +/// # #[derive(Clone)] +/// # struct MyConfig; +/// impl Circuit for MyCircuit { +/// // Wrap `TracingFloorPlanner` around your existing floor planner of choice. +/// //type FloorPlanner = floor_planner::V1; +/// type FloorPlanner = TracingFloorPlanner; +/// +/// // The rest of your `Circuit` implementation is unchanged. +/// type Config = MyConfig; +/// +/// #[cfg(feature = "circuit-params")] +/// type Params = (); +/// +/// fn without_witnesses(&self) -> Self { +/// Self { some_witness: Value::unknown() } +/// } +/// +/// fn configure(meta: &mut ConstraintSystem) -> Self::Config { +/// // .. +/// # todo!() +/// } +/// +/// fn synthesize(&self, config: Self::Config, layouter: impl Layouter) -> Result<(), Error> { +/// // .. +/// # todo!() +/// } +/// } +/// +/// #[test] +/// fn some_circuit_test() { +/// // At the start of your test, enable tracing. +/// tracing_subscriber::fmt() +/// .with_max_level(tracing::Level::DEBUG) +/// .with_ansi(false) +/// .without_time() +/// .init(); +/// +/// // Now when the rest of the test runs, you will get `tracing` output for every +/// // operation that the circuit performs under the hood! +/// } +/// ``` +#[derive(Debug)] +pub struct TracingFloorPlanner { + _phantom: PhantomData

, +} + +impl FloorPlanner for TracingFloorPlanner

{ + fn synthesize + SyncDeps, C: Circuit>( + cs: &mut CS, + circuit: &C, + config: C::Config, + constants: Vec>, + ) -> Result<(), Error> { + P::synthesize( + &mut TracingAssignment::new(cs), + &TracingCircuit::borrowed(circuit), + config, + constants, + ) + } +} + +/// A helper type that augments a [`Circuit`] with [`tracing`] spans and events. +enum TracingCircuit<'c, F: Field, C: Circuit> { + Borrowed(&'c C, PhantomData), + Owned(C, PhantomData), +} + +impl<'c, F: Field, C: Circuit> TracingCircuit<'c, F, C> { + fn borrowed(circuit: &'c C) -> Self { + Self::Borrowed(circuit, PhantomData) + } + + fn owned(circuit: C) -> Self { + Self::Owned(circuit, PhantomData) + } + + fn inner_ref(&self) -> &C { + match self { + TracingCircuit::Borrowed(circuit, ..) => circuit, + TracingCircuit::Owned(circuit, ..) => circuit, + } + } +} + +impl<'c, F: Field, C: Circuit> Circuit for TracingCircuit<'c, F, C> { + type Config = C::Config; + type FloorPlanner = C::FloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); + + fn without_witnesses(&self) -> Self { + Self::owned(self.inner_ref().without_witnesses()) + } + + fn configure(meta: &mut ConstraintSystem) -> Self::Config { + let _span = debug_span!("configure").entered(); + C::configure(meta) + } + + fn synthesize(&self, config: Self::Config, layouter: impl Layouter) -> Result<(), Error> { + let _span = debug_span!("synthesize").entered(); + self.inner_ref() + .synthesize(config, TracingLayouter::new(layouter)) + } +} + +/// A helper type that augments a [`Layouter`] with [`tracing`] spans and events. +struct TracingLayouter> { + layouter: L, + namespace_spans: Vec, + _phantom: PhantomData, +} + +impl> TracingLayouter { + fn new(layouter: L) -> Self { + Self { + layouter, + namespace_spans: vec![], + _phantom: PhantomData, + } + } +} + +impl> Layouter for TracingLayouter { + type Root = Self; + + fn assign_region(&mut self, name: N, mut assignment: A) -> Result + where + A: FnMut(Region<'_, F>) -> Result, + N: Fn() -> NR, + NR: Into, + { + let _span = debug_span!("region", name = name().into()).entered(); + self.layouter.assign_region(name, |region| { + let mut region = TracingRegion(region); + let region: &mut dyn RegionLayouter = &mut region; + assignment(region.into()) + }) + } + + #[cfg(feature = "parallel_syn")] + fn assign_regions( + &mut self, + _name: N, + _assignments: Vec, + ) -> Result, Error> + where + A: FnMut(Region<'_, F>) -> Result + Send, + AR: Send, + N: Fn() -> NR, + NR: Into, + { + // todo + unimplemented!() + } + + fn assign_table(&mut self, name: N, assignment: A) -> Result<(), Error> + where + A: FnMut(Table<'_, F>) -> Result<(), Error>, + N: Fn() -> NR, + NR: Into, + { + let _span = debug_span!("table", name = name().into()).entered(); + self.layouter.assign_table(name, assignment) + } + + fn constrain_instance( + &mut self, + cell: Cell, + column: Column, + row: usize, + ) -> Result<(), Error> { + self.layouter.constrain_instance(cell, column, row) + } + + fn get_challenge(&self, _: Challenge) -> Value { + Value::unknown() + } + + fn get_root(&mut self) -> &mut Self::Root { + self + } + + fn push_namespace(&mut self, name_fn: N) + where + NR: Into, + N: FnOnce() -> NR, + { + let name = name_fn().into(); + self.namespace_spans.push(debug_span!("ns", name).entered()); + self.layouter.push_namespace(|| name); + } + + fn pop_namespace(&mut self, gadget_name: Option) { + self.layouter.pop_namespace(gadget_name); + self.namespace_spans.pop(); + } +} + +fn debug_value_and_return_cell(value: AssignedCell) -> Cell { + if let Some(v) = value.value().into_option() { + debug!(target: "assigned", value = ?v); + } + value.cell() +} + +/// A helper type that augments a [`Region`] with [`tracing`] spans and events. +#[derive(Debug)] +struct TracingRegion<'r, F: Field>(Region<'r, F>); + +impl<'r, F: Field> RegionLayouter for TracingRegion<'r, F> { + fn enable_selector<'v>( + &'v mut self, + annotation: &'v (dyn Fn() -> String + 'v), + selector: &Selector, + offset: usize, + ) -> Result<(), Error> { + let _guard = debug_span!("enable_selector", name = annotation(), offset = offset).entered(); + debug!(target: "layouter", "Entered"); + self.0.enable_selector(annotation, selector, offset) + } + + fn name_column<'v>( + &'v mut self, + _: &'v (dyn std::ops::Fn() -> std::string::String + 'v), + _: Column, + ) { + } + + fn query_advice(&self, column: Column, offset: usize) -> Result { + self.0.query_advice(column, offset) + } + + fn query_fixed(&self, column: Column, offset: usize) -> Result { + self.0.query_fixed(column, offset) + } + + fn assign_advice<'v>( + &'v mut self, + annotation: &'v (dyn Fn() -> String + 'v), + column: Column, + offset: usize, + to: &'v mut (dyn FnMut() -> Value> + 'v), + ) -> Result { + let _guard = + debug_span!("assign_advice", name = annotation(), column = ?column, offset = offset) + .entered(); + debug!(target: "layouter", "Entered"); + self.0 + .assign_advice(annotation, column, offset, to) + .map(debug_value_and_return_cell) + } + + fn assign_advice_from_constant<'v>( + &'v mut self, + annotation: &'v (dyn Fn() -> String + 'v), + column: Column, + offset: usize, + constant: Assigned, + ) -> Result { + let _guard = debug_span!("assign_advice_from_constant", + name = annotation(), + column = ?column, + offset = offset, + constant = ?constant, + ) + .entered(); + debug!(target: "layouter", "Entered"); + self.0 + .assign_advice_from_constant(annotation, column, offset, constant) + .map(debug_value_and_return_cell) + } + + fn assign_advice_from_instance<'v>( + &mut self, + annotation: &'v (dyn Fn() -> String + 'v), + instance: Column, + row: usize, + advice: Column, + offset: usize, + ) -> Result<(Cell, Value), Error> { + let _guard = debug_span!("assign_advice_from_instance", + name = annotation(), + instance = ?instance, + row = row, + advice = ?advice, + offset = offset, + ) + .entered(); + debug!(target: "layouter", "Entered"); + self.0 + .assign_advice_from_instance(annotation, instance, row, advice, offset) + .map(|value| { + if let Some(v) = value.value().into_option() { + debug!(target: "assigned", value = ?v); + } + (value.cell(), value.value().cloned()) + }) + } + + fn instance_value( + &mut self, + instance: Column, + row: usize, + ) -> Result, Error> { + self.0.instance_value(instance, row) + } + + fn assign_fixed<'v>( + &'v mut self, + annotation: &'v (dyn Fn() -> String + 'v), + column: Column, + offset: usize, + to: &'v mut (dyn FnMut() -> Value> + 'v), + ) -> Result { + let _guard = + debug_span!("assign_fixed", name = annotation(), column = ?column, offset = offset) + .entered(); + debug!(target: "layouter", "Entered"); + self.0 + .assign_fixed(annotation, column, offset, to) + .map(debug_value_and_return_cell) + } + + fn constrain_constant(&mut self, cell: Cell, constant: Assigned) -> Result<(), Error> { + debug!(target: "constrain_constant", cell = ?cell, constant = ?constant); + self.0.constrain_constant(cell, constant) + } + + fn constrain_equal(&mut self, left: Cell, right: Cell) -> Result<(), Error> { + debug!(target: "constrain_equal", left = ?left, right = ?right); + self.0.constrain_equal(left, right) + } + + fn global_offset(&self, row_offset: usize) -> usize { + self.0.global_offset(row_offset) + } +} + +/// A helper type that augments an [`Assignment`] with [`tracing`] spans and events. +struct TracingAssignment<'cs, F: Field, CS: Assignment> { + cs: &'cs mut CS, + in_region: bool, + _phantom: PhantomData, +} + +impl<'cs, F: Field, CS: Assignment> TracingAssignment<'cs, F, CS> { + fn new(cs: &'cs mut CS) -> Self { + Self { + cs, + in_region: false, + _phantom: PhantomData, + } + } +} + +impl<'cs, F: Field, CS: Assignment> Assignment for TracingAssignment<'cs, F, CS> { + fn enter_region(&mut self, name_fn: N) + where + NR: Into, + N: FnOnce() -> NR, + { + self.in_region = true; + self.cs.enter_region(name_fn); + } + + fn annotate_column(&mut self, _: A, _: Column) + where + A: FnOnce() -> AR, + AR: Into, + { + } + + fn exit_region(&mut self) { + self.cs.exit_region(); + self.in_region = false; + } + + fn enable_selector( + &mut self, + annotation: A, + selector: &Selector, + row: usize, + ) -> Result<(), Error> + where + A: FnOnce() -> AR, + AR: Into, + { + let annotation = annotation().into(); + if self.in_region { + debug!(target: "position", row = row); + } else { + debug!(target: "enable_selector", name = annotation, row = row); + } + self.cs.enable_selector(|| annotation, selector, row) + } + + fn query_advice(&self, column: Column, row: usize) -> Result { + self.cs.query_advice(column, row) + } + + fn query_fixed(&self, column: Column, row: usize) -> Result { + self.cs.query_fixed(column, row) + } + + fn query_instance(&self, column: Column, row: usize) -> Result, Error> { + let _guard = debug_span!("positioned").entered(); + debug!(target: "query_instance", column = ?column, row = row); + self.cs.query_instance(column, row) + } + + fn assign_advice( + &mut self, + annotation: A, + column: Column, + row: usize, + to: V, + ) -> Result<(), Error> + where + V: FnOnce() -> Value, + VR: Into>, + A: FnOnce() -> AR, + AR: Into, + { + let annotation = annotation().into(); + if self.in_region { + debug!(target: "position", row = row); + } else { + debug!(target: "assign_advice", name = annotation, column = ?column, row = row); + } + self.cs.assign_advice(|| annotation, column, row, to) + } + + fn assign_fixed( + &mut self, + annotation: A, + column: Column, + row: usize, + to: V, + ) -> Result<(), Error> + where + V: FnOnce() -> Value, + VR: Into>, + A: FnOnce() -> AR, + AR: Into, + { + let annotation = annotation().into(); + if self.in_region { + debug!(target: "position", row = row); + } else { + debug!(target: "assign_fixed", name = annotation, column = ?column, row = row); + } + self.cs.assign_fixed(|| annotation, column, row, to) + } + + fn copy( + &mut self, + left_column: Column, + left_row: usize, + right_column: Column, + right_row: usize, + ) -> Result<(), Error> { + let _guard = debug_span!("positioned").entered(); + debug!( + target: "copy", + left_column = ?left_column, + left_row = left_row, + right_column = ?right_column, + right_row = right_row, + ); + self.cs.copy(left_column, left_row, right_column, right_row) + } + + fn fill_from_row( + &mut self, + column: Column, + row: usize, + to: Value>, + ) -> Result<(), Error> { + let _guard = debug_span!("positioned").entered(); + debug!(target: "fill_from_row", column = ?column, row = row); + self.cs.fill_from_row(column, row, to) + } + + fn get_challenge(&self, _: Challenge) -> Value { + Value::unknown() + } + + fn push_namespace(&mut self, name_fn: N) + where + NR: Into, + N: FnOnce() -> NR, + { + // We enter namespace spans in TracingLayouter. + self.cs.push_namespace(name_fn) + } + + fn pop_namespace(&mut self, gadget_name: Option) { + self.cs.pop_namespace(gadget_name); + // We exit namespace spans in TracingLayouter. + } +} diff --git a/halo2_proofs/src/dev/util.rs b/halo2_proofs/src/dev/util.rs index f4cd83c3..29092e1a 100644 --- a/halo2_proofs/src/dev/util.rs +++ b/halo2_proofs/src/dev/util.rs @@ -1,7 +1,7 @@ use group::ff::Field; use std::collections::BTreeMap; -use super::{metadata, CellValue, Value}; +use super::{metadata, CellValue, InstanceValue, Value}; use crate::{ plonk::{ Advice, AdviceQuery, Any, Column, ColumnType, Expression, FixedQuery, Gate, InstanceQuery, @@ -12,7 +12,7 @@ use crate::{ pub(crate) struct AnyQuery { /// Query index - pub index: usize, + pub index: Option, /// Column type pub column_type: Any, /// Column index @@ -79,7 +79,7 @@ pub(super) fn load<'a, F: Field, T: ColumnType, Q: Into + Copy>( cells: &'a [Vec>], ) -> impl Fn(Q) -> Value + 'a { move |query| { - let (column, at) = &queries[query.into().index]; + let (column, at) = &queries[query.into().index.unwrap()]; let resolved_row = (row + at.0) % n; cells[column.index()][resolved_row as usize].into() } @@ -93,8 +93,8 @@ pub(super) fn load_slice<'a, F: Field, T: ColumnType, Q: Into + Copy>( cells: &'a [&mut [CellValue]], ) -> impl Fn(Q) -> Value + 'a { move |query| { - let (column, at) = &queries[query.into().index]; - let resolved_row = (row + at.0 + n) % n; + let (column, at) = &queries[query.into().index.unwrap()]; + let resolved_row = (row + at.0) % n; cells[column.index()][resolved_row as usize].into() } } @@ -103,12 +103,13 @@ pub(super) fn load_instance<'a, F: Field, T: ColumnType, Q: Into + Cop n: i32, row: i32, queries: &'a [(Column, Rotation)], - cells: &'a [Vec], + cells: &'a [Vec>], ) -> impl Fn(Q) -> Value + 'a { move |query| { - let (column, at) = &queries[query.into().index]; - let resolved_row = (row + at.0 + n) % n; - Value::Real(cells[column.index()][resolved_row as usize]) + let (column, at) = &queries[query.into().index.unwrap()]; + let resolved_row = (row + at.0) % n; + let cell = &cells[column.index()][resolved_row as usize]; + Value::Real(cell.value()) } } diff --git a/halo2_proofs/src/helpers.rs b/halo2_proofs/src/helpers.rs index 09ac94ac..179bdbed 100644 --- a/halo2_proofs/src/helpers.rs +++ b/halo2_proofs/src/helpers.rs @@ -1,8 +1,7 @@ use crate::plonk::{Any, Column}; use crate::poly::Polynomial; -use ff::PrimeField; -use ff::{Field, FromUniformBytes}; -use halo2curves::{pairing::Engine, serde::SerdeObject, CurveAffine}; +use ff::{FromUniformBytes, PrimeField}; +use halo2curves::{serde::SerdeObject, CurveAffine}; use num_bigint::BigUint; use std::io; @@ -93,6 +92,7 @@ macro_rules! two_dim_vec_to_vec_of_slice { #[cfg(test)] mod test { use super::*; + use ff::Field; use halo2curves::bn256::{Fq, G1Affine}; use rand_core::OsRng; #[test] @@ -112,6 +112,7 @@ mod test { } } } + pub trait SerdeCurveAffine: CurveAffine + SerdeObject { /// Reads an element from the buffer and parses it according to the `format`: /// - `Processed`: Reads a compressed curve element and decompress it diff --git a/halo2_proofs/src/lib.rs b/halo2_proofs/src/lib.rs index 39fd43d4..d670143b 100644 --- a/halo2_proofs/src/lib.rs +++ b/halo2_proofs/src/lib.rs @@ -1,32 +1,17 @@ //! # halo2_proofs #![cfg_attr(docsrs, feature(doc_cfg))] -// Build without warnings on stable 1.51 and later. -#![allow(unknown_lints)] -// Disable old lint warnings until our MSRV is at least 1.51. -#![allow(renamed_and_removed_lints)] -// Use the old lint name to build without warnings until our MSRV is at least 1.51. -#![allow(clippy::unknown_clippy_lints)] // The actual lints we want to disable. -#![allow( - clippy::op_ref, - clippy::assign_op_pattern, - clippy::too_many_arguments, - clippy::suspicious_arithmetic_impl, - clippy::many_single_char_names, - clippy::same_item_push, - clippy::upper_case_acronyms, - clippy::uninit_vec -)] -#![deny(broken_intra_doc_links)] +#![allow(clippy::op_ref, clippy::many_single_char_names)] +#![deny(rustdoc::broken_intra_doc_links)] #![deny(missing_debug_implementations)] +#![feature(stmt_expr_attributes)] +// #![deny(missing_docs)] // #![deny(unsafe_code)] -// Remove this once we update pasta_curves -#![allow(unused_imports)] -#![allow(clippy::derive_partial_eq_without_eq)] +#![allow(clippy::uninit_vec)] +#![allow(clippy::too_many_arguments)] #[cfg(feature = "counter")] -#[macro_use] extern crate lazy_static; #[cfg(feature = "counter")] diff --git a/halo2_proofs/src/multicore.rs b/halo2_proofs/src/multicore.rs index a22eac9e..60502f07 100644 --- a/halo2_proofs/src/multicore.rs +++ b/halo2_proofs/src/multicore.rs @@ -1,5 +1,70 @@ -//! An interface for dealing with the kinds of parallel computations involved in -//! `halo2`. It's currently just a (very!) thin wrapper around [`rayon`] but may -//! be extended in the future to allow for various parallelism strategies. +#[cfg(all( + feature = "multicore", + target_arch = "wasm32", + not(target_feature = "atomics") +))] +compile_error!( + "The multicore feature flag is not supported on wasm32 architectures without atomics" +); -pub use rayon::{current_num_threads, scope, Scope}; +pub use maybe_rayon::{ + iter::{IntoParallelIterator, IntoParallelRefMutIterator, ParallelIterator}, + join, scope, Scope, +}; + +#[cfg(feature = "multicore")] +pub use maybe_rayon::{ + current_num_threads, + iter::{IndexedParallelIterator, IntoParallelRefIterator}, + slice::ParallelSliceMut, +}; + +#[cfg(not(feature = "multicore"))] +pub fn current_num_threads() -> usize { + 1 +} + +pub trait TryFoldAndReduce { + /// Implements `iter.try_fold().try_reduce()` for `rayon::iter::ParallelIterator`, + /// falling back on `Iterator::try_fold` when the `multicore` feature flag is + /// disabled. + /// The `try_fold_and_reduce` function can only be called by a iter with + /// `Result` item type because the `fold_op` must meet the trait + /// bounds of both `try_fold` and `try_reduce` from rayon. + fn try_fold_and_reduce( + self, + identity: impl Fn() -> T + Send + Sync, + fold_op: impl Fn(T, Result) -> Result + Send + Sync, + ) -> Result; +} + +#[cfg(feature = "multicore")] +impl TryFoldAndReduce for I +where + T: Send + Sync, + E: Send + Sync, + I: maybe_rayon::iter::ParallelIterator>, +{ + fn try_fold_and_reduce( + self, + identity: impl Fn() -> T + Send + Sync, + fold_op: impl Fn(T, Result) -> Result + Send + Sync, + ) -> Result { + self.try_fold(&identity, &fold_op) + .try_reduce(&identity, |a, b| fold_op(a, Ok(b))) + } +} + +#[cfg(not(feature = "multicore"))] +impl TryFoldAndReduce for I +where + I: std::iter::Iterator>, +{ + fn try_fold_and_reduce( + mut self, + identity: impl Fn() -> T + Send + Sync, + fold_op: impl Fn(T, Result) -> Result + Send + Sync, + ) -> Result { + self.try_fold(identity(), fold_op) + } +} diff --git a/halo2_proofs/src/plonk.rs b/halo2_proofs/src/plonk.rs index 96d34992..4da095e1 100644 --- a/halo2_proofs/src/plonk.rs +++ b/halo2_proofs/src/plonk.rs @@ -7,17 +7,13 @@ use blake2b_simd::Params as Blake2bParams; use group::ff::{Field, FromUniformBytes, PrimeField}; -use halo2curves::pairing::Engine; use crate::arithmetic::CurveAffine; use crate::helpers::{ polynomial_slice_byte_length, read_polynomial_vec, write_polynomial_slice, SerdeCurveAffine, SerdePrimeField, }; -use crate::poly::{ - commitment::Params, Coeff, EvaluationDomain, ExtendedLagrangeCoeff, LagrangeCoeff, - PinnedEvaluationDomain, Polynomial, -}; +use crate::poly::{Coeff, EvaluationDomain, LagrangeCoeff, PinnedEvaluationDomain, Polynomial}; use crate::transcript::{ChallengeScalar, EncodedChallenge, Transcript}; use crate::SerdeFormat; @@ -29,7 +25,8 @@ mod keygen; #[allow(dead_code)] mod lookup; mod mv_lookup; -pub(crate) mod permutation; +pub mod permutation; +mod shuffle; mod vanishing; mod prover; @@ -106,11 +103,16 @@ where pub fn read>( reader: &mut R, format: SerdeFormat, + #[cfg(feature = "circuit-params")] params: ConcreteCircuit::Params, ) -> io::Result { let mut k = [0u8; 4]; reader.read_exact(&mut k)?; let k = u32::from_be_bytes(k); - let (domain, cs, _) = keygen::create_domain::(k); + let (domain, cs, _) = keygen::create_domain::( + k, + #[cfg(feature = "circuit-params")] + params, + ); let mut num_fixed_columns = [0u8; 4]; reader.read_exact(&mut num_fixed_columns)?; let num_fixed_columns = u32::from_be_bytes(num_fixed_columns); @@ -147,8 +149,14 @@ where pub fn from_bytes>( mut bytes: &[u8], format: SerdeFormat, + #[cfg(feature = "circuit-params")] params: ConcreteCircuit::Params, ) -> io::Result { - Self::read::<_, ConcreteCircuit>(&mut bytes, format) + Self::read::<_, ConcreteCircuit>( + &mut bytes, + format, + #[cfg(feature = "circuit-params")] + params, + ) } } @@ -159,14 +167,13 @@ where fn bytes_length(&self) -> usize { 8 + (self.fixed_commitments.len() * C::default().to_bytes().as_ref().len()) + self.permutation.bytes_length() - /* - + self.selectors.len() - * (self - .selectors - .get(0) - .map(|selector| selector.len() / 8 + 1) - .unwrap_or(0)) - */ + // scroll/halo2: we don’t need to store + // + self.selectors.len() + // * (self + // .selectors + // .get(0) + // .map(|selector| (selector.len() + 7) / 8) + // .unwrap_or(0)) } fn from_parts( @@ -174,8 +181,11 @@ where fixed_commitments: Vec, permutation: permutation::VerifyingKey, cs: ConstraintSystem, - //selectors: Vec>, - ) -> Self { + // selectors: Vec>, + ) -> Self + where + C::ScalarExt: FromUniformBytes<64>, + { // Compute cached values. let cs_degree = cs.degree(); @@ -243,6 +253,11 @@ where pub fn cs(&self) -> &ConstraintSystem { &self.cs } + + /// Returns representative of this `VerifyingKey` in transcripts + pub fn transcript_repr(&self) -> C::Scalar { + self.transcript_repr + } } /// Minimal representation of a verification key that can be used to identify @@ -333,8 +348,14 @@ where pub fn read>( reader: &mut R, format: SerdeFormat, + #[cfg(feature = "circuit-params")] params: ConcreteCircuit::Params, ) -> io::Result { - let vk = VerifyingKey::::read::(reader, format)?; + let vk = VerifyingKey::::read::( + reader, + format, + #[cfg(feature = "circuit-params")] + params, + )?; let l0 = Polynomial::read(reader, format)?; let l_last = Polynomial::read(reader, format)?; let l_active_row = Polynomial::read(reader, format)?; @@ -367,8 +388,14 @@ where pub fn from_bytes>( mut bytes: &[u8], format: SerdeFormat, + #[cfg(feature = "circuit-params")] params: ConcreteCircuit::Params, ) -> io::Result { - Self::read::<_, ConcreteCircuit>(&mut bytes, format) + Self::read::<_, ConcreteCircuit>( + &mut bytes, + format, + #[cfg(feature = "circuit-params")] + params, + ) } } diff --git a/halo2_proofs/src/plonk/assigned.rs b/halo2_proofs/src/plonk/assigned.rs index 46d527b9..07de3256 100644 --- a/halo2_proofs/src/plonk/assigned.rs +++ b/halo2_proofs/src/plonk/assigned.rs @@ -446,7 +446,6 @@ mod tests { mod proptests { use std::{ cmp, - convert::TryFrom, ops::{Add, Mul, Neg, Sub}, }; @@ -613,7 +612,7 @@ mod proptests { // Ensure that: // - we have at least one value to apply unary operators to. // - we can apply every binary operator pairwise sequentially. - cmp::max(if num_unary > 0 { 1 } else { 0 }, num_binary + 1)), + cmp::max(usize::from(num_unary > 0), num_binary + 1)), operations in arb_operators(num_unary, num_binary).prop_shuffle(), ) -> (Vec>, Vec) { (values, operations) diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index 251c146a..2e330b56 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -1,10 +1,17 @@ +use crate::circuit::layouter::SyncDeps; +use crate::dev::metadata; +use crate::plonk::shuffle; +use crate::{ + circuit::{Layouter, Region, Value}, + poly::Rotation, +}; use core::cmp::max; use core::ops::{Add, Mul}; use ff::Field; -use std::collections::{BTreeMap, HashMap}; +use sealed::SealedPhase; +use std::collections::BTreeMap; use std::fmt::Debug; -use std::hash::Hasher; -use std::marker::PhantomData; +use std::iter::{Product, Sum}; use std::ops::Range; use std::{ convert::TryFrom, @@ -12,19 +19,14 @@ use std::{ }; use super::{mv_lookup, permutation, Assigned, Error}; -use crate::dev::metadata; -use crate::{ - circuit::{Layouter, Region, Value}, - poly::Rotation, -}; -use sealed::SealedPhase; - mod compress_selectors; /// A column type pub trait ColumnType: 'static + Sized + Copy + std::fmt::Debug + PartialEq + Eq + Into { + /// Return expression from cell + fn query_cell(&self, index: usize, at: Rotation) -> Expression; } /// A column with an index and type @@ -48,6 +50,31 @@ impl Column { pub fn column_type(&self) -> &C { &self.column_type } + + /// Return expression from column at a relative position + pub fn query_cell(&self, at: Rotation) -> Expression { + self.column_type.query_cell(self.index, at) + } + + /// Return expression from column at the current row + pub fn cur(&self) -> Expression { + self.query_cell(Rotation::cur()) + } + + /// Return expression from column at the next row + pub fn next(&self) -> Expression { + self.query_cell(Rotation::next()) + } + + /// Return expression from column at the previous row + pub fn prev(&self) -> Expression { + self.query_cell(Rotation::prev()) + } + + /// Return expression from column at the specified rotation + pub fn rot(&self, rotation: i32) -> Expression { + self.query_cell(Rotation(rotation)) + } } impl Ord for Column { @@ -79,6 +106,12 @@ pub(crate) mod sealed { } } + impl SealedPhase for Phase { + fn to_sealed(self) -> Phase { + self + } + } + /// Sealed trait to help keep `Phase` private. pub trait SealedPhase { fn to_sealed(self) -> Phase; @@ -231,10 +264,56 @@ impl PartialOrd for Any { } } -impl ColumnType for Advice {} -impl ColumnType for Fixed {} -impl ColumnType for Instance {} -impl ColumnType for Any {} +impl ColumnType for Advice { + fn query_cell(&self, index: usize, at: Rotation) -> Expression { + Expression::Advice(AdviceQuery { + index: None, + column_index: index, + rotation: at, + phase: self.phase, + }) + } +} +impl ColumnType for Fixed { + fn query_cell(&self, index: usize, at: Rotation) -> Expression { + Expression::Fixed(FixedQuery { + index: None, + column_index: index, + rotation: at, + }) + } +} +impl ColumnType for Instance { + fn query_cell(&self, index: usize, at: Rotation) -> Expression { + Expression::Instance(InstanceQuery { + index: None, + column_index: index, + rotation: at, + }) + } +} +impl ColumnType for Any { + fn query_cell(&self, index: usize, at: Rotation) -> Expression { + match self { + Any::Advice(Advice { phase }) => Expression::Advice(AdviceQuery { + index: None, + column_index: index, + rotation: at, + phase: *phase, + }), + Any::Fixed => Expression::Fixed(FixedQuery { + index: None, + column_index: index, + rotation: at, + }), + Any::Instance => Expression::Instance(InstanceQuery { + index: None, + column_index: index, + rotation: at, + }), + } + } +} impl From for Any { fn from(advice: Advice) -> Any { @@ -388,13 +467,23 @@ impl Selector { pub fn is_simple(&self) -> bool { self.1 } + + /// Returns index of this selector + pub fn index(&self) -> usize { + self.0 + } + + /// Return expression from selector + pub fn expr(&self) -> Expression { + Expression::Selector(*self) + } } /// Query of fixed column at a certain relative location #[derive(Copy, Clone, Debug, PartialEq, Eq, Hash)] pub struct FixedQuery { /// Query index - pub(crate) index: usize, + pub(crate) index: Option, /// Column index pub(crate) column_index: usize, /// Rotation of this query @@ -404,7 +493,7 @@ pub struct FixedQuery { impl FixedQuery { /// Index pub fn index(&self) -> usize { - self.index + self.index.unwrap() } /// Column index pub fn column_index(&self) -> usize { @@ -425,7 +514,7 @@ impl FixedQuery { #[derive(Copy, Clone, Debug, PartialEq, Eq, Hash)] pub struct AdviceQuery { /// Query index - pub(crate) index: usize, + pub(crate) index: Option, /// Column index pub(crate) column_index: usize, /// Rotation of this query @@ -437,7 +526,7 @@ pub struct AdviceQuery { impl AdviceQuery { /// Index pub fn index(&self) -> usize { - self.index + self.index.unwrap() } /// Column index pub fn column_index(&self) -> usize { @@ -463,7 +552,7 @@ impl AdviceQuery { #[derive(Copy, Clone, Debug, PartialEq, Eq, Hash)] pub struct InstanceQuery { /// Query index - pub(crate) index: usize, + pub(crate) index: Option, /// Column index pub(crate) column_index: usize, /// Rotation of this query @@ -473,7 +562,7 @@ pub struct InstanceQuery { impl InstanceQuery { /// Index pub fn index(&self) -> usize { - self.index + self.index.unwrap() } /// Column index pub fn column_index(&self) -> usize { @@ -496,7 +585,7 @@ impl InstanceQuery { /// they cannot simultaneously be used as general fixed columns. /// /// [`Layouter::assign_table`]: crate::circuit::Layouter::assign_table -#[derive(Clone, Copy, Debug, Eq, PartialEq, Hash)] +#[derive(Clone, Copy, Debug, Eq, PartialEq, Hash, Ord, PartialOrd)] pub struct TableColumn { /// The fixed column that this table column is stored in. /// @@ -509,7 +598,8 @@ pub struct TableColumn { } impl TableColumn { - pub(crate) fn inner(&self) -> Column { + /// Returns inner column + pub fn inner(&self) -> Column { self.inner } } @@ -531,6 +621,11 @@ impl Challenge { pub fn phase(&self) -> u8 { self.phase.0 } + + /// Return Expression + pub fn expr(&self) -> Expression { + Expression::Challenge(*self) + } } /// This trait allows a [`Circuit`] to direct some backend to assign a witness @@ -680,7 +775,7 @@ pub trait FloorPlanner { /// - Perform any necessary setup or measurement tasks, which may involve one or more /// calls to `Circuit::default().synthesize(config, &mut layouter)`. /// - Call `circuit.synthesize(config, &mut layouter)` exactly once. - fn synthesize, C: Circuit>( + fn synthesize + SyncDeps, C: Circuit>( cs: &mut CS, circuit: &C, config: C::Config, @@ -697,11 +792,33 @@ pub trait Circuit { /// The floor planner used for this circuit. This is an associated type of the /// `Circuit` trait because its behaviour is circuit-critical. type FloorPlanner: FloorPlanner; + /// Optional circuit configuration parameters. Requires the `circuit-params` feature. + #[cfg(feature = "circuit-params")] + type Params: Default; /// Returns a copy of this circuit with no witness values (i.e. all witnesses set to /// `None`). For most circuits, this will be equal to `Self::default()`. fn without_witnesses(&self) -> Self; + /// Returns a reference to the parameters that should be used to configure the circuit. + /// Requires the `circuit-params` feature. + #[cfg(feature = "circuit-params")] + fn params(&self) -> Self::Params { + Self::Params::default() + } + + /// The circuit is given an opportunity to describe the exact gate + /// arrangement, column arrangement, etc. Takes a runtime parameter. The default + /// implementation calls `configure` ignoring the `_params` argument in order to easily support + /// circuits that don't use configuration parameters. + #[cfg(feature = "circuit-params")] + fn configure_with_params( + meta: &mut ConstraintSystem, + _params: Self::Params, + ) -> Self::Config { + Self::configure(meta) + } + /// The circuit is given an opportunity to describe the exact gate /// arrangement, column arrangement, etc. fn configure(meta: &mut ConstraintSystem) -> Self::Config; @@ -738,8 +855,62 @@ pub enum Expression { } impl Expression { + /// Make side effects + pub fn query_cells(&mut self, cells: &mut VirtualCells<'_, F>) { + match self { + Expression::Constant(_) => (), + Expression::Selector(selector) => { + if !cells.queried_selectors.contains(selector) { + cells.queried_selectors.push(*selector); + } + } + Expression::Fixed(query) => { + if query.index.is_none() { + let col = Column { + index: query.column_index, + column_type: Fixed, + }; + cells.queried_cells.push((col, query.rotation).into()); + query.index = Some(cells.meta.query_fixed_index(col, query.rotation)); + } + } + Expression::Advice(query) => { + if query.index.is_none() { + let col = Column { + index: query.column_index, + column_type: Advice { phase: query.phase }, + }; + cells.queried_cells.push((col, query.rotation).into()); + query.index = Some(cells.meta.query_advice_index(col, query.rotation)); + } + } + Expression::Instance(query) => { + if query.index.is_none() { + let col = Column { + index: query.column_index, + column_type: Instance, + }; + cells.queried_cells.push((col, query.rotation).into()); + query.index = Some(cells.meta.query_instance_index(col, query.rotation)); + } + } + Expression::Challenge(_) => (), + Expression::Negated(a) => a.query_cells(cells), + Expression::Sum(a, b) => { + a.query_cells(cells); + b.query_cells(cells); + } + Expression::Product(a, b) => { + a.query_cells(cells); + b.query_cells(cells); + } + Expression::Scaled(a, _) => a.query_cells(cells), + }; + } + /// Evaluate the polynomial using the provided closures to perform the /// operations. + #[allow(clippy::too_many_arguments)] pub fn evaluate( &self, constant: &impl Fn(F) -> T, @@ -849,6 +1020,7 @@ impl Expression { /// Evaluate the polynomial lazily using the provided closures to perform the /// operations. + #[allow(clippy::too_many_arguments)] pub fn evaluate_lazy( &self, constant: &impl Fn(F) -> T, @@ -1124,43 +1296,43 @@ impl std::fmt::Debug for Expression { Expression::Constant(scalar) => f.debug_tuple("Constant").field(scalar).finish(), Expression::Selector(selector) => f.debug_tuple("Selector").field(selector).finish(), // Skip enum variant and print query struct directly to maintain backwards compatibility. - Expression::Fixed(FixedQuery { - index, - column_index, - rotation, - }) => f - .debug_struct("Fixed") - .field("query_index", index) - .field("column_index", column_index) - .field("rotation", rotation) - .finish(), - Expression::Advice(AdviceQuery { - index, - column_index, - rotation, - phase, - }) => { + Expression::Fixed(query) => { + let mut debug_struct = f.debug_struct("Fixed"); + match query.index { + None => debug_struct.field("query_index", &query.index), + Some(idx) => debug_struct.field("query_index", &idx), + }; + debug_struct + .field("column_index", &query.column_index) + .field("rotation", &query.rotation) + .finish() + } + Expression::Advice(query) => { let mut debug_struct = f.debug_struct("Advice"); + match query.index { + None => debug_struct.field("query_index", &query.index), + Some(idx) => debug_struct.field("query_index", &idx), + }; debug_struct - .field("query_index", index) - .field("column_index", column_index) - .field("rotation", rotation); + .field("column_index", &query.column_index) + .field("rotation", &query.rotation); // Only show advice's phase if it's not in first phase. - if *phase != FirstPhase.to_sealed() { - debug_struct.field("phase", phase); + if query.phase != FirstPhase.to_sealed() { + debug_struct.field("phase", &query.phase); } debug_struct.finish() } - Expression::Instance(InstanceQuery { - index, - column_index, - rotation, - }) => f - .debug_struct("Instance") - .field("query_index", index) - .field("column_index", column_index) - .field("rotation", rotation) - .finish(), + Expression::Instance(query) => { + let mut debug_struct = f.debug_struct("Instance"); + match query.index { + None => debug_struct.field("query_index", &query.index), + Some(idx) => debug_struct.field("query_index", &idx), + }; + debug_struct + .field("column_index", &query.column_index) + .field("rotation", &query.rotation) + .finish() + } Expression::Challenge(challenge) => { f.debug_tuple("Challenge").field(challenge).finish() } @@ -1218,6 +1390,20 @@ impl Mul for Expression { } } +impl Sum for Expression { + fn sum>(iter: I) -> Self { + iter.reduce(|acc, x| acc + x) + .unwrap_or(Expression::Constant(F::ZERO)) + } +} + +impl Product for Expression { + fn product>(iter: I) -> Self { + iter.reduce(|acc, x| acc * x) + .unwrap_or(Expression::Constant(F::ONE)) + } +} + /// Represents an index into a vector where each entry corresponds to a distinct /// point that polynomials are queried at. #[derive(Copy, Clone, Debug)] @@ -1245,25 +1431,34 @@ impl>> From<(Col, Rotation)> for VirtualCell { /// These are returned by the closures passed to `ConstraintSystem::create_gate`. #[derive(Debug)] pub struct Constraint { - name: &'static str, + name: String, poly: Expression, } impl From> for Constraint { fn from(poly: Expression) -> Self { - Constraint { name: "", poly } + Constraint { + name: "".to_string(), + poly, + } } } -impl From<(&'static str, Expression)> for Constraint { - fn from((name, poly): (&'static str, Expression)) -> Self { - Constraint { name, poly } +impl> From<(S, Expression)> for Constraint { + fn from((name, poly): (S, Expression)) -> Self { + Constraint { + name: name.as_ref().to_string(), + poly, + } } } impl From> for Vec> { fn from(poly: Expression) -> Self { - vec![Constraint { name: "", poly }] + vec![Constraint { + name: "".to_string(), + poly, + }] } } @@ -1345,7 +1540,7 @@ impl>, Iter: IntoIterator> IntoIterato fn into_iter(self) -> Self::IntoIter { std::iter::repeat(self.selector) - .zip(self.constraints.into_iter()) + .zip(self.constraints) .map(apply_selector_to_constraint) } } @@ -1353,8 +1548,8 @@ impl>, Iter: IntoIterator> IntoIterato /// Gate #[derive(Clone, Debug, PartialEq, Eq)] pub struct Gate { - name: &'static str, - constraint_names: Vec<&'static str>, + name: String, + constraint_names: Vec, pub polys: Vec>, /// We track queried selectors separately from other cells, so that we can use them to /// trigger debug checks on gates. @@ -1363,12 +1558,14 @@ pub struct Gate { } impl Gate { - pub(crate) fn name(&self) -> &'static str { - self.name + /// Returns the gate name. + pub fn name(&self) -> &str { + self.name.as_str() } - pub(crate) fn constraint_name(&self, constraint_index: usize) -> &'static str { - self.constraint_names[constraint_index] + /// Returns the name of the constraint at index `constraint_index`. + pub fn constraint_name(&self, constraint_index: usize) -> &str { + self.constraint_names[constraint_index].as_str() } /// Returns constraints of this gate @@ -1431,6 +1628,10 @@ pub struct ConstraintSystem { // input expressions and a sequence of table expressions involved in the lookup. pub lookups: Vec>, + // Vector of shuffle arguments, where each corresponds to a sequence of + // input expressions and a sequence of shuffle expressions involved in the shuffle. + pub(crate) shuffles: Vec>, + // List of indexes of Fixed columns which are associated to a circuit-general Column tied to their annotation. pub(crate) general_column_annotations: BTreeMap, @@ -1457,6 +1658,7 @@ pub struct PinnedConstraintSystem<'a, F: Field> { fixed_queries: &'a Vec<(Column, Rotation)>, permutation: &'a permutation::Argument, lookups_map: &'a BTreeMap>, + shuffles: &'a Vec>, constants: &'a Vec>, minimum_degree: &'a Option, } @@ -1519,6 +1721,7 @@ impl Default for ConstraintSystem { permutation: permutation::Argument::new(), lookups_map: BTreeMap::default(), lookups: Vec::new(), + shuffles: Vec::new(), general_column_annotations: BTreeMap::new(), constants: vec![], minimum_degree: None, @@ -1545,6 +1748,7 @@ impl ConstraintSystem { instance_queries: &self.instance_queries, permutation: &self.permutation, lookups_map: &self.lookups_map, + shuffles: &self.shuffles, constants: &self.constants, minimum_degree: &self.minimum_degree, } @@ -1573,26 +1777,25 @@ impl ConstraintSystem { /// /// `table_map` returns a map between input expressions and the table columns /// they need to match. - pub fn lookup( + pub fn lookup>( &mut self, // FIXME use name in debug messages - _name: &'static str, + _name: S, table_map: impl FnOnce(&mut VirtualCells<'_, F>) -> Vec<(Expression, TableColumn)>, ) { let mut cells = VirtualCells::new(self); let (input_expressions, table_expressions): (Vec<_>, Vec<_>) = table_map(&mut cells) .into_iter() - .map(|(input, table)| { + .map(|(mut input, table)| { if input.contains_simple_selector() { panic!("expression containing simple selector supplied to lookup argument"); } - - let table = cells.query_fixed(table.inner(), Rotation::cur()); - + let mut table = cells.query_fixed(table.inner(), Rotation::cur()); + input.query_cells(&mut cells); + table.query_cells(&mut cells); (input, table) }) .unzip(); - let table_expressions_identifier = table_expressions .iter() .fold(String::new(), |string, expr| string + &expr.identifier()); @@ -1681,10 +1884,10 @@ impl ConstraintSystem { /// /// `table_map` returns a map between input expressions and the table expressions /// they need to match. - pub fn lookup_any( + pub fn lookup_any>( &mut self, // FIXME use name in debug messages - _name: &'static str, + _name: S, table_map: impl FnOnce(&mut VirtualCells<'_, F>) -> Vec<(Expression, Expression)>, ) { let mut cells = VirtualCells::new(self); @@ -1705,6 +1908,29 @@ impl ConstraintSystem { }); } + /// Add a shuffle argument for some input expressions and table expressions. + pub fn shuffle>( + &mut self, + name: S, + shuffle_map: impl FnOnce(&mut VirtualCells<'_, F>) -> Vec<(Expression, Expression)>, + ) -> usize { + let mut cells = VirtualCells::new(self); + let shuffle_map = shuffle_map(&mut cells) + .into_iter() + .map(|(mut input, mut table)| { + input.query_cells(&mut cells); + table.query_cells(&mut cells); + (input, table) + }) + .collect(); + let index = self.shuffles.len(); + + self.shuffles + .push(shuffle::Argument::new(name.as_ref(), shuffle_map)); + + index + } + fn query_fixed_index(&mut self, column: Column, at: Rotation) -> usize { // Return existing query, if it exists for (index, fixed_query) in self.fixed_queries.iter().enumerate() { @@ -1822,29 +2048,32 @@ impl ConstraintSystem { /// /// A gate is required to contain polynomial constraints. This method will panic if /// `constraints` returns an empty iterator. - pub fn create_gate>, Iter: IntoIterator>( + pub fn create_gate>, Iter: IntoIterator, S: AsRef>( &mut self, - name: &'static str, + name: S, constraints: impl FnOnce(&mut VirtualCells<'_, F>) -> Iter, ) { let mut cells = VirtualCells::new(self); let constraints = constraints(&mut cells); - let queried_selectors = cells.queried_selectors; - let queried_cells = cells.queried_cells; - let (constraint_names, polys): (_, Vec<_>) = constraints .into_iter() .map(|c| c.into()) - .map(|c| (c.name, c.poly)) + .map(|mut c: Constraint| { + c.poly.query_cells(&mut cells); + (c.name, c.poly) + }) .unzip(); + let queried_selectors = cells.queried_selectors; + let queried_cells = cells.queried_cells; + assert!( !polys.is_empty(), "Gates must contain at least one constraint." ); self.gates.push(Gate { - name, + name: name.as_ref().to_string(), constraint_names, polys, queried_selectors, @@ -1859,7 +2088,7 @@ impl ConstraintSystem { /// find which fixed column corresponds with a given `Selector`. /// /// Do not call this twice. Yes, this should be a builder pattern instead. - pub(crate) fn compress_selectors(mut self, selectors: Vec>) -> (Self, Vec>) { + pub fn compress_selectors(mut self, selectors: Vec>) -> (Self, Vec>) { // The number of provided selector assignments must be the number we // counted for this constraint system. assert_eq!(selectors.len(), self.num_selectors); @@ -1883,7 +2112,7 @@ impl ConstraintSystem { let (polys, selector_assignment) = compress_selectors::process( selectors .into_iter() - .zip(degrees.into_iter()) + .zip(degrees) .enumerate() .map( |(i, (activations, max_degree))| compress_selectors::SelectorDescription { @@ -1898,7 +2127,7 @@ impl ConstraintSystem { let column = self.fixed_column(); new_columns.push(column); Expression::Fixed(FixedQuery { - index: self.query_fixed_index(column, Rotation::cur()), + index: Some(self.query_fixed_index(column, Rotation::cur())), column_index: column.index, rotation: Rotation::cur(), }) @@ -1966,6 +2195,15 @@ impl ConstraintSystem { replace_selectors(expr, &selector_replacements, true); } + for expr in self.shuffles.iter_mut().flat_map(|shuffle| { + shuffle + .input_expressions + .iter_mut() + .chain(shuffle.shuffle_expressions.iter_mut()) + }) { + replace_selectors(expr, &selector_replacements, true); + } + (self, polys) } @@ -2146,6 +2384,17 @@ impl ConstraintSystem { .unwrap_or(1), ); + // The lookup argument also serves alongside the gates and must be accounted + // for. + degree = std::cmp::max( + degree, + self.shuffles + .iter() + .map(|l| l.required_degree()) + .max() + .unwrap_or(1), + ); + // Account for each gate to ensure our quotient polynomial is the // correct degree and that our extended domain is the right size. degree = std::cmp::max(degree, self.max_gate_degree()); @@ -2219,6 +2468,11 @@ impl ConstraintSystem { self.num_instance_columns } + /// Returns number of selectors + pub fn num_selectors(&self) -> usize { + self.num_selectors + } + /// Returns number of challenges pub fn num_challenges(&self) -> usize { self.num_challenges @@ -2242,6 +2496,11 @@ impl ConstraintSystem { &self.gates } + /// Returns general column annotations + pub fn general_column_annotations(&self) -> &BTreeMap { + &self.general_column_annotations + } + /// Returns advice queries pub fn advice_queries(&self) -> &Vec<(Column, Rotation)> { &self.advice_queries @@ -2267,6 +2526,11 @@ impl ConstraintSystem { &self.lookups } + /// Returns shuffle arguments + pub fn shuffles(&self) -> &Vec> { + &self.shuffles + } + /// Returns constants pub fn constants(&self) -> &Vec> { &self.constants @@ -2301,7 +2565,7 @@ impl<'a, F: Field> VirtualCells<'a, F> { pub fn query_fixed(&mut self, column: Column, at: Rotation) -> Expression { self.queried_cells.push((column, at).into()); Expression::Fixed(FixedQuery { - index: self.meta.query_fixed_index(column, at), + index: Some(self.meta.query_fixed_index(column, at)), column_index: column.index, rotation: at, }) @@ -2311,7 +2575,7 @@ impl<'a, F: Field> VirtualCells<'a, F> { pub fn query_advice(&mut self, column: Column, at: Rotation) -> Expression { self.queried_cells.push((column, at).into()); Expression::Advice(AdviceQuery { - index: self.meta.query_advice_index(column, at), + index: Some(self.meta.query_advice_index(column, at)), column_index: column.index, rotation: at, phase: column.column_type().phase, @@ -2322,7 +2586,7 @@ impl<'a, F: Field> VirtualCells<'a, F> { pub fn query_instance(&mut self, column: Column, at: Rotation) -> Expression { self.queried_cells.push((column, at).into()); Expression::Instance(InstanceQuery { - index: self.meta.query_instance_index(column, at), + index: Some(self.meta.query_instance_index(column, at)), column_index: column.index, rotation: at, }) @@ -2343,3 +2607,47 @@ impl<'a, F: Field> VirtualCells<'a, F> { Expression::Challenge(challenge) } } + +#[cfg(test)] +mod tests { + use super::Expression; + use halo2curves::bn256::Fr; + + #[test] + fn iter_sum() { + let exprs: Vec> = vec![ + Expression::Constant(1.into()), + Expression::Constant(2.into()), + Expression::Constant(3.into()), + ]; + let happened: Expression = exprs.into_iter().sum(); + let expected: Expression = Expression::Sum( + Box::new(Expression::Sum( + Box::new(Expression::Constant(1.into())), + Box::new(Expression::Constant(2.into())), + )), + Box::new(Expression::Constant(3.into())), + ); + + assert_eq!(happened, expected); + } + + #[test] + fn iter_product() { + let exprs: Vec> = vec![ + Expression::Constant(1.into()), + Expression::Constant(2.into()), + Expression::Constant(3.into()), + ]; + let happened: Expression = exprs.into_iter().product(); + let expected: Expression = Expression::Product( + Box::new(Expression::Product( + Box::new(Expression::Constant(1.into())), + Box::new(Expression::Constant(2.into())), + )), + Box::new(Expression::Constant(3.into())), + ); + + assert_eq!(happened, expected); + } +} diff --git a/halo2_proofs/src/plonk/circuit/compress_selectors.rs b/halo2_proofs/src/plonk/circuit/compress_selectors.rs index f52a0e7c..95459258 100644 --- a/halo2_proofs/src/plonk/circuit/compress_selectors.rs +++ b/halo2_proofs/src/plonk/circuit/compress_selectors.rs @@ -283,7 +283,7 @@ mod tests { let (combination_assignments, selector_assignments) = process::(selectors.clone(), max_degree, || { let tmp = Expression::Fixed(FixedQuery { - index: query, + index: Some(query), column_index: query, rotation: Rotation::cur(), }); @@ -322,7 +322,7 @@ mod tests { &|_| panic!("should not occur in returned expressions"), &|query| { // Should be the correct combination in the expression - assert_eq!(selector.combination_index, query.index); + assert_eq!(selector.combination_index, query.index.unwrap()); assignment }, &|_| panic!("should not occur in returned expressions"), diff --git a/halo2_proofs/src/plonk/error.rs b/halo2_proofs/src/plonk/error.rs index 84b14cbd..756fa30e 100644 --- a/halo2_proofs/src/plonk/error.rs +++ b/halo2_proofs/src/plonk/error.rs @@ -1,9 +1,8 @@ -use crate::circuit::RegionIndex; -use std::cmp; use std::error; use std::fmt; use std::io; +use super::TableColumn; use super::{Any, Column}; /// This is an error that could occur during proving or circuit synthesis. @@ -40,6 +39,8 @@ pub enum Error { /// The instance sets up a copy constraint involving a column that has not been /// included in the permutation. ColumnNotInPermutation(Column), + /// An error relating to a lookup table. + TableError(TableError), } impl From for Error { @@ -88,6 +89,7 @@ impl fmt::Display for Error { "Column {:?} must be included in the permutation. Help: try applying `meta.enable_equalty` on the column", column ), + Error::TableError(error) => write!(f, "{}", error) } } } @@ -100,3 +102,45 @@ impl error::Error for Error { } } } + +/// This is an error that could occur during table synthesis. +#[derive(Debug)] +pub enum TableError { + /// A `TableColumn` has not been assigned. + ColumnNotAssigned(TableColumn), + /// A Table has columns of uneven lengths. + UnevenColumnLengths((TableColumn, usize), (TableColumn, usize)), + /// Attempt to assign a used `TableColumn` + UsedColumn(TableColumn), + /// Attempt to overwrite a default value + OverwriteDefault(TableColumn, String, String), +} + +impl fmt::Display for TableError { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + match self { + TableError::ColumnNotAssigned(col) => { + write!( + f, + "{:?} not fully assigned. Help: assign a value at offset 0.", + col + ) + } + TableError::UnevenColumnLengths((col, col_len), (table, table_len)) => write!( + f, + "{:?} has length {} while {:?} has length {}", + col, col_len, table, table_len + ), + TableError::UsedColumn(col) => { + write!(f, "{:?} has already been used", col) + } + TableError::OverwriteDefault(col, default, val) => { + write!( + f, + "Attempted to overwrite default value {} with {} in {:?}", + default, val, col + ) + } + } + } +} diff --git a/halo2_proofs/src/plonk/evaluation.rs b/halo2_proofs/src/plonk/evaluation.rs index f626bcbb..b168b02a 100644 --- a/halo2_proofs/src/plonk/evaluation.rs +++ b/halo2_proofs/src/plonk/evaluation.rs @@ -1,38 +1,17 @@ use crate::multicore; -use crate::plonk::lookup::prover::Committed; -use crate::plonk::permutation::Argument; -use crate::plonk::{ - mv_lookup, permutation, AdviceQuery, Any, FixedQuery, InstanceQuery, ProvingKey, -}; +use crate::plonk::{mv_lookup, permutation, Any, ProvingKey}; use crate::poly::Basis; use crate::{ - arithmetic::{eval_polynomial, parallelize, CurveAffine}, - poly::{ - commitment::Params, Coeff, EvaluationDomain, ExtendedLagrangeCoeff, LagrangeCoeff, - Polynomial, ProverQuery, Rotation, - }, - transcript::{EncodedChallenge, TranscriptWrite}, -}; -use group::prime::PrimeCurve; -use group::{ - ff::{BatchInvert, Field, PrimeField, WithSmallOrderMulGroup}, - Curve, -}; -use rayon::prelude::IntoParallelIterator; -use rayon::prelude::ParallelIterator; -use std::any::TypeId; -use std::convert::TryInto; -use std::num::ParseIntError; -use std::process::exit; -use std::slice; -use std::sync::atomic::fence; -use std::{ - collections::BTreeMap, - iter, - ops::{Index, Mul, MulAssign}, + arithmetic::{parallelize, CurveAffine}, + poly::{Coeff, ExtendedLagrangeCoeff, LagrangeCoeff, Polynomial, Rotation}, }; +#[cfg(not(feature = "logup_skip_inv"))] +use ff::BatchInvert; +use group::ff::{Field, PrimeField, WithSmallOrderMulGroup}; +#[cfg(not(feature = "logup_skip_inv"))] +use rayon::iter::{IntoParallelIterator, ParallelIterator}; -use super::{ConstraintSystem, Expression}; +use super::{shuffle, ConstraintSystem, Expression}; /// Return the index in the polynomial of size `isize` after rotation `rot`. fn get_rotation_idx(idx: usize, rot: i32, rot_scale: i32, isize: i32) -> usize { @@ -75,6 +54,7 @@ impl Default for ValueSource { impl ValueSource { /// Get the value for this source + #[allow(clippy::too_many_arguments)] pub fn get( &self, rotations: &[usize], @@ -135,6 +115,7 @@ pub enum Calculation { impl Calculation { /// Get the resulting value of this calculation + #[allow(clippy::too_many_arguments)] pub fn evaluate( &self, rotations: &[usize], @@ -193,6 +174,8 @@ pub struct Evaluator { pub custom_gates: GraphEvaluator, /// Lookups evalution pub lookups: Vec<(Vec>, GraphEvaluator)>, + /// Shuffle evalution + pub shuffles: Vec>, } /// GraphEvaluator @@ -294,10 +277,44 @@ impl Evaluator { ev.lookups.push((graph_inputs.to_vec(), graph_table)); } + // Shuffles + for shuffle in cs.shuffles.iter() { + let evaluate_lc = |expressions: &Vec>, graph: &mut GraphEvaluator| { + let parts = expressions + .iter() + .map(|expr| graph.add_expression(expr)) + .collect(); + graph.add_calculation(Calculation::Horner( + ValueSource::Constant(0), + parts, + ValueSource::Theta(), + )) + }; + + let mut graph_input = GraphEvaluator::default(); + let compressed_input_coset = evaluate_lc(&shuffle.input_expressions, &mut graph_input); + let _ = graph_input.add_calculation(Calculation::Add( + compressed_input_coset, + ValueSource::Beta(), + )); + + let mut graph_shuffle = GraphEvaluator::default(); + let compressed_shuffle_coset = + evaluate_lc(&shuffle.shuffle_expressions, &mut graph_shuffle); + let _ = graph_shuffle.add_calculation(Calculation::Add( + compressed_shuffle_coset, + ValueSource::Beta(), + )); + + ev.shuffles.push(graph_input); + ev.shuffles.push(graph_shuffle); + } + ev } /// Evaluate h poly + #[allow(clippy::too_many_arguments)] pub(in crate::plonk) fn evaluate_h( &self, pk: &ProvingKey, @@ -309,6 +326,7 @@ impl Evaluator { gamma: C::ScalarExt, theta: C::ScalarExt, lookups: &[Vec>], + shuffles: &[Vec>], permutations: &[permutation::prover::Committed], ) -> Polynomial { let domain = &pk.vk.domain; @@ -365,10 +383,11 @@ impl Evaluator { // Core expression evaluations let num_threads = multicore::current_num_threads(); - for (((advice, instance), lookups), permutation) in advice + for ((((advice, instance), lookups), shuffles), permutation) in advice .iter() .zip(instance.iter()) .zip(lookups.iter()) + .zip(shuffles.iter()) .zip(permutations.iter()) { // Custom gates @@ -435,8 +454,8 @@ impl Evaluator { // Permutation constraints parallelize(&mut values, |values, start| { - let mut beta_term = current_extended_omega - * omega.pow_vartime(&[start as u64, 0, 0, 0]); + let mut beta_term = + current_extended_omega * omega.pow_vartime([start as u64, 0, 0, 0]); for (i, value) in values.iter_mut().enumerate() { let idx = start + i; let r_next = get_rotation_idx(idx, 1, rot_scale, isize); @@ -546,7 +565,7 @@ impl Evaluator { &gamma, &theta, &y, - &C::ScalarExt::zero(), + &C::Scalar::ZERO, idx, rot_scale, isize, @@ -573,7 +592,7 @@ impl Evaluator { inputs_values_for_extended_domain [i * inputs_len..(i + 1) * inputs_len] .iter() - .fold(C::Scalar::zero(), |acc, x| acc + x) + .fold(C::Scalar::ZERO, |acc, x| acc + x) }) .collect::>() }) @@ -704,6 +723,70 @@ impl Evaluator { } }); } + + // Shuffle constraints + for (n, shuffle) in shuffles.iter().enumerate() { + let product_coset = + pk.vk.domain.coeff_to_extended(shuffle.product_poly.clone()); + + // Shuffle constraints + parallelize(&mut values, |values, start| { + let input_evaluator = &self.shuffles[2 * n]; + let shuffle_evaluator = &self.shuffles[2 * n + 1]; + let mut eval_data_input = shuffle_evaluator.instance(); + let mut eval_data_shuffle = shuffle_evaluator.instance(); + for (i, value) in values.iter_mut().enumerate() { + let idx = start + i; + + let input_value = input_evaluator.evaluate( + &mut eval_data_input, + fixed, + advice, + instance, + challenges, + &beta, + &gamma, + &theta, + &y, + &C::ScalarExt::ZERO, + idx, + rot_scale, + isize, + ); + + let shuffle_value = shuffle_evaluator.evaluate( + &mut eval_data_shuffle, + fixed, + advice, + instance, + challenges, + &beta, + &gamma, + &theta, + &y, + &C::ScalarExt::ZERO, + idx, + rot_scale, + isize, + ); + + let r_next = get_rotation_idx(idx, 1, rot_scale, isize); + + // l_0(X) * (1 - z(X)) = 0 + *value = *value * y + ((one - product_coset[idx]) * l0[idx]); + // l_last(X) * (z(X)^2 - z(X)) = 0 + *value = *value * y + + ((product_coset[idx] * product_coset[idx] + - product_coset[idx]) + * l_last[idx]); + // (1 - (l_last(X) + l_blind(X))) * (z(\omega X) (s(X) + \gamma) - z(X) (a(X) + \gamma)) = 0 + *value = *value * y + + l_active_row[idx] + * (product_coset[r_next] * shuffle_value + - product_coset[idx] * input_value) + } + }); + } } current_extended_omega *= extended_omega; values @@ -889,6 +972,7 @@ impl GraphEvaluator { } } + #[allow(clippy::too_many_arguments)] pub fn evaluate( &self, data: &mut EvaluationData, diff --git a/halo2_proofs/src/plonk/keygen.rs b/halo2_proofs/src/plonk/keygen.rs index 92ef096f..89e53b29 100644 --- a/halo2_proofs/src/plonk/keygen.rs +++ b/halo2_proofs/src/plonk/keygen.rs @@ -12,8 +12,7 @@ use super::{ Selector, }, evaluation::Evaluator, - permutation, Assigned, Challenge, Error, Expression, LagrangeCoeff, Polynomial, ProvingKey, - VerifyingKey, + permutation, Assigned, Challenge, Error, LagrangeCoeff, Polynomial, ProvingKey, VerifyingKey, }; use crate::helpers::CopyCell; use crate::{ @@ -21,7 +20,7 @@ use crate::{ circuit::Value, poly::{ batch_invert_assigned, - commitment::{Blind, Params, MSM}, + commitment::{Blind, Params}, EvaluationDomain, }, two_dim_vec_to_vec_of_slice, @@ -29,6 +28,7 @@ use crate::{ pub(crate) fn create_domain( k: u32, + #[cfg(feature = "circuit-params")] params: ConcreteCircuit::Params, ) -> ( EvaluationDomain, ConstraintSystem, @@ -39,6 +39,9 @@ where ConcreteCircuit: Circuit, { let mut cs = ConstraintSystem::default(); + #[cfg(feature = "circuit-params")] + let config = ConcreteCircuit::configure_with_params(&mut cs, params); + #[cfg(not(feature = "circuit-params"))] let config = ConcreteCircuit::configure(&mut cs); let cs = cs.chunk_lookups(); @@ -260,7 +263,7 @@ impl<'a, F: Field> Assignment for Assembly<'a, F> { .fixed .get_mut(column.index()) .and_then(|v| v.get_mut(row - self.rw_rows.start)) - .ok_or(Error::BoundsFailure)? = to().into_field().assign()?; + .expect("bounds failure") = to().into_field().assign()?; Ok(()) } @@ -304,10 +307,7 @@ impl<'a, F: Field> Assignment for Assembly<'a, F> { return Err(Error::not_enough_rows_available(self.k)); } - let col = self - .fixed - .get_mut(column.index()) - .ok_or(Error::BoundsFailure)?; + let col = self.fixed.get_mut(column.index()).expect("bounds failure"); let filler = to.assign()?; for row in self.usable_rows.clone().skip(from_row) { @@ -353,7 +353,11 @@ where ConcreteCircuit: Circuit, C::Scalar: FromUniformBytes<64>, { - let (domain, cs, config) = create_domain::(params.k()); + let (domain, cs, config) = create_domain::( + params.k(), + #[cfg(feature = "circuit-params")] + circuit.params(), + ); if (params.n() as usize) < cs.minimum_rows() { return Err(Error::not_enough_rows_available(params.k())); @@ -478,7 +482,11 @@ where ConcreteCircuit: Circuit, C::Scalar: FromUniformBytes<64>, { - let (domain, cs, config) = create_domain::(params.k()); + let (domain, cs, config) = create_domain::( + params.k(), + #[cfg(feature = "circuit-params")] + circuit.params(), + ); if (params.n() as usize) < cs.minimum_rows() { return Err(Error::not_enough_rows_available(params.k())); diff --git a/halo2_proofs/src/plonk/lookup.rs b/halo2_proofs/src/plonk/lookup.rs index c1c4d0ea..7d1accd8 100644 --- a/halo2_proofs/src/plonk/lookup.rs +++ b/halo2_proofs/src/plonk/lookup.rs @@ -7,9 +7,9 @@ pub(crate) mod verifier; #[derive(Clone, PartialEq, Eq)] pub struct Argument { - pub name: &'static str, - pub input_expressions: Vec>, - pub table_expressions: Vec>, + pub(crate) name: String, + pub(crate) input_expressions: Vec>, + pub(crate) table_expressions: Vec>, } impl Debug for Argument { @@ -25,10 +25,10 @@ impl Argument { /// Constructs a new lookup argument. /// /// `table_map` is a sequence of `(input, table)` tuples. - pub fn new(name: &'static str, table_map: Vec<(Expression, Expression)>) -> Self { + pub fn new>(name: S, table_map: Vec<(Expression, Expression)>) -> Self { let (input_expressions, table_expressions) = table_map.into_iter().unzip(); Argument { - name, + name: name.as_ref().to_string(), input_expressions, table_expressions, } @@ -91,4 +91,9 @@ impl Argument { pub fn table_expressions(&self) -> &Vec> { &self.table_expressions } + + /// Returns name of this argument + pub fn name(&self) -> &str { + &self.name + } } diff --git a/halo2_proofs/src/plonk/lookup/prover.rs b/halo2_proofs/src/plonk/lookup/prover.rs index 0f0c85d7..028b2988 100644 --- a/halo2_proofs/src/plonk/lookup/prover.rs +++ b/halo2_proofs/src/plonk/lookup/prover.rs @@ -8,8 +8,7 @@ use crate::{ arithmetic::{eval_polynomial, parallelize, CurveAffine}, poly::{ commitment::{Blind, Params}, - Coeff, EvaluationDomain, ExtendedLagrangeCoeff, LagrangeCoeff, Polynomial, ProverQuery, - Rotation, + Coeff, EvaluationDomain, LagrangeCoeff, Polynomial, ProverQuery, Rotation, }, transcript::{EncodedChallenge, TranscriptWrite}, }; @@ -19,7 +18,6 @@ use group::{ Curve, }; use rand_core::RngCore; -use std::{any::TypeId, convert::TryInto, num::ParseIntError, ops::Index}; use std::{ collections::BTreeMap, iter, @@ -62,6 +60,7 @@ impl> Argument { /// - constructs Permuted struct using permuted_input_value = A', and /// permuted_table_expression = S'. /// The Permuted struct is used to update the Lookup, and is then returned. + #[allow(clippy::too_many_arguments)] pub(in crate::plonk) fn commit_permuted< 'a, 'params: 'a, @@ -443,7 +442,7 @@ fn permute_expression_pair<'params, C: CurveAffine, P: Params<'params, C>, R: Rn // Populate permuted table at unfilled rows with leftover table elements for (coeff, count) in leftover_table_map.iter() { for _ in 0..*count { - permuted_table_coeffs[repeated_input_rows.pop().unwrap() as usize] = *coeff; + permuted_table_coeffs[repeated_input_rows.pop().unwrap()] = *coeff; } } assert!(repeated_input_rows.is_empty()); diff --git a/halo2_proofs/src/plonk/lookup/verifier.rs b/halo2_proofs/src/plonk/lookup/verifier.rs index 990866b7..548c4c27 100644 --- a/halo2_proofs/src/plonk/lookup/verifier.rs +++ b/halo2_proofs/src/plonk/lookup/verifier.rs @@ -90,6 +90,7 @@ impl Committed { } impl Evaluated { + #[allow(clippy::too_many_arguments)] pub(in crate::plonk) fn expressions<'a>( &'a self, l_0: C::Scalar, @@ -120,9 +121,9 @@ impl Evaluated { expression.evaluate( &|scalar| scalar, &|_| panic!("virtual selectors are removed during optimization"), - &|query| fixed_evals[query.index], - &|query| advice_evals[query.index], - &|query| instance_evals[query.index], + &|query| fixed_evals[query.index.unwrap()], + &|query| advice_evals[query.index.unwrap()], + &|query| instance_evals[query.index.unwrap()], &|challenge| challenges[challenge.index()], &|a| -a, &|a, b| a + &b, @@ -141,7 +142,7 @@ impl Evaluated { std::iter::empty() .chain( - // l_0(X) * (1 - z'(X)) = 0 + // l_0(X) * (1 - z(X)) = 0 Some(l_0 * &(C::Scalar::ONE - &self.product_eval)), ) .chain( diff --git a/halo2_proofs/src/plonk/mv_lookup.rs b/halo2_proofs/src/plonk/mv_lookup.rs index b4fd2d82..5c26c20b 100644 --- a/halo2_proofs/src/plonk/mv_lookup.rs +++ b/halo2_proofs/src/plonk/mv_lookup.rs @@ -57,11 +57,8 @@ impl Argument { input_degree }; - let inputs_expressions_degree: usize = self - .inputs_expressions - .iter() - .map(|input_expressions| expr_degree(input_expressions)) - .sum(); + let inputs_expressions_degree: usize = + self.inputs_expressions.iter().map(expr_degree).sum(); let table_degree = expr_degree(&self.table_expressions); diff --git a/halo2_proofs/src/plonk/mv_lookup/prover.rs b/halo2_proofs/src/plonk/mv_lookup/prover.rs index 52d43428..49ee6b2f 100644 --- a/halo2_proofs/src/plonk/mv_lookup/prover.rs +++ b/halo2_proofs/src/plonk/mv_lookup/prover.rs @@ -1,6 +1,5 @@ use super::super::{ - circuit::Expression, ChallengeBeta, ChallengeGamma, ChallengeTheta, ChallengeX, Error, - ProvingKey, + circuit::Expression, ChallengeBeta, ChallengeTheta, ChallengeX, Error, ProvingKey, }; use super::Argument; use crate::plonk::evaluation::evaluate; @@ -8,25 +7,15 @@ use crate::{ arithmetic::{eval_polynomial, parallelize, CurveAffine}, poly::{ commitment::{Blind, Params}, - Coeff, EvaluationDomain, ExtendedLagrangeCoeff, LagrangeCoeff, Polynomial, ProverQuery, - Rotation, + Coeff, EvaluationDomain, LagrangeCoeff, Polynomial, ProverQuery, Rotation, }, transcript::{EncodedChallenge, TranscriptWrite}, }; use ark_std::{end_timer, start_timer}; -use blake2b_simd::Hash; -use ff::{BitViewSized, PrimeField, PrimeFieldBits, WithSmallOrderMulGroup}; -use group::{ - ff::{BatchInvert, Field}, - Curve, -}; +use ff::{PrimeField, WithSmallOrderMulGroup}; +use group::{ff::Field, Curve}; use rand_core::RngCore; -use rayon::current_num_threads; -use std::collections::{BTreeSet, HashSet}; -use std::time::Instant; -use std::{any::TypeId, convert::TryInto, num::ParseIntError, ops::Index}; use std::{ - collections::BTreeMap, iter, ops::{Mul, MulAssign}, }; @@ -72,7 +61,8 @@ impl + Ord> Argument { fixed_values: &'a [Polynomial], instance_values: &'a [Polynomial], challenges: &'a [C::Scalar], - mut rng: R, // in case we want to blind (do we actually need zk?) + #[cfg(feature = "sanity-checks")] mut rng: R, // in case we want to blind (do we actually need zk?) + #[cfg(not(feature = "sanity-checks"))] rng: R, transcript: &mut T, ) -> Result, Error> where @@ -134,7 +124,6 @@ impl + Ord> Argument { let m_time = start_timer!(|| "m(X) values"); let m_values: Vec = { use std::sync::atomic::{AtomicU64, Ordering}; - use std::sync::RwLock; let m_values: Vec = (0..params.n()).map(|_| AtomicU64::new(0)).collect(); for compressed_input_expression in compressed_inputs_expressions.iter() { @@ -154,7 +143,7 @@ impl + Ord> Argument { m_values .par_iter() - .map(|mi| F::from(mi.load(Ordering::Relaxed) as u64)) + .map(|mi| F::from(mi.load(Ordering::Relaxed))) .collect() }; end_timer!(m_time); @@ -313,32 +302,24 @@ impl Prepared { let phi = { // parallelized version of log_derivatives_diff.scan() let active_size = params.n() as usize - blinding_factors; - let chunk = { - let num_threads = crate::multicore::current_num_threads(); - let mut chunk = (active_size as usize) / num_threads; - if chunk < num_threads { - chunk = 1; - } - chunk - }; - let num_chunks = (active_size as usize + chunk - 1) / chunk; - let mut segment_sum = vec![C::Scalar::ZERO; num_chunks]; let mut grand_sum = iter::once(C::Scalar::ZERO) .chain(log_derivatives_diff) .take(active_size) .collect::>(); // TODO: remove the implicit assumption that parallelize() split the grand_sum // into segments that each has `chunk` elements except the last. - parallelize(&mut grand_sum, |segment_grand_sum, _| { + let segment_starts = parallelize_internal(&mut grand_sum, |segment_grand_sum, _| { for i in 1..segment_grand_sum.len() { segment_grand_sum[i] += segment_grand_sum[i - 1]; } }); - for i in 1..segment_sum.len() { - segment_sum[i] = segment_sum[i - 1] + grand_sum[i * chunk - 1]; + let mut segment_sum = vec![C::Scalar::ZERO; grand_sum.len()]; + for i in 1..segment_starts.len() { + segment_sum[segment_starts[i]] = + segment_sum[segment_starts[i - 1]] + grand_sum[segment_starts[i] - 1]; } parallelize(&mut grand_sum, |grand_sum, start| { - let prefix_sum = segment_sum[start / chunk]; + let prefix_sum = segment_sum[start]; for v in grand_sum.iter_mut() { *v += prefix_sum; } @@ -479,6 +460,7 @@ impl Evaluated { } } +#[cfg(test)] mod benches { use ark_std::rand::thread_rng; use ff::Field; @@ -498,7 +480,6 @@ mod benches { let n = 1 << log_n; let dur = Instant::now(); let _table: BTreeMap = (0..n) - .into_iter() .map(|_| Fr::random(&mut rng)) .enumerate() .map(|(i, x)| (x, i)) @@ -514,7 +495,6 @@ mod benches { let n = 1 << log_n; let dur = Instant::now(); let _table: BTreeMap = (0..n) - .into_iter() .map(Fr::from) .enumerate() .map(|(i, x)| (x, i)) diff --git a/halo2_proofs/src/plonk/mv_lookup/verifier.rs b/halo2_proofs/src/plonk/mv_lookup/verifier.rs index 361bb5f9..0593f3bc 100644 --- a/halo2_proofs/src/plonk/mv_lookup/verifier.rs +++ b/halo2_proofs/src/plonk/mv_lookup/verifier.rs @@ -1,8 +1,6 @@ use std::iter; -use super::super::{ - circuit::Expression, ChallengeBeta, ChallengeGamma, ChallengeTheta, ChallengeX, -}; +use super::super::{circuit::Expression, ChallengeBeta, ChallengeTheta, ChallengeX}; use super::Argument; use crate::{ arithmetic::CurveAffine, @@ -109,9 +107,9 @@ impl Evaluated { expression.evaluate( &|scalar| scalar, &|_| panic!("virtual selectors are removed during optimization"), - &|query| fixed_evals[query.index], - &|query| advice_evals[query.index], - &|query| instance_evals[query.index], + &|query| fixed_evals[query.index()], + &|query| advice_evals[query.index()], + &|query| instance_evals[query.index()], &|challenge| challenges[challenge.index()], &|a| -a, &|a, b| a + &b, diff --git a/halo2_proofs/src/plonk/permutation.rs b/halo2_proofs/src/plonk/permutation.rs index b353493c..2ce6abb8 100644 --- a/halo2_proofs/src/plonk/permutation.rs +++ b/halo2_proofs/src/plonk/permutation.rs @@ -1,3 +1,5 @@ +//! Implementation of permutation argument. + use super::circuit::{Any, Column}; use crate::{ arithmetic::CurveAffine, @@ -5,15 +7,16 @@ use crate::{ polynomial_slice_byte_length, read_polynomial_vec, write_polynomial_slice, SerdeCurveAffine, SerdePrimeField, }, - poly::{Coeff, ExtendedLagrangeCoeff, LagrangeCoeff, Polynomial}, + poly::{Coeff, LagrangeCoeff, Polynomial}, SerdeFormat, }; -use ff::PrimeField; pub(crate) mod keygen; pub(crate) mod prover; pub(crate) mod verifier; +pub use keygen::Assembly; + use std::io; /// A permutation argument. @@ -72,6 +75,7 @@ impl Argument { } } + /// Returns columns that participate on the permutation argument. pub fn get_columns(&self) -> Vec> { self.columns.clone() } diff --git a/halo2_proofs/src/plonk/permutation/keygen.rs b/halo2_proofs/src/plonk/permutation/keygen.rs index 1d73c82b..6d1e184a 100644 --- a/halo2_proofs/src/plonk/permutation/keygen.rs +++ b/halo2_proofs/src/plonk/permutation/keygen.rs @@ -6,24 +6,32 @@ use crate::{ arithmetic::{parallelize, CurveAffine}, plonk::{Any, Column, Error}, poly::{ - commitment::{Blind, CommitmentScheme, Params}, + commitment::{Blind, Params}, EvaluationDomain, }, }; +#[cfg(feature = "multicore")] +use crate::multicore::{IndexedParallelIterator, ParallelIterator}; + +#[cfg(feature = "thread-safe-region")] +use std::collections::{BTreeSet, HashMap}; + +#[cfg(not(feature = "thread-safe-region"))] /// Struct that accumulates all the necessary data in order to construct the permutation argument. -#[derive(Debug, Clone, PartialEq, Eq)] +#[derive(Clone, Debug, PartialEq, Eq)] pub struct Assembly { /// Columns that participate on the copy permutation argument. - pub columns: Vec>, + columns: Vec>, /// Mapping of the actual copies done. - pub mapping: Vec>, + mapping: Vec>, /// Some aux data used to swap positions directly when sorting. - pub aux: Vec>, + aux: Vec>, /// More aux data - pub sizes: Vec>, + sizes: Vec>, } +#[cfg(not(feature = "thread-safe-region"))] impl Assembly { pub(crate) fn new(n: usize, p: &Argument) -> Self { // Initialize the copy vector to keep track of copy constraints in all @@ -67,6 +75,16 @@ impl Assembly { if left_row >= self.mapping[left_column].len() || right_row >= self.mapping[right_column].len() { + log::error!( + "BoundsFailure: left_row: {}, right_row: {}", + left_row, + right_row + ); + log::error!( + "BoundsFailure: left_max: {}, right_max: {}", + self.mapping[left_column].len(), + self.mapping[right_column].len() + ); return Err(Error::BoundsFailure); } @@ -108,134 +126,360 @@ impl Assembly { domain: &EvaluationDomain, p: &Argument, ) -> VerifyingKey { - // Compute [omega^0, omega^1, ..., omega^{params.n - 1}] - let mut omega_powers = vec![C::Scalar::ZERO; params.n() as usize]; - { - let omega = domain.get_omega(); - parallelize(&mut omega_powers, |o, start| { - let mut cur = omega.pow_vartime([start as u64]); - for v in o.iter_mut() { - *v = cur; - cur *= ω - } - }) + build_vk(params, domain, p, |i, j| self.mapping[i][j]) + } + + pub(crate) fn build_pk<'params, C: CurveAffine, P: Params<'params, C>>( + self, + params: &P, + domain: &EvaluationDomain, + p: &Argument, + ) -> ProvingKey { + build_pk(params, domain, p, |i, j| self.mapping[i][j]) + } + + /// Returns columns that participate in the permutation argument. + pub fn columns(&self) -> &[Column] { + &self.columns + } + + #[cfg(feature = "multicore")] + /// Returns mappings of the copies. + pub fn mapping( + &self, + ) -> impl Iterator + '_> { + use crate::multicore::IntoParallelRefIterator; + + self.mapping.iter().map(|c| c.par_iter().copied()) + } + + #[cfg(not(feature = "multicore"))] + /// Returns mappings of the copies. + pub fn mapping(&self) -> impl Iterator + '_> { + self.mapping.iter().map(|c| c.iter().copied()) + } +} + +#[cfg(feature = "thread-safe-region")] +/// Struct that accumulates all the necessary data in order to construct the permutation argument. +#[derive(Clone, Debug, PartialEq, Eq)] +pub struct Assembly { + /// Columns that participate on the copy permutation argument. + columns: Vec>, + /// Mapping of the actual copies done. + cycles: Vec>, + /// Mapping of the actual copies done. + ordered_cycles: Vec>, + /// Mapping of the actual copies done. + aux: HashMap<(usize, usize), usize>, + /// total length of a column + col_len: usize, + /// number of columns + num_cols: usize, +} + +#[cfg(feature = "thread-safe-region")] +impl Assembly { + pub(crate) fn new(n: usize, p: &Argument) -> Self { + Assembly { + columns: p.columns.clone(), + cycles: Vec::with_capacity(n), + ordered_cycles: Vec::with_capacity(n), + aux: HashMap::new(), + col_len: n, + num_cols: p.columns.len(), } + } - // Compute [omega_powers * \delta^0, omega_powers * \delta^1, ..., omega_powers * \delta^m] - let mut deltaomega = vec![omega_powers; p.columns.len()]; - { - parallelize(&mut deltaomega, |o, start| { - let mut cur = C::Scalar::DELTA.pow_vartime(&[start as u64]); - for omega_powers in o.iter_mut() { - for v in omega_powers { - *v *= &cur; - } - cur *= &::DELTA; - } - }); + pub(crate) fn copy( + &mut self, + left_column: Column, + left_row: usize, + right_column: Column, + right_row: usize, + ) -> Result<(), Error> { + let left_column = self + .columns + .iter() + .position(|c| c == &left_column) + .ok_or(Error::ColumnNotInPermutation(left_column))?; + let right_column = self + .columns + .iter() + .position(|c| c == &right_column) + .ok_or(Error::ColumnNotInPermutation(right_column))?; + + // Check bounds + if left_row >= self.col_len || right_row >= self.col_len { + return Err(Error::BoundsFailure); } - // Computes the permutation polynomial based on the permutation - // description in the assembly. - let mut permutations = vec![domain.empty_lagrange(); p.columns.len()]; - { - parallelize(&mut permutations, |o, start| { - for (x, permutation_poly) in o.iter_mut().enumerate() { - let i = start + x; - for (j, p) in permutation_poly.iter_mut().enumerate() { - let (permuted_i, permuted_j) = self.mapping[i][j]; - *p = deltaomega[permuted_i][permuted_j]; - } - } - }); + let left_cycle = self.aux.get(&(left_column, left_row)); + let right_cycle = self.aux.get(&(right_column, right_row)); + + // extract cycle elements + let right_cycle_elems = match right_cycle { + Some(i) => { + let entry = self.cycles[*i].clone(); + self.cycles[*i] = vec![]; + entry + } + None => [(right_column, right_row)].into(), + }; + + assert!(right_cycle_elems.contains(&(right_column, right_row))); + + // merge cycles + let cycle_idx = match left_cycle { + Some(i) => { + let entry = &mut self.cycles[*i]; + entry.extend(right_cycle_elems.clone()); + *i + } + // if they were singletons -- create a new cycle entry + None => { + let mut set: Vec<(usize, usize)> = right_cycle_elems.clone(); + set.push((left_column, left_row)); + self.cycles.push(set); + let cycle_idx = self.cycles.len() - 1; + self.aux.insert((left_column, left_row), cycle_idx); + cycle_idx + } + }; + + let index_updates = vec![cycle_idx; right_cycle_elems.len()].into_iter(); + let updates = right_cycle_elems.into_iter().zip(index_updates); + + self.aux.extend(updates); + + Ok(()) + } + + /// Builds the ordered mapping of the cycles. + /// This will only get executed once. + pub fn build_ordered_mapping(&mut self) { + use crate::multicore::IntoParallelRefMutIterator; + + // will only get called once + if self.ordered_cycles.is_empty() && !self.cycles.is_empty() { + self.ordered_cycles = self + .cycles + .par_iter_mut() + .map(|col| { + let mut set = BTreeSet::new(); + set.extend(col.clone()); + // free up memory + *col = vec![]; + set + }) + .collect(); } + } - // Pre-compute commitments for the URS. - let mut commitments = Vec::with_capacity(p.columns.len()); - for permutation in &permutations { - // Compute commitment to permutation polynomial - commitments.push( - params - .commit_lagrange(permutation, Blind::default()) - .to_affine(), - ); + fn mapping_at_idx(&self, col: usize, row: usize) -> (usize, usize) { + assert!( + !self.ordered_cycles.is_empty() || self.cycles.is_empty(), + "cycles have not been ordered" + ); + + if let Some(cycle_idx) = self.aux.get(&(col, row)) { + let cycle = &self.ordered_cycles[*cycle_idx]; + let mut cycle_iter = cycle.range(( + std::ops::Bound::Excluded((col, row)), + std::ops::Bound::Unbounded, + )); + // point to the next node in the cycle + match cycle_iter.next() { + Some((i, j)) => (*i, *j), + // wrap back around to the first element which SHOULD exist + None => *(cycle.iter().next().unwrap()), + } + // is a singleton + } else { + (col, row) } + } - VerifyingKey { commitments } + pub(crate) fn build_vk<'params, C: CurveAffine, P: Params<'params, C>>( + &mut self, + params: &P, + domain: &EvaluationDomain, + p: &Argument, + ) -> VerifyingKey { + self.build_ordered_mapping(); + build_vk(params, domain, p, |i, j| self.mapping_at_idx(i, j)) } pub(crate) fn build_pk<'params, C: CurveAffine, P: Params<'params, C>>( - self, + &mut self, params: &P, domain: &EvaluationDomain, p: &Argument, ) -> ProvingKey { - // Compute [omega^0, omega^1, ..., omega^{params.n - 1}] - let mut omega_powers = vec![C::Scalar::ZERO; params.n() as usize]; - { - let omega = domain.get_omega(); - parallelize(&mut omega_powers, |o, start| { - let mut cur = omega.pow_vartime([start as u64]); - for v in o.iter_mut() { - *v = cur; - cur *= ω - } - }) - } + self.build_ordered_mapping(); + build_pk(params, domain, p, |i, j| self.mapping_at_idx(i, j)) + } - // Compute [omega_powers * \delta^0, omega_powers * \delta^1, ..., omega_powers * \delta^m] - let mut deltaomega = vec![omega_powers; p.columns.len()]; - { - parallelize(&mut deltaomega, |o, start| { - let mut cur = C::Scalar::DELTA.pow_vartime(&[start as u64]); - for omega_powers in o.iter_mut() { - for v in omega_powers { - *v *= &cur; - } - cur *= &C::Scalar::DELTA; + /// Returns columns that participate in the permutation argument. + pub fn columns(&self) -> &[Column] { + &self.columns + } + + #[cfg(feature = "multicore")] + /// Returns mappings of the copies. + pub fn mapping( + &self, + ) -> impl Iterator + '_> { + use crate::multicore::IntoParallelIterator; + + (0..self.num_cols).map(move |i| { + (0..self.col_len) + .into_par_iter() + .map(move |j| self.mapping_at_idx(i, j)) + }) + } + + #[cfg(not(feature = "multicore"))] + /// Returns mappings of the copies. + pub fn mapping(&self) -> impl Iterator + '_> { + (0..self.num_cols).map(move |i| (0..self.col_len).map(move |j| self.mapping_at_idx(i, j))) + } +} + +pub(crate) fn build_pk<'params, C: CurveAffine, P: Params<'params, C>>( + params: &P, + domain: &EvaluationDomain, + p: &Argument, + mapping: impl Fn(usize, usize) -> (usize, usize) + Sync, +) -> ProvingKey { + // Compute [omega^0, omega^1, ..., omega^{params.n - 1}] + let mut omega_powers = vec![C::Scalar::ZERO; params.n() as usize]; + { + let omega = domain.get_omega(); + parallelize(&mut omega_powers, |o, start| { + let mut cur = omega.pow_vartime([start as u64]); + for v in o.iter_mut() { + *v = cur; + cur *= ω + } + }) + } + + // Compute [omega_powers * \delta^0, omega_powers * \delta^1, ..., omega_powers * \delta^m] + let mut deltaomega = vec![omega_powers; p.columns.len()]; + { + parallelize(&mut deltaomega, |o, start| { + let mut cur = C::Scalar::DELTA.pow_vartime([start as u64]); + for omega_powers in o.iter_mut() { + for v in omega_powers { + *v *= &cur; } - }); - } + cur *= &::DELTA; + } + }); + } - // Compute permutation polynomials. - let mut permutations = vec![domain.empty_lagrange(); p.columns.len()]; - { - parallelize(&mut permutations, |o, start| { - for (x, permutation_poly) in o.iter_mut().enumerate() { - let i = start + x; - for (j, p) in permutation_poly.iter_mut().enumerate() { - let (permuted_i, permuted_j) = self.mapping[i][j]; - *p = deltaomega[permuted_i][permuted_j]; - } + // Compute permutation polynomials, convert to coset form. + let mut permutations = vec![domain.empty_lagrange(); p.columns.len()]; + { + parallelize(&mut permutations, |o, start| { + for (x, permutation_poly) in o.iter_mut().enumerate() { + let i = start + x; + for (j, p) in permutation_poly.iter_mut().enumerate() { + let (permuted_i, permuted_j) = mapping(i, j); + *p = deltaomega[permuted_i][permuted_j]; } - }); - } + } + }); + } - let mut polys = vec![domain.empty_coeff(); p.columns.len()]; - { - parallelize(&mut polys, |o, start| { - for (x, poly) in o.iter_mut().enumerate() { - let i = start + x; - let permutation_poly = permutations[i].clone(); - *poly = domain.lagrange_to_coeff(permutation_poly); + let mut polys = vec![domain.empty_coeff(); p.columns.len()]; + { + parallelize(&mut polys, |o, start| { + for (x, poly) in o.iter_mut().enumerate() { + let i = start + x; + let permutation_poly = permutations[i].clone(); + *poly = domain.lagrange_to_coeff(permutation_poly); + } + }); + } + + // let mut cosets = vec![domain.empty_extended(); p.columns.len()]; + // { + // parallelize(&mut cosets, |o, start| { + // for (x, coset) in o.iter_mut().enumerate() { + // let i = start + x; + // let poly = polys[i].clone(); + // *coset = domain.coeff_to_extended(poly); + // } + // }); + // } + + ProvingKey { + permutations, + polys, + // cosets, + } +} + +pub(crate) fn build_vk<'params, C: CurveAffine, P: Params<'params, C>>( + params: &P, + domain: &EvaluationDomain, + p: &Argument, + mapping: impl Fn(usize, usize) -> (usize, usize) + Sync, +) -> VerifyingKey { + // Compute [omega^0, omega^1, ..., omega^{params.n - 1}] + let mut omega_powers = vec![C::Scalar::ZERO; params.n() as usize]; + { + let omega = domain.get_omega(); + parallelize(&mut omega_powers, |o, start| { + let mut cur = omega.pow_vartime([start as u64]); + for v in o.iter_mut() { + *v = cur; + cur *= ω + } + }) + } + + // Compute [omega_powers * \delta^0, omega_powers * \delta^1, ..., omega_powers * \delta^m] + let mut deltaomega = vec![omega_powers; p.columns.len()]; + { + parallelize(&mut deltaomega, |o, start| { + let mut cur = C::Scalar::DELTA.pow_vartime([start as u64]); + for omega_powers in o.iter_mut() { + for v in omega_powers { + *v *= &cur; } - }); - } + cur *= &::DELTA; + } + }); + } - let mut cosets = vec![domain.empty_extended(); p.columns.len()]; - { - parallelize(&mut cosets, |o, start| { - for (x, coset) in o.iter_mut().enumerate() { - let i = start + x; - let poly = polys[i].clone(); - *coset = domain.coeff_to_extended(poly); + // Computes the permutation polynomial based on the permutation + // description in the assembly. + let mut permutations = vec![domain.empty_lagrange(); p.columns.len()]; + { + parallelize(&mut permutations, |o, start| { + for (x, permutation_poly) in o.iter_mut().enumerate() { + let i = start + x; + for (j, p) in permutation_poly.iter_mut().enumerate() { + let (permuted_i, permuted_j) = mapping(i, j); + *p = deltaomega[permuted_i][permuted_j]; } - }); - } + } + }); + } - ProvingKey { - permutations, - polys, - } + // Pre-compute commitments for the URS. + let mut commitments = Vec::with_capacity(p.columns.len()); + for permutation in &permutations { + // Compute commitment to permutation polynomial + commitments.push( + params + .commit_lagrange(permutation, Blind::default()) + .to_affine(), + ); } + + VerifyingKey { commitments } } diff --git a/halo2_proofs/src/plonk/permutation/prover.rs b/halo2_proofs/src/plonk/permutation/prover.rs index 0618952f..28dfa7f4 100644 --- a/halo2_proofs/src/plonk/permutation/prover.rs +++ b/halo2_proofs/src/plonk/permutation/prover.rs @@ -12,9 +12,8 @@ use crate::{ arithmetic::{eval_polynomial, parallelize, CurveAffine}, plonk::{self, Error}, poly::{ - self, commitment::{Blind, Params}, - Coeff, ExtendedLagrangeCoeff, LagrangeCoeff, Polynomial, ProverQuery, Rotation, + Coeff, LagrangeCoeff, Polynomial, ProverQuery, Rotation, }, transcript::{EncodedChallenge, TranscriptWrite}, }; @@ -42,6 +41,7 @@ pub(crate) struct Evaluated { } impl Argument { + #[allow(clippy::too_many_arguments)] pub(in crate::plonk) fn commit< 'params, C: CurveAffine, diff --git a/halo2_proofs/src/plonk/permutation/verifier.rs b/halo2_proofs/src/plonk/permutation/verifier.rs index ecdef3f5..080acf24 100644 --- a/halo2_proofs/src/plonk/permutation/verifier.rs +++ b/halo2_proofs/src/plonk/permutation/verifier.rs @@ -103,6 +103,7 @@ impl Committed { } impl Evaluated { + #[allow(clippy::too_many_arguments)] pub(in crate::plonk) fn expressions<'a>( &'a self, vk: &'a plonk::VerifyingKey, @@ -183,7 +184,7 @@ impl Evaluated { let mut right = set.permutation_product_eval; let mut current_delta = (*beta * &*x) * &(::DELTA - .pow_vartime(&[(chunk_index * chunk_len) as u64])); + .pow_vartime([(chunk_index * chunk_len) as u64])); for eval in columns.iter().map(|&column| match column.column_type() { Any::Advice(_) => { advice_evals[vk.cs.get_any_query_index(column, Rotation::cur())] diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index 768216e4..4ed6195e 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -1,32 +1,29 @@ -use ff::{Field, FromUniformBytes, PrimeField, WithSmallOrderMulGroup}; +use crate::plonk::shuffle; +use ff::{Field, FromUniformBytes, WithSmallOrderMulGroup}; use group::Curve; -use halo2curves::CurveExt; use rand_core::RngCore; use std::collections::BTreeSet; -use std::env::var; use std::ops::{Range, RangeTo}; -use std::sync::atomic::AtomicUsize; use std::sync::Arc; -use std::time::Instant; -use std::{collections::HashMap, iter, mem, sync::atomic::Ordering}; +use std::{collections::HashMap, iter}; use super::{ circuit::{ - sealed::{self, SealedPhase}, - Advice, Any, Assignment, Challenge, Circuit, Column, ConstraintSystem, FirstPhase, Fixed, - FloorPlanner, Instance, Selector, + sealed::{self}, + Advice, Any, Assignment, Challenge, Circuit, Column, ConstraintSystem, Fixed, FloorPlanner, + Instance, Selector, }, mv_lookup, permutation, vanishing, ChallengeBeta, ChallengeGamma, ChallengeTheta, ChallengeX, - ChallengeY, Error, Expression, ProvingKey, + ChallengeY, Error, ProvingKey, }; + use crate::{ arithmetic::{eval_polynomial, CurveAffine}, circuit::Value, plonk::Assigned, poly::{ - self, commitment::{Blind, CommitmentScheme, Params, Prover}, - Basis, Coeff, ExtendedLagrangeCoeff, LagrangeCoeff, Polynomial, ProverQuery, + Basis, Coeff, LagrangeCoeff, Polynomial, ProverQuery, }, two_dim_vec_to_vec_of_slice, }; @@ -60,6 +57,10 @@ pub fn create_proof< where Scheme::Scalar: WithSmallOrderMulGroup<3> + FromUniformBytes<64> + Ord, { + if circuits.len() != instances.len() { + return Err(Error::InvalidInstances); + } + for instance in instances.iter() { if instance.len() != pk.vk.cs.num_instance_columns { return Err(Error::InvalidInstances); @@ -71,6 +72,9 @@ where let domain = &pk.vk.domain; let mut meta = ConstraintSystem::default(); + #[cfg(feature = "circuit-params")] + let config = ConcreteCircuit::configure_with_params(&mut meta, circuits[0].params()); + #[cfg(not(feature = "circuit-params"))] let config = ConcreteCircuit::configure(&mut meta); // Selector optimizations cannot be applied here; use the ConstraintSystem @@ -285,11 +289,13 @@ where return Err(Error::not_enough_rows_available(self.k)); } - self.instances + Ok(self + .instances .get(column.index()) .and_then(|column| column.get(row)) .map(|v| Value::known(*v)) .ok_or(Error::BoundsFailure) + .expect("bound failure")) } fn assign_advice( @@ -323,7 +329,7 @@ where .advice .get_mut(column.index()) .and_then(|v| v.get_mut(row - self.rw_rows.start)) - .ok_or(Error::BoundsFailure)? = to().into_field().assign()?; + .expect("bounds failure") = to().into_field().assign()?; Ok(()) } @@ -619,6 +625,34 @@ where .collect::, _>>()?; end_timer!(lookup_commit_time); + let shuffles: Vec>> = instance + .iter() + .zip(advice.iter()) + .map(|(instance, advice)| -> Result, _> { + // Compress expressions for each shuffle + pk.vk + .cs + .shuffles + .iter() + .map(|shuffle| { + shuffle.commit_product( + pk, + params, + domain, + theta, + gamma, + &advice.advice_polys, + &pk.fixed_values, + &instance.instance_values, + &challenges, + &mut rng, + transcript, + ) + }) + .collect::, _>>() + }) + .collect::, _>>()?; + // Commit to the vanishing argument's random polynomial for blinding h(x_3) let vanishing = vanishing::Argument::commit(params, domain, &mut rng, transcript)?; @@ -661,6 +695,7 @@ where *gamma, *theta, &lookups, + &shuffles, &permutations, ); @@ -668,7 +703,7 @@ where let vanishing = vanishing.construct(params, domain, h_poly, &mut rng, transcript)?; let x: ChallengeX<_> = transcript.squeeze_challenge_scalar(); - let xn = x.pow(&[params.n() as u64, 0, 0, 0]); + let xn = x.pow([params.n()]); if P::QUERY_INSTANCE { // Compute and hash instance evals for each circuit instance @@ -747,12 +782,24 @@ where }) .collect::, _>>()?; + // Evaluate the shuffles, if any, at omega^i x. + let shuffles: Vec>> = shuffles + .into_iter() + .map(|shuffles| -> Result, _> { + shuffles + .into_iter() + .map(|p| p.evaluate(pk, x, transcript)) + .collect::, _>>() + }) + .collect::, _>>()?; + let instances = instance .iter() .zip(advice.iter()) .zip(permutations.iter()) .zip(lookups.iter()) - .flat_map(|(((instance, advice), permutation), lookups)| { + .zip(shuffles.iter()) + .flat_map(|((((instance, advice), permutation), lookups), shuffles)| { iter::empty() .chain( P::QUERY_INSTANCE @@ -778,7 +825,8 @@ where }), ) .chain(permutation.open(pk, x)) - .chain(lookups.iter().flat_map(move |p| p.open(pk, x)).into_iter()) + .chain(lookups.iter().flat_map(move |p| p.open(pk, x))) + .chain(shuffles.iter().flat_map(move |p| p.open(pk, x))) }) .chain( pk.vk @@ -800,3 +848,69 @@ where .create_proof(rng, transcript, instances) .map_err(|_| Error::ConstraintSystemFailure) } + +#[test] +fn test_create_proof() { + use crate::{ + circuit::SimpleFloorPlanner, + plonk::{keygen_pk, keygen_vk}, + poly::kzg::{ + commitment::{KZGCommitmentScheme, ParamsKZG}, + multiopen::ProverSHPLONK, + }, + transcript::{Blake2bWrite, Challenge255, TranscriptWriterBuffer}, + }; + use halo2curves::bn256::Bn256; + use rand_core::OsRng; + + #[derive(Clone, Copy)] + struct MyCircuit; + + impl Circuit for MyCircuit { + type Config = (); + type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); + + fn without_witnesses(&self) -> Self { + *self + } + + fn configure(_meta: &mut ConstraintSystem) -> Self::Config {} + + fn synthesize( + &self, + _config: Self::Config, + _layouter: impl crate::circuit::Layouter, + ) -> Result<(), Error> { + Ok(()) + } + } + + let params: ParamsKZG = ParamsKZG::setup(3, OsRng); + let vk = keygen_vk(¶ms, &MyCircuit).expect("keygen_vk should not fail"); + let pk = keygen_pk(¶ms, vk, &MyCircuit).expect("keygen_pk should not fail"); + let mut transcript = Blake2bWrite::<_, _, Challenge255<_>>::init(vec![]); + + // Create proof with wrong number of instances + let proof = create_proof::, ProverSHPLONK<_>, _, _, _, _>( + ¶ms, + &pk, + &[MyCircuit, MyCircuit], + &[], + OsRng, + &mut transcript, + ); + assert!(matches!(proof.unwrap_err(), Error::InvalidInstances)); + + // Create proof with correct number of instances + create_proof::, ProverSHPLONK<_>, _, _, _, _>( + ¶ms, + &pk, + &[MyCircuit, MyCircuit], + &[&[], &[]], + OsRng, + &mut transcript, + ) + .expect("proof generation should not fail"); +} diff --git a/halo2_proofs/src/plonk/shuffle.rs b/halo2_proofs/src/plonk/shuffle.rs new file mode 100644 index 00000000..2cb925a3 --- /dev/null +++ b/halo2_proofs/src/plonk/shuffle.rs @@ -0,0 +1,67 @@ +use super::circuit::Expression; +use ff::Field; +use std::fmt::{self, Debug}; + +pub(crate) mod prover; +pub(crate) mod verifier; + +#[derive(Clone, PartialEq, Eq)] +pub struct Argument { + pub(crate) name: String, + pub(crate) input_expressions: Vec>, + pub(crate) shuffle_expressions: Vec>, +} + +impl Debug for Argument { + fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { + f.debug_struct("Argument") + .field("input_expressions", &self.input_expressions) + .field("shuffle_expressions", &self.shuffle_expressions) + .finish() + } +} + +impl Argument { + /// Constructs a new shuffle argument. + /// + /// `shuffle` is a sequence of `(input, shuffle)` tuples. + pub fn new>(name: S, shuffle: Vec<(Expression, Expression)>) -> Self { + let (input_expressions, shuffle_expressions) = shuffle.into_iter().unzip(); + Argument { + name: name.as_ref().to_string(), + input_expressions, + shuffle_expressions, + } + } + + pub(crate) fn required_degree(&self) -> usize { + assert_eq!(self.input_expressions.len(), self.shuffle_expressions.len()); + + let mut input_degree = 1; + for expr in self.input_expressions.iter() { + input_degree = std::cmp::max(input_degree, expr.degree()); + } + let mut shuffle_degree = 1; + for expr in self.shuffle_expressions.iter() { + shuffle_degree = std::cmp::max(shuffle_degree, expr.degree()); + } + + // (1 - (l_last + l_blind)) (z(\omega X) (s(X) + \gamma) - z(X) (a(X) + \gamma)) + std::cmp::max(2 + shuffle_degree, 2 + input_degree) + } + + /// Returns input of this argument + pub fn input_expressions(&self) -> &Vec> { + &self.input_expressions + } + + /// Returns table of this argument + pub fn shuffle_expressions(&self) -> &Vec> { + &self.shuffle_expressions + } + + /// Returns name of this argument + pub fn name(&self) -> &str { + &self.name + } +} diff --git a/halo2_proofs/src/plonk/shuffle/prover.rs b/halo2_proofs/src/plonk/shuffle/prover.rs new file mode 100644 index 00000000..fd30436a --- /dev/null +++ b/halo2_proofs/src/plonk/shuffle/prover.rs @@ -0,0 +1,250 @@ +use super::super::{ + circuit::Expression, ChallengeGamma, ChallengeTheta, ChallengeX, Error, ProvingKey, +}; +use super::Argument; +use crate::plonk::evaluation::evaluate; +use crate::{ + arithmetic::{eval_polynomial, parallelize, CurveAffine}, + poly::{ + commitment::{Blind, Params}, + Coeff, EvaluationDomain, LagrangeCoeff, Polynomial, ProverQuery, Rotation, + }, + transcript::{EncodedChallenge, TranscriptWrite}, +}; +use ff::WithSmallOrderMulGroup; +use group::{ff::BatchInvert, Curve}; +use rand_core::RngCore; +use std::{ + iter, + ops::{Mul, MulAssign}, +}; + +#[derive(Debug)] +struct Compressed { + input_expression: Polynomial, + shuffle_expression: Polynomial, +} + +#[derive(Debug)] +pub(in crate::plonk) struct Committed { + pub(in crate::plonk) product_poly: Polynomial, + product_blind: Blind, +} + +pub(in crate::plonk) struct Evaluated { + constructed: Committed, +} + +impl> Argument { + /// Given a Shuffle with input expressions [A_0, A_1, ..., A_{m-1}] and table expressions + /// [S_0, S_1, ..., S_{m-1}], this method + /// - constructs A_compressed = \theta^{m-1} A_0 + theta^{m-2} A_1 + ... + \theta A_{m-2} + A_{m-1} + /// and S_compressed = \theta^{m-1} S_0 + theta^{m-2} S_1 + ... + \theta S_{m-2} + S_{m-1}, + #[allow(clippy::too_many_arguments)] + fn compress<'a, 'params: 'a, C, P: Params<'params, C>>( + &self, + pk: &ProvingKey, + params: &P, + domain: &EvaluationDomain, + theta: ChallengeTheta, + advice_values: &'a [Polynomial], + fixed_values: &'a [Polynomial], + instance_values: &'a [Polynomial], + challenges: &'a [C::Scalar], + ) -> Compressed + where + C: CurveAffine, + C::Curve: Mul + MulAssign, + { + // Closure to get values of expressions and compress them + let compress_expressions = |expressions: &[Expression]| { + let compressed_expression = expressions + .iter() + .map(|expression| { + pk.vk.domain.lagrange_from_vec(evaluate( + expression, + params.n() as usize, + 1, + fixed_values, + advice_values, + instance_values, + challenges, + )) + }) + .fold(domain.empty_lagrange(), |acc, expression| { + acc * *theta + &expression + }); + compressed_expression + }; + + // Get values of input expressions involved in the shuffle and compress them + let input_expression = compress_expressions(&self.input_expressions); + + // Get values of table expressions involved in the shuffle and compress them + let shuffle_expression = compress_expressions(&self.shuffle_expressions); + + Compressed { + input_expression, + shuffle_expression, + } + } + + /// Given a Shuffle with input expressions and table expressions this method + /// constructs the grand product polynomial over the shuffle. + /// The grand product polynomial is used to populate the Product struct. + /// The Product struct is added to the Shuffle and finally returned by the method. + #[allow(clippy::too_many_arguments)] + pub(in crate::plonk) fn commit_product< + 'a, + 'params: 'a, + C, + P: Params<'params, C>, + E: EncodedChallenge, + R: RngCore, + T: TranscriptWrite, + >( + &self, + pk: &ProvingKey, + params: &P, + domain: &EvaluationDomain, + theta: ChallengeTheta, + gamma: ChallengeGamma, + advice_values: &'a [Polynomial], + fixed_values: &'a [Polynomial], + instance_values: &'a [Polynomial], + challenges: &'a [C::Scalar], + mut rng: R, + transcript: &mut T, + ) -> Result, Error> + where + C: CurveAffine, + C::Curve: Mul + MulAssign, + { + let compressed = self.compress( + pk, + params, + domain, + theta, + advice_values, + fixed_values, + instance_values, + challenges, + ); + + let blinding_factors = pk.vk.cs.blinding_factors(); + + let mut shuffle_product = vec![C::Scalar::ZERO; params.n() as usize]; + parallelize(&mut shuffle_product, |shuffle_product, start| { + for (shuffle_product, shuffle_value) in shuffle_product + .iter_mut() + .zip(compressed.shuffle_expression[start..].iter()) + { + *shuffle_product = *gamma + shuffle_value; + } + }); + + shuffle_product.iter_mut().batch_invert(); + + parallelize(&mut shuffle_product, |product, start| { + for (i, product) in product.iter_mut().enumerate() { + let i = i + start; + *product *= &(*gamma + compressed.input_expression[i]); + } + }); + + // Compute the evaluations of the shuffle product polynomial + // over our domain, starting with z[0] = 1 + let z = iter::once(C::Scalar::ONE) + .chain(shuffle_product) + .scan(C::Scalar::ONE, |state, cur| { + *state *= &cur; + Some(*state) + }) + // Take all rows including the "last" row which should + // be a boolean (and ideally 1, else soundness is broken) + .take(params.n() as usize - blinding_factors) + // Chain random blinding factors. + .chain((0..blinding_factors).map(|_| C::Scalar::random(&mut rng))) + .collect::>(); + assert_eq!(z.len(), params.n() as usize); + let z = pk.vk.domain.lagrange_from_vec(z); + + #[cfg(feature = "sanity-checks")] + { + // While in Lagrange basis, check that product is correctly constructed + let u = (params.n() as usize) - (blinding_factors + 1); + assert_eq!(z[0], C::Scalar::ONE); + for i in 0..u { + let mut left = z[i + 1]; + let input_value = &compressed.input_expression[i]; + let shuffle_value = &compressed.shuffle_expression[i]; + left *= &(*gamma + shuffle_value); + let mut right = z[i]; + right *= &(*gamma + input_value); + assert_eq!(left, right); + } + assert_eq!(z[u], C::Scalar::ONE); + } + + let product_blind = Blind(C::Scalar::random(rng)); + let product_commitment = params.commit_lagrange(&z, product_blind).to_affine(); + let z = pk.vk.domain.lagrange_to_coeff(z); + + // Hash product commitment + transcript.write_point(product_commitment)?; + + Ok(Committed:: { + product_poly: z, + product_blind, + }) + } +} + +impl Committed { + pub(in crate::plonk) fn evaluate, T: TranscriptWrite>( + self, + pk: &ProvingKey, + x: ChallengeX, + transcript: &mut T, + ) -> Result, Error> { + let domain = &pk.vk.domain; + let x_next = domain.rotate_omega(*x, Rotation::next()); + + let product_eval = eval_polynomial(&self.product_poly, *x); + let product_next_eval = eval_polynomial(&self.product_poly, x_next); + + // Hash each advice evaluation + for eval in iter::empty() + .chain(Some(product_eval)) + .chain(Some(product_next_eval)) + { + transcript.write_scalar(eval)?; + } + + Ok(Evaluated { constructed: self }) + } +} + +impl Evaluated { + pub(in crate::plonk) fn open<'a>( + &'a self, + pk: &'a ProvingKey, + x: ChallengeX, + ) -> impl Iterator> + Clone { + let x_next = pk.vk.domain.rotate_omega(*x, Rotation::next()); + + iter::empty() + // Open shuffle product commitments at x + .chain(Some(ProverQuery { + point: *x, + poly: &self.constructed.product_poly, + blind: self.constructed.product_blind, + })) + // Open shuffle product commitments at x_next + .chain(Some(ProverQuery { + point: x_next, + poly: &self.constructed.product_poly, + blind: self.constructed.product_blind, + })) + } +} diff --git a/halo2_proofs/src/plonk/shuffle/verifier.rs b/halo2_proofs/src/plonk/shuffle/verifier.rs new file mode 100644 index 00000000..379cc5c8 --- /dev/null +++ b/halo2_proofs/src/plonk/shuffle/verifier.rs @@ -0,0 +1,138 @@ +use std::iter; + +use super::super::{circuit::Expression, ChallengeGamma, ChallengeTheta, ChallengeX}; +use super::Argument; +use crate::{ + arithmetic::CurveAffine, + plonk::{Error, VerifyingKey}, + poly::{commitment::MSM, Rotation, VerifierQuery}, + transcript::{EncodedChallenge, TranscriptRead}, +}; +use ff::Field; + +pub struct Committed { + product_commitment: C, +} + +pub struct Evaluated { + committed: Committed, + product_eval: C::Scalar, + product_next_eval: C::Scalar, +} + +impl Argument { + pub(in crate::plonk) fn read_product_commitment< + C: CurveAffine, + E: EncodedChallenge, + T: TranscriptRead, + >( + &self, + transcript: &mut T, + ) -> Result, Error> { + let product_commitment = transcript.read_point()?; + + Ok(Committed { product_commitment }) + } +} + +impl Committed { + pub(crate) fn evaluate, T: TranscriptRead>( + self, + transcript: &mut T, + ) -> Result, Error> { + let product_eval = transcript.read_scalar()?; + let product_next_eval = transcript.read_scalar()?; + + Ok(Evaluated { + committed: self, + product_eval, + product_next_eval, + }) + } +} + +impl Evaluated { + #[allow(clippy::too_many_arguments)] + pub(in crate::plonk) fn expressions<'a>( + &'a self, + l_0: C::Scalar, + l_last: C::Scalar, + l_blind: C::Scalar, + argument: &'a Argument, + theta: ChallengeTheta, + gamma: ChallengeGamma, + advice_evals: &[C::Scalar], + fixed_evals: &[C::Scalar], + instance_evals: &[C::Scalar], + challenges: &[C::Scalar], + ) -> impl Iterator + 'a { + let active_rows = C::Scalar::ONE - (l_last + l_blind); + + let product_expression = || { + // z(\omega X) (s(X) + \gamma) - z(X) (a(X) + \gamma) + let compress_expressions = |expressions: &[Expression]| { + expressions + .iter() + .map(|expression| { + expression.evaluate( + &|scalar| scalar, + &|_| panic!("virtual selectors are removed during optimization"), + &|query| fixed_evals[query.index.unwrap()], + &|query| advice_evals[query.index.unwrap()], + &|query| instance_evals[query.index.unwrap()], + &|challenge| challenges[challenge.index()], + &|a| -a, + &|a, b| a + &b, + &|a, b| a * &b, + &|a, scalar| a * &scalar, + ) + }) + .fold(C::Scalar::ZERO, |acc, eval| acc * &*theta + &eval) + }; + // z(\omega X) (s(X) + \gamma) + let left = self.product_next_eval + * &(compress_expressions(&argument.shuffle_expressions) + &*gamma); + // z(X) (a(X) + \gamma) + let right = + self.product_eval * &(compress_expressions(&argument.input_expressions) + &*gamma); + + (left - &right) * &active_rows + }; + + std::iter::empty() + .chain( + // l_0(X) * (1 - z'(X)) = 0 + Some(l_0 * &(C::Scalar::ONE - &self.product_eval)), + ) + .chain( + // l_last(X) * (z(X)^2 - z(X)) = 0 + Some(l_last * &(self.product_eval.square() - &self.product_eval)), + ) + .chain( + // (1 - (l_last(X) + l_blind(X))) * ( z(\omega X) (s(X) + \gamma) - z(X) (a(X) + \gamma)) + Some(product_expression()), + ) + } + + pub(in crate::plonk) fn queries<'r, M: MSM + 'r>( + &'r self, + vk: &'r VerifyingKey, + x: ChallengeX, + ) -> impl Iterator> + Clone { + let x_next = vk.domain.rotate_omega(*x, Rotation::next()); + + iter::empty() + // Open shuffle product commitment at x + .chain(Some(VerifierQuery::new_commitment( + &self.committed.product_commitment, + *x, + self.product_eval, + ))) + // Open shuffle product commitment at \omega x + .chain(Some(VerifierQuery::new_commitment( + &self.committed.product_commitment, + x_next, + self.product_next_eval, + ))) + } +} diff --git a/halo2_proofs/src/plonk/vanishing/prover.rs b/halo2_proofs/src/plonk/vanishing/prover.rs index d394b8c0..1b055682 100644 --- a/halo2_proofs/src/plonk/vanishing/prover.rs +++ b/halo2_proofs/src/plonk/vanishing/prover.rs @@ -7,9 +7,8 @@ use rand_core::RngCore; use super::Argument; use crate::{ arithmetic::{eval_polynomial, CurveAffine}, - plonk::{ChallengeX, ChallengeY, Error}, + plonk::{ChallengeX, Error}, poly::{ - self, commitment::{Blind, ParamsProver}, Coeff, EvaluationDomain, ExtendedLagrangeCoeff, Polynomial, ProverQuery, }, diff --git a/halo2_proofs/src/plonk/verifier.rs b/halo2_proofs/src/plonk/verifier.rs index 315a3b6c..a50e49c5 100644 --- a/halo2_proofs/src/plonk/verifier.rs +++ b/halo2_proofs/src/plonk/verifier.rs @@ -1,28 +1,25 @@ use ff::{Field, FromUniformBytes, WithSmallOrderMulGroup}; use group::Curve; -use rand_core::RngCore; use std::iter; use super::{ vanishing, ChallengeBeta, ChallengeGamma, ChallengeTheta, ChallengeX, ChallengeY, Error, VerifyingKey, }; -use crate::arithmetic::{compute_inner_product, CurveAffine}; +use crate::arithmetic::compute_inner_product; use crate::poly::commitment::{CommitmentScheme, Verifier}; use crate::poly::VerificationStrategy; use crate::poly::{ - commitment::{Blind, Params, MSM}, - Guard, VerifierQuery, + commitment::{Blind, Params}, + VerifierQuery, }; -use crate::transcript::{read_n_points, read_n_scalars, EncodedChallenge, TranscriptRead}; +use crate::transcript::{read_n_scalars, EncodedChallenge, TranscriptRead}; #[cfg(feature = "batch")] mod batch; #[cfg(feature = "batch")] pub use batch::BatchVerifier; -use crate::poly::commitment::ParamsVerifier; - /// Returns a boolean indicating whether or not the proof is valid pub fn verify_proof< 'params, @@ -125,9 +122,9 @@ where // Sample theta challenge for keeping lookup columns linearly independent let theta: ChallengeTheta<_> = transcript.squeeze_challenge_scalar(); - let lookups_permuted = (0..num_proofs) + let lookups_prepared = (0..num_proofs) .map(|_| -> Result, _> { - // Hash each lookup permuted commitment + // Hash each lookup prepared commitment vk.cs .lookups .iter() @@ -149,7 +146,7 @@ where }) .collect::, _>>()?; - let lookups_committed = lookups_permuted + let lookups_committed = lookups_prepared .into_iter() .map(|lookups| { // Hash each lookup sum commitment @@ -160,6 +157,17 @@ where }) .collect::, _>>()?; + let shuffles_committed = (0..num_proofs) + .map(|_| -> Result, _> { + // Hash each shuffle product commitment + vk.cs + .shuffles + .iter() + .map(|argument| argument.read_product_commitment(transcript)) + .collect::, _>>() + }) + .collect::, _>>()?; + let vanishing = vanishing::Argument::read_commitments_before_y(transcript)?; // Sample y challenge, which keeps the gates linearly independent. @@ -177,7 +185,7 @@ where }) .collect::, _>>()? } else { - let xn = x.pow(&[params.n() as u64, 0, 0, 0]); + let xn = x.pow([params.n()]); let (min_rotation, max_rotation) = vk.cs .instance_queries @@ -242,11 +250,21 @@ where }) .collect::, _>>()?; + let shuffles_evaluated = shuffles_committed + .into_iter() + .map(|shuffles| -> Result, _> { + shuffles + .into_iter() + .map(|shuffle| shuffle.evaluate(transcript)) + .collect::, _>>() + }) + .collect::, _>>()?; + // This check ensures the circuit is satisfied so long as the polynomial // commitments open to the correct values. let vanishing = { // x^n - let xn = x.pow(&[params.n() as u64, 0, 0, 0]); + let xn = x.pow([params.n()]); let blinding_factors = vk.cs.blinding_factors(); let l_evals = vk @@ -265,58 +283,79 @@ where .zip(instance_evals.iter()) .zip(permutations_evaluated.iter()) .zip(lookups_evaluated.iter()) - .flat_map(|(((advice_evals, instance_evals), permutation), lookups)| { - let challenges = &challenges; - let fixed_evals = &fixed_evals; - std::iter::empty() - // Evaluate the circuit using the custom gates provided - .chain(vk.cs.gates.iter().flat_map(move |gate| { - gate.polynomials().iter().map(move |poly| { - poly.evaluate( - &|scalar| scalar, - &|_| panic!("virtual selectors are removed during optimization"), - &|query| fixed_evals[query.index], - &|query| advice_evals[query.index], - &|query| instance_evals[query.index], - &|challenge| challenges[challenge.index()], - &|a| -a, - &|a, b| a + &b, - &|a, b| a * &b, - &|a, scalar| a * &scalar, - ) - }) - })) - .chain(permutation.expressions( - vk, - &vk.cs.permutation, - &permutations_common, - advice_evals, - fixed_evals, - instance_evals, - l_0, - l_last, - l_blind, - beta, - gamma, - x, - )) - .chain(lookups.iter().zip(vk.cs.lookups.iter()).flat_map( - move |(p, argument)| { - p.expressions( - l_0, - l_last, - l_blind, - argument, - theta, - beta, - advice_evals, - fixed_evals, - instance_evals, - challenges, - ) - }, - )) - }); + .zip(shuffles_evaluated.iter()) + .flat_map( + |((((advice_evals, instance_evals), permutation), lookups), shuffles)| { + let challenges = &challenges; + let fixed_evals = &fixed_evals; + std::iter::empty() + // Evaluate the circuit using the custom gates provided + .chain(vk.cs.gates.iter().flat_map(move |gate| { + gate.polynomials().iter().map(move |poly| { + poly.evaluate( + &|scalar| scalar, + &|_| { + panic!("virtual selectors are removed during optimization") + }, + &|query| fixed_evals[query.index.unwrap()], + &|query| advice_evals[query.index.unwrap()], + &|query| instance_evals[query.index.unwrap()], + &|challenge| challenges[challenge.index()], + &|a| -a, + &|a, b| a + &b, + &|a, b| a * &b, + &|a, scalar| a * &scalar, + ) + }) + })) + .chain(permutation.expressions( + vk, + &vk.cs.permutation, + &permutations_common, + advice_evals, + fixed_evals, + instance_evals, + l_0, + l_last, + l_blind, + beta, + gamma, + x, + )) + .chain(lookups.iter().zip(vk.cs.lookups.iter()).flat_map( + move |(p, argument)| { + p.expressions( + l_0, + l_last, + l_blind, + argument, + theta, + beta, + advice_evals, + fixed_evals, + instance_evals, + challenges, + ) + }, + )) + .chain(shuffles.iter().zip(vk.cs.shuffles.iter()).flat_map( + move |(p, argument)| { + p.expressions( + l_0, + l_last, + l_blind, + argument, + theta, + gamma, + advice_evals, + fixed_evals, + instance_evals, + challenges, + ) + }, + )) + }, + ); vanishing.verify(params, expressions, y, xn) }; @@ -328,13 +367,20 @@ where .zip(advice_evals.iter()) .zip(permutations_evaluated.iter()) .zip(lookups_evaluated.iter()) + .zip(shuffles_evaluated.iter()) .flat_map( |( ( - (((instance_commitments, instance_evals), advice_commitments), advice_evals), - permutation, + ( + ( + ((instance_commitments, instance_evals), advice_commitments), + advice_evals, + ), + permutation, + ), + lookups, ), - lookups, + shuffles, )| { iter::empty() .chain( @@ -362,6 +408,7 @@ where )) .chain(permutation.queries(vk, x)) .chain(lookups.iter().flat_map(move |p| p.queries(vk, x))) + .chain(shuffles.iter().flat_map(move |p| p.queries(vk, x))) }, ) .chain( diff --git a/halo2_proofs/src/plonk/verifier/batch.rs b/halo2_proofs/src/plonk/verifier/batch.rs index 04e08be4..173d552e 100644 --- a/halo2_proofs/src/plonk/verifier/batch.rs +++ b/halo2_proofs/src/plonk/verifier/batch.rs @@ -1,14 +1,11 @@ -use std::{io, marker::PhantomData}; - use ff::FromUniformBytes; use group::ff::Field; use halo2curves::CurveAffine; -use rand_core::{OsRng, RngCore}; -use rayon::iter::{IndexedParallelIterator, IntoParallelIterator, ParallelIterator}; +use rand_core::OsRng; use super::{verify_proof, VerificationStrategy}; use crate::{ - multicore, + multicore::{IntoParallelIterator, TryFoldAndReduce}, plonk::{Error, VerifyingKey}, poly::{ commitment::{Params, MSM}, @@ -22,6 +19,9 @@ use crate::{ transcript::{Blake2bRead, TranscriptReadBuffer}, }; +#[cfg(feature = "multicore")] +use crate::multicore::{IndexedParallelIterator, ParallelIterator}; + /// A proof verification strategy that returns the proof's MSM. /// /// `BatchVerifier` handles the accumulation of the MSMs for the batched proofs. @@ -123,11 +123,10 @@ where e }) }) - .try_fold( + .try_fold_and_reduce( || params.empty_msm(), - |msm, res| res.map(|proof_msm| accumulate_msm(msm, proof_msm)), - ) - .try_reduce(|| params.empty_msm(), |a, b| Ok(accumulate_msm(a, b))); + |acc, res| res.map(|proof_msm| accumulate_msm(acc, proof_msm)), + ); match final_msm { Ok(msm) => msm.check(), diff --git a/halo2_proofs/src/poly.rs b/halo2_proofs/src/poly.rs index 31f6d1f7..cbe6fd8f 100644 --- a/halo2_proofs/src/poly.rs +++ b/halo2_proofs/src/poly.rs @@ -7,7 +7,6 @@ use crate::helpers::SerdePrimeField; use crate::plonk::Assigned; use crate::SerdeFormat; -use ff::PrimeField; use group::ff::{BatchInvert, Field}; use std::fmt::Debug; use std::io; @@ -200,7 +199,7 @@ pub(crate) fn batch_invert_assigned( assigned .iter() - .zip(assigned_denominators.into_iter()) + .zip(assigned_denominators) .map(|(poly, inv_denoms)| poly.invert(inv_denoms.into_iter().map(|d| d.unwrap_or(F::ONE)))) .collect() } @@ -215,7 +214,7 @@ impl Polynomial, LagrangeCoeff> { values: self .values .iter() - .zip(inv_denoms.into_iter()) + .zip(inv_denoms) .map(|(a, inv_den)| a.numerator() * inv_den) .collect(), _marker: self._marker, diff --git a/halo2_proofs/src/poly/commitment.rs b/halo2_proofs/src/poly/commitment.rs index 3a0b68f6..590767e6 100644 --- a/halo2_proofs/src/poly/commitment.rs +++ b/halo2_proofs/src/poly/commitment.rs @@ -6,12 +6,11 @@ use super::{ use crate::poly::Error; use crate::transcript::{EncodedChallenge, TranscriptRead, TranscriptWrite}; use ff::Field; -use group::{Curve, Group}; -use halo2curves::{CurveAffine, CurveExt}; +use halo2curves::CurveAffine; use rand_core::RngCore; use std::{ fmt::Debug, - io::{self, Read, Write}, + io::{self}, ops::{Add, AddAssign, Mul, MulAssign}, }; diff --git a/halo2_proofs/src/poly/domain.rs b/halo2_proofs/src/poly/domain.rs index e99c7f6c..0f3f01c0 100644 --- a/halo2_proofs/src/poly/domain.rs +++ b/halo2_proofs/src/poly/domain.rs @@ -8,10 +8,7 @@ use crate::{ use super::{Coeff, ExtendedLagrangeCoeff, LagrangeCoeff, Polynomial, Rotation}; use ff::WithSmallOrderMulGroup; -use group::{ - ff::{BatchInvert, Field, PrimeField}, - Group, -}; +use group::ff::{BatchInvert, Field}; use std::marker::PhantomData; @@ -54,6 +51,9 @@ impl> EvaluationDomain { extended_k += 1; } + // ensure extended_k <= S + assert!(extended_k <= F::S); + let mut extended_omega = F::ROOT_OF_UNITY; // Get extended_omega, the 2^{extended_k}'th root of unity @@ -88,8 +88,8 @@ impl> EvaluationDomain { { // Compute the evaluations of t(X) = X^n - 1 in the coset evaluation domain. // We don't have to compute all of them, because it will repeat. - let orig = F::ZETA.pow_vartime(&[n as u64, 0, 0, 0]); - let step = extended_omega.pow_vartime(&[n as u64, 0, 0, 0]); + let orig = F::ZETA.pow_vartime([n, 0, 0, 0]); + let step = extended_omega.pow_vartime([n, 0, 0, 0]); let mut cur = orig; loop { t_evaluations.push(cur); @@ -175,7 +175,7 @@ impl> EvaluationDomain { &self, values: Vec>, ) -> Polynomial { - assert_eq!(values.len(), (self.extended_len() >> self.k) as usize); + assert_eq!(values.len(), (self.extended_len() >> self.k)); assert_eq!(values[0].len(), self.n as usize); // transpose the values in parallel @@ -456,10 +456,10 @@ impl> EvaluationDomain { /// fn distribute_powers(&self, a: &mut [F], c: F) { parallelize(a, |a, index| { - let mut c_power = c.pow_vartime(&[index as u64, 0, 0, 0]); + let mut c_power = c.pow_vartime([index as u64, 0, 0, 0]); for a in a { - *a = *a * c_power; - c_power = c_power * c; + *a *= &c_power; + c_power *= c; } }); } @@ -651,17 +651,17 @@ fn test_l_i() { let mut l = vec![]; let mut points = vec![]; for i in 0..8 { - points.push(domain.omega.pow(&[i, 0, 0, 0])); + points.push(domain.omega.pow([i])); } for i in 0..8 { - let mut l_i = vec![Scalar::zero(); 8]; + let mut l_i = vec![Scalar::ZERO; 8]; l_i[i] = Scalar::ONE; let l_i = lagrange_interpolate(&points[..], &l_i[..]); l.push(l_i); } let x = Scalar::random(OsRng); - let xn = x.pow(&[8, 0, 0, 0]); + let xn = x.pow([8]); let evaluations = domain.l_i_range(x, xn, -7..=7); for i in 0..8 { diff --git a/halo2_proofs/src/poly/ipa/commitment.rs b/halo2_proofs/src/poly/ipa/commitment.rs index f9b4ad05..9e303551 100644 --- a/halo2_proofs/src/poly/ipa/commitment.rs +++ b/halo2_proofs/src/poly/ipa/commitment.rs @@ -3,18 +3,14 @@ //! //! [halo]: https://eprint.iacr.org/2019/1021 -use crate::arithmetic::{ - best_fft, best_multiexp, g_to_lagrange, parallelize, CurveAffine, CurveExt, -}; +use crate::arithmetic::{best_multiexp, g_to_lagrange, parallelize, CurveAffine, CurveExt}; use crate::helpers::CurveRead; -use crate::poly::commitment::{Blind, CommitmentScheme, Params, ParamsProver, ParamsVerifier, MSM}; +use crate::poly::commitment::{Blind, CommitmentScheme, Params, ParamsProver, ParamsVerifier}; use crate::poly::ipa::msm::MSMIPA; use crate::poly::{Coeff, LagrangeCoeff, Polynomial}; -use ff::{Field, PrimeField}; -use group::{prime::PrimeCurveAffine, Curve, Group}; +use group::{Curve, Group}; use std::marker::PhantomData; -use std::ops::{Add, AddAssign, Mul, MulAssign}; mod prover; mod verifier; @@ -233,21 +229,13 @@ impl<'params, C: CurveAffine> ParamsProver<'params, C> for ParamsIPA { #[cfg(test)] mod test { - - use crate::arithmetic::{best_fft, best_multiexp, parallelize, CurveAffine, CurveExt}; - use crate::helpers::CurveRead; use crate::poly::commitment::ParamsProver; - use crate::poly::commitment::{Blind, CommitmentScheme, Params, MSM}; + use crate::poly::commitment::{Blind, Params, MSM}; use crate::poly::ipa::commitment::{create_proof, verify_proof, ParamsIPA}; use crate::poly::ipa::msm::MSMIPA; - use crate::poly::{Coeff, LagrangeCoeff, Polynomial}; - - use ff::{Field, PrimeField}; - use group::{prime::PrimeCurveAffine, Curve, Group}; - use std::marker::PhantomData; - use std::ops::{Add, AddAssign, Mul, MulAssign}; + use group::Curve; - use std::io; + use ff::Field; #[test] fn test_commit_lagrange_epaffine() { diff --git a/halo2_proofs/src/poly/ipa/commitment/prover.rs b/halo2_proofs/src/poly/ipa/commitment/prover.rs index d176987c..344dbc0e 100644 --- a/halo2_proofs/src/poly/ipa/commitment/prover.rs +++ b/halo2_proofs/src/poly/ipa/commitment/prover.rs @@ -1,7 +1,7 @@ use ff::Field; use rand_core::RngCore; -use super::{Params, ParamsIPA}; +use super::ParamsIPA; use crate::arithmetic::{ best_multiexp, compute_inner_product, eval_polynomial, parallelize, CurveAffine, }; @@ -11,7 +11,7 @@ use crate::poly::{commitment::Blind, Coeff, Polynomial}; use crate::transcript::{EncodedChallenge, TranscriptWrite}; use group::Curve; -use std::io::{self, Write}; +use std::io::{self}; /// Create a polynomial commitment opening proof for the polynomial defined /// by the coefficients `px`, the blinding factor `blind` used for the @@ -51,7 +51,7 @@ pub fn create_proof< // Evaluate the random polynomial at x_3 let s_at_x3 = eval_polynomial(&s_poly[..], x_3); // Subtract constant coefficient to get a random polynomial with a root at x_3 - s_poly[0] = s_poly[0] - &s_at_x3; + s_poly[0] -= &s_at_x3; // And sample a random blind let s_poly_blind = Blind(C::Scalar::random(&mut rng)); @@ -72,7 +72,7 @@ pub fn create_proof< // zero. let mut p_prime_poly = s_poly * xi + p_poly; let v = eval_polynomial(&p_prime_poly, x_3); - p_prime_poly[0] = p_prime_poly[0] - &v; + p_prime_poly[0] -= &v; let p_prime_blind = s_poly_blind * Blind(xi) + p_blind; // This accumulates the synthetic blinding factor `f` starting diff --git a/halo2_proofs/src/poly/ipa/commitment/verifier.rs b/halo2_proofs/src/poly/ipa/commitment/verifier.rs index 0b608428..cf258625 100644 --- a/halo2_proofs/src/poly/ipa/commitment/verifier.rs +++ b/halo2_proofs/src/poly/ipa/commitment/verifier.rs @@ -1,18 +1,9 @@ -use std::io::Read; - -use group::{ - ff::{BatchInvert, Field}, - Curve, -}; +use group::ff::{BatchInvert, Field}; use super::ParamsIPA; -use crate::poly::ipa::commitment::{IPACommitmentScheme, ParamsVerifierIPA}; -use crate::{ - arithmetic::{best_multiexp, CurveAffine}, - poly::ipa::strategy::GuardIPA, -}; +use crate::{arithmetic::CurveAffine, poly::ipa::strategy::GuardIPA}; use crate::{ - poly::{commitment::MSM, ipa::msm::MSMIPA, strategy::Guard, Error}, + poly::{commitment::MSM, ipa::msm::MSMIPA, Error}, transcript::{EncodedChallenge, TranscriptRead}, }; @@ -75,6 +66,9 @@ pub fn verify_proof<'params, C: CurveAffine, E: EncodedChallenge, T: Transcri // P' + \sum([u_j^{-1}] L_j) + \sum([u_j] R_j) // + [-c] G'_0 + [-cbz] U + [-f] W // = 0 + // + // Note that the guard returned from this function does not include + // the [-c]G'_0 term. let c = transcript.read_scalar().map_err(|_| Error::SamplingError)?; let neg_c = -c; diff --git a/halo2_proofs/src/poly/ipa/msm.rs b/halo2_proofs/src/poly/ipa/msm.rs index 3316e253..a615ddce 100644 --- a/halo2_proofs/src/poly/ipa/msm.rs +++ b/halo2_proofs/src/poly/ipa/msm.rs @@ -1,9 +1,5 @@ -use super::commitment::{IPACommitmentScheme, ParamsIPA}; -use crate::arithmetic::{best_multiexp, parallelize, CurveAffine}; -use crate::poly::{ - commitment::{CommitmentScheme, Params, MSM}, - ipa::commitment::ParamsVerifierIPA, -}; +use crate::arithmetic::{best_multiexp, CurveAffine}; +use crate::poly::{commitment::MSM, ipa::commitment::ParamsVerifierIPA}; use ff::Field; use group::Group; use std::collections::BTreeMap; @@ -222,13 +218,10 @@ impl<'a, C: CurveAffine> MSMIPA<'a, C> { #[cfg(test)] mod tests { - use super::ParamsIPA; - use crate::poly::commitment::ParamsProver; use crate::poly::{ - commitment::{Params, MSM}, - ipa::msm::MSMIPA, + commitment::{ParamsProver, MSM}, + ipa::{commitment::ParamsIPA, msm::MSMIPA}, }; - use group::Curve; use halo2curves::{ pasta::{Ep, EpAffine, Fp, Fq}, CurveAffine, diff --git a/halo2_proofs/src/poly/ipa/multiopen.rs b/halo2_proofs/src/poly/ipa/multiopen.rs index fd6aa785..b78acb59 100644 --- a/halo2_proofs/src/poly/ipa/multiopen.rs +++ b/halo2_proofs/src/poly/ipa/multiopen.rs @@ -4,7 +4,7 @@ //! [halo]: https://eprint.iacr.org/2019/1021 use super::*; -use crate::{arithmetic::CurveAffine, poly::query::Query, transcript::ChallengeScalar}; +use crate::{poly::query::Query, transcript::ChallengeScalar}; use ff::Field; use std::collections::{BTreeMap, BTreeSet}; diff --git a/halo2_proofs/src/poly/ipa/multiopen/prover.rs b/halo2_proofs/src/poly/ipa/multiopen/prover.rs index 6d65e7ae..2ae745d4 100644 --- a/halo2_proofs/src/poly/ipa/multiopen/prover.rs +++ b/halo2_proofs/src/poly/ipa/multiopen/prover.rs @@ -1,9 +1,7 @@ -use super::{ - construct_intermediate_sets, ChallengeX1, ChallengeX2, ChallengeX3, ChallengeX4, Query, -}; +use super::{construct_intermediate_sets, ChallengeX1, ChallengeX2, ChallengeX3, ChallengeX4}; use crate::arithmetic::{eval_polynomial, kate_division, CurveAffine}; use crate::poly::commitment::ParamsProver; -use crate::poly::commitment::{Blind, Params, Prover}; +use crate::poly::commitment::{Blind, Prover}; use crate::poly::ipa::commitment::{self, IPACommitmentScheme, ParamsIPA}; use crate::poly::query::ProverQuery; use crate::poly::{Coeff, Polynomial}; @@ -109,7 +107,7 @@ impl<'params, C: CurveAffine> Prover<'params, IPACommitmentScheme> for Prover let x_4: ChallengeX4<_> = transcript.squeeze_challenge_scalar(); - let (p_poly, p_poly_blind) = q_polys.into_iter().zip(q_blinds.into_iter()).fold( + let (p_poly, p_poly_blind) = q_polys.into_iter().zip(q_blinds).fold( (q_prime_poly, q_prime_blind), |(q_prime_poly, q_prime_blind), (poly, blind)| { ( diff --git a/halo2_proofs/src/poly/ipa/multiopen/verifier.rs b/halo2_proofs/src/poly/ipa/multiopen/verifier.rs index 391f89e1..d559e333 100644 --- a/halo2_proofs/src/poly/ipa/multiopen/verifier.rs +++ b/halo2_proofs/src/poly/ipa/multiopen/verifier.rs @@ -1,20 +1,14 @@ use std::fmt::Debug; -use std::io::Read; -use std::marker::PhantomData; use ff::Field; -use rand_core::RngCore; -use super::{ - construct_intermediate_sets, ChallengeX1, ChallengeX2, ChallengeX3, ChallengeX4, Query, -}; +use super::{construct_intermediate_sets, ChallengeX1, ChallengeX2, ChallengeX3, ChallengeX4}; use crate::arithmetic::{eval_polynomial, lagrange_interpolate, CurveAffine}; use crate::poly::commitment::{Params, Verifier, MSM}; use crate::poly::ipa::commitment::{IPACommitmentScheme, ParamsIPA, ParamsVerifierIPA}; use crate::poly::ipa::msm::MSMIPA; use crate::poly::ipa::strategy::GuardIPA; use crate::poly::query::{CommitmentReference, VerifierQuery}; -use crate::poly::strategy::VerificationStrategy; use crate::poly::Error; use crate::transcript::{EncodedChallenge, TranscriptRead}; @@ -57,7 +51,9 @@ impl<'params, C: CurveAffine> Verifier<'params, IPACommitmentScheme> // Compress the commitments and expected evaluations at x together. // using the challenge x_1 - let mut q_commitments: Vec<_> = vec![self.params.empty_msm(); point_sets.len()]; + let mut q_commitments: Vec<_> = vec![ + (self.params.empty_msm(), C::Scalar::ONE); // (accumulator, next x_1 power). + point_sets.len()]; // A vec of vecs of evals. The outer vec corresponds to the point set, // while the inner vec corresponds to the points in a particular set. @@ -65,28 +61,32 @@ impl<'params, C: CurveAffine> Verifier<'params, IPACommitmentScheme> for point_set in point_sets.iter() { q_eval_sets.push(vec![C::Scalar::ZERO; point_set.len()]); } + { let mut accumulate = |set_idx: usize, new_commitment: CommitmentReference>, evals: Vec| { - q_commitments[set_idx].scale(*x_1); + let (q_commitment, x_1_power) = &mut q_commitments[set_idx]; match new_commitment { CommitmentReference::Commitment(c) => { - q_commitments[set_idx].append_term(C::Scalar::ONE, (*c).into()); + q_commitment.append_term(*x_1_power, (*c).into()); } CommitmentReference::MSM(msm) => { - q_commitments[set_idx].add_msm(msm); + let mut msm = msm.clone(); + msm.scale(*x_1_power); + q_commitment.add_msm(&msm); } } for (eval, set_eval) in evals.iter().zip(q_eval_sets[set_idx].iter_mut()) { - *set_eval *= &(*x_1); - *set_eval += eval; + *set_eval += (*eval) * (*x_1_power); } + *x_1_power *= *x_1; }; // Each commitment corresponds to evaluations at a set of points. // For each set, we collapse each commitment's evals pointwise. - for commitment_data in commitment_map.into_iter() { + // Run in order of increasing x_1 powers. + for commitment_data in commitment_map.into_iter().rev() { accumulate( commitment_data.set_index, // set_idx, commitment_data.commitment, // commitment, @@ -135,7 +135,7 @@ impl<'params, C: CurveAffine> Verifier<'params, IPACommitmentScheme> msm.append_term(C::Scalar::ONE, q_prime_commitment.into()); let (msm, v) = q_commitments.into_iter().zip(u.iter()).fold( (msm, msm_eval), - |(mut msm, msm_eval), (q_commitment, q_eval)| { + |(mut msm, msm_eval), ((q_commitment, _), q_eval)| { msm.scale(*x_4); msm.add_msm(&q_commitment); (msm, msm_eval * &(*x_4) + q_eval) diff --git a/halo2_proofs/src/poly/ipa/strategy.rs b/halo2_proofs/src/poly/ipa/strategy.rs index c8d385f9..d2d1b3d3 100644 --- a/halo2_proofs/src/poly/ipa/strategy.rs +++ b/halo2_proofs/src/poly/ipa/strategy.rs @@ -1,10 +1,6 @@ -use std::marker::PhantomData; - -use super::commitment::{IPACommitmentScheme, ParamsIPA, ParamsVerifierIPA}; +use super::commitment::{IPACommitmentScheme, ParamsIPA}; use super::msm::MSMIPA; use super::multiopen::VerifierIPA; -use crate::poly::commitment::CommitmentScheme; -use crate::transcript::TranscriptRead; use crate::{ arithmetic::best_multiexp, plonk::Error, @@ -12,12 +8,11 @@ use crate::{ commitment::MSM, strategy::{Guard, VerificationStrategy}, }, - transcript::EncodedChallenge, }; use ff::Field; use group::Curve; use halo2curves::CurveAffine; -use rand_core::{OsRng, RngCore}; +use rand_core::OsRng; /// Wrapper for verification accumulator #[derive(Debug, Clone)] diff --git a/halo2_proofs/src/poly/kzg/commitment.rs b/halo2_proofs/src/poly/kzg/commitment.rs index f9fc508c..08a1a888 100644 --- a/halo2_proofs/src/poly/kzg/commitment.rs +++ b/halo2_proofs/src/poly/kzg/commitment.rs @@ -1,8 +1,6 @@ -use crate::arithmetic::{ - best_fft, best_multiexp, g_to_lagrange, parallelize, CurveAffine, CurveExt, -}; +use crate::arithmetic::{best_multiexp, g_to_lagrange, parallelize}; use crate::helpers::SerdeCurveAffine; -use crate::poly::commitment::{Blind, CommitmentScheme, Params, ParamsProver, ParamsVerifier, MSM}; +use crate::poly::commitment::{Blind, CommitmentScheme, Params, ParamsProver, ParamsVerifier}; use crate::poly::{Coeff, LagrangeCoeff, Polynomial}; use crate::SerdeFormat; @@ -12,7 +10,6 @@ use halo2curves::pairing::Engine; use rand_core::{OsRng, RngCore}; use std::fmt::Debug; use std::marker::PhantomData; -use std::ops::{Add, AddAssign, Mul, MulAssign}; use std::io; @@ -109,7 +106,7 @@ where } let n_inv = Option::::from(E::Scalar::from(n).invert()) .expect("inversion should be ok for n = 1<, + g_lagrange: Option>, + g2: E::G2Affine, + s_g2: E::G2Affine, + ) -> Self { + Self { + k, + n: 1 << k, + g_lagrange: if let Some(g_l) = g_lagrange { + g_l + } else { + g_to_lagrange(g.iter().map(PrimeCurveAffine::to_curve).collect(), k) + }, + g, + g2, + s_g2, + } + } + /// Returns gernerator on G2 pub fn g2(&self) -> E::G2Affine { self.g2 @@ -359,21 +380,10 @@ where #[cfg(test)] mod test { - use crate::arithmetic::{best_fft, best_multiexp, parallelize, CurveAffine, CurveExt}; use crate::poly::commitment::ParamsProver; - use crate::poly::commitment::{Blind, CommitmentScheme, Params, MSM}; - use crate::poly::kzg::commitment::{ParamsKZG, ParamsVerifierKZG}; - use crate::poly::kzg::msm::MSMKZG; - use crate::poly::kzg::multiopen::ProverSHPLONK; - use crate::poly::{Coeff, LagrangeCoeff, Polynomial}; - - use ff::{Field, PrimeField}; - use group::{prime::PrimeCurveAffine, Curve, Group}; - use halo2curves::bn256::G1Affine; - use std::marker::PhantomData; - use std::ops::{Add, AddAssign, Mul, MulAssign}; - - use std::io; + use crate::poly::commitment::{Blind, Params}; + use crate::poly::kzg::commitment::ParamsKZG; + use ff::Field; #[test] fn test_commit_lagrange() { @@ -404,13 +414,8 @@ mod test { fn test_parameter_serialisation_roundtrip() { const K: u32 = 4; - use ff::Field; - use rand_core::OsRng; - - use super::super::commitment::{Blind, Params}; - use crate::arithmetic::eval_polynomial; - use crate::halo2curves::bn256::{Bn256, Fr}; - use crate::poly::EvaluationDomain; + use super::super::commitment::Params; + use crate::halo2curves::bn256::Bn256; let params0 = ParamsKZG::::new(K); let mut data = vec![]; diff --git a/halo2_proofs/src/poly/kzg/msm.rs b/halo2_proofs/src/poly/kzg/msm.rs index abd8309f..2cc6d8a1 100644 --- a/halo2_proofs/src/poly/kzg/msm.rs +++ b/halo2_proofs/src/poly/kzg/msm.rs @@ -1,8 +1,8 @@ use std::fmt::Debug; -use super::commitment::{KZGCommitmentScheme, ParamsKZG}; +use super::commitment::ParamsKZG; use crate::{ - arithmetic::{best_multiexp, parallelize, CurveAffine}, + arithmetic::{best_multiexp, parallelize}, poly::commitment::MSM, }; use group::{Curve, Group}; @@ -92,8 +92,6 @@ impl PreMSM { } pub(crate) fn normalize(self) -> MSMKZG { - use group::prime::PrimeCurveAffine; - let (scalars, bases) = self .projectives_msms .into_iter() diff --git a/halo2_proofs/src/poly/kzg/multiopen/gwc.rs b/halo2_proofs/src/poly/kzg/multiopen/gwc.rs index 8e7d742f..3fd28dd0 100644 --- a/halo2_proofs/src/poly/kzg/multiopen/gwc.rs +++ b/halo2_proofs/src/poly/kzg/multiopen/gwc.rs @@ -4,20 +4,9 @@ mod verifier; pub use prover::ProverGWC; pub use verifier::VerifierGWC; -use crate::{ - arithmetic::{eval_polynomial, CurveAffine}, - poly::{ - commitment::{Params, ParamsVerifier}, - query::Query, - Coeff, Polynomial, - }, - transcript::ChallengeScalar, -}; +use crate::{poly::query::Query, transcript::ChallengeScalar}; use ff::Field; -use std::{ - collections::{BTreeMap, BTreeSet}, - marker::PhantomData, -}; +use std::marker::PhantomData; #[derive(Clone, Copy, Debug)] struct U {} diff --git a/halo2_proofs/src/poly/kzg/multiopen/gwc/prover.rs b/halo2_proofs/src/poly/kzg/multiopen/gwc/prover.rs index d5d977fb..89b629bf 100644 --- a/halo2_proofs/src/poly/kzg/multiopen/gwc/prover.rs +++ b/halo2_proofs/src/poly/kzg/multiopen/gwc/prover.rs @@ -1,23 +1,19 @@ use super::{construct_intermediate_sets, ChallengeV, Query}; -use crate::arithmetic::{eval_polynomial, kate_division, powers, CurveAffine}; +use crate::arithmetic::{kate_division, powers}; use crate::helpers::SerdeCurveAffine; use crate::poly::commitment::ParamsProver; use crate::poly::commitment::Prover; use crate::poly::kzg::commitment::{KZGCommitmentScheme, ParamsKZG}; use crate::poly::query::ProverQuery; -use crate::poly::Rotation; -use crate::poly::{ - commitment::{Blind, Params}, - Coeff, Polynomial, -}; +use crate::poly::{commitment::Blind, Polynomial}; use crate::transcript::{EncodedChallenge, TranscriptWrite}; -use ff::{Field, PrimeField}; +use ff::PrimeField; use group::Curve; use halo2curves::pairing::Engine; use rand_core::RngCore; use std::fmt::Debug; -use std::io::{self, Write}; +use std::io; use std::marker::PhantomData; /// Concrete KZG prover with GWC variant diff --git a/halo2_proofs/src/poly/kzg/multiopen/gwc/verifier.rs b/halo2_proofs/src/poly/kzg/multiopen/gwc/verifier.rs index 1d0c9468..ee01bd05 100644 --- a/halo2_proofs/src/poly/kzg/multiopen/gwc/verifier.rs +++ b/halo2_proofs/src/poly/kzg/multiopen/gwc/verifier.rs @@ -1,28 +1,20 @@ use std::fmt::Debug; -use std::io::Read; -use std::marker::PhantomData; use super::{construct_intermediate_sets, ChallengeU, ChallengeV}; -use crate::arithmetic::{eval_polynomial, lagrange_interpolate, powers, CurveAffine}; +use crate::arithmetic::powers; use crate::helpers::SerdeCurveAffine; use crate::poly::commitment::Verifier; use crate::poly::commitment::MSM; use crate::poly::kzg::commitment::{KZGCommitmentScheme, ParamsKZG}; use crate::poly::kzg::msm::{DualMSM, MSMKZG}; -use crate::poly::kzg::strategy::{AccumulatorStrategy, GuardKZG, SingleStrategy}; +use crate::poly::kzg::strategy::GuardKZG; use crate::poly::query::Query; use crate::poly::query::{CommitmentReference, VerifierQuery}; -use crate::poly::strategy::VerificationStrategy; -use crate::poly::{ - commitment::{Params, ParamsVerifier}, - Error, -}; +use crate::poly::Error; use crate::transcript::{EncodedChallenge, TranscriptRead}; use ff::{Field, PrimeField}; -use group::Group; -use halo2curves::pairing::{Engine, MillerLoopResult, MultiMillerLoop}; -use rand_core::OsRng; +use halo2curves::pairing::{Engine, MultiMillerLoop}; #[derive(Debug)] /// Concrete KZG verifier with GWC variant @@ -77,7 +69,7 @@ where let mut witness_with_aux = MSMKZG::::new(); for ((commitment_at_a_point, wi), power_of_u) in - commitment_data.iter().zip(w.into_iter()).zip(powers(*u)) + commitment_data.iter().zip(w).zip(powers(*u)) { assert!(!commitment_at_a_point.queries.is_empty()); let z = commitment_at_a_point.point; diff --git a/halo2_proofs/src/poly/kzg/multiopen/shplonk.rs b/halo2_proofs/src/poly/kzg/multiopen/shplonk.rs index d14132fb..2af5ab5e 100644 --- a/halo2_proofs/src/poly/kzg/multiopen/shplonk.rs +++ b/halo2_proofs/src/poly/kzg/multiopen/shplonk.rs @@ -1,19 +1,13 @@ mod prover; mod verifier; -use crate::{ - arithmetic::{eval_polynomial, lagrange_interpolate, CurveAffine}, - poly::{query::Query, Coeff, Polynomial}, - transcript::ChallengeScalar, -}; +use crate::multicore::IntoParallelIterator; +#[cfg(feature = "multicore")] +use crate::multicore::ParallelIterator; +use crate::{poly::query::Query, transcript::ChallengeScalar}; use ff::Field; pub use prover::ProverSHPLONK; -use rayon::prelude::*; -use std::{ - collections::{btree_map::Entry, BTreeMap, BTreeSet, HashMap, HashSet}, - marker::PhantomData, - sync::Arc, -}; +use std::collections::BTreeSet; pub use verifier::VerifierSHPLONK; #[derive(Clone, Copy, Debug)] @@ -126,7 +120,8 @@ where .into_par_iter() .map(|commitment| { let evals: Vec = rotations_vec - .par_iter() + .as_slice() + .into_par_iter() .map(|&&rotation| get_eval(commitment, rotation)) .collect(); Commitment((commitment, evals)) @@ -148,18 +143,10 @@ where #[cfg(test)] mod proptests { - use proptest::{ - collection::vec, - prelude::*, - sample::{select, subsequence}, - strategy::Strategy, - }; - use super::{construct_intermediate_sets, Commitment, IntermediateSets}; - use crate::poly::Rotation; - use ff::{Field, FromUniformBytes}; + use ff::FromUniformBytes; use halo2curves::pasta::Fp; - use std::collections::BTreeMap; + use proptest::{collection::vec, prelude::*, sample::select}; use std::convert::TryFrom; #[derive(Debug, Clone)] @@ -212,7 +199,7 @@ mod proptests { col_indices in vec(select((0..num_cols).collect::>()), num_queries), point_indices in vec(select((0..num_points).collect::>()), num_queries) ) -> Vec<(usize, usize)> { - col_indices.into_iter().zip(point_indices.into_iter()).collect() + col_indices.into_iter().zip(point_indices).collect() } } diff --git a/halo2_proofs/src/poly/kzg/multiopen/shplonk/prover.rs b/halo2_proofs/src/poly/kzg/multiopen/shplonk/prover.rs index bb50eafe..ba1e2822 100644 --- a/halo2_proofs/src/poly/kzg/multiopen/shplonk/prover.rs +++ b/halo2_proofs/src/poly/kzg/multiopen/shplonk/prover.rs @@ -1,5 +1,5 @@ use super::{ - construct_intermediate_sets, ChallengeU, ChallengeV, ChallengeY, Commitment, Query, RotationSet, + construct_intermediate_sets, ChallengeU, ChallengeV, ChallengeY, Commitment, RotationSet, }; use crate::arithmetic::{ eval_polynomial, evaluate_vanishing_polynomial, kate_division, lagrange_interpolate, @@ -9,20 +9,22 @@ use crate::helpers::SerdeCurveAffine; use crate::poly::commitment::{Blind, ParamsProver, Prover}; use crate::poly::kzg::commitment::{KZGCommitmentScheme, ParamsKZG}; use crate::poly::query::{PolynomialPointer, ProverQuery}; -use crate::poly::Rotation; -use crate::poly::{commitment::Params, Coeff, Polynomial}; +use crate::poly::{Coeff, Polynomial}; use crate::transcript::{EncodedChallenge, TranscriptWrite}; +use crate::multicore::IntoParallelIterator; use ff::{Field, PrimeField}; use group::Curve; use halo2curves::pairing::Engine; use rand_core::RngCore; -use rayon::prelude::*; use std::fmt::Debug; -use std::io::{self, Write}; +use std::io; use std::marker::PhantomData; use std::ops::MulAssign; +#[cfg(feature = "multicore")] +use crate::multicore::ParallelIterator; + fn div_by_vanishing(poly: Polynomial, roots: &[F]) -> Vec { let poly = roots .iter() @@ -136,40 +138,41 @@ where // for different sets that are already combined with anoter challenge let y: ChallengeY<_> = transcript.squeeze_challenge_scalar(); - let quotient_contribution = - |rotation_set: &RotationSetExtension| -> Polynomial { - // [P_i_0(X) - R_i_0(X), P_i_1(X) - R_i_1(X), ... ] - let numerators = rotation_set - .commitments - .par_iter() - .map(|commitment| commitment.quotient_contribution()) - .collect::>(); - - // define numerator polynomial as - // N_i_j(X) = (P_i_j(X) - R_i_j(X)) - // and combine polynomials with same evaluation point set - // N_i(X) = linear_combinination(y, N_i_j(X)) - // where y is random scalar to combine numerator polynomials - let n_x = numerators - .into_iter() - .zip(powers(*y)) - .map(|(numerator, power_of_y)| numerator * power_of_y) - .reduce(|acc, numerator| acc + &numerator) - .unwrap(); - - let points = &rotation_set.points[..]; - - // quotient contribution of this evaluation set is - // Q_i(X) = N_i(X) / Z_i(X) where - // Z_i(X) = (x - r_i_0) * (x - r_i_1) * ... - let mut poly = div_by_vanishing(n_x, points); - poly.resize(self.params.n as usize, E::Scalar::ZERO); - - Polynomial { - values: poly, - _marker: PhantomData, - } - }; + let quotient_contribution = |rotation_set: &RotationSetExtension| { + // [P_i_0(X) - R_i_0(X), P_i_1(X) - R_i_1(X), ... ] + #[allow(clippy::needless_collect)] + let numerators = rotation_set + .commitments + .as_slice() + .into_par_iter() + .map(|commitment| commitment.quotient_contribution()) + .collect::>(); + + // define numerator polynomial as + // N_i_j(X) = (P_i_j(X) - R_i_j(X)) + // and combine polynomials with same evaluation point set + // N_i(X) = linear_combinination(y, N_i_j(X)) + // where y is random scalar to combine numerator polynomials + let n_x = numerators + .into_iter() + .zip(powers(*y)) + .map(|(numerator, power_of_y)| numerator * power_of_y) + .reduce(|acc, numerator| acc + &numerator) + .unwrap(); + + let points = &rotation_set.points[..]; + + // quotient contribution of this evaluation set is + // Q_i(X) = N_i(X) / Z_i(X) where + // Z_i(X) = (x - r_i_0) * (x - r_i_1) * ... + let mut poly = div_by_vanishing(n_x, points); + poly.resize(self.params.n as usize, E::Scalar::ZERO); + + Polynomial { + values: poly, + _marker: PhantomData, + } + }; let intermediate_sets = construct_intermediate_sets(queries); let (rotation_sets, super_point_set) = ( @@ -182,7 +185,8 @@ where .map(|rotation_set| { let commitments: Vec> = rotation_set .commitments - .par_iter() + .as_slice() + .into_par_iter() .map(|commitment_data| commitment_data.extend(&rotation_set.points)) .collect(); rotation_set.extend(commitments) @@ -191,8 +195,10 @@ where let v: ChallengeV<_> = transcript.squeeze_challenge_scalar(); + #[allow(clippy::needless_collect)] let quotient_polynomials = rotation_sets - .par_iter() + .as_slice() + .into_par_iter() .map(quotient_contribution) .collect::>(); @@ -207,36 +213,43 @@ where transcript.write_point(h)?; let u: ChallengeU<_> = transcript.squeeze_challenge_scalar(); - let linearisation_contribution = - |rotation_set: RotationSetExtension| -> (Polynomial, E::Scalar) { - let mut diffs = super_point_set.clone(); - for point in rotation_set.points.iter() { - diffs.remove(point); - } - let diffs = diffs.into_iter().collect::>(); - - // calculate difference vanishing polynomial evaluation - let z_i = evaluate_vanishing_polynomial(&diffs[..], *u); - - // inner linearisation contibutions are - // [P_i_0(X) - r_i_0, P_i_1(X) - r_i_1, ... ] where - // r_i_j = R_i_j(u) is the evaluation of low degree equivalent polynomial - // where u is random evaluation point - let inner_contributions = rotation_set - .commitments - .par_iter() - .map(|commitment| commitment.linearisation_contribution(*u)).collect::>(); - - // define inner contributor polynomial as - // L_i_j(X) = (P_i_j(X) - r_i_j) - // and combine polynomials with same evaluation point set - // L_i(X) = linear_combinination(y, L_i_j(X)) - // where y is random scalar to combine inner contibutors - let l_x: Polynomial = inner_contributions.into_iter().zip(powers(*y)).map(|(poly, power_of_y)| poly * power_of_y).reduce(|acc, poly| acc + &poly).unwrap(); - - // finally scale l_x by difference vanishing polynomial evaluation z_i - (l_x * z_i, z_i) - }; + let linearisation_contribution = |rotation_set: RotationSetExtension| { + let mut diffs = super_point_set.clone(); + for point in rotation_set.points.iter() { + diffs.remove(point); + } + let diffs = diffs.into_iter().collect::>(); + + // calculate difference vanishing polynomial evaluation + let z_i = evaluate_vanishing_polynomial(&diffs[..], *u); + + // inner linearisation contibutions are + // [P_i_0(X) - r_i_0, P_i_1(X) - r_i_1, ... ] where + // r_i_j = R_i_j(u) is the evaluation of low degree equivalent polynomial + // where u is random evaluation point + #[allow(clippy::needless_collect)] + let inner_contributions = rotation_set + .commitments + .as_slice() + .into_par_iter() + .map(|commitment| commitment.linearisation_contribution(*u)) + .collect::>(); + + // define inner contributor polynomial as + // L_i_j(X) = (P_i_j(X) - r_i_j) + // and combine polynomials with same evaluation point set + // L_i(X) = linear_combinination(y, L_i_j(X)) + // where y is random scalar to combine inner contibutors + let l_x: Polynomial = inner_contributions + .into_iter() + .zip(powers(*y)) + .map(|(poly, power_of_y)| poly * power_of_y) + .reduce(|acc, poly| acc + &poly) + .unwrap(); + + // finally scale l_x by difference vanishing polynomial evaluation z_i + (l_x * z_i, z_i) + }; #[allow(clippy::type_complexity)] let (linearisation_contibutions, z_diffs): ( diff --git a/halo2_proofs/src/poly/kzg/multiopen/shplonk/verifier.rs b/halo2_proofs/src/poly/kzg/multiopen/shplonk/verifier.rs index d1d1660e..53930f88 100644 --- a/halo2_proofs/src/poly/kzg/multiopen/shplonk/verifier.rs +++ b/halo2_proofs/src/poly/kzg/multiopen/shplonk/verifier.rs @@ -1,10 +1,9 @@ use std::fmt::Debug; -use std::io::Read; use super::ChallengeY; use super::{construct_intermediate_sets, ChallengeU, ChallengeV}; use crate::arithmetic::{ - eval_polynomial, evaluate_vanishing_polynomial, lagrange_interpolate, powers, CurveAffine, + eval_polynomial, evaluate_vanishing_polynomial, lagrange_interpolate, powers, }; use crate::helpers::SerdeCurveAffine; use crate::poly::commitment::Verifier; @@ -12,19 +11,12 @@ use crate::poly::commitment::MSM; use crate::poly::kzg::commitment::{KZGCommitmentScheme, ParamsKZG}; use crate::poly::kzg::msm::DualMSM; use crate::poly::kzg::msm::{PreMSM, MSMKZG}; -use crate::poly::kzg::strategy::{AccumulatorStrategy, GuardKZG, SingleStrategy}; -use crate::poly::query::Query; +use crate::poly::kzg::strategy::GuardKZG; use crate::poly::query::{CommitmentReference, VerifierQuery}; -use crate::poly::strategy::VerificationStrategy; -use crate::poly::{ - commitment::{Params, ParamsVerifier}, - Error, -}; +use crate::poly::Error; use crate::transcript::{EncodedChallenge, TranscriptRead}; use ff::{Field, PrimeField}; -use group::Group; -use halo2curves::pairing::{Engine, MillerLoopResult, MultiMillerLoop}; -use rand_core::OsRng; +use halo2curves::pairing::{Engine, MultiMillerLoop}; use std::ops::MulAssign; /// Concrete KZG multiopen verifier with SHPLONK variant diff --git a/halo2_proofs/src/poly/kzg/strategy.rs b/halo2_proofs/src/poly/kzg/strategy.rs index 15cdba20..14b6565b 100644 --- a/halo2_proofs/src/poly/kzg/strategy.rs +++ b/halo2_proofs/src/poly/kzg/strategy.rs @@ -1,27 +1,19 @@ -use std::{fmt::Debug, marker::PhantomData}; - use super::{ commitment::{KZGCommitmentScheme, ParamsKZG}, - msm::{DualMSM, MSMKZG}, - multiopen::VerifierGWC, + msm::DualMSM, }; use crate::{ helpers::SerdeCurveAffine, plonk::Error, poly::{ - commitment::{Verifier, MSM}, - ipa::msm::MSMIPA, + commitment::Verifier, strategy::{Guard, VerificationStrategy}, }, - transcript::{EncodedChallenge, TranscriptRead}, }; use ff::{Field, PrimeField}; -use group::Group; -use halo2curves::{ - pairing::{Engine, MillerLoopResult, MultiMillerLoop}, - CurveAffine, -}; +use halo2curves::pairing::{Engine, MultiMillerLoop}; use rand_core::OsRng; +use std::fmt::Debug; /// Wrapper for linear verification accumulator #[derive(Debug, Clone)] diff --git a/halo2_proofs/src/poly/multiopen.rs b/halo2_proofs/src/poly/multiopen.rs index 854018e9..9cff28bd 100644 --- a/halo2_proofs/src/poly/multiopen.rs +++ b/halo2_proofs/src/poly/multiopen.rs @@ -5,7 +5,7 @@ use super::{commitment::ParamsVerifier, PairMSM}; use crate::{ - arithmetic::{eval_polynomial, CurveAffine, FieldExt}, + arithmetic::{eval_polynomial, CurveAffine}, pairing::arithmetic::{MillerLoopResult, MultiMillerLoop}, poly::{msm::MSM, Coeff, Error, Polynomial}, }; @@ -129,7 +129,7 @@ impl<'r, 'params: 'r, C: CurveAffine> PartialEq for CommitmentReference<'r, C> { } } -trait Query: Sized + Clone { +trait Query: Sized + Clone { type Commitment: PartialEq + Clone; fn get_rotation(&self) -> Rotation; @@ -141,7 +141,7 @@ trait Query: Sized + Clone { #[cfg(test)] mod tests { - use crate::arithmetic::{eval_polynomial, FieldExt}; + use crate::arithmetic::{eval_polynomial}; use crate::pairing::bn256::{Bn256, Fr, G1Affine}; use crate::poly::{ commitment::{Params, ParamsVerifier}, @@ -173,7 +173,7 @@ mod tests { use rand_core::OsRng; use super::*; - use crate::arithmetic::{eval_polynomial, FieldExt}; + use crate::arithmetic::{eval_polynomial}; use crate::poly::{commitment::Params, EvaluationDomain}; use crate::transcript::Challenge255; diff --git a/halo2_proofs/src/poly/multiopen_test.rs b/halo2_proofs/src/poly/multiopen_test.rs index d57243f7..47c67311 100644 --- a/halo2_proofs/src/poly/multiopen_test.rs +++ b/halo2_proofs/src/poly/multiopen_test.rs @@ -2,33 +2,28 @@ mod test { use crate::arithmetic::eval_polynomial; use crate::plonk::Error; + use crate::poly::commitment::Blind; use crate::poly::commitment::ParamsProver; - use crate::poly::commitment::{Blind, ParamsVerifier, MSM}; - use crate::poly::query::PolynomialPointer; use crate::poly::{ commitment::{CommitmentScheme, Params, Prover, Verifier}, query::{ProverQuery, VerifierQuery}, strategy::VerificationStrategy, EvaluationDomain, }; - use crate::poly::{Coeff, Polynomial}; use crate::transcript::{ - self, Blake2bRead, Blake2bWrite, Challenge255, EncodedChallenge, Keccak256Read, - Keccak256Write, TranscriptRead, TranscriptReadBuffer, TranscriptWrite, - TranscriptWriterBuffer, + Blake2bRead, Blake2bWrite, Challenge255, EncodedChallenge, Keccak256Read, Keccak256Write, + TranscriptReadBuffer, TranscriptWriterBuffer, }; - use ff::{Field, PrimeField, WithSmallOrderMulGroup}; - use group::{Curve, Group}; - use halo2curves::CurveAffine; - use rand_core::{OsRng, RngCore}; - use std::io::{Read, Write}; + use ff::WithSmallOrderMulGroup; + use group::Curve; + use rand_core::OsRng; #[test] fn test_roundtrip_ipa() { use crate::poly::ipa::commitment::{IPACommitmentScheme, ParamsIPA}; use crate::poly::ipa::multiopen::{ProverIPA, VerifierIPA}; use crate::poly::ipa::strategy::AccumulatorStrategy; - use halo2curves::pasta::{Ep, EqAffine, Fp}; + use halo2curves::pasta::EqAffine; const K: u32 = 4; @@ -65,7 +60,7 @@ mod test { use crate::poly::ipa::commitment::{IPACommitmentScheme, ParamsIPA}; use crate::poly::ipa::multiopen::{ProverIPA, VerifierIPA}; use crate::poly::ipa::strategy::AccumulatorStrategy; - use halo2curves::pasta::{Ep, EqAffine, Fp}; + use halo2curves::pasta::EqAffine; const K: u32 = 4; @@ -102,8 +97,7 @@ mod test { use crate::poly::kzg::commitment::{KZGCommitmentScheme, ParamsKZG}; use crate::poly::kzg::multiopen::{ProverGWC, VerifierGWC}; use crate::poly::kzg::strategy::AccumulatorStrategy; - use halo2curves::bn256::{Bn256, G1Affine}; - use halo2curves::pairing::Engine; + use halo2curves::bn256::Bn256; const K: u32 = 4; @@ -134,8 +128,7 @@ mod test { use crate::poly::kzg::commitment::{KZGCommitmentScheme, ParamsKZG}; use crate::poly::kzg::multiopen::{ProverSHPLONK, VerifierSHPLONK}; use crate::poly::kzg::strategy::AccumulatorStrategy; - use halo2curves::bn256::{Bn256, G1Affine}; - use halo2curves::pairing::Engine; + use halo2curves::bn256::Bn256; const K: u32 = 4; diff --git a/halo2_proofs/src/poly/query.rs b/halo2_proofs/src/poly/query.rs index c596e6a7..b9894edd 100644 --- a/halo2_proofs/src/poly/query.rs +++ b/halo2_proofs/src/poly/query.rs @@ -1,11 +1,10 @@ -use std::{fmt::Debug, ops::Deref}; +use std::fmt::Debug; -use super::commitment::{Blind, CommitmentScheme, Params, MSM}; +use super::commitment::{Blind, MSM}; use crate::{ arithmetic::eval_polynomial, - poly::{commitment, Coeff, Polynomial}, + poly::{Coeff, Polynomial}, }; -use ff::Field; use halo2curves::CurveAffine; pub trait Query: Sized + Clone + Send + Sync { @@ -100,6 +99,7 @@ impl<'com, C: CurveAffine, M: MSM> Clone for VerifierQuery<'com, C, M> { } } +#[allow(clippy::upper_case_acronyms)] #[derive(Clone, Debug)] pub enum CommitmentReference<'r, C: CurveAffine, M: MSM> { Commitment(&'r C), diff --git a/halo2_proofs/src/poly/strategy.rs b/halo2_proofs/src/poly/strategy.rs index 36480d37..850f95e6 100644 --- a/halo2_proofs/src/poly/strategy.rs +++ b/halo2_proofs/src/poly/strategy.rs @@ -1,11 +1,5 @@ -use halo2curves::CurveAffine; -use rand_core::RngCore; - -use super::commitment::{CommitmentScheme, Verifier, MSM}; -use crate::{ - plonk::Error, - transcript::{EncodedChallenge, TranscriptRead}, -}; +use super::commitment::{CommitmentScheme, Verifier}; +use crate::plonk::Error; /// Guards is unfinished verification result. Implement this to construct various /// verification strategies such as aggregation and recursion. diff --git a/halo2_proofs/src/transcript.rs b/halo2_proofs/src/transcript.rs index 166b0e6f..ce823850 100644 --- a/halo2_proofs/src/transcript.rs +++ b/halo2_proofs/src/transcript.rs @@ -253,12 +253,12 @@ where C::Scalar: FromUniformBytes<64>, { fn squeeze_challenge(&mut self) -> Challenge255 { - self.state.update(&[KECCAK256_PREFIX_CHALLENGE]); + self.state.update([KECCAK256_PREFIX_CHALLENGE]); let mut state_lo = self.state.clone(); let mut state_hi = self.state.clone(); - state_lo.update(&[KECCAK256_PREFIX_CHALLENGE_LO]); - state_hi.update(&[KECCAK256_PREFIX_CHALLENGE_HI]); + state_lo.update([KECCAK256_PREFIX_CHALLENGE_LO]); + state_hi.update([KECCAK256_PREFIX_CHALLENGE_HI]); let result_lo: [u8; 32] = state_lo.finalize().as_slice().try_into().unwrap(); let result_hi: [u8; 32] = state_hi.finalize().as_slice().try_into().unwrap(); @@ -270,7 +270,7 @@ where } fn common_point(&mut self, point: C) -> io::Result<()> { - self.state.update(&[KECCAK256_PREFIX_POINT]); + self.state.update([KECCAK256_PREFIX_POINT]); let coords: Coordinates = Option::from(point.coordinates()).ok_or_else(|| { io::Error::new( io::ErrorKind::Other, @@ -284,7 +284,7 @@ where } fn common_scalar(&mut self, scalar: C::Scalar) -> io::Result<()> { - self.state.update(&[KECCAK256_PREFIX_SCALAR]); + self.state.update([KECCAK256_PREFIX_SCALAR]); self.state.update(scalar.to_repr().as_ref()); Ok(()) @@ -427,12 +427,12 @@ where C::Scalar: FromUniformBytes<64>, { fn squeeze_challenge(&mut self) -> Challenge255 { - self.state.update(&[KECCAK256_PREFIX_CHALLENGE]); + self.state.update([KECCAK256_PREFIX_CHALLENGE]); let mut state_lo = self.state.clone(); let mut state_hi = self.state.clone(); - state_lo.update(&[KECCAK256_PREFIX_CHALLENGE_LO]); - state_hi.update(&[KECCAK256_PREFIX_CHALLENGE_HI]); + state_lo.update([KECCAK256_PREFIX_CHALLENGE_LO]); + state_hi.update([KECCAK256_PREFIX_CHALLENGE_HI]); let result_lo: [u8; 32] = state_lo.finalize().as_slice().try_into().unwrap(); let result_hi: [u8; 32] = state_hi.finalize().as_slice().try_into().unwrap(); @@ -444,7 +444,7 @@ where } fn common_point(&mut self, point: C) -> io::Result<()> { - self.state.update(&[KECCAK256_PREFIX_POINT]); + self.state.update([KECCAK256_PREFIX_POINT]); let coords: Coordinates = Option::from(point.coordinates()).ok_or_else(|| { io::Error::new( io::ErrorKind::Other, @@ -458,7 +458,7 @@ where } fn common_scalar(&mut self, scalar: C::Scalar) -> io::Result<()> { - self.state.update(&[KECCAK256_PREFIX_SCALAR]); + self.state.update([KECCAK256_PREFIX_SCALAR]); self.state.update(scalar.to_repr().as_ref()); Ok(()) diff --git a/halo2_proofs/src/transcript/blake2b.rs b/halo2_proofs/src/transcript/blake2b.rs index 99954e6e..78f59811 100644 --- a/halo2_proofs/src/transcript/blake2b.rs +++ b/halo2_proofs/src/transcript/blake2b.rs @@ -5,7 +5,7 @@ use super::{ use blake2b_simd::{Params as Blake2bParams, State as Blake2bState}; use ff::Field; use group::ff::PrimeField; -use halo2curves::{Coordinates, CurveAffine, FieldExt}; +use halo2curves::{Coordinates, CurveAffine}; use num_bigint::BigUint; use std::convert::TryInto; use std::io::{self, Read, Write}; diff --git a/halo2_proofs/tests/plonk_api.rs b/halo2_proofs/tests/plonk_api.rs index 1f1f0a2a..d27c3b8c 100644 --- a/halo2_proofs/tests/plonk_api.rs +++ b/halo2_proofs/tests/plonk_api.rs @@ -514,7 +514,7 @@ fn plonk_api() { let cs = StandardPlonk::new(config); #[cfg(feature = "parallel_syn")] - let mut is_first_pass_vec = vec![true; 8]; + let mut is_first_pass_vec = [true; 8]; let _ = cs.public_input(&mut layouter, || Value::known(F::ONE + F::ONE))?; @@ -525,8 +525,7 @@ fn plonk_api() { layouter.assign_regions( || "regions", (0..8) - .into_iter() - .zip(is_first_pass_vec.chunks_mut(1).into_iter()) + .zip(is_first_pass_vec.chunks_mut(1)) .map(|(_, is_first_pass)| { |mut region: Region<'_, F>| -> Result<(), Error> { let n = 1 << 13; @@ -717,7 +716,10 @@ fn plonk_api() { Ok(prover) => prover, Err(e) => panic!("{:?}", e), }; + #[cfg(feature = "multicore")] assert_eq!(prover.verify_par(), Ok(())); + #[cfg(not(feature = "multicore"))] + assert_eq!(prover.verify(), Ok(())); log::info!("mock proving succeed!"); let params = ParamsKZG::::new(K); @@ -1222,6 +1224,8 @@ fn plonk_api_with_many_subregions() { impl Circuit for MyCircuit { type Config = PlonkConfig; type FloorPlanner = SimpleFloorPlanner; + #[cfg(feature = "circuit-params")] + type Params = (); fn without_witnesses(&self) -> Self { Self { @@ -1249,7 +1253,6 @@ fn plonk_api_with_many_subregions() { layouter.assign_regions( || "regions", (0..(1 << 14)) - .into_iter() .map(|_| { let mut is_first_pass = true; move |mut region: Region<'_, F>| -> Result<(), Error> { @@ -1405,7 +1408,10 @@ fn plonk_api_with_many_subregions() { Ok(prover) => prover, Err(e) => panic!("{:?}", e), }; + #[cfg(feature = "multicore")] assert_eq!(prover.verify_par(), Ok(())); + #[cfg(not(feature = "multicore"))] + assert_eq!(prover.verify(), Ok(())); log::info!("mock proving succeed!"); let params = ParamsKZG::::new(K); diff --git a/rust-toolchain b/rust-toolchain index af92bdd9..ee2d639b 100644 --- a/rust-toolchain +++ b/rust-toolchain @@ -1 +1 @@ -1.63.0 +nightly-2023-08-12 \ No newline at end of file From 7a0566d1cae8078bccc4df4acf457ad92709ad7c Mon Sep 17 00:00:00 2001 From: xkx Date: Fri, 19 Jan 2024 23:37:24 +0800 Subject: [PATCH 58/70] fix a bug in logup's verifier (#83) --- halo2_proofs/src/plonk/evaluation.rs | 4 ++-- halo2_proofs/src/plonk/mv_lookup/verifier.rs | 4 ++-- 2 files changed, 4 insertions(+), 4 deletions(-) diff --git a/halo2_proofs/src/plonk/evaluation.rs b/halo2_proofs/src/plonk/evaluation.rs index b168b02a..c67b7f63 100644 --- a/halo2_proofs/src/plonk/evaluation.rs +++ b/halo2_proofs/src/plonk/evaluation.rs @@ -661,7 +661,7 @@ impl Evaluator { // Π(φ_i(X)) let inputs_prod: C::Scalar = inputs_value .iter() - .fold(C::Scalar::ZERO, |acc, input| acc * input); + .fold(C::Scalar::ONE, |acc, input| acc * input); // t(X) + beta let table_value = table_lookup_evaluator.evaluate( @@ -697,7 +697,7 @@ impl Evaluator { .iter() .enumerate() .filter(|(j, _)| *j != i) - .fold(C::Scalar::ZERO, |acc, (_, x)| acc * *x) + .fold(C::Scalar::ONE, |acc, (_, x)| acc * *x) }) .fold(C::Scalar::ZERO, |acc, x| acc + x); inputs * table_value - inputs_prod * m_coset[idx] diff --git a/halo2_proofs/src/plonk/mv_lookup/verifier.rs b/halo2_proofs/src/plonk/mv_lookup/verifier.rs index 0593f3bc..d406300a 100644 --- a/halo2_proofs/src/plonk/mv_lookup/verifier.rs +++ b/halo2_proofs/src/plonk/mv_lookup/verifier.rs @@ -90,7 +90,7 @@ impl Evaluated { instance_evals: &[C::Scalar], challenges: &[C::Scalar], ) -> impl Iterator + 'a { - let active_rows = C::Scalar::ZERO - (l_last + l_blind); + let active_rows = C::Scalar::ONE - (l_last + l_blind); /* φ_i(X) = f_i(X) + beta @@ -131,7 +131,7 @@ impl Evaluated { let tau = t_eval + *beta; // Π(φ_i(X)) - let prod_fi = f_evals.iter().fold(C::Scalar::ZERO, |acc, eval| acc * eval); + let prod_fi = f_evals.iter().fold(C::Scalar::ONE, |acc, eval| acc * eval); // ∑ 1/(φ_i(X)) let sum_inv_fi = { f_evals.batch_invert(); From 5181ad793617f6250b6bd54c9cc92f374f8f6000 Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Wed, 31 Jan 2024 14:40:40 +0800 Subject: [PATCH 59/70] change version to 1.1.0 --- Cargo.toml | 1 + halo2_gadgets/Cargo.toml | 2 +- halo2_proofs/Cargo.toml | 2 +- halo2_proofs/src/dev.rs | 2 ++ 4 files changed, 5 insertions(+), 2 deletions(-) diff --git a/Cargo.toml b/Cargo.toml index b7878ae8..68165eaf 100644 --- a/Cargo.toml +++ b/Cargo.toml @@ -1,4 +1,5 @@ [workspace] +resolver = "2" members = [ "halo2", "halo2_gadgets", diff --git a/halo2_gadgets/Cargo.toml b/halo2_gadgets/Cargo.toml index 7281b429..a31010d2 100644 --- a/halo2_gadgets/Cargo.toml +++ b/halo2_gadgets/Cargo.toml @@ -1,6 +1,6 @@ [package] name = "halo2_gadgets" -version = "0.2.0" +version = "1.1.0" authors = [ "Sean Bowe ", "Jack Grigg ", diff --git a/halo2_proofs/Cargo.toml b/halo2_proofs/Cargo.toml index 0935cfcc..ba76b868 100644 --- a/halo2_proofs/Cargo.toml +++ b/halo2_proofs/Cargo.toml @@ -1,6 +1,6 @@ [package] name = "halo2_proofs" -version = "0.2.0" +version = "1.1.0" authors = [ "Sean Bowe ", "Ying Tong Lai ", diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 2eb4e063..fa7c949e 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -7,6 +7,8 @@ use std::ops::{Add, Mul, Neg, Range}; use std::sync::Arc; use blake2b_simd::blake2b; +#[cfg(feature = "mock-batch-inv")] +use ff::BatchInvert; use ff::Field; use ff::FromUniformBytes; From fb47448a42446ab7a05a373b6a146f8879272398 Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Wed, 31 Jan 2024 14:48:30 +0800 Subject: [PATCH 60/70] change version to 1.1.0 --- halo2_gadgets/Cargo.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/halo2_gadgets/Cargo.toml b/halo2_gadgets/Cargo.toml index a31010d2..4c62d46c 100644 --- a/halo2_gadgets/Cargo.toml +++ b/halo2_gadgets/Cargo.toml @@ -26,7 +26,7 @@ arrayvec = "0.7.0" bitvec = "1" ff = { version = "0.13", features = ["bits"] } group = "0.13" -halo2_proofs = { version = "0.2", path = "../halo2_proofs", default-features = false } +halo2_proofs = { path = "../halo2_proofs", default-features = false } lazy_static = "1" halo2curves = { version = "0.1.0" } proptest = { version = "1.0.0", optional = true } From 909d6477f7c9aa009433e226e88d7a4be501582a Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Wed, 31 Jan 2024 16:08:03 +0800 Subject: [PATCH 61/70] correct lookup name --- Cargo.lock | 4 ++-- halo2/Cargo.toml | 2 +- halo2_proofs/src/plonk/circuit.rs | 16 +++++++++------- 3 files changed, 12 insertions(+), 10 deletions(-) diff --git a/Cargo.lock b/Cargo.lock index a25d8cd0..ad7523ba 100644 --- a/Cargo.lock +++ b/Cargo.lock @@ -828,7 +828,7 @@ dependencies = [ [[package]] name = "halo2_gadgets" -version = "0.2.0" +version = "1.1.0" dependencies = [ "arrayvec 0.7.2", "bitvec", @@ -854,7 +854,7 @@ checksum = "47716fe1ae67969c5e0b2ef826f32db8c3be72be325e1aa3c1951d06b5575ec5" [[package]] name = "halo2_proofs" -version = "0.2.0" +version = "1.1.0" dependencies = [ "ark-std", "assert_matches", diff --git a/halo2/Cargo.toml b/halo2/Cargo.toml index ba934102..1ba94ae6 100644 --- a/halo2/Cargo.toml +++ b/halo2/Cargo.toml @@ -19,7 +19,7 @@ all-features = true rustdoc-args = ["--cfg", "docsrs", "--html-in-header", "katex-header.html"] [dependencies] -halo2_proofs = { version = "0.2", path = "../halo2_proofs", default-features = false } +halo2_proofs = { path = "../halo2_proofs", default-features = false } [lib] bench = false diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index 2e330b56..17c52984 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -1585,6 +1585,7 @@ impl Gate { /// TODO doc #[derive(Debug, Clone)] pub struct LookupTracker { + pub(crate) name: String, pub(crate) table: Vec>, pub(crate) inputs: Vec>>, } @@ -1779,8 +1780,7 @@ impl ConstraintSystem { /// they need to match. pub fn lookup>( &mut self, - // FIXME use name in debug messages - _name: S, + name: S, table_map: impl FnOnce(&mut VirtualCells<'_, F>) -> Vec<(Expression, TableColumn)>, ) { let mut cells = VirtualCells::new(self); @@ -1804,6 +1804,7 @@ impl ConstraintSystem { .entry(table_expressions_identifier) .and_modify(|table_tracker| table_tracker.inputs.push(input_expressions.clone())) .or_insert(LookupTracker { + name: name.as_ref().to_string(), table: table_expressions, inputs: vec![input_expressions], }); @@ -1845,9 +1846,10 @@ impl ConstraintSystem { let mut lookups: Vec<_> = vec![]; for v in self.lookups_map.values() { - let LookupTracker { table, inputs } = v; + let LookupTracker { table, inputs, name } = v; + let name = Box::leak(name.clone().into_boxed_str()); let mut args = vec![super::mv_lookup::Argument::new( - "lookup", + name, table, &[inputs[0].clone()], )]; @@ -1868,7 +1870,7 @@ impl ConstraintSystem { if !indicator { args.push(super::mv_lookup::Argument::new( - "dummy", + name, table, &[input.clone()], )) @@ -1886,8 +1888,7 @@ impl ConstraintSystem { /// they need to match. pub fn lookup_any>( &mut self, - // FIXME use name in debug messages - _name: S, + name: S, table_map: impl FnOnce(&mut VirtualCells<'_, F>) -> Vec<(Expression, Expression)>, ) { let mut cells = VirtualCells::new(self); @@ -1903,6 +1904,7 @@ impl ConstraintSystem { .entry(table_expressions_identifier) .and_modify(|table_tracker| table_tracker.inputs.push(input_expressions.clone())) .or_insert(LookupTracker { + name: name.as_ref().to_string(), table: table_expressions, inputs: vec![input_expressions], }); From a244c33386829dd2cc64d9d4537a8e69d3090fdc Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Thu, 1 Feb 2024 10:42:37 +0800 Subject: [PATCH 62/70] adjust log level --- halo2_proofs/src/dev.rs | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index fa7c949e..6cbe83db 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -195,7 +195,7 @@ fn batch_invert_cellvalues(cell_values: &mut [Vec>]) { }) .collect::>(); - log::info!( + log::debug!( "num of denominators: {} / {}", mut_denominators.len(), denominators_len From c90df713350ce1c9a032a1499ee56787ec25f700 Mon Sep 17 00:00:00 2001 From: DreamWuGit Date: Thu, 14 Mar 2024 09:45:00 +0800 Subject: [PATCH 63/70] Fix mockprover memory (#85) * change mock prover cs, instance to arc type * remove debugging logs * clippy fix * fix ff::BatchInvert clippy complain --- halo2_proofs/src/dev.rs | 24 +++++++++++++----------- halo2_proofs/src/plonk/circuit.rs | 6 +++++- 2 files changed, 18 insertions(+), 12 deletions(-) diff --git a/halo2_proofs/src/dev.rs b/halo2_proofs/src/dev.rs index 6cbe83db..8e757a80 100644 --- a/halo2_proofs/src/dev.rs +++ b/halo2_proofs/src/dev.rs @@ -7,8 +7,9 @@ use std::ops::{Add, Mul, Neg, Range}; use std::sync::Arc; use blake2b_simd::blake2b; -#[cfg(feature = "mock-batch-inv")] +#[cfg(any(feature = "mock-batch-inv", feature = "multiphase-mock-prover"))] use ff::BatchInvert; + use ff::Field; use ff::FromUniformBytes; @@ -23,8 +24,6 @@ use crate::{ #[cfg(feature = "multiphase-mock-prover")] use crate::{plonk::sealed::SealedPhase, plonk::FirstPhase, plonk::Phase}; -#[cfg(feature = "multiphase-mock-prover")] -use ff::BatchInvert; #[cfg(feature = "multicore")] use crate::multicore::{ @@ -427,7 +426,8 @@ impl Mul for Value { pub struct MockProver<'a, F: Field> { k: u32, n: u32, - cs: ConstraintSystem, + // use Arc type to reduce cs.clone when fork lots of time. + cs: Arc>, /// The regions in the circuit. regions: Vec, @@ -444,7 +444,8 @@ pub struct MockProver<'a, F: Field> { // This field is used only if the "phase_check" feature is turned on. advice_prev: Vec>>, // The instance cells in the circuit, arranged as [column][row]. - instance: Vec>>, + // use Arc type to reduce instance.clone when fork lots of time. + instance: Arc>>>, selectors_vec: Arc>>, selectors: Vec<&'a mut [bool]>, @@ -847,6 +848,7 @@ impl<'a, F: Field> Assignment for MockProver<'a, F> { let advice_anno = anno().into(); #[cfg(not(feature = "mock-batch-inv"))] let val_res = to().into_field().evaluate().assign(); + #[cfg(feature = "mock-batch-inv")] let val_res = to().into_field().assign(); if val_res.is_err() { @@ -1084,13 +1086,13 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { instance: Vec>, ) -> Result { let n = 1 << k; - let mut cs = ConstraintSystem::default(); #[cfg(feature = "circuit-params")] let config = ConcreteCircuit::configure_with_params(&mut cs, circuit.params()); #[cfg(not(feature = "circuit-params"))] let config = ConcreteCircuit::configure(&mut cs); let cs = cs.chunk_lookups(); + let cs = Arc::new(cs); assert!( n >= cs.minimum_rows(), @@ -1122,6 +1124,7 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { }) .collect::>(); + let instance = Arc::new(instance); // Fixed columns contain no blinding factors. let fixed_vec = Arc::new(vec![vec![CellValue::Unassigned; n]; cs.num_fixed_columns]); let fixed = two_dim_vec_to_vec_of_slice!(fixed_vec); @@ -1260,11 +1263,10 @@ impl<'a, F: FromUniformBytes<64> + Ord> MockProver<'a, F> { ConcreteCircuit::FloorPlanner::synthesize(&mut prover, circuit, config, constants)?; log::info!("MockProver synthesize took {:?}", syn_time.elapsed()); } - - let (cs, selector_polys) = prover - .cs - .compress_selectors(prover.selectors_vec.as_ref().clone()); - prover.cs = cs; + let prover_cs = Arc::try_unwrap(prover.cs).unwrap(); + let (cs, selector_polys) = + prover_cs.compress_selectors(prover.selectors_vec.as_ref().clone()); + prover.cs = Arc::new(cs); // batch invert #[cfg(feature = "mock-batch-inv")] diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index 17c52984..eb4a81ee 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -1846,7 +1846,11 @@ impl ConstraintSystem { let mut lookups: Vec<_> = vec![]; for v in self.lookups_map.values() { - let LookupTracker { table, inputs, name } = v; + let LookupTracker { + table, + inputs, + name, + } = v; let name = Box::leak(name.clone().into_boxed_str()); let mut args = vec![super::mv_lookup::Argument::new( name, From 7179a60e4b4b1dafff084deac7b4bea235eecf5f Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Fri, 29 Mar 2024 15:36:36 +0800 Subject: [PATCH 64/70] log vk.transcript_repr; fix debug format of LookupTracker --- halo2_proofs/src/plonk.rs | 2 +- halo2_proofs/src/plonk/circuit.rs | 11 ++++++++++- 2 files changed, 11 insertions(+), 2 deletions(-) diff --git a/halo2_proofs/src/plonk.rs b/halo2_proofs/src/plonk.rs index 4da095e1..74b09dda 100644 --- a/halo2_proofs/src/plonk.rs +++ b/halo2_proofs/src/plonk.rs @@ -212,7 +212,7 @@ where // Hash in final Blake2bState vk.transcript_repr = C::Scalar::from_uniform_bytes(hasher.finalize().as_array()); - + log::info!("vk.transcript_repr {:?}", vk.transcript_repr); vk } diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index eb4a81ee..59f2301b 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -1583,13 +1583,22 @@ impl Gate { } /// TODO doc -#[derive(Debug, Clone)] +#[derive(Clone)] pub struct LookupTracker { pub(crate) name: String, pub(crate) table: Vec>, pub(crate) inputs: Vec>>, } +impl std::fmt::Debug for LookupTracker where F: std::fmt::Debug { + fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result { + f.debug_struct("LookupTracker") + .field("table", &self.table) + .field("inputs", &self.inputs) + .finish() + } +} + /// This is a description of the circuit environment, such as the gate, column and /// permutation arrangements. #[derive(Debug, Clone)] From 6c5e9eec5088dc8b4a23edcdd1eaf8705b5fc7dc Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Thu, 23 May 2024 15:15:42 +0800 Subject: [PATCH 65/70] add more assignment log --- halo2_proofs/src/plonk/circuit.rs | 5 ++++- halo2_proofs/src/plonk/prover.rs | 3 +++ rust-toolchain | 2 +- 3 files changed, 8 insertions(+), 2 deletions(-) diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index 59f2301b..9d43aab7 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -1590,7 +1590,10 @@ pub struct LookupTracker { pub(crate) inputs: Vec>>, } -impl std::fmt::Debug for LookupTracker where F: std::fmt::Debug { +impl std::fmt::Debug for LookupTracker +where + F: std::fmt::Debug, +{ fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result { f.debug_struct("LookupTracker") .field("table", &self.table) diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index 4ed6195e..15a97c81 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -451,12 +451,15 @@ where }; // Synthesize the circuit to obtain the witness and other information. + + log::info!("create_proof synthesize phase {current_phase:?} begin"); ConcreteCircuit::FloorPlanner::synthesize( &mut witness, circuit, config.clone(), meta.constants.clone(), )?; + log::info!("create_proof synthesize phase {current_phase:?} end"); #[cfg(feature = "phase-check")] { diff --git a/rust-toolchain b/rust-toolchain index ee2d639b..27c108be 100644 --- a/rust-toolchain +++ b/rust-toolchain @@ -1 +1 @@ -nightly-2023-08-12 \ No newline at end of file +nightly-2023-12-03 From e5ddf67e5ae16be38d6368ed355c7c41906272ab Mon Sep 17 00:00:00 2001 From: Zhang Zhuo Date: Thu, 30 May 2024 11:14:54 +0800 Subject: [PATCH 66/70] better err for mv lookup failure --- halo2_proofs/src/plonk/prover.rs | 8 ++++++-- 1 file changed, 6 insertions(+), 2 deletions(-) diff --git a/halo2_proofs/src/plonk/prover.rs b/halo2_proofs/src/plonk/prover.rs index 15a97c81..8a286c85 100644 --- a/halo2_proofs/src/plonk/prover.rs +++ b/halo2_proofs/src/plonk/prover.rs @@ -569,7 +569,7 @@ where .lookups .iter() .map(|lookup| { - lookup.prepare( + let r = lookup.prepare( pk, params, domain, @@ -580,7 +580,11 @@ where &challenges, &mut rng, transcript, - ) + ); + if r.is_err() { + log::error!("lookup {} prepare failed {:?}", lookup.name, r); + } + r }) .collect(); end_timer!(lookup_get_mx_time); From 52351553dd25255feef487b81c2149da2d612d61 Mon Sep 17 00:00:00 2001 From: Ryan Kim Date: Mon, 8 Jul 2024 20:20:33 +0900 Subject: [PATCH 67/70] fix(halo2_proofs): enable (de)serailzing `minimum_degree` --- halo2_proofs/src/plonk/circuit.rs | 23 +++++++++++++++++++++-- 1 file changed, 21 insertions(+), 2 deletions(-) diff --git a/halo2_proofs/src/plonk/circuit.rs b/halo2_proofs/src/plonk/circuit.rs index 23714ef8..fe559358 100644 --- a/halo2_proofs/src/plonk/circuit.rs +++ b/halo2_proofs/src/plonk/circuit.rs @@ -3169,7 +3169,9 @@ impl> ConstraintSystem { .fold(0, |acc, lookup| acc + lookup.bytes_length()) + // self.constants 4 + - self.constants.len() * Column::::bytes_length() + self.constants.len() * Column::::bytes_length() + + // self.minimum_degree + 1 + if self.minimum_degree.is_some() {4} else {0} } } @@ -3224,6 +3226,12 @@ impl> ConstraintSystem { lookup.write(writer)?; } write_columns_slice(self.constants.as_slice(), writer)?; + if let Some(minimum_degree) = self.minimum_degree { + writer.write_all(&(1 as u8).to_be_bytes())?; + writer.write_all(&(minimum_degree as u32).to_be_bytes())?; + } else { + writer.write_all(&(0 as u8).to_be_bytes())?; + } Ok(()) } @@ -3339,6 +3347,17 @@ impl> ConstraintSystem { let constants = read_columns_vec(reader)?; + let mut has_minimum_degree = [0u8; 1]; + reader.read_exact(&mut has_minimum_degree)?; + let has_minimum_degree = u8::from_be_bytes(has_minimum_degree); + let minimum_degree = if has_minimum_degree == 1 { + let mut minimum_degree = [0u8; 4]; + reader.read_exact(&mut minimum_degree)?; + Some(u32::from_be_bytes(minimum_degree) as usize) + } else { + None + }; + Ok(Self { num_fixed_columns, num_advice_columns, @@ -3361,7 +3380,7 @@ impl> ConstraintSystem { shuffles: Vec::new(), general_column_annotations: BTreeMap::new(), constants, - minimum_degree: None, + minimum_degree, }) } } From 4c095d8ac7b64b7bb89682d4aac6318256c56147 Mon Sep 17 00:00:00 2001 From: Ryan Kim Date: Tue, 9 Jul 2024 13:06:53 +0900 Subject: [PATCH 68/70] feat(halo2_proofs): add `drop_but_fixed_values()` to `ProvingKey` --- halo2_proofs/src/plonk.rs | 11 +++++++++++ 1 file changed, 11 insertions(+) diff --git a/halo2_proofs/src/plonk.rs b/halo2_proofs/src/plonk.rs index f2d78746..39ae8ab9 100644 --- a/halo2_proofs/src/plonk.rs +++ b/halo2_proofs/src/plonk.rs @@ -315,6 +315,17 @@ where //+ polynomial_slice_byte_length(&self.fixed_cosets) + self.permutation.bytes_length() } + + pub fn drop_but_fixed_values(self) -> Vec> { + drop(self.vk); + drop(self.l0); + drop(self.l_last); + drop(self.l_active_row); + drop(self.fixed_polys); + drop(self.permutation); + drop(self.ev); + self.fixed_values + } } impl ProvingKey From 7d4b503c387492fa0a094ca46d01d2e9dc90a905 Mon Sep 17 00:00:00 2001 From: Ryan Kim Date: Tue, 9 Jul 2024 10:28:34 +0900 Subject: [PATCH 69/70] chore: add .clang-format --- .clang-format | 31 +++++++++++++++++++++++++++++++ 1 file changed, 31 insertions(+) create mode 100644 .clang-format diff --git a/.clang-format b/.clang-format new file mode 100644 index 00000000..69174552 --- /dev/null +++ b/.clang-format @@ -0,0 +1,31 @@ +BasedOnStyle: Google +# This defaults to 'Auto'. Explicitly set it for a while, so that +# 'vector >' in existing files gets formatted to +# 'vector>'. ('Auto' means that clang-format will only use +# 'int>>' if the file already contains at least one such instance.) +Standard: Cpp11 + +# Specify the #include statement order. This implements the order mandated by +# the Google C++ Style Guide: related header, C headers, C++ headers, library +# headers, and finally the project headers. +# +# To obtain updated lists of system headers used in the below expressions, see: +# http://stackoverflow.com/questions/2027991/list-of-standard-header-files-in-c-and-c/2029106#2029106. +# +# Reference URL: https://github.com/RobotLocomotion/drake/blob/master/.clang-format +IncludeBlocks: Regroup +IncludeCategories: + # C system headers. The header_dependency_test.py contains a copy of this + # list; be sure to update that test anytime this list changes. + - Regex: '^[<"](aio|arm_neon|arpa/inet|assert|complex|cpio|ctype|curses|dirent|dlfcn|errno|fcntl|fenv|float|fmtmsg|fnmatch|ftw|glob|grp|iconv|immintrin|inttypes|iso646|langinfo|libgen|limits|locale|math|monetary|mqueue|ndbm|netdb|net/if|netinet/in|netinet/tcp|nl_types|poll|pthread|pwd|regex|sched|search|semaphore|setjmp|signal|spawn|stdalign|stdarg|stdatomic|stdbool|stddef|stdint|stdio|stdlib|stdnoreturn|string|strings|stropts|sys/ioctl|sys/ipc|syslog|sys/mman|sys/msg|sys/resource|sys/select|sys/sem|sys/shm|sys/socket|sys/stat|sys/statvfs|sys/time|sys/times|sys/types|sys/uio|sys/un|sys/utsname|sys/wait|tar|term|termios|tgmath|threads|time|trace|uchar|ulimit|uncntrl|unistd|utime|utmpx|wchar|wctype|wordexp)\.h[">]$' + Priority: 20 + # C++ system headers (as of C++23). The header_dependency_test.py contains a + # copy of this list; be sure to update that test anytime this list changes. + - Regex: '^[<"](algorithm|any|array|atomic|barrier|bit|bitset|cassert|ccomplex|cctype|cerrno|cfenv|cfloat|charconv|chrono|cinttypes|ciso646|climits|clocale|cmath|codecvt|compare|complex|concepts|condition_variable|coroutine|csetjmp|csignal|cstdalign|cstdarg|cstdbool|cstddef|cstdint|cstdio|cstdlib|cstring|ctgmath|ctime|cuchar|cwchar|cwctype|deque|exception|execution|expected|filesystem|flat_map|flat_set|format|forward_list|fstream|functional|future|generator|initializer_list|iomanip|ios|iosfwd|iostream|istream|iterator|latch|limits|list|locale|map|mdspan|memory|memory_resource|mutex|new|numbers|numeric|optional|ostream|print|queue|random|ranges|ratio|regex|scoped_allocator|semaphore|set|shared_mutex|source_location|span|spanstream|sstream|stack|stacktrace|stdexcept|stdfloat|stop_token|streambuf|string|string_view|strstream|syncstream|system_error|thread|tuple|type_traits|typeindex|typeinfo|unordered_map|unordered_set|utility|valarray|variant|vector|version)[">]$' + Priority: 30 + # Other libraries' h files (with angles). + - Regex: '^<' + Priority: 40 + # Other libraries' h files (with quotes). + - Regex: '^"' + Priority: 50 From 43bed8c915b7cf0581882720ebd524f3b9ba3283 Mon Sep 17 00:00:00 2001 From: Ryan Kim Date: Tue, 9 Jul 2024 12:46:20 +0900 Subject: [PATCH 70/70] feat(halo2_proofs): apply new tachyon to support scroll Halo2 v1.1 --- halo2_proofs/build.rs | 8 +- .../{bn254_gwc_prover.h => bn254_prover.h} | 41 ++-- halo2_proofs/include/bn254_proving_key.h | 6 +- halo2_proofs/include/bn254_rational_evals.h | 5 +- .../include/bn254_rational_evals_view.h | 34 +++ halo2_proofs/include/bn254_shplonk_prover.h | 67 ------ halo2_proofs/src/bn254.rs | 186 +++++++-------- .../{bn254_gwc_prover.cc => bn254_prover.cc} | 118 +++++----- halo2_proofs/src/bn254_proving_key.cc | 7 +- halo2_proofs/src/bn254_rational_evals.cc | 19 +- halo2_proofs/src/bn254_rational_evals_view.cc | 35 +++ halo2_proofs/src/bn254_shplonk_prover.cc | 213 ------------------ halo2_proofs/src/consts.rs | 6 + halo2_proofs/src/plonk/tachyon.rs | 178 ++++++++------- 14 files changed, 361 insertions(+), 562 deletions(-) rename halo2_proofs/include/{bn254_gwc_prover.h => bn254_prover.h} (51%) create mode 100644 halo2_proofs/include/bn254_rational_evals_view.h delete mode 100644 halo2_proofs/include/bn254_shplonk_prover.h rename halo2_proofs/src/{bn254_gwc_prover.cc => bn254_prover.cc} (58%) create mode 100644 halo2_proofs/src/bn254_rational_evals_view.cc delete mode 100644 halo2_proofs/src/bn254_shplonk_prover.cc diff --git a/halo2_proofs/build.rs b/halo2_proofs/build.rs index be8e8d75..7ef33ce1 100644 --- a/halo2_proofs/build.rs +++ b/halo2_proofs/build.rs @@ -2,13 +2,13 @@ fn main() { let src_files = [ "src/bn254_blake2b_writer.cc", "src/bn254_evals.cc", - "src/bn254_gwc_prover.cc", "src/bn254_poly.cc", "src/bn254_poseidon_writer.cc", + "src/bn254_prover.cc", "src/bn254_proving_key.cc", "src/bn254_rational_evals.cc", + "src/bn254_rational_evals_view.cc", "src/bn254_sha256_writer.cc", - "src/bn254_shplonk_prover.cc", "src/xor_shift_rng.cc", ]; cxx_build::bridges(["src/bn254.rs", "src/xor_shift_rng.rs"]) @@ -19,13 +19,13 @@ fn main() { let mut dep_files = vec![ "include/bn254_blake2b_writer.h", "include/bn254_evals.h", - "include/bn254_gwc_prover.h", "include/bn254_poly.h", "include/bn254_poseidon_writer.h", + "include/bn254_prover.h", "include/bn254_proving_key.h", "include/bn254_rational_evals.h", + "include/bn254_rational_evals_view.h", "include/bn254_sha256_writer.h", - "include/bn254_shplonk_prover.h", "include/xor_shift_rng.h", "src/bn254.rs", "src/rust_vec.h", diff --git a/halo2_proofs/include/bn254_gwc_prover.h b/halo2_proofs/include/bn254_prover.h similarity index 51% rename from halo2_proofs/include/bn254_gwc_prover.h rename to halo2_proofs/include/bn254_prover.h index 735a1184..21e7a84f 100644 --- a/halo2_proofs/include/bn254_gwc_prover.h +++ b/halo2_proofs/include/bn254_prover.h @@ -1,18 +1,18 @@ -#ifndef HALO2_PROOFS_INCLUDE_BN254_GWC_PROVER_H_ -#define HALO2_PROOFS_INCLUDE_BN254_GWC_PROVER_H_ +#ifndef HALO2_PROOFS_INCLUDE_BN254_PROVER_H_ +#define HALO2_PROOFS_INCLUDE_BN254_PROVER_H_ #include #include -#include +#include #include "rust/cxx.h" namespace tachyon::halo2_api::bn254 { struct Fr; -struct G1JacobianPoint; +struct G1ProjectivePoint; struct G2AffinePoint; struct InstanceSingle; struct AdviceSingle; @@ -21,22 +21,22 @@ class Evals; class RationalEvals; class Poly; -class GWCProver { +class Prover { public: - GWCProver(uint8_t transcript_type, uint32_t k, const Fr& s); - GWCProver(uint8_t transcript_type, uint32_t k, const uint8_t* params, - size_t params_len); - GWCProver(const GWCProver& other) = delete; - GWCProver& operator=(const GWCProver& other) = delete; - ~GWCProver(); + Prover(uint8_t pcs_type, uint8_t transcript_type, uint32_t k, const Fr& s); + Prover(uint8_t pcs_type, uint8_t transcript_type, uint32_t k, + const uint8_t* params, size_t params_len); + Prover(const Prover& other) = delete; + Prover& operator=(const Prover& other) = delete; + ~Prover(); - const tachyon_halo2_bn254_gwc_prover* prover() const { return prover_; } + const tachyon_halo2_bn254_prover* prover() const { return prover_; } uint32_t k() const; uint64_t n() const; rust::Box s_g2() const; - rust::Box commit(const Poly& poly) const; - rust::Box commit_lagrange(const Evals& evals) const; + rust::Box commit(const Poly& poly) const; + rust::Box commit_lagrange(const Evals& evals) const; std::unique_ptr empty_evals() const; std::unique_ptr empty_rational_evals() const; std::unique_ptr ifft(const Evals& evals) const; @@ -53,15 +53,16 @@ class GWCProver { rust::Vec get_proof() const; private: - tachyon_halo2_bn254_gwc_prover* prover_; + tachyon_halo2_bn254_prover* prover_; }; -std::unique_ptr new_gwc_prover(uint8_t transcript_type, uint32_t k, - const Fr& s); +std::unique_ptr new_prover(uint8_t pcs_type, uint8_t transcript_type, + uint32_t k, const Fr& s); -std::unique_ptr new_gwc_prover_from_params( - uint8_t transcript_type, uint32_t k, rust::Slice params); +std::unique_ptr new_prover_from_params( + uint8_t pcs_type, uint8_t transcript_type, uint32_t k, + rust::Slice params); } // namespace tachyon::halo2_api::bn254 -#endif // HALO2_PROOFS_INCLUDE_BN254_GWC_PROVER_H_ +#endif // HALO2_PROOFS_INCLUDE_BN254_PROVER_H_ diff --git a/halo2_proofs/include/bn254_proving_key.h b/halo2_proofs/include/bn254_proving_key.h index 2a3d1bd6..6c4f243d 100644 --- a/halo2_proofs/include/bn254_proving_key.h +++ b/halo2_proofs/include/bn254_proving_key.h @@ -13,8 +13,7 @@ namespace tachyon::halo2_api::bn254 { struct Fr; -class GWCProver; -class SHPlonkProver; +class Prover; class ProvingKey { public: @@ -34,8 +33,7 @@ class ProvingKey { size_t num_challenges() const; size_t num_instance_columns() const; rust::Vec phases() const; - rust::Box transcript_repr_gwc(const GWCProver& prover); - rust::Box transcript_repr_shplonk(const SHPlonkProver& prover); + rust::Box transcript_repr(const Prover& prover); private: const tachyon_bn254_plonk_verifying_key* GetVerifyingKey() const; diff --git a/halo2_proofs/include/bn254_rational_evals.h b/halo2_proofs/include/bn254_rational_evals.h index ad652530..889b197b 100644 --- a/halo2_proofs/include/bn254_rational_evals.h +++ b/halo2_proofs/include/bn254_rational_evals.h @@ -11,6 +11,7 @@ namespace tachyon::halo2_api::bn254 { struct Fr; +class RationalEvalsView; class RationalEvals { public: @@ -31,9 +32,7 @@ class RationalEvals { } size_t len() const; - void set_zero(size_t idx); - void set_trivial(size_t idx, const Fr& numerator); - void set_rational(size_t idx, const Fr& numerator, const Fr& denominator); + std::unique_ptr create_view(size_t start, size_t len); std::unique_ptr clone() const; private: diff --git a/halo2_proofs/include/bn254_rational_evals_view.h b/halo2_proofs/include/bn254_rational_evals_view.h new file mode 100644 index 00000000..c04fd5a3 --- /dev/null +++ b/halo2_proofs/include/bn254_rational_evals_view.h @@ -0,0 +1,34 @@ +#ifndef HALO2_PROOFS_INCLUDE_BN254_RATIONAL_EVALS_VIEW_H_ +#define HALO2_PROOFS_INCLUDE_BN254_RATIONAL_EVALS_VIEW_H_ + +#include + +#include + +namespace tachyon::halo2_api::bn254 { + +struct Fr; + +class RationalEvalsView { + public: + RationalEvalsView(tachyon_bn254_univariate_rational_evaluations* evals, + size_t start, size_t len); + RationalEvalsView(const RationalEvalsView& other) = delete; + RationalEvalsView& operator=(const RationalEvalsView& other) = delete; + ~RationalEvalsView() = default; + + void set_zero(size_t idx); + void set_trivial(size_t idx, const Fr& numerator); + void set_rational(size_t idx, const Fr& numerator, const Fr& denominator); + void evaluate(size_t idx, Fr& value) const; + + private: + // not owned + tachyon_bn254_univariate_rational_evaluations* const evals_; + const size_t start_ = 0; + const size_t len_ = 0; +}; + +} // namespace tachyon::halo2_api::bn254 + +#endif // HALO2_PROOFS_INCLUDE_BN254_RATIONAL_EVALS_VIEW_H_ diff --git a/halo2_proofs/include/bn254_shplonk_prover.h b/halo2_proofs/include/bn254_shplonk_prover.h deleted file mode 100644 index 728a4d95..00000000 --- a/halo2_proofs/include/bn254_shplonk_prover.h +++ /dev/null @@ -1,67 +0,0 @@ -#ifndef HALO2_PROOFS_INCLUDE_BN254_SHPLONK_PROVER_H_ -#define HALO2_PROOFS_INCLUDE_BN254_SHPLONK_PROVER_H_ - -#include - -#include - -#include - -#include "rust/cxx.h" - -namespace tachyon::halo2_api::bn254 { - -struct Fr; -struct G1JacobianPoint; -struct G2AffinePoint; -struct InstanceSingle; -struct AdviceSingle; -class ProvingKey; -class Evals; -class RationalEvals; -class Poly; - -class SHPlonkProver { - public: - SHPlonkProver(uint8_t transcript_type, uint32_t k, const Fr& s); - SHPlonkProver(uint8_t transcript_type, uint32_t k, const uint8_t* params, - size_t params_len); - SHPlonkProver(const SHPlonkProver& other) = delete; - SHPlonkProver& operator=(const SHPlonkProver& other) = delete; - ~SHPlonkProver(); - - const tachyon_halo2_bn254_shplonk_prover* prover() const { return prover_; } - - uint32_t k() const; - uint64_t n() const; - rust::Box s_g2() const; - rust::Box commit(const Poly& poly) const; - rust::Box commit_lagrange(const Evals& evals) const; - std::unique_ptr empty_evals() const; - std::unique_ptr empty_rational_evals() const; - std::unique_ptr ifft(const Evals& evals) const; - void batch_evaluate( - rust::Slice> rational_evals, - rust::Slice> evals) const; - void set_rng(rust::Slice state); - void set_transcript(rust::Slice state); - void set_extended_domain(const ProvingKey& pk); - void create_proof(ProvingKey& key, - rust::Slice instance_singles, - rust::Slice advice_singles, - rust::Slice challenges); - rust::Vec get_proof() const; - - private: - tachyon_halo2_bn254_shplonk_prover* prover_; -}; - -std::unique_ptr new_shplonk_prover(uint8_t transcript_type, - uint32_t k, const Fr& s); - -std::unique_ptr new_shplonk_prover_from_params( - uint8_t transcript_type, uint32_t k, rust::Slice params); - -} // namespace tachyon::halo2_api::bn254 - -#endif // HALO2_PROOFS_INCLUDE_BN254_SHPLONK_PROVER_H_ diff --git a/halo2_proofs/src/bn254.rs b/halo2_proofs/src/bn254.rs index adde0fa7..7e6c37b1 100644 --- a/halo2_proofs/src/bn254.rs +++ b/halo2_proofs/src/bn254.rs @@ -6,6 +6,7 @@ use std::{ }; use crate::{ + consts::PCSType, helpers::base_to_scalar, plonk::{sealed, Column, Fixed}, poly::commitment::{Blind, CommitmentScheme}, @@ -32,7 +33,7 @@ pub struct G1Point2 { #[repr(C)] #[derive(Debug)] -pub struct G1JacobianPoint { +pub struct G1ProjectivePoint { pub x: Fq, pub y: Fq, pub z: Fq, @@ -68,7 +69,7 @@ pub struct AdviceSingle { #[cxx::bridge(namespace = "tachyon::halo2_api::bn254")] pub mod ffi { extern "Rust" { - type G1JacobianPoint; + type G1ProjectivePoint; type G1Point2; type G2AffinePoint; type Fr; @@ -123,8 +124,7 @@ pub mod ffi { fn num_challenges(&self) -> usize; fn num_instance_columns(&self) -> usize; fn phases(&self) -> Vec; - fn transcript_repr_gwc(self: Pin<&mut ProvingKey>, prover: &GWCProver) -> Box; - fn transcript_repr_shplonk(self: Pin<&mut ProvingKey>, prover: &SHPlonkProver) -> Box; + fn transcript_repr(self: Pin<&mut ProvingKey>, prover: &Prover) -> Box; } unsafe extern "C++" { @@ -143,15 +143,29 @@ pub mod ffi { type RationalEvals; - fn set_zero(self: Pin<&mut RationalEvals>, idx: usize); - fn set_trivial(self: Pin<&mut RationalEvals>, idx: usize, numerator: &Fr); - fn set_rational( + fn len(&self) -> usize; + fn create_view( self: Pin<&mut RationalEvals>, + start: usize, + len: usize, + ) -> UniquePtr; + fn clone(&self) -> UniquePtr; + } + + unsafe extern "C++" { + include!("halo2_proofs/include/bn254_rational_evals_view.h"); + + type RationalEvalsView; + + fn set_zero(self: Pin<&mut RationalEvalsView>, idx: usize); + fn set_trivial(self: Pin<&mut RationalEvalsView>, idx: usize, numerator: &Fr); + fn set_rational( + self: Pin<&mut RationalEvalsView>, idx: usize, numerator: &Fr, denominator: &Fr, ); - fn clone(&self) -> UniquePtr; + fn evaluate(&self, idx: usize, value: &mut Fr); } unsafe extern "C++" { @@ -161,58 +175,22 @@ pub mod ffi { } unsafe extern "C++" { - include!("halo2_proofs/include/bn254_gwc_prover.h"); - - type GWCProver; - - fn new_gwc_prover(transcript_type: u8, k: u32, s: &Fr) -> UniquePtr; - fn new_gwc_prover_from_params( - transcript_type: u8, - k: u32, - params: &[u8], - ) -> UniquePtr; - fn k(&self) -> u32; - fn n(&self) -> u64; - fn s_g2(&self) -> Box; - fn commit(&self, poly: &Poly) -> Box; - fn commit_lagrange(&self, evals: &Evals) -> Box; - fn empty_evals(&self) -> UniquePtr; - fn empty_rational_evals(&self) -> UniquePtr; - fn ifft(&self, evals: &Evals) -> UniquePtr; - fn batch_evaluate( - &self, - rational_evals: &[UniquePtr], - evals: &mut [UniquePtr], - ); - fn set_rng(self: Pin<&mut GWCProver>, state: &[u8]); - fn set_transcript(self: Pin<&mut GWCProver>, state: &[u8]); - fn set_extended_domain(self: Pin<&mut GWCProver>, pk: &ProvingKey); - fn create_proof( - self: Pin<&mut GWCProver>, - key: Pin<&mut ProvingKey>, - instance_singles: &mut [InstanceSingle], - advice_singles: &mut [AdviceSingle], - challenges: &[Fr], - ); - fn get_proof(self: &GWCProver) -> Vec; - } - - unsafe extern "C++" { - include!("halo2_proofs/include/bn254_shplonk_prover.h"); + include!("halo2_proofs/include/bn254_prover.h"); - type SHPlonkProver; + type Prover; - fn new_shplonk_prover(transcript_type: u8, k: u32, s: &Fr) -> UniquePtr; - fn new_shplonk_prover_from_params( + fn new_prover(pcs_type: u8, transcript_type: u8, k: u32, s: &Fr) -> UniquePtr; + fn new_prover_from_params( + pcs_type: u8, transcript_type: u8, k: u32, params: &[u8], - ) -> UniquePtr; + ) -> UniquePtr; fn k(&self) -> u32; fn n(&self) -> u64; fn s_g2(&self) -> Box; - fn commit(&self, poly: &Poly) -> Box; - fn commit_lagrange(&self, evals: &Evals) -> Box; + fn commit(&self, poly: &Poly) -> Box; + fn commit_lagrange(&self, evals: &Evals) -> Box; fn empty_evals(&self) -> UniquePtr; fn empty_rational_evals(&self) -> UniquePtr; fn ifft(&self, evals: &Evals) -> UniquePtr; @@ -221,17 +199,17 @@ pub mod ffi { rational_evals: &[UniquePtr], evals: &mut [UniquePtr], ); - fn set_rng(self: Pin<&mut SHPlonkProver>, state: &[u8]); - fn set_transcript(self: Pin<&mut SHPlonkProver>, state: &[u8]); - fn set_extended_domain(self: Pin<&mut SHPlonkProver>, pk: &ProvingKey); + fn set_rng(self: Pin<&mut Prover>, state: &[u8]); + fn set_transcript(self: Pin<&mut Prover>, state: &[u8]); + fn set_extended_domain(self: Pin<&mut Prover>, pk: &ProvingKey); fn create_proof( - self: Pin<&mut SHPlonkProver>, + self: Pin<&mut Prover>, key: Pin<&mut ProvingKey>, instance_singles: &mut [InstanceSingle], advice_singles: &mut [AdviceSingle], challenges: &[Fr], ); - fn get_proof(self: &SHPlonkProver) -> Vec; + fn get_proof(self: &Prover) -> Vec; } } @@ -271,21 +249,21 @@ impl fmt::Debug for ffi::RationalEvals { } } -impl fmt::Debug for ffi::Poly { +impl fmt::Debug for ffi::RationalEvalsView { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - f.debug_struct("Poly").finish() + f.debug_struct("RationalEvalsView").finish() } } -impl fmt::Debug for ffi::GWCProver { +impl fmt::Debug for ffi::Poly { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - f.debug_struct("GWCProver").finish() + f.debug_struct("Poly").finish() } } -impl fmt::Debug for ffi::SHPlonkProver { +impl fmt::Debug for ffi::Prover { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { - f.debug_struct("SHPlonkProver").finish() + f.debug_struct("Prover").finish() } } @@ -723,24 +701,13 @@ impl ProvingKey { } // pk.vk.transcript_repr - pub fn transcript_repr_gwc( - &mut self, - prover: &GWCProver, - ) -> C::Scalar { - *unsafe { - std::mem::transmute::<_, Box>( - self.inner.pin_mut().transcript_repr_gwc(&prover.inner), - ) - } - } - - pub fn transcript_repr_shplonk( + pub fn transcript_repr>( &mut self, - prover: &SHPlonkProver, + prover: &P, ) -> C::Scalar { *unsafe { std::mem::transmute::<_, Box>( - self.inner.pin_mut().transcript_repr_shplonk(&prover.inner), + self.inner.pin_mut().transcript_repr(prover.inner()), ) } } @@ -791,6 +758,36 @@ impl RationalEvals { RationalEvals { inner } } + pub fn len(&self) -> usize { + self.inner.len() + } + + pub fn create_view(&mut self, start: usize, len: usize) -> RationalEvalsView { + RationalEvalsView::new(self.inner.pin_mut().create_view(start, len)) + } +} + +impl Clone for RationalEvals { + fn clone(&self) -> Self { + Self { + inner: self.inner.clone(), + } + } +} + +#[derive(Debug)] +pub struct RationalEvalsView { + inner: cxx::UniquePtr, +} + +unsafe impl Send for ffi::RationalEvalsView {} +unsafe impl Sync for ffi::RationalEvalsView {} + +impl RationalEvalsView { + pub fn new(inner: cxx::UniquePtr) -> RationalEvalsView { + RationalEvalsView { inner } + } + pub fn set_zero(&mut self, idx: usize) { self.inner.pin_mut().set_zero(idx) } @@ -812,13 +809,10 @@ impl RationalEvals { .pin_mut() .set_rational(idx, cpp_numerator, cpp_denominator) } -} -impl Clone for RationalEvals { - fn clone(&self) -> Self { - Self { - inner: self.inner.clone(), - } + pub fn evaluate(&self, idx: usize, value: &mut halo2curves::bn256::Fr) { + self.inner + .evaluate(idx, unsafe { std::mem::transmute::<_, &mut Fr>(value) }) } } @@ -836,6 +830,8 @@ impl Poly { pub trait TachyonProver { const QUERY_INSTANCE: bool; + fn inner(&self) -> &ffi::Prover; + fn k(&self) -> u32; fn n(&self) -> u64; @@ -875,7 +871,7 @@ pub trait TachyonProver { #[derive(Debug)] pub struct GWCProver { - inner: cxx::UniquePtr, + inner: cxx::UniquePtr, _marker: PhantomData, } @@ -883,14 +879,14 @@ impl GWCProver { pub fn new(transcript_type: u8, k: u32, s: &halo2curves::bn256::Fr) -> GWCProver { let cpp_s = unsafe { std::mem::transmute::<_, &Fr>(s) }; GWCProver { - inner: ffi::new_gwc_prover(transcript_type, k, cpp_s), + inner: ffi::new_prover(PCSType::GWC as u8, transcript_type, k, cpp_s), _marker: PhantomData, } } pub fn from_params(transcript_type: u8, k: u32, params: &[u8]) -> GWCProver { GWCProver { - inner: ffi::new_gwc_prover_from_params(transcript_type, k, params), + inner: ffi::new_prover_from_params(PCSType::GWC as u8, transcript_type, k, params), _marker: PhantomData, } } @@ -899,6 +895,10 @@ impl GWCProver { impl TachyonProver for GWCProver { const QUERY_INSTANCE: bool = true; + fn inner(&self) -> &ffi::Prover { + &self.inner + } + fn k(&self) -> u32 { self.inner.k() } @@ -983,13 +983,13 @@ impl TachyonProver for GWCProver { &self, pk: &mut ProvingKey<::Curve>, ) -> Scheme::Scalar { - pk.transcript_repr_gwc(self) + pk.transcript_repr(self) } } #[derive(Debug)] pub struct SHPlonkProver { - inner: cxx::UniquePtr, + inner: cxx::UniquePtr, _marker: PhantomData, } @@ -997,14 +997,14 @@ impl SHPlonkProver { pub fn new(transcript_type: u8, k: u32, s: &halo2curves::bn256::Fr) -> SHPlonkProver { let cpp_s = unsafe { std::mem::transmute::<_, &Fr>(s) }; SHPlonkProver { - inner: ffi::new_shplonk_prover(transcript_type, k, cpp_s), + inner: ffi::new_prover(PCSType::SHPlonk as u8, transcript_type, k, cpp_s), _marker: PhantomData, } } pub fn from_params(transcript_type: u8, k: u32, params: &[u8]) -> SHPlonkProver { SHPlonkProver { - inner: ffi::new_shplonk_prover_from_params(transcript_type, k, params), + inner: ffi::new_prover_from_params(PCSType::SHPlonk as u8, transcript_type, k, params), _marker: PhantomData, } } @@ -1013,6 +1013,10 @@ impl SHPlonkProver { impl TachyonProver for SHPlonkProver { const QUERY_INSTANCE: bool = false; + fn inner(&self) -> &ffi::Prover { + &self.inner + } + fn k(&self) -> u32 { self.inner.k() } @@ -1097,6 +1101,6 @@ impl TachyonProver for SHPlonkProver { &self, pk: &mut ProvingKey<::Curve>, ) -> Scheme::Scalar { - pk.transcript_repr_shplonk(self) + pk.transcript_repr(self) } } diff --git a/halo2_proofs/src/bn254_gwc_prover.cc b/halo2_proofs/src/bn254_prover.cc similarity index 58% rename from halo2_proofs/src/bn254_gwc_prover.cc rename to halo2_proofs/src/bn254_prover.cc index f97b0d46..4ff758b7 100644 --- a/halo2_proofs/src/bn254_gwc_prover.cc +++ b/halo2_proofs/src/bn254_prover.cc @@ -1,73 +1,73 @@ -#include "halo2_proofs/include/bn254_gwc_prover.h" +#include "halo2_proofs/include/bn254_prover.h" #include +#include #include "halo2_proofs/src/bn254.rs.h" #include "halo2_proofs/src/rust_vec.h" namespace tachyon::halo2_api::bn254 { -GWCProver::GWCProver(uint8_t transcript_type, uint32_t k, const Fr& s) - : prover_(tachyon_halo2_bn254_gwc_prover_create_from_unsafe_setup( - transcript_type, k, reinterpret_cast(&s))) {} +Prover::Prover(uint8_t pcs_type, uint8_t transcript_type, uint32_t k, + const Fr& s) + : prover_(tachyon_halo2_bn254_prover_create_from_unsafe_setup( + pcs_type, TACHYON_HALO2_LOG_DERIVATIVE_HALO2_LS, transcript_type, k, + reinterpret_cast(&s))) {} -GWCProver::GWCProver(uint8_t transcript_type, uint32_t k, const uint8_t* params, - size_t params_len) - : prover_(tachyon_halo2_bn254_gwc_prover_create_from_params( - transcript_type, k, params, params_len)) {} +Prover::Prover(uint8_t pcs_type, uint8_t transcript_type, uint32_t k, + const uint8_t* params, size_t params_len) + : prover_(tachyon_halo2_bn254_prover_create_from_params( + pcs_type, TACHYON_HALO2_LOG_DERIVATIVE_HALO2_LS, transcript_type, k, + params, params_len)) {} -GWCProver::~GWCProver() { tachyon_halo2_bn254_gwc_prover_destroy(prover_); } +Prover::~Prover() { tachyon_halo2_bn254_prover_destroy(prover_); } -uint32_t GWCProver::k() const { - return tachyon_halo2_bn254_gwc_prover_get_k(prover_); -} +uint32_t Prover::k() const { return tachyon_halo2_bn254_prover_get_k(prover_); } -uint64_t GWCProver::n() const { - return static_cast(tachyon_halo2_bn254_gwc_prover_get_n(prover_)); +uint64_t Prover::n() const { + return static_cast(tachyon_halo2_bn254_prover_get_n(prover_)); } -rust::Box GWCProver::s_g2() const { +rust::Box Prover::s_g2() const { return rust::Box::from_raw( reinterpret_cast(new tachyon_bn254_g2_affine( - *tachyon_halo2_bn254_gwc_prover_get_s_g2(prover_)))); + *tachyon_halo2_bn254_prover_get_s_g2(prover_)))); } -rust::Box GWCProver::commit(const Poly& poly) const { - return rust::Box::from_raw( - reinterpret_cast( - tachyon_halo2_bn254_gwc_prover_commit(prover_, poly.poly()))); +rust::Box Prover::commit(const Poly& poly) const { + return rust::Box::from_raw( + reinterpret_cast( + tachyon_halo2_bn254_prover_commit(prover_, poly.poly()))); } -rust::Box GWCProver::commit_lagrange( - const Evals& evals) const { - return rust::Box::from_raw( - reinterpret_cast( - tachyon_halo2_bn254_gwc_prover_commit_lagrange(prover_, - evals.evals()))); +rust::Box Prover::commit_lagrange(const Evals& evals) const { + return rust::Box::from_raw( + reinterpret_cast( + tachyon_halo2_bn254_prover_commit_lagrange(prover_, evals.evals()))); } -std::unique_ptr GWCProver::empty_evals() const { +std::unique_ptr Prover::empty_evals() const { return std::make_unique( tachyon_bn254_univariate_evaluation_domain_empty_evals( - tachyon_halo2_bn254_gwc_prover_get_domain(prover_))); + tachyon_halo2_bn254_prover_get_domain(prover_))); } -std::unique_ptr GWCProver::empty_rational_evals() const { +std::unique_ptr Prover::empty_rational_evals() const { return std::make_unique( tachyon_bn254_univariate_evaluation_domain_empty_rational_evals( - tachyon_halo2_bn254_gwc_prover_get_domain(prover_))); + tachyon_halo2_bn254_prover_get_domain(prover_))); } -std::unique_ptr GWCProver::ifft(const Evals& evals) const { +std::unique_ptr Prover::ifft(const Evals& evals) const { // NOTE(chokobole): The zero degrees might be removed. This might cause an // unexpected error if you use this carelessly. Since this is only used to // compute instance polynomial and this is used only in Tachyon side, so it's // fine. return std::make_unique(tachyon_bn254_univariate_evaluation_domain_ifft( - tachyon_halo2_bn254_gwc_prover_get_domain(prover_), evals.evals())); + tachyon_halo2_bn254_prover_get_domain(prover_), evals.evals())); } -void GWCProver::batch_evaluate( +void Prover::batch_evaluate( rust::Slice> rational_evals, rust::Slice> evals) const { for (size_t i = 0; i < rational_evals.size(); ++i) { @@ -77,26 +77,25 @@ void GWCProver::batch_evaluate( } } -void GWCProver::set_rng(rust::Slice state) { - tachyon_halo2_bn254_gwc_prover_set_rng_state(prover_, state.data(), - state.size()); +void Prover::set_rng(rust::Slice state) { + tachyon_halo2_bn254_prover_set_rng_state(prover_, state.data(), state.size()); } -void GWCProver::set_transcript(rust::Slice state) { - tachyon_halo2_bn254_gwc_prover_set_transcript_state(prover_, state.data(), - state.size()); +void Prover::set_transcript(rust::Slice state) { + tachyon_halo2_bn254_prover_set_transcript_state(prover_, state.data(), + state.size()); } -void GWCProver::set_extended_domain(const ProvingKey& pk) { - tachyon_halo2_bn254_gwc_prover_set_extended_domain(prover_, pk.pk()); +void Prover::set_extended_domain(const ProvingKey& pk) { + tachyon_halo2_bn254_prover_set_extended_domain(prover_, pk.pk()); } -void GWCProver::create_proof(ProvingKey& key, - rust::Slice instance_singles, - rust::Slice advice_singles, - rust::Slice challenges) { +void Prover::create_proof(ProvingKey& key, + rust::Slice instance_singles, + rust::Slice advice_singles, + rust::Slice challenges) { tachyon_bn254_blinder* blinder = - tachyon_halo2_bn254_gwc_prover_get_blinder(prover_); + tachyon_halo2_bn254_prover_get_blinder(prover_); const tachyon_bn254_plonk_verifying_key* vk = tachyon_bn254_plonk_proving_key_get_verifying_key(key.pk()); const tachyon_bn254_plonk_constraint_system* cs = @@ -169,36 +168,37 @@ void GWCProver::create_proof(ProvingKey& key, instance_single_data += num_bytes; } - tachyon_halo2_bn254_gwc_prover_create_proof(prover_, key.pk(), data); + tachyon_halo2_bn254_prover_create_proof(prover_, key.pk(), data); tachyon_halo2_bn254_argument_data_destroy(data); } -rust::Vec GWCProver::get_proof() const { +rust::Vec Prover::get_proof() const { size_t proof_len; - tachyon_halo2_bn254_gwc_prover_get_proof(prover_, nullptr, &proof_len); + tachyon_halo2_bn254_prover_get_proof(prover_, nullptr, &proof_len); rust::Vec proof; // NOTE(chokobole): |rust::Vec| doesn't have |resize()|. proof.reserve(proof_len); for (size_t i = 0; i < proof_len; ++i) { proof.push_back(0); } - tachyon_halo2_bn254_gwc_prover_get_proof(prover_, proof.data(), &proof_len); + tachyon_halo2_bn254_prover_get_proof(prover_, proof.data(), &proof_len); return proof; } -std::unique_ptr new_gwc_prover(uint8_t transcript_type, uint32_t k, - const Fr& s) { - return std::make_unique(transcript_type, k, s); +std::unique_ptr new_prover(uint8_t pcs_type, uint8_t transcript_type, + uint32_t k, const Fr& s) { + return std::make_unique(pcs_type, transcript_type, k, s); } -std::unique_ptr new_gwc_prover_from_params( - uint8_t transcript_type, uint32_t k, rust::Slice params) { - return std::make_unique(transcript_type, k, params.data(), - params.size()); +std::unique_ptr new_prover_from_params( + uint8_t pcs_type, uint8_t transcript_type, uint32_t k, + rust::Slice params) { + return std::make_unique(pcs_type, transcript_type, k, params.data(), + params.size()); } -rust::Box ProvingKey::transcript_repr_gwc(const GWCProver& prover) { - tachyon_halo2_bn254_gwc_prover_set_transcript_repr(prover.prover(), pk_); +rust::Box ProvingKey::transcript_repr(const Prover& prover) { + tachyon_halo2_bn254_prover_set_transcript_repr(prover.prover(), pk_); tachyon_bn254_fr* ret = new tachyon_bn254_fr; tachyon_bn254_fr repr = tachyon_bn254_plonk_verifying_key_get_transcript_repr( tachyon_bn254_plonk_proving_key_get_verifying_key(pk_)); diff --git a/halo2_proofs/src/bn254_proving_key.cc b/halo2_proofs/src/bn254_proving_key.cc index bd2065ac..4f3a52fd 100644 --- a/halo2_proofs/src/bn254_proving_key.cc +++ b/halo2_proofs/src/bn254_proving_key.cc @@ -1,5 +1,7 @@ #include "halo2_proofs/include/bn254_proving_key.h" +#include + #include "halo2_proofs/src/bn254.rs.h" namespace tachyon::halo2_api::bn254 { @@ -44,8 +46,9 @@ rust::Vec GetFixedColumns( } // namespace ProvingKey::ProvingKey(rust::Slice pk_bytes) - : pk_(tachyon_bn254_plonk_proving_key_create_from_state(pk_bytes.data(), - pk_bytes.size())) {} + : pk_(tachyon_bn254_plonk_proving_key_create_from_state( + TACHYON_HALO2_LOG_DERIVATIVE_HALO2_LS, pk_bytes.data(), + pk_bytes.size())) {} ProvingKey::~ProvingKey() { tachyon_bn254_plonk_proving_key_destroy(pk_); } diff --git a/halo2_proofs/src/bn254_rational_evals.cc b/halo2_proofs/src/bn254_rational_evals.cc index b05c6713..21197d2d 100644 --- a/halo2_proofs/src/bn254_rational_evals.cc +++ b/halo2_proofs/src/bn254_rational_evals.cc @@ -1,6 +1,6 @@ #include "halo2_proofs/include/bn254_rational_evals.h" -#include "halo2_proofs/src/bn254.rs.h" +#include "halo2_proofs/include/bn254_rational_evals_view.h" namespace tachyon::halo2_api::bn254 { @@ -15,20 +15,9 @@ size_t RationalEvals::len() const { return tachyon_bn254_univariate_rational_evaluations_len(evals_); } -void RationalEvals::set_zero(size_t idx) { - tachyon_bn254_univariate_rational_evaluations_set_zero(evals_, idx); -} - -void RationalEvals::set_trivial(size_t idx, const Fr& numerator) { - tachyon_bn254_univariate_rational_evaluations_set_trivial( - evals_, idx, reinterpret_cast(&numerator)); -} - -void RationalEvals::set_rational(size_t idx, const Fr& numerator, - const Fr& denominator) { - tachyon_bn254_univariate_rational_evaluations_set_rational( - evals_, idx, reinterpret_cast(&numerator), - reinterpret_cast(&denominator)); +std::unique_ptr RationalEvals::create_view(size_t start, + size_t len) { + return std::make_unique(evals_, start, len); } std::unique_ptr RationalEvals::clone() const { diff --git a/halo2_proofs/src/bn254_rational_evals_view.cc b/halo2_proofs/src/bn254_rational_evals_view.cc new file mode 100644 index 00000000..34377594 --- /dev/null +++ b/halo2_proofs/src/bn254_rational_evals_view.cc @@ -0,0 +1,35 @@ +#include + +#include "halo2_proofs/src/bn254.rs.h" + +namespace tachyon::halo2_api::bn254 { + +RationalEvalsView::RationalEvalsView( + tachyon_bn254_univariate_rational_evaluations* evals, size_t start, + size_t len) + : evals_(evals), start_(start), len_(len) {} + +void RationalEvalsView::set_zero(size_t idx) { + tachyon_bn254_univariate_rational_evaluations_set_zero(evals_, start_ + idx); +} + +void RationalEvalsView::set_trivial(size_t idx, const Fr& numerator) { + tachyon_bn254_univariate_rational_evaluations_set_trivial( + evals_, start_ + idx, + reinterpret_cast(&numerator)); +} + +void RationalEvalsView::set_rational(size_t idx, const Fr& numerator, + const Fr& denominator) { + tachyon_bn254_univariate_rational_evaluations_set_rational( + evals_, start_ + idx, + reinterpret_cast(&numerator), + reinterpret_cast(&denominator)); +} + +void RationalEvalsView::evaluate(size_t idx, Fr& value) const { + tachyon_bn254_univariate_rational_evaluations_evaluate( + evals_, start_ + idx, reinterpret_cast(&value)); +} + +} // namespace tachyon::halo2_api::bn254 diff --git a/halo2_proofs/src/bn254_shplonk_prover.cc b/halo2_proofs/src/bn254_shplonk_prover.cc deleted file mode 100644 index 44f921d9..00000000 --- a/halo2_proofs/src/bn254_shplonk_prover.cc +++ /dev/null @@ -1,213 +0,0 @@ -#include "halo2_proofs/include/bn254_shplonk_prover.h" - -#include - -#include "halo2_proofs/src/bn254.rs.h" -#include "halo2_proofs/src/rust_vec.h" - -namespace tachyon::halo2_api::bn254 { - -SHPlonkProver::SHPlonkProver(uint8_t transcript_type, uint32_t k, const Fr& s) - : prover_(tachyon_halo2_bn254_shplonk_prover_create_from_unsafe_setup( - transcript_type, k, reinterpret_cast(&s))) {} - -SHPlonkProver::SHPlonkProver(uint8_t transcript_type, uint32_t k, - const uint8_t* params, size_t params_len) - : prover_(tachyon_halo2_bn254_shplonk_prover_create_from_params( - transcript_type, k, params, params_len)) {} - -SHPlonkProver::~SHPlonkProver() { - tachyon_halo2_bn254_shplonk_prover_destroy(prover_); -} - -uint32_t SHPlonkProver::k() const { - return tachyon_halo2_bn254_shplonk_prover_get_k(prover_); -} - -uint64_t SHPlonkProver::n() const { - return static_cast( - tachyon_halo2_bn254_shplonk_prover_get_n(prover_)); -} - -rust::Box SHPlonkProver::s_g2() const { - return rust::Box::from_raw( - reinterpret_cast(new tachyon_bn254_g2_affine( - *tachyon_halo2_bn254_shplonk_prover_get_s_g2(prover_)))); -} - -rust::Box SHPlonkProver::commit(const Poly& poly) const { - return rust::Box::from_raw( - reinterpret_cast( - tachyon_halo2_bn254_shplonk_prover_commit(prover_, poly.poly()))); -} - -rust::Box SHPlonkProver::commit_lagrange( - const Evals& evals) const { - return rust::Box::from_raw( - reinterpret_cast( - tachyon_halo2_bn254_shplonk_prover_commit_lagrange(prover_, - evals.evals()))); -} - -std::unique_ptr SHPlonkProver::empty_evals() const { - return std::make_unique( - tachyon_bn254_univariate_evaluation_domain_empty_evals( - tachyon_halo2_bn254_shplonk_prover_get_domain(prover_))); -} - -std::unique_ptr SHPlonkProver::empty_rational_evals() const { - return std::make_unique( - tachyon_bn254_univariate_evaluation_domain_empty_rational_evals( - tachyon_halo2_bn254_shplonk_prover_get_domain(prover_))); -} - -std::unique_ptr SHPlonkProver::ifft(const Evals& evals) const { - // NOTE(chokobole): The zero degrees might be removed. This might cause an - // unexpected error if you use this carelessly. Since this is only used to - // compute instance polynomial and this is used only in Tachyon side, so it's - // fine. - return std::make_unique(tachyon_bn254_univariate_evaluation_domain_ifft( - tachyon_halo2_bn254_shplonk_prover_get_domain(prover_), evals.evals())); -} - -void SHPlonkProver::batch_evaluate( - rust::Slice> rational_evals, - rust::Slice> evals) const { - for (size_t i = 0; i < rational_evals.size(); ++i) { - evals[i] = std::make_unique( - tachyon_bn254_univariate_rational_evaluations_batch_evaluate( - rational_evals[i]->evals())); - } -} - -void SHPlonkProver::set_rng(rust::Slice state) { - tachyon_halo2_bn254_shplonk_prover_set_rng_state(prover_, state.data(), - state.size()); -} - -void SHPlonkProver::set_transcript(rust::Slice state) { - tachyon_halo2_bn254_shplonk_prover_set_transcript_state(prover_, state.data(), - state.size()); -} - -void SHPlonkProver::set_extended_domain(const ProvingKey& pk) { - tachyon_halo2_bn254_shplonk_prover_set_extended_domain(prover_, pk.pk()); -} - -void SHPlonkProver::create_proof(ProvingKey& key, - rust::Slice instance_singles, - rust::Slice advice_singles, - rust::Slice challenges) { - tachyon_bn254_blinder* blinder = - tachyon_halo2_bn254_shplonk_prover_get_blinder(prover_); - const tachyon_bn254_plonk_verifying_key* vk = - tachyon_bn254_plonk_proving_key_get_verifying_key(key.pk()); - const tachyon_bn254_plonk_constraint_system* cs = - tachyon_bn254_plonk_verifying_key_get_constraint_system(vk); - uint32_t blinding_factors = - tachyon_bn254_plonk_constraint_system_compute_blinding_factors(cs); - tachyon_halo2_bn254_blinder_set_blinding_factors(blinder, blinding_factors); - - size_t num_circuits = instance_singles.size(); - - tachyon_halo2_bn254_argument_data* data = - tachyon_halo2_bn254_argument_data_create(num_circuits); - - tachyon_halo2_bn254_argument_data_reserve_challenges(data, challenges.size()); - for (size_t i = 0; i < challenges.size(); ++i) { - tachyon_halo2_bn254_argument_data_add_challenge( - data, reinterpret_cast(&challenges[i])); - } - - size_t num_bytes = sizeof(RustVec); - uint8_t* advice_single_data = - reinterpret_cast(advice_singles.data()); - uint8_t* instance_single_data = - reinterpret_cast(instance_singles.data()); - for (size_t i = 0; i < num_circuits; ++i) { - RustVec vec; - vec.Read(advice_single_data); - size_t num_advice_columns = vec.length; - uintptr_t* advice_columns_ptr = reinterpret_cast(vec.ptr); - tachyon_halo2_bn254_argument_data_reserve_advice_columns( - data, i, num_advice_columns); - for (size_t j = 0; j < num_advice_columns; ++j) { - tachyon_halo2_bn254_argument_data_add_advice_column( - data, i, reinterpret_cast(advice_columns_ptr[j])->release()); - } - advice_single_data += num_bytes; - - vec.Read(&advice_single_data[0]); - size_t num_blinds = vec.length; - const tachyon_bn254_fr* blinds_ptr = - reinterpret_cast(vec.ptr); - tachyon_halo2_bn254_argument_data_reserve_advice_blinds(data, i, - num_blinds); - for (size_t j = 0; j < num_blinds; ++j) { - tachyon_halo2_bn254_argument_data_add_advice_blind(data, i, - &blinds_ptr[j]); - } - advice_single_data += num_bytes; - - vec.Read(&instance_single_data[0]); - size_t num_instance_columns = vec.length; - uintptr_t* instance_columns_ptr = reinterpret_cast(vec.ptr); - tachyon_halo2_bn254_argument_data_reserve_instance_columns( - data, i, num_instance_columns); - for (size_t j = 0; j < num_instance_columns; ++j) { - tachyon_halo2_bn254_argument_data_add_instance_column( - data, i, - reinterpret_cast(instance_columns_ptr[j])->release()); - } - instance_single_data += num_bytes; - - vec.Read(&instance_single_data[0]); - uintptr_t* instance_poly_ptr = reinterpret_cast(vec.ptr); - tachyon_halo2_bn254_argument_data_reserve_instance_polys( - data, i, num_instance_columns); - for (size_t j = 0; j < num_instance_columns; ++j) { - tachyon_halo2_bn254_argument_data_add_instance_poly( - data, i, reinterpret_cast(instance_poly_ptr[j])->release()); - } - instance_single_data += num_bytes; - } - - tachyon_halo2_bn254_shplonk_prover_create_proof(prover_, key.pk(), data); - tachyon_halo2_bn254_argument_data_destroy(data); -} - -rust::Vec SHPlonkProver::get_proof() const { - size_t proof_len; - tachyon_halo2_bn254_shplonk_prover_get_proof(prover_, nullptr, &proof_len); - rust::Vec proof; - // NOTE(chokobole): |rust::Vec| doesn't have |resize()|. - proof.reserve(proof_len); - for (size_t i = 0; i < proof_len; ++i) { - proof.push_back(0); - } - tachyon_halo2_bn254_shplonk_prover_get_proof(prover_, proof.data(), - &proof_len); - return proof; -} - -std::unique_ptr new_shplonk_prover(uint8_t transcript_type, - uint32_t k, const Fr& s) { - return std::make_unique(transcript_type, k, s); -} - -std::unique_ptr new_shplonk_prover_from_params( - uint8_t transcript_type, uint32_t k, rust::Slice params) { - return std::make_unique(transcript_type, k, params.data(), - params.size()); -} - -rust::Box ProvingKey::transcript_repr_shplonk(const SHPlonkProver& prover) { - tachyon_halo2_bn254_shplonk_prover_set_transcript_repr(prover.prover(), pk_); - tachyon_bn254_fr* ret = new tachyon_bn254_fr; - tachyon_bn254_fr repr = tachyon_bn254_plonk_verifying_key_get_transcript_repr( - tachyon_bn254_plonk_proving_key_get_verifying_key(pk_)); - memcpy(ret->limbs, repr.limbs, sizeof(uint64_t) * 4); - return rust::Box::from_raw(reinterpret_cast(ret)); -} - -} // namespace tachyon::halo2_api::bn254 diff --git a/halo2_proofs/src/consts.rs b/halo2_proofs/src/consts.rs index 37ed72f9..0c811e76 100644 --- a/halo2_proofs/src/consts.rs +++ b/halo2_proofs/src/consts.rs @@ -1,3 +1,9 @@ +#[derive(Debug)] +pub enum PCSType { + GWC, + SHPlonk, +} + #[derive(Debug)] pub enum TranscriptType { Blake2b, diff --git a/halo2_proofs/src/plonk/tachyon.rs b/halo2_proofs/src/plonk/tachyon.rs index 18f6abf4..045e1ef4 100644 --- a/halo2_proofs/src/plonk/tachyon.rs +++ b/halo2_proofs/src/plonk/tachyon.rs @@ -7,18 +7,21 @@ use std::{ use crate::{ bn254::{ AdviceSingle, Evals, InstanceSingle, ProvingKey as TachyonProvingKey, RationalEvals, - TachyonProver, TranscriptWriteState, + RationalEvalsView, TachyonProver, TranscriptWriteState, }, circuit::Value, plonk::{ sealed, Advice, Any, Assigned, Assignment, Challenge, Circuit, Column, ConstraintSystem, Error, Fixed, FloorPlanner, Instance, Selector, }, - poly::commitment::{Blind, CommitmentScheme}, + poly::{ + commitment::{Blind, CommitmentScheme}, + LagrangeCoeff, Polynomial, + }, transcript::EncodedChallenge, xor_shift_rng::XORShiftRng as TachyonXORShiftRng, }; -use ff::Field; +use ff::{Field, FromUniformBytes, WithSmallOrderMulGroup}; use halo2curves::{ bn256::Fr, group::{prime::PrimeCurveAffine, Curve}, @@ -41,9 +44,17 @@ pub fn create_proof< pk: &mut TachyonProvingKey, circuits: &[ConcreteCircuit], instances: &[&[&[Scheme::Scalar]]], + fixed_values: Vec>, mut rng: TachyonXORShiftRng, transcript: &mut T, -) -> Result<(), Error> { +) -> Result<(), Error> +where + Scheme::Scalar: WithSmallOrderMulGroup<3> + FromUniformBytes<64> + Ord, +{ + if circuits.len() != instances.len() { + return Err(Error::InvalidInstances); + } + for instance in instances.iter() { if instance.len() != pk.num_instance_columns() { return Err(Error::InvalidInstances); @@ -122,12 +133,10 @@ pub fn create_proof< k: u32, current_phase: sealed::Phase, advice_vec: Arc>, - // TODO(chokobole): Support `advice` field. - // advice: + advice: Vec, challenges: &'a HashMap, instances: &'a [&'a [F]], - // TODO(chokobole): Support `fixed_values` field. - // fixed_values: + fixed_values: &'a [Polynomial], rw_rows: Range, usable_rows: RangeTo, _marker: std::marker::PhantomData, @@ -186,39 +195,29 @@ pub fn create_proof< ); } - // TODO: - // let advice_ptrs = self - // .advice - // .iter_mut() - // .map(|vec| vec.as_mut_ptr()) - // .collect::>(); - let mut sub_cs = vec![]; - // for sub_range in ranges { - // let advice = advice_ptrs - // .iter() - // .map(|ptr| unsafe { - // std::slice::from_raw_parts_mut( - // ptr.add(sub_range.start), - // sub_range.end - sub_range.start, - // ) - // }) - // .collect::]>>(); - - // sub_cs.push(Self { - // k: 0, - // current_phase: self.current_phase, - // // TODO: - // // advice_vec: self.advice_vec.clone(), - // advice, - // challenges: self.challenges, - // instances: self.instances, - // // TODO: - // rw_rows: sub_range.clone(), - // usable_rows: self.usable_rows, - // _marker: Default::default(), - // }); - // } + for sub_range in ranges { + let advice = Arc::try_unwrap(self.advice_vec.clone()) + .expect("there must only one Arc for advice_vec") + .iter_mut() + .map(|advice| { + advice.create_view(sub_range.start, sub_range.end - sub_range.start) + }) + .collect::>(); + + sub_cs.push(Self { + k: 0, + current_phase: self.current_phase, + advice_vec: self.advice_vec.clone(), + advice, + challenges: self.challenges, + instances: self.instances, + fixed_values: self.fixed_values, + rw_rows: sub_range.clone(), + usable_rows: self.usable_rows, + _marker: Default::default(), + }); + } Ok(sub_cs) } @@ -244,23 +243,24 @@ pub fn create_proof< log::error!("query_advice: {:?}, row: {}", column, row); return Err(Error::Synthesis); } - // TODO(chokobole): Enable this. - // self.advice - // .get(column.index()) - // .and_then(|v| v.get(row - self.rw_rows.start)) - // .map(|v| v.evaluate()) - // .ok_or(Error::BoundsFailure) - Ok(F::ZERO) + self.advice + .get(column.index()) + .and_then(|v| { + let mut r = F::ZERO; + v.evaluate(row - self.rw_rows.start, unsafe { + std::mem::transmute::<_, &mut Fr>(&mut r) + }); + Some(r) + }) + .ok_or(Error::BoundsFailure) } fn query_fixed(&self, column: Column, row: usize) -> Result { - Ok(F::ZERO) - // TODO(chokobole): Enable this. - // self.fixed_values - // .get(column.index()) - // .and_then(|v| v.get(row)) - // .copied() - // .ok_or(Error::BoundsFailure) + self.fixed_values + .get(column.index()) + .and_then(|v| v.get(row)) + .copied() + .ok_or(Error::BoundsFailure) } fn query_instance(&self, column: Column, row: usize) -> Result, Error> { @@ -268,13 +268,11 @@ pub fn create_proof< return Err(Error::not_enough_rows_available(self.k)); } - Ok(self - .instances + self.instances .get(column.index()) .and_then(|column| column.get(row)) .map(|v| Value::known(*v)) .ok_or(Error::BoundsFailure) - .expect("bound failure")) } fn assign_advice( @@ -304,25 +302,25 @@ pub fn create_proof< return Err(Error::Synthesis); } - // TODO(chokobole): Enable this. - // let rational_evals = self - // .advice - // .get_mut(column.index()) - // .ok_or(Error::BoundsFailure)?; - - // let value = to().into_field().assign()?; - // match &value { - // Assigned::Zero => rational_evals.set_zero(row), - // Assigned::Trivial(numerator) => { - // let numerator = unsafe { std::mem::transmute::<_, &Fr>(numerator) }; - // rational_evals.set_trivial(row, numerator); - // } - // Assigned::Rational(numerator, denominator) => { - // let numerator = unsafe { std::mem::transmute::<_, &Fr>(numerator) }; - // let denominator = unsafe { std::mem::transmute::<_, &Fr>(denominator) }; - // rational_evals.set_rational(row, numerator, denominator) - // } - // } + let rational_evals = self + .advice + .get_mut(column.index()) + .ok_or(Error::BoundsFailure)?; + + let row_idx = row - self.rw_rows.start; + let value = to().into_field().assign()?; + match &value { + Assigned::Zero => rational_evals.set_zero(row_idx), + Assigned::Trivial(numerator) => { + let numerator = unsafe { std::mem::transmute::<_, &Fr>(numerator) }; + rational_evals.set_trivial(row_idx, numerator); + } + Assigned::Rational(numerator, denominator) => { + let numerator = unsafe { std::mem::transmute::<_, &Fr>(numerator) }; + let denominator = unsafe { std::mem::transmute::<_, &Fr>(denominator) }; + rational_evals.set_rational(row_idx, numerator, denominator) + } + } Ok(()) } @@ -423,13 +421,20 @@ pub fn create_proof< .zip(instances) .enumerate() { - let advice_vec = - Arc::new(vec![prover.empty_rational_evals(); meta.num_advice_columns]); + let mut advice_vec = + Arc::new(vec![prover.empty_rational_evals(); num_advice_columns]); + let advice_slice = Arc::get_mut(&mut advice_vec) + .unwrap() + .iter_mut() + .map(|advice| advice.create_view(0, advice.len())) + .collect::>(); let mut witness = WitnessCollection { k: prover.k(), current_phase, advice_vec, + advice: advice_slice, instances, + fixed_values: fixed_values.as_slice(), challenges: &challenges, // The prover will not be allowed to assign values to advice // cells that exist within inactive rows, which include some @@ -468,10 +473,8 @@ pub fn create_proof< } } - /* - TODO(chokobole): Enable this. - let advice_assigned_values = witness - .advice_vec + let advice_assigned_values = Arc::try_unwrap(witness.advice_vec) + .expect("there must only one Arc for advice_vec") .into_iter() .enumerate() .filter_map(|(column_index, advice)| { @@ -494,6 +497,10 @@ pub fn create_proof< // Add blinding factors to advice columns for advice_values in &mut advice_values { + //for cell in &mut advice_values[unusable_rows_start..] { + //*cell = C::Scalar::random(&mut rng); + //*cell = C::Scalar::one(); + //} let idx = advice_values.len() - 1; advice_values.set_value(idx, &Fr::one()); } @@ -518,7 +525,9 @@ pub fn create_proof< drop(advice_commitments_projective); for commitment in &advice_commitments { - transcript.write_point(*commitment)?; + transcript.write_point(unsafe { + std::mem::transmute::<_, Scheme::Curve>(*commitment) + })?; } for ((column_index, advice_values), blind) in column_indices.iter().zip(advice_values).zip(blinds) @@ -526,7 +535,6 @@ pub fn create_proof< advice.advice_polys[*column_index] = advice_values; advice.advice_blinds[*column_index] = blind; } - */ } for (index, phase) in pk.challenge_phases().iter().enumerate() { @@ -546,6 +554,8 @@ pub fn create_proof< (advice, challenges) }; + drop(fixed_values); + prover.set_rng(rng.state().as_slice()); prover.set_transcript(transcript.state().as_slice());