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
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
//! Private test utilities - Do Not Use!
//!
//! This module is activated by the "_integration_tests" feature and should not be used by
//! downstream code. It can change in any version.
use std::convert::Infallible;
use std::env;
use std::fmt::Debug;
use std::path::Path;

use anyhow::Result;
use bitvec::field::BitField;
use bitvec::order::Lsb0;
use bitvec::prelude::BitSlice;
use bitvec::vec;
use bitvec::view::BitViewSized;
use itertools::Itertools;
use once_cell::sync::Lazy;
use parking_lot::Mutex;
use rand::distributions::Standard;
use rand::prelude::Distribution;
use rand::rngs::ThreadRng;
use rand::{thread_rng, Rng, SeedableRng};
use rand_chacha::ChaCha8Rng;
use seec_channel::sub_channel;
use tokio::task::spawn_blocking;
use tokio::time::Instant;
use tracing::{debug, info};
use tracing_subscriber::util::SubscriberInitExt;
use tracing_subscriber::EnvFilter;

use crate::circuit::base_circuit::Load;
use crate::circuit::ExecutableCircuit;
use crate::circuit::{BaseCircuit, BooleanGate, GateIdx};
use crate::common::BitVec;
use crate::executor::{Executor, Input};
use crate::gate::base::BaseGate;
use crate::mul_triple::{arithmetic, boolean};
use crate::protocols::arithmetic_gmw::{AdditiveSharing, ArithmeticGmw};
use crate::protocols::boolean_gmw::{BooleanGmw, XorSharing};
use crate::protocols::mixed_gmw::{self, MixedGmw, MixedShareStorage, MixedSharing};
use crate::protocols::{FunctionDependentSetup, Protocol, Ring, ScalarDim, Share, Sharing};

pub trait ProtocolTestExt: Protocol + Default {
    type InsecureSetup<Idx: GateIdx>: FunctionDependentSetup<Self, Idx, Error = Infallible>
        + Default
        + Clone
        + Send
        + Sync;
}

impl ProtocolTestExt for BooleanGmw {
    type InsecureSetup<Idx: GateIdx> = boolean::insecure_provider::InsecureMTProvider;
}

impl<R: Ring> ProtocolTestExt for ArithmeticGmw<R> {
    type InsecureSetup<Idx: GateIdx> = arithmetic::insecure_provider::InsecureMTProvider<R>;
}

impl<R> ProtocolTestExt for MixedGmw<R>
where
    R: Ring,
    Standard: Distribution<R>,
    [R; 1]: BitViewSized,
{
    type InsecureSetup<Idx: GateIdx> = mixed_gmw::InsecureMixedSetup<R>;
}

pub fn create_and_tree(depth: u32) -> BaseCircuit<bool> {
    let total_nodes = 2_u32.pow(depth);
    let mut layer_count = total_nodes / 2;
    let mut circuit = BaseCircuit::new();

    let mut previous_layer: Vec<_> = (0..layer_count)
        .map(|_| circuit.add_gate(BooleanGate::Base(BaseGate::Input(ScalarDim))))
        .collect();
    while layer_count > 1 {
        layer_count /= 2;
        previous_layer = previous_layer
            .into_iter()
            .tuples()
            .map(|(from_a, from_b)| circuit.add_wired_gate(BooleanGate::And, &[from_a, from_b]))
            .collect();
    }
    debug_assert_eq!(1, previous_layer.len());
    circuit.add_wired_gate(
        BooleanGate::Base(BaseGate::Output(ScalarDim)),
        &[previous_layer[0]],
    );
    circuit
}

/// Initializes tracing subscriber with EnvFilter for usage in tests. This should be the first call
/// in each test, with the returned value being assigned to a variable to prevent dropping.
/// Output can be configured via RUST_LOG env variable as explained
/// [here](https://docs.rs/tracing-subscriber/latest/tracing_subscriber/struct.EnvFilter.html)
///
/// ```ignore
/// use seec::private_test_utils::init_tracing;
/// fn some_test() {
///     let _guard = init_tracing();
/// }
/// ```
pub fn init_tracing() -> tracing::dispatcher::DefaultGuard {
    tracing_subscriber::fmt()
        .with_env_filter(EnvFilter::from_default_env())
        .with_test_writer()
        .set_default()
}

#[derive(Debug)]
pub enum TestChannel {
    InMemory,
    Tcp,
}

pub trait IntoShares<S: Sharing> {
    fn into_shares(self) -> (S::Shared, S::Shared);
}

pub trait IntoInput<S: Sharing> {
    fn into_input(self) -> (S::Shared, S::Shared);
}

pub struct ToBool<R>(pub R);

