//! A racily-initialized alternative to `OnceLock>`. //! //! This is used to implement synchronization primitives that need allocation, //! like the pthread versions. #![allow(dead_code)] // Only used on some platforms. use crate::mem::replace; use crate::pin::Pin; use crate::ptr::null_mut; use crate::sync::atomic::Ordering::{Acquire, Relaxed, Release}; use crate::sync::atomic::{Atomic, AtomicPtr}; pub(crate) struct OnceBox { ptr: Atomic<*mut T>, } impl OnceBox { #[inline] pub const fn new() -> Self { Self { ptr: AtomicPtr::new(null_mut()) } } /// Gets access to the value, assuming it is already initialized and this /// initialization has been observed by the current thread. /// /// Since all modifications to the pointer have already been observed, the /// pointer load in this function can be performed with relaxed ordering, /// potentially allowing the optimizer to turn code like this: /// ```rust, ignore /// once_box.get_or_init(|| Box::pin(42)); /// unsafe { once_box.get_unchecked() } /// ``` /// into /// ```rust, ignore /// once_box.get_or_init(|| Box::pin(42)) /// ``` /// /// # Safety /// This causes undefined behavior if the assumption above is violated. #[inline] pub unsafe fn get_unchecked(&self) -> Pin<&T> { unsafe { Pin::new_unchecked(&*self.ptr.load(Relaxed)) } } #[inline] pub fn get_or_init(&self, f: impl FnOnce() -> Pin>) -> Pin<&T> { let ptr = self.ptr.load(Acquire); match unsafe { ptr.as_ref() } { Some(val) => unsafe { Pin::new_unchecked(val) }, None => self.initialize(f), } } #[inline] pub fn take(&mut self) -> Option>> { let ptr = replace(self.ptr.get_mut(), null_mut()); if !ptr.is_null() { Some(unsafe { Pin::new_unchecked(Box::from_raw(ptr)) }) } else { None } } #[cold] fn initialize(&self, f: impl FnOnce() -> Pin>) -> Pin<&T> { let new_ptr = Box::into_raw(unsafe { Pin::into_inner_unchecked(f()) }); match self.ptr.compare_exchange(null_mut(), new_ptr, Release, Acquire) { Ok(_) => unsafe { Pin::new_unchecked(&*new_ptr) }, Err(ptr) => { // Lost the race to another thread. // Drop the value we created, and use the one from the other thread instead. drop(unsafe { Box::from_raw(new_ptr) }); unsafe { Pin::new_unchecked(&*ptr) } } } } } unsafe impl Send for OnceBox {} unsafe impl Sync for OnceBox {} impl Drop for OnceBox { fn drop(&mut self) { self.take(); } }