我需要在空格和其他几个字符上拆分字符串。
let mut text = String::from("foo,bar baz");
for word in text.split(|c| c.is_whitespace::<char>() || c == ',' ).filter(|&s| !s.is_empty()) {
println!("{}", word);
}
然而编译器说:
error: the type of this value must be known in this context
--> src/main.rs:4:32
|
4 | for word in text.split(|c| c.is_whitespace::<char>() || c == ',').filter(|&s| !s.is_empty()) {
| ^^^^^^^^^^^^^^^^^^^^^^^^^
我做错了什么?为什么不能推断出类型?
答案 0 :(得分:3)
.split
方法接受任何满足Pattern<'a>
特征限制的内容。在这种情况下,Rust无法知道这是什么类型的函数,因为它不知道函数参数的类型是什么。
查看Pattern
FnMut
的实施方式:
impl<'a, F> Pattern<'a> for F
where
F: FnMut(char) -> bool,
要告诉编译器这是您想要的模式,您需要提供足够的信息以便知道您的闭包与此匹配。
在这种情况下,这意味着您可以添加: char
。您还必须删除::<char>
,因为它是unneeded type parameter
。 e.g。
text.split(|c| c.is_whitespace::<char>() || c == ',' )
到
text.split(|c: char| c.is_whitespace() || c == ',' )