]> git.lizzy.rs Git - rust.git/blob - src/libcollections/vec.rs
Rollup merge of #32017 - brson:ignoretest, r=nikomatsakis
[rust.git] / src / libcollections / vec.rs
1 // Copyright 2014 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 //! A contiguous growable array type with heap-allocated contents, written
12 //! `Vec<T>` but pronounced 'vector.'
13 //!
14 //! Vectors have `O(1)` indexing, amortized `O(1)` push (to the end) and
15 //! `O(1)` pop (from the end).
16 //!
17 //! # Examples
18 //!
19 //! You can explicitly create a `Vec<T>` with `new()`:
20 //!
21 //! ```
22 //! let v: Vec<i32> = Vec::new();
23 //! ```
24 //!
25 //! ...or by using the `vec!` macro:
26 //!
27 //! ```
28 //! let v: Vec<i32> = vec![];
29 //!
30 //! let v = vec![1, 2, 3, 4, 5];
31 //!
32 //! let v = vec![0; 10]; // ten zeroes
33 //! ```
34 //!
35 //! You can `push` values onto the end of a vector (which will grow the vector
36 //! as needed):
37 //!
38 //! ```
39 //! let mut v = vec![1, 2];
40 //!
41 //! v.push(3);
42 //! ```
43 //!
44 //! Popping values works in much the same way:
45 //!
46 //! ```
47 //! let mut v = vec![1, 2];
48 //!
49 //! let two = v.pop();
50 //! ```
51 //!
52 //! Vectors also support indexing (through the `Index` and `IndexMut` traits):
53 //!
54 //! ```
55 //! let mut v = vec![1, 2, 3];
56 //! let three = v[2];
57 //! v[1] = v[1] + 5;
58 //! ```
59
60 #![stable(feature = "rust1", since = "1.0.0")]
61
62 use alloc::boxed::Box;
63 use alloc::heap::EMPTY;
64 use alloc::raw_vec::RawVec;
65 use borrow::ToOwned;
66 use core::cmp::Ordering;
67 use core::fmt;
68 use core::hash::{self, Hash};
69 use core::intrinsics::{arith_offset, assume};
70 use core::iter::FromIterator;
71 use core::mem;
72 use core::ops::{Index, IndexMut};
73 use core::ops;
74 use core::ptr;
75 use core::slice;
76
77 #[allow(deprecated)]
78 use borrow::{Cow, IntoCow};
79
80 use super::range::RangeArgument;
81
82 /// A contiguous growable array type, written `Vec<T>` but pronounced 'vector.'
83 ///
84 /// # Examples
85 ///
86 /// ```
87 /// let mut vec = Vec::new();
88 /// vec.push(1);
89 /// vec.push(2);
90 ///
91 /// assert_eq!(vec.len(), 2);
92 /// assert_eq!(vec[0], 1);
93 ///
94 /// assert_eq!(vec.pop(), Some(2));
95 /// assert_eq!(vec.len(), 1);
96 ///
97 /// vec[0] = 7;
98 /// assert_eq!(vec[0], 7);
99 ///
100 /// vec.extend([1, 2, 3].iter().cloned());
101 ///
102 /// for x in &vec {
103 ///     println!("{}", x);
104 /// }
105 /// assert_eq!(vec, [7, 1, 2, 3]);
106 /// ```
107 ///
108 /// The `vec!` macro is provided to make initialization more convenient:
109 ///
110 /// ```
111 /// let mut vec = vec![1, 2, 3];
112 /// vec.push(4);
113 /// assert_eq!(vec, [1, 2, 3, 4]);
114 /// ```
115 ///
116 /// It can also initialize each element of a `Vec<T>` with a given value:
117 ///
118 /// ```
119 /// let vec = vec![0; 5];
120 /// assert_eq!(vec, [0, 0, 0, 0, 0]);
121 /// ```
122 ///
123 /// Use a `Vec<T>` as an efficient stack:
124 ///
125 /// ```
126 /// let mut stack = Vec::new();
127 ///
128 /// stack.push(1);
129 /// stack.push(2);
130 /// stack.push(3);
131 ///
132 /// while let Some(top) = stack.pop() {
133 ///     // Prints 3, 2, 1
134 ///     println!("{}", top);
135 /// }
136 /// ```
137 ///
138 /// # Indexing
139 ///
140 /// The Vec type allows to access values by index, because it implements the
141 /// `Index` trait. An example will be more explicit:
142 ///
143 /// ```
144 /// let v = vec!(0, 2, 4, 6);
145 /// println!("{}", v[1]); // it will display '2'
146 /// ```
147 ///
148 /// However be careful: if you try to access an index which isn't in the Vec,
149 /// your software will panic! You cannot do this:
150 ///
151 /// ```ignore
152 /// let v = vec!(0, 2, 4, 6);
153 /// println!("{}", v[6]); // it will panic!
154 /// ```
155 ///
156 /// In conclusion: always check if the index you want to get really exists
157 /// before doing it.
158 ///
159 /// # Slicing
160 ///
161 /// A Vec can be mutable. Slices, on the other hand, are read-only objects.
162 /// To get a slice, use "&". Example:
163 ///
164 /// ```
165 /// fn read_slice(slice: &[usize]) {
166 ///     // ...
167 /// }
168 ///
169 /// let v = vec!(0, 1);
170 /// read_slice(&v);
171 ///
172 /// // ... and that's all!
173 /// // you can also do it like this:
174 /// let x : &[usize] = &v;
175 /// ```
176 ///
177 /// In Rust, it's more common to pass slices as arguments rather than vectors
178 /// when you just want to provide a read access. The same goes for String and
179 /// &str.
180 ///
181 /// # Capacity and reallocation
182 ///
183 /// The capacity of a vector is the amount of space allocated for any future
184 /// elements that will be added onto the vector. This is not to be confused with
185 /// the *length* of a vector, which specifies the number of actual elements
186 /// within the vector. If a vector's length exceeds its capacity, its capacity
187 /// will automatically be increased, but its elements will have to be
188 /// reallocated.
189 ///
190 /// For example, a vector with capacity 10 and length 0 would be an empty vector
191 /// with space for 10 more elements. Pushing 10 or fewer elements onto the
192 /// vector will not change its capacity or cause reallocation to occur. However,
193 /// if the vector's length is increased to 11, it will have to reallocate, which
194 /// can be slow. For this reason, it is recommended to use `Vec::with_capacity`
195 /// whenever possible to specify how big the vector is expected to get.
196 ///
197 /// # Guarantees
198 ///
199 /// Due to its incredibly fundamental nature, Vec makes a lot of guarantees
200 /// about its design. This ensures that it's as low-overhead as possible in
201 /// the general case, and can be correctly manipulated in primitive ways
202 /// by unsafe code. Note that these guarantees refer to an unqualified `Vec<T>`.
203 /// If additional type parameters are added (e.g. to support custom allocators),
204 /// overriding their defaults may change the behavior.
205 ///
206 /// Most fundamentally, Vec is and always will be a (pointer, capacity, length)
207 /// triplet. No more, no less. The order of these fields is completely
208 /// unspecified, and you should use the appropriate methods to modify these.
209 /// The pointer will never be null, so this type is null-pointer-optimized.
210 ///
211 /// However, the pointer may not actually point to allocated memory. In particular,
212 /// if you construct a Vec with capacity 0 via `Vec::new()`, `vec![]`,
213 /// `Vec::with_capacity(0)`, or by calling `shrink_to_fit()` on an empty Vec, it
214 /// will not allocate memory. Similarly, if you store zero-sized types inside
215 /// a Vec, it will not allocate space for them. *Note that in this case the
216 /// Vec may not report a `capacity()` of 0*. Vec will allocate if and only
217 /// if `mem::size_of::<T>() * capacity() > 0`. In general, Vec's allocation
218 /// details are subtle enough that it is strongly recommended that you only
219 /// free memory allocated by a Vec by creating a new Vec and dropping it.
220 ///
221 /// If a Vec *has* allocated memory, then the memory it points to is on the heap
222 /// (as defined by the allocator Rust is configured to use by default), and its
223 /// pointer points to `len()` initialized elements in order (what you would see
224 /// if you coerced it to a slice), followed by `capacity() - len()` logically
225 /// uninitialized elements.
226 ///
227 /// Vec will never perform a "small optimization" where elements are actually
228 /// stored on the stack for two reasons:
229 ///
230 /// * It would make it more difficult for unsafe code to correctly manipulate
231 ///   a Vec. The contents of a Vec wouldn't have a stable address if it were
232 ///   only moved, and it would be more difficult to determine if a Vec had
233 ///   actually allocated memory.
234 ///
235 /// * It would penalize the general case, incurring an additional branch
236 ///   on every access.
237 ///
238 /// Vec will never automatically shrink itself, even if completely empty. This
239 /// ensures no unnecessary allocations or deallocations occur. Emptying a Vec
240 /// and then filling it back up to the same `len()` should incur no calls to
241 /// the allocator. If you wish to free up unused memory, use `shrink_to_fit`.
242 ///
243 /// `push` and `insert` will never (re)allocate if the reported capacity is
244 /// sufficient. `push` and `insert` *will* (re)allocate if `len() == capacity()`.
245 /// That is, the reported capacity is completely accurate, and can be relied on.
246 /// It can even be used to manually free the memory allocated by a Vec if
247 /// desired. Bulk insertion methods *may* reallocate, even when not necessary.
248 ///
249 /// Vec does not guarantee any particular growth strategy when reallocating
250 /// when full, nor when `reserve` is called. The current strategy is basic
251 /// and it may prove desirable to use a non-constant growth factor. Whatever
252 /// strategy is used will of course guarantee `O(1)` amortized `push`.
253 ///
254 /// `vec![x; n]`, `vec![a, b, c, d]`, and `Vec::with_capacity(n)`, will all
255 /// produce a Vec with exactly the requested capacity. If `len() == capacity()`,
256 /// (as is the case for the `vec!` macro), then a `Vec<T>` can be converted
257 /// to and from a `Box<[T]>` without reallocating or moving the elements.
258 ///
259 /// Vec will not specifically overwrite any data that is removed from it,
260 /// but also won't specifically preserve it. Its uninitialized memory is
261 /// scratch space that it may use however it wants. It will generally just do
262 /// whatever is most efficient or otherwise easy to implement. Do not rely on
263 /// removed data to be erased for security purposes. Even if you drop a Vec, its
264 /// buffer may simply be reused by another Vec. Even if you zero a Vec's memory
265 /// first, that may not actually happen because the optimizer does not consider
266 /// this a side-effect that must be preserved.
267 ///
268 /// Vec does not currently guarantee the order in which elements are dropped
269 /// (the order has changed in the past, and may change again).
270 ///
271 #[unsafe_no_drop_flag]
272 #[stable(feature = "rust1", since = "1.0.0")]
273 pub struct Vec<T> {
274     buf: RawVec<T>,
275     len: usize,
276 }
277
278 ////////////////////////////////////////////////////////////////////////////////
279 // Inherent methods
280 ////////////////////////////////////////////////////////////////////////////////
281
282 impl<T> Vec<T> {
283     /// Constructs a new, empty `Vec<T>`.
284     ///
285     /// The vector will not allocate until elements are pushed onto it.
286     ///
287     /// # Examples
288     ///
289     /// ```
290     /// # #![allow(unused_mut)]
291     /// let mut vec: Vec<i32> = Vec::new();
292     /// ```
293     #[inline]
294     #[stable(feature = "rust1", since = "1.0.0")]
295     pub fn new() -> Vec<T> {
296         Vec {
297             buf: RawVec::new(),
298             len: 0,
299         }
300     }
301
302     /// Constructs a new, empty `Vec<T>` with the specified capacity.
303     ///
304     /// The vector will be able to hold exactly `capacity` elements without
305     /// reallocating. If `capacity` is 0, the vector will not allocate.
306     ///
307     /// It is important to note that this function does not specify the *length*
308     /// of the returned vector, but only the *capacity*. (For an explanation of
309     /// the difference between length and capacity, see the main `Vec<T>` docs
310     /// above, 'Capacity and reallocation'.)
311     ///
312     /// # Examples
313     ///
314     /// ```
315     /// let mut vec = Vec::with_capacity(10);
316     ///
317     /// // The vector contains no items, even though it has capacity for more
318     /// assert_eq!(vec.len(), 0);
319     ///
320     /// // These are all done without reallocating...
321     /// for i in 0..10 {
322     ///     vec.push(i);
323     /// }
324     ///
325     /// // ...but this may make the vector reallocate
326     /// vec.push(11);
327     /// ```
328     #[inline]
329     #[stable(feature = "rust1", since = "1.0.0")]
330     pub fn with_capacity(capacity: usize) -> Vec<T> {
331         Vec {
332             buf: RawVec::with_capacity(capacity),
333             len: 0,
334         }
335     }
336
337     /// Creates a `Vec<T>` directly from the raw components of another vector.
338     ///
339     /// # Safety
340     ///
341     /// This is highly unsafe, due to the number of invariants that aren't
342     /// checked:
343     ///
344     /// * `ptr` needs to have been previously allocated via `String`/`Vec<T>`
345     ///   (at least, it's highly likely to be incorrect if it wasn't).
346     /// * `length` needs to be the length that less than or equal to `capacity`.
347     /// * `capacity` needs to be the capacity that the pointer was allocated with.
348     ///
349     /// Violating these may cause problems like corrupting the allocator's
350     /// internal datastructures.
351     ///
352     /// # Examples
353     ///
354     /// ```
355     /// use std::ptr;
356     /// use std::mem;
357     ///
358     /// fn main() {
359     ///     let mut v = vec![1, 2, 3];
360     ///
361     ///     // Pull out the various important pieces of information about `v`
362     ///     let p = v.as_mut_ptr();
363     ///     let len = v.len();
364     ///     let cap = v.capacity();
365     ///
366     ///     unsafe {
367     ///         // Cast `v` into the void: no destructor run, so we are in
368     ///         // complete control of the allocation to which `p` points.
369     ///         mem::forget(v);
370     ///
371     ///         // Overwrite memory with 4, 5, 6
372     ///         for i in 0..len as isize {
373     ///             ptr::write(p.offset(i), 4 + i);
374     ///         }
375     ///
376     ///         // Put everything back together into a Vec
377     ///         let rebuilt = Vec::from_raw_parts(p, len, cap);
378     ///         assert_eq!(rebuilt, [4, 5, 6]);
379     ///     }
380     /// }
381     /// ```
382     #[stable(feature = "rust1", since = "1.0.0")]
383     pub unsafe fn from_raw_parts(ptr: *mut T, length: usize, capacity: usize) -> Vec<T> {
384         Vec {
385             buf: RawVec::from_raw_parts(ptr, capacity),
386             len: length,
387         }
388     }
389
390     /// Returns the number of elements the vector can hold without
391     /// reallocating.
392     ///
393     /// # Examples
394     ///
395     /// ```
396     /// let vec: Vec<i32> = Vec::with_capacity(10);
397     /// assert_eq!(vec.capacity(), 10);
398     /// ```
399     #[inline]
400     #[stable(feature = "rust1", since = "1.0.0")]
401     pub fn capacity(&self) -> usize {
402         self.buf.cap()
403     }
404
405     /// Reserves capacity for at least `additional` more elements to be inserted
406     /// in the given `Vec<T>`. The collection may reserve more space to avoid
407     /// frequent reallocations.
408     ///
409     /// # Panics
410     ///
411     /// Panics if the new capacity overflows `usize`.
412     ///
413     /// # Examples
414     ///
415     /// ```
416     /// let mut vec = vec![1];
417     /// vec.reserve(10);
418     /// assert!(vec.capacity() >= 11);
419     /// ```
420     #[stable(feature = "rust1", since = "1.0.0")]
421     pub fn reserve(&mut self, additional: usize) {
422         self.buf.reserve(self.len, additional);
423     }
424
425     /// Reserves the minimum capacity for exactly `additional` more elements to
426     /// be inserted in the given `Vec<T>`. Does nothing if the capacity is already
427     /// sufficient.
428     ///
429     /// Note that the allocator may give the collection more space than it
430     /// requests. Therefore capacity can not be relied upon to be precisely
431     /// minimal. Prefer `reserve` if future insertions are expected.
432     ///
433     /// # Panics
434     ///
435     /// Panics if the new capacity overflows `usize`.
436     ///
437     /// # Examples
438     ///
439     /// ```
440     /// let mut vec = vec![1];
441     /// vec.reserve_exact(10);
442     /// assert!(vec.capacity() >= 11);
443     /// ```
444     #[stable(feature = "rust1", since = "1.0.0")]
445     pub fn reserve_exact(&mut self, additional: usize) {
446         self.buf.reserve_exact(self.len, additional);
447     }
448
449     /// Shrinks the capacity of the vector as much as possible.
450     ///
451     /// It will drop down as close as possible to the length but the allocator
452     /// may still inform the vector that there is space for a few more elements.
453     ///
454     /// # Examples
455     ///
456     /// ```
457     /// let mut vec = Vec::with_capacity(10);
458     /// vec.extend([1, 2, 3].iter().cloned());
459     /// assert_eq!(vec.capacity(), 10);
460     /// vec.shrink_to_fit();
461     /// assert!(vec.capacity() >= 3);
462     /// ```
463     #[stable(feature = "rust1", since = "1.0.0")]
464     pub fn shrink_to_fit(&mut self) {
465         self.buf.shrink_to_fit(self.len);
466     }
467
468     /// Converts the vector into Box<[T]>.
469     ///
470     /// Note that this will drop any excess capacity. Calling this and
471     /// converting back to a vector with `into_vec()` is equivalent to calling
472     /// `shrink_to_fit()`.
473     #[stable(feature = "rust1", since = "1.0.0")]
474     pub fn into_boxed_slice(mut self) -> Box<[T]> {
475         unsafe {
476             self.shrink_to_fit();
477             let buf = ptr::read(&self.buf);
478             mem::forget(self);
479             buf.into_box()
480         }
481     }
482
483     /// Shorten a vector to be `len` elements long, dropping excess elements.
484     ///
485     /// If `len` is greater than the vector's current length, this has no
486     /// effect.
487     ///
488     /// # Examples
489     ///
490     /// ```
491     /// let mut vec = vec![1, 2, 3, 4, 5];
492     /// vec.truncate(2);
493     /// assert_eq!(vec, [1, 2]);
494     /// ```
495     #[stable(feature = "rust1", since = "1.0.0")]
496     pub fn truncate(&mut self, len: usize) {
497         unsafe {
498             // drop any extra elements
499             while len < self.len {
500                 // decrement len before the drop_in_place(), so a panic on Drop
501                 // doesn't re-drop the just-failed value.
502                 self.len -= 1;
503                 let len = self.len;
504                 ptr::drop_in_place(self.get_unchecked_mut(len));
505             }
506         }
507     }
508
509     /// Extracts a slice containing the entire vector.
510     ///
511     /// Equivalent to `&s[..]`.
512     #[inline]
513     #[stable(feature = "vec_as_slice", since = "1.7.0")]
514     pub fn as_slice(&self) -> &[T] {
515         self
516     }
517
518     /// Extracts a mutable slice of the entire vector.
519     ///
520     /// Equivalent to `&mut s[..]`.
521     #[inline]
522     #[stable(feature = "vec_as_slice", since = "1.7.0")]
523     pub fn as_mut_slice(&mut self) -> &mut [T] {
524         &mut self[..]
525     }
526
527     /// Sets the length of a vector.
528     ///
529     /// This will explicitly set the size of the vector, without actually
530     /// modifying its buffers, so it is up to the caller to ensure that the
531     /// vector is actually the specified size.
532     ///
533     /// # Examples
534     ///
535     /// ```
536     /// let mut v = vec![1, 2, 3, 4];
537     /// unsafe {
538     ///     v.set_len(1);
539     /// }
540     /// ```
541     #[inline]
542     #[stable(feature = "rust1", since = "1.0.0")]
543     pub unsafe fn set_len(&mut self, len: usize) {
544         self.len = len;
545     }
546
547     /// Removes an element from anywhere in the vector and return it, replacing
548     /// it with the last element.
549     ///
550     /// This does not preserve ordering, but is O(1).
551     ///
552     /// # Panics
553     ///
554     /// Panics if `index` is out of bounds.
555     ///
556     /// # Examples
557     ///
558     /// ```
559     /// let mut v = vec!["foo", "bar", "baz", "qux"];
560     ///
561     /// assert_eq!(v.swap_remove(1), "bar");
562     /// assert_eq!(v, ["foo", "qux", "baz"]);
563     ///
564     /// assert_eq!(v.swap_remove(0), "foo");
565     /// assert_eq!(v, ["baz", "qux"]);
566     /// ```
567     #[inline]
568     #[stable(feature = "rust1", since = "1.0.0")]
569     pub fn swap_remove(&mut self, index: usize) -> T {
570         let length = self.len();
571         self.swap(index, length - 1);
572         self.pop().unwrap()
573     }
574
575     /// Inserts an element at position `index` within the vector, shifting all
576     /// elements after it to the right.
577     ///
578     /// # Panics
579     ///
580     /// Panics if `index` is greater than the vector's length.
581     ///
582     /// # Examples
583     ///
584     /// ```
585     /// let mut vec = vec![1, 2, 3];
586     /// vec.insert(1, 4);
587     /// assert_eq!(vec, [1, 4, 2, 3]);
588     /// vec.insert(4, 5);
589     /// assert_eq!(vec, [1, 4, 2, 3, 5]);
590     /// ```
591     #[stable(feature = "rust1", since = "1.0.0")]
592     pub fn insert(&mut self, index: usize, element: T) {
593         let len = self.len();
594         assert!(index <= len);
595
596         // space for the new element
597         if len == self.buf.cap() {
598             self.buf.double();
599         }
600
601         unsafe {
602             // infallible
603             // The spot to put the new value
604             {
605                 let p = self.as_mut_ptr().offset(index as isize);
606                 // Shift everything over to make space. (Duplicating the
607                 // `index`th element into two consecutive places.)
608                 ptr::copy(p, p.offset(1), len - index);
609                 // Write it in, overwriting the first copy of the `index`th
610                 // element.
611                 ptr::write(p, element);
612             }
613             self.set_len(len + 1);
614         }
615     }
616
617     /// Removes and returns the element at position `index` within the vector,
618     /// shifting all elements after it to the left.
619     ///
620     /// # Panics
621     ///
622     /// Panics if `index` is out of bounds.
623     ///
624     /// # Examples
625     ///
626     /// ```
627     /// let mut v = vec![1, 2, 3];
628     /// assert_eq!(v.remove(1), 2);
629     /// assert_eq!(v, [1, 3]);
630     /// ```
631     #[stable(feature = "rust1", since = "1.0.0")]
632     pub fn remove(&mut self, index: usize) -> T {
633         let len = self.len();
634         assert!(index < len);
635         unsafe {
636             // infallible
637             let ret;
638             {
639                 // the place we are taking from.
640                 let ptr = self.as_mut_ptr().offset(index as isize);
641                 // copy it out, unsafely having a copy of the value on
642                 // the stack and in the vector at the same time.
643                 ret = ptr::read(ptr);
644
645                 // Shift everything down to fill in that spot.
646                 ptr::copy(ptr.offset(1), ptr, len - index - 1);
647             }
648             self.set_len(len - 1);
649             ret
650         }
651     }
652
653     /// Retains only the elements specified by the predicate.
654     ///
655     /// In other words, remove all elements `e` such that `f(&e)` returns false.
656     /// This method operates in place and preserves the order of the retained
657     /// elements.
658     ///
659     /// # Examples
660     ///
661     /// ```
662     /// let mut vec = vec![1, 2, 3, 4];
663     /// vec.retain(|&x| x%2 == 0);
664     /// assert_eq!(vec, [2, 4]);
665     /// ```
666     #[stable(feature = "rust1", since = "1.0.0")]
667     pub fn retain<F>(&mut self, mut f: F)
668         where F: FnMut(&T) -> bool
669     {
670         let len = self.len();
671         let mut del = 0;
672         {
673             let v = &mut **self;
674
675             for i in 0..len {
676                 if !f(&v[i]) {
677                     del += 1;
678                 } else if del > 0 {
679                     v.swap(i - del, i);
680                 }
681             }
682         }
683         if del > 0 {
684             self.truncate(len - del);
685         }
686     }
687
688     /// Appends an element to the back of a collection.
689     ///
690     /// # Panics
691     ///
692     /// Panics if the number of elements in the vector overflows a `usize`.
693     ///
694     /// # Examples
695     ///
696     /// ```
697     /// let mut vec = vec![1, 2];
698     /// vec.push(3);
699     /// assert_eq!(vec, [1, 2, 3]);
700     /// ```
701     #[inline]
702     #[stable(feature = "rust1", since = "1.0.0")]
703     pub fn push(&mut self, value: T) {
704         // This will panic or abort if we would allocate > isize::MAX bytes
705         // or if the length increment would overflow for zero-sized types.
706         if self.len == self.buf.cap() {
707             self.buf.double();
708         }
709         unsafe {
710             let end = self.as_mut_ptr().offset(self.len as isize);
711             ptr::write(end, value);
712             self.len += 1;
713         }
714     }
715
716     /// Removes the last element from a vector and returns it, or `None` if it
717     /// is empty.
718     ///
719     /// # Examples
720     ///
721     /// ```
722     /// let mut vec = vec![1, 2, 3];
723     /// assert_eq!(vec.pop(), Some(3));
724     /// assert_eq!(vec, [1, 2]);
725     /// ```
726     #[inline]
727     #[stable(feature = "rust1", since = "1.0.0")]
728     pub fn pop(&mut self) -> Option<T> {
729         if self.len == 0 {
730             None
731         } else {
732             unsafe {
733                 self.len -= 1;
734                 Some(ptr::read(self.get_unchecked(self.len())))
735             }
736         }
737     }
738
739     /// Moves all the elements of `other` into `Self`, leaving `other` empty.
740     ///
741     /// # Panics
742     ///
743     /// Panics if the number of elements in the vector overflows a `usize`.
744     ///
745     /// # Examples
746     ///
747     /// ```
748     /// let mut vec = vec![1, 2, 3];
749     /// let mut vec2 = vec![4, 5, 6];
750     /// vec.append(&mut vec2);
751     /// assert_eq!(vec, [1, 2, 3, 4, 5, 6]);
752     /// assert_eq!(vec2, []);
753     /// ```
754     #[inline]
755     #[stable(feature = "append", since = "1.4.0")]
756     pub fn append(&mut self, other: &mut Self) {
757         self.reserve(other.len());
758         let len = self.len();
759         unsafe {
760             ptr::copy_nonoverlapping(other.as_ptr(), self.get_unchecked_mut(len), other.len());
761         }
762
763         self.len += other.len();
764         unsafe {
765             other.set_len(0);
766         }
767     }
768
769     /// Create a draining iterator that removes the specified range in the vector
770     /// and yields the removed items.
771     ///
772     /// Note 1: The element range is removed even if the iterator is not
773     /// consumed until the end.
774     ///
775     /// Note 2: It is unspecified how many elements are removed from the vector,
776     /// if the `Drain` value is leaked.
777     ///
778     /// # Panics
779     ///
780     /// Panics if the starting point is greater than the end point or if
781     /// the end point is greater than the length of the vector.
782     ///
783     /// # Examples
784     ///
785     /// ```
786     /// let mut v = vec![1, 2, 3];
787     /// let u: Vec<_> = v.drain(1..).collect();
788     /// assert_eq!(v, &[1]);
789     /// assert_eq!(u, &[2, 3]);
790     ///
791     /// // A full range clears the vector
792     /// v.drain(..);
793     /// assert_eq!(v, &[]);
794     /// ```
795     #[stable(feature = "drain", since = "1.6.0")]
796     pub fn drain<R>(&mut self, range: R) -> Drain<T>
797         where R: RangeArgument<usize>
798     {
799         // Memory safety
800         //
801         // When the Drain is first created, it shortens the length of
802         // the source vector to make sure no uninitalized or moved-from elements
803         // are accessible at all if the Drain's destructor never gets to run.
804         //
805         // Drain will ptr::read out the values to remove.
806         // When finished, remaining tail of the vec is copied back to cover
807         // the hole, and the vector length is restored to the new length.
808         //
809         let len = self.len();
810         let start = *range.start().unwrap_or(&0);
811         let end = *range.end().unwrap_or(&len);
812         assert!(start <= end);
813         assert!(end <= len);
814
815         unsafe {
816             // set self.vec length's to start, to be safe in case Drain is leaked
817             self.set_len(start);
818             // Use the borrow in the IterMut to indicate borrowing behavior of the
819             // whole Drain iterator (like &mut T).
820             let range_slice = slice::from_raw_parts_mut(self.as_mut_ptr().offset(start as isize),
821                                                         end - start);
822             Drain {
823                 tail_start: end,
824                 tail_len: len - end,
825                 iter: range_slice.iter_mut(),
826                 vec: self as *mut _,
827             }
828         }
829     }
830
831     /// Clears the vector, removing all values.
832     ///
833     /// # Examples
834     ///
835     /// ```
836     /// let mut v = vec![1, 2, 3];
837     ///
838     /// v.clear();
839     ///
840     /// assert!(v.is_empty());
841     /// ```
842     #[inline]
843     #[stable(feature = "rust1", since = "1.0.0")]
844     pub fn clear(&mut self) {
845         self.truncate(0)
846     }
847
848     /// Returns the number of elements in the vector.
849     ///
850     /// # Examples
851     ///
852     /// ```
853     /// let a = vec![1, 2, 3];
854     /// assert_eq!(a.len(), 3);
855     /// ```
856     #[inline]
857     #[stable(feature = "rust1", since = "1.0.0")]
858     pub fn len(&self) -> usize {
859         self.len
860     }
861
862     /// Returns `true` if the vector contains no elements.
863     ///
864     /// # Examples
865     ///
866     /// ```
867     /// let mut v = Vec::new();
868     /// assert!(v.is_empty());
869     ///
870     /// v.push(1);
871     /// assert!(!v.is_empty());
872     /// ```
873     #[stable(feature = "rust1", since = "1.0.0")]
874     pub fn is_empty(&self) -> bool {
875         self.len() == 0
876     }
877
878     /// Splits the collection into two at the given index.
879     ///
880     /// Returns a newly allocated `Self`. `self` contains elements `[0, at)`,
881     /// and the returned `Self` contains elements `[at, len)`.
882     ///
883     /// Note that the capacity of `self` does not change.
884     ///
885     /// # Panics
886     ///
887     /// Panics if `at > len`.
888     ///
889     /// # Examples
890     ///
891     /// ```
892     /// let mut vec = vec![1,2,3];
893     /// let vec2 = vec.split_off(1);
894     /// assert_eq!(vec, [1]);
895     /// assert_eq!(vec2, [2, 3]);
896     /// ```
897     #[inline]
898     #[stable(feature = "split_off", since = "1.4.0")]
899     pub fn split_off(&mut self, at: usize) -> Self {
900         assert!(at <= self.len(), "`at` out of bounds");
901
902         let other_len = self.len - at;
903         let mut other = Vec::with_capacity(other_len);
904
905         // Unsafely `set_len` and copy items to `other`.
906         unsafe {
907             self.set_len(at);
908             other.set_len(other_len);
909
910             ptr::copy_nonoverlapping(self.as_ptr().offset(at as isize),
911                                      other.as_mut_ptr(),
912                                      other.len());
913         }
914         other
915     }
916 }
917
918 impl<T: Clone> Vec<T> {
919     /// Resizes the `Vec` in-place so that `len()` is equal to `new_len`.
920     ///
921     /// If `new_len` is greater than `len()`, the `Vec` is extended by the
922     /// difference, with each additional slot filled with `value`.
923     /// If `new_len` is less than `len()`, the `Vec` is simply truncated.
924     ///
925     /// # Examples
926     ///
927     /// ```
928     /// let mut vec = vec!["hello"];
929     /// vec.resize(3, "world");
930     /// assert_eq!(vec, ["hello", "world", "world"]);
931     ///
932     /// let mut vec = vec![1, 2, 3, 4];
933     /// vec.resize(2, 0);
934     /// assert_eq!(vec, [1, 2]);
935     /// ```
936     #[stable(feature = "vec_resize", since = "1.5.0")]
937     pub fn resize(&mut self, new_len: usize, value: T) {
938         let len = self.len();
939
940         if new_len > len {
941             self.extend_with_element(new_len - len, value);
942         } else {
943             self.truncate(new_len);
944         }
945     }
946
947     /// Extend the vector by `n` additional clones of `value`.
948     fn extend_with_element(&mut self, n: usize, value: T) {
949         self.reserve(n);
950
951         unsafe {
952             let len = self.len();
953             let mut ptr = self.as_mut_ptr().offset(len as isize);
954             // Write all elements except the last one
955             for i in 1..n {
956                 ptr::write(ptr, value.clone());
957                 ptr = ptr.offset(1);
958                 // Increment the length in every step in case clone() panics
959                 self.set_len(len + i);
960             }
961
962             if n > 0 {
963                 // We can write the last element directly without cloning needlessly
964                 ptr::write(ptr, value);
965                 self.set_len(len + n);
966             }
967         }
968     }
969
970     #[allow(missing_docs)]
971     #[inline]
972     #[unstable(feature = "vec_push_all",
973                reason = "likely to be replaced by a more optimized extend",
974                issue = "27744")]
975     #[rustc_deprecated(reason = "renamed to extend_from_slice",
976                        since = "1.6.0")]
977     pub fn push_all(&mut self, other: &[T]) {
978         self.extend_from_slice(other)
979     }
980
981     /// Appends all elements in a slice to the `Vec`.
982     ///
983     /// Iterates over the slice `other`, clones each element, and then appends
984     /// it to this `Vec`. The `other` vector is traversed in-order.
985     ///
986     /// Note that this function is same as `extend` except that it is
987     /// specialized to work with slices instead. If and when Rust gets
988     /// specialization this function will likely be deprecated (but still
989     /// available).
990     ///
991     /// # Examples
992     ///
993     /// ```
994     /// let mut vec = vec![1];
995     /// vec.extend_from_slice(&[2, 3, 4]);
996     /// assert_eq!(vec, [1, 2, 3, 4]);
997     /// ```
998     #[stable(feature = "vec_extend_from_slice", since = "1.6.0")]
999     pub fn extend_from_slice(&mut self, other: &[T]) {
1000         self.reserve(other.len());
1001
1002         for i in 0..other.len() {
1003             let len = self.len();
1004
1005             // Unsafe code so this can be optimised to a memcpy (or something
1006             // similarly fast) when T is Copy. LLVM is easily confused, so any
1007             // extra operations during the loop can prevent this optimisation.
1008             unsafe {
1009                 ptr::write(self.get_unchecked_mut(len), other.get_unchecked(i).clone());
1010                 self.set_len(len + 1);
1011             }
1012         }
1013     }
1014 }
1015
1016 impl<T: PartialEq> Vec<T> {
1017     /// Removes consecutive repeated elements in the vector.
1018     ///
1019     /// If the vector is sorted, this removes all duplicates.
1020     ///
1021     /// # Examples
1022     ///
1023     /// ```
1024     /// let mut vec = vec![1, 2, 2, 3, 2];
1025     ///
1026     /// vec.dedup();
1027     ///
1028     /// assert_eq!(vec, [1, 2, 3, 2]);
1029     /// ```
1030     #[stable(feature = "rust1", since = "1.0.0")]
1031     pub fn dedup(&mut self) {
1032         unsafe {
1033             // Although we have a mutable reference to `self`, we cannot make
1034             // *arbitrary* changes. The `PartialEq` comparisons could panic, so we
1035             // must ensure that the vector is in a valid state at all time.
1036             //
1037             // The way that we handle this is by using swaps; we iterate
1038             // over all the elements, swapping as we go so that at the end
1039             // the elements we wish to keep are in the front, and those we
1040             // wish to reject are at the back. We can then truncate the
1041             // vector. This operation is still O(n).
1042             //
1043             // Example: We start in this state, where `r` represents "next
1044             // read" and `w` represents "next_write`.
1045             //
1046             //           r
1047             //     +---+---+---+---+---+---+
1048             //     | 0 | 1 | 1 | 2 | 3 | 3 |
1049             //     +---+---+---+---+---+---+
1050             //           w
1051             //
1052             // Comparing self[r] against self[w-1], this is not a duplicate, so
1053             // we swap self[r] and self[w] (no effect as r==w) and then increment both
1054             // r and w, leaving us with:
1055             //
1056             //               r
1057             //     +---+---+---+---+---+---+
1058             //     | 0 | 1 | 1 | 2 | 3 | 3 |
1059             //     +---+---+---+---+---+---+
1060             //               w
1061             //
1062             // Comparing self[r] against self[w-1], this value is a duplicate,
1063             // so we increment `r` but leave everything else unchanged:
1064             //
1065             //                   r
1066             //     +---+---+---+---+---+---+
1067             //     | 0 | 1 | 1 | 2 | 3 | 3 |
1068             //     +---+---+---+---+---+---+
1069             //               w
1070             //
1071             // Comparing self[r] against self[w-1], this is not a duplicate,
1072             // so swap self[r] and self[w] and advance r and w:
1073             //
1074             //                       r
1075             //     +---+---+---+---+---+---+
1076             //     | 0 | 1 | 2 | 1 | 3 | 3 |
1077             //     +---+---+---+---+---+---+
1078             //                   w
1079             //
1080             // Not a duplicate, repeat:
1081             //
1082             //                           r
1083             //     +---+---+---+---+---+---+
1084             //     | 0 | 1 | 2 | 3 | 1 | 3 |
1085             //     +---+---+---+---+---+---+
1086             //                       w
1087             //
1088             // Duplicate, advance r. End of vec. Truncate to w.
1089
1090             let ln = self.len();
1091             if ln <= 1 {
1092                 return;
1093             }
1094
1095             // Avoid bounds checks by using raw pointers.
1096             let p = self.as_mut_ptr();
1097             let mut r: usize = 1;
1098             let mut w: usize = 1;
1099
1100             while r < ln {
1101                 let p_r = p.offset(r as isize);
1102                 let p_wm1 = p.offset((w - 1) as isize);
1103                 if *p_r != *p_wm1 {
1104                     if r != w {
1105                         let p_w = p_wm1.offset(1);
1106                         mem::swap(&mut *p_r, &mut *p_w);
1107                     }
1108                     w += 1;
1109                 }
1110                 r += 1;
1111             }
1112
1113             self.truncate(w);
1114         }
1115     }
1116 }
1117
1118 ////////////////////////////////////////////////////////////////////////////////
1119 // Internal methods and functions
1120 ////////////////////////////////////////////////////////////////////////////////
1121
1122 #[doc(hidden)]
1123 #[stable(feature = "rust1", since = "1.0.0")]
1124 pub fn from_elem<T: Clone>(elem: T, n: usize) -> Vec<T> {
1125     let mut v = Vec::with_capacity(n);
1126     v.extend_with_element(n, elem);
1127     v
1128 }
1129
1130 ////////////////////////////////////////////////////////////////////////////////
1131 // Common trait implementations for Vec
1132 ////////////////////////////////////////////////////////////////////////////////
1133
1134 #[stable(feature = "rust1", since = "1.0.0")]
1135 impl<T: Clone> Clone for Vec<T> {
1136     #[cfg(not(test))]
1137     fn clone(&self) -> Vec<T> {
1138         <[T]>::to_vec(&**self)
1139     }
1140
1141     // HACK(japaric): with cfg(test) the inherent `[T]::to_vec` method, which is
1142     // required for this method definition, is not available. Instead use the
1143     // `slice::to_vec`  function which is only available with cfg(test)
1144     // NB see the slice::hack module in slice.rs for more information
1145     #[cfg(test)]
1146     fn clone(&self) -> Vec<T> {
1147         ::slice::to_vec(&**self)
1148     }
1149
1150     fn clone_from(&mut self, other: &Vec<T>) {
1151         // drop anything in self that will not be overwritten
1152         self.truncate(other.len());
1153         let len = self.len();
1154
1155         // reuse the contained values' allocations/resources.
1156         self.clone_from_slice(&other[..len]);
1157
1158         // self.len <= other.len due to the truncate above, so the
1159         // slice here is always in-bounds.
1160         self.extend_from_slice(&other[len..]);
1161     }
1162 }
1163
1164 #[stable(feature = "rust1", since = "1.0.0")]
1165 impl<T: Hash> Hash for Vec<T> {
1166     #[inline]
1167     fn hash<H: hash::Hasher>(&self, state: &mut H) {
1168         Hash::hash(&**self, state)
1169     }
1170 }
1171
1172 #[stable(feature = "rust1", since = "1.0.0")]
1173 impl<T> Index<usize> for Vec<T> {
1174     type Output = T;
1175
1176     #[inline]
1177     fn index(&self, index: usize) -> &T {
1178         // NB built-in indexing via `&[T]`
1179         &(**self)[index]
1180     }
1181 }
1182
1183 #[stable(feature = "rust1", since = "1.0.0")]
1184 impl<T> IndexMut<usize> for Vec<T> {
1185     #[inline]
1186     fn index_mut(&mut self, index: usize) -> &mut T {
1187         // NB built-in indexing via `&mut [T]`
1188         &mut (**self)[index]
1189     }
1190 }
1191
1192
1193 #[stable(feature = "rust1", since = "1.0.0")]
1194 impl<T> ops::Index<ops::Range<usize>> for Vec<T> {
1195     type Output = [T];
1196
1197     #[inline]
1198     fn index(&self, index: ops::Range<usize>) -> &[T] {
1199         Index::index(&**self, index)
1200     }
1201 }
1202 #[stable(feature = "rust1", since = "1.0.0")]
1203 impl<T> ops::Index<ops::RangeTo<usize>> for Vec<T> {
1204     type Output = [T];
1205
1206     #[inline]
1207     fn index(&self, index: ops::RangeTo<usize>) -> &[T] {
1208         Index::index(&**self, index)
1209     }
1210 }
1211 #[stable(feature = "rust1", since = "1.0.0")]
1212 impl<T> ops::Index<ops::RangeFrom<usize>> for Vec<T> {
1213     type Output = [T];
1214
1215     #[inline]
1216     fn index(&self, index: ops::RangeFrom<usize>) -> &[T] {
1217         Index::index(&**self, index)
1218     }
1219 }
1220 #[stable(feature = "rust1", since = "1.0.0")]
1221 impl<T> ops::Index<ops::RangeFull> for Vec<T> {
1222     type Output = [T];
1223
1224     #[inline]
1225     fn index(&self, _index: ops::RangeFull) -> &[T] {
1226         self
1227     }
1228 }
1229
1230 #[stable(feature = "rust1", since = "1.0.0")]
1231 impl<T> ops::IndexMut<ops::Range<usize>> for Vec<T> {
1232     #[inline]
1233     fn index_mut(&mut self, index: ops::Range<usize>) -> &mut [T] {
1234         IndexMut::index_mut(&mut **self, index)
1235     }
1236 }
1237 #[stable(feature = "rust1", since = "1.0.0")]
1238 impl<T> ops::IndexMut<ops::RangeTo<usize>> for Vec<T> {
1239     #[inline]
1240     fn index_mut(&mut self, index: ops::RangeTo<usize>) -> &mut [T] {
1241         IndexMut::index_mut(&mut **self, index)
1242     }
1243 }
1244 #[stable(feature = "rust1", since = "1.0.0")]
1245 impl<T> ops::IndexMut<ops::RangeFrom<usize>> for Vec<T> {
1246     #[inline]
1247     fn index_mut(&mut self, index: ops::RangeFrom<usize>) -> &mut [T] {
1248         IndexMut::index_mut(&mut **self, index)
1249     }
1250 }
1251 #[stable(feature = "rust1", since = "1.0.0")]
1252 impl<T> ops::IndexMut<ops::RangeFull> for Vec<T> {
1253     #[inline]
1254     fn index_mut(&mut self, _index: ops::RangeFull) -> &mut [T] {
1255         self
1256     }
1257 }
1258
1259 #[stable(feature = "rust1", since = "1.0.0")]
1260 impl<T> ops::Deref for Vec<T> {
1261     type Target = [T];
1262
1263     fn deref(&self) -> &[T] {
1264         unsafe {
1265             let p = self.buf.ptr();
1266             assume(!p.is_null());
1267             slice::from_raw_parts(p, self.len)
1268         }
1269     }
1270 }
1271
1272 #[stable(feature = "rust1", since = "1.0.0")]
1273 impl<T> ops::DerefMut for Vec<T> {
1274     fn deref_mut(&mut self) -> &mut [T] {
1275         unsafe {
1276             let ptr = self.buf.ptr();
1277             assume(!ptr.is_null());
1278             slice::from_raw_parts_mut(ptr, self.len)
1279         }
1280     }
1281 }
1282
1283 #[stable(feature = "rust1", since = "1.0.0")]
1284 impl<T> FromIterator<T> for Vec<T> {
1285     #[inline]
1286     fn from_iter<I: IntoIterator<Item = T>>(iterable: I) -> Vec<T> {
1287         // Unroll the first iteration, as the vector is going to be
1288         // expanded on this iteration in every case when the iterable is not
1289         // empty, but the loop in extend_desugared() is not going to see the
1290         // vector being full in the few subsequent loop iterations.
1291         // So we get better branch prediction.
1292         let mut iterator = iterable.into_iter();
1293         let mut vector = match iterator.next() {
1294             None => return Vec::new(),
1295             Some(element) => {
1296                 let (lower, _) = iterator.size_hint();
1297                 let mut vector = Vec::with_capacity(lower.saturating_add(1));
1298                 unsafe {
1299                     ptr::write(vector.get_unchecked_mut(0), element);
1300                     vector.set_len(1);
1301                 }
1302                 vector
1303             }
1304         };
1305         vector.extend_desugared(iterator);
1306         vector
1307     }
1308 }
1309
1310 #[stable(feature = "rust1", since = "1.0.0")]
1311 impl<T> IntoIterator for Vec<T> {
1312     type Item = T;
1313     type IntoIter = IntoIter<T>;
1314
1315     /// Creates a consuming iterator, that is, one that moves each value out of
1316     /// the vector (from start to end). The vector cannot be used after calling
1317     /// this.
1318     ///
1319     /// # Examples
1320     ///
1321     /// ```
1322     /// let v = vec!["a".to_string(), "b".to_string()];
1323     /// for s in v.into_iter() {
1324     ///     // s has type String, not &String
1325     ///     println!("{}", s);
1326     /// }
1327     /// ```
1328     #[inline]
1329     fn into_iter(mut self) -> IntoIter<T> {
1330         unsafe {
1331             let ptr = self.as_mut_ptr();
1332             assume(!ptr.is_null());
1333             let begin = ptr as *const T;
1334             let end = if mem::size_of::<T>() == 0 {
1335                 arith_offset(ptr as *const i8, self.len() as isize) as *const T
1336             } else {
1337                 ptr.offset(self.len() as isize) as *const T
1338             };
1339             let buf = ptr::read(&self.buf);
1340             mem::forget(self);
1341             IntoIter {
1342                 _buf: buf,
1343                 ptr: begin,
1344                 end: end,
1345             }
1346         }
1347     }
1348 }
1349
1350 #[stable(feature = "rust1", since = "1.0.0")]
1351 impl<'a, T> IntoIterator for &'a Vec<T> {
1352     type Item = &'a T;
1353     type IntoIter = slice::Iter<'a, T>;
1354
1355     fn into_iter(self) -> slice::Iter<'a, T> {
1356         self.iter()
1357     }
1358 }
1359
1360 #[stable(feature = "rust1", since = "1.0.0")]
1361 impl<'a, T> IntoIterator for &'a mut Vec<T> {
1362     type Item = &'a mut T;
1363     type IntoIter = slice::IterMut<'a, T>;
1364
1365     fn into_iter(mut self) -> slice::IterMut<'a, T> {
1366         self.iter_mut()
1367     }
1368 }
1369
1370 #[stable(feature = "rust1", since = "1.0.0")]
1371 impl<T> Extend<T> for Vec<T> {
1372     #[inline]
1373     fn extend<I: IntoIterator<Item = T>>(&mut self, iterable: I) {
1374         self.extend_desugared(iterable.into_iter())
1375     }
1376 }
1377
1378 impl<T> Vec<T> {
1379     fn extend_desugared<I: Iterator<Item = T>>(&mut self, mut iterator: I) {
1380         // This function should be the moral equivalent of:
1381         //
1382         //      for item in iterator {
1383         //          self.push(item);
1384         //      }
1385         while let Some(element) = iterator.next() {
1386             let len = self.len();
1387             if len == self.capacity() {
1388                 let (lower, _) = iterator.size_hint();
1389                 self.reserve(lower.saturating_add(1));
1390             }
1391             unsafe {
1392                 ptr::write(self.get_unchecked_mut(len), element);
1393                 // NB can't overflow since we would have had to alloc the address space
1394                 self.set_len(len + 1);
1395             }
1396         }
1397     }
1398 }
1399
1400 #[stable(feature = "extend_ref", since = "1.2.0")]
1401 impl<'a, T: 'a + Copy> Extend<&'a T> for Vec<T> {
1402     fn extend<I: IntoIterator<Item = &'a T>>(&mut self, iter: I) {
1403         self.extend(iter.into_iter().cloned());
1404     }
1405 }
1406
1407 macro_rules! __impl_slice_eq1 {
1408     ($Lhs: ty, $Rhs: ty) => {
1409         __impl_slice_eq1! { $Lhs, $Rhs, Sized }
1410     };
1411     ($Lhs: ty, $Rhs: ty, $Bound: ident) => {
1412         #[stable(feature = "rust1", since = "1.0.0")]
1413         impl<'a, 'b, A: $Bound, B> PartialEq<$Rhs> for $Lhs where A: PartialEq<B> {
1414             #[inline]
1415             fn eq(&self, other: &$Rhs) -> bool { self[..] == other[..] }
1416             #[inline]
1417             fn ne(&self, other: &$Rhs) -> bool { self[..] != other[..] }
1418         }
1419     }
1420 }
1421
1422 __impl_slice_eq1! { Vec<A>, Vec<B> }
1423 __impl_slice_eq1! { Vec<A>, &'b [B] }
1424 __impl_slice_eq1! { Vec<A>, &'b mut [B] }
1425 __impl_slice_eq1! { Cow<'a, [A]>, &'b [B], Clone }
1426 __impl_slice_eq1! { Cow<'a, [A]>, &'b mut [B], Clone }
1427 __impl_slice_eq1! { Cow<'a, [A]>, Vec<B>, Clone }
1428
1429 macro_rules! array_impls {
1430     ($($N: expr)+) => {
1431         $(
1432             // NOTE: some less important impls are omitted to reduce code bloat
1433             __impl_slice_eq1! { Vec<A>, [B; $N] }
1434             __impl_slice_eq1! { Vec<A>, &'b [B; $N] }
1435             // __impl_slice_eq1! { Vec<A>, &'b mut [B; $N] }
1436             // __impl_slice_eq1! { Cow<'a, [A]>, [B; $N], Clone }
1437             // __impl_slice_eq1! { Cow<'a, [A]>, &'b [B; $N], Clone }
1438             // __impl_slice_eq1! { Cow<'a, [A]>, &'b mut [B; $N], Clone }
1439         )+
1440     }
1441 }
1442
1443 array_impls! {
1444      0  1  2  3  4  5  6  7  8  9
1445     10 11 12 13 14 15 16 17 18 19
1446     20 21 22 23 24 25 26 27 28 29
1447     30 31 32
1448 }
1449
1450 #[stable(feature = "rust1", since = "1.0.0")]
1451 impl<T: PartialOrd> PartialOrd for Vec<T> {
1452     #[inline]
1453     fn partial_cmp(&self, other: &Vec<T>) -> Option<Ordering> {
1454         PartialOrd::partial_cmp(&**self, &**other)
1455     }
1456 }
1457
1458 #[stable(feature = "rust1", since = "1.0.0")]
1459 impl<T: Eq> Eq for Vec<T> {}
1460
1461 #[stable(feature = "rust1", since = "1.0.0")]
1462 impl<T: Ord> Ord for Vec<T> {
1463     #[inline]
1464     fn cmp(&self, other: &Vec<T>) -> Ordering {
1465         Ord::cmp(&**self, &**other)
1466     }
1467 }
1468
1469 #[stable(feature = "rust1", since = "1.0.0")]
1470 impl<T> Drop for Vec<T> {
1471     #[unsafe_destructor_blind_to_params]
1472     fn drop(&mut self) {
1473         if self.buf.unsafe_no_drop_flag_needs_drop() {
1474             unsafe {
1475                 // use drop for [T]
1476                 ptr::drop_in_place(&mut self[..]);
1477             }
1478         }
1479         // RawVec handles deallocation
1480     }
1481 }
1482
1483 #[stable(feature = "rust1", since = "1.0.0")]
1484 impl<T> Default for Vec<T> {
1485     fn default() -> Vec<T> {
1486         Vec::new()
1487     }
1488 }
1489
1490 #[stable(feature = "rust1", since = "1.0.0")]
1491 impl<T: fmt::Debug> fmt::Debug for Vec<T> {
1492     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1493         fmt::Debug::fmt(&**self, f)
1494     }
1495 }
1496
1497 #[stable(feature = "rust1", since = "1.0.0")]
1498 impl<T> AsRef<Vec<T>> for Vec<T> {
1499     fn as_ref(&self) -> &Vec<T> {
1500         self
1501     }
1502 }
1503
1504 #[stable(feature = "vec_as_mut", since = "1.5.0")]
1505 impl<T> AsMut<Vec<T>> for Vec<T> {
1506     fn as_mut(&mut self) -> &mut Vec<T> {
1507         self
1508     }
1509 }
1510
1511 #[stable(feature = "rust1", since = "1.0.0")]
1512 impl<T> AsRef<[T]> for Vec<T> {
1513     fn as_ref(&self) -> &[T] {
1514         self
1515     }
1516 }
1517
1518 #[stable(feature = "vec_as_mut", since = "1.5.0")]
1519 impl<T> AsMut<[T]> for Vec<T> {
1520     fn as_mut(&mut self) -> &mut [T] {
1521         self
1522     }
1523 }
1524
1525 #[stable(feature = "rust1", since = "1.0.0")]
1526 impl<'a, T: Clone> From<&'a [T]> for Vec<T> {
1527     #[cfg(not(test))]
1528     fn from(s: &'a [T]) -> Vec<T> {
1529         s.to_vec()
1530     }
1531     #[cfg(test)]
1532     fn from(s: &'a [T]) -> Vec<T> {
1533         ::slice::to_vec(s)
1534     }
1535 }
1536
1537 #[stable(feature = "rust1", since = "1.0.0")]
1538 impl<'a> From<&'a str> for Vec<u8> {
1539     fn from(s: &'a str) -> Vec<u8> {
1540         From::from(s.as_bytes())
1541     }
1542 }
1543
1544 ////////////////////////////////////////////////////////////////////////////////
1545 // Clone-on-write
1546 ////////////////////////////////////////////////////////////////////////////////
1547
1548 #[stable(feature = "cow_from_vec", since = "1.7.0")]
1549 impl<'a, T: Clone> From<&'a [T]> for Cow<'a, [T]> {
1550     fn from(s: &'a [T]) -> Cow<'a, [T]> {
1551         Cow::Borrowed(s)
1552     }
1553 }
1554
1555 #[stable(feature = "cow_from_vec", since = "1.7.0")]
1556 impl<'a, T: Clone> From<Vec<T>> for Cow<'a, [T]> {
1557     fn from(v: Vec<T>) -> Cow<'a, [T]> {
1558         Cow::Owned(v)
1559     }
1560 }
1561
1562 #[stable(feature = "rust1", since = "1.0.0")]
1563 impl<'a, T> FromIterator<T> for Cow<'a, [T]> where T: Clone {
1564     fn from_iter<I: IntoIterator<Item = T>>(it: I) -> Cow<'a, [T]> {
1565         Cow::Owned(FromIterator::from_iter(it))
1566     }
1567 }
1568
1569 #[stable(feature = "rust1", since = "1.0.0")]
1570 #[allow(deprecated)]
1571 impl<'a, T: 'a> IntoCow<'a, [T]> for Vec<T> where T: Clone {
1572     fn into_cow(self) -> Cow<'a, [T]> {
1573         Cow::Owned(self)
1574     }
1575 }
1576
1577 #[stable(feature = "rust1", since = "1.0.0")]
1578 #[allow(deprecated)]
1579 impl<'a, T> IntoCow<'a, [T]> for &'a [T] where T: Clone {
1580     fn into_cow(self) -> Cow<'a, [T]> {
1581         Cow::Borrowed(self)
1582     }
1583 }
1584
1585 ////////////////////////////////////////////////////////////////////////////////
1586 // Iterators
1587 ////////////////////////////////////////////////////////////////////////////////
1588
1589 /// An iterator that moves out of a vector.
1590 #[stable(feature = "rust1", since = "1.0.0")]
1591 pub struct IntoIter<T> {
1592     _buf: RawVec<T>,
1593     ptr: *const T,
1594     end: *const T,
1595 }
1596
1597 #[stable(feature = "rust1", since = "1.0.0")]
1598 unsafe impl<T: Send> Send for IntoIter<T> {}
1599 #[stable(feature = "rust1", since = "1.0.0")]
1600 unsafe impl<T: Sync> Sync for IntoIter<T> {}
1601
1602 #[stable(feature = "rust1", since = "1.0.0")]
1603 impl<T> Iterator for IntoIter<T> {
1604     type Item = T;
1605
1606     #[inline]
1607     fn next(&mut self) -> Option<T> {
1608         unsafe {
1609             if self.ptr == self.end {
1610                 None
1611             } else {
1612                 if mem::size_of::<T>() == 0 {
1613                     // purposefully don't use 'ptr.offset' because for
1614                     // vectors with 0-size elements this would return the
1615                     // same pointer.
1616                     self.ptr = arith_offset(self.ptr as *const i8, 1) as *const T;
1617
1618                     // Use a non-null pointer value
1619                     Some(ptr::read(EMPTY as *mut T))
1620                 } else {
1621                     let old = self.ptr;
1622                     self.ptr = self.ptr.offset(1);
1623
1624                     Some(ptr::read(old))
1625                 }
1626             }
1627         }
1628     }
1629
1630     #[inline]
1631     fn size_hint(&self) -> (usize, Option<usize>) {
1632         let diff = (self.end as usize) - (self.ptr as usize);
1633         let size = mem::size_of::<T>();
1634         let exact = diff /
1635                     (if size == 0 {
1636                          1
1637                      } else {
1638                          size
1639                      });
1640         (exact, Some(exact))
1641     }
1642
1643     #[inline]
1644     fn count(self) -> usize {
1645         self.size_hint().0
1646     }
1647 }
1648
1649 #[stable(feature = "rust1", since = "1.0.0")]
1650 impl<T> DoubleEndedIterator for IntoIter<T> {
1651     #[inline]
1652     fn next_back(&mut self) -> Option<T> {
1653         unsafe {
1654             if self.end == self.ptr {
1655                 None
1656             } else {
1657                 if mem::size_of::<T>() == 0 {
1658                     // See above for why 'ptr.offset' isn't used
1659                     self.end = arith_offset(self.end as *const i8, -1) as *const T;
1660
1661                     // Use a non-null pointer value
1662                     Some(ptr::read(EMPTY as *mut T))
1663                 } else {
1664                     self.end = self.end.offset(-1);
1665
1666                     Some(ptr::read(self.end))
1667                 }
1668             }
1669         }
1670     }
1671 }
1672
1673 #[stable(feature = "rust1", since = "1.0.0")]
1674 impl<T> ExactSizeIterator for IntoIter<T> {}
1675
1676 #[stable(feature = "vec_into_iter_clone", since = "1.8.0")]
1677 impl<T: Clone> Clone for IntoIter<T> {
1678     fn clone(&self) -> IntoIter<T> {
1679         unsafe {
1680             slice::from_raw_parts(self.ptr, self.len()).to_owned().into_iter()
1681         }
1682     }
1683 }
1684
1685 #[stable(feature = "rust1", since = "1.0.0")]
1686 impl<T> Drop for IntoIter<T> {
1687     #[unsafe_destructor_blind_to_params]
1688     fn drop(&mut self) {
1689         // destroy the remaining elements
1690         for _x in self {}
1691
1692         // RawVec handles deallocation
1693     }
1694 }
1695
1696 /// A draining iterator for `Vec<T>`.
1697 #[stable(feature = "drain", since = "1.6.0")]
1698 pub struct Drain<'a, T: 'a> {
1699     /// Index of tail to preserve
1700     tail_start: usize,
1701     /// Length of tail
1702     tail_len: usize,
1703     /// Current remaining range to remove
1704     iter: slice::IterMut<'a, T>,
1705     vec: *mut Vec<T>,
1706 }
1707
1708 #[stable(feature = "drain", since = "1.6.0")]
1709 unsafe impl<'a, T: Sync> Sync for Drain<'a, T> {}
1710 #[stable(feature = "drain", since = "1.6.0")]
1711 unsafe impl<'a, T: Send> Send for Drain<'a, T> {}
1712
1713 #[stable(feature = "rust1", since = "1.0.0")]
1714 impl<'a, T> Iterator for Drain<'a, T> {
1715     type Item = T;
1716
1717     #[inline]
1718     fn next(&mut self) -> Option<T> {
1719         self.iter.next().map(|elt| unsafe { ptr::read(elt as *const _) })
1720     }
1721
1722     fn size_hint(&self) -> (usize, Option<usize>) {
1723         self.iter.size_hint()
1724     }
1725 }
1726
1727 #[stable(feature = "rust1", since = "1.0.0")]
1728 impl<'a, T> DoubleEndedIterator for Drain<'a, T> {
1729     #[inline]
1730     fn next_back(&mut self) -> Option<T> {
1731         self.iter.next_back().map(|elt| unsafe { ptr::read(elt as *const _) })
1732     }
1733 }
1734
1735 #[stable(feature = "rust1", since = "1.0.0")]
1736 impl<'a, T> Drop for Drain<'a, T> {
1737     fn drop(&mut self) {
1738         // exhaust self first
1739         while let Some(_) = self.next() {}
1740
1741         if self.tail_len > 0 {
1742             unsafe {
1743                 let source_vec = &mut *self.vec;
1744                 // memmove back untouched tail, update to new length
1745                 let start = source_vec.len();
1746                 let tail = self.tail_start;
1747                 let src = source_vec.as_ptr().offset(tail as isize);
1748                 let dst = source_vec.as_mut_ptr().offset(start as isize);
1749                 ptr::copy(src, dst, self.tail_len);
1750                 source_vec.set_len(start + self.tail_len);
1751             }
1752         }
1753     }
1754 }
1755
1756
1757 #[stable(feature = "rust1", since = "1.0.0")]
1758 impl<'a, T> ExactSizeIterator for Drain<'a, T> {}