Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
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
9 changes: 8 additions & 1 deletion src/modular/boxed_residue.rs
Original file line number Diff line number Diff line change
Expand Up @@ -8,7 +8,7 @@ mod neg;
mod pow;
mod sub;

use super::reduction::montgomery_reduction_boxed;
use super::{reduction::montgomery_reduction_boxed, Retrieve};
use crate::{BoxedUint, Limb, NonZero, Word};
use subtle::CtOption;

Expand Down Expand Up @@ -183,6 +183,13 @@ impl BoxedResidue {
}
}

impl Retrieve for BoxedResidue {
type Output = BoxedUint;
fn retrieve(&self) -> BoxedUint {
self.retrieve()
}
}

#[cfg(test)]
mod tests {
use super::{BoxedResidueParams, BoxedUint};
Expand Down
1 change: 1 addition & 0 deletions src/uint/boxed.rs
Original file line number Diff line number Diff line change
Expand Up @@ -10,6 +10,7 @@ mod div;
pub(crate) mod encoding;
mod inv_mod;
mod mul;
mod mul_mod;
mod neg;
mod shl;
mod shr;
Expand Down
165 changes: 165 additions & 0 deletions src/uint/boxed/mul_mod.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,165 @@
//! [`BoxedUint`] modular multiplication operations.

use crate::{
modular::{BoxedResidue, BoxedResidueParams},
BoxedUint, Limb, MulMod, WideWord, Word,
};

impl BoxedUint {
/// Computes `self * rhs mod p` for odd `p`.
///
/// Panics if `p` is even.
// TODO(tarcieri): support for even `p`?
pub fn mul_mod(&self, rhs: &BoxedUint, p: &BoxedUint) -> BoxedUint {
// NOTE: the overhead of converting to Montgomery form to perform this operation and then
// immediately converting out of Montgomery form after just a single operation is likely to
// be higher than other possible implementations of this function, such as using a
// Barrett reduction instead.
//
// It's worth potentially exploring other approaches to improve efficiency.
match Option::<BoxedResidueParams>::from(BoxedResidueParams::new(p.clone())) {
Some(params) => {
let lhs = BoxedResidue::new(self, params.clone());
let rhs = BoxedResidue::new(rhs, params);
let ret = lhs * rhs;
ret.retrieve()
}
None => todo!("even moduli are currently unsupported"),
}
}

/// Computes `self * rhs mod p` for the special modulus
/// `p = MAX+1-c` where `c` is small enough to fit in a single [`Limb`].
///
/// For the modulus reduction, this function implements Algorithm 14.47 from
/// the "Handbook of Applied Cryptography", by A. Menezes, P. van Oorschot,
/// and S. Vanstone, CRC Press, 1996.
pub fn mul_mod_special(&self, rhs: &Self, c: Limb) -> Self {
debug_assert_eq!(self.bits_precision(), rhs.bits_precision());

// We implicitly assume `LIMBS > 0`, because `Uint<0>` doesn't compile.
// Still the case `LIMBS == 1` needs special handling.
if self.nlimbs() == 1 {
let prod = self.limbs[0].0 as WideWord * rhs.limbs[0].0 as WideWord;
let reduced = prod % Word::MIN.wrapping_sub(c.0) as WideWord;
return Self::from(reduced as Word);
}

let product = self.mul_wide(rhs);
let (lo_words, hi_words) = product.limbs.split_at(self.nlimbs());
let lo = BoxedUint::from(lo_words);
let hi = BoxedUint::from(hi_words);

// Now use Algorithm 14.47 for the reduction
let (lo, carry) = mac_by_limb(&lo, &hi, c, Limb::ZERO);

let (lo, carry) = {
let rhs = (carry.0 + 1) as WideWord * c.0 as WideWord;
lo.adc(&Self::from(rhs), Limb::ZERO)
};

let (lo, _) = {
let rhs = carry.0.wrapping_sub(1) & c.0;
lo.sbb(&Self::from(rhs), Limb::ZERO)
};

lo
}
}

impl MulMod for BoxedUint {
type Output = Self;

fn mul_mod(&self, rhs: &Self, p: &Self) -> Self {
self.mul_mod(rhs, p)
}
}

/// Computes `a + (b * c) + carry`, returning the result along with the new carry.
fn mac_by_limb(a: &BoxedUint, b: &BoxedUint, c: Limb, carry: Limb) -> (BoxedUint, Limb) {
let mut a = a.clone();
let mut carry = carry;

for i in 0..a.nlimbs() {
let (n, c) = a.limbs[i].mac(b.limbs[i], c, carry);
a.limbs[i] = n;
carry = c;
}

(a, carry)
}

#[cfg(all(test, feature = "rand"))]
mod tests {
use crate::{Limb, NonZero, Random, RandomMod, Uint};
use rand_core::SeedableRng;

macro_rules! test_mul_mod_special {
($size:expr, $test_name:ident) => {
#[test]
fn $test_name() {
let mut rng = rand_chacha::ChaCha8Rng::seed_from_u64(1);
let moduli = [
NonZero::<Limb>::random(&mut rng),
NonZero::<Limb>::random(&mut rng),
];

for special in &moduli {
let p =
&NonZero::new(Uint::ZERO.wrapping_sub(&Uint::from(special.get()))).unwrap();

let minus_one = p.wrapping_sub(&Uint::ONE);

let base_cases = [
(Uint::ZERO, Uint::ZERO, Uint::ZERO),
(Uint::ONE, Uint::ZERO, Uint::ZERO),
(Uint::ZERO, Uint::ONE, Uint::ZERO),
(Uint::ONE, Uint::ONE, Uint::ONE),
(minus_one, minus_one, Uint::ONE),
(minus_one, Uint::ONE, minus_one),
(Uint::ONE, minus_one, minus_one),
];
for (a, b, c) in &base_cases {
let x = a.mul_mod_special(&b, *special.as_ref());
assert_eq!(*c, x, "{} * {} mod {} = {} != {}", a, b, p, x, c);
}

for _i in 0..100 {
let a = Uint::<$size>::random_mod(&mut rng, p);
let b = Uint::<$size>::random_mod(&mut rng, p);

let c = a.mul_mod_special(&b, *special.as_ref());
assert!(c < **p, "not reduced: {} >= {} ", c, p);

let expected = {
let (lo, hi) = a.mul_wide(&b);
let mut prod = Uint::<{ 2 * $size }>::ZERO;
prod.limbs[..$size].clone_from_slice(&lo.limbs);
prod.limbs[$size..].clone_from_slice(&hi.limbs);
let mut modulus = Uint::ZERO;
modulus.limbs[..$size].clone_from_slice(&p.as_ref().limbs);
let reduced = prod.rem(&NonZero::new(modulus).unwrap());
let mut expected = Uint::ZERO;
expected.limbs[..].clone_from_slice(&reduced.limbs[..$size]);
expected
};
assert_eq!(c, expected, "incorrect result");
}
}
}
};
}

test_mul_mod_special!(1, mul_mod_special_1);
test_mul_mod_special!(2, mul_mod_special_2);
test_mul_mod_special!(3, mul_mod_special_3);
test_mul_mod_special!(4, mul_mod_special_4);
test_mul_mod_special!(5, mul_mod_special_5);
test_mul_mod_special!(6, mul_mod_special_6);
test_mul_mod_special!(7, mul_mod_special_7);
test_mul_mod_special!(8, mul_mod_special_8);
test_mul_mod_special!(9, mul_mod_special_9);
test_mul_mod_special!(10, mul_mod_special_10);
test_mul_mod_special!(11, mul_mod_special_11);
test_mul_mod_special!(12, mul_mod_special_12);
}
1 change: 1 addition & 0 deletions src/uint/mul_mod.rs
Original file line number Diff line number Diff line change
Expand Up @@ -30,6 +30,7 @@ impl<const LIMBS: usize> Uint<LIMBS> {

/// Computes `self * rhs mod p` for the special modulus
/// `p = MAX+1-c` where `c` is small enough to fit in a single [`Limb`].
///
/// For the modulus reduction, this function implements Algorithm 14.47 from
/// the "Handbook of Applied Cryptography", by A. Menezes, P. van Oorschot,
/// and S. Vanstone, CRC Press, 1996.
Expand Down
2 changes: 1 addition & 1 deletion tests/boxed_residue_proptests.rs
Original file line number Diff line number Diff line change
Expand Up @@ -42,7 +42,7 @@ prop_compose! {
}
}
prop_compose! {
/// Generate a random modulus.
/// Generate a random odd modulus.
fn modulus()(mut n in uint()) -> BoxedResidueParams {
if n.is_even().into() {
n = n.wrapping_add(&BoxedUint::one());
Expand Down
40 changes: 40 additions & 0 deletions tests/boxed_uint_proptests.rs
Original file line number Diff line number Diff line change
Expand Up @@ -2,6 +2,7 @@

#![cfg(feature = "alloc")]

use core::cmp::Ordering;
use crypto_bigint::{BoxedUint, CheckedAdd, Limb, NonZero};
use num_bigint::{BigUint, ModInverse};
use proptest::prelude::*;
Expand All @@ -18,6 +19,21 @@ fn to_uint(big_uint: BigUint) -> BoxedUint {
BoxedUint::from_be_slice(&padded_bytes, padded_bytes.len() * 8).unwrap()
}

fn reduce(x: &BoxedUint, n: &BoxedUint) -> BoxedUint {
let bits_precision = n.bits_precision();
let modulus = NonZero::new(n.clone()).expect("odd n");

let x = match x.bits_precision().cmp(&bits_precision) {
Ordering::Less => x.widen(bits_precision),
Ordering::Equal => x.clone(),
Ordering::Greater => x.shorten(bits_precision),
};

let x_reduced = x.rem_vartime(&modulus);
debug_assert_eq!(x_reduced.bits_precision(), bits_precision);
x_reduced
}

prop_compose! {
/// Generate a random `BoxedUint`.
fn uint()(mut bytes in any::<Vec<u8>>()) -> BoxedUint {
Expand All @@ -39,6 +55,16 @@ prop_compose! {
(a, b)
}
}
prop_compose! {
/// Generate a random odd modulus.
fn modulus()(n in uint()) -> BoxedUint {
if n.is_even().into() {
n.wrapping_add(&BoxedUint::one())
} else {
n
}
}
}

proptest! {
#[test]
Expand Down Expand Up @@ -83,6 +109,20 @@ proptest! {
}
}

#[test]
fn mul_mod(a in uint(), b in uint(), n in modulus()) {
let a = reduce(&a, &n);
let b = reduce(&b, &n);

let a_bi = to_biguint(&a);
let b_bi = to_biguint(&b);
let n_bi = to_biguint(&n);

let expected = to_uint((a_bi * b_bi) % n_bi);
let actual = a.mul_mod(&b, &n);
assert_eq!(expected, actual);
}

#[test]
fn mul_wide(a in uint(), b in uint()) {
let a_bi = to_biguint(&a);
Expand Down