Skip to content

Commit afce097

Browse files
author
Cole Miller
committed
Add get_each_mut methods on RawTable and HashMap
These methods enable looking up mutable references to several entries in a table or map at once. They make use of the min_const_generics feature, which is available without a feature gate on recent nightly — but not yet stable — rustc. Hence everything added here is behind `#[cfg(feature = "nightly")]`. This also removes an unnecessary `unsafe` annotation for `Bucket::as_ptr`.
1 parent 80b2c31 commit afce097

File tree

3 files changed

+245
-4
lines changed

3 files changed

+245
-4
lines changed

src/lib.rs

+16-1
Original file line numberDiff line numberDiff line change
@@ -20,7 +20,8 @@
2020
extend_one,
2121
allocator_api,
2222
slice_ptr_get,
23-
nonnull_slice_from_raw_parts
23+
nonnull_slice_from_raw_parts,
24+
maybe_uninit_array_assume_init
2425
)
2526
)]
2627
#![allow(
@@ -126,6 +127,20 @@ pub enum TryReserveError {
126127
},
127128
}
128129

130+
/// The error type for [`RawTable::get_each_mut`](crate::raw::RawTable::get_each_mut),
131+
/// [`HashMap::get_each_mut`], and [`HashMap::get_each_key_value_mut`].
132+
#[cfg(feature = "nightly")]
133+
#[derive(Clone, PartialEq, Eq, Debug)]
134+
pub enum UnavailableMutError {
135+
/// The requested entry is not present in the table.
136+
Absent,
137+
/// The requested entry is present, but a mutable reference to it was already created and
138+
/// returned from this call to `get_each_mut` or `get_each_key_value_mut`.
139+
///
140+
/// Includes the index of the existing mutable reference in the returned array.
141+
Duplicate(usize),
142+
}
143+
129144
/// Wrapper around `Bump` which allows it to be used as an allocator for
130145
/// `HashMap`, `HashSet` and `RawTable`.
131146
///

src/map.rs

+165-1
Original file line numberDiff line numberDiff line change
@@ -1,11 +1,15 @@
11
use crate::raw::{Allocator, Bucket, Global, RawDrain, RawIntoIter, RawIter, RawTable};
22
use crate::TryReserveError;
3+
#[cfg(feature = "nightly")]
4+
use crate::UnavailableMutError;
35
use core::borrow::Borrow;
46
use core::fmt::{self, Debug};
57
use core::hash::{BuildHasher, Hash};
68
use core::iter::{FromIterator, FusedIterator};
79
use core::marker::PhantomData;
810
use core::mem;
11+
#[cfg(feature = "nightly")]
12+
use core::mem::MaybeUninit;
913
use core::ops::Index;
1014

1115
/// Default hasher for `HashMap`.
@@ -1113,6 +1117,137 @@ where
11131117
self.table.get_mut(hash, equivalent_key(k))
11141118
}
11151119

