]> git.lizzy.rs Git - rust.git/blob - library/alloc/src/vec/mod.rs
Update `Vec` docs
[rust.git] / library / alloc / src / vec / mod.rs
1 //! A contiguous growable array type with heap-allocated contents, written
2 //! `Vec<T>`.
3 //!
4 //! Vectors have `O(1)` indexing, amortized `O(1)` push (to the end) and
5 //! `O(1)` pop (from the end).
6 //!
7 //! Vectors ensure they never allocate more than `isize::MAX` bytes.
8 //!
9 //! # Examples
10 //!
11 //! You can explicitly create a [`Vec`] with [`Vec::new`]:
12 //!
13 //! ```
14 //! let v: Vec<i32> = Vec::new();
15 //! ```
16 //!
17 //! ...or by using the [`vec!`] macro:
18 //!
19 //! ```
20 //! let v: Vec<i32> = vec![];
21 //!
22 //! let v = vec![1, 2, 3, 4, 5];
23 //!
24 //! let v = vec![0; 10]; // ten zeroes
25 //! ```
26 //!
27 //! You can [`push`] values onto the end of a vector (which will grow the vector
28 //! as needed):
29 //!
30 //! ```
31 //! let mut v = vec![1, 2];
32 //!
33 //! v.push(3);
34 //! ```
35 //!
36 //! Popping values works in much the same way:
37 //!
38 //! ```
39 //! let mut v = vec![1, 2];
40 //!
41 //! let two = v.pop();
42 //! ```
43 //!
44 //! Vectors also support indexing (through the [`Index`] and [`IndexMut`] traits):
45 //!
46 //! ```
47 //! let mut v = vec![1, 2, 3];
48 //! let three = v[2];
49 //! v[1] = v[1] + 5;
50 //! ```
51 //!
52 //! [`push`]: Vec::push
53
54 #![stable(feature = "rust1", since = "1.0.0")]
55
56 use core::cmp::{self, Ordering};
57 use core::convert::TryFrom;
58 use core::fmt;
59 use core::hash::{Hash, Hasher};
60 use core::intrinsics::{arith_offset, assume};
61 use core::iter::FromIterator;
62 use core::marker::PhantomData;
63 use core::mem::{self, ManuallyDrop, MaybeUninit};
64 use core::ops::{self, Index, IndexMut, Range, RangeBounds};
65 use core::ptr::{self, NonNull};
66 use core::slice::{self, SliceIndex};
67
68 use crate::alloc::{Allocator, Global};
69 use crate::borrow::{Cow, ToOwned};
70 use crate::boxed::Box;
71 use crate::collections::TryReserveError;
72 use crate::raw_vec::RawVec;
73
74 #[unstable(feature = "drain_filter", reason = "recently added", issue = "43244")]
75 pub use self::drain_filter::DrainFilter;
76
77 mod drain_filter;
78
79 #[stable(feature = "vec_splice", since = "1.21.0")]
80 pub use self::splice::Splice;
81
82 mod splice;
83
84 #[stable(feature = "drain", since = "1.6.0")]
85 pub use self::drain::Drain;
86
87 mod drain;
88
89 mod cow;
90
91 pub(crate) use self::into_iter::AsIntoIter;
92 #[stable(feature = "rust1", since = "1.0.0")]
93 pub use self::into_iter::IntoIter;
94
95 mod into_iter;
96
97 use self::is_zero::IsZero;
98
99 mod is_zero;
100
101 mod source_iter_marker;
102
103 mod partial_eq;
104
105 use self::spec_from_elem::SpecFromElem;
106
107 mod spec_from_elem;
108
109 use self::set_len_on_drop::SetLenOnDrop;
110
111 mod set_len_on_drop;
112
113 use self::in_place_drop::InPlaceDrop;
114
115 mod in_place_drop;
116
117 use self::spec_from_iter_nested::SpecFromIterNested;
118
119 mod spec_from_iter_nested;
120
121 use self::spec_from_iter::SpecFromIter;
122
123 mod spec_from_iter;
124
125 use self::spec_extend::SpecExtend;
126
127 mod spec_extend;
128
129 /// A contiguous growable array type, written as `Vec<T>` and pronounced 'vector'.
130 ///
131 /// # Examples
132 ///
133 /// ```
134 /// let mut vec = Vec::new();
135 /// vec.push(1);
136 /// vec.push(2);
137 ///
138 /// assert_eq!(vec.len(), 2);
139 /// assert_eq!(vec[0], 1);
140 ///
141 /// assert_eq!(vec.pop(), Some(2));
142 /// assert_eq!(vec.len(), 1);
143 ///
144 /// vec[0] = 7;
145 /// assert_eq!(vec[0], 7);
146 ///
147 /// vec.extend([1, 2, 3].iter().copied());
148 ///
149 /// for x in &vec {
150 ///     println!("{}", x);
151 /// }
152 /// assert_eq!(vec, [7, 1, 2, 3]);
153 /// ```
154 ///
155 /// The [`vec!`] macro is provided to make initialization more convenient:
156 ///
157 /// ```
158 /// let mut vec = vec![1, 2, 3];
159 /// vec.push(4);
160 /// assert_eq!(vec, [1, 2, 3, 4]);
161 /// ```
162 ///
163 /// It can also initialize each element of a `Vec<T>` with a given value.
164 /// This may be more efficient than performing allocation and initialization
165 /// in separate steps, especially when initializing a vector of zeros:
166 ///
167 /// ```
168 /// let vec = vec![0; 5];
169 /// assert_eq!(vec, [0, 0, 0, 0, 0]);
170 ///
171 /// // The following is equivalent, but potentially slower:
172 /// let mut vec = Vec::with_capacity(5);
173 /// vec.resize(5, 0);
174 /// assert_eq!(vec, [0, 0, 0, 0, 0]);
175 /// ```
176 ///
177 /// For more information, see
178 /// [Capacity and Reallocation](#capacity-and-reallocation).
179 ///
180 /// Use a `Vec<T>` as an efficient stack:
181 ///
182 /// ```
183 /// let mut stack = Vec::new();
184 ///
185 /// stack.push(1);
186 /// stack.push(2);
187 /// stack.push(3);
188 ///
189 /// while let Some(top) = stack.pop() {
190 ///     // Prints 3, 2, 1
191 ///     println!("{}", top);
192 /// }
193 /// ```
194 ///
195 /// # Indexing
196 ///
197 /// The `Vec` type allows to access values by index, because it implements the
198 /// [`Index`] trait. An example will be more explicit:
199 ///
200 /// ```
201 /// let v = vec![0, 2, 4, 6];
202 /// println!("{}", v[1]); // it will display '2'
203 /// ```
204 ///
205 /// However be careful: if you try to access an index which isn't in the `Vec`,
206 /// your software will panic! You cannot do this:
207 ///
208 /// ```should_panic
209 /// let v = vec![0, 2, 4, 6];
210 /// println!("{}", v[6]); // it will panic!
211 /// ```
212 ///
213 /// Use [`get`] and [`get_mut`] if you want to check whether the index is in
214 /// the `Vec`.
215 ///
216 /// # Slicing
217 ///
218 /// A `Vec` can be mutable. On the other hand, slices are read-only objects.
219 /// To get a [slice][prim@slice], use [`&`]. Example:
220 ///
221 /// ```
222 /// fn read_slice(slice: &[usize]) {
223 ///     // ...
224 /// }
225 ///
226 /// let v = vec![0, 1];
227 /// read_slice(&v);
228 ///
229 /// // ... and that's all!
230 /// // you can also do it like this:
231 /// let u: &[usize] = &v;
232 /// // or like this:
233 /// let u: &[_] = &v;
234 /// ```
235 ///
236 /// In Rust, it's more common to pass slices as arguments rather than vectors
237 /// when you just want to provide read access. The same goes for [`String`] and
238 /// [`&str`].
239 ///
240 /// # Capacity and reallocation
241 ///
242 /// The capacity of a vector is the amount of space allocated for any future
243 /// elements that will be added onto the vector. This is not to be confused with
244 /// the *length* of a vector, which specifies the number of actual elements
245 /// within the vector. If a vector's length exceeds its capacity, its capacity
246 /// will automatically be increased, but its elements will have to be
247 /// reallocated.
248 ///
249 /// For example, a vector with capacity 10 and length 0 would be an empty vector
250 /// with space for 10 more elements. Pushing 10 or fewer elements onto the
251 /// vector will not change its capacity or cause reallocation to occur. However,
252 /// if the vector's length is increased to 11, it will have to reallocate, which
253 /// can be slow. For this reason, it is recommended to use [`Vec::with_capacity`]
254 /// whenever possible to specify how big the vector is expected to get.
255 ///
256 /// # Guarantees
257 ///
258 /// Due to its incredibly fundamental nature, `Vec` makes a lot of guarantees
259 /// about its design. This ensures that it's as low-overhead as possible in
260 /// the general case, and can be correctly manipulated in primitive ways
261 /// by unsafe code. Note that these guarantees refer to an unqualified `Vec<T>`.
262 /// If additional type parameters are added (e.g., to support custom allocators),
263 /// overriding their defaults may change the behavior.
264 ///
265 /// Most fundamentally, `Vec` is and always will be a (pointer, capacity, length)
266 /// triplet. No more, no less. The order of these fields is completely
267 /// unspecified, and you should use the appropriate methods to modify these.
268 /// The pointer will never be null, so this type is null-pointer-optimized.
269 ///
270 /// However, the pointer may not actually point to allocated memory. In particular,
271 /// if you construct a `Vec` with capacity 0 via [`Vec::new`], [`vec![]`][`vec!`],
272 /// [`Vec::with_capacity(0)`][`Vec::with_capacity`], or by calling [`shrink_to_fit`]
273 /// on an empty Vec, it will not allocate memory. Similarly, if you store zero-sized
274 /// types inside a `Vec`, it will not allocate space for them. *Note that in this case
275 /// the `Vec` may not report a [`capacity`] of 0*. `Vec` will allocate if and only
276 /// if [`mem::size_of::<T>`]`() * capacity() > 0`. In general, `Vec`'s allocation
277 /// details are very subtle &mdash; if you intend to allocate memory using a `Vec`
278 /// and use it for something else (either to pass to unsafe code, or to build your
279 /// own memory-backed collection), be sure to deallocate this memory by using
280 /// `from_raw_parts` to recover the `Vec` and then dropping it.
281 ///
282 /// If a `Vec` *has* allocated memory, then the memory it points to is on the heap
283 /// (as defined by the allocator Rust is configured to use by default), and its
284 /// pointer points to [`len`] initialized, contiguous elements in order (what
285 /// you would see if you coerced it to a slice), followed by [`capacity`]` -
286 /// `[`len`] logically uninitialized, contiguous elements.
287 ///
288 /// A vector containing the elements `'a'` and `'b'` with capacity 4 can be
289 /// visualized as below. The top part is the `Vec` struct, it contains a
290 /// pointer to the head of the allocation in the heap, length and capacity.
291 /// The bottom part is the allocation on the heap, a contiguous memory block.
292 ///
293 /// ```text
294 ///             ptr      len  capacity
295 ///        +--------+--------+--------+
296 ///        | 0x0123 |      2 |      4 |
297 ///        +--------+--------+--------+
298 ///             |
299 ///             v
300 /// Heap   +--------+--------+--------+--------+
301 ///        |    'a' |    'b' | uninit | uninit |
302 ///        +--------+--------+--------+--------+
303 /// ```
304 ///
305 /// - **uninit** represents memory that is not initialized, see [`MaybeUninit`].
306 /// - Note: the ABI is not stable and `Vec` makes no guarantees about its memory
307 ///   layout (including the order of fields).
308 ///
309 /// `Vec` will never perform a "small optimization" where elements are actually
310 /// stored on the stack for two reasons:
311 ///
312 /// * It would make it more difficult for unsafe code to correctly manipulate
313 ///   a `Vec`. The contents of a `Vec` wouldn't have a stable address if it were
314 ///   only moved, and it would be more difficult to determine if a `Vec` had
315 ///   actually allocated memory.
316 ///
317 /// * It would penalize the general case, incurring an additional branch
318 ///   on every access.
319 ///
320 /// `Vec` will never automatically shrink itself, even if completely empty. This
321 /// ensures no unnecessary allocations or deallocations occur. Emptying a `Vec`
322 /// and then filling it back up to the same [`len`] should incur no calls to
323 /// the allocator. If you wish to free up unused memory, use
324 /// [`shrink_to_fit`] or [`shrink_to`].
325 ///
326 /// [`push`] and [`insert`] will never (re)allocate if the reported capacity is
327 /// sufficient. [`push`] and [`insert`] *will* (re)allocate if
328 /// [`len`]` == `[`capacity`]. That is, the reported capacity is completely
329 /// accurate, and can be relied on. It can even be used to manually free the memory
330 /// allocated by a `Vec` if desired. Bulk insertion methods *may* reallocate, even
331 /// when not necessary.
332 ///
333 /// `Vec` does not guarantee any particular growth strategy when reallocating
334 /// when full, nor when [`reserve`] is called. The current strategy is basic
335 /// and it may prove desirable to use a non-constant growth factor. Whatever
336 /// strategy is used will of course guarantee *O*(1) amortized [`push`].
337 ///
338 /// `vec![x; n]`, `vec![a, b, c, d]`, and
339 /// [`Vec::with_capacity(n)`][`Vec::with_capacity`], will all produce a `Vec`
340 /// with exactly the requested capacity. If [`len`]` == `[`capacity`],
341 /// (as is the case for the [`vec!`] macro), then a `Vec<T>` can be converted to
342 /// and from a [`Box<[T]>`][owned slice] without reallocating or moving the elements.
343 ///
344 /// `Vec` will not specifically overwrite any data that is removed from it,
345 /// but also won't specifically preserve it. Its uninitialized memory is
346 /// scratch space that it may use however it wants. It will generally just do
347 /// whatever is most efficient or otherwise easy to implement. Do not rely on
348 /// removed data to be erased for security purposes. Even if you drop a `Vec`, its
349 /// buffer may simply be reused by another `Vec`. Even if you zero a `Vec`'s memory
350 /// first, that may not actually happen because the optimizer does not consider
351 /// this a side-effect that must be preserved. There is one case which we will
352 /// not break, however: using `unsafe` code to write to the excess capacity,
353 /// and then increasing the length to match, is always valid.
354 ///
355 /// Currently, `Vec` does not guarantee the order in which elements are dropped.
356 /// The order has changed in the past and may change again.
357 ///
358 /// [`get`]: ../../std/vec/struct.Vec.html#method.get
359 /// [`get_mut`]: ../../std/vec/struct.Vec.html#method.get_mut
360 /// [`String`]: crate::string::String
361 /// [`&str`]: type@str
362 /// [`shrink_to_fit`]: Vec::shrink_to_fit
363 /// [`shrink_to`]: Vec::shrink_to
364 /// [`capacity`]: Vec::capacity
365 /// [`mem::size_of::<T>`]: core::mem::size_of
366 /// [`len`]: Vec::len
367 /// [`push`]: Vec::push
368 /// [`insert`]: Vec::insert
369 /// [`reserve`]: Vec::reserve
370 /// [`MaybeUninit`]: core::mem::MaybeUninit
371 /// [owned slice]: Box
372 #[stable(feature = "rust1", since = "1.0.0")]
373 #[cfg_attr(not(test), rustc_diagnostic_item = "vec_type")]
374 pub struct Vec<T, #[unstable(feature = "allocator_api", issue = "32838")] A: Allocator = Global> {
375     buf: RawVec<T, A>,
376     len: usize,
377 }
378
379 ////////////////////////////////////////////////////////////////////////////////
380 // Inherent methods
381 ////////////////////////////////////////////////////////////////////////////////
382
383 impl<T> Vec<T> {
384     /// Constructs a new, empty `Vec<T>`.
385     ///
386     /// The vector will not allocate until elements are pushed onto it.
387     ///
388     /// # Examples
389     ///
390     /// ```
391     /// # #![allow(unused_mut)]
392     /// let mut vec: Vec<i32> = Vec::new();
393     /// ```
394     #[inline]
395     #[rustc_const_stable(feature = "const_vec_new", since = "1.39.0")]
396     #[stable(feature = "rust1", since = "1.0.0")]
397     pub const fn new() -> Self {
398         Vec { buf: RawVec::NEW, len: 0 }
399     }
400
401     /// Constructs a new, empty `Vec<T>` with the specified capacity.
402     ///
403     /// The vector will be able to hold exactly `capacity` elements without
404     /// reallocating. If `capacity` is 0, the vector will not allocate.
405     ///
406     /// It is important to note that although the returned vector has the
407     /// *capacity* specified, the vector will have a zero *length*. For an
408     /// explanation of the difference between length and capacity, see
409     /// *[Capacity and reallocation]*.
410     ///
411     /// [Capacity and reallocation]: #capacity-and-reallocation
412     ///
413     /// # Examples
414     ///
415     /// ```
416     /// let mut vec = Vec::with_capacity(10);
417     ///
418     /// // The vector contains no items, even though it has capacity for more
419     /// assert_eq!(vec.len(), 0);
420     /// assert_eq!(vec.capacity(), 10);
421     ///
422     /// // These are all done without reallocating...
423     /// for i in 0..10 {
424     ///     vec.push(i);
425     /// }
426     /// assert_eq!(vec.len(), 10);
427     /// assert_eq!(vec.capacity(), 10);
428     ///
429     /// // ...but this may make the vector reallocate
430     /// vec.push(11);
431     /// assert_eq!(vec.len(), 11);
432     /// assert!(vec.capacity() >= 11);
433     /// ```
434     #[inline]
435     #[doc(alias = "malloc")]
436     #[stable(feature = "rust1", since = "1.0.0")]
437     pub fn with_capacity(capacity: usize) -> Self {
438         Self::with_capacity_in(capacity, Global)
439     }
440
441     /// Creates a `Vec<T>` directly from the raw components of another vector.
442     ///
443     /// # Safety
444     ///
445     /// This is highly unsafe, due to the number of invariants that aren't
446     /// checked:
447     ///
448     /// * `ptr` needs to have been previously allocated via [`String`]/`Vec<T>`
449     ///   (at least, it's highly likely to be incorrect if it wasn't).
450     /// * `T` needs to have the same size and alignment as what `ptr` was allocated with.
451     ///   (`T` having a less strict alignment is not sufficient, the alignment really
452     ///   needs to be equal to satisfy the [`dealloc`] requirement that memory must be
453     ///   allocated and deallocated with the same layout.)
454     /// * `length` needs to be less than or equal to `capacity`.
455     /// * `capacity` needs to be the capacity that the pointer was allocated with.
456     ///
457     /// Violating these may cause problems like corrupting the allocator's
458     /// internal data structures. For example it is **not** safe
459     /// to build a `Vec<u8>` from a pointer to a C `char` array with length `size_t`.
460     /// It's also not safe to build one from a `Vec<u16>` and its length, because
461     /// the allocator cares about the alignment, and these two types have different
462     /// alignments. The buffer was allocated with alignment 2 (for `u16`), but after
463     /// turning it into a `Vec<u8>` it'll be deallocated with alignment 1.
464     ///
465     /// The ownership of `ptr` is effectively transferred to the
466     /// `Vec<T>` which may then deallocate, reallocate or change the
467     /// contents of memory pointed to by the pointer at will. Ensure
468     /// that nothing else uses the pointer after calling this
469     /// function.
470     ///
471     /// [`String`]: crate::string::String
472     /// [`dealloc`]: crate::alloc::GlobalAlloc::dealloc
473     ///
474     /// # Examples
475     ///
476     /// ```
477     /// use std::ptr;
478     /// use std::mem;
479     ///
480     /// let v = vec![1, 2, 3];
481     ///
482     // FIXME Update this when vec_into_raw_parts is stabilized
483     /// // Prevent running `v`'s destructor so we are in complete control
484     /// // of the allocation.
485     /// let mut v = mem::ManuallyDrop::new(v);
486     ///
487     /// // Pull out the various important pieces of information about `v`
488     /// let p = v.as_mut_ptr();
489     /// let len = v.len();
490     /// let cap = v.capacity();
491     ///
492     /// unsafe {
493     ///     // Overwrite memory with 4, 5, 6
494     ///     for i in 0..len as isize {
495     ///         ptr::write(p.offset(i), 4 + i);
496     ///     }
497     ///
498     ///     // Put everything back together into a Vec
499     ///     let rebuilt = Vec::from_raw_parts(p, len, cap);
500     ///     assert_eq!(rebuilt, [4, 5, 6]);
501     /// }
502     /// ```
503     #[inline]
504     #[stable(feature = "rust1", since = "1.0.0")]
505     pub unsafe fn from_raw_parts(ptr: *mut T, length: usize, capacity: usize) -> Self {
506         unsafe { Self::from_raw_parts_in(ptr, length, capacity, Global) }
507     }
508 }
509
510 impl<T, A: Allocator> Vec<T, A> {
511     /// Constructs a new, empty `Vec<T, A>`.
512     ///
513     /// The vector will not allocate until elements are pushed onto it.
514     ///
515     /// # Examples
516     ///
517     /// ```
518     /// #![feature(allocator_api)]
519     ///
520     /// use std::alloc::System;
521     ///
522     /// # #[allow(unused_mut)]
523     /// let mut vec: Vec<i32, _> = Vec::new_in(System);
524     /// ```
525     #[inline]
526     #[unstable(feature = "allocator_api", issue = "32838")]
527     pub const fn new_in(alloc: A) -> Self {
528         Vec { buf: RawVec::new_in(alloc), len: 0 }
529     }
530
531     /// Constructs a new, empty `Vec<T, A>` with the specified capacity with the provided
532     /// allocator.
533     ///
534     /// The vector will be able to hold exactly `capacity` elements without
535     /// reallocating. If `capacity` is 0, the vector will not allocate.
536     ///
537     /// It is important to note that although the returned vector has the
538     /// *capacity* specified, the vector will have a zero *length*. For an
539     /// explanation of the difference between length and capacity, see
540     /// *[Capacity and reallocation]*.
541     ///
542     /// [Capacity and reallocation]: #capacity-and-reallocation
543     ///
544     /// # Examples
545     ///
546     /// ```
547     /// #![feature(allocator_api)]
548     ///
549     /// use std::alloc::System;
550     ///
551     /// let mut vec = Vec::with_capacity_in(10, System);
552     ///
553     /// // The vector contains no items, even though it has capacity for more
554     /// assert_eq!(vec.len(), 0);
555     /// assert_eq!(vec.capacity(), 10);
556     ///
557     /// // These are all done without reallocating...
558     /// for i in 0..10 {
559     ///     vec.push(i);
560     /// }
561     /// assert_eq!(vec.len(), 10);
562     /// assert_eq!(vec.capacity(), 10);
563     ///
564     /// // ...but this may make the vector reallocate
565     /// vec.push(11);
566     /// assert_eq!(vec.len(), 11);
567     /// assert!(vec.capacity() >= 11);
568     /// ```
569     #[inline]
570     #[unstable(feature = "allocator_api", issue = "32838")]
571     pub fn with_capacity_in(capacity: usize, alloc: A) -> Self {
572         Vec { buf: RawVec::with_capacity_in(capacity, alloc), len: 0 }
573     }
574
575     /// Creates a `Vec<T, A>` directly from the raw components of another vector.
576     ///
577     /// # Safety
578     ///
579     /// This is highly unsafe, due to the number of invariants that aren't
580     /// checked:
581     ///
582     /// * `ptr` needs to have been previously allocated via [`String`]/`Vec<T>`
583     ///   (at least, it's highly likely to be incorrect if it wasn't).
584     /// * `T` needs to have the same size and alignment as what `ptr` was allocated with.
585     ///   (`T` having a less strict alignment is not sufficient, the alignment really
586     ///   needs to be equal to satisfy the [`dealloc`] requirement that memory must be
587     ///   allocated and deallocated with the same layout.)
588     /// * `length` needs to be less than or equal to `capacity`.
589     /// * `capacity` needs to be the capacity that the pointer was allocated with.
590     ///
591     /// Violating these may cause problems like corrupting the allocator's
592     /// internal data structures. For example it is **not** safe
593     /// to build a `Vec<u8>` from a pointer to a C `char` array with length `size_t`.
594     /// It's also not safe to build one from a `Vec<u16>` and its length, because
595     /// the allocator cares about the alignment, and these two types have different
596     /// alignments. The buffer was allocated with alignment 2 (for `u16`), but after
597     /// turning it into a `Vec<u8>` it'll be deallocated with alignment 1.
598     ///
599     /// The ownership of `ptr` is effectively transferred to the
600     /// `Vec<T>` which may then deallocate, reallocate or change the
601     /// contents of memory pointed to by the pointer at will. Ensure
602     /// that nothing else uses the pointer after calling this
603     /// function.
604     ///
605     /// [`String`]: crate::string::String
606     /// [`dealloc`]: crate::alloc::GlobalAlloc::dealloc
607     ///
608     /// # Examples
609     ///
610     /// ```
611     /// #![feature(allocator_api)]
612     ///
613     /// use std::alloc::System;
614     ///
615     /// use std::ptr;
616     /// use std::mem;
617     ///
618     /// let mut v = Vec::with_capacity_in(3, System);
619     /// v.push(1);
620     /// v.push(2);
621     /// v.push(3);
622     ///
623     // FIXME Update this when vec_into_raw_parts is stabilized
624     /// // Prevent running `v`'s destructor so we are in complete control
625     /// // of the allocation.
626     /// let mut v = mem::ManuallyDrop::new(v);
627     ///
628     /// // Pull out the various important pieces of information about `v`
629     /// let p = v.as_mut_ptr();
630     /// let len = v.len();
631     /// let cap = v.capacity();
632     /// let alloc = v.allocator();
633     ///
634     /// unsafe {
635     ///     // Overwrite memory with 4, 5, 6
636     ///     for i in 0..len as isize {
637     ///         ptr::write(p.offset(i), 4 + i);
638     ///     }
639     ///
640     ///     // Put everything back together into a Vec
641     ///     let rebuilt = Vec::from_raw_parts_in(p, len, cap, alloc.clone());
642     ///     assert_eq!(rebuilt, [4, 5, 6]);
643     /// }
644     /// ```
645     #[inline]
646     #[unstable(feature = "allocator_api", issue = "32838")]
647     pub unsafe fn from_raw_parts_in(ptr: *mut T, length: usize, capacity: usize, alloc: A) -> Self {
648         unsafe { Vec { buf: RawVec::from_raw_parts_in(ptr, capacity, alloc), len: length } }
649     }
650
651     /// Decomposes a `Vec<T>` into its raw components.
652     ///
653     /// Returns the raw pointer to the underlying data, the length of
654     /// the vector (in elements), and the allocated capacity of the
655     /// data (in elements). These are the same arguments in the same
656     /// order as the arguments to [`from_raw_parts`].
657     ///
658     /// After calling this function, the caller is responsible for the
659     /// memory previously managed by the `Vec`. The only way to do
660     /// this is to convert the raw pointer, length, and capacity back
661     /// into a `Vec` with the [`from_raw_parts`] function, allowing
662     /// the destructor to perform the cleanup.
663     ///
664     /// [`from_raw_parts`]: Vec::from_raw_parts
665     ///
666     /// # Examples
667     ///
668     /// ```
669     /// #![feature(vec_into_raw_parts)]
670     /// let v: Vec<i32> = vec![-1, 0, 1];
671     ///
672     /// let (ptr, len, cap) = v.into_raw_parts();
673     ///
674     /// let rebuilt = unsafe {
675     ///     // We can now make changes to the components, such as
676     ///     // transmuting the raw pointer to a compatible type.
677     ///     let ptr = ptr as *mut u32;
678     ///
679     ///     Vec::from_raw_parts(ptr, len, cap)
680     /// };
681     /// assert_eq!(rebuilt, [4294967295, 0, 1]);
682     /// ```
683     #[unstable(feature = "vec_into_raw_parts", reason = "new API", issue = "65816")]
684     pub fn into_raw_parts(self) -> (*mut T, usize, usize) {
685         let mut me = ManuallyDrop::new(self);
686         (me.as_mut_ptr(), me.len(), me.capacity())
687     }
688
689     /// Decomposes a `Vec<T>` into its raw components.
690     ///
691     /// Returns the raw pointer to the underlying data, the length of the vector (in elements),
692     /// the allocated capacity of the data (in elements), and the allocator. These are the same
693     /// arguments in the same order as the arguments to [`from_raw_parts_in`].
694     ///
695     /// After calling this function, the caller is responsible for the
696     /// memory previously managed by the `Vec`. The only way to do
697     /// this is to convert the raw pointer, length, and capacity back
698     /// into a `Vec` with the [`from_raw_parts_in`] function, allowing
699     /// the destructor to perform the cleanup.
700     ///
701     /// [`from_raw_parts_in`]: Vec::from_raw_parts_in
702     ///
703     /// # Examples
704     ///
705     /// ```
706     /// #![feature(allocator_api, vec_into_raw_parts)]
707     ///
708     /// use std::alloc::System;
709     ///
710     /// let mut v: Vec<i32, System> = Vec::new_in(System);
711     /// v.push(-1);
712     /// v.push(0);
713     /// v.push(1);
714     ///
715     /// let (ptr, len, cap, alloc) = v.into_raw_parts_with_alloc();
716     ///
717     /// let rebuilt = unsafe {
718     ///     // We can now make changes to the components, such as
719     ///     // transmuting the raw pointer to a compatible type.
720     ///     let ptr = ptr as *mut u32;
721     ///
722     ///     Vec::from_raw_parts_in(ptr, len, cap, alloc)
723     /// };
724     /// assert_eq!(rebuilt, [4294967295, 0, 1]);
725     /// ```
726     #[unstable(feature = "allocator_api", issue = "32838")]
727     // #[unstable(feature = "vec_into_raw_parts", reason = "new API", issue = "65816")]
728     pub fn into_raw_parts_with_alloc(self) -> (*mut T, usize, usize, A) {
729         let mut me = ManuallyDrop::new(self);
730         let len = me.len();
731         let capacity = me.capacity();
732         let ptr = me.as_mut_ptr();
733         let alloc = unsafe { ptr::read(me.allocator()) };
734         (ptr, len, capacity, alloc)
735     }
736
737     /// Returns the number of elements the vector can hold without
738     /// reallocating.
739     ///
740     /// # Examples
741     ///
742     /// ```
743     /// let vec: Vec<i32> = Vec::with_capacity(10);
744     /// assert_eq!(vec.capacity(), 10);
745     /// ```
746     #[inline]
747     #[stable(feature = "rust1", since = "1.0.0")]
748     pub fn capacity(&self) -> usize {
749         self.buf.capacity()
750     }
751
752     /// Reserves capacity for at least `additional` more elements to be inserted
753     /// in the given `Vec<T>`. The collection may reserve more space to avoid
754     /// frequent reallocations. After calling `reserve`, capacity will be
755     /// greater than or equal to `self.len() + additional`. Does nothing if
756     /// capacity is already sufficient.
757     ///
758     /// # Panics
759     ///
760     /// Panics if the new capacity exceeds `isize::MAX` bytes.
761     ///
762     /// # Examples
763     ///
764     /// ```
765     /// let mut vec = vec![1];
766     /// vec.reserve(10);
767     /// assert!(vec.capacity() >= 11);
768     /// ```
769     #[doc(alias = "realloc")]
770     #[stable(feature = "rust1", since = "1.0.0")]
771     pub fn reserve(&mut self, additional: usize) {
772         self.buf.reserve(self.len, additional);
773     }
774
775     /// Reserves the minimum capacity for exactly `additional` more elements to
776     /// be inserted in the given `Vec<T>`. After calling `reserve_exact`,
777     /// capacity will be greater than or equal to `self.len() + additional`.
778     /// Does nothing if the capacity is already sufficient.
779     ///
780     /// Note that the allocator may give the collection more space than it
781     /// requests. Therefore, capacity can not be relied upon to be precisely
782     /// minimal. Prefer `reserve` if future insertions are expected.
783     ///
784     /// # Panics
785     ///
786     /// Panics if the new capacity overflows `usize`.
787     ///
788     /// # Examples
789     ///
790     /// ```
791     /// let mut vec = vec![1];
792     /// vec.reserve_exact(10);
793     /// assert!(vec.capacity() >= 11);
794     /// ```
795     #[doc(alias = "realloc")]
796     #[stable(feature = "rust1", since = "1.0.0")]
797     pub fn reserve_exact(&mut self, additional: usize) {
798         self.buf.reserve_exact(self.len, additional);
799     }
800
801     /// Tries to reserve capacity for at least `additional` more elements to be inserted
802     /// in the given `Vec<T>`. The collection may reserve more space to avoid
803     /// frequent reallocations. After calling `try_reserve`, capacity will be
804     /// greater than or equal to `self.len() + additional`. Does nothing if
805     /// capacity is already sufficient.
806     ///
807     /// # Errors
808     ///
809     /// If the capacity overflows, or the allocator reports a failure, then an error
810     /// is returned.
811     ///
812     /// # Examples
813     ///
814     /// ```
815     /// #![feature(try_reserve)]
816     /// use std::collections::TryReserveError;
817     ///
818     /// fn process_data(data: &[u32]) -> Result<Vec<u32>, TryReserveError> {
819     ///     let mut output = Vec::new();
820     ///
821     ///     // Pre-reserve the memory, exiting if we can't
822     ///     output.try_reserve(data.len())?;
823     ///
824     ///     // Now we know this can't OOM in the middle of our complex work
825     ///     output.extend(data.iter().map(|&val| {
826     ///         val * 2 + 5 // very complicated
827     ///     }));
828     ///
829     ///     Ok(output)
830     /// }
831     /// # process_data(&[1, 2, 3]).expect("why is the test harness OOMing on 12 bytes?");
832     /// ```
833     #[doc(alias = "realloc")]
834     #[unstable(feature = "try_reserve", reason = "new API", issue = "48043")]
835     pub fn try_reserve(&mut self, additional: usize) -> Result<(), TryReserveError> {
836         self.buf.try_reserve(self.len, additional)
837     }
838
839     /// Tries to reserve the minimum capacity for exactly `additional`
840     /// elements to be inserted in the given `Vec<T>`. After calling
841     /// `try_reserve_exact`, capacity will be greater than or equal to
842     /// `self.len() + additional` if it returns `Ok(())`.
843     /// Does nothing if the capacity is already sufficient.
844     ///
845     /// Note that the allocator may give the collection more space than it
846     /// requests. Therefore, capacity can not be relied upon to be precisely
847     /// minimal. Prefer `reserve` if future insertions are expected.
848     ///
849     /// # Errors
850     ///
851     /// If the capacity overflows, or the allocator reports a failure, then an error
852     /// is returned.
853     ///
854     /// # Examples
855     ///
856     /// ```
857     /// #![feature(try_reserve)]
858     /// use std::collections::TryReserveError;
859     ///
860     /// fn process_data(data: &[u32]) -> Result<Vec<u32>, TryReserveError> {
861     ///     let mut output = Vec::new();
862     ///
863     ///     // Pre-reserve the memory, exiting if we can't
864     ///     output.try_reserve_exact(data.len())?;
865     ///
866     ///     // Now we know this can't OOM in the middle of our complex work
867     ///     output.extend(data.iter().map(|&val| {
868     ///         val * 2 + 5 // very complicated
869     ///     }));
870     ///
871     ///     Ok(output)
872     /// }
873     /// # process_data(&[1, 2, 3]).expect("why is the test harness OOMing on 12 bytes?");
874     /// ```
875     #[doc(alias = "realloc")]
876     #[unstable(feature = "try_reserve", reason = "new API", issue = "48043")]
877     pub fn try_reserve_exact(&mut self, additional: usize) -> Result<(), TryReserveError> {
878         self.buf.try_reserve_exact(self.len, additional)
879     }
880
881     /// Shrinks the capacity of the vector as much as possible.
882     ///
883     /// It will drop down as close as possible to the length but the allocator
884     /// may still inform the vector that there is space for a few more elements.
885     ///
886     /// # Examples
887     ///
888     /// ```
889     /// let mut vec = Vec::with_capacity(10);
890     /// vec.extend([1, 2, 3].iter().cloned());
891     /// assert_eq!(vec.capacity(), 10);
892     /// vec.shrink_to_fit();
893     /// assert!(vec.capacity() >= 3);
894     /// ```
895     #[doc(alias = "realloc")]
896     #[stable(feature = "rust1", since = "1.0.0")]
897     pub fn shrink_to_fit(&mut self) {
898         // The capacity is never less than the length, and there's nothing to do when
899         // they are equal, so we can avoid the panic case in `RawVec::shrink_to_fit`
900         // by only calling it with a greater capacity.
901         if self.capacity() > self.len {
902             self.buf.shrink_to_fit(self.len);
903         }
904     }
905
906     /// Shrinks the capacity of the vector with a lower bound.
907     ///
908     /// The capacity will remain at least as large as both the length
909     /// and the supplied value.
910     ///
911     /// If the current capacity is less than the lower limit, this is a no-op.
912     ///
913     /// # Examples
914     ///
915     /// ```
916     /// #![feature(shrink_to)]
917     /// let mut vec = Vec::with_capacity(10);
918     /// vec.extend([1, 2, 3].iter().cloned());
919     /// assert_eq!(vec.capacity(), 10);
920     /// vec.shrink_to(4);
921     /// assert!(vec.capacity() >= 4);
922     /// vec.shrink_to(0);
923     /// assert!(vec.capacity() >= 3);
924     /// ```
925     #[doc(alias = "realloc")]
926     #[unstable(feature = "shrink_to", reason = "new API", issue = "56431")]
927     pub fn shrink_to(&mut self, min_capacity: usize) {
928         if self.capacity() > min_capacity {
929             self.buf.shrink_to_fit(cmp::max(self.len, min_capacity));
930         }
931     }
932
933     /// Converts the vector into [`Box<[T]>`][owned slice].
934     ///
935     /// Note that this will drop any excess capacity.
936     ///
937     /// [owned slice]: Box
938     ///
939     /// # Examples
940     ///
941     /// ```
942     /// let v = vec![1, 2, 3];
943     ///
944     /// let slice = v.into_boxed_slice();
945     /// ```
946     ///
947     /// Any excess capacity is removed:
948     ///
949     /// ```
950     /// let mut vec = Vec::with_capacity(10);
951     /// vec.extend([1, 2, 3].iter().cloned());
952     ///
953     /// assert_eq!(vec.capacity(), 10);
954     /// let slice = vec.into_boxed_slice();
955     /// assert_eq!(slice.into_vec().capacity(), 3);
956     /// ```
957     #[stable(feature = "rust1", since = "1.0.0")]
958     pub fn into_boxed_slice(mut self) -> Box<[T], A> {
959         unsafe {
960             self.shrink_to_fit();
961             let me = ManuallyDrop::new(self);
962             let buf = ptr::read(&me.buf);
963             let len = me.len();
964             buf.into_box(len).assume_init()
965         }
966     }
967
968     /// Shortens the vector, keeping the first `len` elements and dropping
969     /// the rest.
970     ///
971     /// If `len` is greater than the vector's current length, this has no
972     /// effect.
973     ///
974     /// The [`drain`] method can emulate `truncate`, but causes the excess
975     /// elements to be returned instead of dropped.
976     ///
977     /// Note that this method has no effect on the allocated capacity
978     /// of the vector.
979     ///
980     /// # Examples
981     ///
982     /// Truncating a five element vector to two elements:
983     ///
984     /// ```
985     /// let mut vec = vec![1, 2, 3, 4, 5];
986     /// vec.truncate(2);
987     /// assert_eq!(vec, [1, 2]);
988     /// ```
989     ///
990     /// No truncation occurs when `len` is greater than the vector's current
991     /// length:
992     ///
993     /// ```
994     /// let mut vec = vec![1, 2, 3];
995     /// vec.truncate(8);
996     /// assert_eq!(vec, [1, 2, 3]);
997     /// ```
998     ///
999     /// Truncating when `len == 0` is equivalent to calling the [`clear`]
1000     /// method.
1001     ///
1002     /// ```
1003     /// let mut vec = vec![1, 2, 3];
1004     /// vec.truncate(0);
1005     /// assert_eq!(vec, []);
1006     /// ```
1007     ///
1008     /// [`clear`]: Vec::clear
1009     /// [`drain`]: Vec::drain
1010     #[stable(feature = "rust1", since = "1.0.0")]
1011     pub fn truncate(&mut self, len: usize) {
1012         // This is safe because:
1013         //
1014         // * the slice passed to `drop_in_place` is valid; the `len > self.len`
1015         //   case avoids creating an invalid slice, and
1016         // * the `len` of the vector is shrunk before calling `drop_in_place`,
1017         //   such that no value will be dropped twice in case `drop_in_place`
1018         //   were to panic once (if it panics twice, the program aborts).
1019         unsafe {
1020             // Note: It's intentional that this is `>` and not `>=`.
1021             //       Changing it to `>=` has negative performance
1022             //       implications in some cases. See #78884 for more.
1023             if len > self.len {
1024                 return;
1025             }
1026             let remaining_len = self.len - len;
1027             let s = ptr::slice_from_raw_parts_mut(self.as_mut_ptr().add(len), remaining_len);
1028             self.len = len;
1029             ptr::drop_in_place(s);
1030         }
1031     }
1032
1033     /// Extracts a slice containing the entire vector.
1034     ///
1035     /// Equivalent to `&s[..]`.
1036     ///
1037     /// # Examples
1038     ///
1039     /// ```
1040     /// use std::io::{self, Write};
1041     /// let buffer = vec![1, 2, 3, 5, 8];
1042     /// io::sink().write(buffer.as_slice()).unwrap();
1043     /// ```
1044     #[inline]
1045     #[stable(feature = "vec_as_slice", since = "1.7.0")]
1046     pub fn as_slice(&self) -> &[T] {
1047         self
1048     }
1049
1050     /// Extracts a mutable slice of the entire vector.
1051     ///
1052     /// Equivalent to `&mut s[..]`.
1053     ///
1054     /// # Examples
1055     ///
1056     /// ```
1057     /// use std::io::{self, Read};
1058     /// let mut buffer = vec![0; 3];
1059     /// io::repeat(0b101).read_exact(buffer.as_mut_slice()).unwrap();
1060     /// ```
1061     #[inline]
1062     #[stable(feature = "vec_as_slice", since = "1.7.0")]
1063     pub fn as_mut_slice(&mut self) -> &mut [T] {
1064         self
1065     }
1066
1067     /// Returns a raw pointer to the vector's buffer.
1068     ///
1069     /// The caller must ensure that the vector outlives the pointer this
1070     /// function returns, or else it will end up pointing to garbage.
1071     /// Modifying the vector may cause its buffer to be reallocated,
1072     /// which would also make any pointers to it invalid.
1073     ///
1074     /// The caller must also ensure that the memory the pointer (non-transitively) points to
1075     /// is never written to (except inside an `UnsafeCell`) using this pointer or any pointer
1076     /// derived from it. If you need to mutate the contents of the slice, use [`as_mut_ptr`].
1077     ///
1078     /// # Examples
1079     ///
1080     /// ```
1081     /// let x = vec![1, 2, 4];
1082     /// let x_ptr = x.as_ptr();
1083     ///
1084     /// unsafe {
1085     ///     for i in 0..x.len() {
1086     ///         assert_eq!(*x_ptr.add(i), 1 << i);
1087     ///     }
1088     /// }
1089     /// ```
1090     ///
1091     /// [`as_mut_ptr`]: Vec::as_mut_ptr
1092     #[stable(feature = "vec_as_ptr", since = "1.37.0")]
1093     #[inline]
1094     pub fn as_ptr(&self) -> *const T {
1095         // We shadow the slice method of the same name to avoid going through
1096         // `deref`, which creates an intermediate reference.
1097         let ptr = self.buf.ptr();
1098         unsafe {
1099             assume(!ptr.is_null());
1100         }
1101         ptr
1102     }
1103
1104     /// Returns an unsafe mutable pointer to the vector's buffer.
1105     ///
1106     /// The caller must ensure that the vector outlives the pointer this
1107     /// function returns, or else it will end up pointing to garbage.
1108     /// Modifying the vector may cause its buffer to be reallocated,
1109     /// which would also make any pointers to it invalid.
1110     ///
1111     /// # Examples
1112     ///
1113     /// ```
1114     /// // Allocate vector big enough for 4 elements.
1115     /// let size = 4;
1116     /// let mut x: Vec<i32> = Vec::with_capacity(size);
1117     /// let x_ptr = x.as_mut_ptr();
1118     ///
1119     /// // Initialize elements via raw pointer writes, then set length.
1120     /// unsafe {
1121     ///     for i in 0..size {
1122     ///         *x_ptr.add(i) = i as i32;
1123     ///     }
1124     ///     x.set_len(size);
1125     /// }
1126     /// assert_eq!(&*x, &[0, 1, 2, 3]);
1127     /// ```
1128     #[stable(feature = "vec_as_ptr", since = "1.37.0")]
1129     #[inline]
1130     pub fn as_mut_ptr(&mut self) -> *mut T {
1131         // We shadow the slice method of the same name to avoid going through
1132         // `deref_mut`, which creates an intermediate reference.
1133         let ptr = self.buf.ptr();
1134         unsafe {
1135             assume(!ptr.is_null());
1136         }
1137         ptr
1138     }
1139
1140     /// Returns a reference to the underlying allocator.
1141     #[unstable(feature = "allocator_api", issue = "32838")]
1142     #[inline]
1143     pub fn allocator(&self) -> &A {
1144         self.buf.allocator()
1145     }
1146
1147     /// Forces the length of the vector to `new_len`.
1148     ///
1149     /// This is a low-level operation that maintains none of the normal
1150     /// invariants of the type. Normally changing the length of a vector
1151     /// is done using one of the safe operations instead, such as
1152     /// [`truncate`], [`resize`], [`extend`], or [`clear`].
1153     ///
1154     /// [`truncate`]: Vec::truncate
1155     /// [`resize`]: Vec::resize
1156     /// [`extend`]: Extend::extend
1157     /// [`clear`]: Vec::clear
1158     ///
1159     /// # Safety
1160     ///
1161     /// - `new_len` must be less than or equal to [`capacity()`].
1162     /// - The elements at `old_len..new_len` must be initialized.
1163     ///
1164     /// [`capacity()`]: Vec::capacity
1165     ///
1166     /// # Examples
1167     ///
1168     /// This method can be useful for situations in which the vector
1169     /// is serving as a buffer for other code, particularly over FFI:
1170     ///
1171     /// ```no_run
1172     /// # #![allow(dead_code)]
1173     /// # // This is just a minimal skeleton for the doc example;
1174     /// # // don't use this as a starting point for a real library.
1175     /// # pub struct StreamWrapper { strm: *mut std::ffi::c_void }
1176     /// # const Z_OK: i32 = 0;
1177     /// # extern "C" {
1178     /// #     fn deflateGetDictionary(
1179     /// #         strm: *mut std::ffi::c_void,
1180     /// #         dictionary: *mut u8,
1181     /// #         dictLength: *mut usize,
1182     /// #     ) -> i32;
1183     /// # }
1184     /// # impl StreamWrapper {
1185     /// pub fn get_dictionary(&self) -> Option<Vec<u8>> {
1186     ///     // Per the FFI method's docs, "32768 bytes is always enough".
1187     ///     let mut dict = Vec::with_capacity(32_768);
1188     ///     let mut dict_length = 0;
1189     ///     // SAFETY: When `deflateGetDictionary` returns `Z_OK`, it holds that:
1190     ///     // 1. `dict_length` elements were initialized.
1191     ///     // 2. `dict_length` <= the capacity (32_768)
1192     ///     // which makes `set_len` safe to call.
1193     ///     unsafe {
1194     ///         // Make the FFI call...
1195     ///         let r = deflateGetDictionary(self.strm, dict.as_mut_ptr(), &mut dict_length);
1196     ///         if r == Z_OK {
1197     ///             // ...and update the length to what was initialized.
1198     ///             dict.set_len(dict_length);
1199     ///             Some(dict)
1200     ///         } else {
1201     ///             None
1202     ///         }
1203     ///     }
1204     /// }
1205     /// # }
1206     /// ```
1207     ///
1208     /// While the following example is sound, there is a memory leak since
1209     /// the inner vectors were not freed prior to the `set_len` call:
1210     ///
1211     /// ```
1212     /// let mut vec = vec![vec![1, 0, 0],
1213     ///                    vec![0, 1, 0],
1214     ///                    vec![0, 0, 1]];
1215     /// // SAFETY:
1216     /// // 1. `old_len..0` is empty so no elements need to be initialized.
1217     /// // 2. `0 <= capacity` always holds whatever `capacity` is.
1218     /// unsafe {
1219     ///     vec.set_len(0);
1220     /// }
1221     /// ```
1222     ///
1223     /// Normally, here, one would use [`clear`] instead to correctly drop
1224     /// the contents and thus not leak memory.
1225     #[inline]
1226     #[stable(feature = "rust1", since = "1.0.0")]
1227     pub unsafe fn set_len(&mut self, new_len: usize) {
1228         debug_assert!(new_len <= self.capacity());
1229
1230         self.len = new_len;
1231     }
1232
1233     /// Removes an element from the vector and returns it.
1234     ///
1235     /// The removed element is replaced by the last element of the vector.
1236     ///
1237     /// This does not preserve ordering, but is O(1).
1238     ///
1239     /// # Panics
1240     ///
1241     /// Panics if `index` is out of bounds.
1242     ///
1243     /// # Examples
1244     ///
1245     /// ```
1246     /// let mut v = vec!["foo", "bar", "baz", "qux"];
1247     ///
1248     /// assert_eq!(v.swap_remove(1), "bar");
1249     /// assert_eq!(v, ["foo", "qux", "baz"]);
1250     ///
1251     /// assert_eq!(v.swap_remove(0), "foo");
1252     /// assert_eq!(v, ["baz", "qux"]);
1253     /// ```
1254     #[inline]
1255     #[stable(feature = "rust1", since = "1.0.0")]
1256     pub fn swap_remove(&mut self, index: usize) -> T {
1257         #[cold]
1258         #[inline(never)]
1259         fn assert_failed(index: usize, len: usize) -> ! {
1260             panic!("swap_remove index (is {}) should be < len (is {})", index, len);
1261         }
1262
1263         let len = self.len();
1264         if index >= len {
1265             assert_failed(index, len);
1266         }
1267         unsafe {
1268             // We replace self[index] with the last element. Note that if the
1269             // bounds check above succeeds there must be a last element (which
1270             // can be self[index] itself).
1271             let last = ptr::read(self.as_ptr().add(len - 1));
1272             let hole = self.as_mut_ptr().add(index);
1273             self.set_len(len - 1);
1274             ptr::replace(hole, last)
1275         }
1276     }
1277
1278     /// Inserts an element at position `index` within the vector, shifting all
1279     /// elements after it to the right.
1280     ///
1281     /// # Panics
1282     ///
1283     /// Panics if `index > len`.
1284     ///
1285     /// # Examples
1286     ///
1287     /// ```
1288     /// let mut vec = vec![1, 2, 3];
1289     /// vec.insert(1, 4);
1290     /// assert_eq!(vec, [1, 4, 2, 3]);
1291     /// vec.insert(4, 5);
1292     /// assert_eq!(vec, [1, 4, 2, 3, 5]);
1293     /// ```
1294     #[stable(feature = "rust1", since = "1.0.0")]
1295     pub fn insert(&mut self, index: usize, element: T) {
1296         #[cold]
1297         #[inline(never)]
1298         fn assert_failed(index: usize, len: usize) -> ! {
1299             panic!("insertion index (is {}) should be <= len (is {})", index, len);
1300         }
1301
1302         let len = self.len();
1303         if index > len {
1304             assert_failed(index, len);
1305         }
1306
1307         // space for the new element
1308         if len == self.buf.capacity() {
1309             self.reserve(1);
1310         }
1311
1312         unsafe {
1313             // infallible
1314             // The spot to put the new value
1315             {
1316                 let p = self.as_mut_ptr().add(index);
1317                 // Shift everything over to make space. (Duplicating the
1318                 // `index`th element into two consecutive places.)
1319                 ptr::copy(p, p.offset(1), len - index);
1320                 // Write it in, overwriting the first copy of the `index`th
1321                 // element.
1322                 ptr::write(p, element);
1323             }
1324             self.set_len(len + 1);
1325         }
1326     }
1327
1328     /// Removes and returns the element at position `index` within the vector,
1329     /// shifting all elements after it to the left.
1330     ///
1331     /// # Panics
1332     ///
1333     /// Panics if `index` is out of bounds.
1334     ///
1335     /// # Examples
1336     ///
1337     /// ```
1338     /// let mut v = vec![1, 2, 3];
1339     /// assert_eq!(v.remove(1), 2);
1340     /// assert_eq!(v, [1, 3]);
1341     /// ```
1342     #[stable(feature = "rust1", since = "1.0.0")]
1343     pub fn remove(&mut self, index: usize) -> T {
1344         #[cold]
1345         #[inline(never)]
1346         fn assert_failed(index: usize, len: usize) -> ! {
1347             panic!("removal index (is {}) should be < len (is {})", index, len);
1348         }
1349
1350         let len = self.len();
1351         if index >= len {
1352             assert_failed(index, len);
1353         }
1354         unsafe {
1355             // infallible
1356             let ret;
1357             {
1358                 // the place we are taking from.
1359                 let ptr = self.as_mut_ptr().add(index);
1360                 // copy it out, unsafely having a copy of the value on
1361                 // the stack and in the vector at the same time.
1362                 ret = ptr::read(ptr);
1363
1364                 // Shift everything down to fill in that spot.
1365                 ptr::copy(ptr.offset(1), ptr, len - index - 1);
1366             }
1367             self.set_len(len - 1);
1368             ret
1369         }
1370     }
1371
1372     /// Retains only the elements specified by the predicate.
1373     ///
1374     /// In other words, remove all elements `e` such that `f(&e)` returns `false`.
1375     /// This method operates in place, visiting each element exactly once in the
1376     /// original order, and preserves the order of the retained elements.
1377     ///
1378     /// # Examples
1379     ///
1380     /// ```
1381     /// let mut vec = vec![1, 2, 3, 4];
1382     /// vec.retain(|&x| x % 2 == 0);
1383     /// assert_eq!(vec, [2, 4]);
1384     /// ```
1385     ///
1386     /// Because the elements are visited exactly once in the original order,
1387     /// external state may be used to decide which elements to keep.
1388     ///
1389     /// ```
1390     /// let mut vec = vec![1, 2, 3, 4, 5];
1391     /// let keep = [false, true, true, false, true];
1392     /// let mut iter = keep.iter();
1393     /// vec.retain(|_| *iter.next().unwrap());
1394     /// assert_eq!(vec, [2, 3, 5]);
1395     /// ```
1396     #[stable(feature = "rust1", since = "1.0.0")]
1397     pub fn retain<F>(&mut self, mut f: F)
1398     where
1399         F: FnMut(&T) -> bool,
1400     {
1401         let original_len = self.len();
1402         // Avoid double drop if the drop guard is not executed,
1403         // since we may make some holes during the process.
1404         unsafe { self.set_len(0) };
1405
1406         // Vec: [Kept, Kept, Hole, Hole, Hole, Hole, Unchecked, Unchecked]
1407         //      |<-              processed len   ->| ^- next to check
1408         //                  |<-  deleted cnt     ->|
1409         //      |<-              original_len                          ->|
1410         // Kept: Elements which predicate returns true on.
1411         // Hole: Moved or dropped element slot.
1412         // Unchecked: Unchecked valid elements.
1413         //
1414         // This drop guard will be invoked when predicate or `drop` of element panicked.
1415         // It shifts unchecked elements to cover holes and `set_len` to the correct length.
1416         // In cases when predicate and `drop` never panick, it will be optimized out.
1417         struct BackshiftOnDrop<'a, T, A: Allocator> {
1418             v: &'a mut Vec<T, A>,
1419             processed_len: usize,
1420             deleted_cnt: usize,
1421             original_len: usize,
1422         }
1423
1424         impl<T, A: Allocator> Drop for BackshiftOnDrop<'_, T, A> {
1425             fn drop(&mut self) {
1426                 if self.deleted_cnt > 0 {
1427                     // SAFETY: Trailing unchecked items must be valid since we never touch them.
1428                     unsafe {
1429                         ptr::copy(
1430                             self.v.as_ptr().add(self.processed_len),
1431                             self.v.as_mut_ptr().add(self.processed_len - self.deleted_cnt),
1432                             self.original_len - self.processed_len,
1433                         );
1434                     }
1435                 }
1436                 // SAFETY: After filling holes, all items are in contiguous memory.
1437                 unsafe {
1438                     self.v.set_len(self.original_len - self.deleted_cnt);
1439                 }
1440             }
1441         }
1442
1443         let mut g = BackshiftOnDrop { v: self, processed_len: 0, deleted_cnt: 0, original_len };
1444
1445         while g.processed_len < original_len {
1446             // SAFETY: Unchecked element must be valid.
1447             let cur = unsafe { &mut *g.v.as_mut_ptr().add(g.processed_len) };
1448             if !f(cur) {
1449                 // Advance early to avoid double drop if `drop_in_place` panicked.
1450                 g.processed_len += 1;
1451                 g.deleted_cnt += 1;
1452                 // SAFETY: We never touch this element again after dropped.
1453                 unsafe { ptr::drop_in_place(cur) };
1454                 // We already advanced the counter.
1455                 continue;
1456             }
1457             if g.deleted_cnt > 0 {
1458                 // SAFETY: `deleted_cnt` > 0, so the hole slot must not overlap with current element.
1459                 // We use copy for move, and never touch this element again.
1460                 unsafe {
1461                     let hole_slot = g.v.as_mut_ptr().add(g.processed_len - g.deleted_cnt);
1462                     ptr::copy_nonoverlapping(cur, hole_slot, 1);
1463                 }
1464             }
1465             g.processed_len += 1;
1466         }
1467
1468         // All item are processed. This can be optimized to `set_len` by LLVM.
1469         drop(g);
1470     }
1471
1472     /// Removes all but the first of consecutive elements in the vector that resolve to the same
1473     /// key.
1474     ///
1475     /// If the vector is sorted, this removes all duplicates.
1476     ///
1477     /// # Examples
1478     ///
1479     /// ```
1480     /// let mut vec = vec![10, 20, 21, 30, 20];
1481     ///
1482     /// vec.dedup_by_key(|i| *i / 10);
1483     ///
1484     /// assert_eq!(vec, [10, 20, 30, 20]);
1485     /// ```
1486     #[stable(feature = "dedup_by", since = "1.16.0")]
1487     #[inline]
1488     pub fn dedup_by_key<F, K>(&mut self, mut key: F)
1489     where
1490         F: FnMut(&mut T) -> K,
1491         K: PartialEq,
1492     {
1493         self.dedup_by(|a, b| key(a) == key(b))
1494     }
1495
1496     /// Removes all but the first of consecutive elements in the vector satisfying a given equality
1497     /// relation.
1498     ///
1499     /// The `same_bucket` function is passed references to two elements from the vector and
1500     /// must determine if the elements compare equal. The elements are passed in opposite order
1501     /// from their order in the slice, so if `same_bucket(a, b)` returns `true`, `a` is removed.
1502     ///
1503     /// If the vector is sorted, this removes all duplicates.
1504     ///
1505     /// # Examples
1506     ///
1507     /// ```
1508     /// let mut vec = vec!["foo", "bar", "Bar", "baz", "bar"];
1509     ///
1510     /// vec.dedup_by(|a, b| a.eq_ignore_ascii_case(b));
1511     ///
1512     /// assert_eq!(vec, ["foo", "bar", "baz", "bar"]);
1513     /// ```
1514     #[stable(feature = "dedup_by", since = "1.16.0")]
1515     pub fn dedup_by<F>(&mut self, same_bucket: F)
1516     where
1517         F: FnMut(&mut T, &mut T) -> bool,
1518     {
1519         let len = {
1520             let (dedup, _) = self.as_mut_slice().partition_dedup_by(same_bucket);
1521             dedup.len()
1522         };
1523         self.truncate(len);
1524     }
1525
1526     /// Appends an element to the back of a collection.
1527     ///
1528     /// # Panics
1529     ///
1530     /// Panics if the new capacity exceeds `isize::MAX` bytes.
1531     ///
1532     /// # Examples
1533     ///
1534     /// ```
1535     /// let mut vec = vec![1, 2];
1536     /// vec.push(3);
1537     /// assert_eq!(vec, [1, 2, 3]);
1538     /// ```
1539     #[inline]
1540     #[stable(feature = "rust1", since = "1.0.0")]
1541     pub fn push(&mut self, value: T) {
1542         // This will panic or abort if we would allocate > isize::MAX bytes
1543         // or if the length increment would overflow for zero-sized types.
1544         if self.len == self.buf.capacity() {
1545             self.reserve(1);
1546         }
1547         unsafe {
1548             let end = self.as_mut_ptr().add(self.len);
1549             ptr::write(end, value);
1550             self.len += 1;
1551         }
1552     }
1553
1554     /// Removes the last element from a vector and returns it, or [`None`] if it
1555     /// is empty.
1556     ///
1557     /// # Examples
1558     ///
1559     /// ```
1560     /// let mut vec = vec![1, 2, 3];
1561     /// assert_eq!(vec.pop(), Some(3));
1562     /// assert_eq!(vec, [1, 2]);
1563     /// ```
1564     #[inline]
1565     #[stable(feature = "rust1", since = "1.0.0")]
1566     pub fn pop(&mut self) -> Option<T> {
1567         if self.len == 0 {
1568             None
1569         } else {
1570             unsafe {
1571                 self.len -= 1;
1572                 Some(ptr::read(self.as_ptr().add(self.len())))
1573             }
1574         }
1575     }
1576
1577     /// Moves all the elements of `other` into `Self`, leaving `other` empty.
1578     ///
1579     /// # Panics
1580     ///
1581     /// Panics if the number of elements in the vector overflows a `usize`.
1582     ///
1583     /// # Examples
1584     ///
1585     /// ```
1586     /// let mut vec = vec![1, 2, 3];
1587     /// let mut vec2 = vec![4, 5, 6];
1588     /// vec.append(&mut vec2);
1589     /// assert_eq!(vec, [1, 2, 3, 4, 5, 6]);
1590     /// assert_eq!(vec2, []);
1591     /// ```
1592     #[inline]
1593     #[stable(feature = "append", since = "1.4.0")]
1594     pub fn append(&mut self, other: &mut Self) {
1595         unsafe {
1596             self.append_elements(other.as_slice() as _);
1597             other.set_len(0);
1598         }
1599     }
1600
1601     /// Appends elements to `Self` from other buffer.
1602     #[inline]
1603     unsafe fn append_elements(&mut self, other: *const [T]) {
1604         let count = unsafe { (*other).len() };
1605         self.reserve(count);
1606         let len = self.len();
1607         unsafe { ptr::copy_nonoverlapping(other as *const T, self.as_mut_ptr().add(len), count) };
1608         self.len += count;
1609     }
1610
1611     /// Creates a draining iterator that removes the specified range in the vector
1612     /// and yields the removed items.
1613     ///
1614     /// When the iterator **is** dropped, all elements in the range are removed
1615     /// from the vector, even if the iterator was not fully consumed. If the
1616     /// iterator **is not** dropped (with [`mem::forget`] for example), it is
1617     /// unspecified how many elements are removed.
1618     ///
1619     /// # Panics
1620     ///
1621     /// Panics if the starting point is greater than the end point or if
1622     /// the end point is greater than the length of the vector.
1623     ///
1624     /// # Examples
1625     ///
1626     /// ```
1627     /// let mut v = vec![1, 2, 3];
1628     /// let u: Vec<_> = v.drain(1..).collect();
1629     /// assert_eq!(v, &[1]);
1630     /// assert_eq!(u, &[2, 3]);
1631     ///
1632     /// // A full range clears the vector
1633     /// v.drain(..);
1634     /// assert_eq!(v, &[]);
1635     /// ```
1636     #[stable(feature = "drain", since = "1.6.0")]
1637     pub fn drain<R>(&mut self, range: R) -> Drain<'_, T, A>
1638     where
1639         R: RangeBounds<usize>,
1640     {
1641         // Memory safety
1642         //
1643         // When the Drain is first created, it shortens the length of
1644         // the source vector to make sure no uninitialized or moved-from elements
1645         // are accessible at all if the Drain's destructor never gets to run.
1646         //
1647         // Drain will ptr::read out the values to remove.
1648         // When finished, remaining tail of the vec is copied back to cover
1649         // the hole, and the vector length is restored to the new length.
1650         //
1651         let len = self.len();
1652         let Range { start, end } = slice::range(range, ..len);
1653
1654         unsafe {
1655             // set self.vec length's to start, to be safe in case Drain is leaked
1656             self.set_len(start);
1657             // Use the borrow in the IterMut to indicate borrowing behavior of the
1658             // whole Drain iterator (like &mut T).
1659             let range_slice = slice::from_raw_parts_mut(self.as_mut_ptr().add(start), end - start);
1660             Drain {
1661                 tail_start: end,
1662                 tail_len: len - end,
1663                 iter: range_slice.iter(),
1664                 vec: NonNull::from(self),
1665             }
1666         }
1667     }
1668
1669     /// Clears the vector, removing all values.
1670     ///
1671     /// Note that this method has no effect on the allocated capacity
1672     /// of the vector.
1673     ///
1674     /// # Examples
1675     ///
1676     /// ```
1677     /// let mut v = vec![1, 2, 3];
1678     ///
1679     /// v.clear();
1680     ///
1681     /// assert!(v.is_empty());
1682     /// ```
1683     #[inline]
1684     #[stable(feature = "rust1", since = "1.0.0")]
1685     pub fn clear(&mut self) {
1686         self.truncate(0)
1687     }
1688
1689     /// Returns the number of elements in the vector, also referred to
1690     /// as its 'length'.
1691     ///
1692     /// # Examples
1693     ///
1694     /// ```
1695     /// let a = vec![1, 2, 3];
1696     /// assert_eq!(a.len(), 3);
1697     /// ```
1698     #[doc(alias = "length")]
1699     #[inline]
1700     #[stable(feature = "rust1", since = "1.0.0")]
1701     pub fn len(&self) -> usize {
1702         self.len
1703     }
1704
1705     /// Returns `true` if the vector contains no elements.
1706     ///
1707     /// # Examples
1708     ///
1709     /// ```
1710     /// let mut v = Vec::new();
1711     /// assert!(v.is_empty());
1712     ///
1713     /// v.push(1);
1714     /// assert!(!v.is_empty());
1715     /// ```
1716     #[stable(feature = "rust1", since = "1.0.0")]
1717     pub fn is_empty(&self) -> bool {
1718         self.len() == 0
1719     }
1720
1721     /// Splits the collection into two at the given index.
1722     ///
1723     /// Returns a newly allocated vector containing the elements in the range
1724     /// `[at, len)`. After the call, the original vector will be left containing
1725     /// the elements `[0, at)` with its previous capacity unchanged.
1726     ///
1727     /// # Panics
1728     ///
1729     /// Panics if `at > len`.
1730     ///
1731     /// # Examples
1732     ///
1733     /// ```
1734     /// let mut vec = vec![1, 2, 3];
1735     /// let vec2 = vec.split_off(1);
1736     /// assert_eq!(vec, [1]);
1737     /// assert_eq!(vec2, [2, 3]);
1738     /// ```
1739     #[inline]
1740     #[must_use = "use `.truncate()` if you don't need the other half"]
1741     #[stable(feature = "split_off", since = "1.4.0")]
1742     pub fn split_off(&mut self, at: usize) -> Self
1743     where
1744         A: Clone,
1745     {
1746         #[cold]
1747         #[inline(never)]
1748         fn assert_failed(at: usize, len: usize) -> ! {
1749             panic!("`at` split index (is {}) should be <= len (is {})", at, len);
1750         }
1751
1752         if at > self.len() {
1753             assert_failed(at, self.len());
1754         }
1755
1756         if at == 0 {
1757             // the new vector can take over the original buffer and avoid the copy
1758             return mem::replace(
1759                 self,
1760                 Vec::with_capacity_in(self.capacity(), self.allocator().clone()),
1761             );
1762         }
1763
1764         let other_len = self.len - at;
1765         let mut other = Vec::with_capacity_in(other_len, self.allocator().clone());
1766
1767         // Unsafely `set_len` and copy items to `other`.
1768         unsafe {
1769             self.set_len(at);
1770             other.set_len(other_len);
1771
1772             ptr::copy_nonoverlapping(self.as_ptr().add(at), other.as_mut_ptr(), other.len());
1773         }
1774         other
1775     }
1776
1777     /// Resizes the `Vec` in-place so that `len` is equal to `new_len`.
1778     ///
1779     /// If `new_len` is greater than `len`, the `Vec` is extended by the
1780     /// difference, with each additional slot filled with the result of
1781     /// calling the closure `f`. The return values from `f` will end up
1782     /// in the `Vec` in the order they have been generated.
1783     ///
1784     /// If `new_len` is less than `len`, the `Vec` is simply truncated.
1785     ///
1786     /// This method uses a closure to create new values on every push. If
1787     /// you'd rather [`Clone`] a given value, use [`Vec::resize`]. If you
1788     /// want to use the [`Default`] trait to generate values, you can
1789     /// pass [`Default::default`] as the second argument.
1790     ///
1791     /// # Examples
1792     ///
1793     /// ```
1794     /// let mut vec = vec![1, 2, 3];
1795     /// vec.resize_with(5, Default::default);
1796     /// assert_eq!(vec, [1, 2, 3, 0, 0]);
1797     ///
1798     /// let mut vec = vec![];
1799     /// let mut p = 1;
1800     /// vec.resize_with(4, || { p *= 2; p });
1801     /// assert_eq!(vec, [2, 4, 8, 16]);
1802     /// ```
1803     #[stable(feature = "vec_resize_with", since = "1.33.0")]
1804     pub fn resize_with<F>(&mut self, new_len: usize, f: F)
1805     where
1806         F: FnMut() -> T,
1807     {
1808         let len = self.len();
1809         if new_len > len {
1810             self.extend_with(new_len - len, ExtendFunc(f));
1811         } else {
1812             self.truncate(new_len);
1813         }
1814     }
1815
1816     /// Consumes and leaks the `Vec`, returning a mutable reference to the contents,
1817     /// `&'a mut [T]`. Note that the type `T` must outlive the chosen lifetime
1818     /// `'a`. If the type has only static references, or none at all, then this
1819     /// may be chosen to be `'static`.
1820     ///
1821     /// This function is similar to the [`leak`][Box::leak] function on [`Box`]
1822     /// except that there is no way to recover the leaked memory.
1823     ///
1824     /// This function is mainly useful for data that lives for the remainder of
1825     /// the program's life. Dropping the returned reference will cause a memory
1826     /// leak.
1827     ///
1828     /// # Examples
1829     ///
1830     /// Simple usage:
1831     ///
1832     /// ```
1833     /// let x = vec![1, 2, 3];
1834     /// let static_ref: &'static mut [usize] = x.leak();
1835     /// static_ref[0] += 1;
1836     /// assert_eq!(static_ref, &[2, 2, 3]);
1837     /// ```
1838     #[stable(feature = "vec_leak", since = "1.47.0")]
1839     #[inline]
1840     pub fn leak<'a>(self) -> &'a mut [T]
1841     where
1842         A: 'a,
1843     {
1844         Box::leak(self.into_boxed_slice())
1845     }
1846
1847     /// Returns the remaining spare capacity of the vector as a slice of
1848     /// `MaybeUninit<T>`.
1849     ///
1850     /// The returned slice can be used to fill the vector with data (e.g. by
1851     /// reading from a file) before marking the data as initialized using the
1852     /// [`set_len`] method.
1853     ///
1854     /// [`set_len`]: Vec::set_len
1855     ///
1856     /// # Examples
1857     ///
1858     /// ```
1859     /// #![feature(vec_spare_capacity, maybe_uninit_extra)]
1860     ///
1861     /// // Allocate vector big enough for 10 elements.
1862     /// let mut v = Vec::with_capacity(10);
1863     ///
1864     /// // Fill in the first 3 elements.
1865     /// let uninit = v.spare_capacity_mut();
1866     /// uninit[0].write(0);
1867     /// uninit[1].write(1);
1868     /// uninit[2].write(2);
1869     ///
1870     /// // Mark the first 3 elements of the vector as being initialized.
1871     /// unsafe {
1872     ///     v.set_len(3);
1873     /// }
1874     ///
1875     /// assert_eq!(&v, &[0, 1, 2]);
1876     /// ```
1877     #[unstable(feature = "vec_spare_capacity", issue = "75017")]
1878     #[inline]
1879     pub fn spare_capacity_mut(&mut self) -> &mut [MaybeUninit<T>] {
1880         // Note:
1881         // This method is not implemented in terms of `split_at_spare_mut`,
1882         // to prevent invalidation of pointers to the buffer.
1883         unsafe {
1884             slice::from_raw_parts_mut(
1885                 self.as_mut_ptr().add(self.len) as *mut MaybeUninit<T>,
1886                 self.buf.capacity() - self.len,
1887             )
1888         }
1889     }
1890
1891     /// Returns vector content as a slice of `T`, along with the remaining spare
1892     /// capacity of the vector as a slice of `MaybeUninit<T>`.
1893     ///
1894     /// The returned spare capacity slice can be used to fill the vector with data
1895     /// (e.g. by reading from a file) before marking the data as initialized using
1896     /// the [`set_len`] method.
1897     ///
1898     /// [`set_len`]: Vec::set_len
1899     ///
1900     /// Note that this is a low-level API, which should be used with care for
1901     /// optimization purposes. If you need to append data to a `Vec`
1902     /// you can use [`push`], [`extend`], [`extend_from_slice`],
1903     /// [`extend_from_within`], [`insert`], [`append`], [`resize`] or
1904     /// [`resize_with`], depending on your exact needs.
1905     ///
1906     /// [`push`]: Vec::push
1907     /// [`extend`]: Vec::extend
1908     /// [`extend_from_slice`]: Vec::extend_from_slice
1909     /// [`extend_from_within`]: Vec::extend_from_within
1910     /// [`insert`]: Vec::insert
1911     /// [`append`]: Vec::append
1912     /// [`resize`]: Vec::resize
1913     /// [`resize_with`]: Vec::resize_with
1914     ///
1915     /// # Examples
1916     ///
1917     /// ```
1918     /// #![feature(vec_split_at_spare, maybe_uninit_extra)]
1919     ///
1920     /// let mut v = vec![1, 1, 2];
1921     ///
1922     /// // Reserve additional space big enough for 10 elements.
1923     /// v.reserve(10);
1924     ///
1925     /// let (init, uninit) = v.split_at_spare_mut();
1926     /// let sum = init.iter().copied().sum::<u32>();
1927     ///
1928     /// // Fill in the next 4 elements.
1929     /// uninit[0].write(sum);
1930     /// uninit[1].write(sum * 2);
1931     /// uninit[2].write(sum * 3);
1932     /// uninit[3].write(sum * 4);
1933     ///
1934     /// // Mark the 4 elements of the vector as being initialized.
1935     /// unsafe {
1936     ///     let len = v.len();
1937     ///     v.set_len(len + 4);
1938     /// }
1939     ///
1940     /// assert_eq!(&v, &[1, 1, 2, 4, 8, 12, 16]);
1941     /// ```
1942     #[unstable(feature = "vec_split_at_spare", issue = "81944")]
1943     #[inline]
1944     pub fn split_at_spare_mut(&mut self) -> (&mut [T], &mut [MaybeUninit<T>]) {
1945         let Range { start: ptr, end: spare_ptr } = self.as_mut_ptr_range();
1946         let spare_ptr = spare_ptr.cast::<MaybeUninit<T>>();
1947         let spare_len = self.buf.capacity() - self.len;
1948
1949         // SAFETY:
1950         // - `ptr` is guaranteed to be valid for `len` elements
1951         // - `spare_ptr` is pointing one element past the buffer, so it doesn't overlap with `initialized`
1952         unsafe {
1953             let initialized = slice::from_raw_parts_mut(ptr, self.len);
1954             let spare = slice::from_raw_parts_mut(spare_ptr, spare_len);
1955
1956             (initialized, spare)
1957         }
1958     }
1959 }
1960
1961 impl<T: Clone, A: Allocator> Vec<T, A> {
1962     /// Resizes the `Vec` in-place so that `len` is equal to `new_len`.
1963     ///
1964     /// If `new_len` is greater than `len`, the `Vec` is extended by the
1965     /// difference, with each additional slot filled with `value`.
1966     /// If `new_len` is less than `len`, the `Vec` is simply truncated.
1967     ///
1968     /// This method requires `T` to implement [`Clone`],
1969     /// in order to be able to clone the passed value.
1970     /// If you need more flexibility (or want to rely on [`Default`] instead of
1971     /// [`Clone`]), use [`Vec::resize_with`].
1972     ///
1973     /// # Examples
1974     ///
1975     /// ```
1976     /// let mut vec = vec!["hello"];
1977     /// vec.resize(3, "world");
1978     /// assert_eq!(vec, ["hello", "world", "world"]);
1979     ///
1980     /// let mut vec = vec![1, 2, 3, 4];
1981     /// vec.resize(2, 0);
1982     /// assert_eq!(vec, [1, 2]);
1983     /// ```
1984     #[stable(feature = "vec_resize", since = "1.5.0")]
1985     pub fn resize(&mut self, new_len: usize, value: T) {
1986         let len = self.len();
1987
1988         if new_len > len {
1989             self.extend_with(new_len - len, ExtendElement(value))
1990         } else {
1991             self.truncate(new_len);
1992         }
1993     }
1994
1995     /// Clones and appends all elements in a slice to the `Vec`.
1996     ///
1997     /// Iterates over the slice `other`, clones each element, and then appends
1998     /// it to this `Vec`. The `other` vector is traversed in-order.
1999     ///
2000     /// Note that this function is same as [`extend`] except that it is
2001     /// specialized to work with slices instead. If and when Rust gets
2002     /// specialization this function will likely be deprecated (but still
2003     /// available).
2004     ///
2005     /// # Examples
2006     ///
2007     /// ```
2008     /// let mut vec = vec![1];
2009     /// vec.extend_from_slice(&[2, 3, 4]);
2010     /// assert_eq!(vec, [1, 2, 3, 4]);
2011     /// ```
2012     ///
2013     /// [`extend`]: Vec::extend
2014     #[stable(feature = "vec_extend_from_slice", since = "1.6.0")]
2015     pub fn extend_from_slice(&mut self, other: &[T]) {
2016         self.spec_extend(other.iter())
2017     }
2018
2019     /// Copies elements from `src` range to the end of the vector.
2020     ///
2021     /// ## Examples
2022     ///
2023     /// ```
2024     /// #![feature(vec_extend_from_within)]
2025     ///
2026     /// let mut vec = vec![0, 1, 2, 3, 4];
2027     ///
2028     /// vec.extend_from_within(2..);
2029     /// assert_eq!(vec, [0, 1, 2, 3, 4, 2, 3, 4]);
2030     ///
2031     /// vec.extend_from_within(..2);
2032     /// assert_eq!(vec, [0, 1, 2, 3, 4, 2, 3, 4, 0, 1]);
2033     ///
2034     /// vec.extend_from_within(4..8);
2035     /// assert_eq!(vec, [0, 1, 2, 3, 4, 2, 3, 4, 0, 1, 4, 2, 3, 4]);
2036     /// ```
2037     #[unstable(feature = "vec_extend_from_within", issue = "81656")]
2038     pub fn extend_from_within<R>(&mut self, src: R)
2039     where
2040         R: RangeBounds<usize>,
2041     {
2042         let range = slice::range(src, ..self.len());
2043         self.reserve(range.len());
2044
2045         // SAFETY:
2046         // - `slice::range` guarantees  that the given range is valid for indexing self
2047         unsafe {
2048             self.spec_extend_from_within(range);
2049         }
2050     }
2051 }
2052
2053 // This code generalizes `extend_with_{element,default}`.
2054 trait ExtendWith<T> {
2055     fn next(&mut self) -> T;
2056     fn last(self) -> T;
2057 }
2058
2059 struct ExtendElement<T>(T);
2060 impl<T: Clone> ExtendWith<T> for ExtendElement<T> {
2061     fn next(&mut self) -> T {
2062         self.0.clone()
2063     }
2064     fn last(self) -> T {
2065         self.0
2066     }
2067 }
2068
2069 struct ExtendDefault;
2070 impl<T: Default> ExtendWith<T> for ExtendDefault {
2071     fn next(&mut self) -> T {
2072         Default::default()
2073     }
2074     fn last(self) -> T {
2075         Default::default()
2076     }
2077 }
2078
2079 struct ExtendFunc<F>(F);
2080 impl<T, F: FnMut() -> T> ExtendWith<T> for ExtendFunc<F> {
2081     fn next(&mut self) -> T {
2082         (self.0)()
2083     }
2084     fn last(mut self) -> T {
2085         (self.0)()
2086     }
2087 }
2088
2089 impl<T, A: Allocator> Vec<T, A> {
2090     /// Extend the vector by `n` values, using the given generator.
2091     fn extend_with<E: ExtendWith<T>>(&mut self, n: usize, mut value: E) {
2092         self.reserve(n);
2093
2094         unsafe {
2095             let mut ptr = self.as_mut_ptr().add(self.len());
2096             // Use SetLenOnDrop to work around bug where compiler
2097             // may not realize the store through `ptr` through self.set_len()
2098             // don't alias.
2099             let mut local_len = SetLenOnDrop::new(&mut self.len);
2100
2101             // Write all elements except the last one
2102             for _ in 1..n {
2103                 ptr::write(ptr, value.next());
2104                 ptr = ptr.offset(1);
2105                 // Increment the length in every step in case next() panics
2106                 local_len.increment_len(1);
2107             }
2108
2109             if n > 0 {
2110                 // We can write the last element directly without cloning needlessly
2111                 ptr::write(ptr, value.last());
2112                 local_len.increment_len(1);
2113             }
2114
2115             // len set by scope guard
2116         }
2117     }
2118 }
2119
2120 impl<T: PartialEq, A: Allocator> Vec<T, A> {
2121     /// Removes consecutive repeated elements in the vector according to the
2122     /// [`PartialEq`] trait implementation.
2123     ///
2124     /// If the vector is sorted, this removes all duplicates.
2125     ///
2126     /// # Examples
2127     ///
2128     /// ```
2129     /// let mut vec = vec![1, 2, 2, 3, 2];
2130     ///
2131     /// vec.dedup();
2132     ///
2133     /// assert_eq!(vec, [1, 2, 3, 2]);
2134     /// ```
2135     #[stable(feature = "rust1", since = "1.0.0")]
2136     #[inline]
2137     pub fn dedup(&mut self) {
2138         self.dedup_by(|a, b| a == b)
2139     }
2140 }
2141
2142 ////////////////////////////////////////////////////////////////////////////////
2143 // Internal methods and functions
2144 ////////////////////////////////////////////////////////////////////////////////
2145
2146 #[doc(hidden)]
2147 #[stable(feature = "rust1", since = "1.0.0")]
2148 pub fn from_elem<T: Clone>(elem: T, n: usize) -> Vec<T> {
2149     <T as SpecFromElem>::from_elem(elem, n, Global)
2150 }
2151
2152 #[doc(hidden)]
2153 #[unstable(feature = "allocator_api", issue = "32838")]
2154 pub fn from_elem_in<T: Clone, A: Allocator>(elem: T, n: usize, alloc: A) -> Vec<T, A> {
2155     <T as SpecFromElem>::from_elem(elem, n, alloc)
2156 }
2157
2158 trait ExtendFromWithinSpec {
2159     /// # Safety
2160     ///
2161     /// - `src` needs to be valid index
2162     /// - `self.capacity() - self.len()` must be `>= src.len()`
2163     unsafe fn spec_extend_from_within(&mut self, src: Range<usize>);
2164 }
2165
2166 impl<T: Clone, A: Allocator> ExtendFromWithinSpec for Vec<T, A> {
2167     default unsafe fn spec_extend_from_within(&mut self, src: Range<usize>) {
2168         let initialized = {
2169             let (this, spare) = self.split_at_spare_mut();
2170
2171             // SAFETY:
2172             // - caller guaratees that src is a valid index
2173             let to_clone = unsafe { this.get_unchecked(src) };
2174
2175             to_clone.iter().cloned().zip(spare.iter_mut()).map(|(e, s)| s.write(e)).count()
2176         };
2177
2178         // SAFETY:
2179         // - elements were just initialized
2180         unsafe {
2181             let new_len = self.len() + initialized;
2182             self.set_len(new_len);
2183         }
2184     }
2185 }
2186
2187 impl<T: Copy, A: Allocator> ExtendFromWithinSpec for Vec<T, A> {
2188     unsafe fn spec_extend_from_within(&mut self, src: Range<usize>) {
2189         let count = src.len();
2190         {
2191             let (init, spare) = self.split_at_spare_mut();
2192
2193             // SAFETY:
2194             // - caller guaratees that `src` is a valid index
2195             let source = unsafe { init.get_unchecked(src) };
2196
2197             // SAFETY:
2198             // - Both pointers are created from unique slice references (`&mut [_]`)
2199             //   so they are valid and do not overlap.
2200             // - Elements are :Copy so it's OK to to copy them, without doing
2201             //   anything with the original values
2202             // - `count` is equal to the len of `source`, so source is valid for
2203             //   `count` reads
2204             // - `.reserve(count)` guarantees that `spare.len() >= count` so spare
2205             //   is valid for `count` writes
2206             unsafe { ptr::copy_nonoverlapping(source.as_ptr(), spare.as_mut_ptr() as _, count) };
2207         }
2208
2209         // SAFETY:
2210         // - The elements were just initialized by `copy_nonoverlapping`
2211         self.len += count;
2212     }
2213 }
2214
2215 ////////////////////////////////////////////////////////////////////////////////
2216 // Common trait implementations for Vec
2217 ////////////////////////////////////////////////////////////////////////////////
2218
2219 #[stable(feature = "rust1", since = "1.0.0")]
2220 impl<T, A: Allocator> ops::Deref for Vec<T, A> {
2221     type Target = [T];
2222
2223     fn deref(&self) -> &[T] {
2224         unsafe { slice::from_raw_parts(self.as_ptr(), self.len) }
2225     }
2226 }
2227
2228 #[stable(feature = "rust1", since = "1.0.0")]
2229 impl<T, A: Allocator> ops::DerefMut for Vec<T, A> {
2230     fn deref_mut(&mut self) -> &mut [T] {
2231         unsafe { slice::from_raw_parts_mut(self.as_mut_ptr(), self.len) }
2232     }
2233 }
2234
2235 #[stable(feature = "rust1", since = "1.0.0")]
2236 impl<T: Clone, A: Allocator + Clone> Clone for Vec<T, A> {
2237     #[cfg(not(test))]
2238     fn clone(&self) -> Self {
2239         let alloc = self.allocator().clone();
2240         <[T]>::to_vec_in(&**self, alloc)
2241     }
2242
2243     // HACK(japaric): with cfg(test) the inherent `[T]::to_vec` method, which is
2244     // required for this method definition, is not available. Instead use the
2245     // `slice::to_vec`  function which is only available with cfg(test)
2246     // NB see the slice::hack module in slice.rs for more information
2247     #[cfg(test)]
2248     fn clone(&self) -> Self {
2249         let alloc = self.allocator().clone();
2250         crate::slice::to_vec(&**self, alloc)
2251     }
2252
2253     fn clone_from(&mut self, other: &Self) {
2254         // drop anything that will not be overwritten
2255         self.truncate(other.len());
2256
2257         // self.len <= other.len due to the truncate above, so the
2258         // slices here are always in-bounds.
2259         let (init, tail) = other.split_at(self.len());
2260
2261         // reuse the contained values' allocations/resources.
2262         self.clone_from_slice(init);
2263         self.extend_from_slice(tail);
2264     }
2265 }
2266
2267 #[stable(feature = "rust1", since = "1.0.0")]
2268 impl<T: Hash, A: Allocator> Hash for Vec<T, A> {
2269     #[inline]
2270     fn hash<H: Hasher>(&self, state: &mut H) {
2271         Hash::hash(&**self, state)
2272     }
2273 }
2274
2275 #[stable(feature = "rust1", since = "1.0.0")]
2276 #[rustc_on_unimplemented(
2277     message = "vector indices are of type `usize` or ranges of `usize`",
2278     label = "vector indices are of type `usize` or ranges of `usize`"
2279 )]
2280 impl<T, I: SliceIndex<[T]>, A: Allocator> Index<I> for Vec<T, A> {
2281     type Output = I::Output;
2282
2283     #[inline]
2284     fn index(&self, index: I) -> &Self::Output {
2285         Index::index(&**self, index)
2286     }
2287 }
2288
2289 #[stable(feature = "rust1", since = "1.0.0")]
2290 #[rustc_on_unimplemented(
2291     message = "vector indices are of type `usize` or ranges of `usize`",
2292     label = "vector indices are of type `usize` or ranges of `usize`"
2293 )]
2294 impl<T, I: SliceIndex<[T]>, A: Allocator> IndexMut<I> for Vec<T, A> {
2295     #[inline]
2296     fn index_mut(&mut self, index: I) -> &mut Self::Output {
2297         IndexMut::index_mut(&mut **self, index)
2298     }
2299 }
2300
2301 #[stable(feature = "rust1", since = "1.0.0")]
2302 impl<T> FromIterator<T> for Vec<T> {
2303     #[inline]
2304     fn from_iter<I: IntoIterator<Item = T>>(iter: I) -> Vec<T> {
2305         <Self as SpecFromIter<T, I::IntoIter>>::from_iter(iter.into_iter())
2306     }
2307 }
2308
2309 #[stable(feature = "rust1", since = "1.0.0")]
2310 impl<T, A: Allocator> IntoIterator for Vec<T, A> {
2311     type Item = T;
2312     type IntoIter = IntoIter<T, A>;
2313
2314     /// Creates a consuming iterator, that is, one that moves each value out of
2315     /// the vector (from start to end). The vector cannot be used after calling
2316     /// this.
2317     ///
2318     /// # Examples
2319     ///
2320     /// ```
2321     /// let v = vec!["a".to_string(), "b".to_string()];
2322     /// for s in v.into_iter() {
2323     ///     // s has type String, not &String
2324     ///     println!("{}", s);
2325     /// }
2326     /// ```
2327     #[inline]
2328     fn into_iter(self) -> IntoIter<T, A> {
2329         unsafe {
2330             let mut me = ManuallyDrop::new(self);
2331             let alloc = ptr::read(me.allocator());
2332             let begin = me.as_mut_ptr();
2333             let end = if mem::size_of::<T>() == 0 {
2334                 arith_offset(begin as *const i8, me.len() as isize) as *const T
2335             } else {
2336                 begin.add(me.len()) as *const T
2337             };
2338             let cap = me.buf.capacity();
2339             IntoIter {
2340                 buf: NonNull::new_unchecked(begin),
2341                 phantom: PhantomData,
2342                 cap,
2343                 alloc,
2344                 ptr: begin,
2345                 end,
2346             }
2347         }
2348     }
2349 }
2350
2351 #[stable(feature = "rust1", since = "1.0.0")]
2352 impl<'a, T, A: Allocator> IntoIterator for &'a Vec<T, A> {
2353     type Item = &'a T;
2354     type IntoIter = slice::Iter<'a, T>;
2355
2356     fn into_iter(self) -> slice::Iter<'a, T> {
2357         self.iter()
2358     }
2359 }
2360
2361 #[stable(feature = "rust1", since = "1.0.0")]
2362 impl<'a, T, A: Allocator> IntoIterator for &'a mut Vec<T, A> {
2363     type Item = &'a mut T;
2364     type IntoIter = slice::IterMut<'a, T>;
2365
2366     fn into_iter(self) -> slice::IterMut<'a, T> {
2367         self.iter_mut()
2368     }
2369 }
2370
2371 #[stable(feature = "rust1", since = "1.0.0")]
2372 impl<T, A: Allocator> Extend<T> for Vec<T, A> {
2373     #[inline]
2374     fn extend<I: IntoIterator<Item = T>>(&mut self, iter: I) {
2375         <Self as SpecExtend<T, I::IntoIter>>::spec_extend(self, iter.into_iter())
2376     }
2377
2378     #[inline]
2379     fn extend_one(&mut self, item: T) {
2380         self.push(item);
2381     }
2382
2383     #[inline]
2384     fn extend_reserve(&mut self, additional: usize) {
2385         self.reserve(additional);
2386     }
2387 }
2388
2389 impl<T, A: Allocator> Vec<T, A> {
2390     // leaf method to which various SpecFrom/SpecExtend implementations delegate when
2391     // they have no further optimizations to apply
2392     fn extend_desugared<I: Iterator<Item = T>>(&mut self, mut iterator: I) {
2393         // This is the case for a general iterator.
2394         //
2395         // This function should be the moral equivalent of:
2396         //
2397         //      for item in iterator {
2398         //          self.push(item);
2399         //      }
2400         while let Some(element) = iterator.next() {
2401             let len = self.len();
2402             if len == self.capacity() {
2403                 let (lower, _) = iterator.size_hint();
2404                 self.reserve(lower.saturating_add(1));
2405             }
2406             unsafe {
2407                 ptr::write(self.as_mut_ptr().add(len), element);
2408                 // NB can't overflow since we would have had to alloc the address space
2409                 self.set_len(len + 1);
2410             }
2411         }
2412     }
2413
2414     /// Creates a splicing iterator that replaces the specified range in the vector
2415     /// with the given `replace_with` iterator and yields the removed items.
2416     /// `replace_with` does not need to be the same length as `range`.
2417     ///
2418     /// `range` is removed even if the iterator is not consumed until the end.
2419     ///
2420     /// It is unspecified how many elements are removed from the vector
2421     /// if the `Splice` value is leaked.
2422     ///
2423     /// The input iterator `replace_with` is only consumed when the `Splice` value is dropped.
2424     ///
2425     /// This is optimal if:
2426     ///
2427     /// * The tail (elements in the vector after `range`) is empty,
2428     /// * or `replace_with` yields fewer or equal elements than `range`’s length
2429     /// * or the lower bound of its `size_hint()` is exact.
2430     ///
2431     /// Otherwise, a temporary vector is allocated and the tail is moved twice.
2432     ///
2433     /// # Panics
2434     ///
2435     /// Panics if the starting point is greater than the end point or if
2436     /// the end point is greater than the length of the vector.
2437     ///
2438     /// # Examples
2439     ///
2440     /// ```
2441     /// let mut v = vec![1, 2, 3];
2442     /// let new = [7, 8];
2443     /// let u: Vec<_> = v.splice(..2, new.iter().cloned()).collect();
2444     /// assert_eq!(v, &[7, 8, 3]);
2445     /// assert_eq!(u, &[1, 2]);
2446     /// ```
2447     #[inline]
2448     #[stable(feature = "vec_splice", since = "1.21.0")]
2449     pub fn splice<R, I>(&mut self, range: R, replace_with: I) -> Splice<'_, I::IntoIter, A>
2450     where
2451         R: RangeBounds<usize>,
2452         I: IntoIterator<Item = T>,
2453     {
2454         Splice { drain: self.drain(range), replace_with: replace_with.into_iter() }
2455     }
2456
2457     /// Creates an iterator which uses a closure to determine if an element should be removed.
2458     ///
2459     /// If the closure returns true, then the element is removed and yielded.
2460     /// If the closure returns false, the element will remain in the vector and will not be yielded
2461     /// by the iterator.
2462     ///
2463     /// Using this method is equivalent to the following code:
2464     ///
2465     /// ```
2466     /// # let some_predicate = |x: &mut i32| { *x == 2 || *x == 3 || *x == 6 };
2467     /// # let mut vec = vec![1, 2, 3, 4, 5, 6];
2468     /// let mut i = 0;
2469     /// while i != vec.len() {
2470     ///     if some_predicate(&mut vec[i]) {
2471     ///         let val = vec.remove(i);
2472     ///         // your code here
2473     ///     } else {
2474     ///         i += 1;
2475     ///     }
2476     /// }
2477     ///
2478     /// # assert_eq!(vec, vec![1, 4, 5]);
2479     /// ```
2480     ///
2481     /// But `drain_filter` is easier to use. `drain_filter` is also more efficient,
2482     /// because it can backshift the elements of the array in bulk.
2483     ///
2484     /// Note that `drain_filter` also lets you mutate every element in the filter closure,
2485     /// regardless of whether you choose to keep or remove it.
2486     ///
2487     /// # Examples
2488     ///
2489     /// Splitting an array into evens and odds, reusing the original allocation:
2490     ///
2491     /// ```
2492     /// #![feature(drain_filter)]
2493     /// let mut numbers = vec![1, 2, 3, 4, 5, 6, 8, 9, 11, 13, 14, 15];
2494     ///
2495     /// let evens = numbers.drain_filter(|x| *x % 2 == 0).collect::<Vec<_>>();
2496     /// let odds = numbers;
2497     ///
2498     /// assert_eq!(evens, vec![2, 4, 6, 8, 14]);
2499     /// assert_eq!(odds, vec![1, 3, 5, 9, 11, 13, 15]);
2500     /// ```
2501     #[unstable(feature = "drain_filter", reason = "recently added", issue = "43244")]
2502     pub fn drain_filter<F>(&mut self, filter: F) -> DrainFilter<'_, T, F, A>
2503     where
2504         F: FnMut(&mut T) -> bool,
2505     {
2506         let old_len = self.len();
2507
2508         // Guard against us getting leaked (leak amplification)
2509         unsafe {
2510             self.set_len(0);
2511         }
2512
2513         DrainFilter { vec: self, idx: 0, del: 0, old_len, pred: filter, panic_flag: false }
2514     }
2515 }
2516
2517 /// Extend implementation that copies elements out of references before pushing them onto the Vec.
2518 ///
2519 /// This implementation is specialized for slice iterators, where it uses [`copy_from_slice`] to
2520 /// append the entire slice at once.
2521 ///
2522 /// [`copy_from_slice`]: slice::copy_from_slice
2523 #[stable(feature = "extend_ref", since = "1.2.0")]
2524 impl<'a, T: Copy + 'a, A: Allocator + 'a> Extend<&'a T> for Vec<T, A> {
2525     fn extend<I: IntoIterator<Item = &'a T>>(&mut self, iter: I) {
2526         self.spec_extend(iter.into_iter())
2527     }
2528
2529     #[inline]
2530     fn extend_one(&mut self, &item: &'a T) {
2531         self.push(item);
2532     }
2533
2534     #[inline]
2535     fn extend_reserve(&mut self, additional: usize) {
2536         self.reserve(additional);
2537     }
2538 }
2539
2540 /// Implements comparison of vectors, [lexicographically](core::cmp::Ord#lexicographical-comparison).
2541 #[stable(feature = "rust1", since = "1.0.0")]
2542 impl<T: PartialOrd, A: Allocator> PartialOrd for Vec<T, A> {
2543     #[inline]
2544     fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
2545         PartialOrd::partial_cmp(&**self, &**other)
2546     }
2547 }
2548
2549 #[stable(feature = "rust1", since = "1.0.0")]
2550 impl<T: Eq, A: Allocator> Eq for Vec<T, A> {}
2551
2552 /// Implements ordering of vectors, [lexicographically](core::cmp::Ord#lexicographical-comparison).
2553 #[stable(feature = "rust1", since = "1.0.0")]
2554 impl<T: Ord, A: Allocator> Ord for Vec<T, A> {
2555     #[inline]
2556     fn cmp(&self, other: &Self) -> Ordering {
2557         Ord::cmp(&**self, &**other)
2558     }
2559 }
2560
2561 #[stable(feature = "rust1", since = "1.0.0")]
2562 unsafe impl<#[may_dangle] T, A: Allocator> Drop for Vec<T, A> {
2563     fn drop(&mut self) {
2564         unsafe {
2565             // use drop for [T]
2566             // use a raw slice to refer to the elements of the vector as weakest necessary type;
2567             // could avoid questions of validity in certain cases
2568             ptr::drop_in_place(ptr::slice_from_raw_parts_mut(self.as_mut_ptr(), self.len))
2569         }
2570         // RawVec handles deallocation
2571     }
2572 }
2573
2574 #[stable(feature = "rust1", since = "1.0.0")]
2575 impl<T> Default for Vec<T> {
2576     /// Creates an empty `Vec<T>`.
2577     fn default() -> Vec<T> {
2578         Vec::new()
2579     }
2580 }
2581
2582 #[stable(feature = "rust1", since = "1.0.0")]
2583 impl<T: fmt::Debug, A: Allocator> fmt::Debug for Vec<T, A> {
2584     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2585         fmt::Debug::fmt(&**self, f)
2586     }
2587 }
2588
2589 #[stable(feature = "rust1", since = "1.0.0")]
2590 impl<T, A: Allocator> AsRef<Vec<T, A>> for Vec<T, A> {
2591     fn as_ref(&self) -> &Vec<T, A> {
2592         self
2593     }
2594 }
2595
2596 #[stable(feature = "vec_as_mut", since = "1.5.0")]
2597 impl<T, A: Allocator> AsMut<Vec<T, A>> for Vec<T, A> {
2598     fn as_mut(&mut self) -> &mut Vec<T, A> {
2599         self
2600     }
2601 }
2602
2603 #[stable(feature = "rust1", since = "1.0.0")]
2604 impl<T, A: Allocator> AsRef<[T]> for Vec<T, A> {
2605     fn as_ref(&self) -> &[T] {
2606         self
2607     }
2608 }
2609
2610 #[stable(feature = "vec_as_mut", since = "1.5.0")]
2611 impl<T, A: Allocator> AsMut<[T]> for Vec<T, A> {
2612     fn as_mut(&mut self) -> &mut [T] {
2613         self
2614     }
2615 }
2616
2617 #[stable(feature = "rust1", since = "1.0.0")]
2618 impl<T: Clone> From<&[T]> for Vec<T> {
2619     #[cfg(not(test))]
2620     fn from(s: &[T]) -> Vec<T> {
2621         s.to_vec()
2622     }
2623     #[cfg(test)]
2624     fn from(s: &[T]) -> Vec<T> {
2625         crate::slice::to_vec(s, Global)
2626     }
2627 }
2628
2629 #[stable(feature = "vec_from_mut", since = "1.19.0")]
2630 impl<T: Clone> From<&mut [T]> for Vec<T> {
2631     #[cfg(not(test))]
2632     fn from(s: &mut [T]) -> Vec<T> {
2633         s.to_vec()
2634     }
2635     #[cfg(test)]
2636     fn from(s: &mut [T]) -> Vec<T> {
2637         crate::slice::to_vec(s, Global)
2638     }
2639 }
2640
2641 #[stable(feature = "vec_from_array", since = "1.44.0")]
2642 impl<T, const N: usize> From<[T; N]> for Vec<T> {
2643     #[cfg(not(test))]
2644     fn from(s: [T; N]) -> Vec<T> {
2645         <[T]>::into_vec(box s)
2646     }
2647     #[cfg(test)]
2648     fn from(s: [T; N]) -> Vec<T> {
2649         crate::slice::into_vec(box s)
2650     }
2651 }
2652
2653 #[stable(feature = "vec_from_cow_slice", since = "1.14.0")]
2654 impl<'a, T> From<Cow<'a, [T]>> for Vec<T>
2655 where
2656     [T]: ToOwned<Owned = Vec<T>>,
2657 {
2658     fn from(s: Cow<'a, [T]>) -> Vec<T> {
2659         s.into_owned()
2660     }
2661 }
2662
2663 // note: test pulls in libstd, which causes errors here
2664 #[cfg(not(test))]
2665 #[stable(feature = "vec_from_box", since = "1.18.0")]
2666 impl<T, A: Allocator> From<Box<[T], A>> for Vec<T, A> {
2667     fn from(s: Box<[T], A>) -> Self {
2668         let len = s.len();
2669         Self { buf: RawVec::from_box(s), len }
2670     }
2671 }
2672
2673 // note: test pulls in libstd, which causes errors here
2674 #[cfg(not(test))]
2675 #[stable(feature = "box_from_vec", since = "1.20.0")]
2676 impl<T, A: Allocator> From<Vec<T, A>> for Box<[T], A> {
2677     fn from(v: Vec<T, A>) -> Self {
2678         v.into_boxed_slice()
2679     }
2680 }
2681
2682 #[stable(feature = "rust1", since = "1.0.0")]
2683 impl From<&str> for Vec<u8> {
2684     fn from(s: &str) -> Vec<u8> {
2685         From::from(s.as_bytes())
2686     }
2687 }
2688
2689 #[stable(feature = "array_try_from_vec", since = "1.48.0")]
2690 impl<T, A: Allocator, const N: usize> TryFrom<Vec<T, A>> for [T; N] {
2691     type Error = Vec<T, A>;
2692
2693     /// Gets the entire contents of the `Vec<T>` as an array,
2694     /// if its size exactly matches that of the requested array.
2695     ///
2696     /// # Examples
2697     ///
2698     /// ```
2699     /// use std::convert::TryInto;
2700     /// assert_eq!(vec![1, 2, 3].try_into(), Ok([1, 2, 3]));
2701     /// assert_eq!(<Vec<i32>>::new().try_into(), Ok([]));
2702     /// ```
2703     ///
2704     /// If the length doesn't match, the input comes back in `Err`:
2705     /// ```
2706     /// use std::convert::TryInto;
2707     /// let r: Result<[i32; 4], _> = (0..10).collect::<Vec<_>>().try_into();
2708     /// assert_eq!(r, Err(vec![0, 1, 2, 3, 4, 5, 6, 7, 8, 9]));
2709     /// ```
2710     ///
2711     /// If you're fine with just getting a prefix of the `Vec<T>`,
2712     /// you can call [`.truncate(N)`](Vec::truncate) first.
2713     /// ```
2714     /// use std::convert::TryInto;
2715     /// let mut v = String::from("hello world").into_bytes();
2716     /// v.sort();
2717     /// v.truncate(2);
2718     /// let [a, b]: [_; 2] = v.try_into().unwrap();
2719     /// assert_eq!(a, b' ');
2720     /// assert_eq!(b, b'd');
2721     /// ```
2722     fn try_from(mut vec: Vec<T, A>) -> Result<[T; N], Vec<T, A>> {
2723         if vec.len() != N {
2724             return Err(vec);
2725         }
2726
2727         // SAFETY: `.set_len(0)` is always sound.
2728         unsafe { vec.set_len(0) };
2729
2730         // SAFETY: A `Vec`'s pointer is always aligned properly, and
2731         // the alignment the array needs is the same as the items.
2732         // We checked earlier that we have sufficient items.
2733         // The items will not double-drop as the `set_len`
2734         // tells the `Vec` not to also drop them.
2735         let array = unsafe { ptr::read(vec.as_ptr() as *const [T; N]) };
2736         Ok(array)
2737     }
2738 }