Trait IteratorDoubleEnded

1.0.0 ยท Source
pub trait IteratorDoubleEnded: Iterator {
    // Required method
    fn next_back(&mut self) -> Option<Self::Item> โ“˜;

    // Provided methods
    fn advance_back_by(&mut self, n: usize) -> Result<(), NonZero<usize>> โ“˜ { ... }
    fn nth_back(&mut self, n: usize) -> Option<Self::Item> โ“˜ { ... }
    fn try_rfold<B, F, R>(&mut self, init: B, f: F) -> R
       where Self: Sized,
             F: FnMut(B, Self::Item) -> R,
             R: Try<Output = B> { ... }
    fn rfold<B, F>(self, init: B, f: F) -> B
       where Self: Sized,
             F: FnMut(B, Self::Item) -> B { ... }
    fn rfind<P>(&mut self, predicate: P) -> Option<Self::Item> โ“˜
       where Self: Sized,
             P: FnMut(&Self::Item) -> bool { ... }
}
Expand description

๐Ÿ”„ core An iterator able to yield elements from both ends.

Re-exported from core::iter:: DoubleEndedIteratorโ†’IteratorDoubleEnded.


An iterator able to yield elements from both ends.

Something that implements DoubleEndedIterator has one extra capability over something that implements Iterator: the ability to also take Items from the back, as well as the front.

It is important to note that both back and forth work on the same range, and do not cross: iteration is over when they meet in the middle.

In a similar fashion to the Iterator protocol, once a DoubleEndedIterator returns None from a next_back(), calling it again may or may not ever return Some again. next() and next_back() are interchangeable for this purpose.

ยงExamples

Basic usage:

let numbers = vec![1, 2, 3, 4, 5, 6];

let mut iter = numbers.iter();

assert_eq!(Some(&1), iter.next());
assert_eq!(Some(&6), iter.next_back());
assert_eq!(Some(&5), iter.next_back());
assert_eq!(Some(&2), iter.next());
assert_eq!(Some(&3), iter.next());
assert_eq!(Some(&4), iter.next());
assert_eq!(None, iter.next());
assert_eq!(None, iter.next_back());

Required Methodsยง

1.0.0 ยท Source

fn next_back(&mut self) -> Option<Self::Item> โ“˜

Removes and returns an element from the end of the iterator.

Returns None when there are no more elements.

The trait-level docs contain more details.

ยงExamples

Basic usage:

let numbers = vec![1, 2, 3, 4, 5, 6];

let mut iter = numbers.iter();

assert_eq!(Some(&1), iter.next());
assert_eq!(Some(&6), iter.next_back());
assert_eq!(Some(&5), iter.next_back());
assert_eq!(Some(&2), iter.next());
assert_eq!(Some(&3), iter.next());
assert_eq!(Some(&4), iter.next());
assert_eq!(None, iter.next());
assert_eq!(None, iter.next_back());
ยงRemarks

The elements yielded by DoubleEndedIteratorโ€™s methods may differ from the ones yielded by Iteratorโ€™s methods:

let vec = vec![(1, 'a'), (1, 'b'), (1, 'c'), (2, 'a'), (2, 'b')];
let uniq_by_fst_comp = || {
    let mut seen = std::collections::HashSet::new();
    vec.iter().copied().filter(move |x| seen.insert(x.0))
};

assert_eq!(uniq_by_fst_comp().last(), Some((2, 'a')));
assert_eq!(uniq_by_fst_comp().next_back(), Some((2, 'b')));

assert_eq!(
    uniq_by_fst_comp().fold(vec![], |mut v, x| {v.push(x); v}),
    vec![(1, 'a'), (2, 'a')]
);
assert_eq!(
    uniq_by_fst_comp().rfold(vec![], |mut v, x| {v.push(x); v}),
    vec![(2, 'b'), (1, 'c')]
);

Provided Methodsยง

Source

fn advance_back_by(&mut self, n: usize) -> Result<(), NonZero<usize>> โ“˜

๐Ÿ”ฌThis is a nightly-only experimental API. (iter_advance_by)

Advances the iterator from the back by n elements.

advance_back_by is the reverse version of advance_by. This method will eagerly skip n elements starting from the back by calling next_back up to n times until None is encountered.

advance_back_by(n) will return Ok(()) if the iterator successfully advances by n elements, or a Err(NonZero<usize>) with value k if None is encountered, where k is remaining number of steps that could not be advanced because the iterator ran out. If self is empty and n is non-zero, then this returns Err(n). Otherwise, k is always less than n.

Calling advance_back_by(0) can do meaningful work, for example Flatten can advance its outer iterator until it finds an inner iterator that is not empty, which then often allows it to return a more accurate size_hint() than in its initial state.

ยงExamples

Basic usage:

#![feature(iter_advance_by)]

use std::num::NonZero;

let a = [3, 4, 5, 6];
let mut iter = a.iter();

