如何在循环中多次向前跳过?

How to skip forward multiple times in a loop?

我在 Rust 中有这段代码:

for ch in string.chars() {
    if ch == 't' {
        // skip forward 5 places in the string
    }
}

在 C 中,我相信你可以这样做:

for (int i = 0; i < strlen(string); ++i) {
    if (string[i] == 't') {
        i += 4;
        continue;
    }
}

你会如何在 Rust 中实现它?谢谢

因为 string.chars() 给了我们一个迭代器,我们可以用它来创建我们自己的循环,让我们控制迭代器:

let string = "Hello World!";
let mut iter = string.chars();

while let Some(ch) = iter.next() {
    if ch == 'e' {
        println!("Skipping");
        iter.nth(5);
        continue;
    }
    println!("{}", ch);
}

将输出:

H
Skipping
r
l
d
!

Try it online!