#![warn(unused_extern_crates)]
#![deny(
clippy::all,
clippy::unwrap_used,
clippy::unnecessary_unwrap,
clippy::pedantic
)]
#![allow(clippy::module_name_repetitions)]
#![deny(missing_docs)]
mod entry;
mod iter;
mod macros;
mod raw_entry;
#[cfg(feature = "serde")]
mod serde;
mod vecmap;
mod vectypes;
pub use crate::entry::*;
pub use crate::iter::*;
pub use crate::raw_entry::*;
use crate::vecmap::VecMap;
use core::borrow::Borrow;
use core::hash::{BuildHasher, Hash};
use hashbrown::{self, HashMap as HashBrown};
use std::default::Default;
use std::fmt::{self, Debug};
use std::ops::Index;
#[cfg(feature = "fxhash")]
pub type DefaultHashBuilder = core::hash::BuildHasherDefault<rustc_hash::FxHasher>;
use crate::vectypes::VecDrain;
#[cfg(not(feature = "fxhash"))]
pub use hashbrown::DefaultHashBuilder;
pub type HashMap<K, V, S = DefaultHashBuilder> = SizedHashMap<K, V, S, 32>;
#[derive(Clone)]
pub struct SizedHashMap<K, V, S = DefaultHashBuilder, const VEC_LIMIT_UPPER: usize = 32>(
HashMapInt<K, V, VEC_LIMIT_UPPER, S>,
);
impl<K, V, S: Default, const VEC_LIMIT_UPPER: usize> Default
for SizedHashMap<K, V, S, VEC_LIMIT_UPPER>
{
#[inline]
fn default() -> Self {
Self(HashMapInt::default())
}
}
impl<K, V, S, const VEC_LIMIT_UPPER: usize> Debug for SizedHashMap<K, V, S, VEC_LIMIT_UPPER>
where
K: Debug,
V: Debug,
{
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
f.debug_map().entries(self.iter()).finish()
}
}
#[derive(Clone)]
enum HashMapInt<K, V, const N: usize, S = DefaultHashBuilder> {
Map(HashBrown<K, V, S>),
Vec(VecMap<K, V, N, S>),
}
impl<K, V, const N: usize, S: Default> Default for HashMapInt<K, V, N, S> {
#[inline]
fn default() -> Self {
Self::Vec(VecMap::default())
}
}
impl<K, V, const VEC_LIMIT_UPPER: usize> SizedHashMap<K, V, DefaultHashBuilder, VEC_LIMIT_UPPER> {
#[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, DefaultHashBuilder::default())
}
#[inline]
#[must_use]
pub fn vec_with_capacity(capacity: usize) -> Self {
Self(HashMapInt::Vec(VecMap::with_capacity(capacity)))
}
}
impl<K, V, S, const VEC_LIMIT_UPPER: usize> SizedHashMap<K, V, S, VEC_LIMIT_UPPER> {
#[inline]
pub fn with_hasher(hash_builder: S) -> Self {
Self(HashMapInt::Vec(VecMap::with_hasher(hash_builder)))
}
#[inline]
pub fn with_capacity_and_hasher(capacity: usize, hash_builder: S) -> Self {
Self(if capacity > VEC_LIMIT_UPPER {
HashMapInt::Map(HashBrown::with_capacity_and_hasher(capacity, hash_builder))
} else {
HashMapInt::Vec(VecMap::with_capacity_and_hasher(capacity, hash_builder))
})
}
pub fn hasher(&self) -> &S {
match &self.0 {
HashMapInt::Map(m) => m.hasher(),
HashMapInt::Vec(m) => m.hasher(),
}
}
#[inline]
#[allow(clippy::missing_panics_doc)]
pub fn capacity(&self) -> usize {
match &self.0 {
HashMapInt::Map(m) => m.capacity(),
HashMapInt::Vec(m) => m.capacity(),
}
}
pub fn keys(&self) -> Keys<'_, K, V> {
Keys { inner: self.iter() }
}
pub fn values(&self) -> Values<'_, K, V> {
Values { inner: self.iter() }
}
pub fn values_mut(&mut self) -> ValuesMut<'_, K, V> {
ValuesMut {
inner: self.iter_mut(),
}
}
pub fn iter(&self) -> Iter<'_, K, V> {
match &self.0 {
HashMapInt::Map(m) => IterInt::Map(m.iter()).into(),
HashMapInt::Vec(m) => IterInt::Vec(m.iter()).into(),
}
}
pub fn iter_mut(&mut self) -> IterMut<'_, K, V> {
match &mut self.0 {
HashMapInt::Map(m) => IterMutInt::Map(m.iter_mut()).into(),
HashMapInt::Vec(m) => IterMutInt::Vec(m.iter_mut()).into(),
}
}
#[inline]
pub fn len(&self) -> usize {
match &self.0 {
HashMapInt::Map(m) => m.len(),
HashMapInt::Vec(m) => m.len(),
}
}
#[inline]
pub fn is_empty(&self) -> bool {
match &self.0 {
HashMapInt::Map(m) => m.is_empty(),
HashMapInt::Vec(m) => m.is_empty(),
}
}
#[inline]
pub fn drain(&'_ mut self) -> Drain<'_, K, V, VEC_LIMIT_UPPER> {
match &mut self.0 {
HashMapInt::Map(m) => Drain(DrainInt::Map(m.drain())),
HashMapInt::Vec(m) => Drain(DrainInt::Vec(m.drain())),
}
}
#[inline]
pub fn clear(&mut self) {
match &mut self.0 {
HashMapInt::Map(m) => m.clear(),
HashMapInt::Vec(m) => m.clear(),
}
}
}
impl<K, V, S, const VEC_LIMIT_UPPER: usize> SizedHashMap<K, V, S, VEC_LIMIT_UPPER>
where
K: Eq + Hash,
S: BuildHasher,
{
#[inline]
pub fn reserve(&mut self, additional: usize) {
match &mut self.0 {
HashMapInt::Map(m) => m.reserve(additional),
HashMapInt::Vec(m) => m.reserve(additional),
}
}
pub fn shrink_to_fit(&mut self) {
match &mut self.0 {
HashMapInt::Map(m) => m.shrink_to_fit(),
HashMapInt::Vec(m) => m.shrink_to_fit(),
}
}
pub fn entry(&'_ mut self, key: K) -> Entry<'_, K, V, VEC_LIMIT_UPPER, S>
where
S: Default,
{
if let HashMapInt::Vec(m) = &self.0
&& m.len() >= VEC_LIMIT_UPPER
{
self.swap_backend_to_map();
}
match &mut self.0 {
HashMapInt::Map(m) => m.entry(key).into(),
HashMapInt::Vec(m) => m.entry(key).into(),
}
}
#[inline]
pub fn get<Q>(&self, k: &Q) -> Option<&V>
where
K: Borrow<Q>,
Q: ?Sized + Hash + Eq,
{
match &self.0 {
HashMapInt::Map(m) => m.get(k),
HashMapInt::Vec(m) => m.get(k),
}
}
pub fn contains_key<Q>(&self, k: &Q) -> bool
where
K: Borrow<Q>,
Q: Hash + Eq + ?Sized,
{
match &self.0 {
HashMapInt::Map(m) => m.contains_key(k),
HashMapInt::Vec(m) => m.contains_key(k),
}
}
#[inline]
pub fn get_mut<Q>(&mut self, k: &Q) -> Option<&mut V>
where
K: Borrow<Q>,
Q: Hash + Eq + ?Sized,
{
match &mut self.0 {
HashMapInt::Map(m) => m.get_mut(k),
HashMapInt::Vec(m) => m.get_mut(k),
}
}
fn swap_backend_to_map(&mut self) -> &mut hashbrown::HashMap<K, V, S>
where
S: Default,
{
self.0 = match &mut self.0 {
HashMapInt::Vec(m) => {
let m1: HashBrown<K, V, S> = m.drain().collect();
HashMapInt::Map(m1)
}
HashMapInt::Map(_) => {
unreachable!()
}
};
match &mut self.0 {
HashMapInt::Map(m) => m,
HashMapInt::Vec(_) => {
unreachable!()
}
}
}
#[inline]
pub fn insert(&mut self, k: K, v: V) -> Option<V>
where
S: Default,
{
match &mut self.0 {
HashMapInt::Map(m) => m.insert(k, v),
HashMapInt::Vec(m) => {
if m.len() >= VEC_LIMIT_UPPER {
let map = self.swap_backend_to_map();
map.insert(k, v)
} else {
m.insert(k, v)
}
}
}
}
#[inline]
pub fn remove<Q>(&mut self, k: &Q) -> Option<V>
where
K: Borrow<Q>,
Q: Hash + Eq + ?Sized,
{
match &mut self.0 {
HashMapInt::Map(m) => m.remove(k),
HashMapInt::Vec(m) => m.remove(k),
}
}
#[inline]
pub fn remove_entry<Q>(&mut self, k: &Q) -> Option<(K, V)>
where
K: Borrow<Q>,
Q: Hash + Eq + ?Sized,
{
match &mut self.0 {
HashMapInt::Map(m) => m.remove_entry(k),
HashMapInt::Vec(m) => m.remove_entry(k),
}
}
#[inline]
pub fn retain<F>(&mut self, f: F)
where
F: FnMut(&K, &mut V) -> bool,
{
match &mut self.0 {
HashMapInt::Map(m) => m.retain(f),
HashMapInt::Vec(m) => m.retain(f),
}
}
#[inline]
pub unsafe fn insert_nocheck(&mut self, k: K, v: V)
where
S: Default,
{
match &mut self.0 {
HashMapInt::Map(m) => {
unsafe { m.insert_unique_unchecked(k, v) };
}
HashMapInt::Vec(m) => {
if m.len() >= VEC_LIMIT_UPPER {
let map = self.swap_backend_to_map();
unsafe { map.insert_unique_unchecked(k, v) };
} else {
m.insert_nocheck(k, v);
}
}
}
}
pub fn is_map(&self) -> bool {
match &self.0 {
HashMapInt::Map(_m) => true,
HashMapInt::Vec(_m) => false,
}
}
pub fn is_vec(&self) -> bool {
match &self.0 {
HashMapInt::Map(_m) => false,
HashMapInt::Vec(_m) => true,
}
}
}
impl<K, Q, V, S, const VEC_LIMIT_UPPER: usize> Index<&Q> for SizedHashMap<K, V, S, VEC_LIMIT_UPPER>
where
K: Eq + Hash + Borrow<Q>,
Q: Eq + Hash + ?Sized,
S: BuildHasher,
{
type Output = V;
#[inline]
fn index(&self, key: &Q) -> &V {
self.get(key).expect("no entry found for key")
}
}
impl<K, V, S, const VEC_LIMIT_UPPER: usize> SizedHashMap<K, V, S, VEC_LIMIT_UPPER>
where
S: BuildHasher,
K: Eq + Hash,
{
#[inline]
pub fn raw_entry_mut(&mut self) -> RawEntryBuilderMut<'_, K, V, VEC_LIMIT_UPPER, S>
where
S: Default,
{
if let HashMapInt::Vec(m) = &self.0
&& m.len() >= VEC_LIMIT_UPPER
{
self.swap_backend_to_map();
}
match &mut self.0 {
HashMapInt::Vec(m) => RawEntryBuilderMut::from(m.raw_entry_mut()),
HashMapInt::Map(m) => RawEntryBuilderMut::from(m.raw_entry_mut()),
}
}
#[inline]
pub fn raw_entry(&self) -> RawEntryBuilder<'_, K, V, VEC_LIMIT_UPPER, S> {
match &self.0 {
HashMapInt::Vec(m) => RawEntryBuilder::from(m.raw_entry()),
HashMapInt::Map(m) => RawEntryBuilder::from(m.raw_entry()),
}
}
}
impl<K, V, S, S1, const VEC_LIMIT_UPPER1: usize, const VEC_LIMIT_UPPER2: usize>
PartialEq<SizedHashMap<K, V, S1, VEC_LIMIT_UPPER1>> for SizedHashMap<K, V, S, VEC_LIMIT_UPPER2>
where
K: Eq + Hash,
V: PartialEq,
S1: BuildHasher,
{
fn eq(&self, other: &SizedHashMap<K, V, S1, VEC_LIMIT_UPPER1>) -> bool {
if self.len() != other.len() {
return false;
}
self.iter()
.all(|(key, value)| other.get(key).is_some_and(|v| *value == *v))
}
}
impl<K, V, S, const VEC_LIMIT_UPPER: usize> Eq for SizedHashMap<K, V, S, VEC_LIMIT_UPPER>
where
K: Eq + Hash,
V: Eq,
S: BuildHasher,
{
}
pub struct Keys<'a, K, V> {
inner: Iter<'a, K, V>,
}
impl<'a, K, V> Iterator for Keys<'a, K, V> {
type Item = &'a K;
#[inline]
fn next(&mut self) -> Option<&'a K> {
self.inner.next().map(|(k, _)| k)
}
#[inline]
fn size_hint(&self) -> (usize, Option<usize>) {
self.inner.size_hint()
}
}
pub struct Values<'a, K, V> {
inner: Iter<'a, K, V>,
}
impl<'a, K, V> Iterator for Values<'a, K, V> {
type Item = &'a V;
#[inline]
fn next(&mut self) -> Option<&'a V> {
self.inner.next().map(|(_, v)| v)
}
#[inline]
fn size_hint(&self) -> (usize, Option<usize>) {
self.inner.size_hint()
}
}
pub struct ValuesMut<'a, K, V> {
inner: IterMut<'a, K, V>,
}
impl<'a, K, V> Iterator for ValuesMut<'a, K, V> {
type Item = &'a mut V;
#[inline]
fn next(&mut self) -> Option<&'a mut V> {
self.inner.next().map(|(_, v)| v)
}
#[inline]
fn size_hint(&self) -> (usize, Option<usize>) {
self.inner.size_hint()
}
}
pub struct Drain<'a, K, V, const N: usize>(DrainInt<'a, K, V, N>);
enum DrainInt<'a, K, V, const N: usize> {
Map(hashbrown::hash_map::Drain<'a, K, V>),
Vec(VecDrain<'a, (K, V), N>),
}
impl<K, V, const N: usize> Iterator for Drain<'_, K, V, N> {
type Item = (K, V);
#[inline]
fn next(&mut self) -> Option<Self::Item> {
match &mut self.0 {
DrainInt::Map(m) => m.next(),
DrainInt::Vec(m) => m.next(),
}
}
#[inline]
fn size_hint(&self) -> (usize, Option<usize>) {
match &self.0 {
DrainInt::Map(m) => m.size_hint(),
DrainInt::Vec(m) => m.size_hint(),
}
}
}
#[cfg(test)]
mod tests {
use super::*;
const TEST_SIZE: usize = 5;
#[test]
fn scale_up() {
let mut v = SizedHashMap::<_, _, _, TEST_SIZE>::new();
assert!(v.is_vec());
for i in 1..=TEST_SIZE {
v.insert(i, i);
assert!(v.is_vec());
}
v.insert(TEST_SIZE + 1, TEST_SIZE + 1);
assert!(v.is_map());
}
#[test]
fn scale_up_via_entry() {
let mut v = SizedHashMap::<_, _, _, TEST_SIZE>::new();
assert!(v.is_vec());
for i in 1..=TEST_SIZE {
v.entry(i).or_insert(i);
assert!(v.is_vec());
}
v.entry(TEST_SIZE + 1).or_insert(TEST_SIZE + 1);
assert!(v.is_map());
}
#[test]
#[cfg(feature = "arraybackend")]
fn scale_up_via_no_check() {
let mut v = SizedHashMap::<_, _, _, TEST_SIZE>::new();
for i in 1..TEST_SIZE + 2 {
unsafe { v.insert_nocheck(i, i) };
}
}
#[test]
#[cfg(feature = "arraybackend")]
fn scale_up_mixed() {
let mut v = SizedHashMap::<_, _, _, TEST_SIZE>::new();
for i in 1..TEST_SIZE + 1 {
v.insert(3 * i, i);
unsafe { v.insert_nocheck(3 * i + 1, i) };
v.entry(3 * i + 2).or_insert(i);
}
}
#[test]
fn str_key() {
let mut v: SizedHashMap<String, u32> = SizedHashMap::new();
v.insert("hello".to_owned(), 42);
assert_eq!(v["hello"], 42);
}
#[test]
fn add_remove() {
let mut v = SizedHashMap::<i32, i32, _, 32>::new();
v.insert(1, 1);
v.insert(2, 2);
v.insert(3, 3);
assert_eq!(v.get(&1), Some(&1));
assert_eq!(v.get(&2), Some(&2));
assert_eq!(v.get(&3), Some(&3));
v.remove(&2);
assert_eq!(v.get(&1), Some(&1));
assert_eq!(v.get(&2), None);
assert_eq!(v.get(&3), Some(&3));
}
}