indexmap_nostd/
map.rs

1//! An ordered map based on a B-Tree that keeps insertion order of elements.
2
3use super::SlotIndex;
4use alloc::collections::{btree_map, BTreeMap};
5use alloc::vec::IntoIter as VecIntoIter;
6use alloc::vec::Vec;
7use core::borrow::Borrow;
8use core::fmt;
9use core::iter::FusedIterator;
10use core::mem::replace;
11use core::ops::{Index, IndexMut};
12use core::slice::Iter as SliceIter;
13use core::slice::IterMut as SliceIterMut;
14
15#[derive(Debug, Clone, PartialEq, Eq, PartialOrd, Ord)]
16struct Slot<K, V> {
17    /// The key of the [`Slot`].
18    key: K,
19    /// The value of the [`Slot`].
20    value: V,
21}
22
23impl<K, V> Slot<K, V> {
24    /// Creates a new [`Slot`] from the given `key` and `value`.
25    pub fn new(key: K, value: V) -> Self {
26        Self { key, value }
27    }
28
29    /// Returns the [`Slot`] as a pair of references to its `key` and `value`.
30    pub fn as_pair(&self) -> (&K, &V) {
31        (&self.key, &self.value)
32    }
33
34    /// Returns the [`Slot`] as a pair of references to its `key` and `value`.
35    pub fn as_pair_mut(&mut self) -> (&K, &mut V) {
36        (&self.key, &mut self.value)
37    }
38
39    /// Converts the [`Slot`] into a pair of its `key` and `value`.
40    pub fn into_pair(self) -> (K, V) {
41        (self.key, self.value)
42    }
43
44    /// Returns a shared reference to the value of the [`Slot`].
45    pub fn value(&self) -> &V {
46        &self.value
47    }
48
49    /// Returns an exclusive reference to the value of the [`Slot`].
50    pub fn value_mut(&mut self) -> &mut V {
51        &mut self.value
52    }
53}
54
55/// A b-tree map where the iteration order of the key-value
56/// pairs is independent of the ordering of the keys.
57///
58/// The interface is closely compatible with the [`indexmap` crate]
59/// and a subset of the features that is relevant for the
60/// [`wasmparser-nostd` crate].
61///
62/// # Differences to original `IndexMap`
63///
64/// Since the goal of this crate was to maintain a simple
65/// `no_std` compatible fork of the [`indexmap` crate] there are some
66/// downsides and differences.
67///
68/// - Some operations such as `IndexMap::insert` now require `K: Clone`.
69/// - It is to be expected that this fork performs worse than the original
70/// [`indexmap` crate] implementation.
71/// - The implementation is based on `BTreeMap` internally instead of
72/// `HashMap` which has the effect that methods no longer require `K: Hash`
73/// but `K: Ord` instead.
74///
75/// [`indexmap` crate]: https://crates.io/crates/indexmap
76/// [`wasmparser-nostd` crate]: https://crates.io/crates/wasmparser-nostd
77#[derive(Debug, Clone, PartialEq, Eq, PartialOrd, Ord)]
78pub struct IndexMap<K, V> {
79    /// A mapping from keys to slot indices.
80    key2slot: BTreeMap<K, SlotIndex>,
81    /// A vector holding all slots of key value pairs.
82    slots: Vec<Slot<K, V>>,
83}
84
85impl<K, V> Default for IndexMap<K, V> {
86    fn default() -> Self {
87        Self::new()
88    }
89}
90
91impl<K, V> IndexMap<K, V> {
92    /// Makes a new, empty [`IndexMap`].
93    ///
94    /// Does not allocate anything on its own.
95    pub fn new() -> Self {
96        Self {
97            key2slot: BTreeMap::new(),
98            slots: Vec::new(),
99        }
100    }
101
102    /// Constructs a new, empty [`IndexMap`] with at least the specified capacity.
103    ///
104    /// Does not allocate if `capacity` is zero.
105    pub fn with_capacity(capacity: usize) -> Self {
106        Self {
107            key2slot: BTreeMap::new(),
108            slots: Vec::with_capacity(capacity),
109        }
110    }
111
112    /// Reserve capacity for at least `additional` more key-value pairs.
113    pub fn reserve(&mut self, additional: usize) {
114        self.slots.reserve(additional);
115    }
116
117    /// Returns the number of elements in the map.
118    pub fn len(&self) -> usize {
119        self.slots.len()
120    }
121
122    /// Returns `true` if the map contains no elements.
123    pub fn is_empty(&self) -> bool {
124        self.len() != 0
125    }
126
127    /// Returns true if the map contains a value for the specified key.
128    ///
129    /// The key may be any borrowed form of the map’s key type,
130    /// but the ordering on the borrowed form must match the ordering on the key type.
131    pub fn contains_key<Q: ?Sized>(&self, key: &Q) -> bool
132    where
133        K: Borrow<Q> + Ord,
134        Q: Ord,
135    {
136        self.key2slot.contains_key(key)
137    }
138
139    /// Inserts a key-value pair into the map.
140    ///
141    /// If the map did not have this key present, `None` is returned.
142    ///
143    /// If the map did have this key present, the value is updated, and the old
144    /// value is returned. The key is not updated, though; this matters for
145    /// types that can be `==` without being identical.
146    pub fn insert(&mut self, key: K, value: V) -> Option<V>
147    where
148        K: Ord + Clone,
149    {
150        self.insert_full(key, value)
151            .map(|(_index, old_value)| old_value)
152    }
153
154    /// Inserts a key-value pair into the map.
155    ///
156    /// Returns the unique index to the key-value pair alongside the previous value.
157    ///
158    /// If the map did not have this key present, `None` is returned.
159    ///
160    /// If the map did have this key present, the value is updated, and the old
161    /// value is returned. The key is not updated, though; this matters for
162    /// types that can be `==` without being identical.
163    pub fn insert_full(&mut self, key: K, value: V) -> Option<(usize, V)>
164    where
165        K: Ord + Clone,
166    {
167        match self.key2slot.entry(key.clone()) {
168            btree_map::Entry::Vacant(entry) => {
169                let new_slot = self.slots.len();
170                entry.insert(SlotIndex(new_slot));
171                self.slots.push(Slot::new(key, value));
172                None
173            }
174            btree_map::Entry::Occupied(entry) => {
175                let index = entry.get().index();
176                let new_slot = Slot::new(key, value);
177                let old_slot = replace(&mut self.slots[index], new_slot);
178                Some((index, old_slot.value))
179            }
180        }
181    }
182
183    /// Gets the given key’s corresponding entry in the map for in-place manipulation.
184    pub fn entry(&mut self, key: K) -> Entry<K, V>
185    where
186        K: Ord + Clone,
187    {
188        match self.key2slot.entry(key) {
189            btree_map::Entry::Vacant(entry) => Entry::Vacant(VacantEntry {
190                vacant: entry,
191                slots: &mut self.slots,
192            }),
193            btree_map::Entry::Occupied(entry) => Entry::Occupied(OccupiedEntry {
194                occupied: entry,
195                slots: &mut self.slots,
196            }),
197        }
198    }
199
200    /// Returns a reference to the value corresponding to the key.
201    ///
202    /// The key may be any borrowed form of the map’s key type,
203    /// but the ordering on the borrowed form must match the ordering on the key type.
204    pub fn get<Q: ?Sized>(&self, key: &Q) -> Option<&V>
205    where
206        K: Borrow<Q> + Ord,
207        Q: Ord,
208    {
209        self.key2slot
210            .get(key)
211            .map(|slot| &self.slots[slot.index()].value)
212    }
213
214    /// Returns the key-value pair corresponding to the supplied key.
215    ///
216    /// The supplied key may be any borrowed form of the map's key type,
217    /// but the ordering on the borrowed form *must* match the ordering
218    /// on the key type.
219    pub fn get_key_value<Q: ?Sized>(&self, key: &Q) -> Option<(&K, &V)>
220    where
221        K: Borrow<Q> + Ord,
222        Q: Ord,
223    {
224        self.key2slot
225            .get_key_value(key)
226            .map(|(key, slot)| (key, &self.slots[slot.index()].value))
227    }
228
229    /// Returns the key-value pair corresponding to the supplied key
230    /// as well as the unique index of the returned key-value pair.
231    ///
232    /// The supplied key may be any borrowed form of the map's key type,
233    /// but the ordering on the borrowed form *must* match the ordering
234    /// on the key type.
235    pub fn get_full<Q: ?Sized>(&self, key: &Q) -> Option<(usize, &K, &V)>
236    where
237        K: Borrow<Q> + Ord,
238        Q: Ord,
239    {
240        self.key2slot.get_key_value(key).map(|(key, slot)| {
241            let index = slot.index();
242            let value = &self.slots[index].value;
243            (index, key, value)
244        })
245    }
246
247    /// Returns the unique index corresponding to the supplied key.
248    ///
249    /// The supplied key may be any borrowed form of the map's key type,
250    /// but the ordering on the borrowed form *must* match the ordering
251    /// on the key type.
252    pub fn get_index_of<Q: ?Sized>(&self, key: &Q) -> Option<usize>
253    where
254        K: Borrow<Q> + Ord,
255        Q: Ord,
256    {
257        self.key2slot.get(key).copied().map(SlotIndex::index)
258    }
259
260    /// Returns a shared reference to the key-value pair at the given index.
261    pub fn get_index(&self, index: usize) -> Option<(&K, &V)> {
262        self.slots.get(index).map(Slot::as_pair)
263    }
264
265    /// Returns an exclusive reference to the key-value pair at the given index.
266    pub fn get_index_mut(&mut self, index: usize) -> Option<(&K, &mut V)> {
267        self.slots.get_mut(index).map(Slot::as_pair_mut)
268    }
269
270    /// Gets an iterator over the entries of the map, sorted by key.
271    pub fn iter(&self) -> Iter<K, V> {
272        Iter {
273            iter: self.slots.iter(),
274        }
275    }
276
277    /// Gets a mutable iterator over the entries of the map, sorted by key.
278    pub fn iter_mut(&mut self) -> IterMut<K, V> {
279        IterMut {
280            iter: self.slots.iter_mut(),
281        }
282    }
283
284    /// Gets an iterator over the values of the map, in order by key.
285    pub fn values(&self) -> Values<K, V> {
286        Values {
287            iter: self.slots.iter(),
288        }
289    }
290
291    /// Gets a mutable iterator over the values of the map, in order by key.
292    pub fn values_mut(&mut self) -> ValuesMut<K, V> {
293        ValuesMut {
294            iter: self.slots.iter_mut(),
295        }
296    }
297
298    /// Clears the map, removing all elements.
299    pub fn clear(&mut self) {
300        self.key2slot.clear();
301        self.slots.clear();
302    }
303}
304
305impl<'a, K, Q, V> Index<&'a Q> for IndexMap<K, V>
306where
307    K: Borrow<Q> + Ord,
308    Q: Ord,
309{
310    type Output = V;
311
312    fn index(&self, key: &'a Q) -> &Self::Output {
313        self.get(key).expect("no entry found for key")
314    }
315}
316
317impl<K, V> Index<usize> for IndexMap<K, V> {
318    type Output = V;
319
320    fn index(&self, index: usize) -> &Self::Output {
321        let (_key, value) = self
322            .get_index(index)
323            .expect("IndexMap: index out of bounds");
324        value
325    }
326}
327
328impl<K, V> IndexMut<usize> for IndexMap<K, V> {
329    fn index_mut(&mut self, index: usize) -> &mut Self::Output {
330        let (_key, value) = self
331            .get_index_mut(index)
332            .expect("IndexMap: index out of bounds");
333        value
334    }
335}
336
337impl<'a, K, V> Extend<(&'a K, &'a V)> for IndexMap<K, V>
338where
339    K: Ord + Copy,
340    V: Copy,
341{
342    fn extend<T>(&mut self, iter: T)
343    where
344        T: IntoIterator<Item = (&'a K, &'a V)>,
345    {
346        self.extend(iter.into_iter().map(|(key, value)| (*key, *value)))
347    }
348}
349
350impl<K, V> Extend<(K, V)> for IndexMap<K, V>
351where
352    K: Ord + Clone,
353{
354    fn extend<T>(&mut self, iter: T)
355    where
356        T: IntoIterator<Item = (K, V)>,
357    {
358        iter.into_iter().for_each(move |(k, v)| {
359            self.insert(k, v);
360        });
361    }
362}
363
364impl<K, V> FromIterator<(K, V)> for IndexMap<K, V>
365where
366    K: Ord + Clone,
367{
368    fn from_iter<T>(iter: T) -> Self
369    where
370        T: IntoIterator<Item = (K, V)>,
371    {
372        let mut map = IndexMap::new();
373        map.extend(iter);
374        map
375    }
376}
377
378impl<K, V, const N: usize> From<[(K, V); N]> for IndexMap<K, V>
379where
380    K: Ord + Clone,
381{
382    fn from(items: [(K, V); N]) -> Self {
383        items.into_iter().collect()
384    }
385}
386
387impl<'a, K, V> IntoIterator for &'a IndexMap<K, V> {
388    type Item = (&'a K, &'a V);
389    type IntoIter = Iter<'a, K, V>;
390
391    fn into_iter(self) -> Self::IntoIter {
392        self.iter()
393    }
394}
395
396impl<'a, K, V> IntoIterator for &'a mut IndexMap<K, V> {
397    type Item = (&'a K, &'a mut V);
398    type IntoIter = IterMut<'a, K, V>;
399
400    fn into_iter(self) -> Self::IntoIter {
401        self.iter_mut()
402    }
403}
404
405impl<K, V> IntoIterator for IndexMap<K, V> {
406    type Item = (K, V);
407    type IntoIter = IntoIter<K, V>;
408
409    fn into_iter(self) -> Self::IntoIter {
410        IntoIter {
411            iter: self.slots.into_iter(),
412        }
413    }
414}
415
416/// An iterator over the entries of an [`IndexMap`].
417///
418/// This `struct` is created by the [`iter`] method on [`IndexMap`]. See its
419/// documentation for more.
420///
421/// [`iter`]: IndexMap::iter
422#[derive(Debug, Clone)]
423pub struct Iter<'a, K, V> {
424    iter: SliceIter<'a, Slot<K, V>>,
425}
426
427impl<'a, K, V> Iterator for Iter<'a, K, V> {
428    type Item = (&'a K, &'a V);
429
430    fn size_hint(&self) -> (usize, Option<usize>) {
431        self.iter.size_hint()
432    }
433
434    fn count(self) -> usize {
435        self.iter.count()
436    }
437
438    fn next(&mut self) -> Option<Self::Item> {
439        self.iter.next().map(Slot::as_pair)
440    }
441}
442
443impl<'a, K, V> DoubleEndedIterator for Iter<'a, K, V> {
444    fn next_back(&mut self) -> Option<Self::Item> {
445        self.iter.next_back().map(Slot::as_pair)
446    }
447}
448
449impl<'a, K, V> ExactSizeIterator for Iter<'a, K, V> {
450    fn len(&self) -> usize {
451        self.iter.len()
452    }
453}
454
455impl<'a, K, V> FusedIterator for Iter<'a, K, V> {}
456
457/// A mutable iterator over the entries of an [`IndexMap`].
458///
459/// This `struct` is created by the [`iter_mut`] method on [`IndexMap`]. See its
460/// documentation for more.
461///
462/// [`iter_mut`]: IndexMap::iter_mut
463#[derive(Debug)]
464pub struct IterMut<'a, K, V> {
465    iter: SliceIterMut<'a, Slot<K, V>>,
466}
467
468impl<'a, K, V> Iterator for IterMut<'a, K, V> {
469    type Item = (&'a K, &'a mut V);
470
471    fn size_hint(&self) -> (usize, Option<usize>) {
472        self.iter.size_hint()
473    }
474
475    fn count(self) -> usize {
476        self.iter.count()
477    }
478
479    fn next(&mut self) -> Option<Self::Item> {
480        self.iter.next().map(Slot::as_pair_mut)
481    }
482}
483
484impl<'a, K, V> DoubleEndedIterator for IterMut<'a, K, V> {
485    fn next_back(&mut self) -> Option<Self::Item> {
486        self.iter.next_back().map(Slot::as_pair_mut)
487    }
488}
489
490impl<'a, K, V> ExactSizeIterator for IterMut<'a, K, V> {
491    fn len(&self) -> usize {
492        self.iter.len()
493    }
494}
495
496impl<'a, K, V> FusedIterator for IterMut<'a, K, V> {}
497
498/// An owning iterator over the entries of a [`IndexMap`].
499///
500/// This `struct` is created by the [`into_iter`] method on [`IndexMap`]
501/// (provided by the [`IntoIterator`] trait). See its documentation for more.
502///
503/// [`into_iter`]: IntoIterator::into_iter
504/// [`IntoIterator`]: core::iter::IntoIterator
505#[derive(Debug)]
506pub struct IntoIter<K, V> {
507    iter: VecIntoIter<Slot<K, V>>,
508}
509
510impl<K, V> Iterator for IntoIter<K, V> {
511    type Item = (K, V);
512
513    fn size_hint(&self) -> (usize, Option<usize>) {
514        self.iter.size_hint()
515    }
516
517    fn count(self) -> usize {
518        self.iter.count()
519    }
520
521    fn next(&mut self) -> Option<Self::Item> {
522        self.iter.next().map(Slot::into_pair)
523    }
524}
525
526impl<K, V> DoubleEndedIterator for IntoIter<K, V> {
527    fn next_back(&mut self) -> Option<Self::Item> {
528        self.iter.next_back().map(Slot::into_pair)
529    }
530}
531
532impl<K, V> ExactSizeIterator for IntoIter<K, V> {
533    fn len(&self) -> usize {
534        self.iter.len()
535    }
536}
537
538impl<K, V> FusedIterator for IntoIter<K, V> {}
539
540/// An iterator over the values of an [`IndexMap`].
541///
542/// This `struct` is created by the [`values`] method on [`IndexMap`]. See its
543/// documentation for more.
544///
545/// [`values`]: IndexMap::values
546#[derive(Debug, Clone)]
547pub struct Values<'a, K, V> {
548    iter: SliceIter<'a, Slot<K, V>>,
549}
550
551impl<'a, K, V> Iterator for Values<'a, K, V> {
552    type Item = &'a V;
553
554    fn size_hint(&self) -> (usize, Option<usize>) {
555        self.iter.size_hint()
556    }
557
558    fn count(self) -> usize {
559        self.iter.count()
560    }
561
562    fn next(&mut self) -> Option<Self::Item> {
563        self.iter.next().map(Slot::value)
564    }
565}
566
567impl<'a, K, V> DoubleEndedIterator for Values<'a, K, V> {
568    fn next_back(&mut self) -> Option<Self::Item> {
569        self.iter.next_back().map(Slot::value)
570    }
571}
572
573impl<'a, K, V> ExactSizeIterator for Values<'a, K, V> {
574    fn len(&self) -> usize {
575        self.iter.len()
576    }
577}
578
579impl<'a, K, V> FusedIterator for Values<'a, K, V> {}
580
581/// An iterator over the values of an [`IndexMap`].
582///
583/// This `struct` is created by the [`values`] method on [`IndexMap`]. See its
584/// documentation for more.
585///
586/// [`values`]: IndexMap::values
587#[derive(Debug)]
588pub struct ValuesMut<'a, K, V> {
589    iter: SliceIterMut<'a, Slot<K, V>>,
590}
591
592impl<'a, K, V> Iterator for ValuesMut<'a, K, V> {
593    type Item = &'a mut V;
594
595    fn size_hint(&self) -> (usize, Option<usize>) {
596        self.iter.size_hint()
597    }
598
599    fn count(self) -> usize {
600        self.iter.count()
601    }
602
603    fn next(&mut self) -> Option<Self::Item> {
604        self.iter.next().map(Slot::value_mut)
605    }
606}
607
608impl<'a, K, V> DoubleEndedIterator for ValuesMut<'a, K, V> {
609    fn next_back(&mut self) -> Option<Self::Item> {
610        self.iter.next_back().map(Slot::value_mut)
611    }
612}
613
614impl<'a, K, V> ExactSizeIterator for ValuesMut<'a, K, V> {
615    fn len(&self) -> usize {
616        self.iter.len()
617    }
618}
619
620impl<'a, K, V> FusedIterator for ValuesMut<'a, K, V> {}
621
622/// A view into a single entry in a map, which may either be vacant or occupied.
623///
624/// This `enum` is constructed from the [`entry`] method on [`IndexMap`].
625///
626/// [`entry`]: IndexMap::entry
627pub enum Entry<'a, K, V> {
628    /// A vacant entry.
629    Vacant(VacantEntry<'a, K, V>),
630    /// An occupied entry.
631    Occupied(OccupiedEntry<'a, K, V>),
632}
633
634impl<'a, K: Ord, V> Entry<'a, K, V> {
635    /// Ensures a value is in the entry by inserting the default if empty,
636    /// and returns a mutable reference to the value in the entry.
637    pub fn or_insert(self, default: V) -> &'a mut V
638    where
639        K: Clone,
640    {
641        match self {
642            Self::Occupied(entry) => entry.into_mut(),
643            Self::Vacant(entry) => entry.insert(default),
644        }
645    }
646
647    /// Ensures a value is in the entry by inserting the result
648    /// of the default function if empty,
649    /// and returns a mutable reference to the value in the entry.
650    pub fn or_insert_with<F: FnOnce() -> V>(self, default: F) -> &'a mut V
651    where
652        K: Clone,
653    {
654        match self {
655            Self::Occupied(entry) => entry.into_mut(),
656            Self::Vacant(entry) => entry.insert(default()),
657        }
658    }
659
660    /// Ensures a value is in the entry by inserting,
661    /// if empty, the result of the default function.
662    ///
663    /// This method allows for generating key-derived values for
664    /// insertion by providing the default function a reference
665    /// to the key that was moved during the `.entry(key)` method call.
666    ///
667    /// The reference to the moved key is provided
668    /// so that cloning or copying the key is
669    /// unnecessary, unlike with `.or_insert_with(|| ... )`.
670    pub fn or_insert_with_key<F: FnOnce(&K) -> V>(self, default: F) -> &'a mut V
671    where
672        K: Clone,
673    {
674        match self {
675            Self::Occupied(entry) => entry.into_mut(),
676            Self::Vacant(entry) => {
677                let value = default(entry.key());
678                entry.insert(value)
679            }
680        }
681    }
682
683    /// Returns a reference to this entry’s key.
684    pub fn key(&self) -> &K {
685        match *self {
686            Self::Occupied(ref entry) => entry.key(),
687            Self::Vacant(ref entry) => entry.key(),
688        }
689    }
690
691    /// Provides in-place mutable access to an occupied entry
692    /// before any potential inserts into the map.
693    pub fn and_modify<F>(self, f: F) -> Self
694    where
695        F: FnOnce(&mut V),
696    {
697        match self {
698            Self::Occupied(mut entry) => {
699                f(entry.get_mut());
700                Self::Occupied(entry)
701            }
702            Self::Vacant(entry) => Self::Vacant(entry),
703        }
704    }
705}
706
707impl<'a, K, V> Entry<'a, K, V>
708where
709    K: Ord + Clone,
710    V: Default,
711{
712    /// Ensures a value is in the entry by inserting the default value if empty,
713    /// and returns a mutable reference to the value in the entry.
714    pub fn or_default(self) -> &'a mut V {
715        match self {
716            Self::Occupied(entry) => entry.into_mut(),
717            Self::Vacant(entry) => entry.insert(Default::default()),
718        }
719    }
720}
721
722impl<'a, K, V> fmt::Debug for Entry<'a, K, V>
723where
724    K: fmt::Debug + Ord,
725    V: fmt::Debug,
726{
727    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
728        match self {
729            Entry::Vacant(entry) => entry.fmt(f),
730            Entry::Occupied(entry) => entry.fmt(f),
731        }
732    }
733}
734
735/// A view into a vacant entry in an [`IndexMap`]. It is part of the [`Entry`] `enum`.
736pub struct VacantEntry<'a, K, V> {
737    /// The underlying vacant entry.
738    vacant: btree_map::VacantEntry<'a, K, SlotIndex>,
739    /// The vector that stores all slots.
740    slots: &'a mut Vec<Slot<K, V>>,
741}
742
743impl<'a, K, V> VacantEntry<'a, K, V>
744where
745    K: Ord,
746{
747    /// Gets a reference to the key that would be used when inserting a value through the VacantEntry.
748    pub fn key(&self) -> &K {
749        self.vacant.key()
750    }
751
752    /// Take ownership of the key.
753    pub fn into_key(self) -> K {
754        self.vacant.into_key()
755    }
756
757    /// Sets the value of the entry with the `VacantEntry`’s key,
758    /// and returns a mutable reference to it.
759    pub fn insert(self, value: V) -> &'a mut V
760    where
761        K: Clone,
762    {
763        let index = self.slots.len();
764        let key = self.vacant.key().clone();
765        self.vacant.insert(SlotIndex(index));
766        self.slots.push(Slot::new(key, value));
767        &mut self.slots[index].value
768    }
769}
770
771impl<'a, K, V> fmt::Debug for VacantEntry<'a, K, V>
772where
773    K: fmt::Debug + Ord,
774{
775    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
776        f.debug_struct("VacantEntry")
777            .field("key", self.key())
778            .finish()
779    }
780}
781
782/// A view into an occupied entry in a [`IndexMap`]. It is part of the [`Entry`] `enum`.
783pub struct OccupiedEntry<'a, K, V> {
784    /// The underlying occupied entry.
785    occupied: btree_map::OccupiedEntry<'a, K, SlotIndex>,
786    /// The vector that stores all slots.
787    slots: &'a mut Vec<Slot<K, V>>,
788}
789
790impl<'a, K, V> OccupiedEntry<'a, K, V>
791where
792    K: Ord,
793{
794    /// Gets a reference to the key in the entry.
795    pub fn key(&self) -> &K {
796        self.occupied.key()
797    }
798
799    /// Gets a reference to the value in the entry.
800    pub fn get(&self) -> &V {
801        let index = self.occupied.get().index();
802        &self.slots[index].value
803    }
804
805    /// Gets a mutable reference to the value in the entry.
806    ///
807    /// If you need a reference to the `OccupiedEntry` that may outlive the
808    /// destruction of the `Entry` value, see [`into_mut`].
809    ///
810    /// [`into_mut`]: OccupiedEntry::into_mut
811    pub fn get_mut(&mut self) -> &mut V {
812        let index = self.occupied.get().index();
813        &mut self.slots[index].value
814    }
815
816    /// Converts the entry into a mutable reference to its value.
817    ///
818    /// If you need multiple references to the `OccupiedEntry`, see [`get_mut`].
819    ///
820    /// [`get_mut`]: OccupiedEntry::get_mut
821    pub fn into_mut(self) -> &'a mut V {
822        let index = self.occupied.get().index();
823        &mut self.slots[index].value
824    }
825
826    /// Sets the value of the entry with the `OccupiedEntry`’s key,
827    /// and returns the entry’s old value.
828    pub fn insert(&mut self, value: V) -> V
829    where
830        K: Clone,
831    {
832        let index = self.occupied.get().index();
833        let key = self.key().clone();
834        let new_slot = Slot::new(key, value);
835        let old_slot = replace(&mut self.slots[index], new_slot);
836        old_slot.value
837    }
838}
839
840impl<'a, K, V> fmt::Debug for OccupiedEntry<'a, K, V>
841where
842    K: fmt::Debug + Ord,
843    V: fmt::Debug,
844{
845    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
846        f.debug_struct("OccupiedEntry")
847            .field("key", self.key())
848            .field("value", self.get())
849            .finish()
850    }
851}