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
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
#![allow(clippy::all)]
use enr::NodeId;
use sha2::digest::generic_array::{typenum::U32, GenericArray};
use uint::construct_uint;
construct_uint! {
pub(super) struct U256(4);
}
#[derive(Clone, Debug)]
pub struct Key<T> {
preimage: T,
hash: GenericArray<u8, U32>,
}
impl<T> PartialEq for Key<T> {
fn eq(&self, other: &Key<T>) -> bool {
self.hash == other.hash
}
}
impl<T> Eq for Key<T> {}
impl<TPeerId> AsRef<Key<TPeerId>> for Key<TPeerId> {
fn as_ref(&self) -> &Key<TPeerId> {
self
}
}
impl<T> Key<T> {
pub fn new_raw(preimage: T, hash: GenericArray<u8, U32>) -> Key<T> {
Key { preimage, hash }
}
pub fn preimage(&self) -> &T {
&self.preimage
}
pub fn into_preimage(self) -> T {
self.preimage
}
pub fn distance<U>(&self, other: &Key<U>) -> Distance {
let a = U256::from(self.hash.as_slice());
let b = U256::from(other.hash.as_slice());
Distance(a ^ b)
}
pub fn log2_distance<U>(&self, other: &Key<U>) -> Option<u64> {
let xor_dist = self.distance(other);
let log_dist = u64::from(256 - xor_dist.0.leading_zeros());
if log_dist == 0 {
None
} else {
Some(log_dist)
}
}
}
impl From<NodeId> for Key<NodeId> {
fn from(node_id: NodeId) -> Self {
Key {
preimage: node_id,
hash: *GenericArray::from_slice(&node_id.raw()),
}
}
}
#[derive(Copy, Clone, PartialEq, Eq, Default, PartialOrd, Ord, Debug)]
pub struct Distance(pub(super) U256);
#[cfg(test)]
mod tests {
use super::*;
use quickcheck::*;
impl Arbitrary for Key<NodeId> {
fn arbitrary<G: Gen>(_: &mut G) -> Key<NodeId> {
Key::from(NodeId::random())
}
}
#[test]
fn identity() {
fn prop(a: Key<NodeId>) -> bool {
a.distance(&a) == Distance::default()
}
quickcheck(prop as fn(_) -> _)
}
#[test]
fn symmetry() {
fn prop(a: Key<NodeId>, b: Key<NodeId>) -> bool {
a.distance(&b) == b.distance(&a)
}
quickcheck(prop as fn(_, _) -> _)
}
#[test]
fn triangle_inequality() {
fn prop(a: Key<NodeId>, b: Key<NodeId>, c: Key<NodeId>) -> TestResult {
let ab = a.distance(&b);
let bc = b.distance(&c);
let (ab_plus_bc, overflow) = ab.0.overflowing_add(bc.0);
if overflow {
TestResult::discard()
} else {
TestResult::from_bool(a.distance(&c) <= Distance(ab_plus_bc))
}
}
quickcheck(prop as fn(_, _, _) -> _)
}
#[test]
fn unidirectionality() {
fn prop(a: Key<NodeId>, b: Key<NodeId>) -> bool {
let d = a.distance(&b);
(0..100).all(|_| {
let c = Key::from(NodeId::random());
a.distance(&c) != d || b == c
})
}
quickcheck(prop as fn(_, _) -> _)
}
}