macro_rules! impl_into_shares {
    ($($typ:ty),+) => {
        $(
            impl IntoShares<XorSharing<ThreadRng>> for $typ {
                fn into_shares(self) -> (BitVec<usize>, BitVec<usize>) {
                    let mut a = vec::BitVec::repeat(false, <$typ>::BITS as usize);
                    a.store(self);
                    let [a, b] = XorSharing::new(thread_rng()).share(a);
                    (a, b)
                }
            }

            impl IntoShares<AdditiveSharing<$typ, ThreadRng>> for $typ {
                fn into_shares(self) -> (Vec<$typ>, Vec<$typ>) {
                    let [a, b] = AdditiveSharing::new(thread_rng()).share(vec![self]);
                    (a, b)
                }
            }

            impl IntoShares<MixedSharing<XorSharing<ThreadRng>, AdditiveSharing<$typ, ThreadRng>, $typ>>
                for $typ
            {
                fn into_shares(self) -> (MixedShareStorage<$typ>, MixedShareStorage<$typ>) {
                    static RNG: Lazy<Mutex<ChaCha8Rng>> = Lazy::new(|| {
                        let seed = match env::var("RNG_SEED") {
                            Ok(seed) => seed.parse().expect("failed to parse RNG_SEED env var as u64"),
                            Err(_) => thread_rng().gen()
                        };
                        debug!(seed, "Input sharing rng seed");
                        Mutex::new(ChaCha8Rng::seed_from_u64(seed))
                    });
                    let mut rng = RNG.lock();
                    // let [a, b] = AdditiveSharing::new(ChaCha8Rng::seed_from_u64(65432)).share(vec![self]);
                    let [a, b] = AdditiveSharing::new(&mut *rng).share(vec![self]);
                    (MixedShareStorage::Arith(a), MixedShareStorage::Arith(b))
                }
            }

            impl IntoShares<MixedSharing<XorSharing<ThreadRng>, AdditiveSharing<$typ, ThreadRng>, $typ>> for ToBool<$typ> {
                fn into_shares(self) -> (MixedShareStorage<$typ>, MixedShareStorage<$typ>) {
                    // use xor bool sharing
                    let (a, b) = IntoShares::<XorSharing<ThreadRng>>::into_shares(self.0);
                    (MixedShareStorage::Bool(a), MixedShareStorage::Bool(b))
                }
            }


            impl<T: IntoShares<AdditiveSharing<$typ, ThreadRng>>> IntoInput<AdditiveSharing<$typ, ThreadRng>>
                for T
            {
                fn into_input(self) -> (Vec<$typ>, Vec<$typ>) {
                    self.into_shares()
                }
            }
        )*
    };
}

impl_into_shares!(u8, u16, u32, u64, u128);

impl IntoShares<XorSharing<ThreadRng>> for bool {
    fn into_shares(self) -> (BitVec<usize>, BitVec<usize>)
    where
        BitSlice<u8, Lsb0>: BitField,
    {
        let a = BitVec::repeat(false, 1);
        let b = BitVec::repeat(self, 1);
        (a, b)
    }
}

impl<R> IntoShares<MixedSharing<XorSharing<ThreadRng>, AdditiveSharing<R, ThreadRng>, R>> for bool
where
    R: Ring,
    Standard: Distribution<R>,
{
    fn into_shares(self) -> (MixedShareStorage<R>, MixedShareStorage<R>)
    where
        BitSlice<u8, Lsb0>: BitField,
    {
        let a = BitVec::repeat(false, 1);
        let b = BitVec::repeat(self, 1);
        (MixedShareStorage::Bool(a), MixedShareStorage::Bool(b))
    }
}

impl<T: IntoShares<XorSharing<ThreadRng>>> IntoInput<XorSharing<ThreadRng>> for T {
    fn into_input(self) -> (BitVec<usize>, BitVec<usize>) {
        self.into_shares()
    }
}

impl<S: Sharing, T: IntoShares<S>> IntoInput<S> for (T,) {
    fn into_input(self) -> (S::Shared, S::Shared) {
        self.0.into_shares()
    }
}

impl<S, T1, T2> IntoInput<S> for (T1, T2)
where
    S: Sharing,
    T1: IntoShares<S>,
    T2: IntoShares<S>,
    S::Shared: Extend<S::Plain>,
    S::Shared: IntoIterator<Item = S::Plain>,
{
    fn into_input(self) -> (S::Shared, S::Shared) {
        let (mut p1, mut p2) = self.0.into_shares();
        let second_input = self.1.into_shares();
        p1.extend(second_input.0);
        p2.extend(second_input.1);
        (p1, p2)
    }
}

