1use triton_vm::prelude::*;
2use twenty_first::math::x_field_element::EXTENSION_DEGREE;
3
4use crate::prelude::*;
5
6#[derive(Debug, Default, Copy, Clone, Eq, PartialEq, Hash)]
21pub struct VerifyFriAuthenticationPaths;
22
23impl BasicSnippet for VerifyFriAuthenticationPaths {
24 fn inputs(&self) -> Vec<(DataType, String)> {
25 vec![
26 (DataType::U32, "dom_len_minus_one".to_owned()),
27 (DataType::U32, "xor_bitflag".to_owned()),
28 (
29 DataType::List(Box::new(DataType::Xfe)),
30 "*values_last_word".to_owned(),
31 ),
32 (
33 DataType::List(Box::new(DataType::U32)),
34 "*a_indices".to_owned(),
35 ),
36 (
37 DataType::List(Box::new(DataType::U32)),
38 "*a_indices_last_word".to_owned(),
39 ),
40 (DataType::Digest, "root".to_string()),
41 ]
42 }
43
44 fn outputs(&self) -> Vec<(DataType, String)> {
45 vec![]
46 }
47
48 fn entrypoint(&self) -> String {
49 "tasmlib_verifier_fri_verify_fri_authentication_paths".into()
50 }
51
52 fn code(&self, _library: &mut crate::library::Library) -> Vec<LabelledInstruction> {
53 let entrypoint = self.entrypoint();
54 let main_loop = format!("{entrypoint}_main_loop");
55
56 let loop_over_auth_paths_label = format!("{entrypoint}_loop_over_auth_path_elements");
57 let loop_over_auth_paths_code = triton_asm!(
58 {loop_over_auth_paths_label}:
59 merkle_step recurse_or_return );
62
63 triton_asm!(
64 {entrypoint}:
68 call {main_loop}
69 pop 5
73 pop 5
74 return
77
78
79 {main_loop}:
81 push 1
84 pick 6
87 read_mem 1
88 place 7
89 dup 11
92 and
93 dup 10
94 xor
95 push 0
100 push 0
101 pick 11
104 read_mem {EXTENSION_DEGREE}
105 place 14
106 call {loop_over_auth_paths_label}
109 pick 5 pick 6
113 pop 2
114 assert_vector
118 error_id 30
119 recurse_or_return
122
123 {&loop_over_auth_paths_code}
124 )
125 }
126}
127
128#[cfg(test)]
129mod tests {
130 use rand::distr::Distribution;
131 use rand::distr::StandardUniform;
132 use strum::EnumIter;
133 use strum::IntoEnumIterator;
134 use twenty_first::prelude::*;
135
136 use super::*;
137 use crate::U32_TO_USIZE_ERR;
138 use crate::rust_shadowing_helper_functions;
139 use crate::test_prelude::*;
140
141 #[derive(Clone, Debug, EnumIter, Copy)]
142 enum IndexType {
143 A,
144 B,
145 }
146
147 impl Distribution<IndexType> for StandardUniform {
148 fn sample<R: rand::Rng + ?Sized>(&self, rng: &mut R) -> IndexType {
149 if rng.random() {
150 IndexType::A
151 } else {
152 IndexType::B
153 }
154 }
155 }
156
157 impl Algorithm for VerifyFriAuthenticationPaths {
158 fn rust_shadow(
159 &self,
160 stack: &mut Vec<BFieldElement>,
161 memory: &mut HashMap<BFieldElement, BFieldElement>,
162 nondeterminism: &NonDeterminism,
163 ) {
164 let root = pop_encodable(stack);
165 let idx_last_elem = pop_encodable(stack);
166 let idx_end_condition = pop_encodable(stack);
167 let leaf_last_element_pointer = pop_encodable(stack);
168 let xor_bitflag = pop_encodable::<u32>(stack);
169 let dom_len_minus_one = pop_encodable::<u32>(stack);
170
171 let dom_len = dom_len_minus_one + 1;
172 let tree_height = dom_len.ilog2();
173
174 let mut auth_path_counter = 0;
175 let mut idx_element_pointer = idx_last_elem;
176 let mut leaf_pointer = leaf_last_element_pointer;
177 while idx_element_pointer != idx_end_condition {
178 let auth_path_len = usize::try_from(tree_height).expect(U32_TO_USIZE_ERR);
179 let auth_path_start = auth_path_counter * auth_path_len;
180 let auth_path_end = auth_path_start + auth_path_len;
181 let authentication_path =
182 nondeterminism.digests[auth_path_start..auth_path_end].to_vec();
183
184 let leaf_index_a_round_0: u32 = memory
185 .get(&idx_element_pointer)
186 .map(|x| x.value())
187 .unwrap_or_default()
188 .try_into()
189 .unwrap();
190 let node_index = (leaf_index_a_round_0 & dom_len_minus_one) ^ xor_bitflag;
191 let leaf_index = node_index ^ dom_len;
192
193 let read_word_from_mem =
194 |pointer: BFieldElement| memory.get(&pointer).copied().unwrap_or_default();
195 let leaf = XFieldElement::new([
196 read_word_from_mem(leaf_pointer - bfe!(2)),
197 read_word_from_mem(leaf_pointer - bfe!(1)),
198 read_word_from_mem(leaf_pointer),
199 ]);
200 let inclusion_proof = MerkleTreeInclusionProof {
201 tree_height,
202 indexed_leafs: vec![(leaf_index as usize, leaf.into())],
203 authentication_structure: authentication_path,
204 };
205 assert!(inclusion_proof.verify(root));
206
207 idx_element_pointer.decrement();
208 auth_path_counter += 1;
209 leaf_pointer -= bfe!(EXTENSION_DEGREE as u64);
210 }
211 }
212
213 fn pseudorandom_initial_state(
214 &self,
215 seed: [u8; 32],
216 bench_case: Option<BenchmarkCase>,
217 ) -> AlgorithmInitialState {
218 let mut rng = StdRng::from_seed(seed);
219
220 let (height, num_indices) = match bench_case {
222 Some(BenchmarkCase::CommonCase) => (10, 80),
223 Some(BenchmarkCase::WorstCase) => (20, 80),
224 None => (rng.random_range(6..=15), rng.random_range(2..10) as usize),
225 };
226
227 let index_type = rng.random();
228
229 self.prepare_state(&mut rng, height, num_indices, index_type)
230 }
231
232 fn corner_case_initial_states(&self) -> Vec<AlgorithmInitialState> {
233 let mut rng = StdRng::from_seed([42u8; 32]);
234
235 let mut test_cases = vec![];
236 for index_type in IndexType::iter() {
237 test_cases.push(self.prepare_state(&mut rng, 1, 1, index_type));
238 test_cases.push(self.prepare_state(&mut rng, 1, 1, index_type));
239 test_cases.push(self.prepare_state(&mut rng, 1, 1, index_type));
240 test_cases.push(self.prepare_state(&mut rng, 1, 1, index_type));
241 test_cases.push(self.prepare_state(&mut rng, 1, 1, index_type));
242 test_cases.push(self.prepare_state(&mut rng, 1, 2, index_type));
243 test_cases.push(self.prepare_state(&mut rng, 2, 1, index_type));
244 test_cases.push(self.prepare_state(&mut rng, 2, 2, index_type));
245 test_cases.push(self.prepare_state(&mut rng, 2, 3, index_type));
246 test_cases.push(self.prepare_state(&mut rng, 2, 4, index_type));
247 }
248
249 test_cases
250 }
251 }
252
253 impl VerifyFriAuthenticationPaths {
254 fn prepare_state(
255 &self,
256 rng: &mut StdRng,
257 height: u32,
258 num_indices: usize,
259 index_type: IndexType,
260 ) -> AlgorithmInitialState {
261 let dom_len = 1 << height;
263 let dom_len_minus_one = dom_len - 1;
264 let dom_len_half: u32 = dom_len / 2;
265
266 let xfe_leafs = (0..dom_len)
267 .map(|_| rng.random::<XFieldElement>())
268 .collect_vec();
269 let leafs_as_digest: Vec<Digest> =
270 xfe_leafs.iter().map(|&xfe| xfe.into()).collect_vec();
271 let tree = MerkleTree::par_new(&leafs_as_digest).unwrap();
272 let root = tree.root();
273
274 let a_indices = (0..num_indices)
275 .map(|_| rng.random_range(0..dom_len) as usize)
276 .collect_vec();
277
278 let indices_revealed = match index_type {
280 IndexType::A => a_indices.clone(),
281 IndexType::B => a_indices
282 .clone()
283 .into_iter()
284 .map(|x| (x + dom_len as usize / 2) & dom_len_minus_one as usize)
285 .collect_vec(),
286 };
287 let opened_leafs = indices_revealed.iter().map(|i| xfe_leafs[*i]).collect_vec();
288 let authentication_paths = indices_revealed
289 .iter()
290 .rev()
291 .map(|i| tree.authentication_structure(&[*i]).unwrap())
292 .collect_vec();
293 let a_indices: Vec<u32> = a_indices.into_iter().map(|idx| idx as u32).collect_vec();
294
295 let mut memory: HashMap<BFieldElement, BFieldElement> = HashMap::default();
297
298 let a_indices_pointer = BFieldElement::new(rng.next_u64() % (1 << 20));
299 rust_shadowing_helper_functions::list::list_insert(
300 a_indices_pointer,
301 a_indices,
302 &mut memory,
303 );
304
305 let leaf_pointer = BFieldElement::new(rng.next_u64() % (1 << 20) + (1 << 32));
306 rust_shadowing_helper_functions::list::list_insert(
307 leaf_pointer,
308 opened_leafs,
309 &mut memory,
310 );
311
312 let a_indices_last_word = a_indices_pointer + bfe!(num_indices as u64);
313 let leaf_pointer_last_word =
314 leaf_pointer + bfe!((EXTENSION_DEGREE * num_indices) as u64);
315 let dom_len_minus_one: u32 = dom_len - 1;
316 let xor_bitflag: u32 = match index_type {
317 IndexType::A => dom_len,
318 IndexType::B => dom_len_half + dom_len,
319 };
320
321 let mut stack = self.init_stack_for_isolated_run();
322 stack.push(bfe!(dom_len_minus_one));
323 stack.push(bfe!(xor_bitflag));
324 stack.push(leaf_pointer_last_word);
325 stack.push(a_indices_pointer);
326 stack.push(a_indices_last_word);
327 stack.push(root.0[4]);
328 stack.push(root.0[3]);
329 stack.push(root.0[2]);
330 stack.push(root.0[1]);
331 stack.push(root.0[0]);
332 let nondeterminism = NonDeterminism::default()
333 .with_digests(authentication_paths.into_iter().flatten().collect_vec())
334 .with_ram(memory);
335
336 AlgorithmInitialState {
337 stack,
338 nondeterminism,
339 }
340 }
341 }
342
343 #[test]
344 fn test() {
345 ShadowedAlgorithm::new(VerifyFriAuthenticationPaths).test();
346 }
347
348 #[proptest]
349 fn fri_authentication_fails_if_root_is_disturbed_slightly(
350 seed: [u8; 32],
351 #[strategy(0_usize..5)] perturbation_index: usize,
352 #[filter(#perturbation != 0)] perturbation: i8,
353 ) {
354 let mut initial_state = VerifyFriAuthenticationPaths.pseudorandom_initial_state(seed, None);
355 let top_of_stack = initial_state.stack.len() - 1;
356 initial_state.stack[top_of_stack - perturbation_index] += bfe!(perturbation);
357
358 test_assertion_failure(
359 &ShadowedAlgorithm::new(VerifyFriAuthenticationPaths),
360 initial_state.into(),
361 &[30],
362 );
363 }
364
365 #[proptest]
366 fn fri_authentication_fails_if_xor_bitflag_is_disturbed_slightly(seed: [u8; 32]) {
367 let mut initial_state = VerifyFriAuthenticationPaths.pseudorandom_initial_state(seed, None);
368 let top_of_stack = initial_state.stack.len() - 1;
369 let xor_bitflag = initial_state.stack.get_mut(top_of_stack - 8).unwrap();
370 *xor_bitflag *= bfe!(2); prop_assume!(u32::try_from(*xor_bitflag).is_ok());
372
373 test_assertion_failure(
374 &ShadowedAlgorithm::new(VerifyFriAuthenticationPaths),
375 initial_state.into(),
376 &[30],
377 );
378 }
379
380 #[proptest]
381 fn fri_authentication_fails_if_authentication_path_is_disturbed_slightly(
382 seed: [u8; 32],
383 digest_index: usize,
384 #[strategy(0_usize..5)] perturbation_index: usize,
385 #[filter(#perturbation != 0)] perturbation: i8,
386 ) {
387 let mut initial_state = VerifyFriAuthenticationPaths.pseudorandom_initial_state(seed, None);
388 let auth_paths = &mut initial_state.nondeterminism.digests;
389 let digest_index = digest_index % auth_paths.len();
390 let Digest(ref mut auth_path_element_innards) = auth_paths[digest_index];
391 auth_path_element_innards[perturbation_index] += bfe!(perturbation);
392
393 test_assertion_failure(
394 &ShadowedAlgorithm::new(VerifyFriAuthenticationPaths),
395 initial_state.into(),
396 &[30],
397 );
398 }
399
400 #[proptest]
401 fn fri_authentication_fails_if_a_index_is_disturbed_slightly(
402 seed: [u8; 32],
403 perturbation_index: usize,
404 #[filter(#perturbation != 0)] perturbation: i8,
405 ) {
406 let perturbation = bfe!(perturbation);
407
408 let mut initial_state = VerifyFriAuthenticationPaths.pseudorandom_initial_state(seed, None);
409 let top_of_stack = initial_state.stack.len() - 1;
410
411 let a_indices_pointer = initial_state.stack[top_of_stack - 6];
412 let a_indices_len = initial_state.nondeterminism.ram[&a_indices_pointer].value() as usize;
413 let perturbation_index = bfe!(perturbation_index % a_indices_len);
414
415 let perturbation_pointer = a_indices_pointer + bfe!(1) + perturbation_index;
416 let ram = &mut initial_state.nondeterminism.ram;
417 let a_index = ram.get_mut(&perturbation_pointer).unwrap();
418
419 let old_a_index = a_index.value();
420 *a_index += perturbation;
421 let new_a_index = a_index.value();
422 prop_assume!(u32::try_from(*a_index).is_ok());
423
424 let dom_len_minus_one = initial_state.stack[top_of_stack - 9].value();
426 let xor_bitflag = initial_state.stack[top_of_stack - 8].value();
427 let node_index = |i| (i & dom_len_minus_one) ^ xor_bitflag;
428 prop_assume!(node_index(old_a_index) != node_index(new_a_index));
429
430 test_assertion_failure(
431 &ShadowedAlgorithm::new(VerifyFriAuthenticationPaths),
432 initial_state.into(),
433 &[30],
434 );
435 }
436}
437
438#[cfg(test)]
439mod benches {
440 use super::*;
441 use crate::test_prelude::*;
442
443 #[test]
444 fn benchmark() {
445 ShadowedAlgorithm::new(VerifyFriAuthenticationPaths).bench();
446 }
447}