2023-05-29 20:39:08 +03:00
|
|
|
// Building on the last exercise, we want all of the threads to complete their
|
2024-07-01 12:11:11 +03:00
|
|
|
// work. But this time, the spawned threads need to be in charge of updating a
|
|
|
|
// shared value: `JobStatus.jobs_done`
|
2021-12-23 17:19:39 +03:00
|
|
|
|
2024-07-01 12:11:11 +03:00
|
|
|
use std::{sync::Arc, thread, time::Duration};
|
2021-12-23 17:19:39 +03:00
|
|
|
|
|
|
|
struct JobStatus {
|
2024-07-01 12:11:11 +03:00
|
|
|
jobs_done: u32,
|
2021-12-23 17:19:39 +03:00
|
|
|
}
|
|
|
|
|
|
|
|
fn main() {
|
2024-07-01 12:11:11 +03:00
|
|
|
// TODO: `Arc` isn't enough if you want a **mutable** shared state.
|
|
|
|
let status = Arc::new(JobStatus { jobs_done: 0 });
|
2024-03-27 23:24:36 +03:00
|
|
|
|
2024-07-01 12:11:11 +03:00
|
|
|
let mut handles = Vec::new();
|
2021-12-23 17:19:39 +03:00
|
|
|
for _ in 0..10 {
|
2022-10-16 15:18:56 +03:00
|
|
|
let status_shared = Arc::clone(&status);
|
2021-12-23 17:19:39 +03:00
|
|
|
let handle = thread::spawn(move || {
|
|
|
|
thread::sleep(Duration::from_millis(250));
|
2024-07-01 12:11:11 +03:00
|
|
|
|
|
|
|
// TODO: You must take an action before you update a shared value.
|
|
|
|
status_shared.jobs_done += 1;
|
2021-12-23 17:19:39 +03:00
|
|
|
});
|
|
|
|
handles.push(handle);
|
|
|
|
}
|
2024-03-27 23:24:36 +03:00
|
|
|
|
2024-07-01 12:11:11 +03:00
|
|
|
// Waiting for all jobs to complete.
|
2021-12-23 17:19:39 +03:00
|
|
|
for handle in handles {
|
|
|
|
handle.join().unwrap();
|
|
|
|
}
|
2024-03-27 23:24:36 +03:00
|
|
|
|
2024-07-01 12:11:11 +03:00
|
|
|
// TODO: Print the value of `JobStatus.jobs_done`.
|
|
|
|
println!("Jobs done: {}", todo!());
|
2021-12-23 17:19:39 +03:00
|
|
|
}
|