use super::ebr::{AtomicShared, Guard, Shared};
use super::hash_table::bucket::{Bucket, EntryPtr, Locker, OPTIMISTIC};
use super::hash_table::bucket_array::BucketArray;
use super::hash_table::{HashTable, LockedEntry};
use super::wait_queue::AsyncWait;
use super::Equivalent;
use std::collections::hash_map::RandomState;
use std::fmt::{self, Debug};
use std::hash::{BuildHasher, Hash};
use std::iter::FusedIterator;
use std::ops::{Deref, RangeInclusive};
use std::panic::UnwindSafe;
use std::pin::Pin;
use std::ptr;
use std::sync::atomic::AtomicUsize;
use std::sync::atomic::Ordering::{Acquire, Relaxed};
pub struct HashIndex<K, V, H = RandomState>
where
H: BuildHasher,
{
array: AtomicShared<BucketArray<K, V, (), OPTIMISTIC>>,
minimum_capacity: AtomicUsize,
build_hasher: H,
}
pub enum Entry<'h, K, V, H = RandomState>
where
H: BuildHasher,
{
Occupied(OccupiedEntry<'h, K, V, H>),
Vacant(VacantEntry<'h, K, V, H>),
}
pub struct OccupiedEntry<'h, K, V, H = RandomState>
where
H: BuildHasher,
{
hashindex: &'h HashIndex<K, V, H>,
locked_entry: LockedEntry<'h, K, V, (), OPTIMISTIC>,
}
pub struct VacantEntry<'h, K, V, H = RandomState>
where
H: BuildHasher,
{
hashindex: &'h HashIndex<K, V, H>,
key: K,
hash: u64,
locked_entry: LockedEntry<'h, K, V, (), OPTIMISTIC>,
}
pub struct Reserve<'h, K, V, H = RandomState>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
H: BuildHasher,
{
hashindex: &'h HashIndex<K, V, H>,
additional: usize,
}
pub struct Iter<'h, 'g, K, V, H = RandomState>
where
H: BuildHasher,
{
hashindex: &'h HashIndex<K, V, H>,
current_array: Option<&'g BucketArray<K, V, (), OPTIMISTIC>>,
current_index: usize,
current_bucket: Option<&'g Bucket<K, V, (), OPTIMISTIC>>,
current_entry_ptr: EntryPtr<'g, K, V, OPTIMISTIC>,
guard: &'g Guard,
}
impl<K, V, H> HashIndex<K, V, H>
where
H: BuildHasher,
{
#[cfg(not(feature = "loom"))]
#[inline]
pub const fn with_hasher(build_hasher: H) -> Self {
Self {
array: AtomicShared::null(),
minimum_capacity: AtomicUsize::new(0),
build_hasher,
}
}
#[cfg(feature = "loom")]
#[inline]
pub fn with_hasher(build_hasher: H) -> Self {
Self {
array: AtomicShared::null(),
minimum_capacity: AtomicUsize::new(0),
build_hasher,
}
}
#[inline]
pub fn with_capacity_and_hasher(capacity: usize, build_hasher: H) -> Self {
let (array, minimum_capacity) = if capacity == 0 {
(AtomicShared::null(), AtomicUsize::new(0))
} else {
let array = unsafe {
Shared::new_unchecked(BucketArray::<K, V, (), OPTIMISTIC>::new(
capacity,
AtomicShared::null(),
))
};
let minimum_capacity = array.num_entries();
(
AtomicShared::from(array),
AtomicUsize::new(minimum_capacity),
)
};
Self {
array,
minimum_capacity,
build_hasher,
}
}
}
impl<K, V, H> HashIndex<K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
H: BuildHasher,
{
#[inline]
pub fn reserve(&self, additional_capacity: usize) -> Option<Reserve<'_, K, V, H>> {
let additional = self.reserve_capacity(additional_capacity);
if additional == 0 {
None
} else {
Some(Reserve {
hashindex: self,
additional,
})
}
}
#[inline]
pub fn entry(&self, key: K) -> Entry<'_, K, V, H> {
let guard = Guard::new();
let hash = self.hash(&key);
let locked_entry = unsafe {
self.reserve_entry(&key, hash, &mut (), self.prolonged_guard_ref(&guard))
.ok()
.unwrap_unchecked()
};
if locked_entry.entry_ptr.is_valid() {
Entry::Occupied(OccupiedEntry {
hashindex: self,
locked_entry,
})
} else {
Entry::Vacant(VacantEntry {
hashindex: self,
key,
hash,
locked_entry,
})
}
}
#[inline]
pub async fn entry_async(&self, key: K) -> Entry<'_, K, V, H> {
let hash = self.hash(&key);
loop {
let mut async_wait = AsyncWait::default();
let mut async_wait_pinned = Pin::new(&mut async_wait);
{
let guard = Guard::new();
if let Ok(locked_entry) = self.reserve_entry(
&key,
hash,
&mut async_wait_pinned,
self.prolonged_guard_ref(&guard),
) {
if locked_entry.entry_ptr.is_valid() {
return Entry::Occupied(OccupiedEntry {
hashindex: self,
locked_entry,
});
}
return Entry::Vacant(VacantEntry {
hashindex: self,
key,
hash,
locked_entry,
});
}
}
async_wait_pinned.await;
}
}
#[inline]
pub fn try_entry(&self, key: K) -> Option<Entry<'_, K, V, H>> {
let guard = Guard::new();
let hash = self.hash(&key);
let locked_entry = self.try_reserve_entry(&key, hash, self.prolonged_guard_ref(&guard))?;
if locked_entry.entry_ptr.is_valid() {
Some(Entry::Occupied(OccupiedEntry {
hashindex: self,
locked_entry,
}))
} else {
Some(Entry::Vacant(VacantEntry {
hashindex: self,
key,
hash,
locked_entry,
}))
}
}
#[inline]
pub fn first_entry(&self) -> Option<OccupiedEntry<'_, K, V, H>> {
let guard = Guard::new();
let prolonged_guard = self.prolonged_guard_ref(&guard);
if let Some(locked_entry) = self.lock_first_entry(prolonged_guard) {
return Some(OccupiedEntry {
hashindex: self,
locked_entry,
});
}
None
}
#[inline]
pub async fn first_entry_async(&self) -> Option<OccupiedEntry<'_, K, V, H>> {
if let Some(locked_entry) = LockedEntry::first_entry_async(self).await {
return Some(OccupiedEntry {
hashindex: self,
locked_entry,
});
}
None
}
#[inline]
pub fn any_entry<P: FnMut(&K, &V) -> bool>(
&self,
pred: P,
) -> Option<OccupiedEntry<'_, K, V, H>> {
let guard = Guard::new();
let prolonged_guard = self.prolonged_guard_ref(&guard);
let locked_entry = self.find_entry(pred, prolonged_guard)?;
Some(OccupiedEntry {
hashindex: self,
locked_entry,
})
}
#[inline]
pub async fn any_entry_async<P: FnMut(&K, &V) -> bool>(
&self,
mut pred: P,
) -> Option<OccupiedEntry<'_, K, V, H>> {
if let Some(locked_entry) = LockedEntry::first_entry_async(self).await {
let mut entry = OccupiedEntry {
hashindex: self,
locked_entry,
};
loop {
if pred(entry.key(), entry.get()) {
return Some(entry);
}
entry = entry.next()?;
}
}
None
}
#[inline]
pub fn insert(&self, key: K, val: V) -> Result<(), (K, V)> {
let guard = Guard::new();
let hash = self.hash(&key);
if let Ok(Some((k, v))) = self.insert_entry(key, val, hash, &mut (), &guard) {
Err((k, v))
} else {
Ok(())
}
}
#[inline]
pub async fn insert_async(&self, mut key: K, mut val: V) -> Result<(), (K, V)> {
let hash = self.hash(&key);
loop {
let mut async_wait = AsyncWait::default();
let mut async_wait_pinned = Pin::new(&mut async_wait);
match self.insert_entry(key, val, hash, &mut async_wait_pinned, &Guard::new()) {
Ok(Some(returned)) => return Err(returned),
Ok(None) => return Ok(()),
Err(returned) => {
key = returned.0;
val = returned.1;
}
}
async_wait_pinned.await;
}
}
#[inline]
pub fn remove<Q>(&self, key: &Q) -> bool
where
Q: Equivalent<K> + Hash + ?Sized,
{
self.remove_if(key, |_| true)
}
#[inline]
pub async fn remove_async<Q>(&self, key: &Q) -> bool
where
Q: Equivalent<K> + Hash + ?Sized,
{
self.remove_if_async(key, |_| true).await
}
#[inline]
pub fn remove_if<Q, F: FnOnce(&V) -> bool>(&self, key: &Q, condition: F) -> bool
where
Q: Equivalent<K> + Hash + ?Sized,
{
self.remove_entry(
key,
self.hash(key),
|v: &mut V| condition(v),
|r| r.is_some(),
&mut (),
&Guard::new(),
)
.ok()
.map_or(false, |r| r)
}
#[inline]
pub async fn remove_if_async<Q, F: FnOnce(&V) -> bool>(&self, key: &Q, condition: F) -> bool
where
Q: Equivalent<K> + Hash + ?Sized,
{
let hash = self.hash(key);
let mut condition = |v: &mut V| condition(v);
loop {
let mut async_wait = AsyncWait::default();
let mut async_wait_pinned = Pin::new(&mut async_wait);
match self.remove_entry(
key,
hash,
condition,
|r| r.is_some(),
&mut async_wait_pinned,
&Guard::new(),
) {
Ok(r) => return r,
Err(c) => condition = c,
}
async_wait_pinned.await;
}
}
#[inline]
pub fn get<Q>(&self, key: &Q) -> Option<OccupiedEntry<'_, K, V, H>>
where
Q: Equivalent<K> + Hash + ?Sized,
{
let guard = Guard::new();
let locked_entry = self
.get_entry(
key,
self.hash(key),
&mut (),
self.prolonged_guard_ref(&guard),
)
.ok()
.flatten()?;
Some(OccupiedEntry {
hashindex: self,
locked_entry,
})
}
#[inline]
pub async fn get_async<Q>(&self, key: &Q) -> Option<OccupiedEntry<'_, K, V, H>>
where
Q: Equivalent<K> + Hash + ?Sized,
{
let hash = self.hash(key);
loop {
let mut async_wait = AsyncWait::default();
let mut async_wait_pinned = Pin::new(&mut async_wait);
if let Ok(result) = self.get_entry(
key,
hash,
&mut async_wait_pinned,
self.prolonged_guard_ref(&Guard::new()),
) {
if let Some(locked_entry) = result {
return Some(OccupiedEntry {
hashindex: self,
locked_entry,
});
}
return None;
}
async_wait_pinned.await;
}
}
#[inline]
pub fn peek<'g, Q>(&self, key: &Q, guard: &'g Guard) -> Option<&'g V>
where
Q: Equivalent<K> + Hash + ?Sized,
{
self.peek_entry(key, self.hash(key), guard).map(|(_, v)| v)
}
#[inline]
pub fn peek_with<Q, R, F: FnOnce(&K, &V) -> R>(&self, key: &Q, reader: F) -> Option<R>
where
Q: Equivalent<K> + Hash + ?Sized,
{
let guard = Guard::new();
self.peek_entry(key, self.hash(key), &guard)
.map(|(k, v)| reader(k, v))
}
#[inline]
pub fn contains<Q>(&self, key: &Q) -> bool
where
Q: Equivalent<K> + Hash + ?Sized,
{
self.peek_with(key, |_, _| ()).is_some()
}
#[inline]
pub fn retain<F: FnMut(&K, &V) -> bool>(&self, mut pred: F) {
self.retain_entries(|k, v| pred(k, v));
}
#[inline]
pub async fn retain_async<F: FnMut(&K, &V) -> bool>(&self, mut pred: F) {
let mut removed = false;
let mut current_array_holder = self.array.get_shared(Acquire, &Guard::new());
while let Some(current_array) = current_array_holder.take() {
self.cleanse_old_array_async(¤t_array).await;
for index in 0..current_array.num_buckets() {
loop {
let mut async_wait = AsyncWait::default();
let mut async_wait_pinned = Pin::new(&mut async_wait);
{
let guard = Guard::new();
let bucket = current_array.bucket_mut(index);
if let Ok(locker) =
Locker::try_lock_or_wait(bucket, &mut async_wait_pinned, &guard)
{
if let Some(mut locker) = locker {
let data_block_mut = current_array.data_block_mut(index);
let mut entry_ptr = EntryPtr::new(&guard);
while entry_ptr.move_to_next(&locker, &guard) {
let (k, v) = entry_ptr.get(data_block_mut);
if !pred(k, v) {
locker.mark_removed(&mut entry_ptr, &guard);
removed = true;
}
}
}
break;
};
}
async_wait_pinned.await;
}
}
if let Some(new_current_array) = self.array.get_shared(Acquire, &Guard::new()) {
if new_current_array.as_ptr() == current_array.as_ptr() {
break;
}
current_array_holder.replace(new_current_array);
continue;
}
break;
}
if removed {
self.try_resize(0, &Guard::new());
}
}
pub fn clear(&self) {
self.retain(|_, _| false);
}
pub async fn clear_async(&self) {
self.retain_async(|_, _| false).await;
}
#[inline]
pub fn len(&self) -> usize {
self.num_entries(&Guard::new())
}
#[inline]
pub fn is_empty(&self) -> bool {
!self.has_entry(&Guard::new())
}
#[inline]
pub fn capacity(&self) -> usize {
self.num_slots(&Guard::new())
}
#[inline]
pub fn capacity_range(&self) -> RangeInclusive<usize> {
self.minimum_capacity.load(Relaxed)..=self.maximum_capacity()
}
#[inline]
pub fn bucket_index<Q>(&self, key: &Q) -> usize
where
Q: Equivalent<K> + Hash + ?Sized,
{
self.calculate_bucket_index(key)
}
#[inline]
pub fn iter<'h, 'g>(&'h self, guard: &'g Guard) -> Iter<'h, 'g, K, V, H> {
Iter {
hashindex: self,
current_array: None,
current_index: 0,
current_bucket: None,
current_entry_ptr: EntryPtr::new(guard),
guard,
}
}
async fn cleanse_old_array_async(&self, current_array: &BucketArray<K, V, (), OPTIMISTIC>) {
while current_array.has_old_array() {
let mut async_wait = AsyncWait::default();
let mut async_wait_pinned = Pin::new(&mut async_wait);
if self.incremental_rehash::<K, _, false>(
current_array,
&mut async_wait_pinned,
&Guard::new(),
) == Ok(true)
{
break;
}
async_wait_pinned.await;
}
}
}
impl<K, V, H> Clone for HashIndex<K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
H: BuildHasher + Clone,
{
#[inline]
fn clone(&self) -> Self {
let self_clone = Self::with_capacity_and_hasher(self.capacity(), self.hasher().clone());
for (k, v) in self.iter(&Guard::new()) {
let _result = self_clone.insert(k.clone(), v.clone());
}
self_clone
}
}
impl<K, V, H> Debug for HashIndex<K, V, H>
where
K: 'static + Clone + Debug + Eq + Hash,
V: 'static + Clone + Debug,
H: BuildHasher,
{
#[inline]
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
let guard = Guard::new();
f.debug_map().entries(self.iter(&guard)).finish()
}
}
impl<K, V> HashIndex<K, V, RandomState>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
{
#[inline]
#[must_use]
pub fn new() -> Self {
Self::default()
}
#[inline]
#[must_use]
pub fn with_capacity(capacity: usize) -> Self {
Self::with_capacity_and_hasher(capacity, RandomState::new())
}
}
impl<K, V, H> Default for HashIndex<K, V, H>
where
K: 'static,
V: 'static,
H: BuildHasher + Default,
{
#[inline]
fn default() -> Self {
Self::with_hasher(H::default())
}
}
impl<K, V, H> FromIterator<(K, V)> for HashIndex<K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
H: BuildHasher + Default,
{
#[inline]
fn from_iter<T: IntoIterator<Item = (K, V)>>(iter: T) -> Self {
let into_iter = iter.into_iter();
let hashindex = Self::with_capacity_and_hasher(
Self::capacity_from_size_hint(into_iter.size_hint()),
H::default(),
);
into_iter.for_each(|e| {
let _result = hashindex.insert(e.0, e.1);
});
hashindex
}
}
impl<K, V, H> HashTable<K, V, H, (), OPTIMISTIC> for HashIndex<K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
H: BuildHasher,
{
#[inline]
fn hasher(&self) -> &H {
&self.build_hasher
}
#[inline]
fn try_clone(entry: &(K, V)) -> Option<(K, V)> {
Some((entry.0.clone(), entry.1.clone()))
}
#[inline]
fn bucket_array(&self) -> &AtomicShared<BucketArray<K, V, (), OPTIMISTIC>> {
&self.array
}
#[inline]
fn minimum_capacity(&self) -> &AtomicUsize {
&self.minimum_capacity
}
#[inline]
fn maximum_capacity(&self) -> usize {
1_usize << (usize::BITS - 1)
}
}
impl<K, V, H> PartialEq for HashIndex<K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone + PartialEq,
H: BuildHasher,
{
#[inline]
fn eq(&self, other: &Self) -> bool {
let guard = Guard::new();
if !self
.iter(&guard)
.any(|(k, v)| other.peek_with(k, |_, ov| v == ov) != Some(true))
{
return !other
.iter(&guard)
.any(|(k, v)| self.peek_with(k, |_, sv| v == sv) != Some(true));
}
false
}
}
impl<'h, K, V, H> Entry<'h, K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
H: BuildHasher,
{
#[inline]
pub fn or_insert(self, val: V) -> OccupiedEntry<'h, K, V, H> {
self.or_insert_with(|| val)
}
#[inline]
pub fn or_insert_with<F: FnOnce() -> V>(self, constructor: F) -> OccupiedEntry<'h, K, V, H> {
self.or_insert_with_key(|_| constructor())
}
#[inline]
pub fn or_insert_with_key<F: FnOnce(&K) -> V>(
self,
constructor: F,
) -> OccupiedEntry<'h, K, V, H> {
match self {
Self::Occupied(o) => o,
Self::Vacant(v) => {
let val = constructor(v.key());
v.insert_entry(val)
}
}
}
#[inline]
pub fn key(&self) -> &K {
match self {
Self::Occupied(o) => o.key(),
Self::Vacant(v) => v.key(),
}
}
#[inline]
#[must_use]
pub unsafe fn and_modify<F>(self, f: F) -> Self
where
F: FnOnce(&mut V),
{
match self {
Self::Occupied(mut o) => {
f(o.get_mut());
Self::Occupied(o)
}
Self::Vacant(_) => self,
}
}
}
impl<'h, K, V, H> Entry<'h, K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone + Default,
H: BuildHasher,
{
#[inline]
pub fn or_default(self) -> OccupiedEntry<'h, K, V, H> {
match self {
Self::Occupied(o) => o,
Self::Vacant(v) => v.insert_entry(Default::default()),
}
}
}
impl<K, V, H> Debug for Entry<'_, K, V, H>
where
K: 'static + Clone + Debug + Eq + Hash,
V: 'static + Clone + Debug,
H: BuildHasher,
{
#[inline]
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
match self {
Self::Vacant(v) => f.debug_tuple("Entry").field(v).finish(),
Self::Occupied(o) => f.debug_tuple("Entry").field(o).finish(),
}
}
}
impl<'h, K, V, H> OccupiedEntry<'h, K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
H: BuildHasher,
{
#[inline]
#[must_use]
pub fn key(&self) -> &K {
&self
.locked_entry
.entry_ptr
.get(self.locked_entry.data_block_mut)
.0
}
#[inline]
pub fn remove_entry(mut self) {
let guard = Guard::new();
self.locked_entry.locker.mark_removed(
&mut self.locked_entry.entry_ptr,
self.hashindex.prolonged_guard_ref(&guard),
);
if self.locked_entry.locker.num_entries() <= 1 || self.locked_entry.locker.need_rebuild() {
let hashindex = self.hashindex;
if let Some(current_array) = hashindex.bucket_array().load(Acquire, &guard).as_ref() {
if !current_array.has_old_array() {
let index = self.locked_entry.index;
if current_array.initiate_sampling(index) {
drop(self);
hashindex.try_shrink_or_rebuild(current_array, index, &guard);
}
}
}
}
}
#[inline]
#[must_use]
pub fn get(&self) -> &V {
&self
.locked_entry
.entry_ptr
.get(self.locked_entry.data_block_mut)
.1
}
#[inline]
pub unsafe fn get_mut(&mut self) -> &mut V {
&mut self
.locked_entry
.entry_ptr
.get_mut(
self.locked_entry.data_block_mut,
&mut self.locked_entry.locker,
)
.1
}
#[inline]
pub fn update(mut self, val: V) {
let key = self.key().clone();
let partial_hash = self
.locked_entry
.entry_ptr
.partial_hash(&self.locked_entry.locker);
let guard = Guard::new();
self.locked_entry.locker.insert_with(
self.locked_entry.data_block_mut,
partial_hash,
|| (key, val),
self.hashindex.prolonged_guard_ref(&guard),
);
self.locked_entry.locker.mark_removed(
&mut self.locked_entry.entry_ptr,
self.hashindex.prolonged_guard_ref(&guard),
);
}
#[inline]
#[must_use]
pub fn next(self) -> Option<Self> {
let hashindex = self.hashindex;
if let Some(locked_entry) = self.locked_entry.next(hashindex) {
return Some(OccupiedEntry {
hashindex,
locked_entry,
});
}
None
}
#[inline]
pub async fn next_async(self) -> Option<OccupiedEntry<'h, K, V, H>> {
let hashindex = self.hashindex;
if let Some(locked_entry) = self.locked_entry.next_async(hashindex).await {
return Some(OccupiedEntry {
hashindex,
locked_entry,
});
}
None
}
}
impl<K, V, H> Debug for OccupiedEntry<'_, K, V, H>
where
K: 'static + Clone + Debug + Eq + Hash,
V: 'static + Clone + Debug,
H: BuildHasher,
{
#[inline]
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_struct("OccupiedEntry")
.field("key", self.key())
.field("value", self.get())
.finish_non_exhaustive()
}
}
impl<K, V, H> Deref for OccupiedEntry<'_, K, V, H>
where
K: 'static + Clone + Debug + Eq + Hash,
V: 'static + Clone + Debug,
H: BuildHasher,
{
type Target = V;
#[inline]
fn deref(&self) -> &Self::Target {
self.get()
}
}
impl<'h, K, V, H> VacantEntry<'h, K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
H: BuildHasher,
{
#[inline]
pub fn key(&self) -> &K {
&self.key
}
#[inline]
pub fn into_key(self) -> K {
self.key
}
#[inline]
pub fn insert_entry(mut self, val: V) -> OccupiedEntry<'h, K, V, H> {
let guard = Guard::new();
let entry_ptr = self.locked_entry.locker.insert_with(
self.locked_entry.data_block_mut,
BucketArray::<K, V, (), OPTIMISTIC>::partial_hash(self.hash),
|| (self.key, val),
self.hashindex.prolonged_guard_ref(&guard),
);
OccupiedEntry {
hashindex: self.hashindex,
locked_entry: LockedEntry {
index: self.locked_entry.index,
data_block_mut: self.locked_entry.data_block_mut,
locker: self.locked_entry.locker,
entry_ptr,
},
}
}
}
impl<K, V, H> Debug for VacantEntry<'_, K, V, H>
where
K: 'static + Clone + Debug + Eq + Hash,
V: 'static + Clone + Debug,
H: BuildHasher,
{
#[inline]
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_tuple("VacantEntry").field(self.key()).finish()
}
}
impl<K, V, H> Reserve<'_, K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
H: BuildHasher,
{
#[inline]
#[must_use]
pub fn additional_capacity(&self) -> usize {
self.additional
}
}
impl<K, V, H> AsRef<HashIndex<K, V, H>> for Reserve<'_, K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
H: BuildHasher,
{
#[inline]
fn as_ref(&self) -> &HashIndex<K, V, H> {
self.hashindex
}
}
impl<K, V, H> Debug for Reserve<'_, K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
H: BuildHasher,
{
#[inline]
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_tuple("Reserve").field(&self.additional).finish()
}
}
impl<K, V, H> Deref for Reserve<'_, K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
H: BuildHasher,
{
type Target = HashIndex<K, V, H>;
#[inline]
fn deref(&self) -> &Self::Target {
self.hashindex
}
}
impl<K, V, H> Drop for Reserve<'_, K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
H: BuildHasher,
{
#[inline]
fn drop(&mut self) {
let result = self
.hashindex
.minimum_capacity
.fetch_sub(self.additional, Relaxed);
self.hashindex.try_resize(0, &Guard::new());
debug_assert!(result >= self.additional);
}
}
impl<K, V, H> Debug for Iter<'_, '_, K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
H: BuildHasher,
{
#[inline]
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_struct("Iter")
.field("current_index", &self.current_index)
.field("current_entry_ptr", &self.current_entry_ptr)
.finish()
}
}
impl<'g, K, V, H> Iterator for Iter<'_, 'g, K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
H: BuildHasher,
{
type Item = (&'g K, &'g V);
#[inline]
fn next(&mut self) -> Option<Self::Item> {
let mut array = if let Some(array) = self.current_array.as_ref().copied() {
array
} else {
let current_array = self
.hashindex
.bucket_array()
.load(Acquire, self.guard)
.as_ref()?;
let old_array_ptr = current_array.old_array(self.guard);
let array = if let Some(old_array) = old_array_ptr.as_ref() {
old_array
} else {
current_array
};
self.current_array.replace(array);
self.current_bucket.replace(array.bucket(0));
self.current_entry_ptr = EntryPtr::new(self.guard);
array
};
loop {
if let Some(bucket) = self.current_bucket.take() {
if self.current_entry_ptr.move_to_next(bucket, self.guard) {
let (k, v) = self
.current_entry_ptr
.get(array.data_block(self.current_index));
self.current_bucket.replace(bucket);
return Some((k, v));
}
}
self.current_index += 1;
if self.current_index == array.num_buckets() {
let current_array = self
.hashindex
.bucket_array()
.load(Acquire, self.guard)
.as_ref()?;
if self
.current_array
.as_ref()
.copied()
.map_or(false, |a| ptr::eq(a, current_array))
{
break;
}
let old_array_ptr = current_array.old_array(self.guard);
if self
.current_array
.as_ref()
.copied()
.map_or(false, |a| ptr::eq(a, old_array_ptr.as_ptr()))
{
array = current_array;
self.current_array.replace(array);
self.current_index = 0;
self.current_bucket.replace(array.bucket(0));
self.current_entry_ptr = EntryPtr::new(self.guard);
continue;
}
array = if let Some(old_array) = old_array_ptr.as_ref() {
old_array
} else {
current_array
};
self.current_array.replace(array);
self.current_index = 0;
self.current_bucket.replace(array.bucket(0));
self.current_entry_ptr = EntryPtr::new(self.guard);
continue;
}
self.current_bucket
.replace(array.bucket(self.current_index));
self.current_entry_ptr = EntryPtr::new(self.guard);
}
None
}
}
impl<K, V, H> FusedIterator for Iter<'_, '_, K, V, H>
where
K: 'static + Clone + Eq + Hash,
V: 'static + Clone,
H: BuildHasher,
{
}
impl<K, V, H> UnwindSafe for Iter<'_, '_, K, V, H>
where
K: 'static + Clone + Eq + Hash + UnwindSafe,
V: 'static + Clone + UnwindSafe,
H: BuildHasher + UnwindSafe,
{
}