Is there a modulus (not remainder) function / operation?

前端 未结 4 2011
粉色の甜心
粉色の甜心 2020-12-14 05:31

In Rust (like most programming languages), the % operator performs the remainder operation, not the modulus operation. These operations have d

相关标签:
4条回答
  • 2020-12-14 05:49

    Is there a modulus (not remainder!) function / operation in Rust?

    As far as I can tell, there is no modular arithmetic function.

    This also happens in C, where it is common to use the workaround you mentioned: ((a % b) + b) % b.

    In C, C++, D, C#, F# and Java, % is in fact the remainder. In Perl, Python or Ruby, % is the modulus.

    Language developers don't always go the "correct mathematical way", so computer languages might seem weird from the strict mathematician view. The thing is that both modulus and remainder, are correct for different uses.

    Modulus is more mathematical if you like, while the remainder (in the C-family) is consistent with common integer division satisfying: (a / b) * b + a % b = a; this is adopted from old Fortran. So % is better called the remainder, and I suppose Rust is being consistent with C.

    You are not the first to note this:

    • No modulo operator?
    • Remainder is not modulus, but int::rem() uses the mod operator. .
    0 讨论(0)
  • 2020-12-14 05:57

    No, Rust doesn't have a built in modulus, see this discussion for some reasons why.

    Here's an example that might be handy:

    ///
    /// Modulo that handles negative numbers, works the same as Python's `%`.
    ///
    /// eg: `(a + b).modulo(c)`
    ///
    pub trait ModuloSignedExt {
        fn modulo(&self, n: Self) -> Self;
    }
    macro_rules! modulo_signed_ext_impl {
        ($($t:ty)*) => ($(
            impl ModuloSignedExt for $t {
                #[inline]
                fn modulo(&self, n: Self) -> Self {
                    (self % n + n) % n
                }
            }
        )*)
    }
    modulo_signed_ext_impl! { i8 i16 i32 i64 }
    
    0 讨论(0)
  • 2020-12-14 05:59

    From the other answers I constructed:

    fn n_mod_m <T: std::ops::Rem<Output = T> + std::ops::Add<Output = T> + Copy>
      (n: T, m: T) -> T {
        ((n % m) + m) % m
    }
    
    assert_eq!(n_mod_m(-21, 4), 3);
    
    0 讨论(0)
  • 2020-12-14 06:11

    RFC 2196 adds a couple of integer methods related to euclidian division. Specifically, the rem_euclid method (example link for i32) is what you are searching for:

    println!("{}", -1i32 % 4);                // -1
    println!("{}", (-21i32).rem_euclid(4));   // 3
    

    This method is available in rustc 1.38.0 (released on 2019-09-27) and above.

    0 讨论(0)
提交回复
热议问题