assert_eq!(iter.advance_back_by(2), Ok(()));
assert_eq!(iter.next_back(), Some(&4));
assert_eq!(iter.advance_back_by(0), Ok(()));
assert_eq!(iter.advance_back_by(100), Err(NonZero::new(99).unwrap())); // only `&3` was skipped
1.37.0 ยท Source

fn nth_back(&mut self, n: usize) -> Option<Self::Item> โ“˜

Returns the nth element from the end of the iterator.

This is essentially the reversed version of Iterator::nth(). Although like most indexing operations, the count starts from zero, so nth_back(0) returns the first value from the end, nth_back(1) the second, and so on.

Note that all elements between the end and the returned element will be consumed, including the returned element. This also means that calling nth_back(0) multiple times on the same iterator will return different elements.

nth_back() will return None if n is greater than or equal to the length of the iterator.

ยงExamples

Basic usage:

let a = [1, 2, 3];
assert_eq!(a.iter().nth_back(2), Some(&1));

Calling nth_back() multiple times doesnโ€™t rewind the iterator:

let a = [1, 2, 3];

let mut iter = a.iter();

assert_eq!(iter.nth_back(1), Some(&2));
assert_eq!(iter.nth_back(1), None);

Returning None if there are less than n + 1 elements:

let a = [1, 2, 3];
assert_eq!(a.iter().nth_back(10), None);
1.27.0 ยท Source

fn try_rfold<B, F, R>(&mut self, init: B, f: F) -> R
where Self: Sized, F: FnMut(B, Self::Item) -> R, R: Try<Output = B>,

This is the reverse version of Iterator::try_fold(): it takes elements starting from the back of the iterator.

ยงExamples

Basic usage:

let a = ["1", "2", "3"];
let sum = a.iter()
    .map(|&s| s.parse::<i32>())
    .try_rfold(0, |acc, x| x.and_then(|y| Ok(acc + y)));
assert_eq!(sum, Ok(6));

Short-circuiting:

let a = ["1", "rust", "3"];
let mut it = a.iter();
let sum = it
    .by_ref()
    .map(|&s| s.parse::<i32>())
    .try_rfold(0, |acc, x| x.and_then(|y| Ok(acc + y)));
assert!(sum.is_err());

// Because it short-circuited, the remaining elements are still
// available through the iterator.
assert_eq!(it.next_back(), Some(&"1"));
1.27.0 ยท Source

fn rfold<B, F>(self, init: B, f: F) -> B
where Self: Sized, F: FnMut(B, Self::Item) -> B,

An iterator method that reduces the iteratorโ€™s elements to a single, final value, starting from the back.

This is the reverse version of Iterator::fold(): it takes elements starting from the back of the iterator.

rfold() takes two arguments: an initial value, and a closure with two arguments: an โ€˜accumulatorโ€™, and an element. The closure returns the value that the accumulator should have for the next iteration.

The initial value is the value the accumulator will have on the first call.

After applying this closure to every element of the iterator, rfold() returns the accumulator.

This operation is sometimes called โ€˜reduceโ€™ or โ€˜injectโ€™.

Folding is useful whenever you have a collection of something, and want to produce a single value from it.

Note: rfold() combines elements in a right-associative fashion. For associative operators like +, the order the elements are combined in is not important, but for non-associative operators like - the order will affect the final result. For a left-associative version of rfold(), see Iterator::fold().

ยงExamples

Basic usage:

let a = [1, 2, 3];

// the sum of all of the elements of a
let sum = a.iter()
           .rfold(0, |acc, &x| acc + x);

assert_eq!(sum, 6);

This example demonstrates the right-associative nature of rfold(): it builds a string, starting with an initial value and continuing with each element from the back until the front:

let numbers = [1, 2, 3, 4, 5];

let zero = "0".to_string();

let result = numbers.iter().rfold(zero, |acc, &x| {
    format!("({x} + {acc})")
});

assert_eq!(result, "(1 + (2 + (3 + (4 + (5 + 0)))))");
1.27.0 ยท Source

fn rfind<P>(&mut self, predicate: P) -> Option<Self::Item> โ“˜
where Self: Sized, P: FnMut(&Self::Item) -> bool,

Searches for an element of an iterator from the back that satisfies a predicate.

rfind() takes a closure that returns true or false. It applies this closure to each element of the iterator, starting at the end, and if any of them return true, then rfind() returns Some(element). If they all return false, it returns None.

rfind() is short-circuiting; in other words, it will stop processing as soon as the closure returns true.

Because rfind() takes a reference, and many iterators iterate over references, this leads to a possibly confusing situation where the argument is a double reference. You can see this effect in the examples below, with &&x.

ยงExamples

Basic usage:

let a = [1, 2, 3];

assert_eq!(a.iter().rfind(|&&x| x == 2), Some(&2));

assert_eq!(a.iter().rfind(|&&x| x == 5), None);

Stopping at the first true:

let a = [1, 2, 3];

