Arc

Arc 允许通过 Arc::clone 实现共享只读权限:

  1. use std::sync::Arc;
  2. use std::thread;
  3. fn main() {
  4. let v = Arc::new(vec![10, 20, 30]);
  5. let mut handles = Vec::new();
  6. for _ in 1..5 {
  7. let v = Arc::clone(&v);
  8. handles.push(thread::spawn(move || {
  9. let thread_id = thread::current().id();
  10. println!("{thread_id:?}: {v:?}");
  11. }));
  12. }
  13. handles.into_iter().for_each(|h| h.join().unwrap());
  14. println!("v: {v:?}");
  15. }
  • 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 对此有所帮助。