我正在编写一个 Rust 程序来收集每个输入行的第一个单词,这有点类似于 Unix 实用程序 cut
。
use std::io;
fn main() {
let mut words = Vec::new();
let mut input = String::new();
loop {
match io::stdin().read_line(&mut input) {
std::result::Result::Ok(_) => {
let words_line: Vec<&str> = input.split_whitespace().collect();
match words_line.get(0) {
Some(&word) => {
words.push(word.clone());
},
_ => continue,
}
}
std::result::Result::Err(_) => break
}
}
println!("{:?}", words);
}
这给了我
$ cargo run
Compiling foo v0.1.0 (/home/ubuntu/projects/foo)
error[E0502]: cannot borrow `input` as mutable because it is also borrowed as immutable
--> src/main.rs:10:37
|
10 | match io::stdin().read_line(&mut input) {
| ^^^^^^^^^^ mutable borrow occurs here
11 | std::result::Result::Ok(_) => {
12 | let words_line: Vec<&str> = input.split_whitespace().collect();
| ----- immutable borrow occurs here
...
24 | println!("{:?}", words);
| ----- immutable borrow later used here
error: aborting due to previous error
For more information about this error, try `rustc --explain E0502`.
error: could not compile `foo`
To learn more, run the command again with --verbose.
我已阅读 Cannot borrow as mutable because it is also borrowed as immutable 但仍然感到困惑:可变借用发生在第 10 行,而不可变借用发生在第 12 行,那么“已借为不可变的变量被借为可变的”怎么会发生?至少错误应该是“一个已经借用为 mutable 的变量(在第 10 行)被借用为 immutable(在第 12 行)”。
答案 0 :(得分:1)
我认为您想让 words
成为 Vec<String>
(截至目前,Rust 试图推断出一个 Vec<&str>
,这会导致生命周期问题,因为元素将引用 {{1} } 在下一次 input
迭代时更改。
loop
作为旁注,use std::io;
fn main() {
let mut words : Vec<String> = Vec::new();
let mut input = String::new();
loop {
match io::stdin().read_line(&mut input) {
std::result::Result::Ok(_) => {
let words_line: Vec<&str> = input.split_whitespace().collect();
match words_line.get(0) {
Some(&word) => {
words.push(word.to_string());
},
_ => continue,
}
}
std::result::Result::Err(_) => break
}
}
println!("{:?}", words);
}
进入 collect
似乎没有必要:您可以简单地调用 words_line
(而不是 next
)来找出是否有第一个元素.
答案 1 :(得分:1)
调用 io::stdin().read_line(&mut input)
返回一个 io::Result<usize>
。由于返回值不包含任何与您传入的引用相关联的生命周期,因此它不会创建比该调用表达式持续时间更长的借用,因此它不应与稍后发生的不可变借用发生冲突。实际上,如果删除 loop
,代码会编译。
这样做的原因是 word.clone()
实际上没有做任何事情——它创建了一个 &str
的副本,它仍然是一个 &str
。由于它存储在 words
中,因此 input
字符串在循环迭代中被借用。如果您将 word.clone()
替换为 word.to_owned()
,您的代码会编译。
很容易清理代码以避免这个问题。这是一个示例实现,它也修复了 input
从所有行累积数据的错误,我认为您不打算这样做:
while io::stdin().read_line(&mut input).is_ok() {
if let Some(word) = input.split_whitespace().next() {
words.push(word.to_owned());
}
input.clear();
}
另一种选择:
use std::io;
use std::io::BufRead;
fn main() {
let mut words = vec![];
for result in io::stdin().lock().lines() {
match result {
Ok(line) => words.extend(line.split_whitespace().next().map(ToOwned::to_owned)),
Err(_) => break,
}
}
println!("{:?}", words);
}