let mut iter = a.iter();

assert_eq!(iter.rfind(|&&x| x == 2), Some(&2));

// we can still use `iter`, as there are more elements.
assert_eq!(iter.next_back(), Some(&1));

Implementorsยง

1.0.0 ยท Sourceยง

impl DoubleEndedIterator for EscapeDefault

1.59.0 ยท Sourceยง

impl DoubleEndedIterator for ToLowercase

1.59.0 ยท Sourceยง

impl DoubleEndedIterator for ToUppercase

1.0.0 ยท Sourceยง

impl DoubleEndedIterator for Bytes<'_>

1.6.0 ยท Sourceยง

impl DoubleEndedIterator for devela::_dep::_alloc::string::Drain<'_>

Sourceยง

impl DoubleEndedIterator for IntoChars

ยง

impl DoubleEndedIterator for BorrowedTupleIterator<'_, '_>

ยง

impl DoubleEndedIterator for BoundListIterator<'_>

ยง

impl DoubleEndedIterator for BoundTupleIterator<'_>

ยง

impl DoubleEndedIterator for devela::_dep::sdl2::audio::DriverIterator

ยง

impl DoubleEndedIterator for devela::_dep::sdl2::render::DriverIterator

ยง

impl DoubleEndedIterator for devela::_dep::sdl2::video::DriverIterator

Sourceยง

impl DoubleEndedIterator for U32Digits<'_>

Sourceยง

impl DoubleEndedIterator for U64Digits<'_>

1.12.0 ยท Sourceยง

impl DoubleEndedIterator for Args

1.12.0 ยท Sourceยง

impl DoubleEndedIterator for ArgsOs

1.60.0 ยท Sourceยง

impl<'a> DoubleEndedIterator for EscapeAscii<'a>

1.0.0 ยท Sourceยง

impl<'a> DoubleEndedIterator for CharIndices<'a>

1.0.0 ยท Sourceยง

impl<'a> DoubleEndedIterator for Lines<'a>

1.0.0 ยท Sourceยง

impl<'a> DoubleEndedIterator for LinesAny<'a>

1.34.0 ยท Sourceยง

impl<'a> DoubleEndedIterator for SplitAsciiWhitespace<'a>

1.1.0 ยท Sourceยง

impl<'a> DoubleEndedIterator for SplitWhitespace<'a>

ยง

impl<'a> DoubleEndedIterator for GraphemeIndices<'a>

ยง

impl<'a> DoubleEndedIterator for Graphemes<'a>

ยง

impl<'a> DoubleEndedIterator for UWordBoundIndices<'a>

ยง

impl<'a> DoubleEndedIterator for UWordBounds<'a>

ยง

impl<'a> DoubleEndedIterator for UnicodeWordIndices<'a>

ยง

impl<'a> DoubleEndedIterator for UnicodeWords<'a>

1.0.0 ยท Sourceยง

impl<'a> DoubleEndedIterator for Chars<'a>

1.0.0 ยท Sourceยง

impl<'a> DoubleEndedIterator for devela::all::IterPath<'a>

1.0.0 ยท Sourceยง

impl<'a> DoubleEndedIterator for Components<'a>

ยง

impl<'a, 'bump> DoubleEndedIterator for devela::_dep::bumpalo::collections::string::Drain<'a, 'bump>

ยง

impl<'a, 'bump, I> DoubleEndedIterator for devela::_dep::bumpalo::collections::vec::Splice<'a, 'bump, I>
where I: Iterator,

ยง

impl<'a, 'bump, T> DoubleEndedIterator for devela::_dep::bumpalo::collections::vec::Drain<'a, 'bump, T>

ยง

impl<'a, 'h> DoubleEndedIterator for devela::_dep::memchr::arch::all::memchr::OneIter<'a, 'h>

ยง

impl<'a, 'h> DoubleEndedIterator for devela::_dep::memchr::arch::all::memchr::ThreeIter<'a, 'h>

ยง

impl<'a, 'h> DoubleEndedIterator for devela::_dep::memchr::arch::all::memchr::TwoIter<'a, 'h>

ยง

impl<'a, 'h> DoubleEndedIterator for devela::_dep::memchr::arch::x86_64::avx2::memchr::OneIter<'a, 'h>

ยง

impl<'a, 'h> DoubleEndedIterator for devela::_dep::memchr::arch::x86_64::avx2::memchr::ThreeIter<'a, 'h>

ยง

impl<'a, 'h> DoubleEndedIterator for devela::_dep::memchr::arch::x86_64::avx2::memchr::TwoIter<'a, 'h>

ยง

impl<'a, 'h> DoubleEndedIterator for devela::_dep::memchr::arch::x86_64::sse2::memchr::OneIter<'a, 'h>

ยง

impl<'a, 'h> DoubleEndedIterator for devela::_dep::memchr::arch::x86_64::sse2::memchr::ThreeIter<'a, 'h>

