]> git.lizzy.rs Git - rust.git/blob - library/core/src/iter/traits/iterator.rs
Rollup merge of #80521 - richkadel:llvm-coverage-counters-2.4.0, r=wesleywiser
[rust.git] / library / core / src / iter / traits / iterator.rs
1 // ignore-tidy-filelength
2 // This file almost exclusively consists of the definition of `Iterator`. We
3 // can't split that into multiple files.
4
5 use crate::cmp::{self, Ordering};
6 use crate::ops::{Add, ControlFlow, Try};
7
8 use super::super::TrustedRandomAccess;
9 use super::super::{Chain, Cloned, Copied, Cycle, Enumerate, Filter, FilterMap, Fuse};
10 use super::super::{FlatMap, Flatten};
11 use super::super::{FromIterator, Intersperse, Product, Sum, Zip};
12 use super::super::{
13     Inspect, Map, MapWhile, Peekable, Rev, Scan, Skip, SkipWhile, StepBy, Take, TakeWhile,
14 };
15
16 fn _assert_is_object_safe(_: &dyn Iterator<Item = ()>) {}
17
18 /// An interface for dealing with iterators.
19 ///
20 /// This is the main iterator trait. For more about the concept of iterators
21 /// generally, please see the [module-level documentation]. In particular, you
22 /// may want to know how to [implement `Iterator`][impl].
23 ///
24 /// [module-level documentation]: crate::iter
25 /// [impl]: crate::iter#implementing-iterator
26 #[stable(feature = "rust1", since = "1.0.0")]
27 #[rustc_on_unimplemented(
28     on(
29         _Self = "[std::ops::Range<Idx>; 1]",
30         label = "if you meant to iterate between two values, remove the square brackets",
31         note = "`[start..end]` is an array of one `Range`; you might have meant to have a `Range` \
32                 without the brackets: `start..end`"
33     ),
34     on(
35         _Self = "[std::ops::RangeFrom<Idx>; 1]",
36         label = "if you meant to iterate from a value onwards, remove the square brackets",
37         note = "`[start..]` is an array of one `RangeFrom`; you might have meant to have a \
38               `RangeFrom` without the brackets: `start..`, keeping in mind that iterating over an \
39               unbounded iterator will run forever unless you `break` or `return` from within the \
40               loop"
41     ),
42     on(
43         _Self = "[std::ops::RangeTo<Idx>; 1]",
44         label = "if you meant to iterate until a value, remove the square brackets and add a \
45                  starting value",
46         note = "`[..end]` is an array of one `RangeTo`; you might have meant to have a bounded \
47                 `Range` without the brackets: `0..end`"
48     ),
49     on(
50         _Self = "[std::ops::RangeInclusive<Idx>; 1]",
51         label = "if you meant to iterate between two values, remove the square brackets",
52         note = "`[start..=end]` is an array of one `RangeInclusive`; you might have meant to have a \
53               `RangeInclusive` without the brackets: `start..=end`"
54     ),
55     on(
56         _Self = "[std::ops::RangeToInclusive<Idx>; 1]",
57         label = "if you meant to iterate until a value (including it), remove the square brackets \
58                  and add a starting value",
59         note = "`[..=end]` is an array of one `RangeToInclusive`; you might have meant to have a \
60                 bounded `RangeInclusive` without the brackets: `0..=end`"
61     ),
62     on(
63         _Self = "std::ops::RangeTo<Idx>",
64         label = "if you meant to iterate until a value, add a starting value",
65         note = "`..end` is a `RangeTo`, which cannot be iterated on; you might have meant to have a \
66               bounded `Range`: `0..end`"
67     ),
68     on(
69         _Self = "std::ops::RangeToInclusive<Idx>",
70         label = "if you meant to iterate until a value (including it), add a starting value",
71         note = "`..=end` is a `RangeToInclusive`, which cannot be iterated on; you might have meant \
72               to have a bounded `RangeInclusive`: `0..=end`"
73     ),
74     on(
75         _Self = "&str",
76         label = "`{Self}` is not an iterator; try calling `.chars()` or `.bytes()`"
77     ),
78     on(
79         _Self = "std::string::String",
80         label = "`{Self}` is not an iterator; try calling `.chars()` or `.bytes()`"
81     ),
82     on(
83         _Self = "[]",
84         label = "borrow the array with `&` or call `.iter()` on it to iterate over it",
85         note = "arrays are not iterators, but slices like the following are: `&[1, 2, 3]`"
86     ),
87     on(
88         _Self = "{integral}",
89         note = "if you want to iterate between `start` until a value `end`, use the exclusive range \
90               syntax `start..end` or the inclusive range syntax `start..=end`"
91     ),
92     label = "`{Self}` is not an iterator",
93     message = "`{Self}` is not an iterator"
94 )]
95 #[doc(spotlight)]
96 #[must_use = "iterators are lazy and do nothing unless consumed"]
97 pub trait Iterator {
98     /// The type of the elements being iterated over.
99     #[stable(feature = "rust1", since = "1.0.0")]
100     type Item;
101
102     /// Advances the iterator and returns the next value.
103     ///
104     /// Returns [`None`] when iteration is finished. Individual iterator
105     /// implementations may choose to resume iteration, and so calling `next()`
106     /// again may or may not eventually start returning [`Some(Item)`] again at some
107     /// point.
108     ///
109     /// [`Some(Item)`]: Some
110     ///
111     /// # Examples
112     ///
113     /// Basic usage:
114     ///
115     /// ```
116     /// let a = [1, 2, 3];
117     ///
118     /// let mut iter = a.iter();
119     ///
120     /// // A call to next() returns the next value...
121     /// assert_eq!(Some(&1), iter.next());
122     /// assert_eq!(Some(&2), iter.next());
123     /// assert_eq!(Some(&3), iter.next());
124     ///
125     /// // ... and then None once it's over.
126     /// assert_eq!(None, iter.next());
127     ///
128     /// // More calls may or may not return `None`. Here, they always will.
129     /// assert_eq!(None, iter.next());
130     /// assert_eq!(None, iter.next());
131     /// ```
132     #[lang = "next"]
133     #[stable(feature = "rust1", since = "1.0.0")]
134     fn next(&mut self) -> Option<Self::Item>;
135
136     /// Returns the bounds on the remaining length of the iterator.
137     ///
138     /// Specifically, `size_hint()` returns a tuple where the first element
139     /// is the lower bound, and the second element is the upper bound.
140     ///
141     /// The second half of the tuple that is returned is an [`Option`]`<`[`usize`]`>`.
142     /// A [`None`] here means that either there is no known upper bound, or the
143     /// upper bound is larger than [`usize`].
144     ///
145     /// # Implementation notes
146     ///
147     /// It is not enforced that an iterator implementation yields the declared
148     /// number of elements. A buggy iterator may yield less than the lower bound
149     /// or more than the upper bound of elements.
150     ///
151     /// `size_hint()` is primarily intended to be used for optimizations such as
152     /// reserving space for the elements of the iterator, but must not be
153     /// trusted to e.g., omit bounds checks in unsafe code. An incorrect
154     /// implementation of `size_hint()` should not lead to memory safety
155     /// violations.
156     ///
157     /// That said, the implementation should provide a correct estimation,
158     /// because otherwise it would be a violation of the trait's protocol.
159     ///
160     /// The default implementation returns `(0, `[`None`]`)` which is correct for any
161     /// iterator.
162     ///
163     /// [`usize`]: type@usize
164     ///
165     /// # Examples
166     ///
167     /// Basic usage:
168     ///
169     /// ```
170     /// let a = [1, 2, 3];
171     /// let iter = a.iter();
172     ///
173     /// assert_eq!((3, Some(3)), iter.size_hint());
174     /// ```
175     ///
176     /// A more complex example:
177     ///
178     /// ```
179     /// // The even numbers from zero to ten.
180     /// let iter = (0..10).filter(|x| x % 2 == 0);
181     ///
182     /// // We might iterate from zero to ten times. Knowing that it's five
183     /// // exactly wouldn't be possible without executing filter().
184     /// assert_eq!((0, Some(10)), iter.size_hint());
185     ///
186     /// // Let's add five more numbers with chain()
187     /// let iter = (0..10).filter(|x| x % 2 == 0).chain(15..20);
188     ///
189     /// // now both bounds are increased by five
190     /// assert_eq!((5, Some(15)), iter.size_hint());
191     /// ```
192     ///
193     /// Returning `None` for an upper bound:
194     ///
195     /// ```
196     /// // an infinite iterator has no upper bound
197     /// // and the maximum possible lower bound
198     /// let iter = 0..;
199     ///
200     /// assert_eq!((usize::MAX, None), iter.size_hint());
201     /// ```
202     #[inline]
203     #[stable(feature = "rust1", since = "1.0.0")]
204     fn size_hint(&self) -> (usize, Option<usize>) {
205         (0, None)
206     }
207
208     /// Consumes the iterator, counting the number of iterations and returning it.
209     ///
210     /// This method will call [`next`] repeatedly until [`None`] is encountered,
211     /// returning the number of times it saw [`Some`]. Note that [`next`] has to be
212     /// called at least once even if the iterator does not have any elements.
213     ///
214     /// [`next`]: Iterator::next
215     ///
216     /// # Overflow Behavior
217     ///
218     /// The method does no guarding against overflows, so counting elements of
219     /// an iterator with more than [`usize::MAX`] elements either produces the
220     /// wrong result or panics. If debug assertions are enabled, a panic is
221     /// guaranteed.
222     ///
223     /// # Panics
224     ///
225     /// This function might panic if the iterator has more than [`usize::MAX`]
226     /// elements.
227     ///
228     /// [`usize::MAX`]: crate::usize::MAX
229     ///
230     /// # Examples
231     ///
232     /// Basic usage:
233     ///
234     /// ```
235     /// let a = [1, 2, 3];
236     /// assert_eq!(a.iter().count(), 3);
237     ///
238     /// let a = [1, 2, 3, 4, 5];
239     /// assert_eq!(a.iter().count(), 5);
240     /// ```
241     #[inline]
242     #[stable(feature = "rust1", since = "1.0.0")]
243     fn count(self) -> usize
244     where
245         Self: Sized,
246     {
247         #[inline]
248         fn add1<T>(count: usize, _: T) -> usize {
249             // Might overflow.
250             Add::add(count, 1)
251         }
252
253         self.fold(0, add1)
254     }
255
256     /// Consumes the iterator, returning the last element.
257     ///
258     /// This method will evaluate the iterator until it returns [`None`]. While
259     /// doing so, it keeps track of the current element. After [`None`] is
260     /// returned, `last()` will then return the last element it saw.
261     ///
262     /// # Examples
263     ///
264     /// Basic usage:
265     ///
266     /// ```
267     /// let a = [1, 2, 3];
268     /// assert_eq!(a.iter().last(), Some(&3));
269     ///
270     /// let a = [1, 2, 3, 4, 5];
271     /// assert_eq!(a.iter().last(), Some(&5));
272     /// ```
273     #[inline]
274     #[stable(feature = "rust1", since = "1.0.0")]
275     fn last(self) -> Option<Self::Item>
276     where
277         Self: Sized,
278     {
279         #[inline]
280         fn some<T>(_: Option<T>, x: T) -> Option<T> {
281             Some(x)
282         }
283
284         self.fold(None, some)
285     }
286
287     /// Advances the iterator by `n` elements.
288     ///
289     /// This method will eagerly skip `n` elements by calling [`next`] up to `n`
290     /// times until [`None`] is encountered.
291     ///
292     /// `advance_by(n)` will return [`Ok(())`][Ok] if the iterator successfully advances by
293     /// `n` elements, or [`Err(k)`][Err] if [`None`] is encountered, where `k` is the number
294     /// of elements the iterator is advanced by before running out of elements (i.e. the
295     /// length of the iterator). Note that `k` is always less than `n`.
296     ///
297     /// Calling `advance_by(0)` does not consume any elements and always returns [`Ok(())`][Ok].
298     ///
299     /// [`next`]: Iterator::next
300     ///
301     /// # Examples
302     ///
303     /// Basic usage:
304     ///
305     /// ```
306     /// #![feature(iter_advance_by)]
307     ///
308     /// let a = [1, 2, 3, 4];
309     /// let mut iter = a.iter();
310     ///
311     /// assert_eq!(iter.advance_by(2), Ok(()));
312     /// assert_eq!(iter.next(), Some(&3));
313     /// assert_eq!(iter.advance_by(0), Ok(()));
314     /// assert_eq!(iter.advance_by(100), Err(1)); // only `&4` was skipped
315     /// ```
316     #[inline]
317     #[unstable(feature = "iter_advance_by", reason = "recently added", issue = "77404")]
318     fn advance_by(&mut self, n: usize) -> Result<(), usize> {
319         for i in 0..n {
320             self.next().ok_or(i)?;
321         }
322         Ok(())
323     }
324
325     /// Returns the `n`th element of the iterator.
326     ///
327     /// Like most indexing operations, the count starts from zero, so `nth(0)`
328     /// returns the first value, `nth(1)` the second, and so on.
329     ///
330     /// Note that all preceding elements, as well as the returned element, will be
331     /// consumed from the iterator. That means that the preceding elements will be
332     /// discarded, and also that calling `nth(0)` multiple times on the same iterator
333     /// will return different elements.
334     ///
335     /// `nth()` will return [`None`] if `n` is greater than or equal to the length of the
336     /// iterator.
337     ///
338     /// # Examples
339     ///
340     /// Basic usage:
341     ///
342     /// ```
343     /// let a = [1, 2, 3];
344     /// assert_eq!(a.iter().nth(1), Some(&2));
345     /// ```
346     ///
347     /// Calling `nth()` multiple times doesn't rewind the iterator:
348     ///
349     /// ```
350     /// let a = [1, 2, 3];
351     ///
352     /// let mut iter = a.iter();
353     ///
354     /// assert_eq!(iter.nth(1), Some(&2));
355     /// assert_eq!(iter.nth(1), None);
356     /// ```
357     ///
358     /// Returning `None` if there are less than `n + 1` elements:
359     ///
360     /// ```
361     /// let a = [1, 2, 3];
362     /// assert_eq!(a.iter().nth(10), None);
363     /// ```
364     #[inline]
365     #[stable(feature = "rust1", since = "1.0.0")]
366     fn nth(&mut self, n: usize) -> Option<Self::Item> {
367         self.advance_by(n).ok()?;
368         self.next()
369     }
370
371     /// Creates an iterator starting at the same point, but stepping by
372     /// the given amount at each iteration.
373     ///
374     /// Note 1: The first element of the iterator will always be returned,
375     /// regardless of the step given.
376     ///
377     /// Note 2: The time at which ignored elements are pulled is not fixed.
378     /// `StepBy` behaves like the sequence `next(), nth(step-1), nth(step-1), â€¦`,
379     /// but is also free to behave like the sequence
380     /// `advance_n_and_return_first(step), advance_n_and_return_first(step), â€¦`
381     /// Which way is used may change for some iterators for performance reasons.
382     /// The second way will advance the iterator earlier and may consume more items.
383     ///
384     /// `advance_n_and_return_first` is the equivalent of:
385     /// ```
386     /// fn advance_n_and_return_first<I>(iter: &mut I, total_step: usize) -> Option<I::Item>
387     /// where
388     ///     I: Iterator,
389     /// {
390     ///     let next = iter.next();
391     ///     if total_step > 1 {
392     ///         iter.nth(total_step-2);
393     ///     }
394     ///     next
395     /// }
396     /// ```
397     ///
398     /// # Panics
399     ///
400     /// The method will panic if the given step is `0`.
401     ///
402     /// # Examples
403     ///
404     /// Basic usage:
405     ///
406     /// ```
407     /// let a = [0, 1, 2, 3, 4, 5];
408     /// let mut iter = a.iter().step_by(2);
409     ///
410     /// assert_eq!(iter.next(), Some(&0));
411     /// assert_eq!(iter.next(), Some(&2));
412     /// assert_eq!(iter.next(), Some(&4));
413     /// assert_eq!(iter.next(), None);
414     /// ```
415     #[inline]
416     #[stable(feature = "iterator_step_by", since = "1.28.0")]
417     fn step_by(self, step: usize) -> StepBy<Self>
418     where
419         Self: Sized,
420     {
421         StepBy::new(self, step)
422     }
423
424     /// Takes two iterators and creates a new iterator over both in sequence.
425     ///
426     /// `chain()` will return a new iterator which will first iterate over
427     /// values from the first iterator and then over values from the second
428     /// iterator.
429     ///
430     /// In other words, it links two iterators together, in a chain. ðŸ”—
431     ///
432     /// [`once`] is commonly used to adapt a single value into a chain of
433     /// other kinds of iteration.
434     ///
435     /// # Examples
436     ///
437     /// Basic usage:
438     ///
439     /// ```
440     /// let a1 = [1, 2, 3];
441     /// let a2 = [4, 5, 6];
442     ///
443     /// let mut iter = a1.iter().chain(a2.iter());
444     ///
445     /// assert_eq!(iter.next(), Some(&1));
446     /// assert_eq!(iter.next(), Some(&2));
447     /// assert_eq!(iter.next(), Some(&3));
448     /// assert_eq!(iter.next(), Some(&4));
449     /// assert_eq!(iter.next(), Some(&5));
450     /// assert_eq!(iter.next(), Some(&6));
451     /// assert_eq!(iter.next(), None);
452     /// ```
453     ///
454     /// Since the argument to `chain()` uses [`IntoIterator`], we can pass
455     /// anything that can be converted into an [`Iterator`], not just an
456     /// [`Iterator`] itself. For example, slices (`&[T]`) implement
457     /// [`IntoIterator`], and so can be passed to `chain()` directly:
458     ///
459     /// ```
460     /// let s1 = &[1, 2, 3];
461     /// let s2 = &[4, 5, 6];
462     ///
463     /// let mut iter = s1.iter().chain(s2);
464     ///
465     /// assert_eq!(iter.next(), Some(&1));
466     /// assert_eq!(iter.next(), Some(&2));
467     /// assert_eq!(iter.next(), Some(&3));
468     /// assert_eq!(iter.next(), Some(&4));
469     /// assert_eq!(iter.next(), Some(&5));
470     /// assert_eq!(iter.next(), Some(&6));
471     /// assert_eq!(iter.next(), None);
472     /// ```
473     ///
474     /// If you work with Windows API, you may wish to convert [`OsStr`] to `Vec<u16>`:
475     ///
476     /// ```
477     /// #[cfg(windows)]
478     /// fn os_str_to_utf16(s: &std::ffi::OsStr) -> Vec<u16> {
479     ///     use std::os::windows::ffi::OsStrExt;
480     ///     s.encode_wide().chain(std::iter::once(0)).collect()
481     /// }
482     /// ```
483     ///
484     /// [`once`]: crate::iter::once
485     /// [`OsStr`]: ../../std/ffi/struct.OsStr.html
486     #[inline]
487     #[stable(feature = "rust1", since = "1.0.0")]
488     fn chain<U>(self, other: U) -> Chain<Self, U::IntoIter>
489     where
490         Self: Sized,
491         U: IntoIterator<Item = Self::Item>,
492     {
493         Chain::new(self, other.into_iter())
494     }
495
496     /// 'Zips up' two iterators into a single iterator of pairs.
497     ///
498     /// `zip()` returns a new iterator that will iterate over two other
499     /// iterators, returning a tuple where the first element comes from the
500     /// first iterator, and the second element comes from the second iterator.
501     ///
502     /// In other words, it zips two iterators together, into a single one.
503     ///
504     /// If either iterator returns [`None`], [`next`] from the zipped iterator
505     /// will return [`None`]. If the first iterator returns [`None`], `zip` will
506     /// short-circuit and `next` will not be called on the second iterator.
507     ///
508     /// # Examples
509     ///
510     /// Basic usage:
511     ///
512     /// ```
513     /// let a1 = [1, 2, 3];
514     /// let a2 = [4, 5, 6];
515     ///
516     /// let mut iter = a1.iter().zip(a2.iter());
517     ///
518     /// assert_eq!(iter.next(), Some((&1, &4)));
519     /// assert_eq!(iter.next(), Some((&2, &5)));
520     /// assert_eq!(iter.next(), Some((&3, &6)));
521     /// assert_eq!(iter.next(), None);
522     /// ```
523     ///
524     /// Since the argument to `zip()` uses [`IntoIterator`], we can pass
525     /// anything that can be converted into an [`Iterator`], not just an
526     /// [`Iterator`] itself. For example, slices (`&[T]`) implement
527     /// [`IntoIterator`], and so can be passed to `zip()` directly:
528     ///
529     /// ```
530     /// let s1 = &[1, 2, 3];
531     /// let s2 = &[4, 5, 6];
532     ///
533     /// let mut iter = s1.iter().zip(s2);
534     ///
535     /// assert_eq!(iter.next(), Some((&1, &4)));
536     /// assert_eq!(iter.next(), Some((&2, &5)));
537     /// assert_eq!(iter.next(), Some((&3, &6)));
538     /// assert_eq!(iter.next(), None);
539     /// ```
540     ///
541     /// `zip()` is often used to zip an infinite iterator to a finite one.
542     /// This works because the finite iterator will eventually return [`None`],
543     /// ending the zipper. Zipping with `(0..)` can look a lot like [`enumerate`]:
544     ///
545     /// ```
546     /// let enumerate: Vec<_> = "foo".chars().enumerate().collect();
547     ///
548     /// let zipper: Vec<_> = (0..).zip("foo".chars()).collect();
549     ///
550     /// assert_eq!((0, 'f'), enumerate[0]);
551     /// assert_eq!((0, 'f'), zipper[0]);
552     ///
553     /// assert_eq!((1, 'o'), enumerate[1]);
554     /// assert_eq!((1, 'o'), zipper[1]);
555     ///
556     /// assert_eq!((2, 'o'), enumerate[2]);
557     /// assert_eq!((2, 'o'), zipper[2]);
558     /// ```
559     ///
560     /// [`enumerate`]: Iterator::enumerate
561     /// [`next`]: Iterator::next
562     #[inline]
563     #[stable(feature = "rust1", since = "1.0.0")]
564     fn zip<U>(self, other: U) -> Zip<Self, U::IntoIter>
565     where
566         Self: Sized,
567         U: IntoIterator,
568     {
569         Zip::new(self, other.into_iter())
570     }
571
572     /// Places a copy of `separator` between all elements.
573     ///
574     /// # Examples
575     ///
576     /// Basic usage:
577     ///
578     /// ```
579     /// #![feature(iter_intersperse)]
580     ///
581     /// let hello = ["Hello", "World"].iter().copied().intersperse(" ").collect::<String>();
582     /// assert_eq!(hello, "Hello World");
583     /// ```
584     #[inline]
585     #[unstable(feature = "iter_intersperse", reason = "recently added", issue = "79524")]
586     fn intersperse(self, separator: Self::Item) -> Intersperse<Self>
587     where
588         Self: Sized,
589         Self::Item: Clone,
590     {
591         Intersperse::new(self, separator)
592     }
593
594     /// Takes a closure and creates an iterator which calls that closure on each
595     /// element.
596     ///
597     /// `map()` transforms one iterator into another, by means of its argument:
598     /// something that implements [`FnMut`]. It produces a new iterator which
599     /// calls this closure on each element of the original iterator.
600     ///
601     /// If you are good at thinking in types, you can think of `map()` like this:
602     /// If you have an iterator that gives you elements of some type `A`, and
603     /// you want an iterator of some other type `B`, you can use `map()`,
604     /// passing a closure that takes an `A` and returns a `B`.
605     ///
606     /// `map()` is conceptually similar to a [`for`] loop. However, as `map()` is
607     /// lazy, it is best used when you're already working with other iterators.
608     /// If you're doing some sort of looping for a side effect, it's considered
609     /// more idiomatic to use [`for`] than `map()`.
610     ///
611     /// [`for`]: ../../book/ch03-05-control-flow.html#looping-through-a-collection-with-for
612     /// [`FnMut`]: crate::ops::FnMut
613     ///
614     /// # Examples
615     ///
616     /// Basic usage:
617     ///
618     /// ```
619     /// let a = [1, 2, 3];
620     ///
621     /// let mut iter = a.iter().map(|x| 2 * x);
622     ///
623     /// assert_eq!(iter.next(), Some(2));
624     /// assert_eq!(iter.next(), Some(4));
625     /// assert_eq!(iter.next(), Some(6));
626     /// assert_eq!(iter.next(), None);
627     /// ```
628     ///
629     /// If you're doing some sort of side effect, prefer [`for`] to `map()`:
630     ///
631     /// ```
632     /// # #![allow(unused_must_use)]
633     /// // don't do this:
634     /// (0..5).map(|x| println!("{}", x));
635     ///
636     /// // it won't even execute, as it is lazy. Rust will warn you about this.
637     ///
638     /// // Instead, use for:
639     /// for x in 0..5 {
640     ///     println!("{}", x);
641     /// }
642     /// ```
643     #[inline]
644     #[stable(feature = "rust1", since = "1.0.0")]
645     fn map<B, F>(self, f: F) -> Map<Self, F>
646     where
647         Self: Sized,
648         F: FnMut(Self::Item) -> B,
649     {
650         Map::new(self, f)
651     }
652
653     /// Calls a closure on each element of an iterator.
654     ///
655     /// This is equivalent to using a [`for`] loop on the iterator, although
656     /// `break` and `continue` are not possible from a closure. It's generally
657     /// more idiomatic to use a `for` loop, but `for_each` may be more legible
658     /// when processing items at the end of longer iterator chains. In some
659     /// cases `for_each` may also be faster than a loop, because it will use
660     /// internal iteration on adaptors like `Chain`.
661     ///
662     /// [`for`]: ../../book/ch03-05-control-flow.html#looping-through-a-collection-with-for
663     ///
664     /// # Examples
665     ///
666     /// Basic usage:
667     ///
668     /// ```
669     /// use std::sync::mpsc::channel;
670     ///
671     /// let (tx, rx) = channel();
672     /// (0..5).map(|x| x * 2 + 1)
673     ///       .for_each(move |x| tx.send(x).unwrap());
674     ///
675     /// let v: Vec<_> =  rx.iter().collect();
676     /// assert_eq!(v, vec![1, 3, 5, 7, 9]);
677     /// ```
678     ///
679     /// For such a small example, a `for` loop may be cleaner, but `for_each`
680     /// might be preferable to keep a functional style with longer iterators:
681     ///
682     /// ```
683     /// (0..5).flat_map(|x| x * 100 .. x * 110)
684     ///       .enumerate()
685     ///       .filter(|&(i, x)| (i + x) % 3 == 0)
686     ///       .for_each(|(i, x)| println!("{}:{}", i, x));
687     /// ```
688     #[inline]
689     #[stable(feature = "iterator_for_each", since = "1.21.0")]
690     fn for_each<F>(self, f: F)
691     where
692         Self: Sized,
693         F: FnMut(Self::Item),
694     {
695         #[inline]
696         fn call<T>(mut f: impl FnMut(T)) -> impl FnMut((), T) {
697             move |(), item| f(item)
698         }
699
700         self.fold((), call(f));
701     }
702
703     /// Creates an iterator which uses a closure to determine if an element
704     /// should be yielded.
705     ///
706     /// Given an element the closure must return `true` or `false`. The returned
707     /// iterator will yield only the elements for which the closure returns
708     /// true.
709     ///
710     /// # Examples
711     ///
712     /// Basic usage:
713     ///
714     /// ```
715     /// let a = [0i32, 1, 2];
716     ///
717     /// let mut iter = a.iter().filter(|x| x.is_positive());
718     ///
719     /// assert_eq!(iter.next(), Some(&1));
720     /// assert_eq!(iter.next(), Some(&2));
721     /// assert_eq!(iter.next(), None);
722     /// ```
723     ///
724     /// Because the closure passed to `filter()` takes a reference, and many
725     /// iterators iterate over references, this leads to a possibly confusing
726     /// situation, where the type of the closure is a double reference:
727     ///
728     /// ```
729     /// let a = [0, 1, 2];
730     ///
731     /// let mut iter = a.iter().filter(|x| **x > 1); // need two *s!
732     ///
733     /// assert_eq!(iter.next(), Some(&2));
734     /// assert_eq!(iter.next(), None);
735     /// ```
736     ///
737     /// It's common to instead use destructuring on the argument to strip away
738     /// one:
739     ///
740     /// ```
741     /// let a = [0, 1, 2];
742     ///
743     /// let mut iter = a.iter().filter(|&x| *x > 1); // both & and *
744     ///
745     /// assert_eq!(iter.next(), Some(&2));
746     /// assert_eq!(iter.next(), None);
747     /// ```
748     ///
749     /// or both:
750     ///
751     /// ```
752     /// let a = [0, 1, 2];
753     ///
754     /// let mut iter = a.iter().filter(|&&x| x > 1); // two &s
755     ///
756     /// assert_eq!(iter.next(), Some(&2));
757     /// assert_eq!(iter.next(), None);
758     /// ```
759     ///
760     /// of these layers.
761     ///
762     /// Note that `iter.filter(f).next()` is equivalent to `iter.find(f)`.
763     #[inline]
764     #[stable(feature = "rust1", since = "1.0.0")]
765     fn filter<P>(self, predicate: P) -> Filter<Self, P>
766     where
767         Self: Sized,
768         P: FnMut(&Self::Item) -> bool,
769     {
770         Filter::new(self, predicate)
771     }
772
773     /// Creates an iterator that both filters and maps.
774     ///
775     /// The returned iterator yields only the `value`s for which the supplied
776     /// closure returns `Some(value)`.
777     ///
778     /// `filter_map` can be used to make chains of [`filter`] and [`map`] more
779     /// concise. The example below shows how a `map().filter().map()` can be
780     /// shortened to a single call to `filter_map`.
781     ///
782     /// [`filter`]: Iterator::filter
783     /// [`map`]: Iterator::map
784     ///
785     /// # Examples
786     ///
787     /// Basic usage:
788     ///
789     /// ```
790     /// let a = ["1", "two", "NaN", "four", "5"];
791     ///
792     /// let mut iter = a.iter().filter_map(|s| s.parse().ok());
793     ///
794     /// assert_eq!(iter.next(), Some(1));
795     /// assert_eq!(iter.next(), Some(5));
796     /// assert_eq!(iter.next(), None);
797     /// ```
798     ///
799     /// Here's the same example, but with [`filter`] and [`map`]:
800     ///
801     /// ```
802     /// let a = ["1", "two", "NaN", "four", "5"];
803     /// let mut iter = a.iter().map(|s| s.parse()).filter(|s| s.is_ok()).map(|s| s.unwrap());
804     /// assert_eq!(iter.next(), Some(1));
805     /// assert_eq!(iter.next(), Some(5));
806     /// assert_eq!(iter.next(), None);
807     /// ```
808     #[inline]
809     #[stable(feature = "rust1", since = "1.0.0")]
810     fn filter_map<B, F>(self, f: F) -> FilterMap<Self, F>
811     where
812         Self: Sized,
813         F: FnMut(Self::Item) -> Option<B>,
814     {
815         FilterMap::new(self, f)
816     }
817
818     /// Creates an iterator which gives the current iteration count as well as
819     /// the next value.
820     ///
821     /// The iterator returned yields pairs `(i, val)`, where `i` is the
822     /// current index of iteration and `val` is the value returned by the
823     /// iterator.
824     ///
825     /// `enumerate()` keeps its count as a [`usize`]. If you want to count by a
826     /// different sized integer, the [`zip`] function provides similar
827     /// functionality.
828     ///
829     /// # Overflow Behavior
830     ///
831     /// The method does no guarding against overflows, so enumerating more than
832     /// [`usize::MAX`] elements either produces the wrong result or panics. If
833     /// debug assertions are enabled, a panic is guaranteed.
834     ///
835     /// # Panics
836     ///
837     /// The returned iterator might panic if the to-be-returned index would
838     /// overflow a [`usize`].
839     ///
840     /// [`usize`]: type@usize
841     /// [`usize::MAX`]: crate::usize::MAX
842     /// [`zip`]: Iterator::zip
843     ///
844     /// # Examples
845     ///
846     /// ```
847     /// let a = ['a', 'b', 'c'];
848     ///
849     /// let mut iter = a.iter().enumerate();
850     ///
851     /// assert_eq!(iter.next(), Some((0, &'a')));
852     /// assert_eq!(iter.next(), Some((1, &'b')));
853     /// assert_eq!(iter.next(), Some((2, &'c')));
854     /// assert_eq!(iter.next(), None);
855     /// ```
856     #[inline]
857     #[stable(feature = "rust1", since = "1.0.0")]
858     fn enumerate(self) -> Enumerate<Self>
859     where
860         Self: Sized,
861     {
862         Enumerate::new(self)
863     }
864
865     /// Creates an iterator which can use [`peek`] to look at the next element of
866     /// the iterator without consuming it.
867     ///
868     /// Adds a [`peek`] method to an iterator. See its documentation for
869     /// more information.
870     ///
871     /// Note that the underlying iterator is still advanced when [`peek`] is
872     /// called for the first time: In order to retrieve the next element,
873     /// [`next`] is called on the underlying iterator, hence any side effects (i.e.
874     /// anything other than fetching the next value) of the [`next`] method
875     /// will occur.
876     ///
877     /// [`peek`]: Peekable::peek
878     /// [`next`]: Iterator::next
879     ///
880     /// # Examples
881     ///
882     /// Basic usage:
883     ///
884     /// ```
885     /// let xs = [1, 2, 3];
886     ///
887     /// let mut iter = xs.iter().peekable();
888     ///
889     /// // peek() lets us see into the future
890     /// assert_eq!(iter.peek(), Some(&&1));
891     /// assert_eq!(iter.next(), Some(&1));
892     ///
893     /// assert_eq!(iter.next(), Some(&2));
894     ///
895     /// // we can peek() multiple times, the iterator won't advance
896     /// assert_eq!(iter.peek(), Some(&&3));
897     /// assert_eq!(iter.peek(), Some(&&3));
898     ///
899     /// assert_eq!(iter.next(), Some(&3));
900     ///
901     /// // after the iterator is finished, so is peek()
902     /// assert_eq!(iter.peek(), None);
903     /// assert_eq!(iter.next(), None);
904     /// ```
905     #[inline]
906     #[stable(feature = "rust1", since = "1.0.0")]
907     fn peekable(self) -> Peekable<Self>
908     where
909         Self: Sized,
910     {
911         Peekable::new(self)
912     }
913
914     /// Creates an iterator that [`skip`]s elements based on a predicate.
915     ///
916     /// [`skip`]: Iterator::skip
917     ///
918     /// `skip_while()` takes a closure as an argument. It will call this
919     /// closure on each element of the iterator, and ignore elements
920     /// until it returns `false`.
921     ///
922     /// After `false` is returned, `skip_while()`'s job is over, and the
923     /// rest of the elements are yielded.
924     ///
925     /// # Examples
926     ///
927     /// Basic usage:
928     ///
929     /// ```
930     /// let a = [-1i32, 0, 1];
931     ///
932     /// let mut iter = a.iter().skip_while(|x| x.is_negative());
933     ///
934     /// assert_eq!(iter.next(), Some(&0));
935     /// assert_eq!(iter.next(), Some(&1));
936     /// assert_eq!(iter.next(), None);
937     /// ```
938     ///
939     /// Because the closure passed to `skip_while()` takes a reference, and many
940     /// iterators iterate over references, this leads to a possibly confusing
941     /// situation, where the type of the closure is a double reference:
942     ///
943     /// ```
944     /// let a = [-1, 0, 1];
945     ///
946     /// let mut iter = a.iter().skip_while(|x| **x < 0); // need two *s!
947     ///
948     /// assert_eq!(iter.next(), Some(&0));
949     /// assert_eq!(iter.next(), Some(&1));
950     /// assert_eq!(iter.next(), None);
951     /// ```
952     ///
953     /// Stopping after an initial `false`:
954     ///
955     /// ```
956     /// let a = [-1, 0, 1, -2];
957     ///
958     /// let mut iter = a.iter().skip_while(|x| **x < 0);
959     ///
960     /// assert_eq!(iter.next(), Some(&0));
961     /// assert_eq!(iter.next(), Some(&1));
962     ///
963     /// // while this would have been false, since we already got a false,
964     /// // skip_while() isn't used any more
965     /// assert_eq!(iter.next(), Some(&-2));
966     ///
967     /// assert_eq!(iter.next(), None);
968     /// ```
969     #[inline]
970     #[stable(feature = "rust1", since = "1.0.0")]
971     fn skip_while<P>(self, predicate: P) -> SkipWhile<Self, P>
972     where
973         Self: Sized,
974         P: FnMut(&Self::Item) -> bool,
975     {
976         SkipWhile::new(self, predicate)
977     }
978
979     /// Creates an iterator that yields elements based on a predicate.
980     ///
981     /// `take_while()` takes a closure as an argument. It will call this
982     /// closure on each element of the iterator, and yield elements
983     /// while it returns `true`.
984     ///
985     /// After `false` is returned, `take_while()`'s job is over, and the
986     /// rest of the elements are ignored.
987     ///
988     /// # Examples
989     ///
990     /// Basic usage:
991     ///
992     /// ```
993     /// let a = [-1i32, 0, 1];
994     ///
995     /// let mut iter = a.iter().take_while(|x| x.is_negative());
996     ///
997     /// assert_eq!(iter.next(), Some(&-1));
998     /// assert_eq!(iter.next(), None);
999     /// ```
1000     ///
1001     /// Because the closure passed to `take_while()` takes a reference, and many
1002     /// iterators iterate over references, this leads to a possibly confusing
1003     /// situation, where the type of the closure is a double reference:
1004     ///
1005     /// ```
1006     /// let a = [-1, 0, 1];
1007     ///
1008     /// let mut iter = a.iter().take_while(|x| **x < 0); // need two *s!
1009     ///
1010     /// assert_eq!(iter.next(), Some(&-1));
1011     /// assert_eq!(iter.next(), None);
1012     /// ```
1013     ///
1014     /// Stopping after an initial `false`:
1015     ///
1016     /// ```
1017     /// let a = [-1, 0, 1, -2];
1018     ///
1019     /// let mut iter = a.iter().take_while(|x| **x < 0);
1020     ///
1021     /// assert_eq!(iter.next(), Some(&-1));
1022     ///
1023     /// // We have more elements that are less than zero, but since we already
1024     /// // got a false, take_while() isn't used any more
1025     /// assert_eq!(iter.next(), None);
1026     /// ```
1027     ///
1028     /// Because `take_while()` needs to look at the value in order to see if it
1029     /// should be included or not, consuming iterators will see that it is
1030     /// removed:
1031     ///
1032     /// ```
1033     /// let a = [1, 2, 3, 4];
1034     /// let mut iter = a.iter();
1035     ///
1036     /// let result: Vec<i32> = iter.by_ref()
1037     ///                            .take_while(|n| **n != 3)
1038     ///                            .cloned()
1039     ///                            .collect();
1040     ///
1041     /// assert_eq!(result, &[1, 2]);
1042     ///
1043     /// let result: Vec<i32> = iter.cloned().collect();
1044     ///
1045     /// assert_eq!(result, &[4]);
1046     /// ```
1047     ///
1048     /// The `3` is no longer there, because it was consumed in order to see if
1049     /// the iteration should stop, but wasn't placed back into the iterator.
1050     #[inline]
1051     #[stable(feature = "rust1", since = "1.0.0")]
1052     fn take_while<P>(self, predicate: P) -> TakeWhile<Self, P>
1053     where
1054         Self: Sized,
1055         P: FnMut(&Self::Item) -> bool,
1056     {
1057         TakeWhile::new(self, predicate)
1058     }
1059
1060     /// Creates an iterator that both yields elements based on a predicate and maps.
1061     ///
1062     /// `map_while()` takes a closure as an argument. It will call this
1063     /// closure on each element of the iterator, and yield elements
1064     /// while it returns [`Some(_)`][`Some`].
1065     ///
1066     /// # Examples
1067     ///
1068     /// Basic usage:
1069     ///
1070     /// ```
1071     /// #![feature(iter_map_while)]
1072     /// let a = [-1i32, 4, 0, 1];
1073     ///
1074     /// let mut iter = a.iter().map_while(|x| 16i32.checked_div(*x));
1075     ///
1076     /// assert_eq!(iter.next(), Some(-16));
1077     /// assert_eq!(iter.next(), Some(4));
1078     /// assert_eq!(iter.next(), None);
1079     /// ```
1080     ///
1081     /// Here's the same example, but with [`take_while`] and [`map`]:
1082     ///
1083     /// [`take_while`]: Iterator::take_while
1084     /// [`map`]: Iterator::map
1085     ///
1086     /// ```
1087     /// let a = [-1i32, 4, 0, 1];
1088     ///
1089     /// let mut iter = a.iter()
1090     ///                 .map(|x| 16i32.checked_div(*x))
1091     ///                 .take_while(|x| x.is_some())
1092     ///                 .map(|x| x.unwrap());
1093     ///
1094     /// assert_eq!(iter.next(), Some(-16));
1095     /// assert_eq!(iter.next(), Some(4));
1096     /// assert_eq!(iter.next(), None);
1097     /// ```
1098     ///
1099     /// Stopping after an initial [`None`]:
1100     ///
1101     /// ```
1102     /// #![feature(iter_map_while)]
1103     /// use std::convert::TryFrom;
1104     ///
1105     /// let a = [0, 1, 2, -3, 4, 5, -6];
1106     ///
1107     /// let iter = a.iter().map_while(|x| u32::try_from(*x).ok());
1108     /// let vec = iter.collect::<Vec<_>>();
1109     ///
1110     /// // We have more elements which could fit in u32 (4, 5), but `map_while` returned `None` for `-3`
1111     /// // (as the `predicate` returned `None`) and `collect` stops at the first `None` encountered.
1112     /// assert_eq!(vec, vec![0, 1, 2]);
1113     /// ```
1114     ///
1115     /// Because `map_while()` needs to look at the value in order to see if it
1116     /// should be included or not, consuming iterators will see that it is
1117     /// removed:
1118     ///
1119     /// ```
1120     /// #![feature(iter_map_while)]
1121     /// use std::convert::TryFrom;
1122     ///
1123     /// let a = [1, 2, -3, 4];
1124     /// let mut iter = a.iter();
1125     ///
1126     /// let result: Vec<u32> = iter.by_ref()
1127     ///                            .map_while(|n| u32::try_from(*n).ok())
1128     ///                            .collect();
1129     ///
1130     /// assert_eq!(result, &[1, 2]);
1131     ///
1132     /// let result: Vec<i32> = iter.cloned().collect();
1133     ///
1134     /// assert_eq!(result, &[4]);
1135     /// ```
1136     ///
1137     /// The `-3` is no longer there, because it was consumed in order to see if
1138     /// the iteration should stop, but wasn't placed back into the iterator.
1139     ///
1140     /// Note that unlike [`take_while`] this iterator is **not** fused.
1141     /// It is also not specified what this iterator returns after the first` None` is returned.
1142     /// If you need fused iterator, use [`fuse`].
1143     ///
1144     /// [`fuse`]: Iterator::fuse
1145     #[inline]
1146     #[unstable(feature = "iter_map_while", reason = "recently added", issue = "68537")]
1147     fn map_while<B, P>(self, predicate: P) -> MapWhile<Self, P>
1148     where
1149         Self: Sized,
1150         P: FnMut(Self::Item) -> Option<B>,
1151     {
1152         MapWhile::new(self, predicate)
1153     }
1154
1155     /// Creates an iterator that skips the first `n` elements.
1156     ///
1157     /// After they have been consumed, the rest of the elements are yielded.
1158     /// Rather than overriding this method directly, instead override the `nth` method.
1159     ///
1160     /// # Examples
1161     ///
1162     /// Basic usage:
1163     ///
1164     /// ```
1165     /// let a = [1, 2, 3];
1166     ///
1167     /// let mut iter = a.iter().skip(2);
1168     ///
1169     /// assert_eq!(iter.next(), Some(&3));
1170     /// assert_eq!(iter.next(), None);
1171     /// ```
1172     #[inline]
1173     #[stable(feature = "rust1", since = "1.0.0")]
1174     fn skip(self, n: usize) -> Skip<Self>
1175     where
1176         Self: Sized,
1177     {
1178         Skip::new(self, n)
1179     }
1180
1181     /// Creates an iterator that yields its first `n` elements.
1182     ///
1183     /// # Examples
1184     ///
1185     /// Basic usage:
1186     ///
1187     /// ```
1188     /// let a = [1, 2, 3];
1189     ///
1190     /// let mut iter = a.iter().take(2);
1191     ///
1192     /// assert_eq!(iter.next(), Some(&1));
1193     /// assert_eq!(iter.next(), Some(&2));
1194     /// assert_eq!(iter.next(), None);
1195     /// ```
1196     ///
1197     /// `take()` is often used with an infinite iterator, to make it finite:
1198     ///
1199     /// ```
1200     /// let mut iter = (0..).take(3);
1201     ///
1202     /// assert_eq!(iter.next(), Some(0));
1203     /// assert_eq!(iter.next(), Some(1));
1204     /// assert_eq!(iter.next(), Some(2));
1205     /// assert_eq!(iter.next(), None);
1206     /// ```
1207     ///
1208     /// If less than `n` elements are available,
1209     /// `take` will limit itself to the size of the underlying iterator:
1210     ///
1211     /// ```
1212     /// let v = vec![1, 2];
1213     /// let mut iter = v.into_iter().take(5);
1214     /// assert_eq!(iter.next(), Some(1));
1215     /// assert_eq!(iter.next(), Some(2));
1216     /// assert_eq!(iter.next(), None);
1217     /// ```
1218     #[inline]
1219     #[stable(feature = "rust1", since = "1.0.0")]
1220     fn take(self, n: usize) -> Take<Self>
1221     where
1222         Self: Sized,
1223     {
1224         Take::new(self, n)
1225     }
1226
1227     /// An iterator adaptor similar to [`fold`] that holds internal state and
1228     /// produces a new iterator.
1229     ///
1230     /// [`fold`]: Iterator::fold
1231     ///
1232     /// `scan()` takes two arguments: an initial value which seeds the internal
1233     /// state, and a closure with two arguments, the first being a mutable
1234     /// reference to the internal state and the second an iterator element.
1235     /// The closure can assign to the internal state to share state between
1236     /// iterations.
1237     ///
1238     /// On iteration, the closure will be applied to each element of the
1239     /// iterator and the return value from the closure, an [`Option`], is
1240     /// yielded by the iterator.
1241     ///
1242     /// # Examples
1243     ///
1244     /// Basic usage:
1245     ///
1246     /// ```
1247     /// let a = [1, 2, 3];
1248     ///
1249     /// let mut iter = a.iter().scan(1, |state, &x| {
1250     ///     // each iteration, we'll multiply the state by the element
1251     ///     *state = *state * x;
1252     ///
1253     ///     // then, we'll yield the negation of the state
1254     ///     Some(-*state)
1255     /// });
1256     ///
1257     /// assert_eq!(iter.next(), Some(-1));
1258     /// assert_eq!(iter.next(), Some(-2));
1259     /// assert_eq!(iter.next(), Some(-6));
1260     /// assert_eq!(iter.next(), None);
1261     /// ```
1262     #[inline]
1263     #[stable(feature = "rust1", since = "1.0.0")]
1264     fn scan<St, B, F>(self, initial_state: St, f: F) -> Scan<Self, St, F>
1265     where
1266         Self: Sized,
1267         F: FnMut(&mut St, Self::Item) -> Option<B>,
1268     {
1269         Scan::new(self, initial_state, f)
1270     }
1271
1272     /// Creates an iterator that works like map, but flattens nested structure.
1273     ///
1274     /// The [`map`] adapter is very useful, but only when the closure
1275     /// argument produces values. If it produces an iterator instead, there's
1276     /// an extra layer of indirection. `flat_map()` will remove this extra layer
1277     /// on its own.
1278     ///
1279     /// You can think of `flat_map(f)` as the semantic equivalent
1280     /// of [`map`]ping, and then [`flatten`]ing as in `map(f).flatten()`.
1281     ///
1282     /// Another way of thinking about `flat_map()`: [`map`]'s closure returns
1283     /// one item for each element, and `flat_map()`'s closure returns an
1284     /// iterator for each element.
1285     ///
1286     /// [`map`]: Iterator::map
1287     /// [`flatten`]: Iterator::flatten
1288     ///
1289     /// # Examples
1290     ///
1291     /// Basic usage:
1292     ///
1293     /// ```
1294     /// let words = ["alpha", "beta", "gamma"];
1295     ///
1296     /// // chars() returns an iterator
1297     /// let merged: String = words.iter()
1298     ///                           .flat_map(|s| s.chars())
1299     ///                           .collect();
1300     /// assert_eq!(merged, "alphabetagamma");
1301     /// ```
1302     #[inline]
1303     #[stable(feature = "rust1", since = "1.0.0")]
1304     fn flat_map<U, F>(self, f: F) -> FlatMap<Self, U, F>
1305     where
1306         Self: Sized,
1307         U: IntoIterator,
1308         F: FnMut(Self::Item) -> U,
1309     {
1310         FlatMap::new(self, f)
1311     }
1312
1313     /// Creates an iterator that flattens nested structure.
1314     ///
1315     /// This is useful when you have an iterator of iterators or an iterator of
1316     /// things that can be turned into iterators and you want to remove one
1317     /// level of indirection.
1318     ///
1319     /// # Examples
1320     ///
1321     /// Basic usage:
1322     ///
1323     /// ```
1324     /// let data = vec![vec![1, 2, 3, 4], vec![5, 6]];
1325     /// let flattened = data.into_iter().flatten().collect::<Vec<u8>>();
1326     /// assert_eq!(flattened, &[1, 2, 3, 4, 5, 6]);
1327     /// ```
1328     ///
1329     /// Mapping and then flattening:
1330     ///
1331     /// ```
1332     /// let words = ["alpha", "beta", "gamma"];
1333     ///
1334     /// // chars() returns an iterator
1335     /// let merged: String = words.iter()
1336     ///                           .map(|s| s.chars())
1337     ///                           .flatten()
1338     ///                           .collect();
1339     /// assert_eq!(merged, "alphabetagamma");
1340     /// ```
1341     ///
1342     /// You can also rewrite this in terms of [`flat_map()`], which is preferable
1343     /// in this case since it conveys intent more clearly:
1344     ///
1345     /// ```
1346     /// let words = ["alpha", "beta", "gamma"];
1347     ///
1348     /// // chars() returns an iterator
1349     /// let merged: String = words.iter()
1350     ///                           .flat_map(|s| s.chars())
1351     ///                           .collect();
1352     /// assert_eq!(merged, "alphabetagamma");
1353     /// ```
1354     ///
1355     /// Flattening only removes one level of nesting at a time:
1356     ///
1357     /// ```
1358     /// let d3 = [[[1, 2], [3, 4]], [[5, 6], [7, 8]]];
1359     ///
1360     /// let d2 = d3.iter().flatten().collect::<Vec<_>>();
1361     /// assert_eq!(d2, [&[1, 2], &[3, 4], &[5, 6], &[7, 8]]);
1362     ///
1363     /// let d1 = d3.iter().flatten().flatten().collect::<Vec<_>>();
1364     /// assert_eq!(d1, [&1, &2, &3, &4, &5, &6, &7, &8]);
1365     /// ```
1366     ///
1367     /// Here we see that `flatten()` does not perform a "deep" flatten.
1368     /// Instead, only one level of nesting is removed. That is, if you
1369     /// `flatten()` a three-dimensional array, the result will be
1370     /// two-dimensional and not one-dimensional. To get a one-dimensional
1371     /// structure, you have to `flatten()` again.
1372     ///
1373     /// [`flat_map()`]: Iterator::flat_map
1374     #[inline]
1375     #[stable(feature = "iterator_flatten", since = "1.29.0")]
1376     fn flatten(self) -> Flatten<Self>
1377     where
1378         Self: Sized,
1379         Self::Item: IntoIterator,
1380     {
1381         Flatten::new(self)
1382     }
1383
1384     /// Creates an iterator which ends after the first [`None`].
1385     ///
1386     /// After an iterator returns [`None`], future calls may or may not yield
1387     /// [`Some(T)`] again. `fuse()` adapts an iterator, ensuring that after a
1388     /// [`None`] is given, it will always return [`None`] forever.
1389     ///
1390     /// [`Some(T)`]: Some
1391     ///
1392     /// # Examples
1393     ///
1394     /// Basic usage:
1395     ///
1396     /// ```
1397     /// // an iterator which alternates between Some and None
1398     /// struct Alternate {
1399     ///     state: i32,
1400     /// }
1401     ///
1402     /// impl Iterator for Alternate {
1403     ///     type Item = i32;
1404     ///
1405     ///     fn next(&mut self) -> Option<i32> {
1406     ///         let val = self.state;
1407     ///         self.state = self.state + 1;
1408     ///
1409     ///         // if it's even, Some(i32), else None
1410     ///         if val % 2 == 0 {
1411     ///             Some(val)
1412     ///         } else {
1413     ///             None
1414     ///         }
1415     ///     }
1416     /// }
1417     ///
1418     /// let mut iter = Alternate { state: 0 };
1419     ///
1420     /// // we can see our iterator going back and forth
1421     /// assert_eq!(iter.next(), Some(0));
1422     /// assert_eq!(iter.next(), None);
1423     /// assert_eq!(iter.next(), Some(2));
1424     /// assert_eq!(iter.next(), None);
1425     ///
1426     /// // however, once we fuse it...
1427     /// let mut iter = iter.fuse();
1428     ///
1429     /// assert_eq!(iter.next(), Some(4));
1430     /// assert_eq!(iter.next(), None);
1431     ///
1432     /// // it will always return `None` after the first time.
1433     /// assert_eq!(iter.next(), None);
1434     /// assert_eq!(iter.next(), None);
1435     /// assert_eq!(iter.next(), None);
1436     /// ```
1437     #[inline]
1438     #[stable(feature = "rust1", since = "1.0.0")]
1439     fn fuse(self) -> Fuse<Self>
1440     where
1441         Self: Sized,
1442     {
1443         Fuse::new(self)
1444     }
1445
1446     /// Does something with each element of an iterator, passing the value on.
1447     ///
1448     /// When using iterators, you'll often chain several of them together.
1449     /// While working on such code, you might want to check out what's
1450     /// happening at various parts in the pipeline. To do that, insert
1451     /// a call to `inspect()`.
1452     ///
1453     /// It's more common for `inspect()` to be used as a debugging tool than to
1454     /// exist in your final code, but applications may find it useful in certain
1455     /// situations when errors need to be logged before being discarded.
1456     ///
1457     /// # Examples
1458     ///
1459     /// Basic usage:
1460     ///
1461     /// ```
1462     /// let a = [1, 4, 2, 3];
1463     ///
1464     /// // this iterator sequence is complex.
1465     /// let sum = a.iter()
1466     ///     .cloned()
1467     ///     .filter(|x| x % 2 == 0)
1468     ///     .fold(0, |sum, i| sum + i);
1469     ///
1470     /// println!("{}", sum);
1471     ///
1472     /// // let's add some inspect() calls to investigate what's happening
1473     /// let sum = a.iter()
1474     ///     .cloned()
1475     ///     .inspect(|x| println!("about to filter: {}", x))
1476     ///     .filter(|x| x % 2 == 0)
1477     ///     .inspect(|x| println!("made it through filter: {}", x))
1478     ///     .fold(0, |sum, i| sum + i);
1479     ///
1480     /// println!("{}", sum);
1481     /// ```
1482     ///
1483     /// This will print:
1484     ///
1485     /// ```text
1486     /// 6
1487     /// about to filter: 1
1488     /// about to filter: 4
1489     /// made it through filter: 4
1490     /// about to filter: 2
1491     /// made it through filter: 2
1492     /// about to filter: 3
1493     /// 6
1494     /// ```
1495     ///
1496     /// Logging errors before discarding them:
1497     ///
1498     /// ```
1499     /// let lines = ["1", "2", "a"];
1500     ///
1501     /// let sum: i32 = lines
1502     ///     .iter()
1503     ///     .map(|line| line.parse::<i32>())
1504     ///     .inspect(|num| {
1505     ///         if let Err(ref e) = *num {
1506     ///             println!("Parsing error: {}", e);
1507     ///         }
1508     ///     })
1509     ///     .filter_map(Result::ok)
1510     ///     .sum();
1511     ///
1512     /// println!("Sum: {}", sum);
1513     /// ```
1514     ///
1515     /// This will print:
1516     ///
1517     /// ```text
1518     /// Parsing error: invalid digit found in string
1519     /// Sum: 3
1520     /// ```
1521     #[inline]
1522     #[stable(feature = "rust1", since = "1.0.0")]
1523     fn inspect<F>(self, f: F) -> Inspect<Self, F>
1524     where
1525         Self: Sized,
1526         F: FnMut(&Self::Item),
1527     {
1528         Inspect::new(self, f)
1529     }
1530
1531     /// Borrows an iterator, rather than consuming it.
1532     ///
1533     /// This is useful to allow applying iterator adaptors while still
1534     /// retaining ownership of the original iterator.
1535     ///
1536     /// # Examples
1537     ///
1538     /// Basic usage:
1539     ///
1540     /// ```
1541     /// let a = [1, 2, 3];
1542     ///
1543     /// let iter = a.iter();
1544     ///
1545     /// let sum: i32 = iter.take(5).fold(0, |acc, i| acc + i);
1546     ///
1547     /// assert_eq!(sum, 6);
1548     ///
1549     /// // if we try to use iter again, it won't work. The following line
1550     /// // gives "error: use of moved value: `iter`
1551     /// // assert_eq!(iter.next(), None);
1552     ///
1553     /// // let's try that again
1554     /// let a = [1, 2, 3];
1555     ///
1556     /// let mut iter = a.iter();
1557     ///
1558     /// // instead, we add in a .by_ref()
1559     /// let sum: i32 = iter.by_ref().take(2).fold(0, |acc, i| acc + i);
1560     ///
1561     /// assert_eq!(sum, 3);
1562     ///
1563     /// // now this is just fine:
1564     /// assert_eq!(iter.next(), Some(&3));
1565     /// assert_eq!(iter.next(), None);
1566     /// ```
1567     #[stable(feature = "rust1", since = "1.0.0")]
1568     fn by_ref(&mut self) -> &mut Self
1569     where
1570         Self: Sized,
1571     {
1572         self
1573     }
1574
1575     /// Transforms an iterator into a collection.
1576     ///
1577     /// `collect()` can take anything iterable, and turn it into a relevant
1578     /// collection. This is one of the more powerful methods in the standard
1579     /// library, used in a variety of contexts.
1580     ///
1581     /// The most basic pattern in which `collect()` is used is to turn one
1582     /// collection into another. You take a collection, call [`iter`] on it,
1583     /// do a bunch of transformations, and then `collect()` at the end.
1584     ///
1585     /// `collect()` can also create instances of types that are not typical
1586     /// collections. For example, a [`String`] can be built from [`char`]s,
1587     /// and an iterator of [`Result<T, E>`][`Result`] items can be collected
1588     /// into `Result<Collection<T>, E>`. See the examples below for more.
1589     ///
1590     /// Because `collect()` is so general, it can cause problems with type
1591     /// inference. As such, `collect()` is one of the few times you'll see
1592     /// the syntax affectionately known as the 'turbofish': `::<>`. This
1593     /// helps the inference algorithm understand specifically which collection
1594     /// you're trying to collect into.
1595     ///
1596     /// # Examples
1597     ///
1598     /// Basic usage:
1599     ///
1600     /// ```
1601     /// let a = [1, 2, 3];
1602     ///
1603     /// let doubled: Vec<i32> = a.iter()
1604     ///                          .map(|&x| x * 2)
1605     ///                          .collect();
1606     ///
1607     /// assert_eq!(vec![2, 4, 6], doubled);
1608     /// ```
1609     ///
1610     /// Note that we needed the `: Vec<i32>` on the left-hand side. This is because
1611     /// we could collect into, for example, a [`VecDeque<T>`] instead:
1612     ///
1613     /// [`VecDeque<T>`]: ../../std/collections/struct.VecDeque.html
1614     ///
1615     /// ```
1616     /// use std::collections::VecDeque;
1617     ///
1618     /// let a = [1, 2, 3];
1619     ///
1620     /// let doubled: VecDeque<i32> = a.iter().map(|&x| x * 2).collect();
1621     ///
1622     /// assert_eq!(2, doubled[0]);
1623     /// assert_eq!(4, doubled[1]);
1624     /// assert_eq!(6, doubled[2]);
1625     /// ```
1626     ///
1627     /// Using the 'turbofish' instead of annotating `doubled`:
1628     ///
1629     /// ```
1630     /// let a = [1, 2, 3];
1631     ///
1632     /// let doubled = a.iter().map(|x| x * 2).collect::<Vec<i32>>();
1633     ///
1634     /// assert_eq!(vec![2, 4, 6], doubled);
1635     /// ```
1636     ///
1637     /// Because `collect()` only cares about what you're collecting into, you can
1638     /// still use a partial type hint, `_`, with the turbofish:
1639     ///
1640     /// ```
1641     /// let a = [1, 2, 3];
1642     ///
1643     /// let doubled = a.iter().map(|x| x * 2).collect::<Vec<_>>();
1644     ///
1645     /// assert_eq!(vec![2, 4, 6], doubled);
1646     /// ```
1647     ///
1648     /// Using `collect()` to make a [`String`]:
1649     ///
1650     /// ```
1651     /// let chars = ['g', 'd', 'k', 'k', 'n'];
1652     ///
1653     /// let hello: String = chars.iter()
1654     ///     .map(|&x| x as u8)
1655     ///     .map(|x| (x + 1) as char)
1656     ///     .collect();
1657     ///
1658     /// assert_eq!("hello", hello);
1659     /// ```
1660     ///
1661     /// If you have a list of [`Result<T, E>`][`Result`]s, you can use `collect()` to
1662     /// see if any of them failed:
1663     ///
1664     /// ```
1665     /// let results = [Ok(1), Err("nope"), Ok(3), Err("bad")];
1666     ///
1667     /// let result: Result<Vec<_>, &str> = results.iter().cloned().collect();
1668     ///
1669     /// // gives us the first error
1670     /// assert_eq!(Err("nope"), result);
1671     ///
1672     /// let results = [Ok(1), Ok(3)];
1673     ///
1674     /// let result: Result<Vec<_>, &str> = results.iter().cloned().collect();
1675     ///
1676     /// // gives us the list of answers
1677     /// assert_eq!(Ok(vec![1, 3]), result);
1678     /// ```
1679     ///
1680     /// [`iter`]: Iterator::next
1681     /// [`String`]: ../../std/string/struct.String.html
1682     /// [`char`]: type@char
1683     #[inline]
1684     #[stable(feature = "rust1", since = "1.0.0")]
1685     #[must_use = "if you really need to exhaust the iterator, consider `.for_each(drop)` instead"]
1686     fn collect<B: FromIterator<Self::Item>>(self) -> B
1687     where
1688         Self: Sized,
1689     {
1690         FromIterator::from_iter(self)
1691     }
1692
1693     /// Consumes an iterator, creating two collections from it.
1694     ///
1695     /// The predicate passed to `partition()` can return `true`, or `false`.
1696     /// `partition()` returns a pair, all of the elements for which it returned
1697     /// `true`, and all of the elements for which it returned `false`.
1698     ///
1699     /// See also [`is_partitioned()`] and [`partition_in_place()`].
1700     ///
1701     /// [`is_partitioned()`]: Iterator::is_partitioned
1702     /// [`partition_in_place()`]: Iterator::partition_in_place
1703     ///
1704     /// # Examples
1705     ///
1706     /// Basic usage:
1707     ///
1708     /// ```
1709     /// let a = [1, 2, 3];
1710     ///
1711     /// let (even, odd): (Vec<i32>, Vec<i32>) = a
1712     ///     .iter()
1713     ///     .partition(|&n| n % 2 == 0);
1714     ///
1715     /// assert_eq!(even, vec![2]);
1716     /// assert_eq!(odd, vec![1, 3]);
1717     /// ```
1718     #[stable(feature = "rust1", since = "1.0.0")]
1719     fn partition<B, F>(self, f: F) -> (B, B)
1720     where
1721         Self: Sized,
1722         B: Default + Extend<Self::Item>,
1723         F: FnMut(&Self::Item) -> bool,
1724     {
1725         #[inline]
1726         fn extend<'a, T, B: Extend<T>>(
1727             mut f: impl FnMut(&T) -> bool + 'a,
1728             left: &'a mut B,
1729             right: &'a mut B,
1730         ) -> impl FnMut((), T) + 'a {
1731             move |(), x| {
1732                 if f(&x) {
1733                     left.extend_one(x);
1734                 } else {
1735                     right.extend_one(x);
1736                 }
1737             }
1738         }
1739
1740         let mut left: B = Default::default();
1741         let mut right: B = Default::default();
1742
1743         self.fold((), extend(f, &mut left, &mut right));
1744
1745         (left, right)
1746     }
1747
1748     /// Reorders the elements of this iterator *in-place* according to the given predicate,
1749     /// such that all those that return `true` precede all those that return `false`.
1750     /// Returns the number of `true` elements found.
1751     ///
1752     /// The relative order of partitioned items is not maintained.
1753     ///
1754     /// See also [`is_partitioned()`] and [`partition()`].
1755     ///
1756     /// [`is_partitioned()`]: Iterator::is_partitioned
1757     /// [`partition()`]: Iterator::partition
1758     ///
1759     /// # Examples
1760     ///
1761     /// ```
1762     /// #![feature(iter_partition_in_place)]
1763     ///
1764     /// let mut a = [1, 2, 3, 4, 5, 6, 7];
1765     ///
1766     /// // Partition in-place between evens and odds
1767     /// let i = a.iter_mut().partition_in_place(|&n| n % 2 == 0);
1768     ///
1769     /// assert_eq!(i, 3);
1770     /// assert!(a[..i].iter().all(|&n| n % 2 == 0)); // evens
1771     /// assert!(a[i..].iter().all(|&n| n % 2 == 1)); // odds
1772     /// ```
1773     #[unstable(feature = "iter_partition_in_place", reason = "new API", issue = "62543")]
1774     fn partition_in_place<'a, T: 'a, P>(mut self, ref mut predicate: P) -> usize
1775     where
1776         Self: Sized + DoubleEndedIterator<Item = &'a mut T>,
1777         P: FnMut(&T) -> bool,
1778     {
1779         // FIXME: should we worry about the count overflowing? The only way to have more than
1780         // `usize::MAX` mutable references is with ZSTs, which aren't useful to partition...
1781
1782         // These closure "factory" functions exist to avoid genericity in `Self`.
1783
1784         #[inline]
1785         fn is_false<'a, T>(
1786             predicate: &'a mut impl FnMut(&T) -> bool,
1787             true_count: &'a mut usize,
1788         ) -> impl FnMut(&&mut T) -> bool + 'a {
1789             move |x| {
1790                 let p = predicate(&**x);
1791                 *true_count += p as usize;
1792                 !p
1793             }
1794         }
1795
1796         #[inline]
1797         fn is_true<T>(predicate: &mut impl FnMut(&T) -> bool) -> impl FnMut(&&mut T) -> bool + '_ {
1798             move |x| predicate(&**x)
1799         }
1800
1801         // Repeatedly find the first `false` and swap it with the last `true`.
1802         let mut true_count = 0;
1803         while let Some(head) = self.find(is_false(predicate, &mut true_count)) {
1804             if let Some(tail) = self.rfind(is_true(predicate)) {
1805                 crate::mem::swap(head, tail);
1806                 true_count += 1;
1807             } else {
1808                 break;
1809             }
1810         }
1811         true_count
1812     }
1813
1814     /// Checks if the elements of this iterator are partitioned according to the given predicate,
1815     /// such that all those that return `true` precede all those that return `false`.
1816     ///
1817     /// See also [`partition()`] and [`partition_in_place()`].
1818     ///
1819     /// [`partition()`]: Iterator::partition
1820     /// [`partition_in_place()`]: Iterator::partition_in_place
1821     ///
1822     /// # Examples
1823     ///
1824     /// ```
1825     /// #![feature(iter_is_partitioned)]
1826     ///
1827     /// assert!("Iterator".chars().is_partitioned(char::is_uppercase));
1828     /// assert!(!"IntoIterator".chars().is_partitioned(char::is_uppercase));
1829     /// ```
1830     #[unstable(feature = "iter_is_partitioned", reason = "new API", issue = "62544")]
1831     fn is_partitioned<P>(mut self, mut predicate: P) -> bool
1832     where
1833         Self: Sized,
1834         P: FnMut(Self::Item) -> bool,
1835     {
1836         // Either all items test `true`, or the first clause stops at `false`
1837         // and we check that there are no more `true` items after that.
1838         self.all(&mut predicate) || !self.any(predicate)
1839     }
1840
1841     /// An iterator method that applies a function as long as it returns
1842     /// successfully, producing a single, final value.
1843     ///
1844     /// `try_fold()` takes two arguments: an initial value, and a closure with
1845     /// two arguments: an 'accumulator', and an element. The closure either
1846     /// returns successfully, with the value that the accumulator should have
1847     /// for the next iteration, or it returns failure, with an error value that
1848     /// is propagated back to the caller immediately (short-circuiting).
1849     ///
1850     /// The initial value is the value the accumulator will have on the first
1851     /// call. If applying the closure succeeded against every element of the
1852     /// iterator, `try_fold()` returns the final accumulator as success.
1853     ///
1854     /// Folding is useful whenever you have a collection of something, and want
1855     /// to produce a single value from it.
1856     ///
1857     /// # Note to Implementors
1858     ///
1859     /// Several of the other (forward) methods have default implementations in
1860     /// terms of this one, so try to implement this explicitly if it can
1861     /// do something better than the default `for` loop implementation.
1862     ///
1863     /// In particular, try to have this call `try_fold()` on the internal parts
1864     /// from which this iterator is composed. If multiple calls are needed,
1865     /// the `?` operator may be convenient for chaining the accumulator value
1866     /// along, but beware any invariants that need to be upheld before those
1867     /// early returns. This is a `&mut self` method, so iteration needs to be
1868     /// resumable after hitting an error here.
1869     ///
1870     /// # Examples
1871     ///
1872     /// Basic usage:
1873     ///
1874     /// ```
1875     /// let a = [1, 2, 3];
1876     ///
1877     /// // the checked sum of all of the elements of the array
1878     /// let sum = a.iter().try_fold(0i8, |acc, &x| acc.checked_add(x));
1879     ///
1880     /// assert_eq!(sum, Some(6));
1881     /// ```
1882     ///
1883     /// Short-circuiting:
1884     ///
1885     /// ```
1886     /// let a = [10, 20, 30, 100, 40, 50];
1887     /// let mut it = a.iter();
1888     ///
1889     /// // This sum overflows when adding the 100 element
1890     /// let sum = it.try_fold(0i8, |acc, &x| acc.checked_add(x));
1891     /// assert_eq!(sum, None);
1892     ///
1893     /// // Because it short-circuited, the remaining elements are still
1894     /// // available through the iterator.
1895     /// assert_eq!(it.len(), 2);
1896     /// assert_eq!(it.next(), Some(&40));
1897     /// ```
1898     #[inline]
1899     #[stable(feature = "iterator_try_fold", since = "1.27.0")]
1900     fn try_fold<B, F, R>(&mut self, init: B, mut f: F) -> R
1901     where
1902         Self: Sized,
1903         F: FnMut(B, Self::Item) -> R,
1904         R: Try<Ok = B>,
1905     {
1906         let mut accum = init;
1907         while let Some(x) = self.next() {
1908             accum = f(accum, x)?;
1909         }
1910         try { accum }
1911     }
1912
1913     /// An iterator method that applies a fallible function to each item in the
1914     /// iterator, stopping at the first error and returning that error.
1915     ///
1916     /// This can also be thought of as the fallible form of [`for_each()`]
1917     /// or as the stateless version of [`try_fold()`].
1918     ///
1919     /// [`for_each()`]: Iterator::for_each
1920     /// [`try_fold()`]: Iterator::try_fold
1921     ///
1922     /// # Examples
1923     ///
1924     /// ```
1925     /// use std::fs::rename;
1926     /// use std::io::{stdout, Write};
1927     /// use std::path::Path;
1928     ///
1929     /// let data = ["no_tea.txt", "stale_bread.json", "torrential_rain.png"];
1930     ///
1931     /// let res = data.iter().try_for_each(|x| writeln!(stdout(), "{}", x));
1932     /// assert!(res.is_ok());
1933     ///
1934     /// let mut it = data.iter().cloned();
1935     /// let res = it.try_for_each(|x| rename(x, Path::new(x).with_extension("old")));
1936     /// assert!(res.is_err());
1937     /// // It short-circuited, so the remaining items are still in the iterator:
1938     /// assert_eq!(it.next(), Some("stale_bread.json"));
1939     /// ```
1940     #[inline]
1941     #[stable(feature = "iterator_try_fold", since = "1.27.0")]
1942     fn try_for_each<F, R>(&mut self, f: F) -> R
1943     where
1944         Self: Sized,
1945         F: FnMut(Self::Item) -> R,
1946         R: Try<Ok = ()>,
1947     {
1948         #[inline]
1949         fn call<T, R>(mut f: impl FnMut(T) -> R) -> impl FnMut((), T) -> R {
1950             move |(), x| f(x)
1951         }
1952
1953         self.try_fold((), call(f))
1954     }
1955
1956     /// An iterator method that applies a function, producing a single, final value.
1957     ///
1958     /// `fold()` takes two arguments: an initial value, and a closure with two
1959     /// arguments: an 'accumulator', and an element. The closure returns the value that
1960     /// the accumulator should have for the next iteration.
1961     ///
1962     /// The initial value is the value the accumulator will have on the first
1963     /// call.
1964     ///
1965     /// After applying this closure to every element of the iterator, `fold()`
1966     /// returns the accumulator.
1967     ///
1968     /// This operation is sometimes called 'reduce' or 'inject'.
1969     ///
1970     /// Folding is useful whenever you have a collection of something, and want
1971     /// to produce a single value from it.
1972     ///
1973     /// Note: `fold()`, and similar methods that traverse the entire iterator,
1974     /// may not terminate for infinite iterators, even on traits for which a
1975     /// result is determinable in finite time.
1976     ///
1977     /// # Note to Implementors
1978     ///
1979     /// Several of the other (forward) methods have default implementations in
1980     /// terms of this one, so try to implement this explicitly if it can
1981     /// do something better than the default `for` loop implementation.
1982     ///
1983     /// In particular, try to have this call `fold()` on the internal parts
1984     /// from which this iterator is composed.
1985     ///
1986     /// # Examples
1987     ///
1988     /// Basic usage:
1989     ///
1990     /// ```
1991     /// let a = [1, 2, 3];
1992     ///
1993     /// // the sum of all of the elements of the array
1994     /// let sum = a.iter().fold(0, |acc, x| acc + x);
1995     ///
1996     /// assert_eq!(sum, 6);
1997     /// ```
1998     ///
1999     /// Let's walk through each step of the iteration here:
2000     ///
2001     /// | element | acc | x | result |
2002     /// |---------|-----|---|--------|
2003     /// |         | 0   |   |        |
2004     /// | 1       | 0   | 1 | 1      |
2005     /// | 2       | 1   | 2 | 3      |
2006     /// | 3       | 3   | 3 | 6      |
2007     ///
2008     /// And so, our final result, `6`.
2009     ///
2010     /// It's common for people who haven't used iterators a lot to
2011     /// use a `for` loop with a list of things to build up a result. Those
2012     /// can be turned into `fold()`s:
2013     ///
2014     /// [`for`]: ../../book/ch03-05-control-flow.html#looping-through-a-collection-with-for
2015     ///
2016     /// ```
2017     /// let numbers = [1, 2, 3, 4, 5];
2018     ///
2019     /// let mut result = 0;
2020     ///
2021     /// // for loop:
2022     /// for i in &numbers {
2023     ///     result = result + i;
2024     /// }
2025     ///
2026     /// // fold:
2027     /// let result2 = numbers.iter().fold(0, |acc, &x| acc + x);
2028     ///
2029     /// // they're the same
2030     /// assert_eq!(result, result2);
2031     /// ```
2032     #[doc(alias = "reduce")]
2033     #[doc(alias = "inject")]
2034     #[inline]
2035     #[stable(feature = "rust1", since = "1.0.0")]
2036     fn fold<B, F>(mut self, init: B, mut f: F) -> B
2037     where
2038         Self: Sized,
2039         F: FnMut(B, Self::Item) -> B,
2040     {
2041         let mut accum = init;
2042         while let Some(x) = self.next() {
2043             accum = f(accum, x);
2044         }
2045         accum
2046     }
2047
2048     /// The same as [`fold()`], but uses the first element in the
2049     /// iterator as the initial value, folding every subsequent element into it.
2050     /// If the iterator is empty, return [`None`]; otherwise, return the result
2051     /// of the fold.
2052     ///
2053     /// [`fold()`]: Iterator::fold
2054     ///
2055     /// # Example
2056     ///
2057     /// Find the maximum value:
2058     ///
2059     /// ```
2060     /// #![feature(iterator_fold_self)]
2061     ///
2062     /// fn find_max<I>(iter: I) -> Option<I::Item>
2063     ///     where I: Iterator,
2064     ///           I::Item: Ord,
2065     /// {
2066     ///     iter.fold_first(|a, b| {
2067     ///         if a >= b { a } else { b }
2068     ///     })
2069     /// }
2070     /// let a = [10, 20, 5, -23, 0];
2071     /// let b: [u32; 0] = [];
2072     ///
2073     /// assert_eq!(find_max(a.iter()), Some(&20));
2074     /// assert_eq!(find_max(b.iter()), None);
2075     /// ```
2076     #[inline]
2077     #[unstable(feature = "iterator_fold_self", issue = "68125")]
2078     fn fold_first<F>(mut self, f: F) -> Option<Self::Item>
2079     where
2080         Self: Sized,
2081         F: FnMut(Self::Item, Self::Item) -> Self::Item,
2082     {
2083         let first = self.next()?;
2084         Some(self.fold(first, f))
2085     }
2086
2087     /// Tests if every element of the iterator matches a predicate.
2088     ///
2089     /// `all()` takes a closure that returns `true` or `false`. It applies
2090     /// this closure to each element of the iterator, and if they all return
2091     /// `true`, then so does `all()`. If any of them return `false`, it
2092     /// returns `false`.
2093     ///
2094     /// `all()` is short-circuiting; in other words, it will stop processing
2095     /// as soon as it finds a `false`, given that no matter what else happens,
2096     /// the result will also be `false`.
2097     ///
2098     /// An empty iterator returns `true`.
2099     ///
2100     /// # Examples
2101     ///
2102     /// Basic usage:
2103     ///
2104     /// ```
2105     /// let a = [1, 2, 3];
2106     ///
2107     /// assert!(a.iter().all(|&x| x > 0));
2108     ///
2109     /// assert!(!a.iter().all(|&x| x > 2));
2110     /// ```
2111     ///
2112     /// Stopping at the first `false`:
2113     ///
2114     /// ```
2115     /// let a = [1, 2, 3];
2116     ///
2117     /// let mut iter = a.iter();
2118     ///
2119     /// assert!(!iter.all(|&x| x != 2));
2120     ///
2121     /// // we can still use `iter`, as there are more elements.
2122     /// assert_eq!(iter.next(), Some(&3));
2123     /// ```
2124     #[inline]
2125     #[stable(feature = "rust1", since = "1.0.0")]
2126     fn all<F>(&mut self, f: F) -> bool
2127     where
2128         Self: Sized,
2129         F: FnMut(Self::Item) -> bool,
2130     {
2131         #[inline]
2132         fn check<T>(mut f: impl FnMut(T) -> bool) -> impl FnMut((), T) -> ControlFlow<()> {
2133             move |(), x| {
2134                 if f(x) { ControlFlow::CONTINUE } else { ControlFlow::BREAK }
2135             }
2136         }
2137         self.try_fold((), check(f)) == ControlFlow::CONTINUE
2138     }
2139
2140     /// Tests if any element of the iterator matches a predicate.
2141     ///
2142     /// `any()` takes a closure that returns `true` or `false`. It applies
2143     /// this closure to each element of the iterator, and if any of them return
2144     /// `true`, then so does `any()`. If they all return `false`, it
2145     /// returns `false`.
2146     ///
2147     /// `any()` is short-circuiting; in other words, it will stop processing
2148     /// as soon as it finds a `true`, given that no matter what else happens,
2149     /// the result will also be `true`.
2150     ///
2151     /// An empty iterator returns `false`.
2152     ///
2153     /// # Examples
2154     ///
2155     /// Basic usage:
2156     ///
2157     /// ```
2158     /// let a = [1, 2, 3];
2159     ///
2160     /// assert!(a.iter().any(|&x| x > 0));
2161     ///
2162     /// assert!(!a.iter().any(|&x| x > 5));
2163     /// ```
2164     ///
2165     /// Stopping at the first `true`:
2166     ///
2167     /// ```
2168     /// let a = [1, 2, 3];
2169     ///
2170     /// let mut iter = a.iter();
2171     ///
2172     /// assert!(iter.any(|&x| x != 2));
2173     ///
2174     /// // we can still use `iter`, as there are more elements.
2175     /// assert_eq!(iter.next(), Some(&2));
2176     /// ```
2177     #[inline]
2178     #[stable(feature = "rust1", since = "1.0.0")]
2179     fn any<F>(&mut self, f: F) -> bool
2180     where
2181         Self: Sized,
2182         F: FnMut(Self::Item) -> bool,
2183     {
2184         #[inline]
2185         fn check<T>(mut f: impl FnMut(T) -> bool) -> impl FnMut((), T) -> ControlFlow<()> {
2186             move |(), x| {
2187                 if f(x) { ControlFlow::BREAK } else { ControlFlow::CONTINUE }
2188             }
2189         }
2190
2191         self.try_fold((), check(f)) == ControlFlow::BREAK
2192     }
2193
2194     /// Searches for an element of an iterator that satisfies a predicate.
2195     ///
2196     /// `find()` takes a closure that returns `true` or `false`. It applies
2197     /// this closure to each element of the iterator, and if any of them return
2198     /// `true`, then `find()` returns [`Some(element)`]. If they all return
2199     /// `false`, it returns [`None`].
2200     ///
2201     /// `find()` is short-circuiting; in other words, it will stop processing
2202     /// as soon as the closure returns `true`.
2203     ///
2204     /// Because `find()` takes a reference, and many iterators iterate over
2205     /// references, this leads to a possibly confusing situation where the
2206     /// argument is a double reference. You can see this effect in the
2207     /// examples below, with `&&x`.
2208     ///
2209     /// [`Some(element)`]: Some
2210     ///
2211     /// # Examples
2212     ///
2213     /// Basic usage:
2214     ///
2215     /// ```
2216     /// let a = [1, 2, 3];
2217     ///
2218     /// assert_eq!(a.iter().find(|&&x| x == 2), Some(&2));
2219     ///
2220     /// assert_eq!(a.iter().find(|&&x| x == 5), None);
2221     /// ```
2222     ///
2223     /// Stopping at the first `true`:
2224     ///
2225     /// ```
2226     /// let a = [1, 2, 3];
2227     ///
2228     /// let mut iter = a.iter();
2229     ///
2230     /// assert_eq!(iter.find(|&&x| x == 2), Some(&2));
2231     ///
2232     /// // we can still use `iter`, as there are more elements.
2233     /// assert_eq!(iter.next(), Some(&3));
2234     /// ```
2235     ///
2236     /// Note that `iter.find(f)` is equivalent to `iter.filter(f).next()`.
2237     #[inline]
2238     #[stable(feature = "rust1", since = "1.0.0")]
2239     fn find<P>(&mut self, predicate: P) -> Option<Self::Item>
2240     where
2241         Self: Sized,
2242         P: FnMut(&Self::Item) -> bool,
2243     {
2244         #[inline]
2245         fn check<T>(mut predicate: impl FnMut(&T) -> bool) -> impl FnMut((), T) -> ControlFlow<T> {
2246             move |(), x| {
2247                 if predicate(&x) { ControlFlow::Break(x) } else { ControlFlow::CONTINUE }
2248             }
2249         }
2250
2251         self.try_fold((), check(predicate)).break_value()
2252     }
2253
2254     /// Applies function to the elements of iterator and returns
2255     /// the first non-none result.
2256     ///
2257     /// `iter.find_map(f)` is equivalent to `iter.filter_map(f).next()`.
2258     ///
2259     /// # Examples
2260     ///
2261     /// ```
2262     /// let a = ["lol", "NaN", "2", "5"];
2263     ///
2264     /// let first_number = a.iter().find_map(|s| s.parse().ok());
2265     ///
2266     /// assert_eq!(first_number, Some(2));
2267     /// ```
2268     #[inline]
2269     #[stable(feature = "iterator_find_map", since = "1.30.0")]
2270     fn find_map<B, F>(&mut self, f: F) -> Option<B>
2271     where
2272         Self: Sized,
2273         F: FnMut(Self::Item) -> Option<B>,
2274     {
2275         #[inline]
2276         fn check<T, B>(mut f: impl FnMut(T) -> Option<B>) -> impl FnMut((), T) -> ControlFlow<B> {
2277             move |(), x| match f(x) {
2278                 Some(x) => ControlFlow::Break(x),
2279                 None => ControlFlow::CONTINUE,
2280             }
2281         }
2282
2283         self.try_fold((), check(f)).break_value()
2284     }
2285
2286     /// Applies function to the elements of iterator and returns
2287     /// the first true result or the first error.
2288     ///
2289     /// # Examples
2290     ///
2291     /// ```
2292     /// #![feature(try_find)]
2293     ///
2294     /// let a = ["1", "2", "lol", "NaN", "5"];
2295     ///
2296     /// let is_my_num = |s: &str, search: i32| -> Result<bool, std::num::ParseIntError> {
2297     ///     Ok(s.parse::<i32>()?  == search)
2298     /// };
2299     ///
2300     /// let result = a.iter().try_find(|&&s| is_my_num(s, 2));
2301     /// assert_eq!(result, Ok(Some(&"2")));
2302     ///
2303     /// let result = a.iter().try_find(|&&s| is_my_num(s, 5));
2304     /// assert!(result.is_err());
2305     /// ```
2306     #[inline]
2307     #[unstable(feature = "try_find", reason = "new API", issue = "63178")]
2308     fn try_find<F, R>(&mut self, f: F) -> Result<Option<Self::Item>, R::Error>
2309     where
2310         Self: Sized,
2311         F: FnMut(&Self::Item) -> R,
2312         R: Try<Ok = bool>,
2313     {
2314         #[inline]
2315         fn check<F, T, R>(mut f: F) -> impl FnMut((), T) -> ControlFlow<Result<T, R::Error>>
2316         where
2317             F: FnMut(&T) -> R,
2318             R: Try<Ok = bool>,
2319         {
2320             move |(), x| match f(&x).into_result() {
2321                 Ok(false) => ControlFlow::CONTINUE,
2322                 Ok(true) => ControlFlow::Break(Ok(x)),
2323                 Err(x) => ControlFlow::Break(Err(x)),
2324             }
2325         }
2326
2327         self.try_fold((), check(f)).break_value().transpose()
2328     }
2329
2330     /// Searches for an element in an iterator, returning its index.
2331     ///
2332     /// `position()` takes a closure that returns `true` or `false`. It applies
2333     /// this closure to each element of the iterator, and if one of them
2334     /// returns `true`, then `position()` returns [`Some(index)`]. If all of
2335     /// them return `false`, it returns [`None`].
2336     ///
2337     /// `position()` is short-circuiting; in other words, it will stop
2338     /// processing as soon as it finds a `true`.
2339     ///
2340     /// # Overflow Behavior
2341     ///
2342     /// The method does no guarding against overflows, so if there are more
2343     /// than [`usize::MAX`] non-matching elements, it either produces the wrong
2344     /// result or panics. If debug assertions are enabled, a panic is
2345     /// guaranteed.
2346     ///
2347     /// # Panics
2348     ///
2349     /// This function might panic if the iterator has more than `usize::MAX`
2350     /// non-matching elements.
2351     ///
2352     /// [`Some(index)`]: Some
2353     /// [`usize::MAX`]: crate::usize::MAX
2354     ///
2355     /// # Examples
2356     ///
2357     /// Basic usage:
2358     ///
2359     /// ```
2360     /// let a = [1, 2, 3];
2361     ///
2362     /// assert_eq!(a.iter().position(|&x| x == 2), Some(1));
2363     ///
2364     /// assert_eq!(a.iter().position(|&x| x == 5), None);
2365     /// ```
2366     ///
2367     /// Stopping at the first `true`:
2368     ///
2369     /// ```
2370     /// let a = [1, 2, 3, 4];
2371     ///
2372     /// let mut iter = a.iter();
2373     ///
2374     /// assert_eq!(iter.position(|&x| x >= 2), Some(1));
2375     ///
2376     /// // we can still use `iter`, as there are more elements.
2377     /// assert_eq!(iter.next(), Some(&3));
2378     ///
2379     /// // The returned index depends on iterator state
2380     /// assert_eq!(iter.position(|&x| x == 4), Some(0));
2381     ///
2382     /// ```
2383     #[inline]
2384     #[stable(feature = "rust1", since = "1.0.0")]
2385     fn position<P>(&mut self, predicate: P) -> Option<usize>
2386     where
2387         Self: Sized,
2388         P: FnMut(Self::Item) -> bool,
2389     {
2390         #[inline]
2391         fn check<T>(
2392             mut predicate: impl FnMut(T) -> bool,
2393         ) -> impl FnMut(usize, T) -> ControlFlow<usize, usize> {
2394             // The addition might panic on overflow
2395             move |i, x| {
2396                 if predicate(x) {
2397                     ControlFlow::Break(i)
2398                 } else {
2399                     ControlFlow::Continue(Add::add(i, 1))
2400                 }
2401             }
2402         }
2403
2404         self.try_fold(0, check(predicate)).break_value()
2405     }
2406
2407     /// Searches for an element in an iterator from the right, returning its
2408     /// index.
2409     ///
2410     /// `rposition()` takes a closure that returns `true` or `false`. It applies
2411     /// this closure to each element of the iterator, starting from the end,
2412     /// and if one of them returns `true`, then `rposition()` returns
2413     /// [`Some(index)`]. If all of them return `false`, it returns [`None`].
2414     ///
2415     /// `rposition()` is short-circuiting; in other words, it will stop
2416     /// processing as soon as it finds a `true`.
2417     ///
2418     /// [`Some(index)`]: Some
2419     ///
2420     /// # Examples
2421     ///
2422     /// Basic usage:
2423     ///
2424     /// ```
2425     /// let a = [1, 2, 3];
2426     ///
2427     /// assert_eq!(a.iter().rposition(|&x| x == 3), Some(2));
2428     ///
2429     /// assert_eq!(a.iter().rposition(|&x| x == 5), None);
2430     /// ```
2431     ///
2432     /// Stopping at the first `true`:
2433     ///
2434     /// ```
2435     /// let a = [1, 2, 3];
2436     ///
2437     /// let mut iter = a.iter();
2438     ///
2439     /// assert_eq!(iter.rposition(|&x| x == 2), Some(1));
2440     ///
2441     /// // we can still use `iter`, as there are more elements.
2442     /// assert_eq!(iter.next(), Some(&1));
2443     /// ```
2444     #[inline]
2445     #[stable(feature = "rust1", since = "1.0.0")]
2446     fn rposition<P>(&mut self, predicate: P) -> Option<usize>
2447     where
2448         P: FnMut(Self::Item) -> bool,
2449         Self: Sized + ExactSizeIterator + DoubleEndedIterator,
2450     {
2451         // No need for an overflow check here, because `ExactSizeIterator`
2452         // implies that the number of elements fits into a `usize`.
2453         #[inline]
2454         fn check<T>(
2455             mut predicate: impl FnMut(T) -> bool,
2456         ) -> impl FnMut(usize, T) -> ControlFlow<usize, usize> {
2457             move |i, x| {
2458                 let i = i - 1;
2459                 if predicate(x) { ControlFlow::Break(i) } else { ControlFlow::Continue(i) }
2460             }
2461         }
2462
2463         let n = self.len();
2464         self.try_rfold(n, check(predicate)).break_value()
2465     }
2466
2467     /// Returns the maximum element of an iterator.
2468     ///
2469     /// If several elements are equally maximum, the last element is
2470     /// returned. If the iterator is empty, [`None`] is returned.
2471     ///
2472     /// # Examples
2473     ///
2474     /// Basic usage:
2475     ///
2476     /// ```
2477     /// let a = [1, 2, 3];
2478     /// let b: Vec<u32> = Vec::new();
2479     ///
2480     /// assert_eq!(a.iter().max(), Some(&3));
2481     /// assert_eq!(b.iter().max(), None);
2482     /// ```
2483     #[inline]
2484     #[stable(feature = "rust1", since = "1.0.0")]
2485     fn max(self) -> Option<Self::Item>
2486     where
2487         Self: Sized,
2488         Self::Item: Ord,
2489     {
2490         self.max_by(Ord::cmp)
2491     }
2492
2493     /// Returns the minimum element of an iterator.
2494     ///
2495     /// If several elements are equally minimum, the first element is
2496     /// returned. If the iterator is empty, [`None`] is returned.
2497     ///
2498     /// # Examples
2499     ///
2500     /// Basic usage:
2501     ///
2502     /// ```
2503     /// let a = [1, 2, 3];
2504     /// let b: Vec<u32> = Vec::new();
2505     ///
2506     /// assert_eq!(a.iter().min(), Some(&1));
2507     /// assert_eq!(b.iter().min(), None);
2508     /// ```
2509     #[inline]
2510     #[stable(feature = "rust1", since = "1.0.0")]
2511     fn min(self) -> Option<Self::Item>
2512     where
2513         Self: Sized,
2514         Self::Item: Ord,
2515     {
2516         self.min_by(Ord::cmp)
2517     }
2518
2519     /// Returns the element that gives the maximum value from the
2520     /// specified function.
2521     ///
2522     /// If several elements are equally maximum, the last element is
2523     /// returned. If the iterator is empty, [`None`] is returned.
2524     ///
2525     /// # Examples
2526     ///
2527     /// ```
2528     /// let a = [-3_i32, 0, 1, 5, -10];
2529     /// assert_eq!(*a.iter().max_by_key(|x| x.abs()).unwrap(), -10);
2530     /// ```
2531     #[inline]
2532     #[stable(feature = "iter_cmp_by_key", since = "1.6.0")]
2533     fn max_by_key<B: Ord, F>(self, f: F) -> Option<Self::Item>
2534     where
2535         Self: Sized,
2536         F: FnMut(&Self::Item) -> B,
2537     {
2538         #[inline]
2539         fn key<T, B>(mut f: impl FnMut(&T) -> B) -> impl FnMut(T) -> (B, T) {
2540             move |x| (f(&x), x)
2541         }
2542
2543         #[inline]
2544         fn compare<T, B: Ord>((x_p, _): &(B, T), (y_p, _): &(B, T)) -> Ordering {
2545             x_p.cmp(y_p)
2546         }
2547
2548         let (_, x) = self.map(key(f)).max_by(compare)?;
2549         Some(x)
2550     }
2551
2552     /// Returns the element that gives the maximum value with respect to the
2553     /// specified comparison function.
2554     ///
2555     /// If several elements are equally maximum, the last element is
2556     /// returned. If the iterator is empty, [`None`] is returned.
2557     ///
2558     /// # Examples
2559     ///
2560     /// ```
2561     /// let a = [-3_i32, 0, 1, 5, -10];
2562     /// assert_eq!(*a.iter().max_by(|x, y| x.cmp(y)).unwrap(), 5);
2563     /// ```
2564     #[inline]
2565     #[stable(feature = "iter_max_by", since = "1.15.0")]
2566     fn max_by<F>(self, compare: F) -> Option<Self::Item>
2567     where
2568         Self: Sized,
2569         F: FnMut(&Self::Item, &Self::Item) -> Ordering,
2570     {
2571         #[inline]
2572         fn fold<T>(mut compare: impl FnMut(&T, &T) -> Ordering) -> impl FnMut(T, T) -> T {
2573             move |x, y| cmp::max_by(x, y, &mut compare)
2574         }
2575
2576         self.fold_first(fold(compare))
2577     }
2578
2579     /// Returns the element that gives the minimum value from the
2580     /// specified function.
2581     ///
2582     /// If several elements are equally minimum, the first element is
2583     /// returned. If the iterator is empty, [`None`] is returned.
2584     ///
2585     /// # Examples
2586     ///
2587     /// ```
2588     /// let a = [-3_i32, 0, 1, 5, -10];
2589     /// assert_eq!(*a.iter().min_by_key(|x| x.abs()).unwrap(), 0);
2590     /// ```
2591     #[inline]
2592     #[stable(feature = "iter_cmp_by_key", since = "1.6.0")]
2593     fn min_by_key<B: Ord, F>(self, f: F) -> Option<Self::Item>
2594     where
2595         Self: Sized,
2596         F: FnMut(&Self::Item) -> B,
2597     {
2598         #[inline]
2599         fn key<T, B>(mut f: impl FnMut(&T) -> B) -> impl FnMut(T) -> (B, T) {
2600             move |x| (f(&x), x)
2601         }
2602
2603         #[inline]
2604         fn compare<T, B: Ord>((x_p, _): &(B, T), (y_p, _): &(B, T)) -> Ordering {
2605             x_p.cmp(y_p)
2606         }
2607
2608         let (_, x) = self.map(key(f)).min_by(compare)?;
2609         Some(x)
2610     }
2611
2612     /// Returns the element that gives the minimum value with respect to the
2613     /// specified comparison function.
2614     ///
2615     /// If several elements are equally minimum, the first element is
2616     /// returned. If the iterator is empty, [`None`] is returned.
2617     ///
2618     /// # Examples
2619     ///
2620     /// ```
2621     /// let a = [-3_i32, 0, 1, 5, -10];
2622     /// assert_eq!(*a.iter().min_by(|x, y| x.cmp(y)).unwrap(), -10);
2623     /// ```
2624     #[inline]
2625     #[stable(feature = "iter_min_by", since = "1.15.0")]
2626     fn min_by<F>(self, compare: F) -> Option<Self::Item>
2627     where
2628         Self: Sized,
2629         F: FnMut(&Self::Item, &Self::Item) -> Ordering,
2630     {
2631         #[inline]
2632         fn fold<T>(mut compare: impl FnMut(&T, &T) -> Ordering) -> impl FnMut(T, T) -> T {
2633             move |x, y| cmp::min_by(x, y, &mut compare)
2634         }
2635
2636         self.fold_first(fold(compare))
2637     }
2638
2639     /// Reverses an iterator's direction.
2640     ///
2641     /// Usually, iterators iterate from left to right. After using `rev()`,
2642     /// an iterator will instead iterate from right to left.
2643     ///
2644     /// This is only possible if the iterator has an end, so `rev()` only
2645     /// works on [`DoubleEndedIterator`]s.
2646     ///
2647     /// # Examples
2648     ///
2649     /// ```
2650     /// let a = [1, 2, 3];
2651     ///
2652     /// let mut iter = a.iter().rev();
2653     ///
2654     /// assert_eq!(iter.next(), Some(&3));
2655     /// assert_eq!(iter.next(), Some(&2));
2656     /// assert_eq!(iter.next(), Some(&1));
2657     ///
2658     /// assert_eq!(iter.next(), None);
2659     /// ```
2660     #[inline]
2661     #[stable(feature = "rust1", since = "1.0.0")]
2662     fn rev(self) -> Rev<Self>
2663     where
2664         Self: Sized + DoubleEndedIterator,
2665     {
2666         Rev::new(self)
2667     }
2668
2669     /// Converts an iterator of pairs into a pair of containers.
2670     ///
2671     /// `unzip()` consumes an entire iterator of pairs, producing two
2672     /// collections: one from the left elements of the pairs, and one
2673     /// from the right elements.
2674     ///
2675     /// This function is, in some sense, the opposite of [`zip`].
2676     ///
2677     /// [`zip`]: Iterator::zip
2678     ///
2679     /// # Examples
2680     ///
2681     /// Basic usage:
2682     ///
2683     /// ```
2684     /// let a = [(1, 2), (3, 4)];
2685     ///
2686     /// let (left, right): (Vec<_>, Vec<_>) = a.iter().cloned().unzip();
2687     ///
2688     /// assert_eq!(left, [1, 3]);
2689     /// assert_eq!(right, [2, 4]);
2690     /// ```
2691     #[stable(feature = "rust1", since = "1.0.0")]
2692     fn unzip<A, B, FromA, FromB>(self) -> (FromA, FromB)
2693     where
2694         FromA: Default + Extend<A>,
2695         FromB: Default + Extend<B>,
2696         Self: Sized + Iterator<Item = (A, B)>,
2697     {
2698         fn extend<'a, A, B>(
2699             ts: &'a mut impl Extend<A>,
2700             us: &'a mut impl Extend<B>,
2701         ) -> impl FnMut((), (A, B)) + 'a {
2702             move |(), (t, u)| {
2703                 ts.extend_one(t);
2704                 us.extend_one(u);
2705             }
2706         }
2707
2708         let mut ts: FromA = Default::default();
2709         let mut us: FromB = Default::default();
2710
2711         let (lower_bound, _) = self.size_hint();
2712         if lower_bound > 0 {
2713             ts.extend_reserve(lower_bound);
2714             us.extend_reserve(lower_bound);
2715         }
2716
2717         self.fold((), extend(&mut ts, &mut us));
2718
2719         (ts, us)
2720     }
2721
2722     /// Creates an iterator which copies all of its elements.
2723     ///
2724     /// This is useful when you have an iterator over `&T`, but you need an
2725     /// iterator over `T`.
2726     ///
2727     /// # Examples
2728     ///
2729     /// Basic usage:
2730     ///
2731     /// ```
2732     /// let a = [1, 2, 3];
2733     ///
2734     /// let v_copied: Vec<_> = a.iter().copied().collect();
2735     ///
2736     /// // copied is the same as .map(|&x| x)
2737     /// let v_map: Vec<_> = a.iter().map(|&x| x).collect();
2738     ///
2739     /// assert_eq!(v_copied, vec![1, 2, 3]);
2740     /// assert_eq!(v_map, vec![1, 2, 3]);
2741     /// ```
2742     #[stable(feature = "iter_copied", since = "1.36.0")]
2743     fn copied<'a, T: 'a>(self) -> Copied<Self>
2744     where
2745         Self: Sized + Iterator<Item = &'a T>,
2746         T: Copy,
2747     {
2748         Copied::new(self)
2749     }
2750
2751     /// Creates an iterator which [`clone`]s all of its elements.
2752     ///
2753     /// This is useful when you have an iterator over `&T`, but you need an
2754     /// iterator over `T`.
2755     ///
2756     /// [`clone`]: Clone::clone
2757     ///
2758     /// # Examples
2759     ///
2760     /// Basic usage:
2761     ///
2762     /// ```
2763     /// let a = [1, 2, 3];
2764     ///
2765     /// let v_cloned: Vec<_> = a.iter().cloned().collect();
2766     ///
2767     /// // cloned is the same as .map(|&x| x), for integers
2768     /// let v_map: Vec<_> = a.iter().map(|&x| x).collect();
2769     ///
2770     /// assert_eq!(v_cloned, vec![1, 2, 3]);
2771     /// assert_eq!(v_map, vec![1, 2, 3]);
2772     /// ```
2773     #[stable(feature = "rust1", since = "1.0.0")]
2774     fn cloned<'a, T: 'a>(self) -> Cloned<Self>
2775     where
2776         Self: Sized + Iterator<Item = &'a T>,
2777         T: Clone,
2778     {
2779         Cloned::new(self)
2780     }
2781
2782     /// Repeats an iterator endlessly.
2783     ///
2784     /// Instead of stopping at [`None`], the iterator will instead start again,
2785     /// from the beginning. After iterating again, it will start at the
2786     /// beginning again. And again. And again. Forever.
2787     ///
2788     /// # Examples
2789     ///
2790     /// Basic usage:
2791     ///
2792     /// ```
2793     /// let a = [1, 2, 3];
2794     ///
2795     /// let mut it = a.iter().cycle();
2796     ///
2797     /// assert_eq!(it.next(), Some(&1));
2798     /// assert_eq!(it.next(), Some(&2));
2799     /// assert_eq!(it.next(), Some(&3));
2800     /// assert_eq!(it.next(), Some(&1));
2801     /// assert_eq!(it.next(), Some(&2));
2802     /// assert_eq!(it.next(), Some(&3));
2803     /// assert_eq!(it.next(), Some(&1));
2804     /// ```
2805     #[stable(feature = "rust1", since = "1.0.0")]
2806     #[inline]
2807     fn cycle(self) -> Cycle<Self>
2808     where
2809         Self: Sized + Clone,
2810     {
2811         Cycle::new(self)
2812     }
2813
2814     /// Sums the elements of an iterator.
2815     ///
2816     /// Takes each element, adds them together, and returns the result.
2817     ///
2818     /// An empty iterator returns the zero value of the type.
2819     ///
2820     /// # Panics
2821     ///
2822     /// When calling `sum()` and a primitive integer type is being returned, this
2823     /// method will panic if the computation overflows and debug assertions are
2824     /// enabled.
2825     ///
2826     /// # Examples
2827     ///
2828     /// Basic usage:
2829     ///
2830     /// ```
2831     /// let a = [1, 2, 3];
2832     /// let sum: i32 = a.iter().sum();
2833     ///
2834     /// assert_eq!(sum, 6);
2835     /// ```
2836     #[stable(feature = "iter_arith", since = "1.11.0")]
2837     fn sum<S>(self) -> S
2838     where
2839         Self: Sized,
2840         S: Sum<Self::Item>,
2841     {
2842         Sum::sum(self)
2843     }
2844
2845     /// Iterates over the entire iterator, multiplying all the elements
2846     ///
2847     /// An empty iterator returns the one value of the type.
2848     ///
2849     /// # Panics
2850     ///
2851     /// When calling `product()` and a primitive integer type is being returned,
2852     /// method will panic if the computation overflows and debug assertions are
2853     /// enabled.
2854     ///
2855     /// # Examples
2856     ///
2857     /// ```
2858     /// fn factorial(n: u32) -> u32 {
2859     ///     (1..=n).product()
2860     /// }
2861     /// assert_eq!(factorial(0), 1);
2862     /// assert_eq!(factorial(1), 1);
2863     /// assert_eq!(factorial(5), 120);
2864     /// ```
2865     #[stable(feature = "iter_arith", since = "1.11.0")]
2866     fn product<P>(self) -> P
2867     where
2868         Self: Sized,
2869         P: Product<Self::Item>,
2870     {
2871         Product::product(self)
2872     }
2873
2874     /// [Lexicographically](Ord#lexicographical-comparison) compares the elements of this [`Iterator`] with those
2875     /// of another.
2876     ///
2877     /// # Examples
2878     ///
2879     /// ```
2880     /// use std::cmp::Ordering;
2881     ///
2882     /// assert_eq!([1].iter().cmp([1].iter()), Ordering::Equal);
2883     /// assert_eq!([1].iter().cmp([1, 2].iter()), Ordering::Less);
2884     /// assert_eq!([1, 2].iter().cmp([1].iter()), Ordering::Greater);
2885     /// ```
2886     #[stable(feature = "iter_order", since = "1.5.0")]
2887     fn cmp<I>(self, other: I) -> Ordering
2888     where
2889         I: IntoIterator<Item = Self::Item>,
2890         Self::Item: Ord,
2891         Self: Sized,
2892     {
2893         self.cmp_by(other, |x, y| x.cmp(&y))
2894     }
2895
2896     /// [Lexicographically](Ord#lexicographical-comparison) compares the elements of this [`Iterator`] with those
2897     /// of another with respect to the specified comparison function.
2898     ///
2899     /// # Examples
2900     ///
2901     /// Basic usage:
2902     ///
2903     /// ```
2904     /// #![feature(iter_order_by)]
2905     ///
2906     /// use std::cmp::Ordering;
2907     ///
2908     /// let xs = [1, 2, 3, 4];
2909     /// let ys = [1, 4, 9, 16];
2910     ///
2911     /// assert_eq!(xs.iter().cmp_by(&ys, |&x, &y| x.cmp(&y)), Ordering::Less);
2912     /// assert_eq!(xs.iter().cmp_by(&ys, |&x, &y| (x * x).cmp(&y)), Ordering::Equal);
2913     /// assert_eq!(xs.iter().cmp_by(&ys, |&x, &y| (2 * x).cmp(&y)), Ordering::Greater);
2914     /// ```
2915     #[unstable(feature = "iter_order_by", issue = "64295")]
2916     fn cmp_by<I, F>(mut self, other: I, mut cmp: F) -> Ordering
2917     where
2918         Self: Sized,
2919         I: IntoIterator,
2920         F: FnMut(Self::Item, I::Item) -> Ordering,
2921     {
2922         let mut other = other.into_iter();
2923
2924         loop {
2925             let x = match self.next() {
2926                 None => {
2927                     if other.next().is_none() {
2928                         return Ordering::Equal;
2929                     } else {
2930                         return Ordering::Less;
2931                     }
2932                 }
2933                 Some(val) => val,
2934             };
2935
2936             let y = match other.next() {
2937                 None => return Ordering::Greater,
2938                 Some(val) => val,
2939             };
2940
2941             match cmp(x, y) {
2942                 Ordering::Equal => (),
2943                 non_eq => return non_eq,
2944             }
2945         }
2946     }
2947
2948     /// [Lexicographically](Ord#lexicographical-comparison) compares the elements of this [`Iterator`] with those
2949     /// of another.
2950     ///
2951     /// # Examples
2952     ///
2953     /// ```
2954     /// use std::cmp::Ordering;
2955     ///
2956     /// assert_eq!([1.].iter().partial_cmp([1.].iter()), Some(Ordering::Equal));
2957     /// assert_eq!([1.].iter().partial_cmp([1., 2.].iter()), Some(Ordering::Less));
2958     /// assert_eq!([1., 2.].iter().partial_cmp([1.].iter()), Some(Ordering::Greater));
2959     ///
2960     /// assert_eq!([f64::NAN].iter().partial_cmp([1.].iter()), None);
2961     /// ```
2962     #[stable(feature = "iter_order", since = "1.5.0")]
2963     fn partial_cmp<I>(self, other: I) -> Option<Ordering>
2964     where
2965         I: IntoIterator,
2966         Self::Item: PartialOrd<I::Item>,
2967         Self: Sized,
2968     {
2969         self.partial_cmp_by(other, |x, y| x.partial_cmp(&y))
2970     }
2971
2972     /// [Lexicographically](Ord#lexicographical-comparison) compares the elements of this [`Iterator`] with those
2973     /// of another with respect to the specified comparison function.
2974     ///
2975     /// # Examples
2976     ///
2977     /// Basic usage:
2978     ///
2979     /// ```
2980     /// #![feature(iter_order_by)]
2981     ///
2982     /// use std::cmp::Ordering;
2983     ///
2984     /// let xs = [1.0, 2.0, 3.0, 4.0];
2985     /// let ys = [1.0, 4.0, 9.0, 16.0];
2986     ///
2987     /// assert_eq!(
2988     ///     xs.iter().partial_cmp_by(&ys, |&x, &y| x.partial_cmp(&y)),
2989     ///     Some(Ordering::Less)
2990     /// );
2991     /// assert_eq!(
2992     ///     xs.iter().partial_cmp_by(&ys, |&x, &y| (x * x).partial_cmp(&y)),
2993     ///     Some(Ordering::Equal)
2994     /// );
2995     /// assert_eq!(
2996     ///     xs.iter().partial_cmp_by(&ys, |&x, &y| (2.0 * x).partial_cmp(&y)),
2997     ///     Some(Ordering::Greater)
2998     /// );
2999     /// ```
3000     #[unstable(feature = "iter_order_by", issue = "64295")]
3001     fn partial_cmp_by<I, F>(mut self, other: I, mut partial_cmp: F) -> Option<Ordering>
3002     where
3003         Self: Sized,
3004         I: IntoIterator,
3005         F: FnMut(Self::Item, I::Item) -> Option<Ordering>,
3006     {
3007         let mut other = other.into_iter();
3008
3009         loop {
3010             let x = match self.next() {
3011                 None => {
3012                     if other.next().is_none() {
3013                         return Some(Ordering::Equal);
3014                     } else {
3015                         return Some(Ordering::Less);
3016                     }
3017                 }
3018                 Some(val) => val,
3019             };
3020
3021             let y = match other.next() {
3022                 None => return Some(Ordering::Greater),
3023                 Some(val) => val,
3024             };
3025
3026             match partial_cmp(x, y) {
3027                 Some(Ordering::Equal) => (),
3028                 non_eq => return non_eq,
3029             }
3030         }
3031     }
3032
3033     /// Determines if the elements of this [`Iterator`] are equal to those of
3034     /// another.
3035     ///
3036     /// # Examples
3037     ///
3038     /// ```
3039     /// assert_eq!([1].iter().eq([1].iter()), true);
3040     /// assert_eq!([1].iter().eq([1, 2].iter()), false);
3041     /// ```
3042     #[stable(feature = "iter_order", since = "1.5.0")]
3043     fn eq<I>(self, other: I) -> bool
3044     where
3045         I: IntoIterator,
3046         Self::Item: PartialEq<I::Item>,
3047         Self: Sized,
3048     {
3049         self.eq_by(other, |x, y| x == y)
3050     }
3051
3052     /// Determines if the elements of this [`Iterator`] are equal to those of
3053     /// another with respect to the specified equality function.
3054     ///
3055     /// # Examples
3056     ///
3057     /// Basic usage:
3058     ///
3059     /// ```
3060     /// #![feature(iter_order_by)]
3061     ///
3062     /// let xs = [1, 2, 3, 4];
3063     /// let ys = [1, 4, 9, 16];
3064     ///
3065     /// assert!(xs.iter().eq_by(&ys, |&x, &y| x * x == y));
3066     /// ```
3067     #[unstable(feature = "iter_order_by", issue = "64295")]
3068     fn eq_by<I, F>(mut self, other: I, mut eq: F) -> bool
3069     where
3070         Self: Sized,
3071         I: IntoIterator,
3072         F: FnMut(Self::Item, I::Item) -> bool,
3073     {
3074         let mut other = other.into_iter();
3075
3076         loop {
3077             let x = match self.next() {
3078                 None => return other.next().is_none(),
3079                 Some(val) => val,
3080             };
3081
3082             let y = match other.next() {
3083                 None => return false,
3084                 Some(val) => val,
3085             };
3086
3087             if !eq(x, y) {
3088                 return false;
3089             }
3090         }
3091     }
3092
3093     /// Determines if the elements of this [`Iterator`] are unequal to those of
3094     /// another.
3095     ///
3096     /// # Examples
3097     ///
3098     /// ```
3099     /// assert_eq!([1].iter().ne([1].iter()), false);
3100     /// assert_eq!([1].iter().ne([1, 2].iter()), true);
3101     /// ```
3102     #[stable(feature = "iter_order", since = "1.5.0")]
3103     fn ne<I>(self, other: I) -> bool
3104     where
3105         I: IntoIterator,
3106         Self::Item: PartialEq<I::Item>,
3107         Self: Sized,
3108     {
3109         !self.eq(other)
3110     }
3111
3112     /// Determines if the elements of this [`Iterator`] are [lexicographically](Ord#lexicographical-comparison)
3113     /// less than those of another.
3114     ///
3115     /// # Examples
3116     ///
3117     /// ```
3118     /// assert_eq!([1].iter().lt([1].iter()), false);
3119     /// assert_eq!([1].iter().lt([1, 2].iter()), true);
3120     /// assert_eq!([1, 2].iter().lt([1].iter()), false);
3121     /// assert_eq!([1, 2].iter().lt([1, 2].iter()), false);
3122     /// ```
3123     #[stable(feature = "iter_order", since = "1.5.0")]
3124     fn lt<I>(self, other: I) -> bool
3125     where
3126         I: IntoIterator,
3127         Self::Item: PartialOrd<I::Item>,
3128         Self: Sized,
3129     {
3130         self.partial_cmp(other) == Some(Ordering::Less)
3131     }
3132
3133     /// Determines if the elements of this [`Iterator`] are [lexicographically](Ord#lexicographical-comparison)
3134     /// less or equal to those of another.
3135     ///
3136     /// # Examples
3137     ///
3138     /// ```
3139     /// assert_eq!([1].iter().le([1].iter()), true);
3140     /// assert_eq!([1].iter().le([1, 2].iter()), true);
3141     /// assert_eq!([1, 2].iter().le([1].iter()), false);
3142     /// assert_eq!([1, 2].iter().le([1, 2].iter()), true);
3143     /// ```
3144     #[stable(feature = "iter_order", since = "1.5.0")]
3145     fn le<I>(self, other: I) -> bool
3146     where
3147         I: IntoIterator,
3148         Self::Item: PartialOrd<I::Item>,
3149         Self: Sized,
3150     {
3151         matches!(self.partial_cmp(other), Some(Ordering::Less | Ordering::Equal))
3152     }
3153
3154     /// Determines if the elements of this [`Iterator`] are [lexicographically](Ord#lexicographical-comparison)
3155     /// greater than those of another.
3156     ///
3157     /// # Examples
3158     ///
3159     /// ```
3160     /// assert_eq!([1].iter().gt([1].iter()), false);
3161     /// assert_eq!([1].iter().gt([1, 2].iter()), false);
3162     /// assert_eq!([1, 2].iter().gt([1].iter()), true);
3163     /// assert_eq!([1, 2].iter().gt([1, 2].iter()), false);
3164     /// ```
3165     #[stable(feature = "iter_order", since = "1.5.0")]
3166     fn gt<I>(self, other: I) -> bool
3167     where
3168         I: IntoIterator,
3169         Self::Item: PartialOrd<I::Item>,
3170         Self: Sized,
3171     {
3172         self.partial_cmp(other) == Some(Ordering::Greater)
3173     }
3174
3175     /// Determines if the elements of this [`Iterator`] are [lexicographically](Ord#lexicographical-comparison)
3176     /// greater than or equal to those of another.
3177     ///
3178     /// # Examples
3179     ///
3180     /// ```
3181     /// assert_eq!([1].iter().ge([1].iter()), true);
3182     /// assert_eq!([1].iter().ge([1, 2].iter()), false);
3183     /// assert_eq!([1, 2].iter().ge([1].iter()), true);
3184     /// assert_eq!([1, 2].iter().ge([1, 2].iter()), true);
3185     /// ```
3186     #[stable(feature = "iter_order", since = "1.5.0")]
3187     fn ge<I>(self, other: I) -> bool
3188     where
3189         I: IntoIterator,
3190         Self::Item: PartialOrd<I::Item>,
3191         Self: Sized,
3192     {
3193         matches!(self.partial_cmp(other), Some(Ordering::Greater | Ordering::Equal))
3194     }
3195
3196     /// Checks if the elements of this iterator are sorted.
3197     ///
3198     /// That is, for each element `a` and its following element `b`, `a <= b` must hold. If the
3199     /// iterator yields exactly zero or one element, `true` is returned.
3200     ///
3201     /// Note that if `Self::Item` is only `PartialOrd`, but not `Ord`, the above definition
3202     /// implies that this function returns `false` if any two consecutive items are not
3203     /// comparable.
3204     ///
3205     /// # Examples
3206     ///
3207     /// ```
3208     /// #![feature(is_sorted)]
3209     ///
3210     /// assert!([1, 2, 2, 9].iter().is_sorted());
3211     /// assert!(![1, 3, 2, 4].iter().is_sorted());
3212     /// assert!([0].iter().is_sorted());
3213     /// assert!(std::iter::empty::<i32>().is_sorted());
3214     /// assert!(![0.0, 1.0, f32::NAN].iter().is_sorted());
3215     /// ```
3216     #[inline]
3217     #[unstable(feature = "is_sorted", reason = "new API", issue = "53485")]
3218     fn is_sorted(self) -> bool
3219     where
3220         Self: Sized,
3221         Self::Item: PartialOrd,
3222     {
3223         self.is_sorted_by(PartialOrd::partial_cmp)
3224     }
3225
3226     /// Checks if the elements of this iterator are sorted using the given comparator function.
3227     ///
3228     /// Instead of using `PartialOrd::partial_cmp`, this function uses the given `compare`
3229     /// function to determine the ordering of two elements. Apart from that, it's equivalent to
3230     /// [`is_sorted`]; see its documentation for more information.
3231     ///
3232     /// # Examples
3233     ///
3234     /// ```
3235     /// #![feature(is_sorted)]
3236     ///
3237     /// assert!([1, 2, 2, 9].iter().is_sorted_by(|a, b| a.partial_cmp(b)));
3238     /// assert!(![1, 3, 2, 4].iter().is_sorted_by(|a, b| a.partial_cmp(b)));
3239     /// assert!([0].iter().is_sorted_by(|a, b| a.partial_cmp(b)));
3240     /// assert!(std::iter::empty::<i32>().is_sorted_by(|a, b| a.partial_cmp(b)));
3241     /// assert!(![0.0, 1.0, f32::NAN].iter().is_sorted_by(|a, b| a.partial_cmp(b)));
3242     /// ```
3243     ///
3244     /// [`is_sorted`]: Iterator::is_sorted
3245     #[unstable(feature = "is_sorted", reason = "new API", issue = "53485")]
3246     fn is_sorted_by<F>(mut self, mut compare: F) -> bool
3247     where
3248         Self: Sized,
3249         F: FnMut(&Self::Item, &Self::Item) -> Option<Ordering>,
3250     {
3251         let mut last = match self.next() {
3252             Some(e) => e,
3253             None => return true,
3254         };
3255
3256         while let Some(curr) = self.next() {
3257             if let Some(Ordering::Greater) | None = compare(&last, &curr) {
3258                 return false;
3259             }
3260             last = curr;
3261         }
3262
3263         true
3264     }
3265
3266     /// Checks if the elements of this iterator are sorted using the given key extraction
3267     /// function.
3268     ///
3269     /// Instead of comparing the iterator's elements directly, this function compares the keys of
3270     /// the elements, as determined by `f`. Apart from that, it's equivalent to [`is_sorted`]; see
3271     /// its documentation for more information.
3272     ///
3273     /// [`is_sorted`]: Iterator::is_sorted
3274     ///
3275     /// # Examples
3276     ///
3277     /// ```
3278     /// #![feature(is_sorted)]
3279     ///
3280     /// assert!(["c", "bb", "aaa"].iter().is_sorted_by_key(|s| s.len()));
3281     /// assert!(![-2i32, -1, 0, 3].iter().is_sorted_by_key(|n| n.abs()));
3282     /// ```
3283     #[inline]
3284     #[unstable(feature = "is_sorted", reason = "new API", issue = "53485")]
3285     fn is_sorted_by_key<F, K>(self, f: F) -> bool
3286     where
3287         Self: Sized,
3288         F: FnMut(Self::Item) -> K,
3289         K: PartialOrd,
3290     {
3291         self.map(f).is_sorted()
3292     }
3293
3294     /// See [TrustedRandomAccess]
3295     // The unusual name is to avoid name collisions in method resolution
3296     // see #76479.
3297     #[inline]
3298     #[doc(hidden)]
3299     #[unstable(feature = "trusted_random_access", issue = "none")]
3300     unsafe fn __iterator_get_unchecked(&mut self, _idx: usize) -> Self::Item
3301     where
3302         Self: TrustedRandomAccess,
3303     {
3304         unreachable!("Always specialized");
3305     }
3306 }
3307
3308 #[stable(feature = "rust1", since = "1.0.0")]
3309 impl<I: Iterator + ?Sized> Iterator for &mut I {
3310     type Item = I::Item;
3311     fn next(&mut self) -> Option<I::Item> {
3312         (**self).next()
3313     }
3314     fn size_hint(&self) -> (usize, Option<usize>) {
3315         (**self).size_hint()
3316     }
3317     fn advance_by(&mut self, n: usize) -> Result<(), usize> {
3318         (**self).advance_by(n)
3319     }
3320     fn nth(&mut self, n: usize) -> Option<Self::Item> {
3321         (**self).nth(n)
3322     }
3323 }