mirror of
https://github.com/m-lamonaca/dev-notes.git
synced 2025-04-05 18:36:41 +00:00
rust: move concurrency notes to own file
This commit is contained in:
parent
ac4ac7f821
commit
f499c7b22b
3 changed files with 89 additions and 50 deletions
88
docs/languages/rust/concurrency.md
Normal file
88
docs/languages/rust/concurrency.md
Normal file
|
@ -0,0 +1,88 @@
|
||||||
|
# Concurrency
|
||||||
|
|
||||||
|
[Rust Book - Concurrency](https://doc.rust-lang.org/book/ch16-00-concurrency.html "Rust Book - Fearless Concurrency")
|
||||||
|
[Rust Atomics and Locks - Mara Bos](https://marabos.nl/atomics/ "Rust Atomics and Locks - Low-Level Concurrency in Practice")
|
||||||
|
|
||||||
|
Operating systems isolate processes from each other as much as possible, allowing a program to do its thing while completely unaware of what any other processes are doing. For example, a process cannot normally access the memory of another process, or communicate with it in any way, without asking the operating system’s kernel first.
|
||||||
|
|
||||||
|
However, a program can spawn extra threads of execution, as part of the same process. Threads within the same process are not isolated from each other. Threads share memory and can interact with each other through that memory.
|
||||||
|
|
||||||
|
## Threads
|
||||||
|
|
||||||
|
Every program starts with exactly _one_ thread: the **main** thread. This thread will execute the `main` function and can be used to spawn more threads if necessary.
|
||||||
|
|
||||||
|
New threads are spawned using the `std::thread::spawn` function from the standard library. It takes a single argument: the function the new thread will execute. The thread stops once this function returns.
|
||||||
|
|
||||||
|
Returning from `main` will exit the entire program, even if other threads are still running. To make sure the spawned threads have finished their work it's possible to wait by _joining_ them.
|
||||||
|
|
||||||
|
```rs
|
||||||
|
// spawn a new thread
|
||||||
|
let handle = std::thread::spawn(move || {
|
||||||
|
|
||||||
|
// read the current thread ID
|
||||||
|
let thread_id = std::thread::current().id();
|
||||||
|
});
|
||||||
|
|
||||||
|
// wait for the thread to finish by joining it
|
||||||
|
handle.join();
|
||||||
|
```
|
||||||
|
|
||||||
|
Since a thread might run until the very end of the program’s execution, the spawn function has a `'static` lifetime bound on its argument type. In other words, it only accepts functions that may be kept around forever. A closure capturing a local variable by reference may not be kept around forever, since that reference would become invalid the moment the local variable ceases to exist.
|
||||||
|
|
||||||
|
Getting a value back out of the thread is done by returning it from the closure. This return value can be obtained from the `Result` returned by the `join` method.
|
||||||
|
|
||||||
|
> **Note**: if a thread panics the handle will return the panic message so that it can be handled.
|
||||||
|
|
||||||
|
```rs
|
||||||
|
let numbers = Vec::from_iter(0..=1000);
|
||||||
|
|
||||||
|
// `move` ensures the tread takes ownership by move the data
|
||||||
|
let handle = thread::spawn(move || {
|
||||||
|
let len = numbers.len();
|
||||||
|
let sum = numbers.iter().sum::<usize>();
|
||||||
|
sum / len
|
||||||
|
});
|
||||||
|
|
||||||
|
|
||||||
|
let average = handle.join().unwrap();
|
||||||
|
```
|
||||||
|
|
||||||
|
### Scoped Threads
|
||||||
|
|
||||||
|
**Scoped threads** ensure that all thread spawned within a _scope_ do not outlive said scope. This makes possible to borrow data that outlives the scope. This is possible since the scope `spawn` function does not have a `'static` bound.
|
||||||
|
|
||||||
|
**Note**: it's not possible to spawn multiple threads sharing the same data is one of the is mutating it.
|
||||||
|
|
||||||
|
```rs
|
||||||
|
let numbers = Vec::from_iter(0..=10);
|
||||||
|
|
||||||
|
std::thread::scope(|scope| {
|
||||||
|
// data is borrowed since the `move` keyword is missing
|
||||||
|
scope.spawn(|| {
|
||||||
|
let len = numbers.len();
|
||||||
|
// ...
|
||||||
|
});
|
||||||
|
|
||||||
|
scope.spawn(|| { /* ... */ });
|
||||||
|
});
|
||||||
|
```
|
||||||
|
|
||||||
|
### Shared Ownership
|
||||||
|
|
||||||
|
When sharing data between two threads where neither thread is guaranteed to outlive the other, neither of them can be the owner of that data. Any data shared between them will need to live as long as the longest living thread.
|
||||||
|
|
||||||
|
There are several ways to create data that is not owned by any single thread:
|
||||||
|
|
||||||
|
- **Statics**: A `static` item has a constant initializer, is never dropped, and already exists before the main function of the program even starts. Every thread can borrow it, since it’s guaranteed to always exist.
|
||||||
|
|
||||||
|
- **Leaking**: Using `Box::leak`, one can _release_ ownership of a `Box`, promising to never drop it. From that point on, the `Box` will live forever, without an owner, allowing it to be borrowed by any thread for as long as the program runs.
|
||||||
|
|
||||||
|
- **Reference Counting**: To make sure that shared data gets dropped and deallocated data ownership it's never gave up completely, is instead _shared_. By keeping track of the number of owners, it's possible to make sure the value is dropped only when there are no owners left. The standard library offers such functionality with the `Rc<T>` & `Arc<T>` types.
|
||||||
|
|
||||||
|
### Thread Safety: Send and Sync
|
||||||
|
|
||||||
|
The `Send` marker trait indicates that ownership of values of the type implementing `Send` can be transferred between threads. Any type composed entirely of `Send` types is automatically marked as `Send`. Almost all primitive types are `Send`, aside from raw pointers.
|
||||||
|
|
||||||
|
The `Sync` marker trait indicates that it is safe for the type implementing `Sync` to be referenced from multiple threads. In other words, any type `T` is `Sync` if `&T` (an immutable reference to `T`) is `Send`, meaning the reference can be sent safely to another thread. Similar to `Send`, primitive types are `Sync`, and types composed entirely of types that are `Sync`are also `Sync`.
|
||||||
|
|
||||||
|
> **Note**: All primitive types such as `i32`, `bool`, and `str` are both `Send` and `Sync`.
|
|
@ -1492,56 +1492,6 @@ Rust's memory safety guarantees make it difficult, but not impossible, to accide
|
||||||
Rust allows memory leaks by using `Rc<T>` and `RefCell<T>`: it's possible to create references where items refer to each other in a cycle.
|
Rust allows memory leaks by using `Rc<T>` and `RefCell<T>`: 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.
|
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.
|
||||||
|
|
||||||
## Concurrency
|
|
||||||
|
|
||||||
### Creating Threads
|
|
||||||
|
|
||||||
The `thread::spawn` function creates a new tread that will execute the passed closure. Any data captured by the closure is *moved* to the capturing thread.
|
|
||||||
The thread's **handle** can be used to wait for completion and retieve the computation result or errors if any.
|
|
||||||
|
|
||||||
```rs linenums="1"
|
|
||||||
// if no data is captured the move keyword can be removed
|
|
||||||
let handle = std::thread::spawn(move || { /* ... */ });
|
|
||||||
|
|
||||||
handle.join().unwrap();
|
|
||||||
```
|
|
||||||
|
|
||||||
> **Note**: a thread's execution can be termiated early if it's not joined and the main process terminates before the thread had completed it's work.
|
|
||||||
> **Note**: if a thread panics the handle will return the panic message so that it can be handled.
|
|
||||||
|
|
||||||
### Channels
|
|
||||||
|
|
||||||
To accomplish message-sending concurrently Rust's standard library provides an implementation of *channels*.
|
|
||||||
A **channel** is a general programming concept by which data is sent from one thread to another.
|
|
||||||
|
|
||||||
```rs linenums="1"
|
|
||||||
let (sender, receiver) = std::sync::mpsc::channel(); // the sender can be cloned to create multiple transmitters
|
|
||||||
|
|
||||||
let sender_1 = sender.clone();
|
|
||||||
std::thread::spawn(move || {
|
|
||||||
// send takes ownership of the message (moved to receiver scope)
|
|
||||||
sender_1.send("hello".to_owned()).unwrap();
|
|
||||||
});
|
|
||||||
|
|
||||||
let sender_2 = sender.clone();
|
|
||||||
std::thread::spawn(move || {
|
|
||||||
sender_2.send("hello".to_owned()).unwrap();
|
|
||||||
sender_2.send("world".to_owned()).unwrap();
|
|
||||||
sender_2.send("from".to_owned()).unwrap();
|
|
||||||
sender_2.send("thread".to_owned()).unwrap();
|
|
||||||
});
|
|
||||||
|
|
||||||
let message = receiver.recv().unwrap(); // receive a single value
|
|
||||||
// or
|
|
||||||
for message in receiver { } // receive multiple values (iteration stops when channel closes)
|
|
||||||
```
|
|
||||||
|
|
||||||
### `Send` & `Sync`
|
|
||||||
|
|
||||||
The `Send` marker trait indicates that ownership of values of the type implementing `Send` can be transferred between threads. Any type composed entirely of `Send` types is automatically marked as `Send`. Almost all primitive types are `Send`, aside from raw pointers.
|
|
||||||
|
|
||||||
The `Sync` marker trait indicates that it is safe for the type implementing `Sync` to be referenced from multiple threads. In other words, any type `T` is `Sync` if `&T` (an immutable reference to `T`) is `Send`, meaning the reference can be sent safely to another thread. Similar to `Send`, primitive types are `Sync`, and types composed entirely of types that are `Sync`are also `Sync`.
|
|
||||||
|
|
||||||
## Files
|
## Files
|
||||||
|
|
||||||
### Reading Files
|
### Reading Files
|
||||||
|
|
|
@ -160,6 +160,7 @@ nav:
|
||||||
- Rust: languages/rust/rust.md
|
- Rust: languages/rust/rust.md
|
||||||
- Macros: languages/rust/macros.md
|
- Macros: languages/rust/macros.md
|
||||||
- Cargo: languages/rust/cargo.md
|
- Cargo: languages/rust/cargo.md
|
||||||
|
- Concurrency: languages/rust/concurrency.md
|
||||||
- Unit Tests: languages/rust/unit-tests.md
|
- Unit Tests: languages/rust/unit-tests.md
|
||||||
- Javascript:
|
- Javascript:
|
||||||
- Javascript: languages/javascript/javascript.md
|
- Javascript: languages/javascript/javascript.md
|
||||||
|
|
Loading…
Add table
Reference in a new issue