ยง

impl<'a, 'h> DoubleEndedIterator for devela::_dep::memchr::arch::x86_64::sse2::memchr::TwoIter<'a, 'h>

1.0.0 ยท Sourceยง

impl<'a, A> DoubleEndedIterator for devela::all::OptionIter<'a, A>

1.0.0 ยท Sourceยง

impl<'a, A> DoubleEndedIterator for devela::all::OptionIterMut<'a, A>

1.0.0 ยท Sourceยง

impl<'a, I> DoubleEndedIterator for &'a mut I

ยง

impl<'a, I> DoubleEndedIterator for devela::_dep::bumpalo::boxed::Box<'a, I>

1.1.0 ยท Sourceยง

impl<'a, I, T> DoubleEndedIterator for Cloned<I>
where T: 'a + Clone, I: DoubleEndedIterator<Item = &'a T>,

1.36.0 ยท Sourceยง

impl<'a, I, T> DoubleEndedIterator for Copied<I>
where T: 'a + Copy, I: DoubleEndedIterator<Item = &'a T>,

1.0.0 ยท Sourceยง

impl<'a, K, V> DoubleEndedIterator for devela::_dep::_alloc::collections::btree_map::Iter<'a, K, V>
where K: 'a, V: 'a,

1.0.0 ยท Sourceยง

impl<'a, K, V> DoubleEndedIterator for devela::_dep::_alloc::collections::btree_map::IterMut<'a, K, V>

1.0.0 ยท Sourceยง

impl<'a, K, V> DoubleEndedIterator for devela::_dep::_alloc::collections::btree_map::Keys<'a, K, V>

1.17.0 ยท Sourceยง

impl<'a, K, V> DoubleEndedIterator for devela::_dep::_alloc::collections::btree_map::Range<'a, K, V>

1.17.0 ยท Sourceยง

impl<'a, K, V> DoubleEndedIterator for RangeMut<'a, K, V>

1.0.0 ยท Sourceยง

impl<'a, K, V> DoubleEndedIterator for devela::_dep::_alloc::collections::btree_map::Values<'a, K, V>

1.10.0 ยท Sourceยง

impl<'a, K, V> DoubleEndedIterator for devela::_dep::_alloc::collections::btree_map::ValuesMut<'a, K, V>

1.5.0 ยท Sourceยง

impl<'a, P> DoubleEndedIterator for MatchIndices<'a, P>
where P: Pattern, <P as Pattern>::Searcher<'a>: DoubleEndedSearcher<'a>,

1.2.0 ยท Sourceยง

impl<'a, P> DoubleEndedIterator for Matches<'a, P>
where P: Pattern, <P as Pattern>::Searcher<'a>: DoubleEndedSearcher<'a>,

1.5.0 ยท Sourceยง

impl<'a, P> DoubleEndedIterator for RMatchIndices<'a, P>
where P: Pattern, <P as Pattern>::Searcher<'a>: DoubleEndedSearcher<'a>,

1.2.0 ยท Sourceยง

impl<'a, P> DoubleEndedIterator for RMatches<'a, P>
where P: Pattern, <P as Pattern>::Searcher<'a>: DoubleEndedSearcher<'a>,

1.0.0 ยท Sourceยง

impl<'a, P> DoubleEndedIterator for devela::_core::str::RSplit<'a, P>
where P: Pattern, <P as Pattern>::Searcher<'a>: DoubleEndedSearcher<'a>,

1.0.0 ยท Sourceยง

impl<'a, P> DoubleEndedIterator for RSplitTerminator<'a, P>
where P: Pattern, <P as Pattern>::Searcher<'a>: DoubleEndedSearcher<'a>,

1.0.0 ยท Sourceยง

impl<'a, P> DoubleEndedIterator for devela::_core::str::Split<'a, P>
where P: Pattern, <P as Pattern>::Searcher<'a>: DoubleEndedSearcher<'a>,

1.51.0 ยท Sourceยง

impl<'a, P> DoubleEndedIterator for devela::_core::str::SplitInclusive<'a, P>
where P: Pattern, <P as Pattern>::Searcher<'a>: DoubleEndedSearcher<'a>,

1.0.0 ยท Sourceยง

impl<'a, P> DoubleEndedIterator for SplitTerminator<'a, P>
where P: Pattern, <P as Pattern>::Searcher<'a>: DoubleEndedSearcher<'a>,

ยง

impl<'a, P> DoubleEndedIterator for Pixels<'a, P>
where P: Pixel + 'a, <P as Pixel>::Subpixel: 'a,

ยง

impl<'a, P> DoubleEndedIterator for PixelsMut<'a, P>
where P: Pixel + 'a, <P as Pixel>::Subpixel: 'a,

ยง

impl<'a, P> DoubleEndedIterator for Rows<'a, P>
where P: Pixel + 'a, <P as Pixel>::Subpixel: 'a,

ยง

