rune_alloc/btree/map.rs
1//! An ordered map based on a B-Tree.
2
3use core::borrow::Borrow;
4use core::cmp::Ordering;
5use core::convert::Infallible;
6use core::fmt::{self, Debug};
7use core::hash::{Hash, Hasher};
8use core::iter::FusedIterator;
9use core::marker::PhantomData;
10use core::mem::{self, ManuallyDrop};
11use core::ops::{Bound, Index, RangeBounds};
12
13use crate::ptr;
14#[cfg(test)]
15use crate::testing::*;
16
17use crate::alloc::{AllocError, Allocator, Global};
18use crate::boxed::Box;
19use crate::clone::TryClone;
20use crate::error::{CustomError, Error};
21use crate::iter::{TryExtend, TryFromIteratorIn};
22
23use super::borrow::DormantMutRef;
24use super::navigate::{LazyLeafRange, LeafRange};
25use super::node::{self, marker, ForceResult::*, Handle, NodeRef, Root};
26use super::search::{SearchBound, SearchResult::*};
27use super::set_val::SetValZST;
28use super::Recover;
29
30pub use entry::{Entry, OccupiedEntry, OccupiedError, VacantEntry};
31mod entry;
32
33pub(crate) type CmpFn<C, Q, E> = fn(&mut C, &Q, &Q) -> Result<Ordering, E>;
34
35use Entry::*;
36
37macro_rules! into_iter {
38 ($this:expr) => {{
39 let length = mem::take(&mut $this.length);
40
41 if let Some(root) = $this.root.take() {
42 let full_range = root.into_dying().full_range();
43
44 IntoIter {
45 range: full_range,
46 length,
47 alloc: &*$this.alloc,
48 }
49 } else {
50 IntoIter {
51 range: LazyLeafRange::none(),
52 length: 0,
53 alloc: &*$this.alloc,
54 }
55 }
56 }};
57}
58
59#[inline(always)]
60pub(crate) fn into_ok<T>(result: Result<T, Infallible>) -> T {
61 match result {
62 Ok(value) => value,
63 #[allow(unreachable_patterns)]
64 Err(error) => match error {},
65 }
66}
67
68#[inline(always)]
69pub(crate) fn infallible_cmp<T>(_: &mut (), a: &T, b: &T) -> Result<Ordering, Infallible>
70where
71 T: ?Sized + Ord,
72{
73 Ok(a.cmp(b))
74}
75
76/// Minimum number of elements in a node that is not a root.
77/// We might temporarily have fewer elements during methods.
78pub(super) const MIN_LEN: usize = node::MIN_LEN_AFTER_SPLIT;
79
80// A tree in a `BTreeMap` is a tree in the `node` module with additional invariants:
81// - Keys must appear in ascending order (according to the key's type).
82// - Every non-leaf node contains at least 1 element (has at least 2 children).
83// - Every non-root node contains at least MIN_LEN elements.
84//
85// An empty map is represented either by the absence of a root node or by a
86// root node that is an empty leaf.
87
88/// An ordered map based on a [B-Tree].
89///
90/// B-Trees represent a fundamental compromise between cache-efficiency and actually minimizing
91/// the amount of work performed in a search. In theory, a binary search tree (BST) is the optimal
92/// choice for a sorted map, as a perfectly balanced BST performs the theoretical minimum amount of
93/// comparisons necessary to find an element (log<sub>2</sub>n). However, in practice the way this
94/// is done is *very* inefficient for modern computer architectures. In particular, every element
95/// is stored in its own individually heap-allocated node. This means that every single insertion
96/// triggers a heap-allocation, and every single comparison should be a cache-miss. Since these
97/// are both notably expensive things to do in practice, we are forced to, at the very least,
98/// reconsider the BST strategy.
99///
100/// A B-Tree instead makes each node contain B-1 to 2B-1 elements in a contiguous array. By doing
101/// this, we reduce the number of allocations by a factor of B, and improve cache efficiency in
102/// searches. However, this does mean that searches will have to do *more* comparisons on average.
103/// The precise number of comparisons depends on the node search strategy used. For optimal cache
104/// efficiency, one could search the nodes linearly. For optimal comparisons, one could search
105/// the node using binary search. As a compromise, one could also perform a linear search
106/// that initially only checks every i<sup>th</sup> element for some choice of i.
107///
108/// Currently, our implementation simply performs naive linear search. This provides excellent
109/// performance on *small* nodes of elements which are cheap to compare. However in the future we
110/// would like to further explore choosing the optimal search strategy based on the choice of B,
111/// and possibly other factors. Using linear search, searching for a random element is expected
112/// to take B * log(n) comparisons, which is generally worse than a BST. In practice,
113/// however, performance is excellent.
114///
115/// It is a logic error for a key to be modified in such a way that the key's ordering relative to
116/// any other key, as determined by the [`Ord`] trait, changes while it is in the map. This is
117/// normally only possible through [`Cell`], [`RefCell`], global state, I/O, or unsafe code.
118/// The behavior resulting from such a logic error is not specified, but will be encapsulated to the
119/// `BTreeMap` that observed the logic error and not result in undefined behavior. This could
120/// include panics, incorrect results, aborts, memory leaks, and non-termination.
121///
122/// Iterators obtained from functions such as [`BTreeMap::iter`], [`BTreeMap::values`], or
123/// [`BTreeMap::keys`] produce their items in order by key, and take worst-case logarithmic and
124/// amortized constant time per item returned.
125///
126/// [B-Tree]: https://en.wikipedia.org/wiki/B-tree
127/// [`Cell`]: core::cell::Cell
128/// [`RefCell`]: core::cell::RefCell
129///
130/// # Examples
131///
132/// ```
133/// use rune::alloc::BTreeMap;
134///
135/// // type inference lets us omit an explicit type signature (which
136/// // would be `BTreeMap<&str, &str>` in this example).
137/// let mut movie_reviews = BTreeMap::new();
138///
139/// // review some movies.
140/// movie_reviews.try_insert("Office Space", "Deals with real issues in the workplace.")?;
141/// movie_reviews.try_insert("Pulp Fiction", "Masterpiece.")?;
142/// movie_reviews.try_insert("The Godfather", "Very enjoyable.")?;
143/// movie_reviews.try_insert("The Blues Brothers", "Eye lyked it a lot.")?;
144///
145/// // check for a specific one.
146/// if !movie_reviews.contains_key("Les Misérables") {
147/// println!("We've got {} reviews, but Les Misérables ain't one.",
148/// movie_reviews.len());
149/// }
150///
151/// // oops, this review has a lot of spelling mistakes, let's delete it.
152/// movie_reviews.remove("The Blues Brothers");
153///
154/// // look up the values associated with some keys.
155/// let to_find = ["Up!", "Office Space"];
156/// for movie in &to_find {
157/// match movie_reviews.get(movie) {
158/// Some(review) => println!("{movie}: {review}"),
159/// None => println!("{movie} is unreviewed.")
160/// }
161/// }
162///
163/// // Look up the value for a key (will panic if the key is not found).
164/// println!("Movie review: {}", movie_reviews["Office Space"]);
165///
166/// // iterate over everything.
167/// for (movie, review) in &movie_reviews {
168/// println!("{movie}: \"{review}\"");
169/// }
170/// # Ok::<_, rune::alloc::Error>(())
171/// ```
172///
173/// A `BTreeMap` with a known list of items can be initialized from an array:
174///
175/// ```
176/// use rune::alloc::BTreeMap;
177///
178/// let solar_distance = BTreeMap::try_from([
179/// ("Mercury", 0.4),
180/// ("Venus", 0.7),
181/// ("Earth", 1.0),
182/// ("Mars", 1.5),
183/// ])?;
184/// # Ok::<_, rune::alloc::Error>(())
185/// ```
186///
187/// `BTreeMap` implements an [`Entry API`], which allows for complex
188/// methods of getting, setting, updating and removing keys and their values:
189///
190/// [`Entry API`]: BTreeMap::entry
191///
192/// ```
193/// use rune::alloc::BTreeMap;
194///
195/// // type inference lets us omit an explicit type signature (which
196/// // would be `BTreeMap<&str, u8>` in this example).
197/// let mut player_stats = BTreeMap::new();
198///
199/// fn random_stat_buff() -> u8 {
200/// // could actually return some random value here - let's just return
201/// // some fixed value for now
202/// 42
203/// }
204///
205/// // insert a key only if it doesn't already exist
206/// player_stats.entry("health").or_try_insert(100)?;
207///
208/// // insert a key using a function that provides a new value only if it
209/// // doesn't already exist
210/// player_stats.entry("defence").or_try_insert_with(random_stat_buff)?;
211///
212/// // update a key, guarding against the key possibly not being set
213/// let stat = player_stats.entry("attack").or_try_insert(100)?;
214/// *stat += random_stat_buff();
215///
216/// // modify an entry before an insert with in-place mutation
217/// player_stats.entry("mana").and_modify(|mana| *mana += 200).or_try_insert(100)?;
218/// # Ok::<_, rune::alloc::Error>(())
219/// ```
220pub struct BTreeMap<K, V, A: Allocator = Global> {
221 root: Option<Root<K, V>>,
222 length: usize,
223 /// `ManuallyDrop` to control drop order (needs to be dropped after all the nodes).
224 pub(super) alloc: ManuallyDrop<A>,
225 // For dropck; the `Box` avoids making the `Unpin` impl more strict than before
226 _marker: PhantomData<Box<(K, V)>>,
227}
228
229#[cfg(rune_nightly)]
230unsafe impl<#[may_dangle] K, #[may_dangle] V, A: Allocator> Drop for BTreeMap<K, V, A> {
231 fn drop(&mut self) {
232 drop(unsafe { ptr::read(self) }.into_iter())
233 }
234}
235
236#[cfg(not(rune_nightly))]
237impl<K, V, A: Allocator> Drop for BTreeMap<K, V, A> {
238 fn drop(&mut self) {
239 drop(unsafe { ptr::read(self) }.into_iter())
240 }
241}
242
243// FIXME: This implementation is "wrong", but changing it would be a breaking change.
244// (The bounds of the automatic `UnwindSafe` implementation have been like this since Rust 1.50.)
245// Maybe we can fix it nonetheless with a crater run, or if the `UnwindSafe`
246// traits are deprecated, or disarmed (no longer causing hard errors) in the future.
247impl<K, V, A: Allocator> core::panic::UnwindSafe for BTreeMap<K, V, A>
248where
249 A: core::panic::UnwindSafe,
250 K: core::panic::RefUnwindSafe,
251 V: core::panic::RefUnwindSafe,
252{
253}
254
255impl<K: TryClone, V: TryClone, A: Allocator + Clone> TryClone for BTreeMap<K, V, A> {
256 fn try_clone(&self) -> Result<BTreeMap<K, V, A>, Error> {
257 fn clone_subtree<'a, K, V, A>(
258 node: NodeRef<marker::Immut<'a>, K, V, marker::LeafOrInternal>,
259 alloc: &A,
260 ) -> Result<BTreeMap<K, V, A>, Error>
261 where
262 K: 'a + TryClone,
263 V: 'a + TryClone,
264 A: Allocator + Clone,
265 {
266 match node.force() {
267 Leaf(leaf) => {
268 let mut out_tree = BTreeMap {
269 root: Some(Root::new(alloc)?),
270 length: 0,
271 alloc: ManuallyDrop::new(alloc.clone()),
272 _marker: PhantomData,
273 };
274
275 {
276 let root = out_tree.root.as_mut().unwrap(); // unwrap succeeds because we just wrapped
277 let mut out_node = match root.borrow_mut().force() {
278 Leaf(leaf) => leaf,
279 Internal(_) => unreachable!(),
280 };
281
282 let mut in_edge = leaf.first_edge();
283 while let Ok(kv) = in_edge.right_kv() {
284 let (k, v) = kv.into_kv();
285 in_edge = kv.right_edge();
286
287 out_node.push(k.try_clone()?, v.try_clone()?);
288 out_tree.length += 1;
289 }
290 }
291
292 Ok(out_tree)
293 }
294 Internal(internal) => {
295 let mut out_tree = clone_subtree(internal.first_edge().descend(), alloc)?;
296
297 {
298 let out_root = out_tree.root.as_mut().unwrap();
299 let mut out_node = out_root.push_internal_level(alloc)?;
300 let mut in_edge = internal.first_edge();
301 while let Ok(kv) = in_edge.right_kv() {
302 let (k, v) = kv.into_kv();
303 in_edge = kv.right_edge();
304
305 let k = (*k).try_clone()?;
306 let v = (*v).try_clone()?;
307 let subtree = clone_subtree(in_edge.descend(), alloc)?;
308
309 // We can't destructure subtree directly
310 // because BTreeMap implements Drop
311 let (subroot, sublength) = unsafe {
312 let subtree = ManuallyDrop::new(subtree);
313 let root = ptr::read(&subtree.root);
314 let length = subtree.length;
315 (root, length)
316 };
317
318 let subroot = match subroot {
319 Some(subroot) => subroot,
320 None => Root::new(alloc)?,
321 };
322
323 out_node.push(k, v, subroot);
324 out_tree.length += 1 + sublength;
325 }
326 }
327
328 Ok(out_tree)
329 }
330 }
331 }
332
333 if self.is_empty() {
334 Ok(BTreeMap::new_in((*self.alloc).clone()))
335 } else {
336 clone_subtree(self.root.as_ref().unwrap().reborrow(), &*self.alloc) // unwrap succeeds because not empty
337 }
338 }
339}
340
341#[cfg(test)]
342impl<K: TryClone, V: TryClone, A: Allocator + Clone> Clone for BTreeMap<K, V, A> {
343 #[inline]
344 fn clone(&self) -> Self {
345 self.try_clone().abort()
346 }
347
348 #[inline]
349 fn clone_from(&mut self, source: &Self) {
350 self.try_clone_from(source).abort()
351 }
352}
353
354impl<K, Q: ?Sized, A: Allocator> Recover<Q> for BTreeMap<K, SetValZST, A>
355where
356 K: Borrow<Q>,
357{
358 type Key = K;
359
360 fn get<C: ?Sized, E>(&self, cx: &mut C, key: &Q, cmp: CmpFn<C, Q, E>) -> Result<Option<&K>, E> {
361 let Some(root_node) = self.root.as_ref() else {
362 return Ok(None);
363 };
364
365 let root_node = root_node.reborrow();
366
367 Ok(match root_node.search_tree(cx, key, cmp)? {
368 Found(handle) => Some(handle.into_kv().0),
369 GoDown(_) => None,
370 })
371 }
372
373 fn take<C: ?Sized, E>(
374 &mut self,
375 cx: &mut C,
376 key: &Q,
377 cmp: CmpFn<C, Q, E>,
378 ) -> Result<Option<K>, E> {
379 let (map, dormant_map) = DormantMutRef::new(self);
380
381 let Some(root_node) = map.root.as_mut() else {
382 return Ok(None);
383 };
384
385 let root_node = root_node.borrow_mut();
386
387 Ok(match root_node.search_tree(cx, key, cmp)? {
388 Found(handle) => {
389 let entry = OccupiedEntry {
390 handle,
391 dormant_map,
392 alloc: &*map.alloc,
393 _marker: PhantomData,
394 };
395
396 Some(entry.remove_kv().0)
397 }
398 GoDown(_) => None,
399 })
400 }
401
402 fn try_replace<C: ?Sized, E>(
403 &mut self,
404 cx: &mut C,
405 key: K,
406 cmp: CmpFn<C, Q, E>,
407 ) -> Result<Result<Option<K>, AllocError>, E> {
408 let (map, dormant_map) = DormantMutRef::new(self);
409
410 let root_node = match &mut map.root {
411 Some(root) => root,
412 None => {
413 let root = match Root::new(&*map.alloc) {
414 Ok(root) => root,
415 Err(error) => return Ok(Err(error)),
416 };
417
418 map.root.insert(root)
419 }
420 };
421
422 let root_node = root_node.borrow_mut();
423
424 match root_node.search_tree(cx, key.borrow(), cmp)? {
425 Found(mut kv) => Ok(Ok(Some(mem::replace(kv.key_mut(), key)))),
426 GoDown(handle) => {
427 let entry = VacantEntry {
428 key,
429 handle: Some(handle),
430 dormant_map,
431 alloc: &*map.alloc,
432 _marker: PhantomData,
433 };
434
435 if let Err(error) = entry.try_insert(SetValZST) {
436 return Ok(Err(error));
437 }
438
439 Ok(Ok(None))
440 }
441 }
442 }
443}
444
445/// A raw iterator over a map where the caller is responsible for ensuring that
446/// it doesn't outlive the data it's iterating over.
447///
448/// See [BTreeMap::iter_raw].
449#[must_use = "iterators are lazy and do nothing unless consumed"]
450pub struct IterRaw<K, V> {
451 range: LazyLeafRange<marker::Raw, K, V>,
452 length: usize,
453}
454
455impl<K, V> Iterator for IterRaw<K, V> {
456 type Item = (*const K, *const V);
457
458 fn next(&mut self) -> Option<(*const K, *const V)> {
459 if self.length == 0 {
460 None
461 } else {
462 self.length -= 1;
463 Some(unsafe { self.range.next_unchecked() })
464 }
465 }
466
467 fn size_hint(&self) -> (usize, Option<usize>) {
468 (self.length, Some(self.length))
469 }
470
471 fn last(mut self) -> Option<(*const K, *const V)> {
472 self.next_back()
473 }
474}
475
476impl<K, V> FusedIterator for IterRaw<K, V> {}
477
478impl<K, V> DoubleEndedIterator for IterRaw<K, V> {
479 fn next_back(&mut self) -> Option<(*const K, *const V)> {
480 if self.length == 0 {
481 None
482 } else {
483 self.length -= 1;
484 Some(unsafe { self.range.next_back_unchecked() })
485 }
486 }
487}
488
489impl<K, V> ExactSizeIterator for IterRaw<K, V> {
490 fn len(&self) -> usize {
491 self.length
492 }
493}
494
495impl<K, V> Clone for IterRaw<K, V> {
496 fn clone(&self) -> Self {
497 IterRaw {
498 range: self.range.clone(),
499 length: self.length,
500 }
501 }
502}
503
504/// An iterator over the entries of a `BTreeMap`.
505///
506/// This `struct` is created by the [`iter`] method on [`BTreeMap`]. See its
507/// documentation for more.
508///
509/// [`iter`]: BTreeMap::iter
510#[must_use = "iterators are lazy and do nothing unless consumed"]
511pub struct Iter<'a, K: 'a, V: 'a> {
512 range: LazyLeafRange<marker::Immut<'a>, K, V>,
513 length: usize,
514}
515
516impl<K: fmt::Debug, V: fmt::Debug> fmt::Debug for Iter<'_, K, V> {
517 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
518 f.debug_list().entries(self.clone()).finish()
519 }
520}
521
522impl<'a, K: 'a, V: 'a> Default for Iter<'a, K, V> {
523 /// Creates an empty `btree_map::Iter`.
524 ///
525 /// ```
526 /// use rune::alloc::btree_map;
527 ///
528 /// let iter: btree_map::Iter<'_, u8, u8> = Default::default();
529 /// assert_eq!(iter.len(), 0);
530 /// ```
531 fn default() -> Self {
532 Iter {
533 range: Default::default(),
534 length: 0,
535 }
536 }
537}
538
539/// A mutable iterator over the entries of a `BTreeMap`.
540///
541/// This `struct` is created by the [`iter_mut`] method on [`BTreeMap`]. See its
542/// documentation for more.
543///
544/// [`iter_mut`]: BTreeMap::iter_mut
545pub struct IterMut<'a, K: 'a, V: 'a> {
546 range: LazyLeafRange<marker::ValMut<'a>, K, V>,
547 length: usize,
548
549 // Be invariant in `K` and `V`
550 _marker: PhantomData<&'a mut (K, V)>,
551}
552
553impl<K: fmt::Debug, V: fmt::Debug> fmt::Debug for IterMut<'_, K, V> {
554 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
555 let range = Iter {
556 range: self.range.reborrow(),
557 length: self.length,
558 };
559 f.debug_list().entries(range).finish()
560 }
561}
562
563impl<'a, K: 'a, V: 'a> Default for IterMut<'a, K, V> {
564 /// Creates an empty `btree_map::IterMut`.
565 ///
566 /// ```
567 /// use rune::alloc::btree_map;
568 ///
569 /// let iter: btree_map::IterMut<'_, u8, u8> = Default::default();
570 /// assert_eq!(iter.len(), 0);
571 /// ```
572 fn default() -> Self {
573 IterMut {
574 range: Default::default(),
575 length: 0,
576 _marker: PhantomData {},
577 }
578 }
579}
580
581/// An owning iterator over the entries of a `BTreeMap`.
582///
583/// This `struct` is created by the [`into_iter`] method on [`BTreeMap`]
584/// (provided by the [`IntoIterator`] trait). See its documentation for more.
585///
586/// [`into_iter`]: IntoIterator::into_iter
587pub struct IntoIter<K, V, A: Allocator = Global> {
588 range: LazyLeafRange<marker::Dying, K, V>,
589 length: usize,
590 /// The BTreeMap will outlive this IntoIter so we don't care about drop order for `alloc`.
591 alloc: A,
592}
593
594impl<K, V, A: Allocator> IntoIter<K, V, A> {
595 /// Returns an iterator of references over the remaining items.
596 #[inline]
597 pub(super) fn iter(&self) -> Iter<'_, K, V> {
598 Iter {
599 range: self.range.reborrow(),
600 length: self.length,
601 }
602 }
603}
604
605impl<K: Debug, V: Debug, A: Allocator> Debug for IntoIter<K, V, A> {
606 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
607 f.debug_list().entries(self.iter()).finish()
608 }
609}
610
611impl<K, V, A> Default for IntoIter<K, V, A>
612where
613 A: Allocator + Default,
614{
615 /// Creates an empty `btree_map::IntoIter`.
616 ///
617 /// ```
618 /// use rune::alloc::btree_map;
619 ///
620 /// let iter: btree_map::IntoIter<u8, u8> = Default::default();
621 /// assert_eq!(iter.len(), 0);
622 /// ```
623 fn default() -> Self {
624 IntoIter {
625 range: Default::default(),
626 length: 0,
627 alloc: Default::default(),
628 }
629 }
630}
631
632/// An iterator over the keys of a `BTreeMap`.
633///
634/// This `struct` is created by the [`keys`] method on [`BTreeMap`]. See its
635/// documentation for more.
636///
637/// [`keys`]: BTreeMap::keys
638#[must_use = "iterators are lazy and do nothing unless consumed"]
639pub struct Keys<'a, K, V> {
640 inner: Iter<'a, K, V>,
641}
642
643impl<K: fmt::Debug, V> fmt::Debug for Keys<'_, K, V> {
644 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
645 f.debug_list().entries(self.clone()).finish()
646 }
647}
648
649/// An iterator over the values of a `BTreeMap`.
650///
651/// This `struct` is created by the [`values`] method on [`BTreeMap`]. See its
652/// documentation for more.
653///
654/// [`values`]: BTreeMap::values
655#[must_use = "iterators are lazy and do nothing unless consumed"]
656pub struct Values<'a, K, V> {
657 inner: Iter<'a, K, V>,
658}
659
660impl<K, V: fmt::Debug> fmt::Debug for Values<'_, K, V> {
661 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
662 f.debug_list().entries(self.clone()).finish()
663 }
664}
665
666/// A mutable iterator over the values of a `BTreeMap`.
667///
668/// This `struct` is created by the [`values_mut`] method on [`BTreeMap`]. See its
669/// documentation for more.
670///
671/// [`values_mut`]: BTreeMap::values_mut
672#[must_use = "iterators are lazy and do nothing unless consumed"]
673pub struct ValuesMut<'a, K, V> {
674 inner: IterMut<'a, K, V>,
675}
676
677impl<K, V: fmt::Debug> fmt::Debug for ValuesMut<'_, K, V> {
678 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
679 f.debug_list()
680 .entries(self.inner.iter().map(|(_, val)| val))
681 .finish()
682 }
683}
684
685/// An owning iterator over the keys of a `BTreeMap`.
686///
687/// This `struct` is created by the [`into_keys`] method on [`BTreeMap`]. See
688/// its documentation for more.
689///
690/// [`into_keys`]: BTreeMap::into_keys
691#[must_use = "iterators are lazy and do nothing unless consumed"]
692pub struct IntoKeys<K, V, A: Allocator = Global> {
693 inner: IntoIter<K, V, A>,
694}
695
696impl<K: fmt::Debug, V, A: Allocator> fmt::Debug for IntoKeys<K, V, A> {
697 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
698 f.debug_list()
699 .entries(self.inner.iter().map(|(key, _)| key))
700 .finish()
701 }
702}
703
704/// An owning iterator over the values of a `BTreeMap`.
705///
706/// This `struct` is created by the [`into_values`] method on [`BTreeMap`]. See
707/// its documentation for more.
708///
709/// [`into_values`]: BTreeMap::into_values
710#[must_use = "iterators are lazy and do nothing unless consumed"]
711pub struct IntoValues<K, V, A: Allocator = Global> {
712 inner: IntoIter<K, V, A>,
713}
714
715impl<K, V: fmt::Debug, A: Allocator> fmt::Debug for IntoValues<K, V, A> {
716 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
717 f.debug_list()
718 .entries(self.inner.iter().map(|(_, val)| val))
719 .finish()
720 }
721}
722
723/// An iterator over a sub-range of entries in a `BTreeMap`.
724///
725/// This `struct` is created by the [`range`] method on [`BTreeMap`]. See its
726/// documentation for more.
727///
728/// [`range`]: BTreeMap::range
729#[must_use = "iterators are lazy and do nothing unless consumed"]
730pub struct Range<'a, K: 'a, V: 'a> {
731 inner: LeafRange<marker::Immut<'a>, K, V>,
732}
733
734impl<K: fmt::Debug, V: fmt::Debug> fmt::Debug for Range<'_, K, V> {
735 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
736 f.debug_list().entries(self.clone()).finish()
737 }
738}
739
740/// A mutable iterator over a sub-range of entries in a `BTreeMap`.
741///
742/// This `struct` is created by the [`range_mut`] method on [`BTreeMap`]. See its
743/// documentation for more.
744///
745/// [`range_mut`]: BTreeMap::range_mut
746#[must_use = "iterators are lazy and do nothing unless consumed"]
747pub struct RangeMut<'a, K: 'a, V: 'a> {
748 inner: LeafRange<marker::ValMut<'a>, K, V>,
749
750 // Be invariant in `K` and `V`
751 _marker: PhantomData<&'a mut (K, V)>,
752}
753
754impl<K: fmt::Debug, V: fmt::Debug> fmt::Debug for RangeMut<'_, K, V> {
755 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
756 let range = Range {
757 inner: self.inner.reborrow(),
758 };
759 f.debug_list().entries(range).finish()
760 }
761}
762
763impl<K, V> BTreeMap<K, V> {
764 /// Makes a new, empty `BTreeMap`.
765 ///
766 /// Does not allocate anything on its own.
767 ///
768 /// # Examples
769 ///
770 /// Basic usage:
771 ///
772 /// ```
773 /// use rune::alloc::BTreeMap;
774 ///
775 /// let mut map = BTreeMap::new();
776 ///
777 /// // entries can now be inserted into the empty map
778 /// map.try_insert(1, "a")?;
779 /// # Ok::<_, rune::alloc::Error>(())
780 /// ```
781 #[must_use]
782 pub const fn new() -> BTreeMap<K, V> {
783 BTreeMap {
784 root: None,
785 length: 0,
786 alloc: ManuallyDrop::new(Global),
787 _marker: PhantomData,
788 }
789 }
790
791 #[cfg(test)]
792 pub(crate) fn from<const N: usize>(value: [(K, V); N]) -> Self
793 where
794 K: Ord,
795 {
796 Self::try_from(value).abort()
797 }
798}
799
800impl<K, V, A: Allocator> BTreeMap<K, V, A> {
801 /// Makes a new empty BTreeMap with a reasonable choice for B.
802 ///
803 /// # Examples
804 ///
805 /// Basic usage:
806 ///
807 /// ```
808 /// use rune::alloc::BTreeMap;
809 /// use rune::alloc::alloc::Global;
810 ///
811 /// let mut map = BTreeMap::new_in(Global);
812 ///
813 /// // entries can now be inserted into the empty map
814 /// map.try_insert(1, "a")?;
815 /// # Ok::<_, rune::alloc::Error>(())
816 /// ```
817 pub fn new_in(alloc: A) -> BTreeMap<K, V, A> {
818 BTreeMap {
819 root: None,
820 length: 0,
821 alloc: ManuallyDrop::new(alloc),
822 _marker: PhantomData,
823 }
824 }
825}
826
827impl<K, V, A: Allocator> BTreeMap<K, V, A> {
828 /// Clears the map, removing all elements.
829 ///
830 /// # Examples
831 ///
832 /// Basic usage:
833 ///
834 /// ```
835 /// use rune::alloc::BTreeMap;
836 ///
837 /// let mut a = BTreeMap::new();
838 /// a.try_insert(1, "a")?;
839 /// a.clear();
840 /// assert!(a.is_empty());
841 /// # Ok::<_, rune::alloc::Error>(())
842 /// ```
843 pub fn clear(&mut self) {
844 drop(into_iter!(self));
845 }
846}
847
848impl<K, V, A: Allocator> BTreeMap<K, V, A> {
849 /// Returns a reference to the value corresponding to the key.
850 ///
851 /// The key may be any borrowed form of the map's key type, but the ordering
852 /// on the borrowed form *must* match the ordering on the key type.
853 ///
854 /// # Examples
855 ///
856 /// Basic usage:
857 ///
858 /// ```
859 /// use rune::alloc::BTreeMap;
860 ///
861 /// let mut map = BTreeMap::new();
862 /// map.try_insert(1, "a")?;
863 /// assert_eq!(map.get(&1), Some(&"a"));
864 /// assert_eq!(map.get(&2), None);
865 /// # Ok::<_, rune::alloc::Error>(())
866 /// ```
867 pub fn get<Q>(&self, key: &Q) -> Option<&V>
868 where
869 Q: ?Sized + Ord,
870 K: Borrow<Q> + Ord,
871 {
872 into_ok(self.get_with(&mut (), key, infallible_cmp))
873 }
874
875 pub(crate) fn get_with<C, Q, E>(
876 &self,
877 cx: &mut C,
878 key: &Q,
879 cmp: CmpFn<C, Q, E>,
880 ) -> Result<Option<&V>, E>
881 where
882 C: ?Sized,
883 Q: ?Sized,
884 K: Borrow<Q>,
885 {
886 let Some(root_node) = self.root.as_ref().map(NodeRef::reborrow) else {
887 return Ok(None);
888 };
889
890 Ok(match root_node.search_tree(cx, key, cmp)? {
891 Found(handle) => Some(handle.into_kv().1),
892 GoDown(_) => None,
893 })
894 }
895
896 /// Returns the key-value pair corresponding to the supplied key.
897 ///
898 /// The supplied key may be any borrowed form of the map's key type, but the ordering
899 /// on the borrowed form *must* match the ordering on the key type.
900 ///
901 /// # Examples
902 ///
903 /// ```
904 /// use rune::alloc::BTreeMap;
905 ///
906 /// let mut map = BTreeMap::new();
907 /// map.try_insert(1, "a")?;
908 /// assert_eq!(map.get_key_value(&1), Some((&1, &"a")));
909 /// assert_eq!(map.get_key_value(&2), None);
910 /// # Ok::<_, rune::alloc::Error>(())
911 /// ```
912 pub fn get_key_value<Q>(&self, k: &Q) -> Option<(&K, &V)>
913 where
914 Q: ?Sized + Ord,
915 K: Borrow<Q> + Ord,
916 {
917 let root_node = self.root.as_ref()?.reborrow();
918 match into_ok(root_node.search_tree(&mut (), k, infallible_cmp)) {
919 Found(handle) => Some(handle.into_kv()),
920 GoDown(_) => None,
921 }
922 }
923
924 /// Returns the first key-value pair in the map.
925 /// The key in this pair is the minimum key in the map.
926 ///
927 /// # Examples
928 ///
929 /// Basic usage:
930 ///
931 /// ```
932 /// use rune::alloc::BTreeMap;
933 ///
934 /// let mut map = BTreeMap::new();
935 /// assert_eq!(map.first_key_value(), None);
936 /// map.try_insert(1, "b")?;
937 /// map.try_insert(2, "a")?;
938 /// assert_eq!(map.first_key_value(), Some((&1, &"b")));
939 /// # Ok::<_, rune::alloc::Error>(())
940 /// ```
941 pub fn first_key_value(&self) -> Option<(&K, &V)> {
942 let root_node = self.root.as_ref()?.reborrow();
943 root_node
944 .first_leaf_edge()
945 .right_kv()
946 .ok()
947 .map(Handle::into_kv)
948 }
949
950 /// Returns the first entry in the map for in-place manipulation.
951 /// The key of this entry is the minimum key in the map.
952 ///
953 /// # Examples
954 ///
955 /// ```
956 /// use rune::alloc::BTreeMap;
957 ///
958 /// let mut map = BTreeMap::new();
959 /// map.try_insert(1, "a")?;
960 /// map.try_insert(2, "b")?;
961 ///
962 /// if let Some(mut entry) = map.first_entry() {
963 /// if *entry.key() > 0 {
964 /// entry.insert("first");
965 /// }
966 /// }
967 ///
968 /// assert_eq!(*map.get(&1).unwrap(), "first");
969 /// assert_eq!(*map.get(&2).unwrap(), "b");
970 /// # Ok::<_, rune::alloc::Error>(())
971 /// ```
972 pub fn first_entry(&mut self) -> Option<OccupiedEntry<'_, K, V, A>> {
973 let (map, dormant_map) = DormantMutRef::new(self);
974 let root_node = map.root.as_mut()?.borrow_mut();
975 let kv = root_node.first_leaf_edge().right_kv().ok()?;
976 Some(OccupiedEntry {
977 handle: kv.forget_node_type(),
978 dormant_map,
979 alloc: &*map.alloc,
980 _marker: PhantomData,
981 })
982 }
983
984 /// Removes and returns the first element in the map.
985 /// The key of this element is the minimum key that was in the map.
986 ///
987 /// # Examples
988 ///
989 /// Draining elements in ascending order, while keeping a usable map each iteration.
990 ///
991 /// ```
992 /// use rune::alloc::BTreeMap;
993 ///
994 /// let mut map = BTreeMap::new();
995 /// map.try_insert(1, "a")?;
996 /// map.try_insert(2, "b")?;
997 /// while let Some((key, _val)) = map.pop_first() {
998 /// assert!(map.iter().all(|(k, _v)| *k > key));
999 /// }
1000 /// assert!(map.is_empty());
1001 /// # Ok::<_, rune::alloc::Error>(())
1002 /// ```
1003 pub fn pop_first(&mut self) -> Option<(K, V)> {
1004 self.first_entry().map(|entry| entry.remove_entry())
1005 }
1006
1007 /// Returns the last key-value pair in the map.
1008 /// The key in this pair is the maximum key in the map.
1009 ///
1010 /// # Examples
1011 ///
1012 /// Basic usage:
1013 ///
1014 /// ```
1015 /// use rune::alloc::BTreeMap;
1016 ///
1017 /// let mut map = BTreeMap::new();
1018 /// map.try_insert(1, "b")?;
1019 /// map.try_insert(2, "a")?;
1020 /// assert_eq!(map.last_key_value(), Some((&2, &"a")));
1021 /// # Ok::<_, rune::alloc::Error>(())
1022 /// ```
1023 pub fn last_key_value(&self) -> Option<(&K, &V)> {
1024 let root_node = self.root.as_ref()?.reborrow();
1025 root_node
1026 .last_leaf_edge()
1027 .left_kv()
1028 .ok()
1029 .map(Handle::into_kv)
1030 }
1031
1032 /// Returns the last entry in the map for in-place manipulation.
1033 /// The key of this entry is the maximum key in the map.
1034 ///
1035 /// # Examples
1036 ///
1037 /// ```
1038 /// use rune::alloc::BTreeMap;
1039 ///
1040 /// let mut map = BTreeMap::new();
1041 /// map.try_insert(1, "a")?;
1042 /// map.try_insert(2, "b")?;
1043 ///
1044 /// if let Some(mut entry) = map.last_entry() {
1045 /// if *entry.key() > 0 {
1046 /// entry.insert("last");
1047 /// }
1048 /// }
1049 ///
1050 /// assert_eq!(*map.get(&1).unwrap(), "a");
1051 /// assert_eq!(*map.get(&2).unwrap(), "last");
1052 /// # Ok::<_, rune::alloc::Error>(())
1053 /// ```
1054 pub fn last_entry(&mut self) -> Option<OccupiedEntry<'_, K, V, A>> {
1055 let (map, dormant_map) = DormantMutRef::new(self);
1056 let root_node = map.root.as_mut()?.borrow_mut();
1057 let kv = root_node.last_leaf_edge().left_kv().ok()?;
1058 Some(OccupiedEntry {
1059 handle: kv.forget_node_type(),
1060 dormant_map,
1061 alloc: &*map.alloc,
1062 _marker: PhantomData,
1063 })
1064 }
1065
1066 /// Removes and returns the last element in the map.
1067 /// The key of this element is the maximum key that was in the map.
1068 ///
1069 /// # Examples
1070 ///
1071 /// Draining elements in descending order, while keeping a usable map each iteration.
1072 ///
1073 /// ```
1074 /// use rune::alloc::BTreeMap;
1075 ///
1076 /// let mut map = BTreeMap::new();
1077 /// map.try_insert(1, "a")?;
1078 /// map.try_insert(2, "b")?;
1079 ///
1080 /// while let Some((key, _val)) = map.pop_last() {
1081 /// assert!(map.iter().all(|(k, _v)| *k < key));
1082 /// }
1083 ///
1084 /// assert!(map.is_empty());
1085 /// # Ok::<_, rune::alloc::Error>(())
1086 /// ```
1087 pub fn pop_last(&mut self) -> Option<(K, V)> {
1088 self.last_entry().map(|entry| entry.remove_entry())
1089 }
1090
1091 /// Returns `true` if the map contains a value for the specified key.
1092 ///
1093 /// The key may be any borrowed form of the map's key type, but the ordering
1094 /// on the borrowed form *must* match the ordering on the key type.
1095 ///
1096 /// # Examples
1097 ///
1098 /// Basic usage:
1099 ///
1100 /// ```
1101 /// use rune::alloc::BTreeMap;
1102 ///
1103 /// let mut map = BTreeMap::new();
1104 /// map.try_insert(1, "a")?;
1105 ///
1106 /// assert_eq!(map.contains_key(&1), true);
1107 /// assert_eq!(map.contains_key(&2), false);
1108 /// # Ok::<_, rune::alloc::Error>(())
1109 /// ```
1110 pub fn contains_key<Q>(&self, key: &Q) -> bool
1111 where
1112 Q: ?Sized + Ord,
1113 K: Borrow<Q> + Ord,
1114 {
1115 into_ok(self.contains_key_with(&mut (), key, infallible_cmp))
1116 }
1117
1118 pub(crate) fn contains_key_with<C, Q, E>(
1119 &self,
1120 cx: &mut C,
1121 key: &Q,
1122 cmp: CmpFn<C, Q, E>,
1123 ) -> Result<bool, E>
1124 where
1125 C: ?Sized,
1126 Q: ?Sized + Ord,
1127 K: Borrow<Q> + Ord,
1128 {
1129 Ok(self.get_with(cx, key, cmp)?.is_some())
1130 }
1131
1132 /// Returns a mutable reference to the value corresponding to the key.
1133 ///
1134 /// The key may be any borrowed form of the map's key type, but the ordering
1135 /// on the borrowed form *must* match the ordering on the key type.
1136 ///
1137 /// # Examples
1138 ///
1139 /// Basic usage:
1140 ///
1141 /// ```
1142 /// use rune::alloc::BTreeMap;
1143 ///
1144 /// let mut map = BTreeMap::new();
1145 ///
1146 /// map.try_insert(1, "a")?;
1147 ///
1148 /// if let Some(x) = map.get_mut(&1) {
1149 /// *x = "b";
1150 /// }
1151 ///
1152 /// assert_eq!(map[&1], "b");
1153 /// # Ok::<_, rune::alloc::Error>(())
1154 /// ```
1155 // See `get` for implementation notes, this is basically a copy-paste with mut's added
1156 pub fn get_mut<Q>(&mut self, key: &Q) -> Option<&mut V>
1157 where
1158 Q: ?Sized + Ord,
1159 K: Borrow<Q> + Ord,
1160 {
1161 into_ok(self.get_mut_with(&mut (), key, infallible_cmp))
1162 }
1163
1164 /// Like [`BTreeMap::get_mut`] but allows for custom value comparisons.
1165 ///
1166 /// The comparison implementation should to be coherent with the ones used
1167 /// for insertion, else unexpected values might be accessed.
1168 pub fn get_mut_with<C: ?Sized, Q: ?Sized, E>(
1169 &mut self,
1170 cx: &mut C,
1171 key: &Q,
1172 cmp: CmpFn<C, Q, E>,
1173 ) -> Result<Option<&mut V>, E>
1174 where
1175 K: Borrow<Q>,
1176 {
1177 let Some(root_node) = self.root.as_mut().map(NodeRef::borrow_mut) else {
1178 return Ok(None);
1179 };
1180
1181 Ok(match root_node.search_tree(cx, key, cmp)? {
1182 Found(handle) => Some(handle.into_val_mut()),
1183 GoDown(_) => None,
1184 })
1185 }
1186
1187 /// Inserts a key-value pair into the map.
1188 ///
1189 /// If the map did not have this key present, `None` is returned.
1190 ///
1191 /// If the map did have this key present, the value is updated, and the old
1192 /// value is returned. The key is not updated, though; this matters for
1193 /// types that can be `==` without being identical. See the [module-level
1194 /// documentation] for more.
1195 ///
1196 /// [module-level documentation]: index.html#insert-and-complex-keys
1197 ///
1198 /// # Examples
1199 ///
1200 /// Basic usage:
1201 ///
1202 /// ```
1203 /// use rune::alloc::BTreeMap;
1204 ///
1205 /// let mut map = BTreeMap::new();
1206 /// assert_eq!(map.try_insert(37, "a")?, None);
1207 /// assert_eq!(map.is_empty(), false);
1208 ///
1209 /// map.try_insert(37, "b")?;
1210 /// assert_eq!(map.try_insert(37, "c")?, Some("b"));
1211 /// assert_eq!(map[&37], "c");
1212 /// # Ok::<_, rune::alloc::Error>(())
1213 /// ```
1214 pub fn try_insert(&mut self, key: K, value: V) -> Result<Option<V>, AllocError>
1215 where
1216 K: Ord,
1217 {
1218 match self.entry(key) {
1219 Occupied(mut entry) => Ok(Some(entry.insert(value))),
1220 Vacant(entry) => {
1221 entry.try_insert(value)?;
1222 Ok(None)
1223 }
1224 }
1225 }
1226
1227 #[cfg(test)]
1228 pub(crate) fn insert(&mut self, key: K, value: V) -> Option<V>
1229 where
1230 K: Ord,
1231 {
1232 self.try_insert(key, value).abort()
1233 }
1234
1235 /// Tries to insert a key-value pair into the map, and returns a mutable
1236 /// reference to the value in the entry.
1237 ///
1238 /// If the map already had this key present, nothing is updated, and an
1239 /// error containing the occupied entry and the value is returned.
1240 ///
1241 /// # Examples
1242 ///
1243 /// Basic usage:
1244 ///
1245 /// ```
1246 /// use rune::alloc::BTreeMap;
1247 /// use rune::alloc::error::CustomError;
1248 ///
1249 /// let mut map = BTreeMap::new();
1250 /// assert_eq!(map.try_insert_or(37, "a").unwrap(), &"a");
1251 ///
1252 /// if let CustomError::Custom(err) = map.try_insert_or(37, "b").unwrap_err() {
1253 /// assert_eq!(err.entry.key(), &37);
1254 /// assert_eq!(err.entry.get(), &"a");
1255 /// assert_eq!(err.value, "b");
1256 /// }
1257 /// # Ok::<_, rune::alloc::Error>(())
1258 /// ```
1259 pub fn try_insert_or(
1260 &mut self,
1261 key: K,
1262 value: V,
1263 ) -> Result<&mut V, CustomError<OccupiedError<'_, K, V, A>>>
1264 where
1265 K: Ord,
1266 {
1267 match self.entry(key) {
1268 Occupied(entry) => Err(CustomError::Custom(OccupiedError { entry, value })),
1269 Vacant(entry) => Ok(entry.try_insert(value)?),
1270 }
1271 }
1272
1273 #[cfg(test)]
1274 pub(crate) fn insert_or(
1275 &mut self,
1276 key: K,
1277 value: V,
1278 ) -> Result<&mut V, OccupiedError<'_, K, V, A>>
1279 where
1280 K: Ord,
1281 {
1282 self.try_insert_or(key, value).custom_result()
1283 }
1284
1285 /// Removes a key from the map, returning the value at the key if the key
1286 /// was previously in the map.
1287 ///
1288 /// The key may be any borrowed form of the map's key type, but the ordering
1289 /// on the borrowed form *must* match the ordering on the key type.
1290 ///
1291 /// # Examples
1292 ///
1293 /// Basic usage:
1294 ///
1295 /// ```
1296 /// use rune::alloc::BTreeMap;
1297 ///
1298 /// let mut map = BTreeMap::new();
1299 /// map.try_insert(1, "a")?;
1300 /// assert_eq!(map.remove(&1), Some("a"));
1301 /// assert_eq!(map.remove(&1), None);
1302 /// # Ok::<_, rune::alloc::Error>(())
1303 /// ```
1304 pub fn remove<Q>(&mut self, key: &Q) -> Option<V>
1305 where
1306 Q: ?Sized + Ord,
1307 K: Borrow<Q> + Ord,
1308 {
1309 self.remove_entry(key).map(|(_, v)| v)
1310 }
1311
1312 /// Removes a key from the map, returning the stored key and value if the key
1313 /// was previously in the map.
1314 ///
1315 /// The key may be any borrowed form of the map's key type, but the ordering
1316 /// on the borrowed form *must* match the ordering on the key type.
1317 ///
1318 /// # Examples
1319 ///
1320 /// Basic usage:
1321 ///
1322 /// ```
1323 /// use rune::alloc::BTreeMap;
1324 ///
1325 /// let mut map = BTreeMap::new();
1326 /// map.try_insert(1, "a")?;
1327 /// assert_eq!(map.remove_entry(&1), Some((1, "a")));
1328 /// assert_eq!(map.remove_entry(&1), None);
1329 /// # Ok::<_, rune::alloc::Error>(())
1330 /// ```
1331 pub fn remove_entry<Q>(&mut self, key: &Q) -> Option<(K, V)>
1332 where
1333 Q: ?Sized + Ord,
1334 K: Borrow<Q> + Ord,
1335 {
1336 into_ok(self.remove_entry_with(&mut (), key, infallible_cmp))
1337 }
1338
1339 pub(crate) fn remove_entry_with<C: ?Sized, Q: ?Sized, E>(
1340 &mut self,
1341 cx: &mut C,
1342 key: &Q,
1343 cmp: CmpFn<C, Q, E>,
1344 ) -> Result<Option<(K, V)>, E>
1345 where
1346 K: Borrow<Q>,
1347 {
1348 let (map, dormant_map) = DormantMutRef::new(self);
1349
1350 let Some(root_node) = map.root.as_mut().map(NodeRef::borrow_mut) else {
1351 return Ok(None);
1352 };
1353
1354 Ok(match root_node.search_tree(cx, key, cmp)? {
1355 Found(handle) => {
1356 let entry = OccupiedEntry {
1357 handle,
1358 dormant_map,
1359 alloc: &*map.alloc,
1360 _marker: PhantomData,
1361 };
1362
1363 Some(entry.remove_entry())
1364 }
1365 GoDown(_) => None,
1366 })
1367 }
1368
1369 /// Retains only the elements specified by the predicate.
1370 ///
1371 /// In other words, remove all pairs `(k, v)` for which `f(&k, &mut v)`
1372 /// returns `false`. The elements are visited in ascending key order.
1373 ///
1374 /// # Examples
1375 ///
1376 /// ```
1377 /// use rune::alloc::BTreeMap;
1378 /// use rune::alloc::prelude::*;
1379 ///
1380 /// let mut map: BTreeMap<i32, i32> = (0..8).map(|x| (x, x*10)).try_collect()?;
1381 /// // Keep only the elements with even-numbered keys.
1382 /// map.retain(|&k, _| k % 2 == 0);
1383 /// assert!(map.into_iter().eq(vec![(0, 0), (2, 20), (4, 40), (6, 60)]));
1384 /// # Ok::<_, rune::alloc::Error>(())
1385 /// ```
1386 #[inline]
1387 pub fn retain<F>(&mut self, mut f: F)
1388 where
1389 K: Ord,
1390 F: FnMut(&K, &mut V) -> bool,
1391 {
1392 self.extract_if(|k, v| !f(k, v)).for_each(drop);
1393 }
1394
1395 /// Moves all elements from `other` into `self`, leaving `other` empty.
1396 ///
1397 /// If a key from `other` is already present in `self`, the respective
1398 /// value from `self` will be overwritten with the respective value from `other`.
1399 ///
1400 /// # Examples
1401 ///
1402 /// ```
1403 /// use rune::alloc::BTreeMap;
1404 ///
1405 /// let mut a = BTreeMap::new();
1406 /// a.try_insert(1, "a")?;
1407 /// a.try_insert(2, "b")?;
1408 /// a.try_insert(3, "c")?; // Note: Key (3) also present in b.
1409 ///
1410 /// let mut b = BTreeMap::new();
1411 /// b.try_insert(3, "d")?; // Note: Key (3) also present in a.
1412 /// b.try_insert(4, "e")?;
1413 /// b.try_insert(5, "f")?;
1414 ///
1415 /// a.try_append(&mut b);
1416 ///
1417 /// assert_eq!(a.len(), 5);
1418 /// assert_eq!(b.len(), 0);
1419 ///
1420 /// assert_eq!(a[&1], "a");
1421 /// assert_eq!(a[&2], "b");
1422 /// assert_eq!(a[&3], "d"); // Note: "c" has been overwritten.
1423 /// assert_eq!(a[&4], "e");
1424 /// assert_eq!(a[&5], "f");
1425 /// # Ok::<_, rune::alloc::Error>(())
1426 /// ```
1427 pub fn try_append(&mut self, other: &mut Self) -> Result<(), AllocError>
1428 where
1429 K: Ord,
1430 {
1431 // Do we have to append anything at all?
1432 if other.is_empty() {
1433 return Ok(());
1434 }
1435
1436 // We can just swap `self` and `other` if `self` is empty.
1437 if self.is_empty() {
1438 mem::swap(self, other);
1439 return Ok(());
1440 }
1441
1442 let self_iter = into_iter!(self);
1443 let other_iter = into_iter!(other);
1444
1445 let root = match &mut self.root {
1446 Some(root) => root,
1447 None => self.root.insert(Root::new(&*self.alloc)?),
1448 };
1449
1450 root.try_append_from_sorted_iters(self_iter, other_iter, &mut self.length, &*self.alloc)
1451 }
1452
1453 #[cfg(test)]
1454 pub(crate) fn append(&mut self, other: &mut Self)
1455 where
1456 K: Ord,
1457 {
1458 self.try_append(other).abort()
1459 }
1460
1461 /// Constructs a double-ended iterator over a sub-range of elements in the map.
1462 /// The simplest way is to use the range syntax `min..max`, thus `range(min..max)` will
1463 /// yield elements from min (inclusive) to max (exclusive).
1464 /// The range may also be entered as `(Bound<T>, Bound<T>)`, so for example
1465 /// `range((Excluded(4), Included(10)))` will yield a left-exclusive, right-inclusive
1466 /// range from 4 to 10.
1467 ///
1468 /// # Panics
1469 ///
1470 /// Panics if range `start > end`.
1471 /// Panics if range `start == end` and both bounds are `Excluded`.
1472 ///
1473 /// # Examples
1474 ///
1475 /// Basic usage:
1476 ///
1477 /// ```
1478 /// use rune::alloc::BTreeMap;
1479 /// use core::ops::Bound::Included;
1480 ///
1481 /// let mut map = BTreeMap::new();
1482 /// map.try_insert(3, "a")?;
1483 /// map.try_insert(5, "b")?;
1484 /// map.try_insert(8, "c")?;
1485 ///
1486 /// for (&key, &value) in map.range((Included(&4), Included(&8))) {
1487 /// println!("{key}: {value}");
1488 /// }
1489 ///
1490 /// assert_eq!(Some((&5, &"b")), map.range(4..).next());
1491 /// # Ok::<_, rune::alloc::Error>(())
1492 /// ```
1493 pub fn range<Q, R>(&self, range: R) -> Range<'_, K, V>
1494 where
1495 Q: ?Sized + Ord,
1496 K: Borrow<Q> + Ord,
1497 R: RangeBounds<Q>,
1498 {
1499 into_ok(self.range_with(&mut (), range, infallible_cmp))
1500 }
1501
1502 pub(crate) fn range_with<C, Q, R, E>(
1503 &self,
1504 cx: &mut C,
1505 range: R,
1506 cmp: CmpFn<C, Q, E>,
1507 ) -> Result<Range<'_, K, V>, E>
1508 where
1509 C: ?Sized,
1510 Q: ?Sized,
1511 K: Borrow<Q>,
1512 R: RangeBounds<Q>,
1513 {
1514 Ok(if let Some(root) = &self.root {
1515 Range {
1516 inner: root.reborrow().range_search(cx, range, cmp)?,
1517 }
1518 } else {
1519 Range {
1520 inner: LeafRange::none(),
1521 }
1522 })
1523 }
1524
1525 /// Constructs a mutable double-ended iterator over a sub-range of elements in the map.
1526 /// The simplest way is to use the range syntax `min..max`, thus `range(min..max)` will
1527 /// yield elements from min (inclusive) to max (exclusive).
1528 /// The range may also be entered as `(Bound<T>, Bound<T>)`, so for example
1529 /// `range((Excluded(4), Included(10)))` will yield a left-exclusive, right-inclusive
1530 /// range from 4 to 10.
1531 ///
1532 /// # Panics
1533 ///
1534 /// Panics if range `start > end`.
1535 /// Panics if range `start == end` and both bounds are `Excluded`.
1536 ///
1537 /// # Examples
1538 ///
1539 /// Basic usage:
1540 ///
1541 /// ```
1542 /// use rune::alloc::BTreeMap;
1543 ///
1544 /// let mut map: BTreeMap<&str, i32> =
1545 /// [("Alice", 0), ("Bob", 0), ("Carol", 0), ("Cheryl", 0)].try_into()?;
1546 ///
1547 /// for (_, balance) in map.range_mut("B".."Cheryl") {
1548 /// *balance += 100;
1549 /// }
1550 ///
1551 /// for (name, balance) in &map {
1552 /// println!("{name} => {balance}");
1553 /// }
1554 /// # Ok::<_, rune::alloc::Error>(())
1555 /// ```
1556 pub fn range_mut<Q, R>(&mut self, range: R) -> RangeMut<'_, K, V>
1557 where
1558 Q: ?Sized + Ord,
1559 K: Borrow<Q> + Ord,
1560 R: RangeBounds<Q>,
1561 {
1562 into_ok(self.range_mut_with(&mut (), range, infallible_cmp))
1563 }
1564
1565 pub(crate) fn range_mut_with<C: ?Sized, Q: ?Sized, R, E>(
1566 &mut self,
1567 cx: &mut C,
1568 range: R,
1569 cmp: CmpFn<C, Q, E>,
1570 ) -> Result<RangeMut<'_, K, V>, E>
1571 where
1572 K: Borrow<Q>,
1573 R: RangeBounds<Q>,
1574 {
1575 Ok(if let Some(root) = &mut self.root {
1576 RangeMut {
1577 inner: root.borrow_valmut().range_search(cx, range, cmp)?,
1578 _marker: PhantomData,
1579 }
1580 } else {
1581 RangeMut {
1582 inner: LeafRange::none(),
1583 _marker: PhantomData,
1584 }
1585 })
1586 }
1587
1588 /// Gets the given key's corresponding entry in the map for in-place
1589 /// manipulation.
1590 ///
1591 /// # Examples
1592 ///
1593 /// Basic usage:
1594 ///
1595 /// ```
1596 /// use rune::alloc::BTreeMap;
1597 ///
1598 /// let mut count: BTreeMap<&str, usize> = BTreeMap::new();
1599 ///
1600 /// // count the number of occurrences of letters in the vec
1601 /// for x in ["a", "b", "a", "c", "a", "b"] {
1602 /// count.entry(x).and_modify(|curr| *curr += 1).or_try_insert(1)?;
1603 /// }
1604 ///
1605 /// assert_eq!(count["a"], 3);
1606 /// assert_eq!(count["b"], 2);
1607 /// assert_eq!(count["c"], 1);
1608 /// # Ok::<_, rune::alloc::Error>(())
1609 /// ```
1610 pub fn entry(&mut self, key: K) -> Entry<'_, K, V, A>
1611 where
1612 K: Ord,
1613 {
1614 into_ok(self.entry_with(&mut (), key, infallible_cmp))
1615 }
1616
1617 pub(crate) fn entry_with<C: ?Sized, E>(
1618 &mut self,
1619 cx: &mut C,
1620 key: K,
1621 cmp: CmpFn<C, K, E>,
1622 ) -> Result<Entry<'_, K, V, A>, E> {
1623 let (map, dormant_map) = DormantMutRef::new(self);
1624
1625 Ok(match map.root {
1626 None => Vacant(VacantEntry {
1627 key,
1628 handle: None,
1629 dormant_map,
1630 alloc: &*map.alloc,
1631 _marker: PhantomData,
1632 }),
1633
1634 Some(ref mut root) => match root.borrow_mut().search_tree(cx, &key, cmp)? {
1635 Found(handle) => Occupied(OccupiedEntry {
1636 handle,
1637 dormant_map,
1638 alloc: &*map.alloc,
1639 _marker: PhantomData,
1640 }),
1641 GoDown(handle) => Vacant(VacantEntry {
1642 key,
1643 handle: Some(handle),
1644 dormant_map,
1645 alloc: &*map.alloc,
1646 _marker: PhantomData,
1647 }),
1648 },
1649 })
1650 }
1651
1652 /// Splits the collection into two at the given key. Returns everything after the given key,
1653 /// including the key.
1654 ///
1655 /// # Examples
1656 ///
1657 /// Basic usage:
1658 ///
1659 /// ```
1660 /// use rune::alloc::BTreeMap;
1661 ///
1662 /// let mut a = BTreeMap::new();
1663 /// a.try_insert(1, "a")?;
1664 /// a.try_insert(2, "b")?;
1665 /// a.try_insert(3, "c")?;
1666 /// a.try_insert(17, "d")?;
1667 /// a.try_insert(41, "e")?;
1668 ///
1669 /// let b = a.try_split_off(&3)?;
1670 ///
1671 /// assert_eq!(a.len(), 2);
1672 /// assert_eq!(b.len(), 3);
1673 ///
1674 /// assert_eq!(a[&1], "a");
1675 /// assert_eq!(a[&2], "b");
1676 ///
1677 /// assert_eq!(b[&3], "c");
1678 /// assert_eq!(b[&17], "d");
1679 /// assert_eq!(b[&41], "e");
1680 /// # Ok::<_, rune::alloc::Error>(())
1681 /// ```
1682 pub fn try_split_off<Q>(&mut self, key: &Q) -> Result<Self, Error>
1683 where
1684 Q: ?Sized + Ord,
1685 K: Borrow<Q> + Ord,
1686 A: Clone,
1687 {
1688 into_ok(self.try_split_off_with(&mut (), key, infallible_cmp))
1689 }
1690
1691 #[cfg(test)]
1692 pub(crate) fn split_off<Q>(&mut self, key: &Q) -> Self
1693 where
1694 Q: ?Sized + Ord,
1695 K: Borrow<Q> + Ord,
1696 A: Clone,
1697 {
1698 self.try_split_off(key).abort()
1699 }
1700
1701 pub(crate) fn try_split_off_with<C: ?Sized, Q: ?Sized, E>(
1702 &mut self,
1703 cx: &mut C,
1704 key: &Q,
1705 cmp: CmpFn<C, Q, E>,
1706 ) -> Result<Result<Self, Error>, E>
1707 where
1708 K: Borrow<Q>,
1709 A: Clone,
1710 {
1711 if self.is_empty() {
1712 return Ok(Ok(Self::new_in((*self.alloc).clone())));
1713 }
1714
1715 let total_num = self.len();
1716 let left_root = self.root.as_mut().unwrap(); // unwrap succeeds because not empty
1717
1718 let right_root = match left_root.split_off(cx, key, &*self.alloc, cmp)? {
1719 Ok(right_root) => right_root,
1720 Err(error) => return Ok(Err(Error::from(error))),
1721 };
1722
1723 let (new_left_len, right_len) = Root::calc_split_length(total_num, left_root, &right_root);
1724 self.length = new_left_len;
1725
1726 Ok(Ok(BTreeMap {
1727 root: Some(right_root),
1728 length: right_len,
1729 alloc: self.alloc.clone(),
1730 _marker: PhantomData,
1731 }))
1732 }
1733
1734 /// Creates an iterator that visits all elements (key-value pairs) in
1735 /// ascending key order and uses a closure to determine if an element should
1736 /// be removed. If the closure returns `true`, the element is removed from
1737 /// the map and yielded. If the closure returns `false`, or panics, the
1738 /// element remains in the map and will not be yielded.
1739 ///
1740 /// The iterator also lets you mutate the value of each element in the
1741 /// closure, regardless of whether you choose to keep or remove it.
1742 ///
1743 /// If the returned `ExtractIf` is not exhausted, e.g. because it is dropped without iterating
1744 /// or the iteration short-circuits, then the remaining elements will be retained.
1745 /// Use [`retain`] with a negated predicate if you do not need the returned iterator.
1746 ///
1747 /// [`retain`]: BTreeMap::retain
1748 ///
1749 /// # Examples
1750 ///
1751 /// Splitting a map into even and odd keys, reusing the original map:
1752 ///
1753 /// ```
1754 /// use rune::alloc::{Vec, BTreeMap};
1755 /// use rune::alloc::prelude::*;
1756 ///
1757 /// let mut map: BTreeMap<i32, i32> = (0..8).map(|x| (x, x)).try_collect()?;
1758 /// let evens: BTreeMap<_, _> = map.extract_if(|k, _v| k % 2 == 0).try_collect()?;
1759 /// let odds = map;
1760 /// assert_eq!(evens.keys().copied().try_collect::<Vec<_>>()?, [0, 2, 4, 6]);
1761 /// assert_eq!(odds.keys().copied().try_collect::<Vec<_>>()?, [1, 3, 5, 7]);
1762 /// # Ok::<_, rune::alloc::Error>(())
1763 /// ```
1764 pub fn extract_if<F>(&mut self, pred: F) -> ExtractIf<'_, K, V, F, A>
1765 where
1766 F: FnMut(&K, &mut V) -> bool,
1767 {
1768 let (inner, alloc) = self.extract_if_inner();
1769 ExtractIf { pred, inner, alloc }
1770 }
1771
1772 pub(super) fn extract_if_inner(&mut self) -> (ExtractIfInner<'_, K, V>, &A) {
1773 if let Some(root) = self.root.as_mut() {
1774 let (root, dormant_root) = DormantMutRef::new(root);
1775 let front = root.borrow_mut().first_leaf_edge();
1776 (
1777 ExtractIfInner {
1778 length: &mut self.length,
1779 dormant_root: Some(dormant_root),
1780 cur_leaf_edge: Some(front),
1781 },
1782 &self.alloc,
1783 )
1784 } else {
1785 (
1786 ExtractIfInner {
1787 length: &mut self.length,
1788 dormant_root: None,
1789 cur_leaf_edge: None,
1790 },
1791 &self.alloc,
1792 )
1793 }
1794 }
1795
1796 /// Creates a consuming iterator visiting all the keys, in sorted order. The
1797 /// map cannot be used after calling this. The iterator element type is `K`.
1798 ///
1799 /// # Examples
1800 ///
1801 /// ```
1802 /// use rune::alloc::{BTreeMap, Vec};
1803 /// use rune::alloc::prelude::*;
1804 ///
1805 /// let mut a = BTreeMap::new();
1806 /// a.try_insert(2, "b")?;
1807 /// a.try_insert(1, "a")?;
1808 ///
1809 /// let keys: Vec<i32> = a.into_keys().try_collect()?;
1810 /// assert_eq!(keys, [1, 2]);
1811 /// # Ok::<_, rune::alloc::Error>(())
1812 /// ```
1813 #[inline]
1814 pub fn into_keys(self) -> IntoKeys<K, V, A> {
1815 IntoKeys {
1816 inner: self.into_iter(),
1817 }
1818 }
1819
1820 /// Creates a consuming iterator visiting all the values, in order by key.
1821 /// The map cannot be used after calling this. The iterator element type is
1822 /// `V`.
1823 ///
1824 /// # Examples
1825 ///
1826 /// ```
1827 /// use rune::alloc::{BTreeMap, Vec};
1828 /// use rune::alloc::prelude::*;
1829 ///
1830 /// let mut a = BTreeMap::new();
1831 /// a.try_insert(1, "hello");
1832 /// a.try_insert(2, "goodbye");
1833 ///
1834 /// let values: Vec<&str> = a.into_values().try_collect()?;
1835 /// assert_eq!(values, ["hello", "goodbye"]);
1836 /// # Ok::<_, rune::alloc::Error>(())
1837 /// ```
1838 #[inline]
1839 pub fn into_values(self) -> IntoValues<K, V, A> {
1840 IntoValues {
1841 inner: self.into_iter(),
1842 }
1843 }
1844}
1845
1846impl<'a, K, V, A: Allocator> IntoIterator for &'a BTreeMap<K, V, A> {
1847 type Item = (&'a K, &'a V);
1848 type IntoIter = Iter<'a, K, V>;
1849
1850 fn into_iter(self) -> Iter<'a, K, V> {
1851 self.iter()
1852 }
1853}
1854
1855impl<'a, K: 'a, V: 'a> Iterator for Iter<'a, K, V> {
1856 type Item = (&'a K, &'a V);
1857
1858 fn next(&mut self) -> Option<(&'a K, &'a V)> {
1859 if self.length == 0 {
1860 None
1861 } else {
1862 self.length -= 1;
1863 Some(unsafe { self.range.next_unchecked() })
1864 }
1865 }
1866
1867 fn size_hint(&self) -> (usize, Option<usize>) {
1868 (self.length, Some(self.length))
1869 }
1870
1871 fn last(mut self) -> Option<(&'a K, &'a V)> {
1872 self.next_back()
1873 }
1874
1875 fn min(mut self) -> Option<(&'a K, &'a V)>
1876 where
1877 (&'a K, &'a V): Ord,
1878 {
1879 self.next()
1880 }
1881
1882 fn max(mut self) -> Option<(&'a K, &'a V)>
1883 where
1884 (&'a K, &'a V): Ord,
1885 {
1886 self.next_back()
1887 }
1888}
1889
1890impl<K, V> FusedIterator for Iter<'_, K, V> {}
1891
1892impl<'a, K: 'a, V: 'a> DoubleEndedIterator for Iter<'a, K, V> {
1893 fn next_back(&mut self) -> Option<(&'a K, &'a V)> {
1894 if self.length == 0 {
1895 None
1896 } else {
1897 self.length -= 1;
1898 Some(unsafe { self.range.next_back_unchecked() })
1899 }
1900 }
1901}
1902
1903impl<K, V> ExactSizeIterator for Iter<'_, K, V> {
1904 fn len(&self) -> usize {
1905 self.length
1906 }
1907}
1908
1909impl<K, V> Clone for Iter<'_, K, V> {
1910 fn clone(&self) -> Self {
1911 Iter {
1912 range: self.range.clone(),
1913 length: self.length,
1914 }
1915 }
1916}
1917
1918impl<'a, K, V, A: Allocator> IntoIterator for &'a mut BTreeMap<K, V, A> {
1919 type Item = (&'a K, &'a mut V);
1920 type IntoIter = IterMut<'a, K, V>;
1921
1922 fn into_iter(self) -> IterMut<'a, K, V> {
1923 self.iter_mut()
1924 }
1925}
1926
1927impl<'a, K, V> Iterator for IterMut<'a, K, V> {
1928 type Item = (&'a K, &'a mut V);
1929
1930 fn next(&mut self) -> Option<(&'a K, &'a mut V)> {
1931 if self.length == 0 {
1932 None
1933 } else {
1934 self.length -= 1;
1935 Some(unsafe { self.range.next_unchecked() })
1936 }
1937 }
1938
1939 fn size_hint(&self) -> (usize, Option<usize>) {
1940 (self.length, Some(self.length))
1941 }
1942
1943 fn last(mut self) -> Option<(&'a K, &'a mut V)> {
1944 self.next_back()
1945 }
1946
1947 fn min(mut self) -> Option<(&'a K, &'a mut V)>
1948 where
1949 (&'a K, &'a mut V): Ord,
1950 {
1951 self.next()
1952 }
1953
1954 fn max(mut self) -> Option<(&'a K, &'a mut V)>
1955 where
1956 (&'a K, &'a mut V): Ord,
1957 {
1958 self.next_back()
1959 }
1960}
1961
1962impl<'a, K, V> DoubleEndedIterator for IterMut<'a, K, V> {
1963 fn next_back(&mut self) -> Option<(&'a K, &'a mut V)> {
1964 if self.length == 0 {
1965 None
1966 } else {
1967 self.length -= 1;
1968 Some(unsafe { self.range.next_back_unchecked() })
1969 }
1970 }
1971}
1972
1973impl<K, V> ExactSizeIterator for IterMut<'_, K, V> {
1974 fn len(&self) -> usize {
1975 self.length
1976 }
1977}
1978
1979impl<K, V> FusedIterator for IterMut<'_, K, V> {}
1980
1981impl<K, V> IterMut<'_, K, V> {
1982 /// Returns an iterator of references over the remaining items.
1983 #[inline]
1984 pub(super) fn iter(&self) -> Iter<'_, K, V> {
1985 Iter {
1986 range: self.range.reborrow(),
1987 length: self.length,
1988 }
1989 }
1990}
1991
1992impl<K, V, A: Allocator> IntoIterator for BTreeMap<K, V, A> {
1993 type Item = (K, V);
1994 type IntoIter = IntoIter<K, V, A>;
1995
1996 fn into_iter(self) -> IntoIter<K, V, A> {
1997 let mut me = ManuallyDrop::new(self);
1998 if let Some(root) = me.root.take() {
1999 let full_range = root.into_dying().full_range();
2000
2001 IntoIter {
2002 range: full_range,
2003 length: me.length,
2004 alloc: unsafe { ManuallyDrop::take(&mut me.alloc) },
2005 }
2006 } else {
2007 IntoIter {
2008 range: LazyLeafRange::none(),
2009 length: 0,
2010 alloc: unsafe { ManuallyDrop::take(&mut me.alloc) },
2011 }
2012 }
2013 }
2014}
2015
2016impl<K, V, A: Allocator> Drop for IntoIter<K, V, A> {
2017 fn drop(&mut self) {
2018 struct DropGuard<'a, K, V, A: Allocator>(&'a mut IntoIter<K, V, A>);
2019
2020 impl<K, V, A: Allocator> Drop for DropGuard<'_, K, V, A> {
2021 fn drop(&mut self) {
2022 // Continue the same loop we perform below. This only runs when unwinding, so we
2023 // don't have to care about panics this time (they'll abort).
2024 while let Some(kv) = self.0.dying_next() {
2025 // SAFETY: we consume the dying handle immediately.
2026 unsafe { kv.drop_key_val() };
2027 }
2028 }
2029 }
2030
2031 while let Some(kv) = self.dying_next() {
2032 let guard = DropGuard(self);
2033 // SAFETY: we don't touch the tree before consuming the dying handle.
2034 unsafe { kv.drop_key_val() };
2035 mem::forget(guard);
2036 }
2037 }
2038}
2039
2040impl<K, V, A: Allocator> IntoIter<K, V, A> {
2041 /// Core of a `next` method returning a dying KV handle,
2042 /// invalidated by further calls to this function and some others.
2043 fn dying_next(
2044 &mut self,
2045 ) -> Option<Handle<NodeRef<marker::Dying, K, V, marker::LeafOrInternal>, marker::KV>> {
2046 if self.length == 0 {
2047 self.range.deallocating_end(&self.alloc);
2048 None
2049 } else {
2050 self.length -= 1;
2051 Some(unsafe { self.range.deallocating_next_unchecked(&self.alloc) })
2052 }
2053 }
2054
2055 /// Core of a `next_back` method returning a dying KV handle,
2056 /// invalidated by further calls to this function and some others.
2057 fn dying_next_back(
2058 &mut self,
2059 ) -> Option<Handle<NodeRef<marker::Dying, K, V, marker::LeafOrInternal>, marker::KV>> {
2060 if self.length == 0 {
2061 self.range.deallocating_end(&self.alloc);
2062 None
2063 } else {
2064 self.length -= 1;
2065 Some(unsafe { self.range.deallocating_next_back_unchecked(&self.alloc) })
2066 }
2067 }
2068}
2069
2070impl<K, V, A: Allocator> Iterator for IntoIter<K, V, A> {
2071 type Item = (K, V);
2072
2073 fn next(&mut self) -> Option<(K, V)> {
2074 // SAFETY: we consume the dying handle immediately.
2075 self.dying_next().map(unsafe { |kv| kv.into_key_val() })
2076 }
2077
2078 fn size_hint(&self) -> (usize, Option<usize>) {
2079 (self.length, Some(self.length))
2080 }
2081}
2082
2083impl<K, V, A: Allocator> DoubleEndedIterator for IntoIter<K, V, A> {
2084 fn next_back(&mut self) -> Option<(K, V)> {
2085 // SAFETY: we consume the dying handle immediately.
2086 self.dying_next_back()
2087 .map(unsafe { |kv| kv.into_key_val() })
2088 }
2089}
2090
2091impl<K, V, A: Allocator> ExactSizeIterator for IntoIter<K, V, A> {
2092 fn len(&self) -> usize {
2093 self.length
2094 }
2095}
2096
2097impl<K, V, A: Allocator> FusedIterator for IntoIter<K, V, A> {}
2098
2099impl<'a, K, V> Iterator for Keys<'a, K, V> {
2100 type Item = &'a K;
2101
2102 fn next(&mut self) -> Option<&'a K> {
2103 self.inner.next().map(|(k, _)| k)
2104 }
2105
2106 fn size_hint(&self) -> (usize, Option<usize>) {
2107 self.inner.size_hint()
2108 }
2109
2110 fn last(mut self) -> Option<&'a K> {
2111 self.next_back()
2112 }
2113
2114 fn min(mut self) -> Option<&'a K>
2115 where
2116 &'a K: Ord,
2117 {
2118 self.next()
2119 }
2120
2121 fn max(mut self) -> Option<&'a K>
2122 where
2123 &'a K: Ord,
2124 {
2125 self.next_back()
2126 }
2127}
2128
2129impl<'a, K, V> DoubleEndedIterator for Keys<'a, K, V> {
2130 fn next_back(&mut self) -> Option<&'a K> {
2131 self.inner.next_back().map(|(k, _)| k)
2132 }
2133}
2134
2135impl<K, V> ExactSizeIterator for Keys<'_, K, V> {
2136 fn len(&self) -> usize {
2137 self.inner.len()
2138 }
2139}
2140
2141impl<K, V> FusedIterator for Keys<'_, K, V> {}
2142
2143impl<K, V> Clone for Keys<'_, K, V> {
2144 fn clone(&self) -> Self {
2145 Keys {
2146 inner: self.inner.clone(),
2147 }
2148 }
2149}
2150
2151impl<K, V> Default for Keys<'_, K, V> {
2152 /// Creates an empty `btree_map::Keys`.
2153 ///
2154 /// ```
2155 /// use rune::alloc::btree_map;
2156 ///
2157 /// let iter: btree_map::Keys<'_, u8, u8> = Default::default();
2158 /// assert_eq!(iter.len(), 0);
2159 /// ```
2160 fn default() -> Self {
2161 Keys {
2162 inner: Default::default(),
2163 }
2164 }
2165}
2166
2167impl<'a, K, V> Iterator for Values<'a, K, V> {
2168 type Item = &'a V;
2169
2170 fn next(&mut self) -> Option<&'a V> {
2171 self.inner.next().map(|(_, v)| v)
2172 }
2173
2174 fn size_hint(&self) -> (usize, Option<usize>) {
2175 self.inner.size_hint()
2176 }
2177
2178 fn last(mut self) -> Option<&'a V> {
2179 self.next_back()
2180 }
2181}
2182
2183impl<'a, K, V> DoubleEndedIterator for Values<'a, K, V> {
2184 fn next_back(&mut self) -> Option<&'a V> {
2185 self.inner.next_back().map(|(_, v)| v)
2186 }
2187}
2188
2189impl<K, V> ExactSizeIterator for Values<'_, K, V> {
2190 fn len(&self) -> usize {
2191 self.inner.len()
2192 }
2193}
2194
2195impl<K, V> FusedIterator for Values<'_, K, V> {}
2196
2197impl<K, V> Clone for Values<'_, K, V> {
2198 fn clone(&self) -> Self {
2199 Values {
2200 inner: self.inner.clone(),
2201 }
2202 }
2203}
2204
2205impl<K, V> Default for Values<'_, K, V> {
2206 /// Creates an empty `btree_map::Values`.
2207 ///
2208 /// ```
2209 /// use rune::alloc::btree_map;
2210 ///
2211 /// let iter: btree_map::Values<'_, u8, u8> = Default::default();
2212 /// assert_eq!(iter.len(), 0);
2213 /// ```
2214 fn default() -> Self {
2215 Values {
2216 inner: Default::default(),
2217 }
2218 }
2219}
2220
2221/// An iterator produced by calling `extract_if` on BTreeMap.
2222#[must_use = "iterators are lazy and do nothing unless consumed"]
2223pub struct ExtractIf<'a, K, V, F, A: Allocator = Global>
2224where
2225 F: 'a + FnMut(&K, &mut V) -> bool,
2226{
2227 pred: F,
2228 inner: ExtractIfInner<'a, K, V>,
2229 /// The BTreeMap will outlive this IntoIter so we don't care about drop order for `alloc`.
2230 alloc: &'a A,
2231}
2232
2233/// Most of the implementation of ExtractIf are generic over the type
2234/// of the predicate, thus also serving for BTreeSet::ExtractIf.
2235pub(super) struct ExtractIfInner<'a, K, V> {
2236 /// Reference to the length field in the borrowed map, updated live.
2237 length: &'a mut usize,
2238 /// Buried reference to the root field in the borrowed map.
2239 /// Wrapped in `Option` to allow drop handler to `take` it.
2240 dormant_root: Option<DormantMutRef<'a, Root<K, V>>>,
2241 /// Contains a leaf edge preceding the next element to be returned, or the last leaf edge.
2242 /// Empty if the map has no root, if iteration went beyond the last leaf edge,
2243 /// or if a panic occurred in the predicate.
2244 cur_leaf_edge: Option<Handle<NodeRef<marker::Mut<'a>, K, V, marker::Leaf>, marker::Edge>>,
2245}
2246
2247impl<K, V, F> fmt::Debug for ExtractIf<'_, K, V, F>
2248where
2249 K: fmt::Debug,
2250 V: fmt::Debug,
2251 F: FnMut(&K, &mut V) -> bool,
2252{
2253 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2254 f.debug_tuple("ExtractIf")
2255 .field(&self.inner.peek())
2256 .finish()
2257 }
2258}
2259
2260impl<K, V, F, A: Allocator> Iterator for ExtractIf<'_, K, V, F, A>
2261where
2262 F: FnMut(&K, &mut V) -> bool,
2263{
2264 type Item = (K, V);
2265
2266 fn next(&mut self) -> Option<(K, V)> {
2267 self.inner.next(&mut self.pred, self.alloc)
2268 }
2269
2270 fn size_hint(&self) -> (usize, Option<usize>) {
2271 self.inner.size_hint()
2272 }
2273}
2274
2275impl<K, V> ExtractIfInner<'_, K, V> {
2276 /// Allow Debug implementations to predict the next element.
2277 pub(super) fn peek(&self) -> Option<(&K, &V)> {
2278 let edge = self.cur_leaf_edge.as_ref()?;
2279 edge.reborrow().next_kv().ok().map(Handle::into_kv)
2280 }
2281
2282 /// Implementation of a typical `ExtractIf::next` method, given the predicate.
2283 pub(super) fn next<F, A: Allocator>(&mut self, pred: &mut F, alloc: &A) -> Option<(K, V)>
2284 where
2285 F: FnMut(&K, &mut V) -> bool,
2286 {
2287 while let Ok(mut kv) = self.cur_leaf_edge.take()?.next_kv() {
2288 let (k, v) = kv.kv_mut();
2289 if pred(k, v) {
2290 *self.length -= 1;
2291 let (kv, pos) = kv.remove_kv_tracking(
2292 || {
2293 // SAFETY: we will touch the root in a way that will not
2294 // invalidate the position returned.
2295 let root = unsafe { self.dormant_root.take().unwrap().awaken() };
2296 root.pop_internal_level(alloc);
2297 self.dormant_root = Some(DormantMutRef::new(root).1);
2298 },
2299 alloc,
2300 );
2301 self.cur_leaf_edge = Some(pos);
2302 return Some(kv);
2303 }
2304 self.cur_leaf_edge = Some(kv.next_leaf_edge());
2305 }
2306 None
2307 }
2308
2309 /// Implementation of a typical `ExtractIf::size_hint` method.
2310 pub(super) fn size_hint(&self) -> (usize, Option<usize>) {
2311 // In most of the btree iterators, `self.length` is the number of elements
2312 // yet to be visited. Here, it includes elements that were visited and that
2313 // the predicate decided not to drain. Making this upper bound more tight
2314 // during iteration would require an extra field.
2315 (0, Some(*self.length))
2316 }
2317}
2318
2319impl<K, V, F> FusedIterator for ExtractIf<'_, K, V, F> where F: FnMut(&K, &mut V) -> bool {}
2320
2321impl<'a, K, V> Iterator for Range<'a, K, V> {
2322 type Item = (&'a K, &'a V);
2323
2324 fn next(&mut self) -> Option<(&'a K, &'a V)> {
2325 self.inner.next_checked()
2326 }
2327
2328 fn last(mut self) -> Option<(&'a K, &'a V)> {
2329 self.next_back()
2330 }
2331
2332 fn min(mut self) -> Option<(&'a K, &'a V)>
2333 where
2334 (&'a K, &'a V): Ord,
2335 {
2336 self.next()
2337 }
2338
2339 fn max(mut self) -> Option<(&'a K, &'a V)>
2340 where
2341 (&'a K, &'a V): Ord,
2342 {
2343 self.next_back()
2344 }
2345}
2346
2347impl<K, V> Default for Range<'_, K, V> {
2348 /// Creates an empty [`Range`].
2349 ///
2350 /// ```
2351 /// use rune::alloc::btree_map;
2352 ///
2353 /// let iter: btree_map::Range<'_, u8, u8> = Default::default();
2354 /// assert_eq!(iter.count(), 0);
2355 /// ```
2356 fn default() -> Self {
2357 Range {
2358 inner: Default::default(),
2359 }
2360 }
2361}
2362
2363impl<'a, K, V> Iterator for ValuesMut<'a, K, V> {
2364 type Item = &'a mut V;
2365
2366 fn next(&mut self) -> Option<&'a mut V> {
2367 self.inner.next().map(|(_, v)| v)
2368 }
2369
2370 fn size_hint(&self) -> (usize, Option<usize>) {
2371 self.inner.size_hint()
2372 }
2373
2374 fn last(mut self) -> Option<&'a mut V> {
2375 self.next_back()
2376 }
2377}
2378
2379impl<'a, K, V> DoubleEndedIterator for ValuesMut<'a, K, V> {
2380 fn next_back(&mut self) -> Option<&'a mut V> {
2381 self.inner.next_back().map(|(_, v)| v)
2382 }
2383}
2384
2385impl<K, V> ExactSizeIterator for ValuesMut<'_, K, V> {
2386 fn len(&self) -> usize {
2387 self.inner.len()
2388 }
2389}
2390
2391impl<K, V> FusedIterator for ValuesMut<'_, K, V> {}
2392
2393impl<K, V, A: Allocator> Iterator for IntoKeys<K, V, A> {
2394 type Item = K;
2395
2396 fn next(&mut self) -> Option<K> {
2397 self.inner.next().map(|(k, _)| k)
2398 }
2399
2400 fn size_hint(&self) -> (usize, Option<usize>) {
2401 self.inner.size_hint()
2402 }
2403
2404 fn last(mut self) -> Option<K> {
2405 self.next_back()
2406 }
2407
2408 fn min(mut self) -> Option<K>
2409 where
2410 K: Ord,
2411 {
2412 self.next()
2413 }
2414
2415 fn max(mut self) -> Option<K>
2416 where
2417 K: Ord,
2418 {
2419 self.next_back()
2420 }
2421}
2422
2423impl<K, V, A: Allocator> DoubleEndedIterator for IntoKeys<K, V, A> {
2424 fn next_back(&mut self) -> Option<K> {
2425 self.inner.next_back().map(|(k, _)| k)
2426 }
2427}
2428
2429impl<K, V, A: Allocator> ExactSizeIterator for IntoKeys<K, V, A> {
2430 fn len(&self) -> usize {
2431 self.inner.len()
2432 }
2433}
2434
2435impl<K, V, A: Allocator> FusedIterator for IntoKeys<K, V, A> {}
2436
2437impl<K, V, A> Default for IntoKeys<K, V, A>
2438where
2439 A: Allocator + Default + Clone,
2440{
2441 /// Creates an empty `btree_map::IntoKeys`.
2442 ///
2443 /// ```
2444 /// use rune::alloc::btree_map;
2445 ///
2446 /// let iter: btree_map::IntoKeys<u8, u8> = Default::default();
2447 /// assert_eq!(iter.len(), 0);
2448 /// ```
2449 fn default() -> Self {
2450 IntoKeys {
2451 inner: Default::default(),
2452 }
2453 }
2454}
2455
2456impl<K, V, A: Allocator> Iterator for IntoValues<K, V, A> {
2457 type Item = V;
2458
2459 fn next(&mut self) -> Option<V> {
2460 self.inner.next().map(|(_, v)| v)
2461 }
2462
2463 fn size_hint(&self) -> (usize, Option<usize>) {
2464 self.inner.size_hint()
2465 }
2466
2467 fn last(mut self) -> Option<V> {
2468 self.next_back()
2469 }
2470}
2471
2472impl<K, V, A: Allocator> DoubleEndedIterator for IntoValues<K, V, A> {
2473 fn next_back(&mut self) -> Option<V> {
2474 self.inner.next_back().map(|(_, v)| v)
2475 }
2476}
2477
2478impl<K, V, A: Allocator> ExactSizeIterator for IntoValues<K, V, A> {
2479 fn len(&self) -> usize {
2480 self.inner.len()
2481 }
2482}
2483
2484impl<K, V, A: Allocator> FusedIterator for IntoValues<K, V, A> {}
2485
2486impl<K, V, A> Default for IntoValues<K, V, A>
2487where
2488 A: Allocator + Default + Clone,
2489{
2490 /// Creates an empty `btree_map::IntoValues`.
2491 ///
2492 /// ```
2493 /// use rune::alloc::btree_map;
2494 ///
2495 /// let iter: btree_map::IntoValues<u8, u8> = Default::default();
2496 /// assert_eq!(iter.len(), 0);
2497 /// ```
2498 fn default() -> Self {
2499 IntoValues {
2500 inner: Default::default(),
2501 }
2502 }
2503}
2504
2505impl<'a, K, V> DoubleEndedIterator for Range<'a, K, V> {
2506 fn next_back(&mut self) -> Option<(&'a K, &'a V)> {
2507 self.inner.next_back_checked()
2508 }
2509}
2510
2511impl<K, V> FusedIterator for Range<'_, K, V> {}
2512
2513impl<K, V> Clone for Range<'_, K, V> {
2514 fn clone(&self) -> Self {
2515 Range {
2516 inner: self.inner.clone(),
2517 }
2518 }
2519}
2520
2521impl<'a, K, V> Iterator for RangeMut<'a, K, V> {
2522 type Item = (&'a K, &'a mut V);
2523
2524 fn next(&mut self) -> Option<(&'a K, &'a mut V)> {
2525 self.inner.next_checked()
2526 }
2527
2528 fn last(mut self) -> Option<(&'a K, &'a mut V)> {
2529 self.next_back()
2530 }
2531
2532 fn min(mut self) -> Option<(&'a K, &'a mut V)>
2533 where
2534 (&'a K, &'a mut V): Ord,
2535 {
2536 self.next()
2537 }
2538
2539 fn max(mut self) -> Option<(&'a K, &'a mut V)>
2540 where
2541 (&'a K, &'a mut V): Ord,
2542 {
2543 self.next_back()
2544 }
2545}
2546
2547impl<'a, K, V> DoubleEndedIterator for RangeMut<'a, K, V> {
2548 fn next_back(&mut self) -> Option<(&'a K, &'a mut V)> {
2549 self.inner.next_back_checked()
2550 }
2551}
2552
2553impl<K, V> FusedIterator for RangeMut<'_, K, V> {}
2554
2555impl<K: Ord, V, A: Allocator + Clone> TryExtend<(K, V)> for BTreeMap<K, V, A> {
2556 #[inline]
2557 fn try_extend<T: IntoIterator<Item = (K, V)>>(&mut self, iter: T) -> Result<(), Error> {
2558 for (k, v) in iter {
2559 self.try_insert(k, v)?;
2560 }
2561
2562 Ok(())
2563 }
2564}
2565
2566#[cfg(test)]
2567impl<K: Ord, V, A: Allocator + Clone> Extend<(K, V)> for BTreeMap<K, V, A> {
2568 #[inline]
2569 fn extend<T: IntoIterator<Item = (K, V)>>(&mut self, iter: T) {
2570 self.try_extend(iter).abort();
2571 }
2572}
2573
2574impl<'a, K: Ord + Copy, V: Copy, A: Allocator + Clone> TryExtend<(&'a K, &'a V)>
2575 for BTreeMap<K, V, A>
2576{
2577 fn try_extend<I: IntoIterator<Item = (&'a K, &'a V)>>(&mut self, iter: I) -> Result<(), Error> {
2578 self.try_extend(iter.into_iter().map(|(&key, &value)| (key, value)))
2579 }
2580}
2581
2582#[cfg(test)]
2583impl<'a, K: Ord + Copy, V: Copy, A: Allocator + Clone> Extend<(&'a K, &'a V)>
2584 for BTreeMap<K, V, A>
2585{
2586 fn extend<I: IntoIterator<Item = (&'a K, &'a V)>>(&mut self, iter: I) {
2587 self.try_extend(iter).abort();
2588 }
2589}
2590
2591impl<K: Hash, V: Hash, A: Allocator> Hash for BTreeMap<K, V, A> {
2592 fn hash<H: Hasher>(&self, state: &mut H) {
2593 state.write_usize(self.len());
2594 for elt in self {
2595 elt.hash(state);
2596 }
2597 }
2598}
2599
2600impl<K, V> Default for BTreeMap<K, V> {
2601 /// Creates an empty `BTreeMap`.
2602 fn default() -> BTreeMap<K, V> {
2603 BTreeMap::new()
2604 }
2605}
2606
2607impl<K: PartialEq, V: PartialEq, A: Allocator> PartialEq for BTreeMap<K, V, A> {
2608 fn eq(&self, other: &BTreeMap<K, V, A>) -> bool {
2609 self.len() == other.len() && self.iter().zip(other).all(|(a, b)| a == b)
2610 }
2611}
2612
2613impl<K: Eq, V: Eq, A: Allocator> Eq for BTreeMap<K, V, A> {}
2614
2615impl<K: PartialOrd, V: PartialOrd, A: Allocator> PartialOrd for BTreeMap<K, V, A> {
2616 #[inline]
2617 fn partial_cmp(&self, other: &BTreeMap<K, V, A>) -> Option<Ordering> {
2618 self.iter().partial_cmp(other.iter())
2619 }
2620}
2621
2622impl<K: Ord, V: Ord, A: Allocator> Ord for BTreeMap<K, V, A> {
2623 #[inline]
2624 fn cmp(&self, other: &BTreeMap<K, V, A>) -> Ordering {
2625 self.iter().cmp(other.iter())
2626 }
2627}
2628
2629impl<K: Debug, V: Debug, A: Allocator> Debug for BTreeMap<K, V, A> {
2630 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2631 f.debug_map().entries(self.iter()).finish()
2632 }
2633}
2634
2635impl<K, Q: ?Sized, V, A: Allocator> Index<&Q> for BTreeMap<K, V, A>
2636where
2637 K: Borrow<Q> + Ord,
2638 Q: Ord,
2639{
2640 type Output = V;
2641
2642 /// Returns a reference to the value corresponding to the supplied key.
2643 ///
2644 /// # Panics
2645 ///
2646 /// Panics if the key is not present in the `BTreeMap`.
2647 #[inline]
2648 fn index(&self, key: &Q) -> &V {
2649 self.get(key).expect("no entry found for key")
2650 }
2651}
2652
2653impl<K, V, A: Allocator> BTreeMap<K, V, A> {
2654 /// Gets an iterator over the entries of the map, sorted by key.
2655 ///
2656 /// # Examples
2657 ///
2658 /// Basic usage:
2659 ///
2660 /// ```
2661 /// use rune::alloc::BTreeMap;
2662 ///
2663 /// let mut map = BTreeMap::new();
2664 /// map.try_insert(3, "c")?;
2665 /// map.try_insert(2, "b")?;
2666 /// map.try_insert(1, "a")?;
2667 ///
2668 /// for (key, value) in map.iter() {
2669 /// println!("{key}: {value}");
2670 /// }
2671 ///
2672 /// let (first_key, first_value) = map.iter().next().unwrap();
2673 /// assert_eq!((*first_key, *first_value), (1, "a"));
2674 /// # Ok::<_, rune::alloc::Error>(())
2675 /// ```
2676 pub fn iter(&self) -> Iter<'_, K, V> {
2677 if let Some(root) = &self.root {
2678 let full_range = root.reborrow().full_range();
2679
2680 Iter {
2681 range: full_range,
2682 length: self.length,
2683 }
2684 } else {
2685 Iter {
2686 range: LazyLeafRange::none(),
2687 length: 0,
2688 }
2689 }
2690 }
2691
2692 /// Perform a raw iteration over the btree.
2693 ///
2694 /// # Safety
2695 ///
2696 /// Caller must ensure that the returned iterator doesn't outlive `self`.
2697 pub unsafe fn iter_raw(&self) -> IterRaw<K, V> {
2698 if let Some(root) = &self.root {
2699 let full_range = root.raw().full_range();
2700
2701 IterRaw {
2702 range: full_range,
2703 length: self.length,
2704 }
2705 } else {
2706 IterRaw {
2707 range: LazyLeafRange::none(),
2708 length: 0,
2709 }
2710 }
2711 }
2712
2713 /// Gets a mutable iterator over the entries of the map, sorted by key.
2714 ///
2715 /// # Examples
2716 ///
2717 /// Basic usage:
2718 ///
2719 /// ```
2720 /// use rune::alloc::BTreeMap;
2721 ///
2722 /// let mut map = BTreeMap::try_from([
2723 /// ("a", 1),
2724 /// ("b", 2),
2725 /// ("c", 3),
2726 /// ])?;
2727 ///
2728 /// // add 10 to the value if the key isn't "a"
2729 /// for (key, value) in map.iter_mut() {
2730 /// if key != &"a" {
2731 /// *value += 10;
2732 /// }
2733 /// }
2734 /// # Ok::<_, rune::alloc::Error>(())
2735 /// ```
2736 pub fn iter_mut(&mut self) -> IterMut<'_, K, V> {
2737 if let Some(root) = &mut self.root {
2738 let full_range = root.borrow_valmut().full_range();
2739
2740 IterMut {
2741 range: full_range,
2742 length: self.length,
2743 _marker: PhantomData,
2744 }
2745 } else {
2746 IterMut {
2747 range: LazyLeafRange::none(),
2748 length: 0,
2749 _marker: PhantomData,
2750 }
2751 }
2752 }
2753
2754 /// Gets an iterator over the keys of the map, in sorted order.
2755 ///
2756 /// # Examples
2757 ///
2758 /// Basic usage:
2759 ///
2760 /// ```
2761 /// use rune::alloc::BTreeMap;
2762 ///
2763 /// let mut a = BTreeMap::new();
2764 /// a.try_insert(2, "b")?;
2765 /// a.try_insert(1, "a")?;
2766 ///
2767 /// let keys: Vec<_> = a.keys().cloned().collect();
2768 /// assert_eq!(keys, [1, 2]);
2769 /// # Ok::<_, rune::alloc::Error>(())
2770 /// ```
2771 pub fn keys(&self) -> Keys<'_, K, V> {
2772 Keys { inner: self.iter() }
2773 }
2774
2775 /// Gets an iterator over the values of the map, in order by key.
2776 ///
2777 /// # Examples
2778 ///
2779 /// Basic usage:
2780 ///
2781 /// ```
2782 /// use rune::alloc::{BTreeMap, Vec};
2783 /// use rune::alloc::prelude::*;
2784 ///
2785 /// let mut a = BTreeMap::new();
2786 /// a.try_insert(1, "hello")?;
2787 /// a.try_insert(2, "goodbye")?;
2788 ///
2789 /// let values: Vec<&str> = a.values().copied().try_collect()?;
2790 /// assert_eq!(values, ["hello", "goodbye"]);
2791 /// # Ok::<_, rune::alloc::Error>(())
2792 /// ```
2793 pub fn values(&self) -> Values<'_, K, V> {
2794 Values { inner: self.iter() }
2795 }
2796
2797 /// Gets a mutable iterator over the values of the map, in order by key.
2798 ///
2799 /// # Examples
2800 ///
2801 /// Basic usage:
2802 ///
2803 /// ```
2804 /// use rune::alloc::{BTreeMap, Vec, String};
2805 /// use rune::alloc::prelude::*;
2806 ///
2807 /// let mut a = BTreeMap::new();
2808 /// a.try_insert(1, String::try_from("hello")?)?;
2809 /// a.try_insert(2, String::try_from("goodbye")?)?;
2810 ///
2811 /// for value in a.values_mut() {
2812 /// value.try_push_str("!")?;
2813 /// }
2814 ///
2815 /// let mut values = Vec::new();
2816 ///
2817 /// for value in a.values() {
2818 /// values.try_push(value.try_clone()?)?;
2819 /// }
2820 ///
2821 /// assert_eq!(values, [String::try_from("hello!")?,
2822 /// String::try_from("goodbye!")?]);
2823 /// # Ok::<_, rune::alloc::Error>(())
2824 /// ```
2825 pub fn values_mut(&mut self) -> ValuesMut<'_, K, V> {
2826 ValuesMut {
2827 inner: self.iter_mut(),
2828 }
2829 }
2830
2831 /// Returns the number of elements in the map.
2832 ///
2833 /// # Examples
2834 ///
2835 /// Basic usage:
2836 ///
2837 /// ```
2838 /// use rune::alloc::BTreeMap;
2839 ///
2840 /// let mut a = BTreeMap::new();
2841 /// assert_eq!(a.len(), 0);
2842 /// a.try_insert(1, "a")?;
2843 /// assert_eq!(a.len(), 1);
2844 /// # Ok::<_, rune::alloc::Error>(())
2845 /// ```
2846 #[must_use]
2847 pub const fn len(&self) -> usize {
2848 self.length
2849 }
2850
2851 /// Returns `true` if the map contains no elements.
2852 ///
2853 /// # Examples
2854 ///
2855 /// Basic usage:
2856 ///
2857 /// ```
2858 /// use rune::alloc::BTreeMap;
2859 ///
2860 /// let mut a = BTreeMap::new();
2861 /// assert!(a.is_empty());
2862 /// a.try_insert(1, "a")?;
2863 /// assert!(!a.is_empty());
2864 /// # Ok::<_, rune::alloc::Error>(())
2865 /// ```
2866 #[must_use]
2867 pub const fn is_empty(&self) -> bool {
2868 self.len() == 0
2869 }
2870
2871 /// Returns a [`Cursor`] pointing at the first element that is above the
2872 /// given bound.
2873 ///
2874 /// If no such element exists then a cursor pointing at the "ghost"
2875 /// non-element is returned.
2876 ///
2877 /// Passing [`Bound::Unbounded`] will return a cursor pointing at the first
2878 /// element of the map.
2879 ///
2880 /// # Examples
2881 ///
2882 /// Basic usage:
2883 ///
2884 /// ```
2885 /// use rune::alloc::BTreeMap;
2886 /// use std::ops::Bound;
2887 ///
2888 /// let mut a = BTreeMap::new();
2889 /// a.try_insert(1, "a")?;
2890 /// a.try_insert(2, "b")?;
2891 /// a.try_insert(3, "c")?;
2892 /// a.try_insert(4, "c")?;
2893 /// let cursor = a.lower_bound(Bound::Excluded(&2));
2894 /// assert_eq!(cursor.key(), Some(&3));
2895 /// # Ok::<_, rune::alloc::Error>(())
2896 /// ```
2897 pub fn lower_bound<Q>(&self, bound: Bound<&Q>) -> Cursor<'_, K, V>
2898 where
2899 K: Borrow<Q> + Ord,
2900 Q: Ord,
2901 {
2902 into_ok(self.lower_bound_with(&mut (), bound, infallible_cmp))
2903 }
2904
2905 pub(crate) fn lower_bound_with<C, Q, E>(
2906 &self,
2907 cx: &mut C,
2908 bound: Bound<&Q>,
2909 cmp: CmpFn<C, Q, E>,
2910 ) -> Result<Cursor<'_, K, V>, E>
2911 where
2912 K: Borrow<Q>,
2913 {
2914 let Some(root_node) = self.root.as_ref().map(NodeRef::reborrow) else {
2915 return Ok(Cursor {
2916 current: None,
2917 root: None,
2918 });
2919 };
2920
2921 let edge = root_node.lower_bound(cx, SearchBound::from_range(bound), cmp)?;
2922
2923 Ok(Cursor {
2924 current: edge.next_kv().ok(),
2925 root: self.root.as_ref(),
2926 })
2927 }
2928
2929 /// Returns a [`CursorMut`] pointing at the first element that is above the
2930 /// given bound.
2931 ///
2932 /// If no such element exists then a cursor pointing at the "ghost"
2933 /// non-element is returned.
2934 ///
2935 /// Passing [`Bound::Unbounded`] will return a cursor pointing at the first
2936 /// element of the map.
2937 ///
2938 /// # Examples
2939 ///
2940 /// Basic usage:
2941 ///
2942 /// ```
2943 /// use rune::alloc::BTreeMap;
2944 /// use std::ops::Bound;
2945 ///
2946 /// let mut a = BTreeMap::new();
2947 /// a.try_insert(1, "a")?;
2948 /// a.try_insert(2, "b")?;
2949 /// a.try_insert(3, "c")?;
2950 /// a.try_insert(4, "c")?;
2951 /// let cursor = a.lower_bound_mut(Bound::Excluded(&2));
2952 /// assert_eq!(cursor.key(), Some(&3));
2953 /// # Ok::<_, rune::alloc::Error>(())
2954 /// ```
2955 pub fn lower_bound_mut<Q>(&mut self, bound: Bound<&Q>) -> CursorMut<'_, K, V, A>
2956 where
2957 Q: ?Sized + Ord,
2958 K: Borrow<Q> + Ord,
2959 {
2960 into_ok(self.lower_bound_mut_with(&mut (), bound, infallible_cmp))
2961 }
2962
2963 pub(crate) fn lower_bound_mut_with<C, Q, E>(
2964 &mut self,
2965 cx: &mut C,
2966 bound: Bound<&Q>,
2967 cmp: CmpFn<C, Q, E>,
2968 ) -> Result<CursorMut<'_, K, V, A>, E>
2969 where
2970 C: ?Sized,
2971 Q: ?Sized,
2972 K: Borrow<Q>,
2973 {
2974 let (root, dormant_root) = DormantMutRef::new(&mut self.root);
2975
2976 let Some(root_node) = root.as_mut().map(NodeRef::borrow_mut) else {
2977 return Ok(CursorMut {
2978 current: None,
2979 root: dormant_root,
2980 length: &mut self.length,
2981 alloc: &mut *self.alloc,
2982 });
2983 };
2984
2985 let edge = root_node.lower_bound(cx, SearchBound::from_range(bound), cmp)?;
2986
2987 Ok(CursorMut {
2988 current: edge.next_kv().ok(),
2989 root: dormant_root,
2990 length: &mut self.length,
2991 alloc: &mut *self.alloc,
2992 })
2993 }
2994
2995 /// Returns a [`Cursor`] pointing at the last element that is below the
2996 /// given bound.
2997 ///
2998 /// If no such element exists then a cursor pointing at the "ghost"
2999 /// non-element is returned.
3000 ///
3001 /// Passing [`Bound::Unbounded`] will return a cursor pointing at the last
3002 /// element of the map.
3003 ///
3004 /// # Examples
3005 ///
3006 /// Basic usage:
3007 ///
3008 /// ```
3009 /// use rune::alloc::BTreeMap;
3010 /// use std::ops::Bound;
3011 ///
3012 /// let mut a = BTreeMap::new();
3013 /// a.try_insert(1, "a")?;
3014 /// a.try_insert(2, "b")?;
3015 /// a.try_insert(3, "c")?;
3016 /// a.try_insert(4, "c")?;
3017 /// let cursor = a.upper_bound(Bound::Excluded(&3));
3018 /// assert_eq!(cursor.key(), Some(&2));
3019 /// # Ok::<_, rune::alloc::Error>(())
3020 /// ```
3021 pub fn upper_bound<Q>(&self, bound: Bound<&Q>) -> Cursor<'_, K, V>
3022 where
3023 K: Borrow<Q> + Ord,
3024 Q: Ord,
3025 {
3026 into_ok(self.upper_bound_with(&mut (), bound, infallible_cmp))
3027 }
3028
3029 pub(crate) fn upper_bound_with<C: ?Sized, Q: ?Sized, E>(
3030 &self,
3031 cx: &mut C,
3032 bound: Bound<&Q>,
3033 cmp: CmpFn<C, Q, E>,
3034 ) -> Result<Cursor<'_, K, V>, E>
3035 where
3036 K: Borrow<Q>,
3037 {
3038 let Some(root_node) = self.root.as_ref().map(NodeRef::reborrow) else {
3039 return Ok(Cursor {
3040 current: None,
3041 root: None,
3042 });
3043 };
3044
3045 let edge = root_node.upper_bound(cx, SearchBound::from_range(bound), cmp)?;
3046
3047 Ok(Cursor {
3048 current: edge.next_back_kv().ok(),
3049 root: self.root.as_ref(),
3050 })
3051 }
3052
3053 /// Returns a [`CursorMut`] pointing at the last element that is below the
3054 /// given bound.
3055 ///
3056 /// If no such element exists then a cursor pointing at the "ghost"
3057 /// non-element is returned.
3058 ///
3059 /// Passing [`Bound::Unbounded`] will return a cursor pointing at the last
3060 /// element of the map.
3061 ///
3062 /// # Examples
3063 ///
3064 /// Basic usage:
3065 ///
3066 /// ```
3067 /// use rune::alloc::BTreeMap;
3068 /// use std::ops::Bound;
3069 ///
3070 /// let mut a = BTreeMap::new();
3071 /// a.try_insert(1, "a")?;
3072 /// a.try_insert(2, "b")?;
3073 /// a.try_insert(3, "c")?;
3074 /// a.try_insert(4, "c")?;
3075 /// let cursor = a.upper_bound_mut(Bound::Excluded(&3));
3076 /// assert_eq!(cursor.key(), Some(&2));
3077 /// # Ok::<_, rune::alloc::Error>(())
3078 /// ```
3079 pub fn upper_bound_mut<Q>(&mut self, bound: Bound<&Q>) -> CursorMut<'_, K, V, A>
3080 where
3081 Q: ?Sized + Ord,
3082 K: Borrow<Q>,
3083 {
3084 into_ok(self.upper_bound_mut_with(&mut (), bound, infallible_cmp))
3085 }
3086
3087 pub(crate) fn upper_bound_mut_with<C: ?Sized, Q: ?Sized, E>(
3088 &mut self,
3089 cx: &mut C,
3090 bound: Bound<&Q>,
3091 cmp: CmpFn<C, Q, E>,
3092 ) -> Result<CursorMut<'_, K, V, A>, E>
3093 where
3094 K: Borrow<Q>,
3095 {
3096 let (root, dormant_root) = DormantMutRef::new(&mut self.root);
3097
3098 let Some(root_node) = root.as_mut().map(NodeRef::borrow_mut) else {
3099 return Ok(CursorMut {
3100 current: None,
3101 root: dormant_root,
3102 length: &mut self.length,
3103 alloc: &mut *self.alloc,
3104 });
3105 };
3106
3107 let edge = root_node.upper_bound(cx, SearchBound::from_range(bound), cmp)?;
3108
3109 Ok(CursorMut {
3110 current: edge.next_back_kv().ok(),
3111 root: dormant_root,
3112 length: &mut self.length,
3113 alloc: &mut *self.alloc,
3114 })
3115 }
3116}
3117
3118/// A cursor over a `BTreeMap`.
3119///
3120/// A `Cursor` is like an iterator, except that it can freely seek back-and-forth.
3121///
3122/// Cursors always point to an element in the tree, and index in a logically circular way.
3123/// To accommodate this, there is a "ghost" non-element that yields `None` between the last and
3124/// first elements of the tree.
3125///
3126/// A `Cursor` is created with the [`BTreeMap::lower_bound`] and [`BTreeMap::upper_bound`] methods.
3127pub struct Cursor<'a, K: 'a, V: 'a> {
3128 current: Option<Handle<NodeRef<marker::Immut<'a>, K, V, marker::LeafOrInternal>, marker::KV>>,
3129 root: Option<&'a node::Root<K, V>>,
3130}
3131
3132impl<K, V> Clone for Cursor<'_, K, V> {
3133 fn clone(&self) -> Self {
3134 let Cursor { current, root } = *self;
3135 Cursor { current, root }
3136 }
3137}
3138
3139impl<K: Debug, V: Debug> Debug for Cursor<'_, K, V> {
3140 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3141 f.debug_tuple("Cursor").field(&self.key_value()).finish()
3142 }
3143}
3144
3145/// A cursor over a `BTreeMap` with editing operations.
3146///
3147/// A `Cursor` is like an iterator, except that it can freely seek back-and-forth, and can
3148/// safely mutate the tree during iteration. This is because the lifetime of its yielded
3149/// references is tied to its own lifetime, instead of just the underlying tree. This means
3150/// cursors cannot yield multiple elements at once.
3151///
3152/// Cursors always point to an element in the tree, and index in a logically circular way.
3153/// To accommodate this, there is a "ghost" non-element that yields `None` between the last and
3154/// first elements of the tree.
3155///
3156/// A `Cursor` is created with the [`BTreeMap::lower_bound_mut`] and [`BTreeMap::upper_bound_mut`]
3157/// methods.
3158pub struct CursorMut<'a, K: 'a, V: 'a, A = Global> {
3159 current: Option<Handle<NodeRef<marker::Mut<'a>, K, V, marker::LeafOrInternal>, marker::KV>>,
3160 #[cfg_attr(not(test), allow(unused))]
3161 root: DormantMutRef<'a, Option<node::Root<K, V>>>,
3162 #[cfg_attr(not(test), allow(unused))]
3163 length: &'a mut usize,
3164 #[cfg_attr(not(test), allow(unused))]
3165 alloc: &'a mut A,
3166}
3167
3168impl<K: Debug, V: Debug, A> Debug for CursorMut<'_, K, V, A> {
3169 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
3170 f.debug_tuple("CursorMut").field(&self.key_value()).finish()
3171 }
3172}
3173
3174impl<'a, K, V> Cursor<'a, K, V> {
3175 /// Moves the cursor to the next element of the `BTreeMap`.
3176 ///
3177 /// If the cursor is pointing to the "ghost" non-element then this will move it to
3178 /// the first element of the `BTreeMap`. If it is pointing to the last
3179 /// element of the `BTreeMap` then this will move it to the "ghost" non-element.
3180 #[cfg(test)]
3181 pub(crate) fn move_next(&mut self) {
3182 match self.current.take() {
3183 None => {
3184 self.current = self.root.and_then(|root| {
3185 root.reborrow()
3186 .first_leaf_edge()
3187 .forget_node_type()
3188 .right_kv()
3189 .ok()
3190 });
3191 }
3192 Some(current) => {
3193 self.current = current.next_leaf_edge().next_kv().ok();
3194 }
3195 }
3196 }
3197
3198 /// Moves the cursor to the previous element of the `BTreeMap`.
3199 ///
3200 /// If the cursor is pointing to the "ghost" non-element then this will move it to
3201 /// the last element of the `BTreeMap`. If it is pointing to the first
3202 /// element of the `BTreeMap` then this will move it to the "ghost" non-element.
3203 #[cfg(test)]
3204 pub(crate) fn move_prev(&mut self) {
3205 match self.current.take() {
3206 None => {
3207 self.current = self.root.and_then(|root| {
3208 root.reborrow()
3209 .last_leaf_edge()
3210 .forget_node_type()
3211 .left_kv()
3212 .ok()
3213 });
3214 }
3215 Some(current) => {
3216 self.current = current.next_back_leaf_edge().next_back_kv().ok();
3217 }
3218 }
3219 }
3220
3221 /// Returns a reference to the key of the element that the cursor is
3222 /// currently pointing to.
3223 ///
3224 /// This returns `None` if the cursor is currently pointing to the "ghost"
3225 /// non-element.
3226 pub fn key(&self) -> Option<&'a K> {
3227 self.current.as_ref().map(|current| current.into_kv().0)
3228 }
3229
3230 /// Returns a reference to the value of the element that the cursor is
3231 /// currently pointing to.
3232 ///
3233 /// This returns `None` if the cursor is currently pointing to the "ghost"
3234 /// non-element.
3235 pub fn value(&self) -> Option<&'a V> {
3236 self.current.as_ref().map(|current| current.into_kv().1)
3237 }
3238
3239 /// Returns a reference to the key and value of the element that the cursor
3240 /// is currently pointing to.
3241 ///
3242 /// This returns `None` if the cursor is currently pointing to the "ghost"
3243 /// non-element.
3244 pub fn key_value(&self) -> Option<(&'a K, &'a V)> {
3245 self.current.as_ref().map(|current| current.into_kv())
3246 }
3247
3248 /// Returns a reference to the next element.
3249 ///
3250 /// If the cursor is pointing to the "ghost" non-element then this returns
3251 /// the first element of the `BTreeMap`. If it is pointing to the last
3252 /// element of the `BTreeMap` then this returns `None`.
3253 #[cfg(test)]
3254 pub(crate) fn peek_next(&self) -> Option<(&'a K, &'a V)> {
3255 let mut next = self.clone();
3256 next.move_next();
3257 next.current.as_ref().map(|current| current.into_kv())
3258 }
3259
3260 /// Returns a reference to the previous element.
3261 ///
3262 /// If the cursor is pointing to the "ghost" non-element then this returns
3263 /// the last element of the `BTreeMap`. If it is pointing to the first
3264 /// element of the `BTreeMap` then this returns `None`.
3265 #[cfg(test)]
3266 pub(crate) fn peek_prev(&self) -> Option<(&'a K, &'a V)> {
3267 let mut prev = self.clone();
3268 prev.move_prev();
3269 prev.current.as_ref().map(|current| current.into_kv())
3270 }
3271}
3272
3273impl<K, V, A> CursorMut<'_, K, V, A> {
3274 /// Moves the cursor to the next element of the `BTreeMap`.
3275 ///
3276 /// If the cursor is pointing to the "ghost" non-element then this will move it to
3277 /// the first element of the `BTreeMap`. If it is pointing to the last
3278 /// element of the `BTreeMap` then this will move it to the "ghost" non-element.
3279 #[cfg(test)]
3280 pub(crate) fn move_next(&mut self) {
3281 match self.current.take() {
3282 None => {
3283 // SAFETY: The previous borrow of root has ended.
3284 self.current = unsafe { self.root.reborrow() }.as_mut().and_then(|root| {
3285 root.borrow_mut()
3286 .first_leaf_edge()
3287 .forget_node_type()
3288 .right_kv()
3289 .ok()
3290 });
3291 }
3292 Some(current) => {
3293 self.current = current.next_leaf_edge().next_kv().ok();
3294 }
3295 }
3296 }
3297
3298 /// Returns a reference to the key of the element that the cursor is
3299 /// currently pointing to.
3300 ///
3301 /// This returns `None` if the cursor is currently pointing to the "ghost"
3302 /// non-element.
3303 pub fn key(&self) -> Option<&K> {
3304 self.current
3305 .as_ref()
3306 .map(|current| current.reborrow().into_kv().0)
3307 }
3308
3309 /// Returns a reference to the value of the element that the cursor is
3310 /// currently pointing to.
3311 ///
3312 /// This returns `None` if the cursor is currently pointing to the "ghost"
3313 /// non-element.
3314 pub fn value(&self) -> Option<&V> {
3315 self.current
3316 .as_ref()
3317 .map(|current| current.reborrow().into_kv().1)
3318 }
3319
3320 /// Returns a reference to the key and value of the element that the cursor
3321 /// is currently pointing to.
3322 ///
3323 /// This returns `None` if the cursor is currently pointing to the "ghost"
3324 /// non-element.
3325 pub fn key_value(&self) -> Option<(&K, &V)> {
3326 self.current
3327 .as_ref()
3328 .map(|current| current.reborrow().into_kv())
3329 }
3330
3331 /// Returns a mutable reference to the value of the element that the cursor
3332 /// is currently pointing to.
3333 ///
3334 /// This returns `None` if the cursor is currently pointing to the "ghost"
3335 /// non-element.
3336 pub fn value_mut(&mut self) -> Option<&mut V> {
3337 self.current.as_mut().map(|current| current.kv_mut().1)
3338 }
3339
3340 /// Returns a reference to the key and mutable reference to the value of the
3341 /// element that the cursor is currently pointing to.
3342 ///
3343 /// This returns `None` if the cursor is currently pointing to the "ghost"
3344 /// non-element.
3345 pub fn key_value_mut(&mut self) -> Option<(&K, &mut V)> {
3346 self.current.as_mut().map(|current| {
3347 let (k, v) = current.kv_mut();
3348 (&*k, v)
3349 })
3350 }
3351
3352 /// Returns a reference to the key and value of the next element.
3353 ///
3354 /// If the cursor is pointing to the "ghost" non-element then this returns
3355 /// the first element of the `BTreeMap`. If it is pointing to the last
3356 /// element of the `BTreeMap` then this returns `None`.
3357 #[cfg(test)]
3358 pub(crate) fn peek_next(&mut self) -> Option<(&K, &mut V)> {
3359 let (k, v) = match self.current {
3360 None => {
3361 // SAFETY: The previous borrow of root has ended.
3362 unsafe { self.root.reborrow() }
3363 .as_mut()?
3364 .borrow_mut()
3365 .first_leaf_edge()
3366 .next_kv()
3367 .ok()?
3368 .into_kv_valmut()
3369 }
3370 // SAFETY: We're not using this to mutate the tree.
3371 Some(ref mut current) => unsafe { current.reborrow_mut() }
3372 .next_leaf_edge()
3373 .next_kv()
3374 .ok()?
3375 .into_kv_valmut(),
3376 };
3377 Some((k, v))
3378 }
3379
3380 /// Returns a reference to the key and value of the previous element.
3381 ///
3382 /// If the cursor is pointing to the "ghost" non-element then this returns
3383 /// the last element of the `BTreeMap`. If it is pointing to the first
3384 /// element of the `BTreeMap` then this returns `None`.
3385 #[cfg(test)]
3386 pub(crate) fn peek_prev(&mut self) -> Option<(&K, &mut V)> {
3387 let (k, v) = match self.current.as_mut() {
3388 None => {
3389 // SAFETY: The previous borrow of root has ended.
3390 unsafe { self.root.reborrow() }
3391 .as_mut()?
3392 .borrow_mut()
3393 .last_leaf_edge()
3394 .next_back_kv()
3395 .ok()?
3396 .into_kv_valmut()
3397 }
3398 Some(current) => {
3399 // SAFETY: We're not using this to mutate the tree.
3400 unsafe { current.reborrow_mut() }
3401 .next_back_leaf_edge()
3402 .next_back_kv()
3403 .ok()?
3404 .into_kv_valmut()
3405 }
3406 };
3407 Some((k, v))
3408 }
3409}
3410
3411// Now the tree editing operations
3412impl<K: Ord, V, A: Allocator> CursorMut<'_, K, V, A> {
3413 /// Inserts a new element into the `BTreeMap` after the current one.
3414 ///
3415 /// If the cursor is pointing at the "ghost" non-element then the new element is
3416 /// inserted at the front of the `BTreeMap`.
3417 ///
3418 /// # Safety
3419 ///
3420 /// You must ensure that the `BTreeMap` invariants are maintained.
3421 /// Specifically:
3422 ///
3423 /// * The key of the newly inserted element must be unique in the tree.
3424 /// * All keys in the tree must remain in sorted order.
3425 #[cfg(test)]
3426 pub(crate) unsafe fn try_insert_after_unchecked(
3427 &mut self,
3428 key: K,
3429 value: V,
3430 ) -> Result<(), AllocError> {
3431 let edge = match self.current.take() {
3432 None => {
3433 // SAFETY: We have no other reference to the tree.
3434 match unsafe { self.root.reborrow() } {
3435 root @ None => {
3436 // Tree is empty, allocate a new root.
3437 let mut node = NodeRef::new_leaf(self.alloc)?;
3438 node.borrow_mut().push(key, value);
3439 *root = Some(node.forget_type());
3440 *self.length += 1;
3441 return Ok(());
3442 }
3443 Some(root) => root.borrow_mut().first_leaf_edge(),
3444 }
3445 }
3446 Some(current) => current.next_leaf_edge(),
3447 };
3448
3449 let handle = edge.insert_recursing(key, value, self.alloc, |ins| {
3450 drop(ins.left);
3451 // SAFETY: The handle to the newly inserted value is always on a
3452 // leaf node, so adding a new root node doesn't invalidate it.
3453 let root = unsafe { self.root.reborrow().as_mut().unwrap() };
3454 root.push_internal_level(self.alloc)?
3455 .push(ins.kv.0, ins.kv.1, ins.right);
3456 Ok(())
3457 })?;
3458 self.current = handle.left_edge().next_back_kv().ok();
3459 *self.length += 1;
3460 Ok(())
3461 }
3462
3463 /// Inserts a new element into the `BTreeMap` before the current one.
3464 ///
3465 /// If the cursor is pointing at the "ghost" non-element then the new element is
3466 /// inserted at the end of the `BTreeMap`.
3467 ///
3468 /// # Safety
3469 ///
3470 /// You must ensure that the `BTreeMap` invariants are maintained.
3471 /// Specifically:
3472 ///
3473 /// * The key of the newly inserted element must be unique in the tree.
3474 /// * All keys in the tree must remain in sorted order.
3475 #[cfg(test)]
3476 pub(crate) unsafe fn try_insert_before_unchecked(
3477 &mut self,
3478 key: K,
3479 value: V,
3480 ) -> Result<(), AllocError> {
3481 let edge = match self.current.take() {
3482 None => {
3483 // SAFETY: We have no other reference to the tree.
3484 match unsafe { self.root.reborrow() } {
3485 root @ None => {
3486 // Tree is empty, allocate a new root.
3487 let mut node = NodeRef::new_leaf(self.alloc)?;
3488 node.borrow_mut().push(key, value);
3489 *root = Some(node.forget_type());
3490 *self.length += 1;
3491 return Ok(());
3492 }
3493 Some(root) => root.borrow_mut().last_leaf_edge(),
3494 }
3495 }
3496 Some(current) => current.next_back_leaf_edge(),
3497 };
3498
3499 let handle = edge.insert_recursing(key, value, self.alloc, |ins| {
3500 drop(ins.left);
3501 // SAFETY: The handle to the newly inserted value is always on a
3502 // leaf node, so adding a new root node doesn't invalidate it.
3503 let root = unsafe { self.root.reborrow().as_mut().unwrap() };
3504 root.push_internal_level(self.alloc)?
3505 .push(ins.kv.0, ins.kv.1, ins.right);
3506 Ok(())
3507 })?;
3508 self.current = handle.right_edge().next_kv().ok();
3509 *self.length += 1;
3510 Ok(())
3511 }
3512
3513 /// Inserts a new element into the `BTreeMap` after the current one.
3514 ///
3515 /// If the cursor is pointing at the "ghost" non-element then the new element is
3516 /// inserted at the front of the `BTreeMap`.
3517 ///
3518 /// # Panics
3519 ///
3520 /// This function panics if:
3521 /// - the given key compares less than or equal to the current element (if
3522 /// any).
3523 /// - the given key compares greater than or equal to the next element (if
3524 /// any).
3525 #[cfg(test)]
3526 pub(crate) fn try_insert_after(&mut self, key: K, value: V) -> Result<(), AllocError> {
3527 if let Some(current) = self.key() {
3528 if &key <= current {
3529 panic!("key must be ordered above the current element");
3530 }
3531 }
3532 if let Some((next, _)) = self.peek_next() {
3533 if &key >= next {
3534 panic!("key must be ordered below the next element");
3535 }
3536 }
3537 unsafe {
3538 self.try_insert_after_unchecked(key, value)?;
3539 }
3540 Ok(())
3541 }
3542
3543 #[cfg(test)]
3544 pub(crate) fn insert_after(&mut self, key: K, value: V) {
3545 self.try_insert_after(key, value).abort()
3546 }
3547
3548 /// Inserts a new element into the `BTreeMap` before the current one.
3549 ///
3550 /// If the cursor is pointing at the "ghost" non-element then the new element is
3551 /// inserted at the end of the `BTreeMap`.
3552 ///
3553 /// # Panics
3554 ///
3555 /// This function panics if:
3556 /// - the given key compares greater than or equal to the current element
3557 /// (if any).
3558 /// - the given key compares less than or equal to the previous element (if
3559 /// any).
3560 #[cfg(test)]
3561 pub(crate) fn try_insert_before(&mut self, key: K, value: V) -> Result<(), AllocError> {
3562 if let Some(current) = self.key() {
3563 if &key >= current {
3564 panic!("key must be ordered below the current element");
3565 }
3566 }
3567 if let Some((prev, _)) = self.peek_prev() {
3568 if &key <= prev {
3569 panic!("key must be ordered above the previous element");
3570 }
3571 }
3572 unsafe {
3573 self.try_insert_before_unchecked(key, value)?;
3574 }
3575 Ok(())
3576 }
3577
3578 #[cfg(test)]
3579 pub(crate) fn insert_before(&mut self, key: K, value: V) {
3580 self.try_insert_before(key, value).abort()
3581 }
3582
3583 /// Removes the current element from the `BTreeMap`.
3584 ///
3585 /// The element that was removed is returned, and the cursor is
3586 /// moved to point to the next element in the `BTreeMap`.
3587 ///
3588 /// If the cursor is currently pointing to the "ghost" non-element then no element
3589 /// is removed and `None` is returned. The cursor is not moved in this case.
3590 #[cfg(test)]
3591 pub(crate) fn remove_current(&mut self) -> Option<(K, V)> {
3592 let current = self.current.take()?;
3593 let mut emptied_internal_root = false;
3594 let (kv, pos) = current.remove_kv_tracking(|| emptied_internal_root = true, self.alloc);
3595 self.current = pos.next_kv().ok();
3596 *self.length -= 1;
3597 if emptied_internal_root {
3598 // SAFETY: This is safe since current does not point within the now
3599 // empty root node.
3600 let root = unsafe { self.root.reborrow().as_mut().unwrap() };
3601 root.pop_internal_level(self.alloc);
3602 }
3603 Some(kv)
3604 }
3605
3606 /// Removes the current element from the `BTreeMap`.
3607 ///
3608 /// The element that was removed is returned, and the cursor is
3609 /// moved to point to the previous element in the `BTreeMap`.
3610 ///
3611 /// If the cursor is currently pointing to the "ghost" non-element then no element
3612 /// is removed and `None` is returned. The cursor is not moved in this case.
3613 #[cfg(test)]
3614 pub(crate) fn remove_current_and_move_back(&mut self) -> Option<(K, V)> {
3615 let current = self.current.take()?;
3616 let mut emptied_internal_root = false;
3617 let (kv, pos) = current.remove_kv_tracking(|| emptied_internal_root = true, self.alloc);
3618 self.current = pos.next_back_kv().ok();
3619 *self.length -= 1;
3620
3621 if emptied_internal_root {
3622 // SAFETY: This is safe since current does not point within the now
3623 // empty root node.
3624 let root = unsafe { self.root.reborrow().as_mut().unwrap() };
3625 root.pop_internal_level(self.alloc);
3626 }
3627
3628 Some(kv)
3629 }
3630}
3631
3632impl<K, V, A: Allocator> TryFromIteratorIn<(K, V), A> for BTreeMap<K, V, A>
3633where
3634 K: Ord,
3635{
3636 #[inline]
3637 fn try_from_iter_in<I>(iter: I, alloc: A) -> Result<Self, Error>
3638 where
3639 I: IntoIterator<Item = (K, V)>,
3640 {
3641 let mut this = BTreeMap::new_in(alloc);
3642
3643 for (key, value) in iter {
3644 this.try_insert(key, value)?;
3645 }
3646
3647 Ok(this)
3648 }
3649}
3650
3651#[cfg(test)]
3652impl<K, V> FromIterator<(K, V)> for BTreeMap<K, V>
3653where
3654 K: Ord,
3655{
3656 fn from_iter<I>(iter: I) -> Self
3657 where
3658 I: IntoIterator<Item = (K, V)>,
3659 {
3660 Self::try_from_iter_in(iter, Global).abort()
3661 }
3662}
3663
3664impl<K, V, const N: usize> TryFrom<[(K, V); N]> for BTreeMap<K, V>
3665where
3666 K: Ord,
3667{
3668 type Error = Error;
3669
3670 #[inline]
3671 fn try_from(values: [(K, V); N]) -> Result<Self, Self::Error> {
3672 let mut this = BTreeMap::new();
3673
3674 for (key, value) in values {
3675 this.try_insert(key, value)?;
3676 }
3677
3678 Ok(this)
3679 }
3680}
3681
3682#[cfg(test)]
3683mod tests;