Borrowing

Instead of transferring ownership when calling a function, you can let a function borrow the value:

  1. #[derive(Debug)]
  2. struct Point(i32, i32);
  3. fn add(p1: &Point, p2: &Point) -> Point {
  4. Point(p1.0 + p2.0, p1.1 + p2.1)
  5. }
  6. fn main() {
  7. let p1 = Point(3, 4);
  8. let p2 = Point(10, 20);
  9. let p3 = add(&p1, &p2);
  10. println!("{p1:?} + {p2:?} = {p3:?}");
  11. }
  • The add function borrows two points and returns a new point.
  • The caller retains ownership of the inputs.

Notes on stack returns:

  • Demonstrate that the return from add is cheap because the compiler can eliminate the copy operation. Change the above code to print stack addresses and run it on the Playground. In the “DEBUG” optimization level, the addresses should change, while the stay the same when changing to the “RELEASE” setting:

    1. #[derive(Debug)]
    2. struct Point(i32, i32);
    3. fn add(p1: &Point, p2: &Point) -> Point {
    4. let p = Point(p1.0 + p2.0, p1.1 + p2.1);
    5. println!("&p.0: {:p}", &p.0);
    6. p
    7. }
    8. fn main() {
    9. let p1 = Point(3, 4);
    10. let p2 = Point(10, 20);
    11. let p3 = add(&p1, &p2);
    12. println!("&p3.0: {:p}", &p3.0);
    13. println!("{p1:?} + {p2:?} = {p3:?}");
    14. }
  • The Rust compiler can do return value optimization (RVO).

  • In C++, copy elision has to be defined in the language specification because constructors can have side effects. In Rust, this is not an issue at all. If RVO did not happen, Rust will always performs a simple and efficient memcpy copy.