impl<'a, P> DoubleEndedIterator for RowsMut<'a, P>
where P: Pixel + 'a, <P as Pixel>::Subpixel: 'a,

1.0.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for Chunks<'a, T>

1.31.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for ChunksExact<'a, T>

1.31.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for ChunksExactMut<'a, T>

1.0.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for ChunksMut<'a, T>

1.0.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for devela::_core::slice::Iter<'a, T>

1.0.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for devela::_core::slice::IterMut<'a, T>

1.31.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for RChunks<'a, T>

1.31.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for RChunksExact<'a, T>

1.31.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for RChunksExactMut<'a, T>

1.31.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for RChunksMut<'a, T>

1.0.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for Windows<'a, T>

1.0.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for devela::_dep::_alloc::collections::binary_heap::Iter<'a, T>

1.0.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for devela::_dep::_alloc::collections::btree_set::Iter<'a, T>

1.17.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for devela::_dep::_alloc::collections::btree_set::Range<'a, T>

1.0.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for devela::_dep::_alloc::collections::linked_list::Iter<'a, T>

1.0.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for devela::_dep::_alloc::collections::linked_list::IterMut<'a, T>

1.0.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for devela::_dep::_alloc::collections::vec_deque::Iter<'a, T>

1.0.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for devela::_dep::_alloc::collections::vec_deque::IterMut<'a, T>

ยง

impl<'a, T> DoubleEndedIterator for ValueIter<'a, T>
where T: 'a,

ยง

impl<'a, T> DoubleEndedIterator for ValueIterMut<'a, T>
where T: 'a,

1.0.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for devela::all::ResultIter<'a, T>

1.0.0 ยท Sourceยง

impl<'a, T> DoubleEndedIterator for devela::all::ResultIterMut<'a, T>

ยง

impl<'a, T> DoubleEndedIterator for Drain<'a, T>
where T: 'a + Array,

1.77.0 ยท Sourceยง

impl<'a, T, P> DoubleEndedIterator for ChunkBy<'a, T, P>
where T: 'a, P: FnMut(&T, &T) -> bool,

1.77.0 ยท Sourceยง

impl<'a, T, P> DoubleEndedIterator for ChunkByMut<'a, T, P>
where T: 'a, P: FnMut(&T, &T) -> bool,

1.27.0 ยท Sourceยง

impl<'a, T, P> DoubleEndedIterator for devela::_core::slice::RSplit<'a, T, P>
where P: FnMut(&T) -> bool,

1.27.0 ยท Sourceยง

impl<'a, T, P> DoubleEndedIterator for RSplitMut<'a, T, P>
where P: FnMut(&T) -> bool,

1.0.0 ยท Sourceยง

impl<'a, T, P> DoubleEndedIterator for devela::_core::slice::Split<'a, T, P>
where P: FnMut(&T) -> bool,

1.51.0 ยท Sourceยง

impl<'a, T, P> DoubleEndedIterator for devela::_core::slice::SplitInclusive<'a, T, P>
where P: FnMut(&T) -> bool,

1.51.0 ยท Sourceยง

impl<'a, T, P> DoubleEndedIterator for SplitInclusiveMut<'a, T, P>
where P: FnMut(&T) -> bool,

1.0.0 ยท Sourceยง

impl<'a, T, P> DoubleEndedIterator for SplitMut<'a, T, P>
where P: FnMut(&T) -> bool,

Sourceยง

impl<'a, T, const CAP: usize> DoubleEndedIterator for arrayvec::arrayvec::Drain<'a, T, CAP>
where T: 'a,

Sourceยง

impl<'a, T, const N: usize> DoubleEndedIterator for devela::_core::slice::ArrayChunks<'a, T, N>

Sourceยง

impl<'a, T, const N: usize> DoubleEndedIterator for ArrayChunksMut<'a, T, N>

Sourceยง

impl<'a, T, const N: usize> DoubleEndedIterator for ArrayWindows<'a, T, N>

ยง

impl<'a, V> DoubleEndedIterator for Drain<'a, V>

ยง

impl<'a, V> DoubleEndedIterator for Iter<'a, V>

ยง

impl<'a, V> DoubleEndedIterator for IterMut<'a, V>

ยง

impl<'a, V> DoubleEndedIterator for Keys<'a, V>

ยง

impl<'a, V> DoubleEndedIterator for Values<'a, V>

ยง

impl<'a, V> DoubleEndedIterator for ValuesMut<'a, V>

ยง

impl<'bump, T> DoubleEndedIterator for devela::_dep::bumpalo::collections::vec::IntoIter<'bump, T>
where T: 'bump,

ยง

impl<'h> DoubleEndedIterator for Memchr2<'h>

ยง

impl<'h> DoubleEndedIterator for Memchr3<'h>

ยง

impl<'h> DoubleEndedIterator for Memchr<'h>

Sourceยง

impl<'s, T, const CAP: usize, S: Storage> DoubleEndedIterator for DestaqueIter<'s, T, CAP, u8, S>

