1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
use std::{
    collections::hash_map::DefaultHasher,
    fmt,
    hash::{Hash, Hasher},
    ops::Add,
};

/// Elixir style atom macro
/// ```rs
/// a!(apple) == a!(apple)
/// a!(apple) != a!(orange)
/// ```
pub use atomize_macro::a;

#[derive(Debug, Copy, Clone)]
pub struct Atom {
    value: u64,
}

impl Atom {
    pub fn value(&self) -> u64 {
        self.value
    }
}

impl Atom {
    pub fn mix(&self, other: &Atom) -> Self {
        Atom {
            value: self.value ^ other.value,
        }
    }
}

impl Add for Atom {
    type Output = Atom;
    fn add(self, other: Atom) -> <Self as Add<Atom>>::Output {
        Atom::mix(&self, &other)
    }
}

impl From<u64> for Atom {
    fn from(value: u64) -> Self {
        Atom { value }
    }
}

impl From<&str> for Atom {
    fn from(name: &str) -> Self {
        let value: u64 = {
            let mut hasher = DefaultHasher::new();
            name.hash(&mut hasher);
            hasher.finish()
        };
        Atom { value }
    }
}

impl PartialEq for Atom {
    fn eq(&self, other: &Self) -> bool {
        self.value == other.value
    }
}

impl PartialEq<u64> for Atom {
    fn eq(&self, other: &u64) -> bool {
        self.value == *other
    }
}

impl PartialEq<str> for Atom {
    fn eq(&self, other: &str) -> bool {
        let mut hasher = DefaultHasher::new();
        other.hash(&mut hasher);
        self.value == hasher.finish()
    }
}

impl fmt::Display for Atom {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> fmt::Result {
        write!(f, "a:{:x}", self.value)
    }
}