Skip to content
New issue

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

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

Already on GitHub? Sign in to your account

refactor!: generalize one eval to arbitrary lengths #381

Merged
merged 5 commits into from
Dec 2, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
3 changes: 3 additions & 0 deletions crates/proof-of-sql/src/base/database/mod.rs
Original file line number Diff line number Diff line change
Expand Up @@ -77,6 +77,9 @@ pub use table::{Table, TableOptions};
mod table_test;
pub mod table_utility;

mod table_evaluation;
pub use table_evaluation::TableEvaluation;

/// TODO: add docs
pub(crate) mod expression_evaluation;
mod expression_evaluation_error;
Expand Down
34 changes: 34 additions & 0 deletions crates/proof-of-sql/src/base/database/table_evaluation.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,34 @@
use crate::base::scalar::Scalar;
use alloc::vec::Vec;

/// The result of evaluating a table
#[derive(Debug, Eq, PartialEq, Clone)]
pub struct TableEvaluation<S: Scalar> {
/// Evaluation of each column in the table
column_evals: Vec<S>,
/// Evaluation of an all-one column with the same length as the table
one_eval: S,
}

impl<S: Scalar> TableEvaluation<S> {
/// Creates a new [`TableEvaluation`].
#[must_use]
pub fn new(column_evals: Vec<S>, one_eval: S) -> Self {
Self {
column_evals,
one_eval,
}
}

/// Returns the evaluation of each column in the table.
#[must_use]
pub fn column_evals(&self) -> &[S] {
&self.column_evals
}

/// Returns the evaluation of an all-one column with the same length as the table.
#[must_use]
pub fn one_eval(&self) -> &S {
&self.one_eval
}
}
23 changes: 6 additions & 17 deletions crates/proof-of-sql/src/sql/proof/first_round_builder.rs
Original file line number Diff line number Diff line change
Expand Up @@ -5,29 +5,18 @@ pub struct FirstRoundBuilder {
/// the prover after the prover sends the result, but before the prover
/// send commitments to the intermediate witness columns.
num_post_result_challenges: usize,
}

/// Used to determine the indices of generators we use
range_length: usize,
impl Default for FirstRoundBuilder {
fn default() -> Self {
Self::new()
}
}