Sourceยง

impl<A> DoubleEndedIterator for IterRange<A>
where A: Step,

Sourceยง

impl<A> DoubleEndedIterator for IterRangeInclusive<A>
where A: Step,

ยง

impl<A> DoubleEndedIterator for devela::_dep::itertools::RepeatN<A>
where A: Clone,

ยง

impl<A> DoubleEndedIterator for devela::_dep::itertools::Zip<(A,)>

1.0.0 ยท Sourceยง

impl<A> DoubleEndedIterator for Repeat<A>
where A: Clone,

1.82.0 ยท Sourceยง

impl<A> DoubleEndedIterator for devela::all::IterRepeatN<A>
where A: Clone,

1.0.0 ยท Sourceยง

impl<A> DoubleEndedIterator for devela::all::OptionIntoIter<A>

1.0.0 ยท Sourceยง

impl<A> DoubleEndedIterator for devela::all::Range<A>
where A: Step,

1.26.0 ยท Sourceยง

impl<A> DoubleEndedIterator for RangeInclusive<A>
where A: Step,

ยง

impl<A> DoubleEndedIterator for IntoIter<A>
where A: Array,

ยง

impl<A, B> DoubleEndedIterator for devela::_dep::itertools::Zip<(A, B)>

1.0.0 ยท Sourceยง

impl<A, B> DoubleEndedIterator for Chain<A, B>

1.0.0 ยท Sourceยง

impl<A, B> DoubleEndedIterator for devela::all::IterZip<A, B>

ยง

impl<A, B, C> DoubleEndedIterator for devela::_dep::itertools::Zip<(A, B, C)>

ยง

impl<A, B, C, D> DoubleEndedIterator for devela::_dep::itertools::Zip<(A, B, C, D)>

ยง

impl<A, B, C, D, E> DoubleEndedIterator for devela::_dep::itertools::Zip<(A, B, C, D, E)>

ยง

impl<A, B, C, D, E, F> DoubleEndedIterator for devela::_dep::itertools::Zip<(A, B, C, D, E, F)>

ยง

impl<A, B, C, D, E, F, G> DoubleEndedIterator for devela::_dep::itertools::Zip<(A, B, C, D, E, F, G)>

ยง

impl<A, B, C, D, E, F, G, H> DoubleEndedIterator for devela::_dep::itertools::Zip<(A, B, C, D, E, F, G, H)>

ยง

impl<A, B, C, D, E, F, G, H, I> DoubleEndedIterator for devela::_dep::itertools::Zip<(A, B, C, D, E, F, G, H, I)>

ยง

impl<A, B, C, D, E, F, G, H, I, J> DoubleEndedIterator for devela::_dep::itertools::Zip<(A, B, C, D, E, F, G, H, I, J)>

ยง

impl<A, B, C, D, E, F, G, H, I, J, K> DoubleEndedIterator for devela::_dep::itertools::Zip<(A, B, C, D, E, F, G, H, I, J, K)>

ยง

impl<A, B, C, D, E, F, G, H, I, J, K, L> DoubleEndedIterator for devela::_dep::itertools::Zip<(A, B, C, D, E, F, G, H, I, J, K, L)>

1.43.0 ยท Sourceยง

impl<A, F> DoubleEndedIterator for OnceWith<F>
where F: FnOnce() -> A,

1.0.0 ยท Sourceยง

impl<B, I, F> DoubleEndedIterator for FilterMap<I, F>
where I: DoubleEndedIterator, F: FnMut(<I as Iterator>::Item) -> Option<B>,

1.0.0 ยท Sourceยง

impl<B, I, F> DoubleEndedIterator for Map<I, F>
where I: DoubleEndedIterator, F: FnMut(<I as Iterator>::Item) -> B,

Sourceยง

impl<BUF: DstBuf, DST> DoubleEndedIterator for DstValue<DST, BUF>
where DST: DoubleEndedIterator + ?Sized,

Available on crate feature unsafe_layout only.
Sourceยง

impl<I> DoubleEndedIterator for ByRefSized<'_, I>

ยง

impl<I> DoubleEndedIterator for RcIter<I>

ยง

impl<I> DoubleEndedIterator for Unique<I>
where I: DoubleEndedIterator, <I as Iterator>::Item: Eq + Hash + Clone,

1.0.0 ยท Sourceยง

impl<I> DoubleEndedIterator for Enumerate<I>

1.0.0 ยท Sourceยง

impl<I> DoubleEndedIterator for Fuse<I>

1.38.0 ยท Sourceยง

impl<I> DoubleEndedIterator for Peekable<I>

1.0.0 ยท Sourceยง

impl<I> DoubleEndedIterator for Rev<I>

1.9.0 ยท Sourceยง

impl<I> DoubleEndedIterator for Skip<I>

1.38.0 ยท Sourceยง

impl<I> DoubleEndedIterator for StepBy<I>

