我这个小程序,但是我不能运行它。我收到&str
和String
之间的类型不匹配或类似错误。
这是程序
use std::fs::File;
use std::io;
use std::io::prelude::*;
use std::io::BufReader;
use std::collections::HashMap;
fn main() {
let mut f = File::open("/home/asti/class.csv").expect("Couldn't open file");
let mut s = String::new();
let reader = BufReader::new(f);
let lines: Result<Vec<_>,_> = reader.lines().collect();
let mut class_students: HashMap<String, Vec<String>> = HashMap::new();
for l in lines.unwrap() {
let mut str_vec: Vec<&str> = l.split(";").collect();
println!("{}", str_vec[2]);
let e = class_students.entry(str_vec[2]).or_insert(vec![]);
e.push(str_vec[2]);
}
println!("{}", class_students);
}
我不断收到此错误:
hello_world.rs:20:38: 20:48 error: mismatched types:
expected `collections::string::String`,
found `&str`
(expected struct `collections::string::String`,
found &-ptr) [E0308]
hello_world.rs:20 let e = class_students.entry(str_vec[2]).or_insert(vec![]);
^~~~~~~~~~
我试图换线
let mut str_vec: Vec<&str> = l.split(";").collect();
到
let mut str_vec: Vec<String> = l.split(";").collect();
但是我得到了这个错误:
hello_world.rs:16:53: 16:60 error: the trait `core::iter::FromIterator<&str>` is not implemented for the type `collections::vec::Vec<collections::string::String>` [E0277]
hello_world.rs:16 let mut str_vec: Vec<String> = l.split(";").collect();
那么,如何从
String
中提取l
而不是&str
?另外,如果有更好的解决方案,请告诉我,因为我对这项技术的新颖性可能对所有人都是显而易见的。 最佳答案
比评论更详细的答案:
您的示例最初无法编译的原因是,您正在尝试将切片插入Strings向量中。因为原始类型str
实现了ToString
特征,所以您可以调用to_string()
方法将其转换为String,从而为向量提供正确的类型。
另一个选项是to_owned()
,如this线程所示。
关于rust - str和字符串之间不匹配,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/35732065/