Arc

Arc<T> 可透過 Arc::clone 取得共享唯讀存取權:

use std::sync::Arc;
use std::thread;

fn main() {
    let v = Arc::new(vec![10, 20, 30]);
    let mut handles = Vec::new();
    for _ in 1..5 {
        let v = Arc::clone(&v);
        handles.push(thread::spawn(move || {
            let thread_id = thread::current().id();
            println!("{thread_id:?}: {v:?}");
        }));
    }

    handles.into_iter().for_each(|h| h.join().unwrap());
    println!("v: {v:?}");
}
  • Arc 代表「原子參考計數」,這個 Rc 的執行緒安全版本會採用原子性 運算。
  • Arc<T> implements Clone whether or not T does. It implements Send and Sync if and only if T implements them both.
  • Arc::clone() 會導致執行原子性運算的費用,但之後使用得到的 T 不需任何費用。
  • 留意參考循環,Arc 並不使用垃圾收集器進行偵測。
    • std::sync::Weak 可協助執行這項功能。