-
Notifications
You must be signed in to change notification settings - Fork 1
/
lib.rs
85 lines (67 loc) · 2.57 KB
/
lib.rs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
//! Insert many optimization.
//! Like `Vec::insert`, but inserts a series of items at an index rather than a single one.
//! This can lead to significant speedup where multiple items need to be inserted.
#[cfg(feature = "smallvec")]
extern crate smallvec;
use std::iter::ExactSizeIterator;
use std::ptr;
use smallvec::SmallVec;
/// Generalized trait for inserting many items at once.
pub trait InsertMany<T> {
/// Insert all the items in the given iterable at `index`, shifting all elements after it to the right.
///
/// # Panics
/// This may panic if the `ExactSizeIterator` implementation is faulty.
fn insert_many<I>(&mut self, index: usize, iterable: I) where I: IntoIterator<Item=T>, I::IntoIter: ExactSizeIterator;
}
macro_rules! impl_veclike {
($s: ident, $index: ident, $iterable: ident) => {
let len = $s.len();
if $index > len {
panic!("Index out of bounds: the length is {} but the index is {}", len, $index);
}
let index = $index as isize;
let mut iter = $iterable.into_iter();
let num_items = iter.len();
if num_items == 0 { return; }
$s.reserve(num_items);
unsafe {
let start_ptr = $s.as_mut_ptr().offset(index);
ptr::copy(start_ptr, start_ptr.offset(num_items as isize), len - index as usize);
for i in 0..num_items {
let item = iter.next().expect("ExactSizeIterator produced too few items.");
ptr::write(start_ptr.offset(i as isize), item);
}
$s.set_len(len + num_items);
}
}
}
impl<T> InsertMany<T> for Vec<T> {
fn insert_many<I>(&mut self, index: usize, iterable: I) where I: IntoIterator<Item=T>, I::IntoIter: ExactSizeIterator {
impl_veclike!(self, index, iterable);
}
}
#[cfg(feature = "smallvec")]
impl<A: smallvec::Array> InsertMany<A::Item> for SmallVec<A> {
fn insert_many<I>(&mut self, index: usize, iterable: I) where I: IntoIterator<Item=A::Item>, I::IntoIter: ExactSizeIterator {
impl_veclike!(self, index, iterable);
}
}
#[cfg(test)]
mod tests {
use super::InsertMany;
#[test]
fn insert_front_and_end() {
let mut v = vec![4, 5, 6];
v.insert_many(0, vec![1, 2, 3]);
v.insert_many(6, [7, 8, 9].iter().cloned());
assert_eq!(v, vec![1, 2, 3, 4, 5, 6, 7, 8, 9]);
}
#[test]
fn insert_middle() {
let mut v = vec![1, 9];
v.insert_many(1, [2, 3, 4, 5].iter().cloned());
v.insert_many(5, vec![6, 7, 8]);
assert_eq!(v, vec![1, 2, 3, 4, 5, 6, 7, 8, 9]);
}
}