gpt4 book ai didi

rust - 在模式匹配中借用

转载 作者:行者123 更新时间:2023-12-04 14:57:22 25 4
gpt4 key购买 nike

我正在编写一个 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 行,那么“已经作为不可变借用的变量被借用为可变”怎么可能发生?至少错误应该是“已经作为可变借用的变量(在第 10 行)被借用为不可变(在第 12 行)”。

最佳答案

来电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);
}

关于rust - 在模式匹配中借用,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/67685170/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com