DEV Community

Raine-Yang-UofT
Raine-Yang-UofT

Posted on • Originally published at raineyang.hashnode.dev

Rust Learning Note: Smart Pointer

This article is a summary of Chapter 4.4 in Rust Course (course.rs/)

Box
Box is used to allocate a value in the heap, and creates a pointer on the stack pointing to the value. It has these common uses:

1 Allocate values on the heap

Using Box, we can intentionally allocate values on the heap even if the value is by default allocated on the stack (such as i32).

fn main() {
    let a = Box::new(3);
    println!("a = {}", a);
Enter fullscreen mode Exit fullscreen mode

At the println! statement, the smart pointer is automatically deferenced with Def, so we don't need to deference the pointer manually.

2 Prevent copying values on the stack

Variable reassignment on the stack are achieved through copying the entire values, and no transfer of ownership happens. However, values in the heap will not be transferred. Instead, a pointer to the value is transferred from one variable to another, which leads to ownership transfer.

fn main() {
    let arr = [0; 1000]    // stored in stack
    let arr1 = arr;    // copy the array, does not take ownership
    println!("{:?}", arr.len());
    println!("{:?}". arr1.len());

    let arr = Box::new([0; 1000]);    // stored in heap
    let arr1 = arr;    // arr1 takes the ownership of arr
Enter fullscreen mode Exit fullscreen mode

3 Invoking Dynamically Sized Type (DST)

A data type is dynamically sized type (DST) if its size is unknown at compiler time. To give a few examples:

1 slicing: slicing types are DST, we can only use reference of slicing.

2 str: different from &str and String, str is a DST, since we cannot expect strings with different lengths to be stored in a data type with uniform size.

3 trait objects: since we do not know the exact type of objects that will be passed as trait objects, trait objects are DST.

4 recursive types: types that invoke itself in definition. For instance:

enum List {
    Cons(i32, List),
    Nil
}
Enter fullscreen mode Exit fullscreen mode

All DST cannot be directly used. They can only be invoked through pointers, which have fixed size at compile time. For example, the recursive type above can be changed as follows:

enum List {
    Cons(i32, Box<List>),
    Nil
}
Enter fullscreen mode Exit fullscreen mode

Memory Allocation with Box
When we store a vector called vec1, the pointer is stored in stack and the elements are in the heap:

Image description

Fig 1. Memory model of a vector. Image reproduced from (Rust Course)

If the elements are of type Box, the pointer stored in stack points to a vector of Box in heap. Each Box pointers to its corresponding element.

Image description

Fig 2. Memory model of a vector with Box. Image reproduced from (Rust Course)

To retrieve values from vec2, we need to first deference vec2, and then dereference Box.

fn main() {
    let arr = vec![Box::new(1), Box::new(2)];
    let (first, second) = (&arr[0], &arr[1]);
    let sum = **first + **second
Enter fullscreen mode Exit fullscreen mode

Box::leak

Box::leak is an associated function that can consume Box and returns the value inside it. One use of it is to convert the lifecycle of an object to 'static at runtime. For example, in the code below, using Box::leak, we get a &str type with 'static lifecycle from the String type.

fn main() {
    let s = gen_static_str();
    println!("{}", s);
}

fn gen_static_Str() -> &'static str {
    let mut s = String::new();
    s.push_Str("hello, world");
    Box::leak(s.into_boxed_str())
}
Enter fullscreen mode Exit fullscreen mode

Automatic Dereferencing with Deref Trait

When we want to dereference an object with *, the object must implement trait Deref. Here is an example implementation of Deref with MyBox

struct MyBox<T>(T);

impl<T> MyBox<T> {
    fn new(x: T) -> MyBox<T> {
        MyBox(x)
    }
}

impl<T> Deref for MyBox<T> {
    type Target = T;

    fn deref(&self) -> &Self::Target {
        &self.0
    }
}
Enter fullscreen mode Exit fullscreen mode

After MyBox implements Deref, we can use *MyBox to get value x from MyBox(x). This is achieved through internally invoking

*(y.deref())
Enter fullscreen mode Exit fullscreen mode

When an object that implements deref is passed as a function parameter, deref() can be automatically invoked based on the parameter signiture, for example:

fn main() {
    let s = String::from("hello world");
    display(&s)
}

fn display(s: &str) {
    println!("{}", s);
}
Enter fullscreen mode Exit fullscreen mode

In the code above, String implements Deref trait and can be deferenced to &str. When &s is passed into function display, its type &String is automatically deferenced to &str. Note at the parameter must be passed as a reference to trigger the dereferencing.

The automatic dereferencing can be invoked consecutively until finding a suitable data type, as the code below would also work:

fn main() {
    let s = Box::new(String::from("hello world"));
    display(&s)
}

fn display(s: &str) {
    println!("{}", s);
}

Enter fullscreen mode Exit fullscreen mode

Deref and DerefMut

T: Deref can convert &T to &U, or &mut T to &U

T: DerefMut can convert &mut T to &mut U

To implement DerefMut, we need to first implement Deref for the object, as the example below:

struct MyBox<T> {
    v: T
}

impl<T> MyBox<T> {
    fn new(x: T) -> MyBox<T> {
        MyBox {v: x}
    }
}

use std::ops::Deref;

impl<T> Deref for MyBox<T> {
    type Target = T;

    fn deref(&self) -> &Self::Target {
        &self.v
    }
}

use std::ops::DerefMut;

impl<T> DerefMut for MyBox<T> {
    fn deref_mut(&mut self) -> &mut Self::Target {
        &mut self.v
    }
}

fn main() {
    let mut s = MyBox::new(String::from("hello, "));
    display(&mut s)
}

fn display(s: &mut String) {
    s.push_str("world");
    println!("{}", s);
}

Enter fullscreen mode Exit fullscreen mode

Object Release with Drop

When an object leaves the scope and is to be released, the compiler will automatically call the drop method of the object. Thus, Drop trait can be used to execute certain cleanup task before the object is released.

struct HasDrop1;
struct HasDrop2;
impl Drop for HasDrop1 {
    fn drop(&mut self) {
        println!("Dropping HasDrop1");
    }
}
impl Drop for HasDrop2 {
    fn drop(&mut self) {
        println!("Dropping HasDrop2");
    }
}

struct HasTwoDrops {
    one: HasDrop1,
    two: HasDrop2
}
impl Drop for HasTwoDrops {
    fn drop(&mut self) {
        println!("Dropping HasTwoDrops");
    }
}

struct Foo;
impl Drop for Foo {
    fn drop(&mut self) {
        println!("Dropping Foo")
    }
}

fn main() {
    let x = HasTwoDrops {
        two: HasDrop2,
        one: HasDrop1
    };
    let foo = Foo
    println!("Running");
Enter fullscreen mode Exit fullscreen mode

In the code above, we implement Drop trait for HasDrop1, HasDrop2, HasTwoDrops, and Foo. The result of this code will be:

Running
Dropping Foo
Dropping HasTwoDrops
Dropping HasDrop1
Dropping HasDrop2

The dropping of variables in a scope follows the reverse order, as x is created before foo and foo is dropped before x. The dropping of struct attributes follows the order in which the attributes are defined. Since HasDrop2 is defined after HasDrop1 (even though assigned first), HasDrop1 is dropped before HasDrop2.

Even if we do not define Drop trait for x, the code would still run as follows, since almost every data type in Rust has implemented Drop by default.

When we want to drop an object manually, we can invoke the drop method of the object. However, we have to write in the form of drop(object), instead of object.drop(), since in the latter case the drop method only uses a mutable borrowing of the object, and the variable is still accessible even when the object it refers to is dropped, leading to a compile error. drop(object) takes the ownership of the variable, so both the object and the variable are invalidated.

fn main() {
    let foo = Foo;
    // foo.drop();    ERROR
    drop(foo);
Enter fullscreen mode Exit fullscreen mode

A final thing to note about is that trait Copy and Drop cannot coexist. Copy implies shallow copy semantics where the original and the copy are independent, while Drop indicates the object needs special cleanup when the value is dropped. The coexistence of Copy and Drop can lead to undefined behaviors such as double-free.

Reference Counting with Rc and Arc

The ownership and borrowing mechanism requires that every reference type object can only have one reference. However, in some cases, we may want an object to have mutiple references. For example, in a graph data structure we may have multiple edges pointing to one node, and in multithreading we want multiple threads to hold one data. The solutions to these problems are

Rc (in a single thread), and Arc (in multithreading).

Rc uses reference counting to keep track of references to the object. The counting pluses one when a new variable refers to Rc object and minus one when a variable is released. The Rc object is released when the counter goes to 0. Using Rc::clone() we can assign a variable to an existing Rc object, and with Rc::strong_count() we can know the number of references to Rc

use std::rc::Rc;
fn main() {
    let a = Rc::new(String::from("test ref counting"));
    println!("count after creating a {}", Rc::strong_count(&a));    // 1
    let b = Rc::clone(&a);
    println!("count after creating b {}", Rc::strong_count(&a));    // 2
    {
        let c = Rc::clone(&a);
        println!("count after creating c {}", Rc::strong_count(&c));    // 3
    }
    println!("count after c goes out of scope {}", Rc::strong_count(&a));    // 2
}

Enter fullscreen mode Exit fullscreen mode

Rc pointer is an immutable reference to the object in heap, since we do not allow the coexistence of multiple mutable references to the object.

Arc (Atomic Rc) has the same API as Rc. However, Arc supports sharing data among multiple threads. Arc is much less efficient than Rc, so we should use Rc when possible unless we're dealing with multithreading.

use std::sync::Arc;
use std::thread;

fn main() {
    let s = Arc::new(String::from("test Arc"));
    for _ in 0..10 {
        let s = Arc::clone(&s);
        let handle = thread::spawn(move || {println!("{}", s)});
    }
}
Enter fullscreen mode Exit fullscreen mode

Internal Mutability with Cell and RefCell

Cell is used when T implements Copy. It has method get() to retrieve the element and set() to change the element. Cell can be used as a workaround of Rust borrowing rule, as in this example:

use std::cell::Cell;
fn main() {
    let c = Cell::new("asdf");
    let one = c.get();
    c.set("qwer");
    let two = c.get();
    println!("{}, {}", one, two);    // asdf, qwer
}
Enter fullscreen mode Exit fullscreen mode

If we use reference in the code above, aftering assigning one to be an immutable borrowing, we cannot change c to another value, since that would lead to coexistence of mutable and immutable borrowing. However, with Cell we are able to change the value even when it has an immutable borrowing.

RefCell is used when T does not implement Copy. It allows mutable and immutable reference to coexist at compile time. However, it cannot ignore the rule as it checks the borrowing errors at runtime instead. RefCell is used when the compiler misidentify the code as violating the borrowing rule.

One of such cases is the implementation of internal mutability: the ability to mutate data even when accessed through immutable borrowing. In the example below, we want to implement a message queue that stores value in cache in send method. However, assume that the send method uses an immutable borrowing &self, we need to use RefCell to mutuate self.msg_cache

use std::cell::RefCell;
pub trait Messenger {
    fn send(&self, msg: String);
}

pub struct MsgQueue {
    msg_cache: RefCell<Vec<String>>
}

impl Messenger for MsgQueue {
    fn send(&self, msg: String) {
        self.msg_cache.borrow_mut().push(msg)
    }
}

fn main() {
    let mq = MsgQueue { msg_cache: RefCell::new(Vec::new()) };
    mq.send("hello, world".to_string());
}
Enter fullscreen mode Exit fullscreen mode

Combining Rc and RefCell

Rc allows multiple ownership of an object, and RefCell allows internal mutability. A common combination in Rust is using Rc and RefCell together:

use std::cell::RefCell;
use std::rc::Rc;
fn main() {
    let s = Rc::new(RefCell::new("123".to_string()));
    let s1 = s.clone();
    let s2 = s.clone();
    s2.borrow_mut().push_str("4");
    println!("{:?}\n{:?}\n{:?}", s, s1, s2);
}
Enter fullscreen mode Exit fullscreen mode

The result of the code above would be:

RefCell { value: "1234" }
RefCell { value: "1234" }
RefCell { value: "1234" }

Note that when one of the reference mutates the object with borrow_mut(), all references refer to the updated object.

Top comments (0)