Préstamos (Borrowing)
Rust’s borrow checker puts constraints on the ways you can borrow values. For a given value, at any time:
- You can have one or more shared references to the value, or
- You can have exactly one exclusive reference to the value.
fn main() { let mut a: i32 = 10; let b: &i32 = &a; { let c: &mut i32 = &mut a; *c = 20; } println!("a: {a}"); println!("b: {b}"); }
This slide should take about 10 minutes.
- Note that the requirement is that conflicting references not exist at the same point. It does not matter where the reference is dereferenced.
- El código anterior no se compila porque
a
se toma prestada como mutable (a través dec
) y como inmutable (a través deb
) al mismo tiempo. - Mueve la instrucción
println!
deb
antes del ámbito que introducec
para que el código compile. - Después de ese cambio, el compilador se da cuenta de que
b
solo se usa antes del nuevo préstamo mutable dea
a través dec
. Se trata de una función del verificador de préstamos denominada “tiempo de vida no léxico”. - The exclusive reference constraint is quite strong. Rust uses it to ensure that data races do not occur. Rust also relies on this constraint to optimize code. For example, a value behind a shared reference can be safely cached in a register for the lifetime of that reference.
- The borrow checker is designed to accommodate many common patterns, such as taking exclusive references to different fields in a struct at the same time. But, there are some situations where it doesn’t quite “get it” and this often results in “fighting with the borrow checker.”