如何迭代一片映射切片?

时间:2015-06-20 22:38:40

标签: rust

以下是我正在尝试做的一个例子:

for &xs in &[&[1, 2, 3].iter().map(|x| x + 1)] {
    for &x in xs {
        println!("{}", x);
    }
}

这给了我以下错误:

error[E0277]: the trait bound `&std::iter::Map<std::slice::Iter<'_, {integer}>, [closure@src/main.rs:2:40: 2:49]>: std::iter::Iterator` is not satisfied
 --> src/main.rs:3:9
  |
3 | /         for &x in xs {
4 | |             println!("{}", x);
5 | |         }
  | |_________^ the trait `std::iter::Iterator` is not implemented for `&std::iter::Map<std::slice::Iter<'_, {integer}>, [closure@src/main.rs:2:40: 2:49]>`
  |
  = note: `&std::iter::Map<std::slice::Iter<'_, {integer}>, [closure@src/main.rs:2:40: 2:49]>` is not an iterator; maybe try calling `.iter()` or a similar method
  = note: required by `std::iter::IntoIterator::into_iter`

......这非常令人惊讶,因为我清楚地看到how std::Iter::Map implements Iterator

为什么会抱怨以及如何迭代一片映射切片?

1 个答案:

答案 0 :(得分:5)

&T无法迭代为next变异。

因此,如果您有&Map<_, _>,则无法进行迭代。

您可能没有意识到&[1,2,3].iter().map(|&x| x+1)表示

&([1,2,3].iter().map(|&x| x+1))

给出参考。

使用for &xs in &[&mut ...]也不起作用,因为它需要将xs移出不可变引用。目前在固定长度数组上也没有按值迭代器。我相信最简单的解决方案是

for xs in &mut [&mut [1, 2, 3].iter().map(|&x| x+1)] {
    for x in xs {
        println!("{}", x);
    }
}

请注意,这还需要修复map调用的问题,该调用未取消引用其输入。