Skip to content
Closed
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
67 changes: 67 additions & 0 deletions src/libstd/iterator.rs
Original file line number Diff line number Diff line change
Expand Up @@ -344,6 +344,11 @@ pub trait IteratorUtil<A> {
// FIXME: #5898: should be called `peek`
fn peek_<'r>(self, f: &'r fn(&A)) -> Peek<'r, A, Self>;

/// Creates an iterator that buffers elements and yields vectors of length n.
/// When the underlying iterator finishes, any leftover elements are yielded
/// even if fewer than n.
fn chunk(self, n: uint) -> Chunk<Self>;

/// An adaptation of an external iterator to the for-loop protocol of rust.
///
/// # Example
Expand Down Expand Up @@ -559,6 +564,11 @@ impl<A, T: Iterator<A>> IteratorUtil<A> for T {
Peek{iter: self, f: f}
}

#[inline]
fn chunk(self, n: uint) -> Chunk<T> {
Chunk{iter: self, n: n}
}

/// A shim implementing the `for` loop iteration protocol for iterator objects
#[inline]
fn advance(&mut self, f: &fn(A) -> bool) -> bool {
Expand Down Expand Up @@ -1474,6 +1484,53 @@ impl<'self, A, T: RandomAccessIterator<A>> RandomAccessIterator<A> for Peek<'sel
}
}

/// An iterator that buffers up elements and yields them as a vector.
pub struct Chunk<T> {
priv iter: T,
priv n: uint,
}

// preferably this would yield &'self [A], but it can't do so safely
// due to issue #8355
impl<A, T: Iterator<A>> Iterator<~[A]> for Chunk<T> {
#[inline]
fn next(&mut self) -> Option<~[A]> {
use vec::OwnedVector;
use container::Container;
if self.n == 0 {
return None;
}

let mut buf = ::vec::with_capacity(self.n);
for _ in range(0, self.n) {
match self.iter.next() {
None => {
self.n = 0;
break;
}
Some(x) => buf.push(x)
}
}

if buf.is_empty() { None } else { Some(buf) }
}

#[inline]
fn size_hint(&self) -> (uint, Option<uint>) {
if self.n == 0 {
(0, Some(0))
} else {
let (lo, hi) = self.iter.size_hint();
let lo = lo.saturating_add(self.n - 1) / self.n;
let hi = match hi {
None => None,
Some(x) => Some((x / self.n).saturating_add(if x % self.n > 0 { 1 } else { 0 }))
};
(lo, hi)
}
}
}

/// An iterator which just modifies the contained state throughout iteration.
pub struct Unfoldr<'self, A, St> {
priv f: &'self fn(&mut St) -> Option<A>,
Expand Down Expand Up @@ -1743,6 +1800,16 @@ mod tests {
assert_eq!(xs, ys.as_slice());
}

#[test]
fn test_chunk() {
let xs = [1u, 2, 3, 4, 5, 6, 7, 8];

assert_eq!(xs.iter().chunk(2).collect::<~[~[&uint]]>(),
~[~[&1u, &2], ~[&3, &4], ~[&5, &6], ~[&7, &8]]);
assert_eq!(xs.iter().chunk(3).collect::<~[~[&uint]]>(),
~[~[&1u, &2, &3], ~[&4, &5, &6], ~[&7, &8]]);
}

#[test]
fn test_unfoldr() {
fn count(st: &mut uint) -> Option<uint> {
Expand Down