1extern crate byteorder;
22
23use std::collections::{HashMap, HashSet};
24use std::default::Default;
25use std::hash::{Hasher, BuildHasherDefault};
26use std::ops::BitXor;
27use std::mem::size_of;
28
29use byteorder::{ByteOrder, NativeEndian};
30
31pub type FxHashMap<K, V> = HashMap<K, V, BuildHasherDefault<FxHasher>>;
33
34pub type FxHashSet<V> = HashSet<V, BuildHasherDefault<FxHasher>>;
36
37pub struct FxHasher {
49 hash: usize
50}
51
52#[cfg(target_pointer_width = "32")]
53const K: usize = 0x9e3779b9;
54#[cfg(target_pointer_width = "64")]
55const K: usize = 0x517cc1b727220a95;
56
57impl Default for FxHasher {
58 #[inline]
59 fn default() -> FxHasher {
60 FxHasher { hash: 0 }
61 }
62}
63
64impl FxHasher {
65 #[inline]
66 fn add_to_hash(&mut self, i: usize) {
67 self.hash = self.hash.rotate_left(5).bitxor(i).wrapping_mul(K);
68 }
69}
70
71impl Hasher for FxHasher {
72 #[inline]
73 fn write(&mut self, mut bytes: &[u8]) {
74 #[cfg(target_pointer_width = "32")]
75 let read_usize = |bytes| NativeEndian::read_u32(bytes);
76 #[cfg(target_pointer_width = "64")]
77 let read_usize = |bytes| NativeEndian::read_u64(bytes);
78
79 let mut hash = FxHasher { hash: self.hash };
80 assert!(size_of::<usize>() <= 8);
81 while bytes.len() >= size_of::<usize>() {
82 hash.add_to_hash(read_usize(bytes) as usize);
83 bytes = &bytes[size_of::<usize>()..];
84 }
85 if (size_of::<usize>() > 4) && (bytes.len() >= 4) {
86 hash.add_to_hash(NativeEndian::read_u32(bytes) as usize);
87 bytes = &bytes[4..];
88 }
89 if (size_of::<usize>() > 2) && bytes.len() >= 2 {
90 hash.add_to_hash(NativeEndian::read_u16(bytes) as usize);
91 bytes = &bytes[2..];
92 }
93 if (size_of::<usize>() > 1) && bytes.len() >= 1 {
94 hash.add_to_hash(bytes[0] as usize);
95 }
96 self.hash = hash.hash;
97 }
98
99 #[inline]
100 fn write_u8(&mut self, i: u8) {
101 self.add_to_hash(i as usize);
102 }
103
104 #[inline]
105 fn write_u16(&mut self, i: u16) {
106 self.add_to_hash(i as usize);
107 }
108
109 #[inline]
110 fn write_u32(&mut self, i: u32) {
111 self.add_to_hash(i as usize);
112 }
113
114 #[cfg(target_pointer_width = "32")]
115 #[inline]
116 fn write_u64(&mut self, i: u64) {
117 self.add_to_hash(i as usize);
118 self.add_to_hash((i >> 32) as usize);
119 }
120
121 #[cfg(target_pointer_width = "64")]
122 #[inline]
123 fn write_u64(&mut self, i: u64) {
124 self.add_to_hash(i as usize);
125 }
126
127 #[inline]
128 fn write_usize(&mut self, i: usize) {
129 self.add_to_hash(i);
130 }
131
132 #[inline]
133 fn finish(&self) -> u64 {
134 self.hash as u64
135 }
136}