I have the following code:
pub trait Iterx: Iterator {
fn zip_map<U, T, F>(self, other: U, f: F) -> Map<Zip<Self, U::IntoIter>, F>
where
Self: Sized,
U: IntoIterator,
F: Fn((<Self as Iterator>::Item, <U as IntoIterator>::Item)) -> T,
{
self.zip(other.into_iter()).map(f) // |(x, y)| f(x, y))
}
}
It can be used as follows:
#[test]
fn test_zip_map() {
assert_equal((1..5).zip_map(1..5, |(a, b)| a + b), vec![2, 4, 6, 8]);
assert_equal((1..5).zip_map(1..5, |(a, b)| a * b), vec![1, 4, 9, 16]);
}
However, I would like it to be able to be used like this:
#[test]
fn test_zip_map() {
assert_equal((1..5).zip_map(1..5, |a, b| a + b), vec![2, 4, 6, 8]);
assert_equal((1..5).zip_map(1..5, |a, b| a * b), vec![1, 4, 9, 16]);
^^^^^^
no parentheses
}
Does anyone know how to modify zip_map
to achieve this?
Thank you!
Unfortunately since we can't name the name of a closure and neither can use
impl Fn…
as the maps second generic we have to use aBox
ed trait object.