1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331
// Copyright (c) Facebook, Inc. and its affiliates.
//
// This source code is licensed under the MIT license found in the
// LICENSE file in the root directory of this source tree.
use alloc::vec::Vec;
use crypto::ElementHasher;
use math::FieldElement;
use utils::{
ByteReader, ByteWriter, Deserializable, DeserializationError, Serializable, SliceReader,
};
use crate::{EvaluationFrame, LagrangeKernelEvaluationFrame};
// OUT-OF-DOMAIN FRAME
// ================================================================================================
/// Trace and constraint polynomial evaluations at an out-of-domain point.
///
/// This struct contains the following evaluations:
/// * Evaluations of all trace polynomials at *z*.
/// * Evaluations of all trace polynomials at *z * g*.
/// * Evaluations of Lagrange kernel trace polynomial (if any) at *z*, *z * g*, *z * g^2*, ...,
/// *z * g^(2^(v-1))*, where `v == log(trace_len)`
/// * Evaluations of constraint composition column polynomials at *z*.
///
/// where *z* is an out-of-domain point and *g* is the generator of the trace domain.
///
/// Internally, the evaluations are stored as a sequence of bytes. Thus, to retrieve the
/// evaluations, [parse()](OodFrame::parse) function should be used.
#[derive(Clone, Debug, Default, Eq, PartialEq)]
pub struct OodFrame {
trace_states: Vec<u8>,
lagrange_kernel_trace_states: Vec<u8>,
evaluations: Vec<u8>,
}
impl OodFrame {
// UPDATERS
// --------------------------------------------------------------------------------------------
/// Updates the trace state portion of this out-of-domain frame, and returns the hash of the
/// trace states.
///
/// The out-of-domain frame is stored as one vector of interleaved values, one from the current
/// row and the other from the next row. Given the input frame
///
/// +-------+-------+-------+-------+-------+-------+-------+-------+
/// | a1 | a2 | ... | an | c1 | c2 | ... | cm |
/// +-------+-------+-------+-------+-------+-------+-------+-------+
/// | b1 | b2 | ... | bn | d1 | d2 | ... | dm |
/// +-------+-------+-------+-------+-------+-------+-------+-------+
///
/// with n being the main trace width and m the auxiliary trace width, the values are stored as
///
/// [a1, b1, a2, b2, ..., an, bn, c1, d1, c2, d2, ..., cm, dm]
///
/// into `Self::trace_states` (as byte values).
///
/// # Panics
/// Panics if evaluation frame has already been set.
pub fn set_trace_states<E, H>(&mut self, trace_ood_frame: &TraceOodFrame<E>) -> H::Digest
where
E: FieldElement,
H: ElementHasher<BaseField = E::BaseField>,
{
assert!(self.trace_states.is_empty(), "trace sates have already been set");
// save the evaluations with the current and next evaluations interleaved for each polynomial
let (main_and_aux_trace_states, lagrange_trace_states) = trace_ood_frame.to_trace_states();
// there are 2 frames: current and next
let frame_size: u8 = 2;
self.trace_states.write_u8(frame_size);
self.trace_states.write_many(&main_and_aux_trace_states);
// save the Lagrange kernel evaluation frame (if any)
{
// trace states length will be smaller than u8::MAX, since it is `== log2(trace_len) + 1`
debug_assert!(lagrange_trace_states.len() < u8::MAX.into());
self.lagrange_kernel_trace_states.write_u8(lagrange_trace_states.len() as u8);
self.lagrange_kernel_trace_states.write_many(&lagrange_trace_states);
};
let elements_to_hash: Vec<E> =
main_and_aux_trace_states.into_iter().chain(lagrange_trace_states).collect();
H::hash_elements(&elements_to_hash)
}
/// Updates constraint evaluation portion of this out-of-domain frame.
///
/// # Panics
/// Panics if:
/// * Constraint evaluations have already been set.
/// * `evaluations` is an empty vector.
pub fn set_constraint_evaluations<E: FieldElement>(&mut self, evaluations: &[E]) {
assert!(self.evaluations.is_empty(), "constraint evaluations have already been set");
assert!(!evaluations.is_empty(), "cannot set to empty constraint evaluations");
self.evaluations.write_many(evaluations);
}
// PARSER
// --------------------------------------------------------------------------------------------
/// Returns an out-of-domain trace frame and a vector of out-of-domain constraint evaluations
/// contained in `self`.
///
/// # Panics
/// Panics if either `main_trace_width` or `num_evaluations` are equal to zero.
///
/// # Errors
/// Returns an error if:
/// * Valid [`crate::EvaluationFrame`]s for the specified `main_trace_width` and
/// `aux_trace_width` could not be parsed from the internal bytes.
/// * A vector of evaluations specified by `num_evaluations` could not be parsed from the
/// internal bytes.
/// * Any unconsumed bytes remained after the parsing was complete.
pub fn parse<E: FieldElement>(
self,
main_trace_width: usize,
aux_trace_width: usize,
num_evaluations: usize,
) -> Result<(TraceOodFrame<E>, Vec<E>), DeserializationError> {
assert!(main_trace_width > 0, "trace width cannot be zero");
assert!(num_evaluations > 0, "number of evaluations cannot be zero");
// parse Lagrange kernel column trace, if any
let mut reader = SliceReader::new(&self.lagrange_kernel_trace_states);
let lagrange_kernel_frame_size = reader.read_u8()? as usize;
let lagrange_kernel_frame = if lagrange_kernel_frame_size > 0 {
let lagrange_kernel_trace = reader.read_many(lagrange_kernel_frame_size)?;
Some(LagrangeKernelEvaluationFrame::new(lagrange_kernel_trace))
} else {
None
};
// if there is a Lagrange kernel, we treat its associated entries separately above
let aux_trace_width = aux_trace_width - (lagrange_kernel_frame.is_some() as usize);
// parse main and auxiliary trace evaluation frames. This does the reverse operation done in
// `set_trace_states()`.
let (current_row, next_row) = {
let mut reader = SliceReader::new(&self.trace_states);
let frame_size = reader.read_u8()? as usize;
let trace = reader.read_many((main_trace_width + aux_trace_width) * frame_size)?;
if reader.has_more_bytes() {
return Err(DeserializationError::UnconsumedBytes);
}
let mut current_row = Vec::with_capacity(main_trace_width);
let mut next_row = Vec::with_capacity(main_trace_width);
for col in trace.chunks_exact(2) {
current_row.push(col[0]);
next_row.push(col[1]);
}
(current_row, next_row)
};
// parse the constraint evaluations
let mut reader = SliceReader::new(&self.evaluations);
let evaluations = reader.read_many(num_evaluations)?;
if reader.has_more_bytes() {
return Err(DeserializationError::UnconsumedBytes);
}
Ok((
TraceOodFrame::new(current_row, next_row, main_trace_width, lagrange_kernel_frame),
evaluations,
))
}
}
// SERIALIZATION
// ================================================================================================
impl Serializable for OodFrame {
/// Serializes `self` and writes the resulting bytes into the `target`.
fn write_into<W: ByteWriter>(&self, target: &mut W) {
// write trace rows
target.write_u16(self.trace_states.len() as u16);
target.write_bytes(&self.trace_states);
// write Lagrange kernel column trace rows
target.write_u16(self.lagrange_kernel_trace_states.len() as u16);
target.write_bytes(&self.lagrange_kernel_trace_states);
// write constraint evaluations row
target.write_u16(self.evaluations.len() as u16);
target.write_bytes(&self.evaluations)
}
/// Returns an estimate of how many bytes are needed to represent self.
fn get_size_hint(&self) -> usize {
self.trace_states.len() + self.evaluations.len() + 4
}
}
impl Deserializable for OodFrame {
/// Reads a OOD frame from the specified `source` and returns the result
///
/// # Errors
/// Returns an error of a valid OOD frame could not be read from the specified `source`.
fn read_from<R: ByteReader>(source: &mut R) -> Result<Self, DeserializationError> {
// read trace rows
let num_trace_state_bytes = source.read_u16()? as usize;
let trace_states = source.read_vec(num_trace_state_bytes)?;
// read Lagrange kernel column trace rows
let num_lagrange_state_bytes = source.read_u16()? as usize;
let lagrange_kernel_trace_states = source.read_vec(num_lagrange_state_bytes)?;
// read constraint evaluations row
let num_constraint_evaluation_bytes = source.read_u16()? as usize;
let evaluations = source.read_vec(num_constraint_evaluation_bytes)?;
Ok(OodFrame {
trace_states,
lagrange_kernel_trace_states,
evaluations,
})
}
}
// OOD FRAME TRACE STATES
// ================================================================================================
/// Stores the trace evaluations at `z` and `gz`, where `z` is a random Field element in
/// `current_row` and `next_row`, respectively. If the Air contains a Lagrange kernel auxiliary
/// column, then that column interpolated polynomial will be evaluated at `z`, `gz`, `g^2 z`, ...
/// `g^(2^(v-1)) z`, where `v == log(trace_len)`, and stored in `lagrange_kernel_frame`.
pub struct TraceOodFrame<E: FieldElement> {
current_row: Vec<E>,
next_row: Vec<E>,
main_trace_width: usize,
lagrange_kernel_frame: Option<LagrangeKernelEvaluationFrame<E>>,
}
impl<E: FieldElement> TraceOodFrame<E> {
/// Creates a new [`TraceOodFrame`] from current, next and optionally Lagrange kernel frames.
pub fn new(
current_row: Vec<E>,
next_row: Vec<E>,
main_trace_width: usize,
lagrange_kernel_frame: Option<LagrangeKernelEvaluationFrame<E>>,
) -> Self {
assert_eq!(current_row.len(), next_row.len());
Self {
current_row,
next_row,
main_trace_width,
lagrange_kernel_frame,
}
}
/// Returns the number of columns for the current and next frames.
pub fn num_columns(&self) -> usize {
self.current_row.len()
}
/// Returns the current row, consisting of both main and auxiliary columns.
pub fn current_row(&self) -> &[E] {
&self.current_row
}
/// Returns the next frame, consisting of both main and auxiliary columns.
pub fn next_row(&self) -> &[E] {
&self.next_row
}
/// Returns the evaluation frame for the main trace
pub fn main_frame(&self) -> EvaluationFrame<E> {
let current = self.current_row[0..self.main_trace_width].to_vec();
let next = self.next_row[0..self.main_trace_width].to_vec();
EvaluationFrame::from_rows(current, next)
}
/// Returns the evaluation frame for the auxiliary trace
pub fn aux_frame(&self) -> Option<EvaluationFrame<E>> {
if self.has_aux_frame() {
let current = self.current_row[self.main_trace_width..].to_vec();
let next = self.next_row[self.main_trace_width..].to_vec();
Some(EvaluationFrame::from_rows(current, next))
} else {
None
}
}
/// Hashes the main, auxiliary and Lagrange kernel frame in a manner consistent with
/// [`OodFrame::set_trace_states`], with the purpose of reseeding the public coin.
pub fn hash<H: ElementHasher<BaseField = E::BaseField>>(&self) -> H::Digest {
let (mut trace_states, mut lagrange_trace_states) = self.to_trace_states();
trace_states.append(&mut lagrange_trace_states);
H::hash_elements(&trace_states)
}
/// Returns the Lagrange kernel frame, if any.
pub fn lagrange_kernel_frame(&self) -> Option<&LagrangeKernelEvaluationFrame<E>> {
self.lagrange_kernel_frame.as_ref()
}
/// Returns true if an auxiliary frame is present
fn has_aux_frame(&self) -> bool {
self.current_row.len() > self.main_trace_width
}
/// Returns the main/aux frame and Lagrange kernel frame as element vectors. Specifically, the
/// main and auxiliary frames are interleaved, as described in [`OodFrame::set_trace_states`].
fn to_trace_states(&self) -> (Vec<E>, Vec<E>) {
let mut main_and_aux_frame_states = Vec::new();
for col in 0..self.current_row.len() {
main_and_aux_frame_states.push(self.current_row[col]);
main_and_aux_frame_states.push(self.next_row[col]);
}
let lagrange_frame_states = match self.lagrange_kernel_frame {
Some(ref lagrange_kernel_frame) => lagrange_kernel_frame.inner().to_vec(),
None => Vec::new(),
};
(main_and_aux_frame_states, lagrange_frame_states)
}
}