1.38.0 ยท Sourceยง

impl<I> DoubleEndedIterator for Take<I>

1.21.0 ยท Sourceยง

impl<I, A> DoubleEndedIterator for devela::_dep::_alloc::vec::Splice<'_, I, A>
where I: Iterator, A: Allocator,

ยง

impl<I, A> DoubleEndedIterator for devela::_dep::allocator_api2::boxed::Box<I, A>

ยง

impl<I, A> DoubleEndedIterator for devela::_dep::allocator_api2::vec::Splice<'_, I, A>
where I: Iterator, A: Allocator,

1.0.0 ยท Sourceยง

impl<I, A> DoubleEndedIterator for devela::all::Box<I, A>

ยง

impl<I, A> DoubleEndedIterator for Box<I, A>
where I: DoubleEndedIterator + ?Sized, A: Allocator,

ยง

impl<I, A> DoubleEndedIterator for Splice<'_, I, A>
where I: Iterator, A: Allocator,

ยง

impl<I, F> DoubleEndedIterator for PadUsing<I, F>

ยง

impl<I, F> DoubleEndedIterator for Positions<I, F>

ยง

impl<I, F> DoubleEndedIterator for Update<I, F>
where I: DoubleEndedIterator, F: FnMut(&mut <I as Iterator>::Item),

1.0.0 ยท Sourceยง

impl<I, F> DoubleEndedIterator for Inspect<I, F>
where I: DoubleEndedIterator, F: FnMut(&<I as Iterator>::Item),

ยง

impl<I, F, T, E> DoubleEndedIterator for FilterOk<I, F>
where I: DoubleEndedIterator<Item = Result<T, E>>, F: FnMut(&T) -> bool,

ยง

impl<I, F, T, U, E> DoubleEndedIterator for FilterMapOk<I, F>
where I: DoubleEndedIterator<Item = Result<T, E>>, F: FnMut(T) -> Option<U>,

ยง

impl<I, K, V, S> DoubleEndedIterator for Splice<'_, I, K, V, S>
where I: Iterator<Item = (K, V)>, K: Hash + Eq, S: BuildHasher,

1.0.0 ยท Sourceยง

impl<I, P> DoubleEndedIterator for Filter<I, P>
where I: DoubleEndedIterator, P: FnMut(&<I as Iterator>::Item) -> bool,

ยง

impl<I, T, E> DoubleEndedIterator for FlattenOk<I, T, E>

ยง

impl<I, T, E> DoubleEndedIterator for ProcessResults<'_, I, E>
where I: Iterator<Item = Result<T, E>> + DoubleEndedIterator,

ยง

impl<I, T, S> DoubleEndedIterator for Splice<'_, I, T, S>
where I: Iterator<Item = T>, T: Hash + Eq, S: BuildHasher,

1.29.0 ยท Sourceยง

impl<I, U> DoubleEndedIterator for Flatten<I>
where I: DoubleEndedIterator, <I as Iterator>::Item: IntoIterator<IntoIter = U, Item = <U as Iterator>::Item>, U: DoubleEndedIterator,

1.0.0 ยท Sourceยง

impl<I, U, F> DoubleEndedIterator for FlatMap<I, U, F>

ยง

impl<I, V, F> DoubleEndedIterator for UniqueBy<I, V, F>
where I: DoubleEndedIterator, V: Eq + Hash, F: FnMut(&<I as Iterator>::Item) -> V,

Sourceยง

impl<I, const N: usize> DoubleEndedIterator for devela::_core::iter::ArrayChunks<I, N>

ยง

impl<K, V> DoubleEndedIterator for Drain<'_, K, V>

ยง

impl<K, V> DoubleEndedIterator for IntoIter<K, V>

ยง

impl<K, V> DoubleEndedIterator for IntoKeys<K, V>

ยง

impl<K, V> DoubleEndedIterator for IntoValues<K, V>

ยง

impl<K, V> DoubleEndedIterator for Iter<'_, K, V>

ยง

impl<K, V> DoubleEndedIterator for IterMut2<'_, K, V>

ยง

impl<K, V> DoubleEndedIterator for IterMut<'_, K, V>

ยง

impl<K, V> DoubleEndedIterator for Keys<'_, K, V>

ยง

impl<K, V> DoubleEndedIterator for Values<'_, K, V>

ยง

impl<K, V> DoubleEndedIterator for ValuesMut<'_, K, V>

1.0.0 ยท Sourceยง

impl<K, V, A> DoubleEndedIterator for devela::_dep::_alloc::collections::btree_map::IntoIter<K, V, A>
where A: Allocator + Clone,

1.54.0 ยท Sourceยง

impl<K, V, A> DoubleEndedIterator for devela::_dep::_alloc::collections::btree_map::IntoKeys<K, V, A>
where A: Allocator + Clone,

1.54.0 ยท Sourceยง

