1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56
//! A lazily instantiated cell
use core::cell::UnsafeCell;
/// A lazily instantiated cell
pub struct LazyCell<T, I = fn() -> T> {
/// A tuple containing the initializer and the value
inner: UnsafeCell<(Option<I>, Option<T>)>,
}
impl<T, I> LazyCell<T, I> {
/// Creates a new lazy cell with the given initializer
pub const fn new(init: I) -> Self {
let value = (Some(init), None);
Self { inner: UnsafeCell::new(value) }
}
/// Provides scoped access to the underlying value, initializes it if necessary
///
/// # Safety
/// This function provides unchecked, mutable access to the underlying value, so incorrect use of this function may
/// lead to race conditions or undefined behavior.
#[inline]
pub unsafe fn scope<F, FR>(&self, scope: F) -> FR
where
I: FnOnce() -> T,
F: FnOnce(&mut T) -> FR,
{
// Get the inner state
let inner_ptr = self.inner.get();
let (init, value) = inner_ptr.as_mut().expect("unexpected NULL pointer inside cell");
// Initialize the value if necessary
if let Some(init) = init.take() {
let value_ = init();
*value = Some(value_);
}
// Take the initialized value
let Some(value) = value.as_mut() else {
unreachable!("initialized cell has not value");
};
// Call the scope
scope(value)
}
/// Provides scoped access to the underlying value, initializes it if necessary
#[inline]
pub fn scope_mut<F, FR>(&self, scope: F) -> FR
where
I: FnOnce() -> T,
F: FnOnce(&mut T) -> FR,
{
unsafe { self.scope(scope) }
}
}