equivalence

Version Documentation Build License Downloads

This crate provides traits for comparing and hashing values modulo an equivalence relation specified by a context of user-defined type C. The Equivalence derive macro allows the user to easily implement Equivalence for custom types.

Example

```rust

use equivalence::*;

use std::cmp::Ordering;

use std::hash::{Hash, Hasher};

/// The equivalence relation mod n over 64-bit unsigned integers struct ModN(u64);

impl PartialEqWith for u64 { fn eq_with(&self, other: &u64, ctx: &ModN) -> bool { (self % ctx.0) == (other % ctx.0) } }

impl EqWith for u64 {}

impl OrdWith for u64 { fn cmp_with(&self, other: &u64, ctx: &ModN) -> Ordering { (self % ctx.0).cmp(&(other % ctx.0)) } }

impl PartialOrdWith for u64 { fn partialcmpwith(&self, other: &u64, ctx: &ModN) -> Option { Some(self.cmp_with(other, ctx)) } }

impl HashWith for u64 { fn hash_with(&self, hasher: &mut H, ctx: &ModN) { (*self % ctx.0).hash(hasher) } }

// Containers can be conveniently compared and hashed modulo a given equivalence context: assert!([1, 2, 3].eqwith(&[4, 5, 6], &ModN(3))); assert!([1, 2, 3].newith(&[4, 5, 6], &ModN(2)));

// The Equivalence derive macro can be used to derive Equivalence for custom containers

[derive(Equivalence)]

struct MyPair { #[equiv(fwd)] left: T, // self.left and other.left are compared using PartialEqWith, since they are specified as forwarded right: u32 // self.right and other.left are compared using PartialEq, since it is not forwarded }

assert!(MyPair { left: 5u64, right: 7 }.eqwith(&MyPair { left: 6u64, right: 7 }, &ModN(1))); assert!(MyPair { left: 5u64, right: 7 }.newith(&MyPair { left: 5u64, right: 8 }, &ModN(1)));

// We may also use the macro to derive Equivalence for a particular context only, with custom logic

[derive(Equivalence)]

[equiv(rel = "ModN")]

struct U32Pair { #[equiv(fwd = "map_rec |x: &u32, _| x as u64")] left: u32, // self.left and other.left are first cast to u64, and then compared using PartialEqWith #[equiv(fwd = "map |x: &u32, ctx: &ModN| (x as u64) % ctx.0")] right: u32, // right is mapped to right % ctx.0, which is then compared using PartialEq; this has the same result as the above }

assert!(U32Pair { left: 3, right: 5 }.eqwith(&U32Pair { left: 5, right: 7 }, &ModN(2))); assert!(U32Pair { left: 3, right: 5 }.newith(&U32Pair { left: 5, right: 7 }, &ModN(3))); ```