impl<K, V, A> DoubleEndedIterator for devela::_dep::_alloc::collections::btree_map::IntoValues<K, V, A>
where A: Allocator + Clone,

Sourceยง

impl<L, R> DoubleEndedIterator for Either<L, R>

Sourceยง

impl<L, R> DoubleEndedIterator for IterEither<L, R>

1.2.0 ยท Sourceยง

impl<T> DoubleEndedIterator for Empty<T>

1.2.0 ยท Sourceยง

impl<T> DoubleEndedIterator for Once<T>

1.82.0 ยท Sourceยง

impl<T> DoubleEndedIterator for Take<Repeat<T>>
where T: Clone,

1.0.0 ยท Sourceยง

impl<T> DoubleEndedIterator for devela::all::ResultIntoIter<T>

ยง

impl<T> DoubleEndedIterator for Drain<'_, T>

ยง

impl<T> DoubleEndedIterator for IntoIter<T>

ยง

impl<T> DoubleEndedIterator for Iter<'_, T>

1.6.0 ยท Sourceยง

impl<T, A> DoubleEndedIterator for devela::_dep::_alloc::collections::binary_heap::Drain<'_, T, A>
where A: Allocator,

1.0.0 ยท Sourceยง

impl<T, A> DoubleEndedIterator for devela::_dep::_alloc::collections::binary_heap::IntoIter<T, A>
where A: Allocator,

1.0.0 ยท Sourceยง

impl<T, A> DoubleEndedIterator for devela::_dep::_alloc::collections::btree_set::IntoIter<T, A>
where A: Allocator + Clone,

1.0.0 ยท Sourceยง

impl<T, A> DoubleEndedIterator for devela::_dep::_alloc::collections::linked_list::IntoIter<T, A>
where A: Allocator,

1.6.0 ยท Sourceยง

impl<T, A> DoubleEndedIterator for devela::_dep::_alloc::collections::vec_deque::Drain<'_, T, A>
where A: Allocator,

1.0.0 ยท Sourceยง

impl<T, A> DoubleEndedIterator for devela::_dep::_alloc::collections::vec_deque::IntoIter<T, A>
where A: Allocator,

1.6.0 ยท Sourceยง

impl<T, A> DoubleEndedIterator for devela::_dep::_alloc::vec::Drain<'_, T, A>
where A: Allocator,

1.0.0 ยท Sourceยง

impl<T, A> DoubleEndedIterator for devela::_dep::_alloc::vec::IntoIter<T, A>
where A: Allocator,

ยง

impl<T, A> DoubleEndedIterator for devela::_dep::allocator_api2::vec::Drain<'_, T, A>
where A: Allocator,

ยง

impl<T, A> DoubleEndedIterator for devela::_dep::allocator_api2::vec::IntoIter<T, A>
where A: Allocator,

ยง

impl<T, A> DoubleEndedIterator for Drain<'_, T, A>
where A: Allocator,

ยง

impl<T, A> DoubleEndedIterator for IntoIter<T, A>
where A: Allocator,

ยง

impl<T, S1, S2> DoubleEndedIterator for SymmetricDifference<'_, T, S1, S2>
where T: Eq + Hash, S1: BuildHasher, S2: BuildHasher,

ยง

impl<T, S> DoubleEndedIterator for Difference<'_, T, S>
where T: Eq + Hash, S: BuildHasher,

ยง

impl<T, S> DoubleEndedIterator for Intersection<'_, T, S>
where T: Eq + Hash, S: BuildHasher,

ยง

impl<T, S> DoubleEndedIterator for Union<'_, T, S>
where T: Eq + Hash, S: BuildHasher,

ยง

impl<T, U> DoubleEndedIterator for ZipLongest<T, U>

Sourceยง

impl<T, const CAP: usize> DoubleEndedIterator for arrayvec::arrayvec::IntoIter<T, CAP>

1.40.0 ยท Sourceยง

impl<T, const N: usize> DoubleEndedIterator for devela::all::ArrayIntoIter<T, N>

ยง

impl<V> DoubleEndedIterator for IntoIter<V>

Sourceยง

impl<_0, _1, _2, _3, _4, _5, _6, _7, _8, _9, _10, _11> DoubleEndedIterator for TupleIter<_0, _1, _2, _3, _4, _5, _6, _7, _8, _9, _10, _11>

Available on crate feature _tuple only.
Sourceยง

impl<_0, _1, _2, _3, _4, _5, _6, _7, _8, _9, _10, _11> DoubleEndedIterator for TupleIterMut<'_, _0, _1, _2, _3, _4, _5, _6, _7, _8, _9, _10, _11>

Available on crate feature _tuple only.
Sourceยง

impl<_0, _1, _2, _3, _4, _5, _6, _7, _8, _9, _10, _11> DoubleEndedIterator for TupleIterRef<'_, _0, _1, _2, _3, _4, _5, _6, _7, _8, _9, _10, _11>

Available on crate feature _tuple only.