impl<S, T1, T2, T3> IntoInput<S> for (T1, T2, T3)
where
    S: Sharing,
    T1: IntoShares<S>,
    T2: IntoShares<S>,
    T3: IntoShares<S>,
    S::Shared: Extend<S::Plain>,
    S::Shared: IntoIterator<Item = S::Plain>,
{
    fn into_input(self) -> (S::Shared, S::Shared) {
        let (mut p1, mut p2) = self.0.into_shares();
        let second_input = self.1.into_shares();
        let third_input = self.2.into_shares();
        p1.extend(second_input.0);
        p1.extend(third_input.0);
        p2.extend(second_input.1);
        p2.extend(third_input.1);
        (p1, p2)
    }
}

impl<S, T> IntoInput<S> for Vec<T>
where
    S: Sharing,
    T: IntoShares<S>,
    S::Shared: Extend<S::Plain>,
    S::Shared: IntoIterator<Item = S::Plain>,
{
    fn into_input(self) -> (S::Shared, S::Shared) {
        self.into_iter().fold(
            Default::default(),
            |(mut p1, mut p2): (S::Shared, S::Shared), inp| {
                let (s1, s2) = inp.into_shares();
                p1.extend(s1);
                p2.extend(s2);
                (p1, p2)
            },
        )
    }
}

/// This is kind of cursed...
impl IntoInput<XorSharing<ThreadRng>> for [BitVec<usize>; 2] {
    fn into_input(self) -> (BitVec<usize>, BitVec<usize>) {
        let [a, b] = self;
        (a, b)
    }
}

#[tracing::instrument(skip(inputs))]
pub async fn execute_bristol<I: IntoInput<XorSharing<ThreadRng>>>(
    bristol_file: impl AsRef<Path> + Debug,
    inputs: I,
    channel: TestChannel,
) -> Result<BitVec<usize>> {
    let path = bristol_file.as_ref().to_path_buf();
    let now = Instant::now();
    let bc = spawn_blocking(move || {
        BaseCircuit::<bool, BooleanGate, u32>::load_bristol(path, Load::Circuit)
    })
    .await??;
    info!(
        parsing_time = %now.elapsed().as_millis(),
        "Parsing bristol time (ms)"
    );
    let circuit = ExecutableCircuit::DynLayers(bc.into());
    execute_circuit::<BooleanGmw, _, _>(&circuit, inputs, channel).await
}

#[tracing::instrument(skip(circuit, inputs))]
pub async fn execute_circuit<P, Idx, S: Sharing>(
    circuit: &ExecutableCircuit<P::Plain, P::Gate, Idx>,
    inputs: impl IntoInput<S>,
    channel: TestChannel,
) -> Result<S::Shared>
where
    P: ProtocolTestExt<ShareStorage = S::Shared>,
    P::Share: Share<SimdShare = P::ShareStorage>,
    Idx: GateIdx,
    <P as Protocol>::ShareStorage: Send + Sync,
{
    let mt_provider = P::InsecureSetup::default();
    let (input_a, input_b) = inputs.into_input();
    let mut ex1: Executor<P, Idx> = Executor::new(circuit, 0, mt_provider.clone())
        .await
        .unwrap();
    let mut ex2: Executor<P, Idx> = Executor::new(circuit, 1, mt_provider).await.unwrap();
    let now = Instant::now();
    let (out1, out2) = match channel {
        TestChannel::InMemory => {
            let (mut t1, mut t2) = seec_channel::in_memory::new_pair(2);
            let h1 = ex1.execute(Input::Scalar(input_a), &mut t1.0, &mut t1.1);
            let h2 = ex2.execute(Input::Scalar(input_b), &mut t2.0, &mut t2.1);
            futures::try_join!(h1, h2)?
        }
        TestChannel::Tcp => {
            let (mut t1, mut t2) =
                seec_channel::tcp::new_local_pair::<seec_channel::Sender<_>>(None).await?;
            let (mut sub_t1, mut sub_t2) = tokio::try_join!(
                sub_channel(&mut t1.0, &mut t1.2, 2),
                sub_channel(&mut t2.0, &mut t2.2, 2)
            )?;
            let h1 = ex1.execute(Input::Scalar(input_a), &mut sub_t1.0, &mut sub_t1.1);
            let h2 = ex2.execute(Input::Scalar(input_b), &mut sub_t2.0, &mut sub_t2.1);
            let out = futures::try_join!(h1, h2)?;
            info!(
                bytes_sent = t1.1.get(),
                bytes_received = t1.3.get(),
                "Tcp communication"
            );
            out
        }
    };
    info!(exec_time = %now.elapsed().as_millis(), "Execution time (ms)");
    let out1 = out1.into_scalar().unwrap();
    let out2 = out2.into_scalar().unwrap();
    Ok(S::reconstruct([out1, out2]))
}