12// multiply the 256-bit number 'a' by the 128-bit number 'b' and return the uppermost 128 bits of the product
3// ripped directly from num-biguint's long multiplication algorithm (mac3, mac_with_carry, adc), but with fixed-size arrays instead of slices
4#[inline]
5pub(crate) fn multiply_256_by_128_upperbits(a_hi: u128, a_lo: u128, b: u128) -> u128 {
6// Break a and b into little-endian 64-bit chunks
7let a_chunks = [
8 a_lo as u64,
9 (a_lo >> 64) as u64,
10 a_hi as u64,
11 (a_hi >> 64) as u64,
12 ];
13let b_chunks = [
14 b as u64,
15 (b >> 64) as u64,
16 ];
1718// Multiply b by a, one chink of b at a time
19let mut product = [0; 6];
20for (b_index, &b_digit) in b_chunks.iter().enumerate() {
21 multiply_256_by_64_helper(&mut product[b_index..], &a_chunks, b_digit);
22 }
2324// the last 2 elements of the array have the part of the productthat we care about
25((product[5] as u128) << 64) | (product[4] as u128)
26}
2728#[inline]
29fn multiply_256_by_64_helper(product: &mut [u64], a: &[u64;4], b: u64) {
30if b == 0 {
31return;
32 }
3334let mut carry = 0;
35let (product_lo, product_hi) = product.split_at_mut(a.len());
3637// Multiply each of the digits in a by b, adding them into the 'product' value.
38 // We don't zero out product, because we this will be called multiple times, so it probably contains a previous iteration's partial product, and we're adding + carrying on top of it
39for (p, &a_digit) in product_lo.iter_mut().zip(a) {
40 carry += *p as u128;
41 carry += (a_digit as u128) * (b as u128);
4243*p = carry as u64;
44 carry >>= 64;
45 }
4647// We're done multiplying, we just need to finish carrying through the rest of the product.
48let mut p = product_hi.iter_mut();
49while carry != 0 {
50let p = p.next().expect("carry overflow during multiplication!");
51 carry += *p as u128;
5253*p = carry as u64;
54 carry >>= 64;
55 }
56}
5758// compute product += a * b
59#[inline]
60pub(crate) fn long_multiply(a: &[u64], b: u64, product: &mut [u64]) {
61if b == 0 {
62return;
63 }
6465let mut carry = 0;
66let (product_lo, product_hi) = product.split_at_mut(a.len());
6768// Multiply each of the digits in a by b, adding them into the 'product' value.
69 // We don't zero out product, because we this will be called multiple times, so it probably contains a previous iteration's partial product, and we're adding + carrying on top of it
70for (p, &a_digit) in product_lo.iter_mut().zip(a) {
71 carry += *p as u128;
72 carry += (a_digit as u128) * (b as u128);
7374*p = carry as u64;
75 carry >>= 64;
76 }
7778// We're done multiplying, we just need to finish carrying through the rest of the product.
79let mut p = product_hi.iter_mut();
80while carry != 0 {
81let p = p.next().expect("carry overflow during multiplication!");
82 carry += *p as u128;
8384*p = carry as u64;
85 carry >>= 64;
86 }
87}