impl FirstRoundBuilder {
pub fn new(range_length: usize) -> Self {
pub fn new() -> Self {
Self {
num_post_result_challenges: 0,
range_length,
}
}

pub fn range_length(&self) -> usize {
self.range_length
}

/// Used if a `ProofPlan` can cause output `table_length` to be larger
/// than the largest of the input ones e.g. unions and joins since it will
/// force us to update `range_length`.
pub fn update_range_length(&mut self, table_length: usize) {
if table_length > self.range_length {
self.range_length = table_length;
}
}

Expand Down
7 changes: 4 additions & 3 deletions crates/proof-of-sql/src/sql/proof/proof_plan.rs
Original file line number Diff line number Diff line change
@@ -1,6 +1,6 @@
use super::{CountBuilder, FinalRoundBuilder, FirstRoundBuilder, VerificationBuilder};
use crate::base::{
database::{ColumnField, ColumnRef, OwnedTable, Table, TableRef},
database::{ColumnField, ColumnRef, OwnedTable, Table, TableEvaluation, TableRef},
map::{IndexMap, IndexSet},
proof::ProofError,
scalar::Scalar,
Expand All @@ -21,7 +21,8 @@ pub trait ProofPlan: Debug + Send + Sync + ProverEvaluate {
builder: &mut VerificationBuilder<S>,
accessor: &IndexMap<ColumnRef, S>,
result: Option<&OwnedTable<S>>,
) -> Result<Vec<S>, ProofError>;
one_eval_map: &IndexMap<TableRef, S>,
) -> Result<TableEvaluation<S>, ProofError>;

/// Return all the result column fields
fn get_column_result_fields(&self) -> Vec<ColumnField>;
Expand All @@ -40,7 +41,7 @@ pub trait ProverEvaluate {
&self,
alloc: &'a Bump,
table_map: &IndexMap<TableRef, Table<'a, S>>,
) -> Table<'a, S>;
) -> (Table<'a, S>, Vec<usize>);

/// Evaluate the query and modify `FirstRoundBuilder` to form the query's proof.
fn first_round_evaluate(&self, builder: &mut FirstRoundBuilder);
Expand Down
74 changes: 58 additions & 16 deletions crates/proof-of-sql/src/sql/proof/query_proof.rs
Original file line number Diff line number Diff line change
Expand Up @@ -27,15 +27,15 @@ use serde::{Deserialize, Serialize};
///
/// Basically we are looking for the smallest offset and the largest offset + length
/// so that we have an index range of the table rows that the query is referencing.
fn get_index_range(
fn get_index_range<'a>(
accessor: &dyn MetadataAccessor,
table_refs: impl IntoIterator<Item = TableRef>,
table_refs: impl IntoIterator<Item = &'a TableRef>,
) -> (usize, usize) {
table_refs
.into_iter()
.map(|table_ref| {
let length = accessor.get_length(table_ref);
let offset = accessor.get_offset(table_ref);
let length = accessor.get_length(*table_ref);
let offset = accessor.get_offset(*table_ref);
(offset, offset + length)
})
.reduce(|(min_start, max_end), (start, end)| (min_start.min(start), max_end.max(end)))
Expand All @@ -52,6 +52,8 @@ fn get_index_range(
pub struct QueryProof<CP: CommitmentEvaluationProof> {
/// Bit distributions
pub bit_distributions: Vec<BitDistribution>,
/// One evaluation lengths
pub one_evaluation_lengths: Vec<usize>,
JayWhite2357 marked this conversation as resolved.
Show resolved Hide resolved
/// Commitments
pub commitments: Vec<CP::Commitment>,
/// Sumcheck Proof
Expand All @@ -72,7 +74,7 @@ impl<CP: CommitmentEvaluationProof> QueryProof<CP> {
accessor: &impl DataAccessor<CP::Scalar>,
setup: &CP::ProverPublicSetup<'_>,
) -> (Self, ProvableQueryResult) {
let (min_row_num, max_row_num) = get_index_range(accessor, expr.get_table_references());
let (min_row_num, max_row_num) = get_index_range(accessor, &expr.get_table_references());
let initial_range_length = max_row_num - min_row_num;
let alloc = Bump::new();

Expand All @@ -91,18 +93,30 @@ impl<CP: CommitmentEvaluationProof> QueryProof<CP> {
.collect();

// Evaluate query result
let provable_result = expr.result_evaluate(&alloc, &table_map).into();
let (query_result, one_evaluation_lengths) = expr.result_evaluate(&alloc, &table_map);
let provable_result = query_result.into();

// Prover First Round
let mut first_round_builder = FirstRoundBuilder::new(initial_range_length);
let mut first_round_builder = FirstRoundBuilder::new();
expr.first_round_evaluate(&mut first_round_builder);
let range_length = first_round_builder.range_length();
let range_length = one_evaluation_lengths
.iter()
.copied()
.chain(core::iter::once(initial_range_length))
.max()
.expect("Will always have at least one element"); // safe to unwrap because we have at least one element

let num_sumcheck_variables = cmp::max(log2_up(range_length), 1);
assert!(num_sumcheck_variables > 0);

// construct a transcript for the proof
let mut transcript: Keccak256Transcript =
make_transcript(expr, &provable_result, range_length, min_row_num);
let mut transcript: Keccak256Transcript = make_transcript(
expr,
&provable_result,
range_length,
min_row_num,
&one_evaluation_lengths,
);

// These are the challenges that will be consumed by the proof
// Specifically, these are the challenges that the verifier sends to
Expand All @@ -127,7 +141,7 @@ impl<CP: CommitmentEvaluationProof> QueryProof<CP> {
// commit to any intermediate MLEs
let commitments = builder.commit_intermediate_mles(min_row_num, setup);

// add the commitments and bit distributions to the proof
// add the commitments, bit distributions and one evaluation lengths to the proof
extend_transcript(&mut transcript, &commitments, builder.bit_distributions());

// construct the sumcheck polynomial
Expand Down Expand Up @@ -178,6 +192,7 @@ impl<CP: CommitmentEvaluationProof> QueryProof<CP> {

let proof = Self {
bit_distributions: builder.bit_distributions().to_vec(),
one_evaluation_lengths,
commitments,
sumcheck_proof,
pcs_proof_evaluations,
Expand All @@ -197,7 +212,8 @@ impl<CP: CommitmentEvaluationProof> QueryProof<CP> {
setup: &CP::VerifierPublicSetup<'_>,
) -> QueryResult<CP::Scalar> {
let owned_table_result = result.to_owned_table(&expr.get_column_result_fields())?;
let (min_row_num, _) = get_index_range(accessor, expr.get_table_references());
let table_refs = expr.get_table_references();
let (min_row_num, _) = get_index_range(accessor, &table_refs);
let num_sumcheck_variables = cmp::max(log2_up(self.range_length), 1);
assert!(num_sumcheck_variables > 0);

Expand Down Expand Up @@ -226,8 +242,13 @@ impl<CP: CommitmentEvaluationProof> QueryProof<CP> {
}

// construct a transcript for the proof
let mut transcript: Keccak256Transcript =
make_transcript(expr, result, self.range_length, min_row_num);
let mut transcript: Keccak256Transcript = make_transcript(
expr,
result,
self.range_length,
min_row_num,
&self.one_evaluation_lengths,
);

// These are the challenges that will be consumed by the proof
// Specifically, these are the challenges that the verifier sends to
Expand Down Expand Up @@ -274,21 +295,37 @@ impl<CP: CommitmentEvaluationProof> QueryProof<CP> {
.take(self.pcs_proof_evaluations.len())
.collect();

// Always prepend input lengths to the one evaluation lengths
let table_length_map = table_refs
.iter()
.map(|table_ref| (table_ref, accessor.get_length(*table_ref)))
.collect::<IndexMap<_, _>>();

let one_evaluation_lengths = table_length_map
.values()
.chain(self.one_evaluation_lengths.iter())
.copied();

// pass over the provable AST to fill in the verification builder
let sumcheck_evaluations = SumcheckMleEvaluations::new(
self.range_length,
owned_table_result.num_rows(),
one_evaluation_lengths,
&subclaim.evaluation_point,
&sumcheck_random_scalars,
&self.pcs_proof_evaluations,
);
let one_eval_map: IndexMap<TableRef, CP::Scalar> = table_length_map
.iter()
.map(|(table_ref, length)| (**table_ref, sumcheck_evaluations.one_evaluations[length]))
.collect();
let mut builder = VerificationBuilder::new(
min_row_num,
sumcheck_evaluations,
&self.bit_distributions,
sumcheck_random_scalars.subpolynomial_multipliers,
&evaluation_random_scalars,
post_result_challenges,
self.one_evaluation_lengths.clone(),
);

let pcs_proof_commitments: Vec<_> = column_references
Expand All @@ -305,11 +342,12 @@ impl<CP: CommitmentEvaluationProof> QueryProof<CP> {
&mut builder,
&evaluation_accessor,
Some(&owned_table_result),
&one_eval_map,
)?;
// compute the evaluation of the result MLEs
let result_evaluations = owned_table_result.mle_evaluations(&subclaim.evaluation_point);
// check the evaluation of the result MLEs
if verifier_evaluations != result_evaluations {
if verifier_evaluations.column_evals() != result_evaluations {
Err(ProofError::VerificationError {
error: "result evaluation check failed",
})?;
Expand Down Expand Up @@ -371,6 +409,8 @@ impl<CP: CommitmentEvaluationProof> QueryProof<CP> {
///
/// * `min_row_num` - The smallest offset of the generator used in the proof, as a `usize`.
///
/// * `one_evaluation_lengths` - A slice of `usize` values that represent unexpected intermediate table lengths
///
/// # Returns
/// This function returns a `merlin::Transcript`. The transcript is a record
/// of all the operations and data involved in creating a proof.
Expand All @@ -380,12 +420,14 @@ fn make_transcript<T: Transcript>(
result: &ProvableQueryResult,
range_length: usize,
min_row_num: usize,
one_evaluation_lengths: &[usize],
) -> T {
let mut transcript = T::new();
transcript.extend_serialize_as_le(result);
transcript.extend_serialize_as_le(expr);
transcript.extend_serialize_as_le(&range_length);
transcript.extend_serialize_as_le(&min_row_num);
transcript.extend_serialize_as_le(one_evaluation_lengths);
transcript
}

Expand Down
Loading
Loading