提问人:discombobulated 提问时间:4/13/2022 最后编辑:Herohtardiscombobulated 更新时间:4/13/2022 访问量:77
可变借用不一致
Mutable Borrows Inconsistency
问:
以下program_pass在 Rust 中编译。
fn main() {
let mut x = 0;
let mut y = &mut x;
let mut z = &mut y;
let mut last = &mut z;
let mut alt_y = &mut x;
let mut alt_z = &mut alt_y;
z = &mut alt_y; // *last = &mut alt_y;
}
以下program_error没有。
fn main() {
let mut x = 0;
let mut y = &mut x;
let mut z = &mut y;
let mut last = &mut z;
let mut alt_y = &mut x;
let mut alt_z = &mut alt_y;
*last = &mut alt_y; // z = &mut alt_y;
}
在program_error中违反了什么,而在program_pass中没有? 刚刚开始,但这确实违背了我对 Rust 的理解。
答:
1赞
Arjun
4/13/2022
#1
这不是不一致,而是一种预期的行为。
在第一种情况下,没有使用可变引用。实际上没有问题,所以 rust 编译器很高兴。
在第二种情况下,rust 编译器看到可变引用正在被取消引用,因此将其视为值访问。正如我们所知,rust 不允许两种可变借用。last
参考资料: Deref
为了证明我的观点,对您的程序进行了一些调整
fn main() {
let mut x = 0;
let mut y = &mut x;
let mut z = &mut y;
let mut last = &mut z;
let mut alt_y = &mut x;
let mut alt_z = &mut alt_y;
// notice the RHS here assigning
// mutable reference of i32 literal
*last = &mut &mut 4;
// ^ not related to x anyhow
}
现在,该错误将揭示问题背后的原因\
error[E0499]: cannot borrow `x` as mutable more than once at a time
--> src/main.rs:7:21
|
3 | let mut y = &mut x;
| ------ first mutable borrow occurs here
...
7 | let mut alt_y = &mut x;
| ^^^^^^ second mutable borrow occurs here
...
11 | *last = &mut &mut 4;
| ------------------- first borrow later used here
评论
3赞
Herohtar
4/13/2022
请不要上传代码/数据/错误的图片。
1赞
Arjun
4/13/2022
已经阅读了建议,我完全同意并理解其背后的原因。但在这种情况下,我觉得这是必要的。
评论
y
alt_y
x
y
last
z
z