mod.rs 1.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657
  1. use num_bigint::BigUint;
  2. use num_integer::Integer;
  3. use num_traits::{One, Zero};
  4. use rand::{Rand, Rng};
  5. use std::mem;
  6. use std::ops::{Mul, Rem, Shr};
  7. pub fn rand_vec<G: Rng, R: Rand>(rng: &mut G, size: usize) -> Vec<R> {
  8. rng.gen_iter().take(size).collect()
  9. }
  10. pub fn powm(base: &BigUint, exp: &BigUint, modulus: &BigUint) -> BigUint {
  11. let mut base = base.clone();
  12. let mut exp = exp.clone();
  13. let mut result: BigUint = One::one();
  14. while !exp.is_zero() {
  15. if exp.is_odd() {
  16. result = result.mul(&base).rem(modulus);
  17. }
  18. exp = exp.shr(1);
  19. base = (&base).mul(&base).rem(modulus);
  20. }
  21. result
  22. }
  23. pub trait ReadSeek: ::std::io::Read + ::std::io::Seek {}
  24. impl<T: ::std::io::Read + ::std::io::Seek> ReadSeek for T {}
  25. pub trait Seq {
  26. fn next(&self) -> Self;
  27. }
  28. macro_rules! impl_seq {
  29. ($($ty:ty)*) => { $(
  30. impl Seq for $ty {
  31. fn next(&self) -> Self { *self + 1 }
  32. }
  33. )* }
  34. }
  35. impl_seq!(u8 u16 u32 u64 usize);
  36. #[derive(Debug, Clone, Copy, Hash, PartialEq, Eq, PartialOrd, Ord, Default)]
  37. pub struct SeqGenerator<T: Seq>(T);
  38. impl<T: Seq> SeqGenerator<T> {
  39. pub fn new(value: T) -> Self {
  40. SeqGenerator(value)
  41. }
  42. pub fn get(&mut self) -> T {
  43. let value = self.0.next();
  44. mem::replace(&mut self.0, value)
  45. }
  46. }