2022-12-21 16:36:30 +01:00
|
|
|
# Example
|
|
|
|
|
|
|
|
Let us see `Arc` and `Mutex` in action:
|
|
|
|
|
|
|
|
```rust,editable,compile_fail
|
|
|
|
use std::thread;
|
|
|
|
// use std::sync::{Arc, Mutex};
|
|
|
|
|
|
|
|
fn main() {
|
2023-04-27 14:46:09 -07:00
|
|
|
let v = vec![10, 20, 30];
|
2022-12-21 16:36:30 +01:00
|
|
|
let handle = thread::spawn(|| {
|
|
|
|
v.push(10);
|
|
|
|
});
|
|
|
|
v.push(1000);
|
|
|
|
|
|
|
|
handle.join().unwrap();
|
|
|
|
println!("v: {v:?}");
|
|
|
|
}
|
|
|
|
```
|
2023-01-24 14:25:18 +00:00
|
|
|
|
|
|
|
<details>
|
|
|
|
|
|
|
|
Possible solution:
|
|
|
|
|
|
|
|
```rust,editable
|
|
|
|
use std::sync::{Arc, Mutex};
|
|
|
|
use std::thread;
|
|
|
|
|
|
|
|
fn main() {
|
|
|
|
let v = Arc::new(Mutex::new(vec![10, 20, 30]));
|
|
|
|
|
2023-04-27 14:46:09 -07:00
|
|
|
let v2 = Arc::clone(&v);
|
2023-01-24 14:25:18 +00:00
|
|
|
let handle = thread::spawn(move || {
|
|
|
|
let mut v2 = v2.lock().unwrap();
|
|
|
|
v2.push(10);
|
|
|
|
});
|
|
|
|
|
|
|
|
{
|
|
|
|
let mut v = v.lock().unwrap();
|
|
|
|
v.push(1000);
|
|
|
|
}
|
|
|
|
|
|
|
|
handle.join().unwrap();
|
|
|
|
|
2023-03-12 20:48:52 +11:00
|
|
|
println!("v: {v:?}");
|
2023-01-24 14:25:18 +00:00
|
|
|
}
|
|
|
|
```
|
|
|
|
|
|
|
|
Notable parts:
|
|
|
|
|
|
|
|
* `v` is wrapped in both `Arc` and `Mutex`, because their concerns are orthogonal.
|
2023-01-19 13:49:03 +00:00
|
|
|
* Wrapping a `Mutex` in an `Arc` is a common pattern to share mutable state between threads.
|
2023-01-24 14:25:18 +00:00
|
|
|
* `v: Arc<_>` needs to be cloned as `v2` before it can be moved into another thread. Note `move` was added to the lambda signature.
|
|
|
|
* Blocks are introduced to narrow the scope of the `LockGuard` as much as possible.
|
|
|
|
|
|
|
|
</details>
|