From 1c1328e71c7ed62108b22ed5284d79d9ffc6feba Mon Sep 17 00:00:00 2001 From: Marcello Lamonaca Date: Thu, 15 Sep 2022 23:31:52 +0200 Subject: [PATCH] rust reword `Rc` section --- docs/rust/rust.md | 27 +++++++++++++-------------- 1 file changed, 13 insertions(+), 14 deletions(-) diff --git a/docs/rust/rust.md b/docs/rust/rust.md index 39db0ef..164d8fc 100644 --- a/docs/rust/rust.md +++ b/docs/rust/rust.md @@ -437,7 +437,7 @@ Rust won't allow to annotate a type with the `Copy` trait if the type, or any of ```rs let s = String::new() -let t = s; // shallow copy, s is now out of scope +let t = s; // MOVE, s is now uninitialized let u = t.clone(); // deep copy, t is still valid let n: i32 = 1; @@ -1218,26 +1218,25 @@ fn main() { Rust automatically calls `drop` when the instances went go of scope. Variables are dropped in the reverse order of their creation. -### `Rc` & Multiple Ownership +### `Rc`, `Arc` & Multiple Ownership -To enable multiple ownership, Rust has a type called `Rc`, which is an abbreviation for *reference counting*. -The `Rc` type keeps track of the number of references to a value to determine whether or not the value is still in use. -If there are zero references to a value, the value can be cleaned up without any references becoming invalid. - -> **Note**: `Rc` is only for use in single-threaded scenarios. +Rust provides the *reference-counted* pointer types `Rc` and `Arc`. +The `Rc` and `Arc` types are very similar; the only difference between them is that an `Arc` is safe to share between +threads directly (the name Arc is short for *atomic* reference count) whereas a plain `Rc` uses faster non-thread-safe code to update its reference count. ```rs use std::rc::Rc; -let a = Rc::new(/* ... */); - -// bot b & c hold a reference to &a -let b = Rc::clone(&a); -let c = Rc::clone(&a); - -Rc::strong_count(&a); // 3 references to the value of a +let s: Rc = Rc::new("some string".to_string()); +let t: Rc = s.clone(); // contains a new pointer to the value held by s +let u: Rc = s.clone(); // contains a new pointer to the value held by s ``` +Each of the `Rc` pointers is referring to the same block of memory, which holds a reference count and space for the value. +The usual ownership rules apply to the `Rc` pointers themselves, and when the last extant `Rc` is dropped, Rust drops the value as well. + +> **Note**: A value owned by an `Rc` pointer is immutable. + ### `RefCell` & Interior Mutability Pattern *Interior mutability* is a design pattern in Rust that allows to mutate data even when there are immutable references to that data;