如何使用多个参数拆分Rust中的字符串?

时间:2018-04-30 04:15:52

标签: rust

我正在尝试使用空格和,在Rust中拆分字符串。我试着做了

let v: Vec<&str> = "Mary had a little lamb".split_whitespace().collect(); 
let c: Vec<&str> = v.split(',').collect();

结果:

error[E0277]: the trait bound `for<'r> char: std::ops::FnMut<(&'r &str,)>` is not satisfied
 --> src/main.rs:3:26
  |
3 |     let c: Vec<&str> = v.split(',').collect();
  |                          ^^^^^ the trait `for<'r> std::ops::FnMut<(&'r &str,)>` is not implemented for `char`

error[E0599]: no method named `collect` found for type `std::slice::Split<'_, &str, char>` in the current scope
 --> src/main.rs:3:37
  |
3 |     let c: Vec<&str> = v.split(',').collect();
  |                                     ^^^^^^^
  |
  = note: the method `collect` exists but the following trait bounds were not satisfied:
          `std::slice::Split<'_, &str, char> : std::iter::Iterator`
          `&mut std::slice::Split<'_, &str, char> : std::iter::Iterator`

2 个答案:

答案 0 :(得分:3)

使用闭包:

let v: Vec<&str> = "Mary had a little lamb."
    .split(|c| c == ',' || c == ' ')
    .collect();

这是基于String documentation

答案 1 :(得分:3)

将带有char的切片传递给它:

fn main() {
    let s = "1,2 3";
    let v: Vec<_> = s.split([' ', ','].as_ref()).collect();

    assert_eq!(v, ["1", "2", "3"]);
}

split采用Pattern类型的参数。要查看具体可以作为参数传递的内容,请参阅the implementors

相关问题