1use crate::{
2 bits::{BitIteratorBE, BitIteratorLE},
3 const_for, UniformRand,
4};
5#[allow(unused)]
6use ark_ff_macros::unroll_for_loops;
7use ark_serialize::{
8 CanonicalDeserialize, CanonicalSerialize, Compress, SerializationError, Valid, Validate,
9};
10use ark_std::{
11 borrow::Borrow,
12 fmt::{Debug, Display, UpperHex},
14 io::{Read, Write},
15 ops::{
16 BitAnd, BitAndAssign, BitOr, BitOrAssign, BitXor, BitXorAssign, Not, Shl, ShlAssign, Shr,
17 ShrAssign,
18 },
19 rand::{
20 distributions::{Distribution, Standard},
21 Rng,
22 },
23 str::FromStr,
24 vec::*,
25};
26use num_bigint::BigUint;
27use zeroize::Zeroize;
28
29#[macro_use]
30pub mod arithmetic;
31
32#[derive(Copy, Clone, PartialEq, Eq, Hash, Zeroize)]
33pub struct BigInt<const N: usize>(pub [u64; N]);
34
35impl<const N: usize> Default for BigInt<N> {
36 fn default() -> Self {
37 Self([0u64; N])
38 }
39}
40
41impl<const N: usize> CanonicalSerialize for BigInt<N> {
42 fn serialize_with_mode<W: Write>(
43 &self,
44 writer: W,
45 compress: Compress,
46 ) -> Result<(), SerializationError> {
47 self.0.serialize_with_mode(writer, compress)
48 }
49
50 fn serialized_size(&self, compress: Compress) -> usize {
51 self.0.serialized_size(compress)
52 }
53}
54
55impl<const N: usize> Valid for BigInt<N> {
56 fn check(&self) -> Result<(), SerializationError> {
57 self.0.check()
58 }
59}
60
61impl<const N: usize> CanonicalDeserialize for BigInt<N> {
62 fn deserialize_with_mode<R: Read>(
63 reader: R,
64 compress: Compress,
65 validate: Validate,
66 ) -> Result<Self, SerializationError> {
67 Ok(BigInt::<N>(<[u64; N]>::deserialize_with_mode(
68 reader, compress, validate,
69 )?))
70 }
71}
72
73#[macro_export]
92macro_rules! BigInt {
93 ($c0:expr) => {{
94 let (is_positive, limbs) = $crate::ark_ff_macros::to_sign_and_limbs!($c0);
95 assert!(is_positive);
96 let mut integer = $crate::BigInt::zero();
97 assert!(integer.0.len() >= limbs.len());
98 $crate::const_for!((i in 0..(limbs.len())) {
99 integer.0[i] = limbs[i];
100 });
101 integer
102 }};
103}
104
105#[doc(hidden)]
106macro_rules! const_modulo {
107 ($a:expr, $divisor:expr) => {{
108 assert!(!$divisor.const_is_zero());
111 let mut remainder = Self::new([0u64; N]);
112 let mut i = ($a.num_bits() - 1) as isize;
113 let mut carry;
114 while i >= 0 {
115 (remainder, carry) = remainder.const_mul2_with_carry();
116 remainder.0[0] |= $a.get_bit(i as usize) as u64;
117 if remainder.const_geq($divisor) || carry {
118 let (r, borrow) = remainder.const_sub_with_borrow($divisor);
119 remainder = r;
120 assert!(borrow == carry);
121 }
122 i -= 1;
123 }
124 remainder
125 }};
126}
127
128impl<const N: usize> BigInt<N> {
129 pub const fn new(value: [u64; N]) -> Self {
130 Self(value)
131 }
132
133 pub const fn zero() -> Self {
134 Self([0u64; N])
135 }
136
137 pub const fn one() -> Self {
138 let mut one = Self::zero();
139 one.0[0] = 1;
140 one
141 }
142
143 #[doc(hidden)]
144 pub const fn const_is_even(&self) -> bool {
145 self.0[0] % 2 == 0
146 }
147
148 #[doc(hidden)]
149 pub const fn const_is_odd(&self) -> bool {
150 self.0[0] % 2 == 1
151 }
152
153 #[doc(hidden)]
154 pub const fn mod_4(&self) -> u8 {
155 (((self.0[0] << 62) >> 62) % 4) as u8
158 }
159
160 #[doc(hidden)]
163 pub const fn const_shr(&self) -> Self {
164 let mut result = *self;
165 let mut t = 0;
166 crate::const_for!((i in 0..N) {
167 let a = result.0[N - i - 1];
168 let t2 = a << 63;
169 result.0[N - i - 1] >>= 1;
170 result.0[N - i - 1] |= t;
171 t = t2;
172 });
173 result
174 }
175
176 const fn const_geq(&self, other: &Self) -> bool {
177 const_for!((i in 0..N) {
178 let a = self.0[N - i - 1];
179 let b = other.0[N - i - 1];
180 if a < b {
181 return false;
182 } else if a > b {
183 return true;
184 }
185 });
186 true
187 }
188
189 #[doc(hidden)]
191 pub const fn two_adic_valuation(mut self) -> u32 {
192 assert!(self.const_is_odd());
193 let mut two_adicity = 0;
194 self.0[0] -= 1;
197 while self.const_is_even() {
198 self = self.const_shr();
199 two_adicity += 1;
200 }
201 two_adicity
202 }
203
204 #[doc(hidden)]
207 pub const fn two_adic_coefficient(mut self) -> Self {
208 assert!(self.const_is_odd());
209 self.0[0] -= 1;
212 while self.const_is_even() {
213 self = self.const_shr();
214 }
215 assert!(self.const_is_odd());
216 self
217 }
218
219 #[doc(hidden)]
223 pub const fn divide_by_2_round_down(mut self) -> Self {
224 if self.const_is_odd() {
225 self.0[0] -= 1;
226 }
227 self.const_shr()
228 }
229
230 #[doc(hidden)]
232 pub const fn const_num_bits(self) -> u32 {
233 ((N - 1) * 64) as u32 + (64 - self.0[N - 1].leading_zeros())
234 }
235
236 #[inline]
237 pub(crate) const fn const_sub_with_borrow(mut self, other: &Self) -> (Self, bool) {
238 let mut borrow = 0;
239
240 const_for!((i in 0..N) {
241 self.0[i] = sbb!(self.0[i], other.0[i], &mut borrow);
242 });
243
244 (self, borrow != 0)
245 }
246
247 #[inline]
248 pub(crate) const fn const_add_with_carry(mut self, other: &Self) -> (Self, bool) {
249 let mut carry = 0;
250
251 crate::const_for!((i in 0..N) {
252 self.0[i] = adc!(self.0[i], other.0[i], &mut carry);
253 });
254
255 (self, carry != 0)
256 }
257
258 const fn const_mul2_with_carry(mut self) -> (Self, bool) {
259 let mut last = 0;
260 crate::const_for!((i in 0..N) {
261 let a = self.0[i];
262 let tmp = a >> 63;
263 self.0[i] <<= 1;
264 self.0[i] |= last;
265 last = tmp;
266 });
267 (self, last != 0)
268 }
269
270 pub(crate) const fn const_is_zero(&self) -> bool {
271 let mut is_zero = true;
272 crate::const_for!((i in 0..N) {
273 is_zero &= self.0[i] == 0;
274 });
275 is_zero
276 }
277
278 #[doc(hidden)]
280 pub const fn montgomery_r(&self) -> Self {
281 let two_pow_n_times_64 = crate::const_helpers::RBuffer::<N>([0u64; N], 1);
282 const_modulo!(two_pow_n_times_64, self)
283 }
284
285 #[doc(hidden)]
287 pub const fn montgomery_r2(&self) -> Self {
288 let two_pow_n_times_64_square =
289 crate::const_helpers::R2Buffer::<N>([0u64; N], [0u64; N], 1);
290 const_modulo!(two_pow_n_times_64_square, self)
291 }
292}
293
294impl<const N: usize> BigInteger for BigInt<N> {
295 const NUM_LIMBS: usize = N;
296
297 #[unroll_for_loops(6)]
298 #[inline]
299 fn add_with_carry(&mut self, other: &Self) -> bool {
300 let mut carry = 0;
301
302 for i in 0..N {
303 carry = arithmetic::adc_for_add_with_carry(&mut self.0[i], other.0[i], carry);
304 }
305
306 carry != 0
307 }
308
309 #[unroll_for_loops(6)]
310 #[inline]
311 fn sub_with_borrow(&mut self, other: &Self) -> bool {
312 let mut borrow = 0;
313
314 for i in 0..N {
315 borrow = arithmetic::sbb_for_sub_with_borrow(&mut self.0[i], other.0[i], borrow);
316 }
317
318 borrow != 0
319 }
320
321 #[inline]
322 #[allow(unused)]
323 fn mul2(&mut self) -> bool {
324 #[cfg(all(target_arch = "x86_64", feature = "asm"))]
325 #[allow(unsafe_code)]
326 {
327 let mut carry = 0;
328
329 for i in 0..N {
330 unsafe {
331 use core::arch::x86_64::_addcarry_u64;
332 carry = _addcarry_u64(carry, self.0[i], self.0[i], &mut self.0[i])
333 };
334 }
335
336 carry != 0
337 }
338
339 #[cfg(not(all(target_arch = "x86_64", feature = "asm")))]
340 {
341 let mut last = 0;
342 for i in 0..N {
343 let a = &mut self.0[i];
344 let tmp = *a >> 63;
345 *a <<= 1;
346 *a |= last;
347 last = tmp;
348 }
349 last != 0
350 }
351 }
352
353 #[inline]
354 fn muln(&mut self, mut n: u32) {
355 if n >= (64 * N) as u32 {
356 *self = Self::from(0u64);
357 return;
358 }
359
360 while n >= 64 {
361 let mut t = 0;
362 for i in 0..N {
363 core::mem::swap(&mut t, &mut self.0[i]);
364 }
365 n -= 64;
366 }
367
368 if n > 0 {
369 let mut t = 0;
370 #[allow(unused)]
371 for i in 0..N {
372 let a = &mut self.0[i];
373 let t2 = *a >> (64 - n);
374 *a <<= n;
375 *a |= t;
376 t = t2;
377 }
378 }
379 }
380
381 #[inline]
382 fn mul(&self, other: &Self) -> (Self, Self) {
383 if self.is_zero() || other.is_zero() {
384 let zero = Self::zero();
385 return (zero, zero);
386 }
387
388 let mut r = crate::const_helpers::MulBuffer::<N>::zeroed();
389
390 let mut carry = 0;
391
392 for i in 0..N {
393 for j in 0..N {
394 r[i + j] = mac_with_carry!(r[i + j], self.0[i], other.0[j], &mut carry);
395 }
396 r.b1[i] = carry;
397 carry = 0;
398 }
399
400 (Self(r.b0), Self(r.b1))
401 }
402
403 #[inline]
404 fn mul_low(&self, other: &Self) -> Self {
405 if self.is_zero() || other.is_zero() {
406 return Self::zero();
407 }
408
409 let mut res = Self::zero();
410 let mut carry = 0;
411
412 for i in 0..N {
413 for j in 0..(N - i) {
414 res.0[i + j] = mac_with_carry!(res.0[i + j], self.0[i], other.0[j], &mut carry);
415 }
416 carry = 0;
417 }
418
419 res
420 }
421
422 #[inline]
423 fn mul_high(&self, other: &Self) -> Self {
424 self.mul(other).1
425 }
426
427 #[inline]
428 fn div2(&mut self) {
429 let mut t = 0;
430 for a in self.0.iter_mut().rev() {
431 let t2 = *a << 63;
432 *a >>= 1;
433 *a |= t;
434 t = t2;
435 }
436 }
437
438 #[inline]
439 fn divn(&mut self, mut n: u32) {
440 if n >= (64 * N) as u32 {
441 *self = Self::from(0u64);
442 return;
443 }
444
445 while n >= 64 {
446 let mut t = 0;
447 for i in 0..N {
448 core::mem::swap(&mut t, &mut self.0[N - i - 1]);
449 }
450 n -= 64;
451 }
452
453 if n > 0 {
454 let mut t = 0;
455 #[allow(unused)]
456 for i in 0..N {
457 let a = &mut self.0[N - i - 1];
458 let t2 = *a << (64 - n);
459 *a >>= n;
460 *a |= t;
461 t = t2;
462 }
463 }
464 }
465
466 #[inline]
467 fn is_odd(&self) -> bool {
468 self.0[0] & 1 == 1
469 }
470
471 #[inline]
472 fn is_even(&self) -> bool {
473 !self.is_odd()
474 }
475
476 #[inline]
477 fn is_zero(&self) -> bool {
478 self.0.iter().all(|&e| e == 0)
479 }
480
481 #[inline]
482 fn num_bits(&self) -> u32 {
483 let mut ret = N as u32 * 64;
484 for i in self.0.iter().rev() {
485 let leading = i.leading_zeros();
486 ret -= leading;
487 if leading != 64 {
488 break;
489 }
490 }
491
492 ret
493 }
494
495 #[inline]
496 fn get_bit(&self, i: usize) -> bool {
497 if i >= 64 * N {
498 false
499 } else {
500 let limb = i / 64;
501 let bit = i - (64 * limb);
502 (self.0[limb] & (1 << bit)) != 0
503 }
504 }
505
506 #[inline]
507 fn from_bits_be(bits: &[bool]) -> Self {
508 let mut bits = bits.to_vec();
509 bits.reverse();
510 Self::from_bits_le(&bits)
511 }
512
513 fn from_bits_le(bits: &[bool]) -> Self {
514 let mut res = Self::zero();
515 for (bits64, res_i) in bits.chunks(64).zip(&mut res.0) {
516 for (i, bit) in bits64.iter().enumerate() {
517 *res_i |= (*bit as u64) << i;
518 }
519 }
520 res
521 }
522
523 #[inline]
524 fn to_bytes_be(&self) -> Vec<u8> {
525 let mut le_bytes = self.to_bytes_le();
526 le_bytes.reverse();
527 le_bytes
528 }
529
530 #[inline]
531 fn to_bytes_le(&self) -> Vec<u8> {
532 let array_map = self.0.iter().map(|limb| limb.to_le_bytes());
533 let mut res = Vec::with_capacity(N * 8);
534 for limb in array_map {
535 res.extend_from_slice(&limb);
536 }
537 res
538 }
539}
540
541impl<const N: usize> UpperHex for BigInt<N> {
542 fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> core::fmt::Result {
543 write!(f, "{:016X}", BigUint::from(*self))
544 }
545}
546
547impl<const N: usize> Debug for BigInt<N> {
548 fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> core::fmt::Result {
549 write!(f, "{:?}", BigUint::from(*self))
550 }
551}
552
553impl<const N: usize> Display for BigInt<N> {
554 fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> core::fmt::Result {
555 write!(f, "{}", BigUint::from(*self))
556 }
557}
558
559impl<const N: usize> Ord for BigInt<N> {
560 #[inline]
561 #[cfg_attr(target_arch = "x86_64", unroll_for_loops(12))]
562 fn cmp(&self, other: &Self) -> core::cmp::Ordering {
563 use core::cmp::Ordering;
564 #[cfg(target_arch = "x86_64")]
565 for i in 0..N {
566 let a = &self.0[N - i - 1];
567 let b = &other.0[N - i - 1];
568 match a.cmp(b) {
569 Ordering::Equal => {},
570 order => return order,
571 };
572 }
573 #[cfg(not(target_arch = "x86_64"))]
574 for (a, b) in self.0.iter().rev().zip(other.0.iter().rev()) {
575 if a < b {
576 return Ordering::Less;
577 } else if a > b {
578 return Ordering::Greater;
579 }
580 }
581 Ordering::Equal
582 }
583}
584
585impl<const N: usize> PartialOrd for BigInt<N> {
586 #[inline]
587 fn partial_cmp(&self, other: &Self) -> Option<core::cmp::Ordering> {
588 Some(self.cmp(other))
589 }
590}
591
592impl<const N: usize> Distribution<BigInt<N>> for Standard {
593 fn sample<R: Rng + ?Sized>(&self, rng: &mut R) -> BigInt<N> {
594 let mut res = [0u64; N];
595 for item in res.iter_mut() {
596 *item = rng.gen();
597 }
598 BigInt::<N>(res)
599 }
600}
601
602impl<const N: usize> AsMut<[u64]> for BigInt<N> {
603 #[inline]
604 fn as_mut(&mut self) -> &mut [u64] {
605 &mut self.0
606 }
607}
608
609impl<const N: usize> AsRef<[u64]> for BigInt<N> {
610 #[inline]
611 fn as_ref(&self) -> &[u64] {
612 &self.0
613 }
614}
615
616impl<const N: usize> From<u64> for BigInt<N> {
617 #[inline]
618 fn from(val: u64) -> BigInt<N> {
619 let mut repr = Self::default();
620 repr.0[0] = val;
621 repr
622 }
623}
624
625impl<const N: usize> From<u32> for BigInt<N> {
626 #[inline]
627 fn from(val: u32) -> BigInt<N> {
628 let mut repr = Self::default();
629 repr.0[0] = u64::from(val);
630 repr
631 }
632}
633
634impl<const N: usize> From<u16> for BigInt<N> {
635 #[inline]
636 fn from(val: u16) -> BigInt<N> {
637 let mut repr = Self::default();
638 repr.0[0] = u64::from(val);
639 repr
640 }
641}
642
643impl<const N: usize> From<u8> for BigInt<N> {
644 #[inline]
645 fn from(val: u8) -> BigInt<N> {
646 let mut repr = Self::default();
647 repr.0[0] = u64::from(val);
648 repr
649 }
650}
651
652impl<const N: usize> TryFrom<BigUint> for BigInt<N> {
653 type Error = ();
654
655 #[inline]
657 fn try_from(val: num_bigint::BigUint) -> Result<BigInt<N>, Self::Error> {
658 let bytes = val.to_bytes_le();
659
660 if bytes.len() > N * 8 {
661 Err(())
662 } else {
663 let mut limbs = [0u64; N];
664
665 bytes
666 .chunks(8)
667 .into_iter()
668 .enumerate()
669 .for_each(|(i, chunk)| {
670 let mut chunk_padded = [0u8; 8];
671 chunk_padded[..chunk.len()].copy_from_slice(chunk);
672 limbs[i] = u64::from_le_bytes(chunk_padded)
673 });
674
675 Ok(Self(limbs))
676 }
677 }
678}
679
680impl<const N: usize> FromStr for BigInt<N> {
681 type Err = ();
682
683 fn from_str(s: &str) -> Result<Self, Self::Err> {
684 let biguint = BigUint::from_str(s).map_err(|_| ())?;
685 Self::try_from(biguint)
686 }
687}
688
689impl<const N: usize> From<BigInt<N>> for BigUint {
690 #[inline]
691 fn from(val: BigInt<N>) -> num_bigint::BigUint {
692 BigUint::from_bytes_le(&val.to_bytes_le())
693 }
694}
695
696impl<const N: usize> From<BigInt<N>> for num_bigint::BigInt {
697 #[inline]
698 fn from(val: BigInt<N>) -> num_bigint::BigInt {
699 use num_bigint::Sign;
700 let sign = if val.is_zero() {
701 Sign::NoSign
702 } else {
703 Sign::Plus
704 };
705 num_bigint::BigInt::from_bytes_le(sign, &val.to_bytes_le())
706 }
707}
708
709impl<B: Borrow<Self>, const N: usize> BitXorAssign<B> for BigInt<N> {
710 fn bitxor_assign(&mut self, rhs: B) {
711 (0..N).for_each(|i| self.0[i] ^= rhs.borrow().0[i])
712 }
713}
714
715impl<B: Borrow<Self>, const N: usize> BitXor<B> for BigInt<N> {
716 type Output = Self;
717
718 fn bitxor(mut self, rhs: B) -> Self::Output {
719 self ^= rhs;
720 self
721 }
722}
723
724impl<B: Borrow<Self>, const N: usize> BitAndAssign<B> for BigInt<N> {
725 fn bitand_assign(&mut self, rhs: B) {
726 (0..N).for_each(|i| self.0[i] &= rhs.borrow().0[i])
727 }
728}
729
730impl<B: Borrow<Self>, const N: usize> BitAnd<B> for BigInt<N> {
731 type Output = Self;
732
733 fn bitand(mut self, rhs: B) -> Self::Output {
734 self &= rhs;
735 self
736 }
737}
738
739impl<B: Borrow<Self>, const N: usize> BitOrAssign<B> for BigInt<N> {
740 fn bitor_assign(&mut self, rhs: B) {
741 (0..N).for_each(|i| self.0[i] |= rhs.borrow().0[i])
742 }
743}
744
745impl<B: Borrow<Self>, const N: usize> BitOr<B> for BigInt<N> {
746 type Output = Self;
747
748 fn bitor(mut self, rhs: B) -> Self::Output {
749 self |= rhs;
750 self
751 }
752}
753
754impl<const N: usize> ShrAssign<u32> for BigInt<N> {
755 fn shr_assign(&mut self, mut rhs: u32) {
762 if rhs >= (64 * N) as u32 {
763 *self = Self::from(0u64);
764 return;
765 }
766
767 while rhs >= 64 {
768 let mut t = 0;
769 for limb in self.0.iter_mut().rev() {
770 core::mem::swap(&mut t, limb);
771 }
772 rhs -= 64;
773 }
774
775 if rhs > 0 {
776 let mut t = 0;
777 for a in self.0.iter_mut().rev() {
778 let t2 = *a << (64 - rhs);
779 *a >>= rhs;
780 *a |= t;
781 t = t2;
782 }
783 }
784 }
785}
786
787impl<const N: usize> Shr<u32> for BigInt<N> {
788 type Output = Self;
789
790 fn shr(mut self, rhs: u32) -> Self::Output {
797 self >>= rhs;
798 self
799 }
800}
801
802impl<const N: usize> ShlAssign<u32> for BigInt<N> {
803 fn shl_assign(&mut self, mut rhs: u32) {
810 if rhs >= (64 * N) as u32 {
811 *self = Self::from(0u64);
812 return;
813 }
814
815 while rhs >= 64 {
816 let mut t = 0;
817 for i in 0..N {
818 core::mem::swap(&mut t, &mut self.0[i]);
819 }
820 rhs -= 64;
821 }
822
823 if rhs > 0 {
824 let mut t = 0;
825 #[allow(unused)]
826 for i in 0..N {
827 let a = &mut self.0[i];
828 let t2 = *a >> (64 - rhs);
829 *a <<= rhs;
830 *a |= t;
831 t = t2;
832 }
833 }
834 }
835}
836
837impl<const N: usize> Shl<u32> for BigInt<N> {
838 type Output = Self;
839
840 fn shl(mut self, rhs: u32) -> Self::Output {
847 self <<= rhs;
848 self
849 }
850}
851
852impl<const N: usize> Not for BigInt<N> {
853 type Output = Self;
854
855 fn not(self) -> Self::Output {
856 let mut result = Self::zero();
857 for i in 0..N {
858 result.0[i] = !self.0[i];
859 }
860 result
861 }
862}
863
864pub fn signed_mod_reduction(n: u64, modulus: u64) -> i64 {
873 let t = (n % modulus) as i64;
874 if t as u64 >= (modulus / 2) {
875 t - (modulus as i64)
876 } else {
877 t
878 }
879}
880
881pub type BigInteger64 = BigInt<1>;
882pub type BigInteger128 = BigInt<2>;
883pub type BigInteger256 = BigInt<4>;
884pub type BigInteger320 = BigInt<5>;
885pub type BigInteger384 = BigInt<6>;
886pub type BigInteger448 = BigInt<7>;
887pub type BigInteger768 = BigInt<12>;
888pub type BigInteger832 = BigInt<13>;
889
890#[cfg(test)]
891mod tests;
892
893pub trait BigInteger:
897 CanonicalSerialize
898 + CanonicalDeserialize
899 + Copy
900 + Clone
901 + Debug
902 + Default
903 + Display
904 + Eq
905 + Ord
906 + Send
907 + Sized
908 + Sync
909 + 'static
910 + UniformRand
911 + Zeroize
912 + AsMut<[u64]>
913 + AsRef<[u64]>
914 + From<u64>
915 + From<u32>
916 + From<u16>
917 + From<u8>
918 + TryFrom<BigUint, Error = ()>
919 + FromStr
920 + Into<BigUint>
921 + BitXorAssign<Self>
922 + for<'a> BitXorAssign<&'a Self>
923 + BitXor<Self, Output = Self>
924 + for<'a> BitXor<&'a Self, Output = Self>
925 + BitAndAssign<Self>
926 + for<'a> BitAndAssign<&'a Self>
927 + BitAnd<Self, Output = Self>
928 + for<'a> BitAnd<&'a Self, Output = Self>
929 + BitOrAssign<Self>
930 + for<'a> BitOrAssign<&'a Self>
931 + BitOr<Self, Output = Self>
932 + for<'a> BitOr<&'a Self, Output = Self>
933 + Shr<u32, Output = Self>
934 + ShrAssign<u32>
935 + Shl<u32, Output = Self>
936 + ShlAssign<u32>
937{
938 const NUM_LIMBS: usize;
940
941 fn add_with_carry(&mut self, other: &Self) -> bool;
962
963 fn sub_with_borrow(&mut self, other: &Self) -> bool;
983
984 fn mul2(&mut self) -> bool;
1008
1009 #[deprecated(since = "0.4.2", note = "please use the operator `<<` instead")]
1033 fn muln(&mut self, amt: u32);
1034
1035 fn mul_low(&self, other: &Self) -> Self;
1053
1054 fn mul_high(&self, other: &Self) -> Self;
1072
1073 fn mul(&self, other: &Self) -> (Self, Self);
1096
1097 fn div2(&mut self);
1119
1120 #[deprecated(since = "0.4.2", note = "please use the operator `>>` instead")]
1139 fn divn(&mut self, amt: u32);
1140
1141 fn is_odd(&self) -> bool;
1151
1152 fn is_even(&self) -> bool;
1162
1163 fn is_zero(&self) -> bool;
1173
1174 fn num_bits(&self) -> u32;
1189
1190 fn get_bit(&self, i: usize) -> bool;
1201
1202 fn from_bits_be(bits: &[bool]) -> Self;
1215
1216 fn from_bits_le(bits: &[bool]) -> Self;
1229
1230 fn to_bits_be(&self) -> Vec<bool> {
1244 BitIteratorBE::new(self).collect::<Vec<_>>()
1245 }
1246
1247 fn to_bits_le(&self) -> Vec<bool> {
1261 BitIteratorLE::new(self).collect::<Vec<_>>()
1262 }
1263
1264 fn to_bytes_be(&self) -> Vec<u8>;
1278
1279 fn to_bytes_le(&self) -> Vec<u8>;
1293
1294 fn find_wnaf(&self, w: usize) -> Option<Vec<i64>> {
1296 if (2..64).contains(&w) {
1299 let mut res = vec![];
1300 let mut e = *self;
1301
1302 while !e.is_zero() {
1303 let z: i64;
1304 if e.is_odd() {
1305 z = signed_mod_reduction(e.as_ref()[0], 1 << w);
1306 if z >= 0 {
1307 e.sub_with_borrow(&Self::from(z as u64));
1308 } else {
1309 e.add_with_carry(&Self::from((-z) as u64));
1310 }
1311 } else {
1312 z = 0;
1313 }
1314 res.push(z);
1315 e.div2();
1316 }
1317
1318 Some(res)
1319 } else {
1320 None
1321 }
1322 }
1323}