From 00d574d09837a71a936a0ff2968832481996e0de Mon Sep 17 00:00:00 2001 From: Marcello Lamonaca Date: Sun, 21 Nov 2021 19:12:32 +0100 Subject: [PATCH 1/3] Add notes on `Rc` & `RefCell` --- Rust/Rust.md | 61 ++++++++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 61 insertions(+) diff --git a/Rust/Rust.md b/Rust/Rust.md index 7c16a4b..bab1e83 100644 --- a/Rust/Rust.md +++ b/Rust/Rust.md @@ -1131,6 +1131,67 @@ 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 + +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. + +```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 +``` + +### `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; +normally, this action is disallowed by the borrowing rules. +To mutate data, the pattern uses unsafe code inside a data structure to bend Rust's usual rules that govern mutation and borrowing. + +With references and `Box`, the borrowing rules' invariants are enforced at compile time. With `RefCell`, these invariants are enforced at runtime. +With references, if these rules are broken, a compiler error is thrown. With `RefCell` the program will panic and exit. + +The advantages of checking the borrowing rules at compile time are that errors will be caught sooner in the development process, and there is no impact on runtime performance because all the analysis is completed beforehand. +For those reasons, checking the borrowing rules at compile time is the best choice in the majority of cases, which is why this is Rust's default. + +The advantage of checking the borrowing rules at runtime instead is that certain memory-safe scenarios are then allowed, whereas they are disallowed by the compile-time checks. +Static analysis, like the Rust compiler, is inherently conservative. + +**NOTE**: `RefCell` is only for use in single-threaded scenarios and will cause a compile-time error if used it in a multithreaded context. + +When creating immutable and mutable references, the `&` and `&mut` syntax is used, respectively. +With `RefCell`, the `borrow` and `borrow_mut` methods are ued, which are part of the safe API that belongs to `RefCell`. +The `borrow` method returns the smart pointer type `Ref`, and `borrow_mut` returns the smart pointer type `RefMut`. +Both types implement `Deref`, so can be treated like regular references. + +The `RefCell` keeps track of how many `Ref` and `RefMut` smart pointers are currently active. +Every time `borrow` is called, the `RefCell` increases its count of how many immutable borrows are active. +When a `Ref` value goes out of scope, the count of immutable borrows goes down by one. +Just like the compile-time borrowing rules, `RefCell` allows to have many immutable borrows or one mutable borrow at any point in time. + +A common way to use `RefCell` is in combination with `Rc`. `Rc` allows to have multiple owners of some data, but it only gives immutable access to that data. +By having a `Rc` that holds a `RefCell`, its' possible to get a value that can have multiple owners and that can mutate. + +The standard library has other types that provide interior mutability: + +- `Cell` which is similar except that instead of giving references to the inner value, the value is copied in and out of the `Cell`. +- `Mutex` which offers interior mutability that's safe to use across threads; + +### Reference Cycles Can Leak Memory + +Rust's memory safety guarantees make it difficult, but not impossible, to accidentally create memory that is never cleaned up (known as a memory leak). +Rust allows memory leaks by using `Rc` and `RefCell`: it's possible to create references where items refer to each other in a cycle. +This creates memory leaks because the reference count of each item in the cycle will never reach 0, and the values will never be dropped. + ## Files ### Reading Files From d2cb9773ba4d51e96d8c162802c0535be6f28a42 Mon Sep 17 00:00:00 2001 From: Marcello Lamonaca Date: Sun, 21 Nov 2021 21:38:54 +0100 Subject: [PATCH 2/3] Add Trait Objects notes --- Rust/Rust.md | 29 +++++++++++++++++++++++++++++ 1 file changed, 29 insertions(+) diff --git a/Rust/Rust.md b/Rust/Rust.md index bab1e83..6f12abc 100644 --- a/Rust/Rust.md +++ b/Rust/Rust.md @@ -664,6 +664,10 @@ impl FooExt for Foo { Generic Data Types are abstract stand-ind for concrete data types or other properties. They can be used with structs, functions, methods, etc. +Rust accomplishes this by performing *monomorphization* of the code that is using generics at compile time. +Monomorphization is the process of turning generic code into specific code by filling in the concrete types that are used when compiled. +For this reason if a function as a trait as return type (trait bound), only a single type that implements the trait can be returned. + ```rs struct GenericStruct { T generic_field, @@ -695,6 +699,31 @@ fn generic() -> Type { } // use generic constraint **NOTE**: the calling code needs to import your new trait in addition to the external type +### Trait Objects + +A trait object is created by specifying some sort of pointer, such as a `&` reference or a `Box` smart pointer, then the `dyn` keyword, and then specifying the relevant trait. + +This works differently from defining a struct or function that uses a generic type parameter with trait bounds. +A generic type parameter can only be substituted with one concrete type at a time, whereas trait objects allow for multiple concrete types to fill in for the trait object at runtime. +If homogeneous collections are needed, using generics and trait bounds is preferable because the definitions will be monomorphized at compile time to use the concrete types. + +```rs +fn func() -> Box { } // return something that implements the specified trait +``` + +The code that results from *monomorphization* is doing *static dispatch*, which is when the compiler knows what method will be called at compile time. +This is opposed to *dynamic dispatch*, which is when the compiler can't tell at compile time which method will be called. +In dynamic dispatch cases, the compiler emits code that at runtime will figure out which method to call. + +When using trait objects, Rust must use dynamic dispatch. Instead, at runtime, Rust uses the pointers inside the trait object to know which method to call. +There is a runtime cost when this lookup happens that doesn't occur with static dispatch. +Dynamic dispatch also prevents the compiler from choosing to inline a method's code, which in turn prevents some optimizations. + +It's only possible to make *object-safe* traits into trait objects. A trait is object safe if all the methods defined in the trait have the following properties: + +- The return type isn't `Self`. +- There are no generic type parameters. + ## Lifetimes Lifetime annotation indicates to the *borrow checker* that the lifetime of the returned value is as long as the lifetime of the referenced value. From 107412e889b6792ae24b3a602e5e7a4113f49736 Mon Sep 17 00:00:00 2001 From: Marcello Lamonaca Date: Wed, 24 Nov 2021 21:42:44 +0100 Subject: [PATCH 3/3] Clarify difference between `Copy` & `Clone` traits --- Rust/Rust.md | 3 +++ 1 file changed, 3 insertions(+) diff --git a/Rust/Rust.md b/Rust/Rust.md index 6f12abc..4bf964d 100644 --- a/Rust/Rust.md +++ b/Rust/Rust.md @@ -368,6 +368,9 @@ When a variable goes out of scope, Rust calls the special function `drop`, where Rust has a special annotation called the `Copy` trait that it's placeable on types that are stored on the stack. If a type has the `Copy` trait, an older variable is still usable after assignment. +Copies happen implicitly, for example as part of an assignment `y = x`. The behavior of `Copy` is not overloadable; it is always a simple bit-wise copy. +Cloning is an explicit action, `x.clone()`. The implementation of Clone can provide any type-specific behavior necessary to duplicate values safely. + Rust won't allow to annotate a type with the `Copy` trait if the type, or any of its parts, has implemented the `Drop` trait. ```rs