1120+
/// Attempts to get mutable references to `N` values in the map at once.
1121+
///
1122+
/// Returns an array of length `N` with the results of each query. For soundness,
1123+
/// at most one mutable reference will be returned to any value. An
1124+
/// `Err(UnavailableMutError::Duplicate(i))` in the returned array indicates that a suitable
1125+
/// key-value pair exists, but a mutable reference to the value already occurs at index `i` in
1126+
/// the returned array.
1127+
///
1128+
/// This method is available only if the `nightly` feature is enabled.
1129+
///
1130+
/// ```
1131+
/// use hashbrown::{HashMap, UnavailableMutError};
1132+
///
1133+
/// let mut libraries = HashMap::new();
1134+
/// libraries.insert("Bodleian Library".to_string(), 1602);
1135+
/// libraries.insert("Athenæum".to_string(), 1807);
1136+
/// libraries.insert("Herzogin-Anna-Amalia-Bibliothek".to_string(), 1691);
1137+
/// libraries.insert("Library of Congress".to_string(), 1800);
1138+
///
1139+
/// let got = libraries.get_each_mut([
1140+
/// "Athenæum",
1141+
/// "New York Public Library",
1142+
/// "Athenæum",
1143+
/// "Library of Congress",
1144+
/// ]);
1145+
/// assert_eq!(
1146+
/// got,
1147+
/// [
1148+
/// Ok(&mut 1807),
1149+
/// Err(UnavailableMutError::Absent),
1150+
/// Err(UnavailableMutError::Duplicate(0)),
1151+
/// Ok(&mut 1800),
1152+
/// ]
1153+
/// );
1154+
/// ```
1155+
#[cfg(feature = "nightly")]
1156+
pub fn get_each_mut<Q: ?Sized, const N: usize>(
1157+
&mut self,
1158+
ks: [&Q; N],
1159+
) -> [Result<&'_ mut V, UnavailableMutError>; N]
1160+
where
1161+
K: Borrow<Q>,
1162+
Q: Hash + Eq,
1163+
{
1164+
let mut pairs = self.get_each_inner_mut(ks);
1165+
// TODO use `MaybeUninit::uninit_array` here instead once that's stable.
1166+
let mut out: [MaybeUninit<Result<&'_ mut V, UnavailableMutError>>; N] =
1167+
unsafe { MaybeUninit::uninit().assume_init() };
1168+
for i in 0..N {
1169+
out[i] = MaybeUninit::new(
1170+
mem::replace(&mut pairs[i], Err(UnavailableMutError::Absent)).map(|(_, v)| v),
1171+
);
1172+
}
1173+
unsafe { MaybeUninit::array_assume_init(out) }
1174+
}
1175+
1176+
/// Attempts to get mutable references to `N` values in the map at once, with immutable
1177+
/// references to the corresponding keys.
1178+
///
1179+
/// Returns an array of length `N` with the results of each query. For soundness,
1180+
/// at most one mutable reference will be returned to any value. An
1181+
/// `Err(UnavailableMutError::Duplicate(i))` in the returned array indicates that a suitable
1182+
/// key-value pair exists, but a mutable reference to the value already occurs at index `i` in
1183+
/// the returned array.
1184+
///
1185+
/// This method is available only if the `nightly` feature is enabled.
1186+
///
1187+
/// ```
1188+
/// use hashbrown::{HashMap, UnavailableMutError};
1189+
///
1190+
/// let mut libraries = HashMap::new();
1191+
/// libraries.insert("Bodleian Library".to_string(), 1602);
1192+
/// libraries.insert("Athenæum".to_string(), 1807);
1193+
/// libraries.insert("Herzogin-Anna-Amalia-Bibliothek".to_string(), 1691);
1194+
/// libraries.insert("Library of Congress".to_string(), 1800);
1195+
///
1196+
/// let got = libraries.get_each_key_value_mut([
1197+
/// "Bodleian Library",
1198+
/// "Herzogin-Anna-Amalia-Bibliothek",
1199+
/// "Herzogin-Anna-Amalia-Bibliothek",
1200+
/// "Gewandhaus",
1201+
/// ]);
1202+
/// assert_eq!(
1203+
/// got,
1204+
/// [
1205+
/// Ok((&"Bodleian Library".to_string(), &mut 1602)),
1206+
/// Ok((&"Herzogin-Anna-Amalia-Bibliothek".to_string(), &mut 1691)),
1207+
/// Err(UnavailableMutError::Duplicate(1)),
1208+
/// Err(UnavailableMutError::Absent),
1209+
/// ]
1210+
/// );
1211+
/// ```
1212+
#[cfg(feature = "nightly")]
1213+
pub fn get_each_key_value_mut<Q: ?Sized, const N: usize>(
1214+
&mut self,
1215+
ks: [&Q; N],
1216+
) -> [Result<(&'_ K, &'_ mut V), UnavailableMutError>; N]
1217+
where
1218+
K: Borrow<Q>,
1219+
Q: Hash + Eq,
1220+
{
1221+
let mut pairs = self.get_each_inner_mut(ks);
1222+
// TODO use `MaybeUninit::uninit_array` here instead once that's stable.
1223+
let mut out: [MaybeUninit<Result<(&'_ K, &'_ mut V), UnavailableMutError>>; N] =
1224+
unsafe { MaybeUninit::uninit().assume_init() };
1225+
for i in 0..N {
1226+
out[i] = MaybeUninit::new(
1227+
mem::replace(&mut pairs[i], Err(UnavailableMutError::Absent))
1228+
.map(|(k, v)| (&*k, v)),
1229+
);
1230+
}
1231+
unsafe { MaybeUninit::array_assume_init(out) }
1232+
}
1233+
1234+
#[cfg(feature = "nightly")]
1235+
fn get_each_inner_mut<Q: ?Sized, const N: usize>(
1236+
&mut self,
1237+
ks: [&Q; N],
1238+
) -> [Result<&'_ mut (K, V), UnavailableMutError>; N]
1239+
where
1240+
K: Borrow<Q>,
1241+
Q: Hash + Eq,
1242+
{
1243+
let mut hashes = [0_u64; N];
1244+
for i in 0..N {
1245+
hashes[i] = make_hash::<K, Q, S>(&self.hash_builder, ks[i]);
1246+
}
1247+
self.table
1248+
.get_each_mut(hashes, |i, (k, _)| ks[i].eq(k.borrow()))
1249+
}
1250+
11161251
/// Inserts a key-value pair into the map.
11171252
///
11181253
/// If the map did not have this key present, [`None`] is returned.
@@ -3315,6 +3450,7 @@ mod test_map {
33153450
use super::{HashMap, RawEntryMut};
33163451
use crate::TryReserveError::*;
33173452
use rand::{rngs::SmallRng, Rng, SeedableRng};
3453+
use std::borrow::ToOwned;
33183454
use std::cell::RefCell;
33193455
use std::usize;
33203456
use std::vec::Vec;
@@ -4682,7 +4818,6 @@ mod test_map {
46824818
#[test]
46834819
fn test_const_with_hasher() {
46844820
use core::hash::BuildHasher;
4685-
use std::borrow::ToOwned;
46864821
use std::collections::hash_map::DefaultHasher;
46874822

46884823
#[derive(Clone)]
@@ -4702,4 +4837,33 @@ mod test_map {
47024837
map.insert(17, "seventeen".to_owned());
47034838
assert_eq!("seventeen", map[&17]);
47044839
}
4840+
4841+
#[test]
4842+
#[cfg(feature = "nightly")]
4843+
fn test_get_each_mut() {
4844+
use crate::UnavailableMutError::*;
4845+
4846+
let mut map = HashMap::new();
4847+
map.insert("foo".to_owned(), 0);
4848+
map.insert("bar".to_owned(), 10);
4849+
map.insert("baz".to_owned(), 20);
4850+
map.insert("qux".to_owned(), 30);
4851+
4852+
let xs = map.get_each_mut(["foo", "dud", "foo", "qux"]);
4853+
assert_eq!(
4854+
xs,
4855+
[Ok(&mut 0), Err(Absent), Err(Duplicate(0)), Ok(&mut 30)]
4856+
);
4857+
4858+
let ys = map.get_each_key_value_mut(["bar", "baz", "baz", "dip"]);
4859+
assert_eq!(
4860+
ys,
4861+
[
4862+
Ok((&"bar".to_owned(), &mut 10)),
4863+
Ok((&"baz".to_owned(), &mut 20)),
4864+
Err(Duplicate(1)),
4865+
Err(Absent),
4866+
]
4867+
);
4868+
}
47054869
}

src/raw/mod.rs

+64-2
Original file line numberDiff line numberDiff line change
@@ -1,11 +1,15 @@
11
use crate::alloc::alloc::{handle_alloc_error, Layout};
22
use crate::scopeguard::guard;
33
use crate::TryReserveError;
4+
#[cfg(feature = "nightly")]
5+
use crate::UnavailableMutError;
46
use core::hint;
57
use core::iter::FusedIterator;
68
use core::marker::PhantomData;
79
use core::mem;
810
use core::mem::ManuallyDrop;
11+
#[cfg(feature = "nightly")]
12+
use core::mem::MaybeUninit;
913
use core::ptr::NonNull;
1014

1115
cfg_if! {
@@ -316,12 +320,12 @@ impl<T> Bucket<T> {
316320
}
317321
}
318322
#[cfg_attr(feature = "inline-more", inline)]
319-
pub unsafe fn as_ptr(&self) -> *mut T {
323+
pub fn as_ptr(&self) -> *mut T {
320324
if mem::size_of::<T>() == 0 {
321325
// Just return an arbitrary ZST pointer which is properly aligned
322326
mem::align_of::<T>() as *mut T
323327
} else {
324-
self.ptr.as_ptr().sub(1)
328+
unsafe { self.ptr.as_ptr().sub(1) }
325329
}
326330
}
327331
#[cfg_attr(feature = "inline-more", inline)]
@@ -944,6 +948,64 @@ impl<T, A: Allocator + Clone> RawTable<T, A> {
944948
}
945949
}
946950

951+
/// Attempts to get mutable references to `N` entries in the table at once.
952+
///
953+
/// Returns an array of length `N` with the results of each query. For soundness,
954+
/// at most one mutable reference will be returned to any entry. An
955+
/// `Err(UnavailableMutError::Duplicate(i))` in the returned array indicates that a suitable
956+
/// entry exists, but a mutable reference to it already occurs at index `i` in the returned
957+
/// array.
958+
///
959+
/// The `eq` argument should be a closure such that `eq(i, k)` returns true if `k` is equal to
960+
/// the `i`th key to be looked up.
961+
///
962+
/// This method is available only if the `nightly` feature is enabled.
963+
#[cfg(feature = "nightly")]
964+
pub fn get_each_mut<const N: usize>(
965+
&mut self,
966+
hashes: [u64; N],
967+
mut eq: impl FnMut(usize, &T) -> bool,
968+
) -> [Result<&'_ mut T, UnavailableMutError>; N] {
969+
// Collect the requested buckets.
970+
// TODO use `MaybeUninit::uninit_array` here instead once that's stable.
971+
let mut buckets: [MaybeUninit<Option<Bucket<T>>>; N] =
972+
unsafe { MaybeUninit::uninit().assume_init() };
973+
for i in 0..N {
974+
buckets[i] = MaybeUninit::new(self.find(hashes[i], |k| eq(i, k)));
975+
}
976+
let buckets: [Option<Bucket<T>>; N] = unsafe { MaybeUninit::array_assume_init(buckets) };
977+
978+
// Walk through the buckets, checking for duplicates and building up the output array.
979+
// TODO use `MaybeUninit::uninit_array` here instead once that's stable.
980+
let mut out: [MaybeUninit<Result<&'_ mut T, UnavailableMutError>>; N] =
981+
unsafe { MaybeUninit::uninit().assume_init() };
982+
for i in 0..N {
983+
out[i] = MaybeUninit::new(
984+
#[allow(clippy::never_loop)]
985+
'outer: loop {
986+
for j in 0..i {
987+
match (&buckets[j], &buckets[i]) {
988+
// These two buckets are the same, and we can't safely return a second
989+
// mutable reference to the same entry.
990+
(Some(prev), Some(cur)) if prev.as_ptr() == cur.as_ptr() => {
991+
break 'outer Err(UnavailableMutError::Duplicate(j));
992+
}
993+
_ => {}
994+
}
995+
}
996+
// This bucket is distinct from all previous buckets (or it doesn't exist), so
997+
// we're clear to return the result of the lookup.
998+
break match &buckets[i] {
999+
None => Err(UnavailableMutError::Absent),
1000+
Some(bkt) => unsafe { Ok(bkt.as_mut()) },
1001+
};
1002+
},
1003+
)
1004+
}
1005+
1006+
unsafe { MaybeUninit::array_assume_init(out) }
1007+
}
1008+
9471009
/// Returns the number of elements the map can hold without reallocating.
9481010
///
9491011
/// This number is a lower bound; the table might be able to hold

0 commit comments

Comments
 (0)