FRI Prover
In this section, we examine the FRI prover implementation, beginning with the FRI protocol configuration.
FRI Protocol Configuration
We configure the FRI protocol using the following parameters:
- Log of blowup factor
- Log of last layer degree bound (determines the number of rounds in the FRI protocol)
- Number of queries made by the verifier in the query phase
It is implemented as follows:
pub struct FriConfig {
pub log_blowup_factor: u32,
pub log_last_layer_degree_bound: u32,
pub n_queries: usize,
// TODO(andrew): fold_steps.
}
We calculate the security bits of our protocol as follows:
pub const fn security_bits(&self) -> u32 {
self.log_blowup_factor * self.n_queries as u32
}
This is as we discussed in the Security Analysis section.
Proving
Let us look into how the FRI prover struct is implemented.
pub struct FriProver<'a, B: FriOps + MerkleOps<MC::H>, MC: MerkleChannel> {
config: FriConfig,
first_layer: FriFirstLayerProver<'a, B, MC::H>,
inner_layers: Vec<FriInnerLayerProver<B, MC::H>>,
last_layer_poly: LinePoly,
}
Here, FriOps
is a trait which implements functionality for the commit phase of FRI, such as folding the evaluations, and MerkleOps
is the trait used in the Merkle commitment scheme. The generic B
refers to a specific backend, for example either CpuBackend
or SimdBackend
, which implements the FriOps
and MerkleOps
traits.
We described FRI as an interactive protocol between the prover and the verifier. To make the protocol non-interactive, we use the Fiat-Shamir transform, where both the prover and verifier use a channel to hash the transcript and generate random challenges. These functionalities are defined by the MerkleChannel
trait. In the non-interactive protocol, oracles to functions are replaced by Merkle commitments to their evaluations, and queries to the oracle by the verifier are replaced by Merkle decommitments, which the prover appends to the channel.
The FRIProver
struct is composed of several layers. Each layer contains a Merkle tree that commits to the evaluations of a polynomial for that layer. The main components are:
• config
: The FriConfig
discussed in the previous section, which holds protocol parameters.
• first_layer
: The first layer of the FRI protocol, containing the commitment to the initial set of columns.
struct FriFirstLayerProver<'a, B: FriOps + MerkleOps<H>, H: MerkleHasher> {
columns: &'a [SecureEvaluation<B, BitReversedOrder>],
merkle_tree: MerkleProver<B, H>,
}
For example, the columns
are the array of evaluations , and merkle_tree
commits to , , and using a single Merkle tree.
• inner_layers
: The inner layers of FRI, each representing a folding round and its corresponding Merkle commitment.
struct FriInnerLayerProver<B: FriOps + MerkleOps<H>, H: MerkleHasher> {
evaluation: LineEvaluation<B>,
merkle_tree: MerkleProver<B, H>,
}
In our example, there are two FRI inner layers: the first contains evaluations of over the "line" domain with a Merkle commitment to , and the second contains evaluations of over with its Merkle commitment.
• last_layer_poly
: The last layer polynomial, which the prover sends in clear to the verifier.
pub struct LinePoly {
/// Coefficients of the polynomial in [`line_ifft`] algorithm's basis.
///
/// The coefficients are stored in bit-reversed order.
#[allow(rustdoc::private_intra_doc_links)]
coeffs: Vec<SecureField>,
/// The number of coefficients stored as `log2(len(coeffs))`.
log_size: u32,
}
For our example, this is the polynomial in coefficient representation.
Commitment
The commit
function corresponds to the commitment phase of our protocol and outputs the FriProver
struct. This function handles multiple mixed-degree polynomials, each evaluated over domains of different sizes. We will now give a high-level overview of the function as it is implemented in Stwo.
pub fn commit(
channel: &mut MC::C,
config: FriConfig,
columns: &'a [SecureEvaluation<B, BitReversedOrder>],
twiddles: &TwiddleTree<B>,
) -> Self {
assert!(!columns.is_empty(), "no columns");
assert!(columns.iter().all(|e| e.domain.is_canonic()), "not canonic");
assert!(
columns
.iter()
.tuple_windows()
.all(|(a, b)| a.len() > b.len()),
"column sizes not decreasing"
);
let first_layer = Self::commit_first_layer(channel, columns);
let (inner_layers, last_layer_evaluation) =
Self::commit_inner_layers(channel, config, columns, twiddles);
let last_layer_poly = Self::commit_last_layer(channel, config, last_layer_evaluation);
Self {
config,
first_layer,
inner_layers,
last_layer_poly,
}
}
It takes the following inputs:
channel
: The Merkle channel used for the Fiat-Shamir transform to generate random challenges and maintain the transcript.config
: TheFriConfig
containing protocol parameters.columns
: The array of evaluations of the functions. For our example, this will contain over their respective domains .twiddles
: The precomputed twiddle values needed for folding.
The commitment phase consists of the following steps, corresponding to the protocol rounds described in the overview:
-
First Layer Commitment (
commit_first_layer
):- Takes the input functions and creates a Merkle commitment to all of them using a single Merkle tree.
- Commits to the root of the Merkle tree by appending it to the channel as part of the transcript.
- Returns the
FriFirstLayerProver
containing the columns and their Merkle commitment.
-
Inner Layers Commitment (
commit_inner_layers
):- Performs the folding rounds as described in the protocol.
- In each round :
- Decomposes the previous round "line" polynomial into and .
- Decomposes the current round "circle" polynomial into and .
- Receives random challenge from the channel.
- Folds the decomposed functions to compute over domain .
- Creates Merkle commitment to and adds the root of the Merkle tree to the channel.
- For our example with , this creates two inner layers containing and .
- Returns the following two objects:
- Two
FriInnerLayerProver
corresponding to and . - Final
last_layer_evaluation
, i.e., evaluations of over the domain .
- Two
-
Last Layer Commitment (
commit_last_layer
):- Takes the final evaluation (which will be sent to the verifier in clear).
- Interpolates it to coefficient form and appends the coefficients into the channel as protocol transcript.
- For our example, this converts to polynomial coefficient representation.
- Returns the
last_layer_poly
.
The function then constructs and returns the complete FriProver
struct containing all layers, which will be used later for decommitment during the query phase.
Decommitment
Now we will look at the decommit function. It is implemented as follows:
pub fn decommit(self, channel: &mut MC::C) -> (FriProof<MC::H>, BTreeMap<u32, Vec<usize>>) {
let max_column_log_size = self.first_layer.max_column_log_size();
let queries = Queries::generate(channel, max_column_log_size, self.config.n_queries);
let column_log_sizes = self.first_layer.column_log_sizes();
let query_positions_by_log_size =
get_query_positions_by_log_size(&queries, column_log_sizes);
let proof = self.decommit_on_queries(&queries);
(proof, query_positions_by_log_size)
}
It takes the following input:
self
: TheFriProver
containing the Merkle tree commitments to all the FRI layers.channel
: The Fiat-Shamir channel used to hash the transcript and generate the random query points.
Let us walk through the function step by step.
- Setup Query Generation: Use the Fiat-Shamir channel to generate
n_queries
random positions on the maximum domain. - Map Query Positions by Domain Size: The function
get_query_positions_by_log_size
takesqueries
andcolumn_log_sizes
as input and maps each domain size to its respective query position in the column. - Generate Proof: The function
decommit_on_queries
generates the proofFriProof
using the queries. The structFriProof
contains the Merkle decommitments for each layer with respect to the query positions.
pub struct FriProof<H: MerkleHasher> {
pub first_layer: FriLayerProof<H>,
pub inner_layers: Vec<FriLayerProof<H>>,
pub last_layer_poly: LinePoly,
}
For our example, the components of FriProof
will be as follows:
first_layer
: The decommitments to query positions for , , and .inner_layers
: There will be two inner layer proofs, i.e., one for the decommitments of and another for decommitments of .last_layer_poly
: This will be the polynomial represented in coefficient form.
- Return the following objects:
proof
: TheFriProof
struct with all layer decommitments.query_positions_by_log_size
: The query mapping from domain log sizes to their respective query positions.
Now let us look at the key function decommit_on_queries
in detail.
pub fn decommit_on_queries(self, queries: &Queries) -> FriProof<MC::H> {
let Self {
config: _,
first_layer,
inner_layers,
last_layer_poly,
} = self;
let first_layer_proof = first_layer.decommit(queries);
let inner_layer_proofs = inner_layers
.into_iter()
.scan(
queries.fold(CIRCLE_TO_LINE_FOLD_STEP),
|layer_queries, layer| {
let layer_proof = layer.decommit(layer_queries);
*layer_queries = layer_queries.fold(FOLD_STEP);
Some(layer_proof)
},
)
.collect();
FriProof {
first_layer: first_layer_proof,
inner_layers: inner_layer_proofs,
last_layer_poly,
}
}
The function decommit_on_queries
generates the FriProof
struct by decommitting all layers. Suppose there is a single query corresponding to point and let .
- Decommit First Layer: This provides Merkle tree decommitments for queried positions with respect to the first layer. This provides evaluations , , and along with their Merkle decommitments in the Merkle tree containing the first layer.
- Process Inner Layers with Folding: We process the decommitment layer by layer. For our example, this proceeds as follows:
- For the first inner layer: Provide the evaluation along with their Merkle decommitments.
- For the second inner layer: Provide the evaluation along with their Merkle decommitments.
- Assemble Final Proof: Combines all layer decommitments with the last layer polynomial into
FriProof
.