pub struct Weak<T> where
T: ?Sized, { /* fields omitted */ }
Weak
is a version of Arc
that holds a non-owning reference to the
managed value. The value is accessed by calling upgrade
on the Weak
pointer, which returns an Option
<
Arc
<T>>
.
Since a Weak
reference does not count towards ownership, it will not
prevent the inner value from being dropped, and Weak
itself makes no
guarantees about the value still being present and may return None
when upgrade
d.
A Weak
pointer is useful for keeping a temporary reference to the value
within Arc
without extending its lifetime. It is also used to prevent
circular references between Arc
pointers, since mutual owning references
would never allow either Arc
to be dropped. For example, a tree could
have strong Arc
pointers from parent nodes to children, and Weak
pointers from children back to their parents.
The typical way to obtain a Weak
pointer is to call Arc::downgrade
.
Constructs a new Weak<T>
, without allocating any memory.
Calling upgrade
on the return value always gives None
.
use std::sync::Weak;
let empty: Weak<i64> = Weak::new();
assert!(empty.upgrade().is_none());
Attempts to upgrade the Weak
pointer to an Arc
, extending
the lifetime of the value if successful.
Returns None
if the value has since been dropped.
use std::sync::Arc;
let five = Arc::new(5);
let weak_five = Arc::downgrade(&five);
let strong_five: Option<Arc<_>> = weak_five.upgrade();
assert!(strong_five.is_some());
drop(strong_five);
drop(five);
assert!(weak_five.upgrade().is_none());
Constructs a new Weak<T>
, without allocating memory.
Calling upgrade
on the return value always gives None
.
use std::sync::Weak;
let empty: Weak<i64> = Default::default();
assert!(empty.upgrade().is_none());
Formats the value using the given formatter. Read more
Makes a clone of the Weak
pointer that points to the same value.
use std::sync::{Arc, Weak};
let weak_five = Arc::downgrade(&Arc::new(5));
Weak::clone(&weak_five);
Performs copy-assignment from source
. Read more
Drops the Weak
pointer.
use std::sync::{Arc, Weak};
struct Foo;
impl Drop for Foo {
fn drop(&mut self) {
println!("dropped!");
}
}
let foo = Arc::new(Foo);
let weak_foo = Arc::downgrade(&foo);
let other_weak_foo = Weak::clone(&weak_foo);
drop(weak_foo);
drop(foo);
assert!(other_weak_foo.upgrade().is_none());