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
use bellperson::{Circuit, ConstraintSystem, SynthesisError};
use fil_sapling_crypto::circuit::{boolean, multipack, num, pedersen_hash};
use fil_sapling_crypto::jubjub::JubjubEngine;
use crate::circuit::constraint;
pub struct ParallelProofOfRetrievability<'a, E: JubjubEngine> {
pub params: &'a E::Params,
pub values: Vec<Option<E::Fr>>,
#[allow(clippy::type_complexity)]
pub auth_paths: Vec<Vec<Option<(E::Fr, bool)>>>,
pub root: Option<E::Fr>,
}
impl<'a, E: JubjubEngine> Circuit<E> for ParallelProofOfRetrievability<'a, E> {
fn synthesize<CS: ConstraintSystem<E>>(self, cs: &mut CS) -> Result<(), SynthesisError> {
assert_eq!(self.values.len(), self.auth_paths.len());
let real_root_value = self.root;
let rt = num::AllocatedNum::alloc(cs.namespace(|| "root value"), || {
real_root_value.ok_or(SynthesisError::AssignmentMissing)
})?;
for i in 0..self.values.len() {
let mut cs = cs.namespace(|| format!("round {}", i));
let params = self.params;
let value = self.values[i];
let auth_path = self.auth_paths[i].clone();
let value_num = num::AllocatedNum::alloc(cs.namespace(|| "value"), || {
value.ok_or_else(|| SynthesisError::AssignmentMissing)
})?;
value_num.inputize(cs.namespace(|| "value num"))?;
let mut cur = value_num;
let mut auth_path_bits = Vec::with_capacity(auth_path.len());
for (i, e) in auth_path.into_iter().enumerate() {
let cs = &mut cs.namespace(|| format!("merkle tree hash {}", i));
let cur_is_right = boolean::Boolean::from(boolean::AllocatedBit::alloc(
cs.namespace(|| "position bit"),
e.map(|e| e.1),
)?);
let path_element =
num::AllocatedNum::alloc(cs.namespace(|| "path element"), || {
Ok(e.ok_or(SynthesisError::AssignmentMissing)?.0)
})?;
let (xl, xr) = num::AllocatedNum::conditionally_reverse(
cs.namespace(|| "conditional reversal of preimage"),
&cur,
&path_element,
&cur_is_right,
)?;
let mut preimage = vec![];
preimage.extend(xl.into_bits_le(cs.namespace(|| "xl into bits"))?);
preimage.extend(xr.into_bits_le(cs.namespace(|| "xr into bits"))?);
cur = pedersen_hash::pedersen_hash(
cs.namespace(|| "computation of pedersen hash"),
pedersen_hash::Personalization::MerkleTree(i),
&preimage,
params,
)?
.get_x()
.clone();
auth_path_bits.push(cur_is_right);
}
multipack::pack_into_inputs(cs.namespace(|| "packed auth_path"), &auth_path_bits)?;
{
constraint::equal(&mut cs, || "enforce root is correct", &cur, &rt);
}
}
rt.inputize(cs.namespace(|| "root"))?;
Ok(())
}
}
#[cfg(test)]
mod tests {
use super::*;
use crate::circuit::test::*;
use crate::drgraph::{new_seed, BucketGraph, Graph};
use crate::fr32::{bytes_into_fr, fr_into_bytes};
use crate::hasher::pedersen::*;
use crate::merklepor;
use crate::proof::ProofScheme;
use crate::util::data_at_node;
use ff::Field;
use fil_sapling_crypto::jubjub::JubjubBls12;
use paired::bls12_381::*;
use rand::{Rng, SeedableRng, XorShiftRng};
#[test]
fn test_parallel_por_input_circuit_with_bls12_381() {
let params = &JubjubBls12::new();
let rng = &mut XorShiftRng::from_seed([0x3dbe6259, 0x8d313d76, 0x3237db17, 0xe5bc0654]);
let leaves = 16;
let pub_params = merklepor::PublicParams {
leaves,
private: false,
};
for _ in 0..5 {
let data: Vec<u8> = (0..leaves)
.flat_map(|_| fr_into_bytes::<Bls12>(&rng.gen()))
.collect();
let graph = BucketGraph::<PedersenHasher>::new(leaves, 6, 0, new_seed());
let tree = graph.merkle_tree(data.as_slice()).unwrap();
let pub_inputs: Vec<_> = (0..leaves)
.map(|i| merklepor::PublicInputs {
challenge: i,
commitment: Some(tree.root()),
})
.collect();
let priv_inputs: Vec<_> = (0..leaves)
.map(|i| {
merklepor::PrivateInputs::<PedersenHasher>::new(
bytes_into_fr::<Bls12>(
data_at_node(data.as_slice(), pub_inputs[i].challenge).unwrap(),
)
.unwrap()
.into(),
&tree,
)
})
.collect();
let proofs: Vec<_> = (0..leaves)
.map(|i| {
merklepor::MerklePoR::<PedersenHasher>::prove(
&pub_params,
&pub_inputs[i],
&priv_inputs[i],
)
.unwrap()
})
.collect();
for i in 0..leaves {
let is_valid = merklepor::MerklePoR::<PedersenHasher>::verify(
&pub_params,
&pub_inputs[i],
&proofs[i],
)
.expect("verification failed");
assert!(is_valid, "failed to verify merklepor proof");
}
let auth_paths: Vec<_> = proofs.iter().map(|p| p.proof.as_options()).collect();
let values: Vec<_> = proofs.iter().map(|p| Some(p.data.into())).collect();
let mut cs = TestConstraintSystem::<Bls12>::new();
let instance = ParallelProofOfRetrievability {
params,
values,
auth_paths,
root: Some(tree.root().into()),
};
instance
.synthesize(&mut cs)
.expect("failed to synthesize circuit");
assert!(cs.is_satisfied(), "constraints not satisfied");
assert_eq!(cs.num_inputs(), 34, "wrong number of inputs");
assert_eq!(cs.num_constraints(), 88497, "wrong number of constraints");
assert_eq!(cs.get_input(0, "ONE"), Fr::one());
}
}
}