weak_table/lib.rs
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 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266
//! This library offers a variety of weak hash tables:
//!
//! - For a hash map where the keys are held by weak pointers and compared by key value, see
//! [`WeakKeyHashMap`](struct.WeakKeyHashMap.html).
//!
//! - For a hash map where the keys are held by weak pointers and compared by pointer, see
//! [`PtrWeakKeyHashMap`](struct.PtrWeakKeyHashMap.html).
//!
//! - For a hash map where the values are held by weak pointers, see
//! [`WeakValueHashMap`](struct.WeakValueHashMap.html).
//!
//! - For a hash map where the keys and values are both held by weak pointers and the keys are
//! compared by value, see
//! [`WeakWeakHashMap`](struct.WeakWeakHashMap.html).
//!
//! - For a hash map where the keys and values are both held by weak pointers and the keys are
//! compared by pointer, see
//! [`PtrWeakWeakHashMap`](struct.PtrWeakWeakHashMap.html).
//!
//! - For a hash set where the elements are held by weak pointers and compared by element value, see
//! [`WeakHashSet`](struct.WeakHashSet.html).
//!
//! - For a hash set where the elements are held by weak pointers and compared by pointer, see
//! [`PtrWeakHashSet`](struct.PtrWeakHashSet.html).
//!
//! To add support for your own weak pointers, see
//! [the traits `WeakElement` and `WeakKey`](traits/).
//!
//! ## Rust version support
//!
//! This crate supports Rust version 1.46 and later.
//!
//! ## Asymptotic complexity
//!
//! Most operations have documented asymptotic time complexities. When time complexities are
//! given in big-*O* notation, the following parameters are used consistently:
//!
//! - *n*: the *capacity* of the map or set being accessed or constructed
//!
//! - *m*: the *capacity* of a second map/set involved in a submap/subset operation
//!
//! - *p*: the length of the probe sequence for the key in question
//!
//! Note that *p* ∈ *O*(*n*), but we expect it to be *O*(1).
//!
//! # Crate features
//!
//! `weak-table` is built with the `std` feature, which enables
//! functionality dependent on the `std` library, enabled by default.
//! Optionally, the following dependency may be enabled:
//!
//! - `ahash`: use `ahash`’s hasher rather than the `std` hasher
//!
//! If the `std` feature is disabled (for no_std) then the `ahash` dependency **must** be enabled.
//!
//! # Examples
//!
//! Here we create a weak hash table mapping strings to integers.
//! Note that after dropping `one`, the key `"one"` is no longer present in the map.
//! This is because the map holds the strings as `std::sync::Weak<str>`s.
//!
//! ```
//! use weak_table::WeakKeyHashMap;
//! use std::sync::{Arc, Weak};
//!
//! let mut table = <WeakKeyHashMap<Weak<str>, u32>>::new();
//! let one = Arc::<str>::from("one");
//! let two = Arc::<str>::from("two");
//!
//! table.insert(one.clone(), 1);
//!
//! assert_eq!( table.get("one"), Some(&1) );
//! assert_eq!( table.get("two"), None );
//!
//! table.insert(two.clone(), 2);
//! *table.get_mut(&one).unwrap() += 10;
//!
//! assert_eq!( table.get("one"), Some(&11) );
//! assert_eq!( table.get("two"), Some(&2) );
//!
//! drop(one);
//!
//! assert_eq!( table.get("one"), None );
//! assert_eq!( table.get("two"), Some(&2) );
//! ```
//!
//! Here we use a weak hash set to implement a simple string interning facility:
//!
//! ```
//! use weak_table::WeakHashSet;
//! use std::ops::Deref;
//! use std::rc::{Rc, Weak};
//!
//! #[derive(Clone, Debug)]
//! pub struct Symbol(Rc<str>);
//!
//! impl PartialEq for Symbol {
//! fn eq(&self, other: &Symbol) -> bool {
//! Rc::ptr_eq(&self.0, &other.0)
//! }
//! }
//!
//! impl Eq for Symbol {}
//!
//! impl Deref for Symbol {
//! type Target = str;
//! fn deref(&self) -> &str {
//! &self.0
//! }
//! }
//!
//! #[derive(Debug, Default)]
//! pub struct SymbolTable(WeakHashSet<Weak<str>>);
//!
//! impl SymbolTable {
//! pub fn new() -> Self {
//! Self::default()
//! }
//!
//! pub fn intern(&mut self, name: &str) -> Symbol {
//! if let Some(rc) = self.0.get(name) {
//! Symbol(rc)
//! } else {
//! let rc = Rc::<str>::from(name);
//! self.0.insert(Rc::clone(&rc));
//! Symbol(rc)
//! }
//! }
//! }
//!
//! #[test]
//! fn interning() {
//! let mut tab = SymbolTable::new();
//!
//! let a0 = tab.intern("a");
//! let a1 = tab.intern("a");
//! let b = tab.intern("b");
//!
//! assert_eq!(a0, a1);
//! assert_ne!(a0, b);
//! }
//! ```
#![doc(html_root_url = "https://docs.rs/weak-table/0.3.2")]
#![cfg_attr(not(feature = "std"), no_std)]
use self::compat::*;
pub mod traits;
pub mod weak_key_hash_map;
pub mod ptr_weak_key_hash_map;
pub mod weak_value_hash_map;
pub mod weak_weak_hash_map;
pub mod ptr_weak_weak_hash_map;
pub mod weak_hash_set;
pub mod ptr_weak_hash_set;
mod compat;
mod util;
mod by_ptr;
mod size_policy;
#[derive(Copy, Clone, Debug, PartialEq, Eq)]
struct HashCode(u64);
type FullBucket<K, V> = (K, V, HashCode);
type Bucket<K, V> = Option<FullBucket<K, V>>;
type TablePtr<K, V> = Box<[Bucket<K, V>]>;
/// A hash map with weak keys, hashed on key value.
///
/// When a weak pointer expires, its mapping is lazily removed.
#[derive(Clone)]
pub struct WeakKeyHashMap<K, V, S = RandomState> {
hash_builder: S,
inner: WeakKeyInnerMap<K, V>,
}
#[derive(Clone)]
struct WeakKeyInnerMap<K, V> {
buckets: TablePtr<K, V>,
len: usize,
}
/// A hash map with weak keys, hashed on key pointer.
///
/// When a weak pointer expires, its mapping is lazily removed.
///
/// # Examples
///
/// ```
/// use weak_table::PtrWeakKeyHashMap;
/// use std::rc::{Rc, Weak};
///
/// type Table = PtrWeakKeyHashMap<Weak<str>, usize>;
///
/// let mut map = Table::new();
/// let a = Rc::<str>::from("hello");
/// let b = Rc::<str>::from("hello");
///
/// map.insert(a.clone(), 5);
///
/// assert_eq!( map.get(&a), Some(&5) );
/// assert_eq!( map.get(&b), None );
///
/// map.insert(b.clone(), 7);
///
/// assert_eq!( map.get(&a), Some(&5) );
/// assert_eq!( map.get(&b), Some(&7) );
/// ```
#[derive(Clone)]
pub struct PtrWeakKeyHashMap<K, V, S = RandomState>(
WeakKeyHashMap<by_ptr::ByPtr<K>, V, S>
);
/// A hash map with weak values.
///
/// When a weak pointer expires, its mapping is lazily removed.
#[derive(Clone)]
pub struct WeakValueHashMap<K, V, S = RandomState> {
hash_builder: S,
inner: WeakValueInnerMap<K, V>,
}
#[derive(Clone)]
struct WeakValueInnerMap<K, V> {
buckets: TablePtr<K, V>,
len: usize,
}
/// A hash map with weak keys and weak values, hashed on key value.
///
/// When a weak pointer expires, its mapping is lazily removed.
#[derive(Clone)]
pub struct WeakWeakHashMap<K, V, S = RandomState> {
hash_builder: S,
inner: WeakWeakInnerMap<K, V>,
}
#[derive(Clone)]
struct WeakWeakInnerMap<K, V> {
buckets: TablePtr<K, V>,
len: usize,
}
/// A hash map with weak keys and weak values, hashed on key pointer.
///
/// When a weak pointer expires, its mapping is lazily removed.
#[derive(Clone)]
pub struct PtrWeakWeakHashMap<K, V, S = RandomState>(
WeakWeakHashMap<by_ptr::ByPtr<K>, V, S>
);
/// A hash set with weak elements, hashed on element value.
///
/// When a weak pointer expires, its mapping is lazily removed.
#[derive(Clone)]
pub struct WeakHashSet<T, S = RandomState>(WeakKeyHashMap<T, (), S>);
/// A hash set with weak elements, hashed on element pointer.
///
/// When a weak pointer expires, its mapping is lazily removed.
#[derive(Clone)]
pub struct PtrWeakHashSet<T, S = RandomState>(PtrWeakKeyHashMap<T, (), S>);