Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Refactor MSM: Use VariableBaseMSM trait #425

Merged
merged 22 commits into from
Jun 30, 2022
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
Show all changes
22 commits
Select commit Hold shift + click to select a range
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
3 changes: 2 additions & 1 deletion CHANGELOG.md
Original file line number Diff line number Diff line change
Expand Up @@ -32,7 +32,8 @@
- [\#393](https://github.com/arkworks-rs/algebra/pull/393) (`ark-ec`, `ark-ff`) Rename `FpXParams` to `FpXConfig` and `FpXParamsWrapper` to `FpXConfigWrapper`.
- [\#396](https://github.com/arkworks-rs/algebra/pull/396) (`ark-ec`) Remove `mul_bits` feature, and remove default implementations of `mul` and `mul_by_cofactor_to_projective`.
- [\#408](https://github.com/arkworks-rs/algebra/pull/408) (`ark-ff`) Change the output of `Display` formatting for BigInt & Fp from hex to decimal.
- [\#412](https://github.com/arkworks-rs/algebra/pull/412) (`ark-poly`) rename UV/MVPolynomial to DenseUV/MVPolynomial
- [\#412](https://github.com/arkworks-rs/algebra/pull/412) (`ark-poly`) Rename UV/MVPolynomial to DenseUV/MVPolynomial.
- [\#425](https://github.com/arkworks-rs/algebra/pull/425) (`ark-ec`) Refactor `VariableBase` struct to `VariableBaseMSM` trait and implement it for `GroupProjective`.

### Features

Expand Down
20 changes: 19 additions & 1 deletion ec/src/models/short_weierstrass_jacobian.rs
Original file line number Diff line number Diff line change
Expand Up @@ -16,7 +16,9 @@ use ark_ff::{
ToConstraintField, UniformRand,
};

use crate::{models::SWModelParameters as Parameters, AffineCurve, ProjectiveCurve};
use crate::{
models::SWModelParameters as Parameters, msm::VariableBaseMSM, AffineCurve, ProjectiveCurve,
};

use num_traits::{One, Zero};
use zeroize::Zeroize;
Expand Down Expand Up @@ -919,3 +921,19 @@ where
GroupAffine::from(*self).to_field_elements()
}
}

impl<P: Parameters> VariableBaseMSM for GroupProjective<P> {
type MSMBase = GroupAffine<P>;

type Scalar = <Self as ProjectiveCurve>::ScalarField;

#[inline]
fn _double_in_place(&mut self) -> &mut Self {
self.double_in_place()
}

#[inline]
fn _add_assign_mixed(&mut self, other: &Self::MSMBase) {
self.add_assign_mixed(other)
}
}
107 changes: 69 additions & 38 deletions ec/src/msm/variable_base/mod.rs
Original file line number Diff line number Diff line change
@@ -1,43 +1,76 @@
use ark_ff::{prelude::*, PrimeField};
use ark_std::{borrow::Borrow, iterable::Iterable, ops::AddAssign, vec::Vec};

use crate::{AffineCurve, ProjectiveCurve};
use ark_std::{
borrow::Borrow,
iterable::Iterable,
ops::{Add, AddAssign},
vec::Vec,
};

#[cfg(feature = "parallel")]
use rayon::prelude::*;

pub mod stream_pippenger;
pub use stream_pippenger::*;

pub struct VariableBase;
pub trait VariableBaseMSM:
Eq
+ Sized
+ Sync
+ Zero
+ Clone
+ Copy
+ Send
+ AddAssign<Self>
+ for<'a> AddAssign<&'a Self>
+ for<'a> Add<&'a Self, Output = Self>
{
type MSMBase: Sync + Copy;

type Scalar: PrimeField;

#[doc(hidden)]
fn _double_in_place(&mut self) -> &mut Self;

#[doc(hidden)]
fn _add_assign_mixed(&mut self, other: &Self::MSMBase);

impl VariableBase {
/// Optimized implementation of multi-scalar multiplication.
///
/// Will return `None` if `bases` and `scalar` have different lengths.
/// Multiply the [`PrimeField`] elements in `scalars` with the
/// respective group elements in `bases` and sum the resulting set.
///
/// <section class="warning">
///
/// Reference: [`VariableBase::msm`]
pub fn msm_checked_len<G: AffineCurve>(
bases: &[G],
scalars: &[<G::ScalarField as PrimeField>::BigInt],
) -> Option<G::Projective> {
(bases.len() == scalars.len()).then(|| Self::msm(bases, scalars))
/// If the elements have different length, it will chop the slices to the
/// shortest length between `scalars.len()` and `bases.len()`.
///
/// </section>
fn msm(bases: &[Self::MSMBase], scalars: &[Self::Scalar]) -> Self {
let bigints = cfg_into_iter!(scalars)
.map(|s| s.into_bigint())
.collect::<Vec<_>>();
Self::msm_bigint(bases, &bigints)
}

/// Optimized implementation of multi-scalar multiplication.
/// Optimized implementation of multi-scalar multiplication, that checks bounds.
///
/// Will multiply the tuples of the diagonal product of `bases × scalars`
/// and sum the resulting set. Will iterate only for the elements of the
/// smallest of the two sets, ignoring the remaining elements of the biggest
/// set.
/// Performs `Self::msm`, checking that `bases` and `scalars` have the same length.
/// If the length are not equal, returns an error containing the shortest legth over which msm can be performed.
///
/// ∑i (Bi · Si)
pub fn msm<G: AffineCurve>(
bases: &[G],
scalars: &[<G::ScalarField as PrimeField>::BigInt],
) -> G::Projective {
let size = ark_std::cmp::min(bases.len(), scalars.len());
let scalars = &scalars[..size];
/// Reference: [`VariableBaseMSM::msm`]
fn msm_checked(bases: &[Self::MSMBase], scalars: &[Self::Scalar]) -> Result<Self, usize> {
(bases.len() == scalars.len())
.then(|| Self::msm(bases, scalars))
.ok_or(usize::min(bases.len(), scalars.len()))
}

/// Optimized implementation of multi-scalar multiplication.
fn msm_bigint(
bases: &[Self::MSMBase],
bigints: &[<Self::Scalar as PrimeField>::BigInt],
) -> Self {
let size = ark_std::cmp::min(bases.len(), bigints.len());
let scalars = &bigints[..size];
let bases = &bases[..size];
let scalars_and_bases_iter = scalars.iter().zip(bases).filter(|(s, _)| !s.is_zero());

Expand All @@ -47,10 +80,10 @@ impl VariableBase {
super::ln_without_floats(size) + 2
};

let num_bits = G::ScalarField::MODULUS_BIT_SIZE as usize;
let fr_one = G::ScalarField::one().into_bigint();
let num_bits = Self::Scalar::MODULUS_BIT_SIZE as usize;
let fr_one = Self::Scalar::one().into_bigint();

let zero = G::Projective::zero();
let zero = Self::zero();
let window_starts: Vec<_> = (0..num_bits).step_by(c).collect();

// Each window is of size `c`.
Expand All @@ -67,7 +100,7 @@ impl VariableBase {
if scalar == fr_one {
// We only process unit scalars once in the first window.
if w_start == 0 {
res.add_assign_mixed(base);
res._add_assign_mixed(base);
}
} else {
let mut scalar = scalar;
Expand All @@ -83,7 +116,7 @@ impl VariableBase {
// bucket.
// (Recall that `buckets` doesn't have a zero bucket.)
if scalar != 0 {
buckets[(scalar - 1) as usize].add_assign_mixed(base);
buckets[(scalar - 1) as usize]._add_assign_mixed(base);
}
}
});
Expand All @@ -102,7 +135,7 @@ impl VariableBase {

// `running_sum` = sum_{j in i..num_buckets} bucket[j],
// where we iterate backward from i = num_buckets to 0.
let mut running_sum = G::Projective::zero();
let mut running_sum = Self::zero();
buckets.into_iter().rev().for_each(|b| {
running_sum += &b;
res += &running_sum;
Expand All @@ -122,21 +155,19 @@ impl VariableBase {
.fold(zero, |mut total, sum_i| {
total += sum_i;
for _ in 0..c {
total.double_in_place();
total._double_in_place();
}
total
})
}
/// Streaming multi-scalar multiplication algorithm with hard-coded chunk
/// size.
pub fn msm_chunks<G, F, I: ?Sized, J>(bases_stream: &J, scalars_stream: &I) -> G::Projective
fn msm_chunks<I: ?Sized, J>(bases_stream: &J, scalars_stream: &I) -> Self
where
G: AffineCurve<ScalarField = F>,
I: Iterable,
F: PrimeField,
I::Item: Borrow<F>,
I::Item: Borrow<Self::Scalar>,
J: Iterable,
J::Item: Borrow<G>,
J::Item: Borrow<Self::MSMBase>,
{
assert!(scalars_stream.len() <= bases_stream.len());

Expand All @@ -149,7 +180,7 @@ impl VariableBase {
// See <https://github.com/rust-lang/rust/issues/77404>
let mut bases = bases_init.skip(bases_stream.len() - scalars_stream.len());
let step: usize = 1 << 20;
let mut result = G::Projective::zero();
let mut result = Self::zero();
for _ in 0..(scalars_stream.len() + step - 1) / step {
let bases_step = (&mut bases)
.take(step)
Expand All @@ -159,7 +190,7 @@ impl VariableBase {
.take(step)
.map(|s| s.borrow().into_bigint())
.collect::<Vec<_>>();
result.add_assign(crate::msm::VariableBase::msm(
result.add_assign(Self::msm_bigint(
bases_step.as_slice(),
scalars_step.as_slice(),
));
Expand Down
40 changes: 24 additions & 16 deletions ec/src/msm/variable_base/stream_pippenger.rs
Original file line number Diff line number Diff line change
Expand Up @@ -5,6 +5,8 @@ use ark_ff::{PrimeField, Zero};
use ark_std::{borrow::Borrow, ops::AddAssign, vec::Vec};
use hashbrown::HashMap;

use super::VariableBaseMSM;

/// Struct for the chunked Pippenger algorithm.
pub struct ChunkedPippenger<G: AffineCurve> {
scalars_buffer: Vec<<G::ScalarField as PrimeField>::BigInt>,
Expand All @@ -13,7 +15,11 @@ pub struct ChunkedPippenger<G: AffineCurve> {
buf_size: usize,
}

impl<G: AffineCurve> ChunkedPippenger<G> {
impl<G> ChunkedPippenger<G>
where
G: AffineCurve,
G::Projective: VariableBaseMSM<MSMBase = G, Scalar = G::ScalarField>,
{
/// Initialize a chunked Pippenger instance with default parameters.
pub fn new(max_msm_buffer: usize) -> Self {
Self {
Expand Down Expand Up @@ -44,10 +50,11 @@ impl<G: AffineCurve> ChunkedPippenger<G> {
self.scalars_buffer.push(*scalar.borrow());
self.bases_buffer.push(*base.borrow());
if self.scalars_buffer.len() == self.buf_size {
self.result.add_assign(crate::msm::VariableBase::msm(
self.bases_buffer.as_slice(),
self.scalars_buffer.as_slice(),
));
self.result
.add_assign(<G::Projective as VariableBaseMSM>::msm_bigint(
self.bases_buffer.as_slice(),
self.scalars_buffer.as_slice(),
));
self.scalars_buffer.clear();
self.bases_buffer.clear();
}
Expand All @@ -57,10 +64,11 @@ impl<G: AffineCurve> ChunkedPippenger<G> {
#[inline(always)]
pub fn finalize(mut self) -> G::Projective {
if !self.scalars_buffer.is_empty() {
self.result.add_assign(crate::msm::VariableBase::msm(
self.bases_buffer.as_slice(),
self.scalars_buffer.as_slice(),
));
self.result
.add_assign(<G::Projective as VariableBaseMSM>::msm_bigint(
self.bases_buffer.as_slice(),
self.scalars_buffer.as_slice(),
));
}
self.result
}
Expand All @@ -73,7 +81,11 @@ pub struct HashMapPippenger<G: AffineCurve> {
buf_size: usize,
}

impl<G: AffineCurve> HashMapPippenger<G> {
impl<G> HashMapPippenger<G>
where
G: AffineCurve,
G::Projective: VariableBaseMSM<MSMBase = G, Scalar = G::ScalarField>,
{
/// Produce a new hash map with the maximum msm buffer size.
pub fn new(max_msm_buffer: usize) -> Self {
Self {
Expand Down Expand Up @@ -104,9 +116,7 @@ impl<G: AffineCurve> HashMapPippenger<G> {
.map(|s| s.into_bigint())
.collect::<Vec<_>>();
self.result
.add_assign(crate::msm::variable_base::VariableBase::msm(
&bases, &scalars,
));
.add_assign(G::Projective::msm_bigint(&bases, &scalars));
self.buffer.clear();
}
}
Expand All @@ -123,9 +133,7 @@ impl<G: AffineCurve> HashMapPippenger<G> {
.collect::<Vec<_>>();

self.result
.add_assign(crate::msm::variable_base::VariableBase::msm(
&bases, &scalars,
));
.add_assign(G::Projective::msm_bigint(&bases, &scalars));
}
self.result
}
Expand Down
Loading