]> git.lizzy.rs Git - rust.git/blob - src/libcollections/vec_map.rs
make `IndexMut` a super trait over `Index`
[rust.git] / src / libcollections / vec_map.rs
1 // Copyright 2012-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 simple map based on a vector for small integer keys. Space requirements
12 //! are O(highest integer key).
13
14 #![allow(missing_docs)]
15
16 use self::Entry::*;
17
18 use core::prelude::*;
19
20 use core::cmp::Ordering;
21 use core::default::Default;
22 use core::fmt;
23 use core::hash::{Hash, Writer, Hasher};
24 use core::iter::{Enumerate, FilterMap, Map, FromIterator, IntoIterator};
25 use core::iter;
26 use core::mem::replace;
27 use core::ops::{Index, IndexMut};
28
29 use {vec, slice};
30 use vec::Vec;
31
32 /// A map optimized for small integer keys.
33 ///
34 /// # Examples
35 ///
36 /// ```
37 /// use std::collections::VecMap;
38 ///
39 /// let mut months = VecMap::new();
40 /// months.insert(1, "Jan");
41 /// months.insert(2, "Feb");
42 /// months.insert(3, "Mar");
43 ///
44 /// if !months.contains_key(&12) {
45 ///     println!("The end is near!");
46 /// }
47 ///
48 /// assert_eq!(months.get(&1), Some(&"Jan"));
49 ///
50 /// match months.get_mut(&3) {
51 ///     Some(value) => *value = "Venus",
52 ///     None => (),
53 /// }
54 ///
55 /// assert_eq!(months.get(&3), Some(&"Venus"));
56 ///
57 /// // Print out all months
58 /// for (key, value) in months.iter() {
59 ///     println!("month {} is {}", key, value);
60 /// }
61 ///
62 /// months.clear();
63 /// assert!(months.is_empty());
64 /// ```
65 pub struct VecMap<V> {
66     v: Vec<Option<V>>,
67 }
68
69 /// A view into a single entry in a map, which may either be vacant or occupied.
70 #[unstable(feature = "collections",
71            reason = "precise API still under development")]
72 pub enum Entry<'a, V:'a> {
73     /// A vacant Entry
74     Vacant(VacantEntry<'a, V>),
75     /// An occupied Entry
76     Occupied(OccupiedEntry<'a, V>),
77 }
78
79 /// A vacant Entry.
80 #[unstable(feature = "collections",
81            reason = "precise API still under development")]
82 pub struct VacantEntry<'a, V:'a> {
83     map: &'a mut VecMap<V>,
84     index: usize,
85 }
86
87 /// An occupied Entry.
88 #[unstable(feature = "collections",
89            reason = "precise API still under development")]
90 pub struct OccupiedEntry<'a, V:'a> {
91     map: &'a mut VecMap<V>,
92     index: usize,
93 }
94
95 #[stable(feature = "rust1", since = "1.0.0")]
96 impl<V> Default for VecMap<V> {
97     #[stable(feature = "rust1", since = "1.0.0")]
98     #[inline]
99     fn default() -> VecMap<V> { VecMap::new() }
100 }
101
102 impl<V:Clone> Clone for VecMap<V> {
103     #[inline]
104     fn clone(&self) -> VecMap<V> {
105         VecMap { v: self.v.clone() }
106     }
107
108     #[inline]
109     fn clone_from(&mut self, source: &VecMap<V>) {
110         self.v.clone_from(&source.v);
111     }
112 }
113
114 impl<S: Writer + Hasher, V: Hash<S>> Hash<S> for VecMap<V> {
115     fn hash(&self, state: &mut S) {
116         // In order to not traverse the `VecMap` twice, count the elements
117         // during iteration.
118         let mut count: usize = 0;
119         for elt in self {
120             elt.hash(state);
121             count += 1;
122         }
123         count.hash(state);
124     }
125 }
126
127 impl<V> VecMap<V> {
128     /// Creates an empty `VecMap`.
129     ///
130     /// # Examples
131     ///
132     /// ```
133     /// use std::collections::VecMap;
134     /// let mut map: VecMap<&str> = VecMap::new();
135     /// ```
136     #[stable(feature = "rust1", since = "1.0.0")]
137     pub fn new() -> VecMap<V> { VecMap { v: vec![] } }
138
139     /// Creates an empty `VecMap` with space for at least `capacity`
140     /// elements before resizing.
141     ///
142     /// # Examples
143     ///
144     /// ```
145     /// use std::collections::VecMap;
146     /// let mut map: VecMap<&str> = VecMap::with_capacity(10);
147     /// ```
148     #[stable(feature = "rust1", since = "1.0.0")]
149     pub fn with_capacity(capacity: usize) -> VecMap<V> {
150         VecMap { v: Vec::with_capacity(capacity) }
151     }
152
153     /// Returns the number of elements the `VecMap` can hold without
154     /// reallocating.
155     ///
156     /// # Examples
157     ///
158     /// ```
159     /// use std::collections::VecMap;
160     /// let map: VecMap<String> = VecMap::with_capacity(10);
161     /// assert!(map.capacity() >= 10);
162     /// ```
163     #[inline]
164     #[stable(feature = "rust1", since = "1.0.0")]
165     pub fn capacity(&self) -> usize {
166         self.v.capacity()
167     }
168
169     /// Reserves capacity for the given `VecMap` to contain `len` distinct keys.
170     /// In the case of `VecMap` this means reallocations will not occur as long
171     /// as all inserted keys are less than `len`.
172     ///
173     /// The collection may reserve more space to avoid frequent reallocations.
174     ///
175     /// # Examples
176     ///
177     /// ```
178     /// use std::collections::VecMap;
179     /// let mut map: VecMap<&str> = VecMap::new();
180     /// map.reserve_len(10);
181     /// assert!(map.capacity() >= 10);
182     /// ```
183     #[stable(feature = "rust1", since = "1.0.0")]
184     pub fn reserve_len(&mut self, len: usize) {
185         let cur_len = self.v.len();
186         if len >= cur_len {
187             self.v.reserve(len - cur_len);
188         }
189     }
190
191     /// Reserves the minimum capacity for the given `VecMap` to contain `len` distinct keys.
192     /// In the case of `VecMap` this means reallocations will not occur as long as all inserted
193     /// keys are less than `len`.
194     ///
195     /// Note that the allocator may give the collection more space than it requests.
196     /// Therefore capacity cannot be relied upon to be precisely minimal.  Prefer
197     /// `reserve_len` if future insertions are expected.
198     ///
199     /// # Examples
200     ///
201     /// ```
202     /// use std::collections::VecMap;
203     /// let mut map: VecMap<&str> = VecMap::new();
204     /// map.reserve_len_exact(10);
205     /// assert!(map.capacity() >= 10);
206     /// ```
207     #[stable(feature = "rust1", since = "1.0.0")]
208     pub fn reserve_len_exact(&mut self, len: usize) {
209         let cur_len = self.v.len();
210         if len >= cur_len {
211             self.v.reserve_exact(len - cur_len);
212         }
213     }
214
215     /// Returns an iterator visiting all keys in ascending order of the keys.
216     /// The iterator's element type is `usize`.
217     #[stable(feature = "rust1", since = "1.0.0")]
218     pub fn keys<'r>(&'r self) -> Keys<'r, V> {
219         fn first<A, B>((a, _): (A, B)) -> A { a }
220         let first: fn((usize, &'r V)) -> usize = first; // coerce to fn pointer
221
222         Keys { iter: self.iter().map(first) }
223     }
224
225     /// Returns an iterator visiting all values in ascending order of the keys.
226     /// The iterator's element type is `&'r V`.
227     #[stable(feature = "rust1", since = "1.0.0")]
228     pub fn values<'r>(&'r self) -> Values<'r, V> {
229         fn second<A, B>((_, b): (A, B)) -> B { b }
230         let second: fn((usize, &'r V)) -> &'r V = second; // coerce to fn pointer
231
232         Values { iter: self.iter().map(second) }
233     }
234
235     /// Returns an iterator visiting all key-value pairs in ascending order of the keys.
236     /// The iterator's element type is `(usize, &'r V)`.
237     ///
238     /// # Examples
239     ///
240     /// ```
241     /// use std::collections::VecMap;
242     ///
243     /// let mut map = VecMap::new();
244     /// map.insert(1, "a");
245     /// map.insert(3, "c");
246     /// map.insert(2, "b");
247     ///
248     /// // Print `1: a` then `2: b` then `3: c`
249     /// for (key, value) in map.iter() {
250     ///     println!("{}: {}", key, value);
251     /// }
252     /// ```
253     #[stable(feature = "rust1", since = "1.0.0")]
254     pub fn iter<'r>(&'r self) -> Iter<'r, V> {
255         Iter {
256             front: 0,
257             back: self.v.len(),
258             iter: self.v.iter()
259         }
260     }
261
262     /// Returns an iterator visiting all key-value pairs in ascending order of the keys,
263     /// with mutable references to the values.
264     /// The iterator's element type is `(usize, &'r mut V)`.
265     ///
266     /// # Examples
267     ///
268     /// ```
269     /// use std::collections::VecMap;
270     ///
271     /// let mut map = VecMap::new();
272     /// map.insert(1, "a");
273     /// map.insert(2, "b");
274     /// map.insert(3, "c");
275     ///
276     /// for (key, value) in map.iter_mut() {
277     ///     *value = "x";
278     /// }
279     ///
280     /// for (key, value) in map.iter() {
281     ///     assert_eq!(value, &"x");
282     /// }
283     /// ```
284     #[stable(feature = "rust1", since = "1.0.0")]
285     pub fn iter_mut<'r>(&'r mut self) -> IterMut<'r, V> {
286         IterMut {
287             front: 0,
288             back: self.v.len(),
289             iter: self.v.iter_mut()
290         }
291     }
292
293     /// Returns an iterator visiting all key-value pairs in ascending order of
294     /// the keys, consuming the original `VecMap`.
295     /// The iterator's element type is `(usize, &'r V)`.
296     ///
297     /// # Examples
298     ///
299     /// ```
300     /// use std::collections::VecMap;
301     ///
302     /// let mut map = VecMap::new();
303     /// map.insert(1, "a");
304     /// map.insert(3, "c");
305     /// map.insert(2, "b");
306     ///
307     /// let vec: Vec<(usize, &str)> = map.into_iter().collect();
308     ///
309     /// assert_eq!(vec, vec![(1, "a"), (2, "b"), (3, "c")]);
310     /// ```
311     #[stable(feature = "rust1", since = "1.0.0")]
312     pub fn into_iter(self) -> IntoIter<V> {
313         fn filter<A>((i, v): (usize, Option<A>)) -> Option<(usize, A)> {
314             v.map(|v| (i, v))
315         }
316         let filter: fn((usize, Option<V>)) -> Option<(usize, V)> = filter; // coerce to fn ptr
317
318         IntoIter { iter: self.v.into_iter().enumerate().filter_map(filter) }
319     }
320
321     /// Returns an iterator visiting all key-value pairs in ascending order of
322     /// the keys, emptying (but not consuming) the original `VecMap`.
323     /// The iterator's element type is `(usize, &'r V)`. Keeps the allocated memory for reuse.
324     ///
325     /// # Examples
326     ///
327     /// ```
328     /// use std::collections::VecMap;
329     ///
330     /// let mut map = VecMap::new();
331     /// map.insert(1, "a");
332     /// map.insert(3, "c");
333     /// map.insert(2, "b");
334     ///
335     /// let vec: Vec<(usize, &str)> = map.drain().collect();
336     ///
337     /// assert_eq!(vec, vec![(1, "a"), (2, "b"), (3, "c")]);
338     /// ```
339     #[unstable(feature = "collections",
340                reason = "matches collection reform specification, waiting for dust to settle")]
341     pub fn drain<'a>(&'a mut self) -> Drain<'a, V> {
342         fn filter<A>((i, v): (usize, Option<A>)) -> Option<(usize, A)> {
343             v.map(|v| (i, v))
344         }
345         let filter: fn((usize, Option<V>)) -> Option<(usize, V)> = filter; // coerce to fn ptr
346
347         Drain { iter: self.v.drain().enumerate().filter_map(filter) }
348     }
349
350     /// Return the number of elements in the map.
351     ///
352     /// # Examples
353     ///
354     /// ```
355     /// use std::collections::VecMap;
356     ///
357     /// let mut a = VecMap::new();
358     /// assert_eq!(a.len(), 0);
359     /// a.insert(1, "a");
360     /// assert_eq!(a.len(), 1);
361     /// ```
362     #[stable(feature = "rust1", since = "1.0.0")]
363     pub fn len(&self) -> usize {
364         self.v.iter().filter(|elt| elt.is_some()).count()
365     }
366
367     /// Return true if the map contains no elements.
368     ///
369     /// # Examples
370     ///
371     /// ```
372     /// use std::collections::VecMap;
373     ///
374     /// let mut a = VecMap::new();
375     /// assert!(a.is_empty());
376     /// a.insert(1, "a");
377     /// assert!(!a.is_empty());
378     /// ```
379     #[stable(feature = "rust1", since = "1.0.0")]
380     pub fn is_empty(&self) -> bool {
381         self.v.iter().all(|elt| elt.is_none())
382     }
383
384     /// Clears the map, removing all key-value pairs.
385     ///
386     /// # Examples
387     ///
388     /// ```
389     /// use std::collections::VecMap;
390     ///
391     /// let mut a = VecMap::new();
392     /// a.insert(1, "a");
393     /// a.clear();
394     /// assert!(a.is_empty());
395     /// ```
396     #[stable(feature = "rust1", since = "1.0.0")]
397     pub fn clear(&mut self) { self.v.clear() }
398
399     /// Returns a reference to the value corresponding to the key.
400     ///
401     /// # Examples
402     ///
403     /// ```
404     /// use std::collections::VecMap;
405     ///
406     /// let mut map = VecMap::new();
407     /// map.insert(1, "a");
408     /// assert_eq!(map.get(&1), Some(&"a"));
409     /// assert_eq!(map.get(&2), None);
410     /// ```
411     #[stable(feature = "rust1", since = "1.0.0")]
412     pub fn get(&self, key: &usize) -> Option<&V> {
413         if *key < self.v.len() {
414             match self.v[*key] {
415               Some(ref value) => Some(value),
416               None => None
417             }
418         } else {
419             None
420         }
421     }
422
423     /// Returns true if the map contains a value for the specified key.
424     ///
425     /// # Examples
426     ///
427     /// ```
428     /// use std::collections::VecMap;
429     ///
430     /// let mut map = VecMap::new();
431     /// map.insert(1, "a");
432     /// assert_eq!(map.contains_key(&1), true);
433     /// assert_eq!(map.contains_key(&2), false);
434     /// ```
435     #[inline]
436     #[stable(feature = "rust1", since = "1.0.0")]
437     pub fn contains_key(&self, key: &usize) -> bool {
438         self.get(key).is_some()
439     }
440
441     /// Returns a mutable reference to the value corresponding to the key.
442     ///
443     /// # Examples
444     ///
445     /// ```
446     /// use std::collections::VecMap;
447     ///
448     /// let mut map = VecMap::new();
449     /// map.insert(1, "a");
450     /// match map.get_mut(&1) {
451     ///     Some(x) => *x = "b",
452     ///     None => (),
453     /// }
454     /// assert_eq!(map[1], "b");
455     /// ```
456     #[stable(feature = "rust1", since = "1.0.0")]
457     pub fn get_mut(&mut self, key: &usize) -> Option<&mut V> {
458         if *key < self.v.len() {
459             match *(&mut self.v[*key]) {
460               Some(ref mut value) => Some(value),
461               None => None
462             }
463         } else {
464             None
465         }
466     }
467
468     /// Inserts a key-value pair from the map. If the key already had a value
469     /// present in the map, that value is returned. Otherwise, `None` is returned.
470     ///
471     /// # Examples
472     ///
473     /// ```
474     /// use std::collections::VecMap;
475     ///
476     /// let mut map = VecMap::new();
477     /// assert_eq!(map.insert(37, "a"), None);
478     /// assert_eq!(map.is_empty(), false);
479     ///
480     /// map.insert(37, "b");
481     /// assert_eq!(map.insert(37, "c"), Some("b"));
482     /// assert_eq!(map[37], "c");
483     /// ```
484     #[stable(feature = "rust1", since = "1.0.0")]
485     pub fn insert(&mut self, key: usize, value: V) -> Option<V> {
486         let len = self.v.len();
487         if len <= key {
488             self.v.extend((0..key - len + 1).map(|_| None));
489         }
490         replace(&mut self.v[key], Some(value))
491     }
492
493     /// Removes a key from the map, returning the value at the key if the key
494     /// was previously in the map.
495     ///
496     /// # Examples
497     ///
498     /// ```
499     /// use std::collections::VecMap;
500     ///
501     /// let mut map = VecMap::new();
502     /// map.insert(1, "a");
503     /// assert_eq!(map.remove(&1), Some("a"));
504     /// assert_eq!(map.remove(&1), None);
505     /// ```
506     #[stable(feature = "rust1", since = "1.0.0")]
507     pub fn remove(&mut self, key: &usize) -> Option<V> {
508         if *key >= self.v.len() {
509             return None;
510         }
511         let result = &mut self.v[*key];
512         result.take()
513     }
514
515     /// Gets the given key's corresponding entry in the map for in-place manipulation.
516     ///
517     /// # Examples
518     ///
519     /// ```
520     /// use std::collections::VecMap;
521     /// use std::collections::vec_map::Entry;
522     ///
523     /// let mut count: VecMap<u32> = VecMap::new();
524     ///
525     /// // count the number of occurrences of numbers in the vec
526     /// for x in vec![1, 2, 1, 2, 3, 4, 1, 2, 4].iter() {
527     ///     match count.entry(*x) {
528     ///         Entry::Vacant(view) => {
529     ///             view.insert(1);
530     ///         },
531     ///         Entry::Occupied(mut view) => {
532     ///             let v = view.get_mut();
533     ///             *v += 1;
534     ///         },
535     ///     }
536     /// }
537     ///
538     /// assert_eq!(count[1], 3);
539     /// ```
540     #[stable(feature = "rust1", since = "1.0.0")]
541     pub fn entry(&mut self, key: usize) -> Entry<V> {
542         // FIXME(Gankro): this is basically the dumbest implementation of
543         // entry possible, because weird non-lexical borrows issues make it
544         // completely insane to do any other way. That said, Entry is a border-line
545         // useless construct on VecMap, so it's hardly a big loss.
546         if self.contains_key(&key) {
547             Occupied(OccupiedEntry {
548                 map: self,
549                 index: key,
550             })
551         } else {
552             Vacant(VacantEntry {
553                 map: self,
554                 index: key,
555             })
556         }
557     }
558 }
559
560
561 impl<'a, V> Entry<'a, V> {
562     #[unstable(feature = "collections",
563                reason = "matches collection reform v2 specification, waiting for dust to settle")]
564     /// Returns a mutable reference to the entry if occupied, or the VacantEntry if vacant
565     pub fn get(self) -> Result<&'a mut V, VacantEntry<'a, V>> {
566         match self {
567             Occupied(entry) => Ok(entry.into_mut()),
568             Vacant(entry) => Err(entry),
569         }
570     }
571 }
572
573 impl<'a, V> VacantEntry<'a, V> {
574     /// Sets the value of the entry with the VacantEntry's key,
575     /// and returns a mutable reference to it.
576     #[stable(feature = "rust1", since = "1.0.0")]
577     pub fn insert(self, value: V) -> &'a mut V {
578         let index = self.index;
579         self.map.insert(index, value);
580         &mut self.map[index]
581     }
582 }
583
584 impl<'a, V> OccupiedEntry<'a, V> {
585     /// Gets a reference to the value in the entry.
586     #[stable(feature = "rust1", since = "1.0.0")]
587     pub fn get(&self) -> &V {
588         let index = self.index;
589         &self.map[index]
590     }
591
592     /// Gets a mutable reference to the value in the entry.
593     #[stable(feature = "rust1", since = "1.0.0")]
594     pub fn get_mut(&mut self) -> &mut V {
595         let index = self.index;
596         &mut self.map[index]
597     }
598
599     /// Converts the entry into a mutable reference to its value.
600     #[stable(feature = "rust1", since = "1.0.0")]
601     pub fn into_mut(self) -> &'a mut V {
602         let index = self.index;
603         &mut self.map[index]
604     }
605
606     /// Sets the value of the entry with the OccupiedEntry's key,
607     /// and returns the entry's old value.
608     #[stable(feature = "rust1", since = "1.0.0")]
609     pub fn insert(&mut self, value: V) -> V {
610         let index = self.index;
611         self.map.insert(index, value).unwrap()
612     }
613
614     /// Takes the value of the entry out of the map, and returns it.
615     #[stable(feature = "rust1", since = "1.0.0")]
616     pub fn remove(self) -> V {
617         let index = self.index;
618         self.map.remove(&index).unwrap()
619     }
620 }
621
622 #[stable(feature = "rust1", since = "1.0.0")]
623 impl<V: PartialEq> PartialEq for VecMap<V> {
624     fn eq(&self, other: &VecMap<V>) -> bool {
625         iter::order::eq(self.iter(), other.iter())
626     }
627 }
628
629 #[stable(feature = "rust1", since = "1.0.0")]
630 impl<V: Eq> Eq for VecMap<V> {}
631
632 #[stable(feature = "rust1", since = "1.0.0")]
633 impl<V: PartialOrd> PartialOrd for VecMap<V> {
634     #[inline]
635     fn partial_cmp(&self, other: &VecMap<V>) -> Option<Ordering> {
636         iter::order::partial_cmp(self.iter(), other.iter())
637     }
638 }
639
640 #[stable(feature = "rust1", since = "1.0.0")]
641 impl<V: Ord> Ord for VecMap<V> {
642     #[inline]
643     fn cmp(&self, other: &VecMap<V>) -> Ordering {
644         iter::order::cmp(self.iter(), other.iter())
645     }
646 }
647
648 #[stable(feature = "rust1", since = "1.0.0")]
649 impl<V: fmt::Debug> fmt::Debug for VecMap<V> {
650     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
651         try!(write!(f, "VecMap {{"));
652
653         for (i, (k, v)) in self.iter().enumerate() {
654             if i != 0 { try!(write!(f, ", ")); }
655             try!(write!(f, "{}: {:?}", k, *v));
656         }
657
658         write!(f, "}}")
659     }
660 }
661
662 #[stable(feature = "rust1", since = "1.0.0")]
663 impl<V> FromIterator<(usize, V)> for VecMap<V> {
664     fn from_iter<Iter: Iterator<Item=(usize, V)>>(iter: Iter) -> VecMap<V> {
665         let mut map = VecMap::new();
666         map.extend(iter);
667         map
668     }
669 }
670
671 impl<T> IntoIterator for VecMap<T> {
672     type Iter = IntoIter<T>;
673
674     fn into_iter(self) -> IntoIter<T> {
675         self.into_iter()
676     }
677 }
678
679 impl<'a, T> IntoIterator for &'a VecMap<T> {
680     type Iter = Iter<'a, T>;
681
682     fn into_iter(self) -> Iter<'a, T> {
683         self.iter()
684     }
685 }
686
687 impl<'a, T> IntoIterator for &'a mut VecMap<T> {
688     type Iter = IterMut<'a, T>;
689
690     fn into_iter(mut self) -> IterMut<'a, T> {
691         self.iter_mut()
692     }
693 }
694
695 #[stable(feature = "rust1", since = "1.0.0")]
696 impl<V> Extend<(usize, V)> for VecMap<V> {
697     fn extend<Iter: Iterator<Item=(usize, V)>>(&mut self, iter: Iter) {
698         for (k, v) in iter {
699             self.insert(k, v);
700         }
701     }
702 }
703
704 impl<V> Index<usize> for VecMap<V> {
705     type Output = V;
706
707     #[inline]
708     fn index<'a>(&'a self, i: &usize) -> &'a V {
709         self.get(i).expect("key not present")
710     }
711 }
712
713 #[stable(feature = "rust1", since = "1.0.0")]
714 impl<V> IndexMut<usize> for VecMap<V> {
715     #[inline]
716     fn index_mut<'a>(&'a mut self, i: &usize) -> &'a mut V {
717         self.get_mut(i).expect("key not present")
718     }
719 }
720
721 macro_rules! iterator {
722     (impl $name:ident -> $elem:ty, $($getter:ident),+) => {
723         #[stable(feature = "rust1", since = "1.0.0")]
724         impl<'a, V> Iterator for $name<'a, V> {
725             type Item = $elem;
726
727             #[inline]
728             fn next(&mut self) -> Option<$elem> {
729                 while self.front < self.back {
730                     match self.iter.next() {
731                         Some(elem) => {
732                             match elem$(. $getter ())+ {
733                                 Some(x) => {
734                                     let index = self.front;
735                                     self.front += 1;
736                                     return Some((index, x));
737                                 },
738                                 None => {},
739                             }
740                         }
741                         _ => ()
742                     }
743                     self.front += 1;
744                 }
745                 None
746             }
747
748             #[inline]
749             fn size_hint(&self) -> (usize, Option<usize>) {
750                 (0, Some(self.back - self.front))
751             }
752         }
753     }
754 }
755
756 macro_rules! double_ended_iterator {
757     (impl $name:ident -> $elem:ty, $($getter:ident),+) => {
758         #[stable(feature = "rust1", since = "1.0.0")]
759         impl<'a, V> DoubleEndedIterator for $name<'a, V> {
760             #[inline]
761             fn next_back(&mut self) -> Option<$elem> {
762                 while self.front < self.back {
763                     match self.iter.next_back() {
764                         Some(elem) => {
765                             match elem$(. $getter ())+ {
766                                 Some(x) => {
767                                     self.back -= 1;
768                                     return Some((self.back, x));
769                                 },
770                                 None => {},
771                             }
772                         }
773                         _ => ()
774                     }
775                     self.back -= 1;
776                 }
777                 None
778             }
779         }
780     }
781 }
782
783 /// An iterator over the key-value pairs of a map.
784 #[stable(feature = "rust1", since = "1.0.0")]
785 pub struct Iter<'a, V:'a> {
786     front: usize,
787     back: usize,
788     iter: slice::Iter<'a, Option<V>>
789 }
790
791 // FIXME(#19839) Remove in favor of `#[derive(Clone)]`
792 impl<'a, V> Clone for Iter<'a, V> {
793     fn clone(&self) -> Iter<'a, V> {
794         Iter {
795             front: self.front,
796             back: self.back,
797             iter: self.iter.clone()
798         }
799     }
800 }
801
802 iterator! { impl Iter -> (usize, &'a V), as_ref }
803 double_ended_iterator! { impl Iter -> (usize, &'a V), as_ref }
804
805 /// An iterator over the key-value pairs of a map, with the
806 /// values being mutable.
807 #[stable(feature = "rust1", since = "1.0.0")]
808 pub struct IterMut<'a, V:'a> {
809     front: usize,
810     back: usize,
811     iter: slice::IterMut<'a, Option<V>>
812 }
813
814 iterator! { impl IterMut -> (usize, &'a mut V), as_mut }
815 double_ended_iterator! { impl IterMut -> (usize, &'a mut V), as_mut }
816
817 /// An iterator over the keys of a map.
818 #[stable(feature = "rust1", since = "1.0.0")]
819 pub struct Keys<'a, V: 'a> {
820     iter: Map<Iter<'a, V>, fn((usize, &'a V)) -> usize>
821 }
822
823 // FIXME(#19839) Remove in favor of `#[derive(Clone)]`
824 impl<'a, V> Clone for Keys<'a, V> {
825     fn clone(&self) -> Keys<'a, V> {
826         Keys {
827             iter: self.iter.clone()
828         }
829     }
830 }
831
832 /// An iterator over the values of a map.
833 #[stable(feature = "rust1", since = "1.0.0")]
834 pub struct Values<'a, V: 'a> {
835     iter: Map<Iter<'a, V>, fn((usize, &'a V)) -> &'a V>
836 }
837
838 // FIXME(#19839) Remove in favor of `#[derive(Clone)]`
839 impl<'a, V> Clone for Values<'a, V> {
840     fn clone(&self) -> Values<'a, V> {
841         Values {
842             iter: self.iter.clone()
843         }
844     }
845 }
846
847 /// A consuming iterator over the key-value pairs of a map.
848 #[stable(feature = "rust1", since = "1.0.0")]
849 pub struct IntoIter<V> {
850     iter: FilterMap<
851     Enumerate<vec::IntoIter<Option<V>>>,
852     fn((usize, Option<V>)) -> Option<(usize, V)>>
853 }
854
855 #[unstable(feature = "collections")]
856 pub struct Drain<'a, V> {
857     iter: FilterMap<
858     Enumerate<vec::Drain<'a, Option<V>>>,
859     fn((usize, Option<V>)) -> Option<(usize, V)>>
860 }
861
862 #[unstable(feature = "collections")]
863 impl<'a, V> Iterator for Drain<'a, V> {
864     type Item = (usize, V);
865
866     fn next(&mut self) -> Option<(usize, V)> { self.iter.next() }
867     fn size_hint(&self) -> (usize, Option<usize>) { self.iter.size_hint() }
868 }
869
870 #[unstable(feature = "collections")]
871 impl<'a, V> DoubleEndedIterator for Drain<'a, V> {
872     fn next_back(&mut self) -> Option<(usize, V)> { self.iter.next_back() }
873 }
874
875 #[stable(feature = "rust1", since = "1.0.0")]
876 impl<'a, V> Iterator for Keys<'a, V> {
877     type Item = usize;
878
879     fn next(&mut self) -> Option<usize> { self.iter.next() }
880     fn size_hint(&self) -> (usize, Option<usize>) { self.iter.size_hint() }
881 }
882 #[stable(feature = "rust1", since = "1.0.0")]
883 impl<'a, V> DoubleEndedIterator for Keys<'a, V> {
884     fn next_back(&mut self) -> Option<usize> { self.iter.next_back() }
885 }
886
887 #[stable(feature = "rust1", since = "1.0.0")]
888 impl<'a, V> Iterator for Values<'a, V> {
889     type Item = &'a V;
890
891     fn next(&mut self) -> Option<(&'a V)> { self.iter.next() }
892     fn size_hint(&self) -> (usize, Option<usize>) { self.iter.size_hint() }
893 }
894 #[stable(feature = "rust1", since = "1.0.0")]
895 impl<'a, V> DoubleEndedIterator for Values<'a, V> {
896     fn next_back(&mut self) -> Option<(&'a V)> { self.iter.next_back() }
897 }
898
899 #[stable(feature = "rust1", since = "1.0.0")]
900 impl<V> Iterator for IntoIter<V> {
901     type Item = (usize, V);
902
903     fn next(&mut self) -> Option<(usize, V)> { self.iter.next() }
904     fn size_hint(&self) -> (usize, Option<usize>) { self.iter.size_hint() }
905 }
906 #[stable(feature = "rust1", since = "1.0.0")]
907 impl<V> DoubleEndedIterator for IntoIter<V> {
908     fn next_back(&mut self) -> Option<(usize, V)> { self.iter.next_back() }
909 }
910
911 #[cfg(test)]
912 mod test_map {
913     use prelude::*;
914     use core::hash::{hash, SipHasher};
915
916     use super::VecMap;
917     use super::Entry::{Occupied, Vacant};
918
919     #[test]
920     fn test_get_mut() {
921         let mut m = VecMap::new();
922         assert!(m.insert(1, 12).is_none());
923         assert!(m.insert(2, 8).is_none());
924         assert!(m.insert(5, 14).is_none());
925         let new = 100;
926         match m.get_mut(&5) {
927             None => panic!(), Some(x) => *x = new
928         }
929         assert_eq!(m.get(&5), Some(&new));
930     }
931
932     #[test]
933     fn test_len() {
934         let mut map = VecMap::new();
935         assert_eq!(map.len(), 0);
936         assert!(map.is_empty());
937         assert!(map.insert(5, 20).is_none());
938         assert_eq!(map.len(), 1);
939         assert!(!map.is_empty());
940         assert!(map.insert(11, 12).is_none());
941         assert_eq!(map.len(), 2);
942         assert!(!map.is_empty());
943         assert!(map.insert(14, 22).is_none());
944         assert_eq!(map.len(), 3);
945         assert!(!map.is_empty());
946     }
947
948     #[test]
949     fn test_clear() {
950         let mut map = VecMap::new();
951         assert!(map.insert(5, 20).is_none());
952         assert!(map.insert(11, 12).is_none());
953         assert!(map.insert(14, 22).is_none());
954         map.clear();
955         assert!(map.is_empty());
956         assert!(map.get(&5).is_none());
957         assert!(map.get(&11).is_none());
958         assert!(map.get(&14).is_none());
959     }
960
961     #[test]
962     fn test_insert() {
963         let mut m = VecMap::new();
964         assert_eq!(m.insert(1, 2), None);
965         assert_eq!(m.insert(1, 3), Some(2));
966         assert_eq!(m.insert(1, 4), Some(3));
967     }
968
969     #[test]
970     fn test_remove() {
971         let mut m = VecMap::new();
972         m.insert(1, 2);
973         assert_eq!(m.remove(&1), Some(2));
974         assert_eq!(m.remove(&1), None);
975     }
976
977     #[test]
978     fn test_keys() {
979         let mut map = VecMap::new();
980         map.insert(1, 'a');
981         map.insert(2, 'b');
982         map.insert(3, 'c');
983         let keys: Vec<_> = map.keys().collect();
984         assert_eq!(keys.len(), 3);
985         assert!(keys.contains(&1));
986         assert!(keys.contains(&2));
987         assert!(keys.contains(&3));
988     }
989
990     #[test]
991     fn test_values() {
992         let mut map = VecMap::new();
993         map.insert(1, 'a');
994         map.insert(2, 'b');
995         map.insert(3, 'c');
996         let values: Vec<_> = map.values().cloned().collect();
997         assert_eq!(values.len(), 3);
998         assert!(values.contains(&'a'));
999         assert!(values.contains(&'b'));
1000         assert!(values.contains(&'c'));
1001     }
1002
1003     #[test]
1004     fn test_iterator() {
1005         let mut m = VecMap::new();
1006
1007         assert!(m.insert(0, 1).is_none());
1008         assert!(m.insert(1, 2).is_none());
1009         assert!(m.insert(3, 5).is_none());
1010         assert!(m.insert(6, 10).is_none());
1011         assert!(m.insert(10, 11).is_none());
1012
1013         let mut it = m.iter();
1014         assert_eq!(it.size_hint(), (0, Some(11)));
1015         assert_eq!(it.next().unwrap(), (0, &1));
1016         assert_eq!(it.size_hint(), (0, Some(10)));
1017         assert_eq!(it.next().unwrap(), (1, &2));
1018         assert_eq!(it.size_hint(), (0, Some(9)));
1019         assert_eq!(it.next().unwrap(), (3, &5));
1020         assert_eq!(it.size_hint(), (0, Some(7)));
1021         assert_eq!(it.next().unwrap(), (6, &10));
1022         assert_eq!(it.size_hint(), (0, Some(4)));
1023         assert_eq!(it.next().unwrap(), (10, &11));
1024         assert_eq!(it.size_hint(), (0, Some(0)));
1025         assert!(it.next().is_none());
1026     }
1027
1028     #[test]
1029     fn test_iterator_size_hints() {
1030         let mut m = VecMap::new();
1031
1032         assert!(m.insert(0, 1).is_none());
1033         assert!(m.insert(1, 2).is_none());
1034         assert!(m.insert(3, 5).is_none());
1035         assert!(m.insert(6, 10).is_none());
1036         assert!(m.insert(10, 11).is_none());
1037
1038         assert_eq!(m.iter().size_hint(), (0, Some(11)));
1039         assert_eq!(m.iter().rev().size_hint(), (0, Some(11)));
1040         assert_eq!(m.iter_mut().size_hint(), (0, Some(11)));
1041         assert_eq!(m.iter_mut().rev().size_hint(), (0, Some(11)));
1042     }
1043
1044     #[test]
1045     fn test_mut_iterator() {
1046         let mut m = VecMap::new();
1047
1048         assert!(m.insert(0, 1).is_none());
1049         assert!(m.insert(1, 2).is_none());
1050         assert!(m.insert(3, 5).is_none());
1051         assert!(m.insert(6, 10).is_none());
1052         assert!(m.insert(10, 11).is_none());
1053
1054         for (k, v) in &mut m {
1055             *v += k as isize;
1056         }
1057
1058         let mut it = m.iter();
1059         assert_eq!(it.next().unwrap(), (0, &1));
1060         assert_eq!(it.next().unwrap(), (1, &3));
1061         assert_eq!(it.next().unwrap(), (3, &8));
1062         assert_eq!(it.next().unwrap(), (6, &16));
1063         assert_eq!(it.next().unwrap(), (10, &21));
1064         assert!(it.next().is_none());
1065     }
1066
1067     #[test]
1068     fn test_rev_iterator() {
1069         let mut m = VecMap::new();
1070
1071         assert!(m.insert(0, 1).is_none());
1072         assert!(m.insert(1, 2).is_none());
1073         assert!(m.insert(3, 5).is_none());
1074         assert!(m.insert(6, 10).is_none());
1075         assert!(m.insert(10, 11).is_none());
1076
1077         let mut it = m.iter().rev();
1078         assert_eq!(it.next().unwrap(), (10, &11));
1079         assert_eq!(it.next().unwrap(), (6, &10));
1080         assert_eq!(it.next().unwrap(), (3, &5));
1081         assert_eq!(it.next().unwrap(), (1, &2));
1082         assert_eq!(it.next().unwrap(), (0, &1));
1083         assert!(it.next().is_none());
1084     }
1085
1086     #[test]
1087     fn test_mut_rev_iterator() {
1088         let mut m = VecMap::new();
1089
1090         assert!(m.insert(0, 1).is_none());
1091         assert!(m.insert(1, 2).is_none());
1092         assert!(m.insert(3, 5).is_none());
1093         assert!(m.insert(6, 10).is_none());
1094         assert!(m.insert(10, 11).is_none());
1095
1096         for (k, v) in m.iter_mut().rev() {
1097             *v += k as isize;
1098         }
1099
1100         let mut it = m.iter();
1101         assert_eq!(it.next().unwrap(), (0, &1));
1102         assert_eq!(it.next().unwrap(), (1, &3));
1103         assert_eq!(it.next().unwrap(), (3, &8));
1104         assert_eq!(it.next().unwrap(), (6, &16));
1105         assert_eq!(it.next().unwrap(), (10, &21));
1106         assert!(it.next().is_none());
1107     }
1108
1109     #[test]
1110     fn test_move_iter() {
1111         let mut m = VecMap::new();
1112         m.insert(1, box 2);
1113         let mut called = false;
1114         for (k, v) in m {
1115             assert!(!called);
1116             called = true;
1117             assert_eq!(k, 1);
1118             assert_eq!(v, box 2);
1119         }
1120         assert!(called);
1121     }
1122
1123     #[test]
1124     fn test_drain_iterator() {
1125         let mut map = VecMap::new();
1126         map.insert(1, "a");
1127         map.insert(3, "c");
1128         map.insert(2, "b");
1129
1130         let vec: Vec<_> = map.drain().collect();
1131
1132         assert_eq!(vec, vec![(1, "a"), (2, "b"), (3, "c")]);
1133         assert_eq!(map.len(), 0);
1134     }
1135
1136     #[test]
1137     fn test_show() {
1138         let mut map = VecMap::new();
1139         let empty = VecMap::<i32>::new();
1140
1141         map.insert(1, 2);
1142         map.insert(3, 4);
1143
1144         let map_str = format!("{:?}", map);
1145         assert!(map_str == "VecMap {1: 2, 3: 4}" || map_str == "{3: 4, 1: 2}");
1146         assert_eq!(format!("{:?}", empty), "VecMap {}");
1147     }
1148
1149     #[test]
1150     fn test_clone() {
1151         let mut a = VecMap::new();
1152
1153         a.insert(1, 'x');
1154         a.insert(4, 'y');
1155         a.insert(6, 'z');
1156
1157         assert!(a.clone() == a);
1158     }
1159
1160     #[test]
1161     fn test_eq() {
1162         let mut a = VecMap::new();
1163         let mut b = VecMap::new();
1164
1165         assert!(a == b);
1166         assert!(a.insert(0, 5).is_none());
1167         assert!(a != b);
1168         assert!(b.insert(0, 4).is_none());
1169         assert!(a != b);
1170         assert!(a.insert(5, 19).is_none());
1171         assert!(a != b);
1172         assert!(!b.insert(0, 5).is_none());
1173         assert!(a != b);
1174         assert!(b.insert(5, 19).is_none());
1175         assert!(a == b);
1176
1177         a = VecMap::new();
1178         b = VecMap::with_capacity(1);
1179         assert!(a == b);
1180     }
1181
1182     #[test]
1183     fn test_lt() {
1184         let mut a = VecMap::new();
1185         let mut b = VecMap::new();
1186
1187         assert!(!(a < b) && !(b < a));
1188         assert!(b.insert(2, 5).is_none());
1189         assert!(a < b);
1190         assert!(a.insert(2, 7).is_none());
1191         assert!(!(a < b) && b < a);
1192         assert!(b.insert(1, 0).is_none());
1193         assert!(b < a);
1194         assert!(a.insert(0, 6).is_none());
1195         assert!(a < b);
1196         assert!(a.insert(6, 2).is_none());
1197         assert!(a < b && !(b < a));
1198     }
1199
1200     #[test]
1201     fn test_ord() {
1202         let mut a = VecMap::new();
1203         let mut b = VecMap::new();
1204
1205         assert!(a <= b && a >= b);
1206         assert!(a.insert(1, 1).is_none());
1207         assert!(a > b && a >= b);
1208         assert!(b < a && b <= a);
1209         assert!(b.insert(2, 2).is_none());
1210         assert!(b > a && b >= a);
1211         assert!(a < b && a <= b);
1212     }
1213
1214     #[test]
1215     fn test_hash() {
1216         let mut x = VecMap::new();
1217         let mut y = VecMap::new();
1218
1219         assert!(hash::<_, SipHasher>(&x) == hash::<_, SipHasher>(&y));
1220         x.insert(1, 'a');
1221         x.insert(2, 'b');
1222         x.insert(3, 'c');
1223
1224         y.insert(3, 'c');
1225         y.insert(2, 'b');
1226         y.insert(1, 'a');
1227
1228         assert!(hash::<_, SipHasher>(&x) == hash::<_, SipHasher>(&y));
1229
1230         x.insert(1000, 'd');
1231         x.remove(&1000);
1232
1233         assert!(hash::<_, SipHasher>(&x) == hash::<_, SipHasher>(&y));
1234     }
1235
1236     #[test]
1237     fn test_from_iter() {
1238         let xs = vec![(1, 'a'), (2, 'b'), (3, 'c'), (4, 'd'), (5, 'e')];
1239
1240         let map: VecMap<_> = xs.iter().cloned().collect();
1241
1242         for &(k, v) in &xs {
1243             assert_eq!(map.get(&k), Some(&v));
1244         }
1245     }
1246
1247     #[test]
1248     fn test_index() {
1249         let mut map = VecMap::new();
1250
1251         map.insert(1, 2);
1252         map.insert(2, 1);
1253         map.insert(3, 4);
1254
1255         assert_eq!(map[3], 4);
1256     }
1257
1258     #[test]
1259     #[should_fail]
1260     fn test_index_nonexistent() {
1261         let mut map = VecMap::new();
1262
1263         map.insert(1, 2);
1264         map.insert(2, 1);
1265         map.insert(3, 4);
1266
1267         map[4];
1268     }
1269
1270     #[test]
1271     fn test_entry(){
1272         let xs = [(1, 10), (2, 20), (3, 30), (4, 40), (5, 50), (6, 60)];
1273
1274         let mut map: VecMap<_> = xs.iter().cloned().collect();
1275
1276         // Existing key (insert)
1277         match map.entry(1) {
1278             Vacant(_) => unreachable!(),
1279             Occupied(mut view) => {
1280                 assert_eq!(view.get(), &10);
1281                 assert_eq!(view.insert(100), 10);
1282             }
1283         }
1284         assert_eq!(map.get(&1).unwrap(), &100);
1285         assert_eq!(map.len(), 6);
1286
1287
1288         // Existing key (update)
1289         match map.entry(2) {
1290             Vacant(_) => unreachable!(),
1291             Occupied(mut view) => {
1292                 let v = view.get_mut();
1293                 *v *= 10;
1294             }
1295         }
1296         assert_eq!(map.get(&2).unwrap(), &200);
1297         assert_eq!(map.len(), 6);
1298
1299         // Existing key (take)
1300         match map.entry(3) {
1301             Vacant(_) => unreachable!(),
1302             Occupied(view) => {
1303                 assert_eq!(view.remove(), 30);
1304             }
1305         }
1306         assert_eq!(map.get(&3), None);
1307         assert_eq!(map.len(), 5);
1308
1309
1310         // Inexistent key (insert)
1311         match map.entry(10) {
1312             Occupied(_) => unreachable!(),
1313             Vacant(view) => {
1314                 assert_eq!(*view.insert(1000), 1000);
1315             }
1316         }
1317         assert_eq!(map.get(&10).unwrap(), &1000);
1318         assert_eq!(map.len(), 6);
1319     }
1320 }
1321
1322 #[cfg(test)]
1323 mod bench {
1324     use test::Bencher;
1325     use super::VecMap;
1326     use bench::{insert_rand_n, insert_seq_n, find_rand_n, find_seq_n};
1327
1328     #[bench]
1329     pub fn insert_rand_100(b: &mut Bencher) {
1330         let mut m = VecMap::new();
1331         insert_rand_n(100, &mut m, b,
1332                       |m, i| { m.insert(i, 1); },
1333                       |m, i| { m.remove(&i); });
1334     }
1335
1336     #[bench]
1337     pub fn insert_rand_10_000(b: &mut Bencher) {
1338         let mut m = VecMap::new();
1339         insert_rand_n(10_000, &mut m, b,
1340                       |m, i| { m.insert(i, 1); },
1341                       |m, i| { m.remove(&i); });
1342     }
1343
1344     // Insert seq
1345     #[bench]
1346     pub fn insert_seq_100(b: &mut Bencher) {
1347         let mut m = VecMap::new();
1348         insert_seq_n(100, &mut m, b,
1349                      |m, i| { m.insert(i, 1); },
1350                      |m, i| { m.remove(&i); });
1351     }
1352
1353     #[bench]
1354     pub fn insert_seq_10_000(b: &mut Bencher) {
1355         let mut m = VecMap::new();
1356         insert_seq_n(10_000, &mut m, b,
1357                      |m, i| { m.insert(i, 1); },
1358                      |m, i| { m.remove(&i); });
1359     }
1360
1361     // Find rand
1362     #[bench]
1363     pub fn find_rand_100(b: &mut Bencher) {
1364         let mut m = VecMap::new();
1365         find_rand_n(100, &mut m, b,
1366                     |m, i| { m.insert(i, 1); },
1367                     |m, i| { m.get(&i); });
1368     }
1369
1370     #[bench]
1371     pub fn find_rand_10_000(b: &mut Bencher) {
1372         let mut m = VecMap::new();
1373         find_rand_n(10_000, &mut m, b,
1374                     |m, i| { m.insert(i, 1); },
1375                     |m, i| { m.get(&i); });
1376     }
1377
1378     // Find seq
1379     #[bench]
1380     pub fn find_seq_100(b: &mut Bencher) {
1381         let mut m = VecMap::new();
1382         find_seq_n(100, &mut m, b,
1383                    |m, i| { m.insert(i, 1); },
1384                    |m, i| { m.get(&i); });
1385     }
1386
1387     #[bench]
1388     pub fn find_seq_10_000(b: &mut Bencher) {
1389         let mut m = VecMap::new();
1390         find_seq_n(10_000, &mut m, b,
1391                    |m, i| { m.insert(i, 1); },
1392                    |m, i| { m.get(&i); });
1393     }
1394 }