如何在范围中包含最终值?

时间:2017-04-29 16:51:16

标签: rust

我想创建一个带有' ...' z'价值观(含)。

这不会编译:

let vec: Vec<char> = ('a'..'z'+1).collect();

拥有'a'..'z'的惯用方法是什么?

2 个答案:

答案 0 :(得分:13)

Rust 1.26

As of Rust 1.26,您可以使用&#34;包含范围&#34;:

fn main() {
    for i in 0..=26 {
        println!("{}", i);
    }
}

Rust 1.0到1.25

您需要在结束值中添加一个:

fn main() {
    for i in 0..(26 + 1) {
        println!("{}", i);
    }
}

如果您需要包含所有值,则无效:

但是,您无法迭代一系列字符:

error[E0277]: the trait bound `char: std::iter::Step` is not satisfied
 --> src/main.rs:2:14
  |
2 |     for i in 'a'..='z'  {
  |              ^^^^^^^^^ the trait `std::iter::Step` is not implemented for `char`
  |
  = note: required because of the requirements on the impl of `std::iter::Iterator` for `std::ops::RangeInclusive<char>`

有关解决方案,请参阅Why can't a range of char be collected?

我只想指定您感兴趣的字符集:

static ALPHABET: &str = "abcdefghijklmnopqrstuvwxyz";

for c in ALPHABET.chars() {
    println!("{}", c);
}

答案 1 :(得分:2)

包含范围的功能已稳定并作为版本1.26的一部分发布。以下是包含范围的有效语法

for i in 1..=3 {
    println!("i: {}", i);
}