indexmap/set/
slice.rs

1use super::{Bucket, IndexSet, IntoIter, Iter};
2use crate::util::{slice_eq, try_simplify_range};
3
4use alloc::boxed::Box;
5use alloc::vec::Vec;
6use core::cmp::Ordering;
7use core::fmt;
8use core::hash::{Hash, Hasher};
9use core::ops::{self, Bound, Index, RangeBounds};
10
11/// A dynamically-sized slice of values in an [`IndexSet`].
12///
13/// This supports indexed operations much like a `[T]` slice,
14/// but not any hashed operations on the values.
15///
16/// Unlike `IndexSet`, `Slice` does consider the order for [`PartialEq`]
17/// and [`Eq`], and it also implements [`PartialOrd`], [`Ord`], and [`Hash`].
18#[repr(transparent)]
19pub struct Slice<T> {
20    pub(crate) entries: [Bucket<T>],
21}
22
23// SAFETY: `Slice<T>` is a transparent wrapper around `[Bucket<T>]`,
24// and reference lifetimes are bound together in function signatures.
25#[allow(unsafe_code)]
26impl<T> Slice<T> {
27    pub(super) const fn from_slice(entries: &[Bucket<T>]) -> &Self {
28        unsafe { &*(entries as *const [Bucket<T>] as *const Self) }
29    }
30
31    pub(super) fn from_boxed(entries: Box<[Bucket<T>]>) -> Box<Self> {
32        unsafe { Box::from_raw(Box::into_raw(entries) as *mut Self) }
33    }
34
35    fn into_boxed(self: Box<Self>) -> Box<[Bucket<T>]> {
36        unsafe { Box::from_raw(Box::into_raw(self) as *mut [Bucket<T>]) }
37    }
38}
39
40impl<T> Slice<T> {
41    pub(crate) fn into_entries(self: Box<Self>) -> Vec<Bucket<T>> {
42        self.into_boxed().into_vec()
43    }
44
45    /// Returns an empty slice.
46    pub const fn new<'a>() -> &'a Self {
47        Self::from_slice(&[])
48    }
49
50    /// Return the number of elements in the set slice.
51    pub const fn len(&self) -> usize {
52        self.entries.len()
53    }
54
55    /// Returns true if the set slice contains no elements.
56    pub const fn is_empty(&self) -> bool {
57        self.entries.is_empty()
58    }
59
60    /// Get a value by index.
61    ///
62    /// Valid indices are `0 <= index < self.len()`.
63    pub fn get_index(&self, index: usize) -> Option<&T> {
64        self.entries.get(index).map(Bucket::key_ref)
65    }
66
67    /// Returns a slice of values in the given range of indices.
68    ///
69    /// Valid indices are `0 <= index < self.len()`.
70    pub fn get_range<R: RangeBounds<usize>>(&self, range: R) -> Option<&Self> {
71        let range = try_simplify_range(range, self.entries.len())?;
72        self.entries.get(range).map(Self::from_slice)
73    }
74
75    /// Get the first value.
76    pub fn first(&self) -> Option<&T> {
77        self.entries.first().map(Bucket::key_ref)
78    }
79
80    /// Get the last value.
81    pub fn last(&self) -> Option<&T> {
82        self.entries.last().map(Bucket::key_ref)
83    }
84
85    /// Divides one slice into two at an index.
86    ///
87    /// ***Panics*** if `index > len`.
88    #[track_caller]
89    pub fn split_at(&self, index: usize) -> (&Self, &Self) {
90        let (first, second) = self.entries.split_at(index);
91        (Self::from_slice(first), Self::from_slice(second))
92    }
93
94    /// Returns the first value and the rest of the slice,
95    /// or `None` if it is empty.
96    pub fn split_first(&self) -> Option<(&T, &Self)> {
97        if let [first, rest @ ..] = &self.entries {
98            Some((&first.key, Self::from_slice(rest)))
99        } else {
100            None
101        }
102    }
103
104    /// Returns the last value and the rest of the slice,
105    /// or `None` if it is empty.
106    pub fn split_last(&self) -> Option<(&T, &Self)> {
107        if let [rest @ .., last] = &self.entries {
108            Some((&last.key, Self::from_slice(rest)))
109        } else {
110            None
111        }
112    }
113
114    /// Return an iterator over the values of the set slice.
115    pub fn iter(&self) -> Iter<'_, T> {
116        Iter::new(&self.entries)
117    }
118
119    /// Search over a sorted set for a value.
120    ///
121    /// Returns the position where that value is present, or the position where it can be inserted
122    /// to maintain the sort. See [`slice::binary_search`] for more details.
123    ///
124    /// Computes in **O(log(n))** time, which is notably less scalable than looking the value up in
125    /// the set this is a slice from using [`IndexSet::get_index_of`], but this can also position
126    /// missing values.
127    pub fn binary_search(&self, x: &T) -> Result<usize, usize>
128    where
129        T: Ord,
130    {
131        self.binary_search_by(|p| p.cmp(x))
132    }
133
134    /// Search over a sorted set with a comparator function.
135    ///
136    /// Returns the position where that value is present, or the position where it can be inserted
137    /// to maintain the sort. See [`slice::binary_search_by`] for more details.
138    ///
139    /// Computes in **O(log(n))** time.
140    #[inline]
141    pub fn binary_search_by<'a, F>(&'a self, mut f: F) -> Result<usize, usize>
142    where
143        F: FnMut(&'a T) -> Ordering,
144    {
145        self.entries.binary_search_by(move |a| f(&a.key))
146    }
147
148    /// Search over a sorted set with an extraction function.
149    ///
150    /// Returns the position where that value is present, or the position where it can be inserted
151    /// to maintain the sort. See [`slice::binary_search_by_key`] for more details.
152    ///
153    /// Computes in **O(log(n))** time.
154    #[inline]
155    pub fn binary_search_by_key<'a, B, F>(&'a self, b: &B, mut f: F) -> Result<usize, usize>
156    where
157        F: FnMut(&'a T) -> B,
158        B: Ord,
159    {
160        self.binary_search_by(|k| f(k).cmp(b))
161    }
162
163    /// Checks if the values of this slice are sorted.
164    #[inline]
165    pub fn is_sorted(&self) -> bool
166    where
167        T: PartialOrd,
168    {
169        // TODO(MSRV 1.82): self.entries.is_sorted_by(|a, b| a.key <= b.key)
170        self.is_sorted_by(T::le)
171    }
172
173    /// Checks if this slice is sorted using the given comparator function.
174    #[inline]
175    pub fn is_sorted_by<'a, F>(&'a self, mut cmp: F) -> bool
176    where
177        F: FnMut(&'a T, &'a T) -> bool,
178    {
179        // TODO(MSRV 1.82): self.entries.is_sorted_by(move |a, b| cmp(&a.key, &b.key))
180        let mut iter = self.entries.iter();
181        match iter.next() {
182            Some(mut prev) => iter.all(move |next| {
183                let sorted = cmp(&prev.key, &next.key);
184                prev = next;
185                sorted
186            }),
187            None => true,
188        }
189    }
190
191    /// Checks if this slice is sorted using the given sort-key function.
192    #[inline]
193    pub fn is_sorted_by_key<'a, F, K>(&'a self, mut sort_key: F) -> bool
194    where
195        F: FnMut(&'a T) -> K,
196        K: PartialOrd,
197    {
198        // TODO(MSRV 1.82): self.entries.is_sorted_by_key(move |a| sort_key(&a.key))
199        let mut iter = self.entries.iter().map(move |a| sort_key(&a.key));
200        match iter.next() {
201            Some(mut prev) => iter.all(move |next| {
202                let sorted = prev <= next;
203                prev = next;
204                sorted
205            }),
206            None => true,
207        }
208    }
209
210    /// Returns the index of the partition point of a sorted set according to the given predicate
211    /// (the index of the first element of the second partition).
212    ///
213    /// See [`slice::partition_point`] for more details.
214    ///
215    /// Computes in **O(log(n))** time.
216    #[must_use]
217    pub fn partition_point<P>(&self, mut pred: P) -> usize
218    where
219        P: FnMut(&T) -> bool,
220    {
221        self.entries.partition_point(move |a| pred(&a.key))
222    }
223}
224
225impl<'a, T> IntoIterator for &'a Slice<T> {
226    type IntoIter = Iter<'a, T>;
227    type Item = &'a T;
228
229    fn into_iter(self) -> Self::IntoIter {
230        self.iter()
231    }
232}
233
234impl<T> IntoIterator for Box<Slice<T>> {
235    type IntoIter = IntoIter<T>;
236    type Item = T;
237
238    fn into_iter(self) -> Self::IntoIter {
239        IntoIter::new(self.into_entries())
240    }
241}
242
243impl<T> Default for &'_ Slice<T> {
244    fn default() -> Self {
245        Slice::from_slice(&[])
246    }
247}
248
249impl<T> Default for Box<Slice<T>> {
250    fn default() -> Self {
251        Slice::from_boxed(Box::default())
252    }
253}
254
255impl<T: Clone> Clone for Box<Slice<T>> {
256    fn clone(&self) -> Self {
257        Slice::from_boxed(self.entries.to_vec().into_boxed_slice())
258    }
259}
260
261impl<T: Copy> From<&Slice<T>> for Box<Slice<T>> {
262    fn from(slice: &Slice<T>) -> Self {
263        Slice::from_boxed(Box::from(&slice.entries))
264    }
265}
266
267impl<T: fmt::Debug> fmt::Debug for Slice<T> {
268    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
269        f.debug_list().entries(self).finish()
270    }
271}
272
273impl<T, U> PartialEq<Slice<U>> for Slice<T>
274where
275    T: PartialEq<U>,
276{
277    fn eq(&self, other: &Slice<U>) -> bool {
278        slice_eq(&self.entries, &other.entries, |b1, b2| b1.key == b2.key)
279    }
280}
281
282impl<T, U> PartialEq<[U]> for Slice<T>
283where
284    T: PartialEq<U>,
285{
286    fn eq(&self, other: &[U]) -> bool {
287        slice_eq(&self.entries, other, |b, o| b.key == *o)
288    }
289}
290
291impl<T, U> PartialEq<Slice<U>> for [T]
292where
293    T: PartialEq<U>,
294{
295    fn eq(&self, other: &Slice<U>) -> bool {
296        slice_eq(self, &other.entries, |o, b| *o == b.key)
297    }
298}
299
300impl<T, U, const N: usize> PartialEq<[U; N]> for Slice<T>
301where
302    T: PartialEq<U>,
303{
304    fn eq(&self, other: &[U; N]) -> bool {
305        <Self as PartialEq<[U]>>::eq(self, other)
306    }
307}
308
309impl<T, const N: usize, U> PartialEq<Slice<U>> for [T; N]
310where
311    T: PartialEq<U>,
312{
313    fn eq(&self, other: &Slice<U>) -> bool {
314        <[T] as PartialEq<Slice<U>>>::eq(self, other)
315    }
316}
317
318impl<T: Eq> Eq for Slice<T> {}
319
320impl<T: PartialOrd> PartialOrd for Slice<T> {
321    fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
322        self.iter().partial_cmp(other)
323    }
324}
325
326impl<T: Ord> Ord for Slice<T> {
327    fn cmp(&self, other: &Self) -> Ordering {
328        self.iter().cmp(other)
329    }
330}
331
332impl<T: Hash> Hash for Slice<T> {
333    fn hash<H: Hasher>(&self, state: &mut H) {
334        self.len().hash(state);
335        for value in self {
336            value.hash(state);
337        }
338    }
339}
340
341impl<T> Index<usize> for Slice<T> {
342    type Output = T;
343
344    fn index(&self, index: usize) -> &Self::Output {
345        &self.entries[index].key
346    }
347}
348
349// We can't have `impl<I: RangeBounds<usize>> Index<I>` because that conflicts with `Index<usize>`.
350// Instead, we repeat the implementations for all the core range types.
351macro_rules! impl_index {
352    ($($range:ty),*) => {$(
353        impl<T, S> Index<$range> for IndexSet<T, S> {
354            type Output = Slice<T>;
355
356            fn index(&self, range: $range) -> &Self::Output {
357                Slice::from_slice(&self.as_entries()[range])
358            }
359        }
360
361        impl<T> Index<$range> for Slice<T> {
362            type Output = Self;
363
364            fn index(&self, range: $range) -> &Self::Output {
365                Slice::from_slice(&self.entries[range])
366            }
367        }
368    )*}
369}
370impl_index!(
371    ops::Range<usize>,
372    ops::RangeFrom<usize>,
373    ops::RangeFull,
374    ops::RangeInclusive<usize>,
375    ops::RangeTo<usize>,
376    ops::RangeToInclusive<usize>,
377    (Bound<usize>, Bound<usize>)
378);
379
380#[cfg(test)]
381mod tests {
382    use super::*;
383
384    #[test]
385    fn slice_index() {
386        fn check(vec_slice: &[i32], set_slice: &Slice<i32>, sub_slice: &Slice<i32>) {
387            assert_eq!(set_slice as *const _, sub_slice as *const _);
388            itertools::assert_equal(vec_slice, set_slice);
389        }
390
391        let vec: Vec<i32> = (0..10).map(|i| i * i).collect();
392        let set: IndexSet<i32> = vec.iter().cloned().collect();
393        let slice = set.as_slice();
394
395        // RangeFull
396        check(&vec[..], &set[..], &slice[..]);
397
398        for i in 0usize..10 {
399            // Index
400            assert_eq!(vec[i], set[i]);
401            assert_eq!(vec[i], slice[i]);
402
403            // RangeFrom
404            check(&vec[i..], &set[i..], &slice[i..]);
405
406            // RangeTo
407            check(&vec[..i], &set[..i], &slice[..i]);
408
409            // RangeToInclusive
410            check(&vec[..=i], &set[..=i], &slice[..=i]);
411
412            // (Bound<usize>, Bound<usize>)
413            let bounds = (Bound::Excluded(i), Bound::Unbounded);
414            check(&vec[i + 1..], &set[bounds], &slice[bounds]);
415
416            for j in i..=10 {
417                // Range
418                check(&vec[i..j], &set[i..j], &slice[i..j]);
419            }
420
421            for j in i..10 {
422                // RangeInclusive
423                check(&vec[i..=j], &set[i..=j], &slice[i..=j]);
424            }
425        }
426    }
427}