1#![allow(unsafe_op_in_unsafe_fn)]
2use std::mem::MaybeUninit;
34use num_traits::Zero;
56pub trait IntoRawParts<T> {
7fn into_raw_parts(self) -> (*mut T, usize, usize);
89// doesn't take ownership
10fn raw_parts(&self) -> (*mut T, usize, usize);
11}
1213impl<T> IntoRawParts<T> for Vec<T> {
14fn into_raw_parts(self) -> (*mut T, usize, usize) {
15let mut me = std::mem::ManuallyDrop::new(self);
16 (me.as_mut_ptr(), me.len(), me.capacity())
17 }
1819fn raw_parts(&self) -> (*mut T, usize, usize) {
20 (self.as_ptr() as *mut T, self.len(), self.capacity())
21 }
22}
2324/// Fill current allocation if > 0
25/// otherwise realloc
26pub trait ResizeFaster<T: Copy> {
27fn fill_or_alloc(&mut self, new_len: usize, value: T);
28}
2930impl<T: Copy + Zero + PartialEq> ResizeFaster<T> for Vec<T> {
31fn fill_or_alloc(&mut self, new_len: usize, value: T) {
32if self.capacity() == 0 {
33// it is faster to allocate zeroed
34 // so if the capacity is 0, we alloc (value might be 0)
35*self = vec![value; new_len]
36 } else {
37// first clear then reserve so that the reserve doesn't have
38 // to memcpy in case it needs to realloc.
39self.clear();
40self.reserve(new_len);
4142// // init the uninit values
43let spare = &mut self.spare_capacity_mut()[..new_len];
44let init_value = MaybeUninit::new(value);
45 spare.fill(init_value);
46unsafe { self.set_len(new_len) }
47 }
48 }
49}
50pub trait PushUnchecked<T> {
51/// Will push an item and not check if there is enough capacity
52 ///
53 /// # Safety
54 /// Caller must ensure the array has enough capacity to hold `T`.
55unsafe fn push_unchecked(&mut self, value: T);
56}
5758impl<T> PushUnchecked<T> for Vec<T> {
59#[inline]
60unsafe fn push_unchecked(&mut self, value: T) {
61debug_assert!(self.capacity() > self.len());
62let end = self.as_mut_ptr().add(self.len());
63 std::ptr::write(end, value);
64self.set_len(self.len() + 1);
65 }
66}
6768pub trait CapacityByFactor {
69fn with_capacity_by_factor(original_len: usize, factor: f64) -> Self;
70}
7172impl<T> CapacityByFactor for Vec<T> {
73fn with_capacity_by_factor(original_len: usize, factor: f64) -> Self {
74let cap = (original_len as f64 * factor) as usize;
75 Vec::with_capacity(cap)
76 }
77}
7879// Trait to convert a Vec.
80// The reason for this is to reduce code-generation. Conversion functions that are named
81// functions should only generate the conversion loop once.
82pub trait ConvertVec<Out> {
83type ItemIn;
8485fn convert_owned<F: FnMut(Self::ItemIn) -> Out>(self, f: F) -> Vec<Out>;
8687fn convert<F: FnMut(&Self::ItemIn) -> Out>(&self, f: F) -> Vec<Out>;
88}
8990impl<T, Out> ConvertVec<Out> for Vec<T> {
91type ItemIn = T;
9293fn convert_owned<F: FnMut(Self::ItemIn) -> Out>(self, f: F) -> Vec<Out> {
94self.into_iter().map(f).collect()
95 }
9697fn convert<F: FnMut(&Self::ItemIn) -> Out>(&self, f: F) -> Vec<Out> {
98self.iter().map(f).collect()
99 }
100}
101102/// Perform an in-place `Iterator::filter_map` over two vectors at the same time.
103pub fn inplace_zip_filtermap<T, U>(
104 x: &mut Vec<T>,
105 y: &mut Vec<U>,
106mut f: impl FnMut(T, U) -> Option<(T, U)>,
107) {
108assert_eq!(x.len(), y.len());
109110let length = x.len();
111112struct OwnedBuffer<T> {
113 end: *mut T,
114 length: usize,
115 }
116117impl<T> Drop for OwnedBuffer<T> {
118fn drop(&mut self) {
119for i in 0..self.length {
120unsafe { self.end.wrapping_sub(i + 1).read() };
121 }
122 }
123 }
124125let x_ptr = x.as_mut_ptr();
126let y_ptr = y.as_mut_ptr();
127128let mut x_buf = OwnedBuffer {
129 end: x_ptr.wrapping_add(length),
130 length,
131 };
132let mut y_buf = OwnedBuffer {
133 end: y_ptr.wrapping_add(length),
134 length,
135 };
136137// SAFETY: All items are now owned by `x_buf` and `y_buf`. Since we know that `x_buf` and
138 // `y_buf` will be dropped before the vecs representing `x` and `y`, this is safe.
139unsafe {
140 x.set_len(0);
141 y.set_len(0);
142 }
143144// SAFETY:
145 //
146 // We know we have a exclusive reference to x and y.
147 //
148 // We know that `i` is always smaller than `x.len()` and `y.len()`. Furthermore, we also know
149 // that `i - num_deleted > 0`.
150 //
151 // Items are dropped exactly once, even if `f` panics.
152for i in 0..length {
153let xi = unsafe { x_ptr.wrapping_add(i).read() };
154let yi = unsafe { y_ptr.wrapping_add(i).read() };
155156 x_buf.length -= 1;
157 y_buf.length -= 1;
158159// We hold the invariant here that all items that are not yet deleted are either in
160 // - `xi` or `yi`
161 // - `x_buf` or `y_buf`
162 // ` `x` or `y`
163 //
164 // This way if `f` ever panics, we are sure that all items are dropped exactly once.
165 // Deleted items will be dropped when they are deleted.
166let result = f(xi, yi);
167168if let Some((xi, yi)) = result {
169 x.push(xi);
170 y.push(yi);
171 }
172 }
173174debug_assert_eq!(x_buf.length, 0);
175debug_assert_eq!(y_buf.length, 0);
176177// We are safe to forget `x_buf` and `y_buf` here since they will not deallocate anything
178 // anymore.
179std::mem::forget(x_buf);
180 std::mem::forget(y_buf);
181}