Skip to content
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.

Commit 5a8a472

Browse files
committedNov 1, 2024·
Add zip_clones, zips an iterator with clones of a value
Similar to `iter.zip(repeat_n(val, n))' but does not require knowing n
1 parent b793238 commit 5a8a472

File tree

2 files changed

+116
-0
lines changed

2 files changed

+116
-0
lines changed
 

‎src/lib.rs

+39
Original file line numberDiff line numberDiff line change
@@ -142,6 +142,7 @@ pub mod structs {
142142
#[cfg(feature = "use_std")]
143143
pub use crate::unique_impl::{Unique, UniqueBy};
144144
pub use crate::with_position::WithPosition;
145+
pub use crate::zip_clones::ZipClones;
145146
pub use crate::zip_eq_impl::ZipEq;
146147
pub use crate::zip_longest::ZipLongest;
147148
pub use crate::ziptuple::Zip;
@@ -233,6 +234,7 @@ mod tuple_impl;
233234
mod unique_impl;
234235
mod unziptuple;
235236
mod with_position;
237+
mod zip_clones;
236238
mod zip_eq_impl;
237239
mod zip_longest;
238240
mod ziptuple;
@@ -617,6 +619,43 @@ pub trait Itertools: Iterator {
617619
zip_eq(self, other)
618620
}
619621

622+
/// Create an iterator which iterates over this iterator paired with clones of a given value.
623+
///
624+
/// If the iterator has `n` elements, the zipped value will be cloned `n-1` times. This function
625+
/// is useful when the zipped value is expensive to clone and you want to avoid cloning it `n` times,
626+
/// using the trivial following code:
627+
/// ```rust
628+
/// let it = [0, 1, 2, 3, 4].iter();
629+
/// let zipped = "expensive-to-clone".to_string();
630+
/// for a in it {
631+
/// let b = zipped.clone();
632+
/// // do something that consumes the expensive zipped value
633+
/// drop((a, b));
634+
/// }
635+
/// ```
636+
/// Instead, you can use `zip_clones`:
637+
/// ```rust
638+
/// use itertools::Itertools;
639+
/// let it = [0, 1, 2, 3, 4].iter();
640+
/// let zipped = "expensive-to-clone".to_string();
641+
/// for (a, b) in it.zip_clones(zipped) {
642+
/// // do something that consumes the expensive zipped value
643+
/// drop((a, b));
644+
/// }
645+
/// ```
646+
///
647+
/// The [`repeat_n()`](crate::repeat_n) function can be used to create from a zipped value
648+
/// an iterator that also clones the value `n-1` times, but it require to know the number of
649+
/// elements in the iterator in advance.
650+
#[inline]
651+
fn zip_clones<T>(self, zipped: T) -> ZipClones<Self, T>
652+
where
653+
Self: Sized,
654+
T: Clone,
655+
{
656+
zip_clones::zip_clones(self, zipped)
657+
}
658+
620659
/// A “meta iterator adaptor”. Its closure receives a reference to the
621660
/// iterator and may pick off as many elements as it likes, to produce the
622661
/// next iterator element.

‎src/zip_clones.rs

+77
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,77 @@
1+
use std::iter::Peekable;
2+
3+
/// An iterator which iterate over an iterator and clones of a value.
4+
///
5+
///
6+
/// See [`.zip_clones()`](crate::Itertools::zip_clones) for more information.
7+
pub struct ZipClones<I, T>
8+
where
9+
I: Iterator,
10+
{
11+
iter: Peekable<I>,
12+
cloned: Option<T>,
13+
}
14+
15+
/// Zips an iterator with clones of a value.
16+
///
17+
/// [`IntoIterator`] enabled version of [`Itertools::zip_clones`](crate::Itertools::zip_clones).
18+
///
19+
/// ```
20+
/// use itertools::Itertools;
21+
///
22+
/// let data = [1, 2, 3, 4, 5];
23+
/// let zipped = "expensive-to-clone".to_string();
24+
/// for (a, b) in data.iter().zip_clones(zipped) {
25+
/// // do something that consumes the expensive zipped value
26+
/// drop((a, b));
27+
/// }
28+
/// ```
29+
pub fn zip_clones<I, T>(i: I, zipped: T) -> ZipClones<I::IntoIter, T>
30+
where
31+
I: IntoIterator,
32+
T: Clone,
33+
{
34+
ZipClones {
35+
iter: i.into_iter().peekable(),
36+
cloned: Some(zipped),
37+
}
38+
}
39+
40+
impl<I: Iterator, T: Clone> Iterator for ZipClones<I, T> {
41+
type Item = (I::Item, T);
42+
fn next(&mut self) -> Option<Self::Item> {
43+
// let cur = self.next.take()?;
44+
let cur = self.iter.next()?;
45+
let zipped = if self.iter.peek().is_some() {
46+
self.cloned.clone()
47+
} else {
48+
self.cloned.take()
49+
};
50+
// Safety: the zipped field is Some as long as the iterator is not exhausted
51+
let zipped = unsafe { zipped.unwrap_unchecked() };
52+
Some((cur, zipped))
53+
}
54+
}
55+
56+
#[cfg(test)]
57+
mod tests {
58+
use crate::Itertools;
59+
use std::sync::atomic::{AtomicUsize, Ordering};
60+
61+
#[test]
62+
fn test_zip_clones() {
63+
static ZIPPED_CLONES_COUNTER: AtomicUsize = AtomicUsize::new(0);
64+
struct Zipped {}
65+
impl Clone for Zipped {
66+
fn clone(&self) -> Self {
67+
ZIPPED_CLONES_COUNTER.fetch_add(1, Ordering::SeqCst);
68+
Zipped {}
69+
}
70+
}
71+
72+
ZIPPED_CLONES_COUNTER.store(0, Ordering::SeqCst);
73+
let iter_len = [1, 2, 3, 4, 5, 6].iter().zip_clones(Zipped {}).count();
74+
assert_eq!(iter_len, 6);
75+
assert_eq!(ZIPPED_CLONES_COUNTER.load(Ordering::SeqCst), 5);
76+
}
77+
}

0 commit comments

Comments
 (0)
Please sign in to comment.