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 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325
#![doc = include_str!("../README.md")]
use std::{
fmt, ops,
sync::{
Arc, LockResult, PoisonError, RwLock, RwLockReadGuard, RwLockWriteGuard, TryLockError,
TryLockResult, Weak,
},
};
#[cfg(feature = "lite")]
pub mod lite;
/// A wrapper around a resource possibly shared with [`SharedReadLock`]s and
/// [`WeakReadLock`]s, but no other `Shared`s.
pub struct Shared<T: ?Sized>(Arc<RwLock<T>>);
#[allow(clippy::arc_with_non_send_sync)] // should not fire for generics
impl<T> Shared<T> {
/// Create a new `Shared`.
pub fn new(data: T) -> Self {
Self(Arc::new(RwLock::new(data)))
}
/// Returns the inner value, if the `Shared` has no associated
/// `SharedReadLock`s.
///
/// Otherwise, an `Err` is returned with the same `Shared` that was passed
/// in.
///
/// This will succeed even if there are outstanding weak references.
///
/// # Panics
///
/// This function will panic if the lock around the inner value is poisoned.
pub fn unwrap(this: Self) -> Result<T, Self> {
match Arc::try_unwrap(this.0) {
Ok(rwlock) => Ok(rwlock.into_inner().unwrap()),
Err(arc) => Err(Self(arc)),
}
}
}
impl<T: ?Sized> Shared<T> {
/// Get a reference to the inner value.
///
/// Usually, you don't need to call this function since `Shared<T>`
/// implements `Deref`. Use this if you want to pass the inner value to a
/// generic function where the compiler can't infer that you want to have
/// the `Shared` dereferenced otherwise.
///
/// # Panics
///
/// This function will panic if the lock around the inner value is poisoned.
#[track_caller]
pub fn get(this: &Self) -> &T {
Self::try_get(this).unwrap()
}
/// Try to get a reference to the inner value, returning an error if the
/// lock around it is poisoned.
pub fn try_get(this: &Self) -> LockResult<&T> {
match this.0.read() {
Ok(read_guard) => Ok(unsafe { readguard_into_ref(read_guard) }),
Err(err) => {
Err(poison_error_map(err, |read_guard| unsafe { readguard_into_ref(read_guard) }))
}
}
}
/// Lock this `Shared` to be able to mutate it, blocking the current thread
/// until the operation succeeds.
pub fn lock(this: &mut Self) -> SharedWriteGuard<'_, T> {
SharedWriteGuard(this.0.write().unwrap())
}
/// Get a [`SharedReadLock`] for accessing the same resource read-only from
/// elsewhere.
pub fn get_read_lock(this: &Self) -> SharedReadLock<T> {
SharedReadLock(this.0.clone())
}
/// Attempt to create a `Shared` from its internal representation,
/// `Arc<RwLock<T>>`.
///
/// This returns `Ok(_)` only if there are no further references (including
/// weak references) to the inner `RwLock` since otherwise, `Shared`s
/// invariant of being the only instance that can mutate the inner value
/// would be broken.
pub fn try_from_inner(rwlock: Arc<RwLock<T>>) -> Result<Self, Arc<RwLock<T>>> {
if Arc::strong_count(&rwlock) == 1 && Arc::weak_count(&rwlock) == 0 {
Ok(Self(rwlock))
} else {
Err(rwlock)
}
}
/// Turns this `Shared` into its internal representation, `Arc<RwLock<T>>`.
pub fn into_inner(this: Self) -> Arc<RwLock<T>> {
this.0
}
/// Gets the number of associated [`SharedReadLock`]s.
pub fn read_count(this: &Self) -> usize {
Arc::strong_count(&this.0) - 1
}
/// Gets the number of associated [`WeakReadLock`]s.
pub fn weak_count(this: &Self) -> usize {
Arc::weak_count(&this.0)
}
}
/// SAFETY: Only allowed for a read guard obtained from the inner value of a
/// `Shared`. Transmuting lifetime here, this is okay because the resulting
/// reference's borrows this, which is the only `Shared` instance that could
/// mutate the inner value (you can not have two `Shared`s that reference the
/// same inner value) and the other references that can exist to the inner value
/// are only allowed to read as well.
unsafe fn readguard_into_ref<'a, T: ?Sized + 'a>(guard: RwLockReadGuard<'a, T>) -> &'a T {
let reference: &T = &guard;
&*(reference as *const T)
}
impl<T: ?Sized> ops::Deref for Shared<T> {
type Target = T;
fn deref(&self) -> &Self::Target {
Shared::get(self)
}
}
impl<T: fmt::Debug + ?Sized> fmt::Debug for Shared<T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
self.0.fmt(f)
}
}
impl<T: Default> Default for Shared<T> {
fn default() -> Self {
Self::new(T::default())
}
}
/// A read-only reference to a resource possibly shared with up to one
/// [`Shared`] and many [`WeakReadLock`]s.
pub struct SharedReadLock<T: ?Sized>(Arc<RwLock<T>>);
impl<T: ?Sized> SharedReadLock<T> {
/// Lock this `SharedReadLock`, blocking the current thread until the
/// operation succeeds.
pub fn lock(&self) -> SharedReadGuard<'_, T> {
SharedReadGuard(self.0.read().unwrap())
}
/// Try to lock this `SharedReadLock`.
///
/// If the value is currently locked for writing through the corresponding
/// `Shared` instance or the lock was poisoned, returns [`TryLockError`].
pub fn try_lock(&self) -> TryLockResult<SharedReadGuard<'_, T>> {
self.0
.try_read()
.map(SharedReadGuard)
.map_err(|err| try_lock_error_map(err, SharedReadGuard))
}
/// Create a new [`WeakReadLock`] pointer to this allocation.
pub fn downgrade(&self) -> WeakReadLock<T> {
WeakReadLock(Arc::downgrade(&self.0))
}
/// Upgrade a `SharedReadLock` to `Shared`.
///
/// This only return `Ok(_)` if there are no other references (including a
/// `Shared`, or weak references) to the inner value, since otherwise it
/// would be possible to have multiple `Shared`s for the same inner value
/// alive at the same time, which would violate `Shared`s invariant of
/// being the only reference that is able to mutate the inner value.
pub fn try_upgrade(self) -> Result<Shared<T>, Self> {
if Arc::strong_count(&self.0) == 1 && Arc::weak_count(&self.0) == 0 {
Ok(Shared(self.0))
} else {
Err(self)
}
}
/// Create a `SharedReadLock` from its internal representation,
/// `Arc<RwLock<T>>`.
///
/// You can use this to create a `SharedReadLock` from a shared `RwLock`
/// without ever using `Shared`, if you want to expose an API where there is
/// a value that can be written only from inside one module or crate, but
/// outside users should be allowed to obtain a reusable lock for reading
/// the inner value.
pub fn from_inner(rwlock: Arc<RwLock<T>>) -> Self {
Self(rwlock)
}
/// Attempt to turn this `SharedReadLock` into its internal representation,
/// `Arc<RwLock<T>>`.
///
/// This returns `Ok(_)` only if there are no further references (including
/// a `Shared`, or weak references) to the inner value, since otherwise
/// it would be possible to have a `Shared` and an `Arc<RwLock<T>>` for
/// the same inner value alive at the same time, which would violate
/// `Shared`s invariant of being the only reference that is able to
/// mutate the inner value.
pub fn try_into_inner(self) -> Result<Arc<RwLock<T>>, Self> {
if Arc::strong_count(&self.0) == 1 && Arc::weak_count(&self.0) == 0 {
Ok(self.0)
} else {
Err(self)
}
}
}
impl<T: ?Sized> Clone for SharedReadLock<T> {
fn clone(&self) -> Self {
Self(Arc::clone(&self.0))
}
}
impl<T: fmt::Debug + ?Sized> fmt::Debug for SharedReadLock<T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
self.0.fmt(f)
}
}
/// A weak read-only reference to a resource possibly shared with up to one
/// [`Shared`] and many [`SharedReadLock`]s.
pub struct WeakReadLock<T: ?Sized>(Weak<RwLock<T>>);
impl<T: ?Sized> WeakReadLock<T> {
/// Attempt to upgrade the `WeakReadLock` into a `SharedReadLock`, delaying
/// dropping of the inner value if successful.
///
/// Returns `None` if the inner value has already been dropped.
pub fn upgrade(&self) -> Option<SharedReadLock<T>> {
Weak::upgrade(&self.0).map(SharedReadLock)
}
}
impl<T: ?Sized> Clone for WeakReadLock<T> {
fn clone(&self) -> Self {
Self(Weak::clone(&self.0))
}
}
impl<T: fmt::Debug + ?Sized> fmt::Debug for WeakReadLock<T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
self.0.fmt(f)
}
}
/// RAII structure used to release the shared read access of a lock when
/// dropped.
#[clippy::has_significant_drop]
pub struct SharedReadGuard<'a, T: ?Sized>(RwLockReadGuard<'a, T>);
impl<'a, T: ?Sized + 'a> SharedReadGuard<'a, T> {
/// Create a `SharedReadGuard` from its internal representation,
/// `RwLockReadGuard<'a, T>`.
pub fn from_inner(guard: RwLockReadGuard<'a, T>) -> Self {
Self(guard)
}
}
impl<'a, T: ?Sized + 'a> ops::Deref for SharedReadGuard<'a, T> {
type Target = T;
fn deref(&self) -> &Self::Target {
&self.0
}
}
impl<'a, T: fmt::Debug + ?Sized + 'a> fmt::Debug for SharedReadGuard<'a, T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
self.0.fmt(f)
}
}
/// RAII structure used to release the exclusive write access of a lock when
/// dropped.
#[clippy::has_significant_drop]
pub struct SharedWriteGuard<'a, T: ?Sized>(RwLockWriteGuard<'a, T>);
impl<'a, T: ?Sized> SharedWriteGuard<'a, T> {
/// Create a `SharedWriteGuard` from its internal representation,
/// `RwLockWriteGuard<'a, T>`.
pub fn from_inner(guard: RwLockWriteGuard<'a, T>) -> Self {
Self(guard)
}
}
impl<'a, T: ?Sized + 'a> ops::Deref for SharedWriteGuard<'a, T> {
type Target = T;
fn deref(&self) -> &Self::Target {
&self.0
}
}
impl<'a, T: ?Sized + 'a> ops::DerefMut for SharedWriteGuard<'a, T> {
fn deref_mut(&mut self) -> &mut Self::Target {
&mut self.0
}
}
impl<'a, T: fmt::Debug + ?Sized + 'a> fmt::Debug for SharedWriteGuard<'a, T> {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
self.0.fmt(f)
}
}
fn poison_error_map<T, U>(error: PoisonError<T>, f: impl FnOnce(T) -> U) -> PoisonError<U> {
let inner = error.into_inner();
PoisonError::new(f(inner))
}
fn try_lock_error_map<T, U>(error: TryLockError<T>, f: impl FnOnce(T) -> U) -> TryLockError<U> {
match error {
TryLockError::Poisoned(err) => TryLockError::Poisoned(poison_error_map(err, f)),
TryLockError::WouldBlock => TryLockError::WouldBlock,
}
}