简体   繁体   English

为什么我不能使用`&Iterator <Item = &String> `作为迭代器?

[英]Why can't I use `&Iterator<Item = &String>` as an iterator?

I have the following function that's supposed to find and return the longest length of a String given an Iterator : 我有以下函数,它应该在给定Iterator找到并返回String的最长长度:

fn max_width(strings: &Iterator<Item = &String>) -> usize {
    let mut max_width = 0;
    for string in strings {
        if string.len() > max_width {
            max_width = string.len();
        }
    }
    return max_width;
}

However, the compiler gives me the following error: 但是,编译器给出了以下错误:

error[E0277]: the trait bound `&std::iter::Iterator<Item=&std::string::String>: std::iter::Iterator` is not satisfied
 --> src/main.rs:3:19
  |
3 |     for string in strings {
  |                   ^^^^^^^ `&std::iter::Iterator<Item=&std::string::String>` is not an iterator; maybe try calling `.iter()` or a similar method
  |
  = help: the trait `std::iter::Iterator` is not implemented for `&std::iter::Iterator<Item=&std::string::String>`
  = note: required by `std::iter::IntoIterator::into_iter`

I'm new to Rust, and terribly confused by this, since I thought I was explicitly passing in an iterator. 我是Rust的新手,对此非常困惑,因为我以为我是在显式传递一个迭代器。 Calling strings.iter() tells me that it is not implemented, and calling strings.into_iter() sends me down a mutability rabbit-hole, and I certainly don't want to mutate the passed argument. 调用strings.iter()告诉我它没有实现,并调用strings.into_iter()向我发送一个可变性的兔子洞,我当然不想改变传递的参数。

How can I iterate over my strings? 如何迭代我的字符串?

Your code fails because Iterator is not the same as &Iterator . 您的代码失败,因为Iterator&Iterator You can fix this if you pass Iterator to your function, but since Iterator is a trait, the size cannot be determined (You can't know, what Iterator you are passing). 如果你将Iterator传递给你的函数,你可以解决这个问题,但由于Iterator是一个特征,因此无法确定大小(你无法知道,你传递的是什么Iterator )。 The solution is to pass anything that implements Iterator : 解决方案是传递任何实现Iterator东西:

fn max_width<'a>(strings: impl Iterator<Item = &'a String>) -> usize

playground 操场


For more experienced Rust users: 对于更有经验的Rust用户:

The most generic way is probably this: 最通用的方式可能是:

fn max_width<T: AsRef<str>>(strings: impl IntoIterator<Item = T>) -> usize {
    let mut max_width = 0;
    for string in strings {
        let string = string.as_ref();
        if string.len() > max_width {
            max_width = string.len();
        }
    }
    max_width
}

playground 操场

However, you can also use 但是,您也可以使用

fn max_width<T: AsRef<str>>(strings: impl IntoIterator<Item = T>) -> usize {
    strings
        .into_iter()
        .map(|s| s.as_ref().len())
        .max()
        .unwrap_or(0)
}

playground 操场

The other answers show you how to accept an iterator, but gloss over answering your actual question: 其他答案向您展示如何接受迭代器,但是在回答您的实际问题时会有光泽:

Why can't I use &Iterator<Item = &String> as an iterator? 为什么我不能使用&Iterator<Item = &String>作为迭代器?

Amusingly enough, you've prevented it yourself: 有趣的是,你自己阻止了它:

and I certainly don't want to mutate the passed argument 我当然不想改变传递的论点

Iterators work by mutating their target — that's how the iterator can change to return a new value for each call! 迭代器通过改变目标来工作 - 这就是迭代器如何改变以为每个调用返回一个新值!

pub trait Iterator {
    type Item;
    fn next(&mut self) -> Option<Self::Item>;
    //       ^^^
}

By taking in an immutable trait object , it's impossible for your iterator to update itself, thus it's impossible to actually iterate. 通过接受一个不可变的trait对象 ,你的迭代器不可能自我更新,因此实际迭代是不可能的。

The absolute smallest thing you can do to make your code compile is to accept a mutable reference: 你可以做的绝对最小的事情就是接受一个可变的引用:

fn max_width(strings: &mut dyn Iterator<Item = &String>) -> usize

However, I'd probably write the function as: 但是,我可能会将函数编写为:

fn max_width<I>(strings: I) -> usize
where
    I: IntoIterator,
    I::Item: AsRef<str>,
{
    strings
        .into_iter()
        .map(|s| s.as_ref().len())
        .max()
        .unwrap_or(0)
}
  1. Don't use an explicit return 不要使用显式return
  2. Use iterator combinators like map and max 使用迭代器组合器,如mapmax
  3. Use Option::unwrap_or to provide a default. 使用Option::unwrap_or提供默认值。
  4. Use IntoIterator to accept anything that can be made into an iterator. 使用IntoIterator接受任何可以作为迭代器的东西。

If you don't specifically need the generality of iterating over any given iterator, a simpler way to write the function is to have your max_width function take a &[&str] (A slice of string slices) instead. 如果你没有特别需要迭代任何给定迭代器的一般性,那么编写函数的一种更简单的方法是让你的max_width函数取一个&[&str] (一片字符串切片)。 You can use a slice in a for loop because Rust knows how to turn that into an iterator (it implements IntoIterator trait): 您可以在for循环中使用切片,因为Rust知道如何将其转换为迭代器(它实现了IntoIterator特征):

fn max_width(strings: &[&str]) -> usize {
    let mut max_width = 0;
    for string in strings {
        if string.len() > max_width {
            max_width = string.len();
        }
    }
    return max_width;
}

fn main() {
    let strings = vec![
        "following",
        "function",
        "supposed",
        "return",
        "longest",
        "string",
        "length"
    ];

    let max_width = max_width(&strings);

    println!("Longest string had size {}", max_width);
}

// OUTPUT: Longest string had size 9

Playground here 这里的游乐场

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM