lock_order/
lock.rs

1// Copyright 2023 The Fuchsia Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5use core::ops::{Deref, DerefMut};
6
7/// Describes how to apply a lock type to the implementing type.
8///
9/// An implementation of `LockFor<L>` for some `Self` means that `L` is a valid
10/// lock level for `Self`, and defines how to access the state in `Self` that is
11/// under the lock indicated by `L`.
12pub trait LockFor<L> {
13    /// The data produced by locking the state indicated by `L` in `Self`.
14    type Data;
15
16    /// A guard providing read and write access to the data.
17    type Guard<'l>: DerefMut<Target = Self::Data>
18    where
19        Self: 'l;
20
21    /// Locks `Self` for lock `L`.
22    fn lock(&self) -> Self::Guard<'_>;
23}
24
25/// Describes how to acquire reader and writer locks to the implementing type.
26///
27/// An implementation of `RwLockFor<L>` for some `Self` means that `L` is a
28/// valid lock level for `T`, and defines how to access the state in `Self` that
29/// is under the lock indicated by `L` in either read mode or write mode.
30pub trait RwLockFor<L> {
31    /// The data produced by locking the state indicated by `L` in `Self`.
32    type Data;
33
34    /// A guard providing read access to the data.
35    type ReadGuard<'l>: Deref<Target = Self::Data>
36    where
37        Self: 'l;
38
39    /// A guard providing write access to the data.
40    type WriteGuard<'l>: DerefMut<Target = Self::Data>
41    where
42        Self: 'l;
43
44    /// Acquires a read lock on the data in `Self` indicated by `L`.
45    fn read_lock(&self) -> Self::ReadGuard<'_>;
46
47    /// Acquires a write lock on the data in `Self` indicated by `L`.
48    fn write_lock(&self) -> Self::WriteGuard<'_>;
49}
50
51/// Describes how to access state in `Self` that doesn't require locking.
52///
53/// `UnlockedAccess` allows access to some state in `Self` without acquiring
54/// a lock. Unlike `Lock` and friends, the type parameter `A` in
55/// `UnlockedAccess<A>` is used to provide a label for the state; it is
56/// unrelated to the lock levels for `Self`.
57///
58/// In order for this crate to provide guarantees about lock ordering safety,
59/// `UnlockedAccess` must only be implemented for accessing state that is
60/// guaranteed to be accessible lock-free.
61pub trait UnlockedAccess<A> {
62    /// The type of state being accessed.
63    type Data;
64
65    /// A guard providing read access to the data.
66    type Guard<'l>: Deref<Target = Self::Data>
67    where
68        Self: 'l;
69
70    /// How to access the state.
71    fn access(&self) -> Self::Guard<'_>;
72}
73
74/// Marks a type as offering ordered lock access for some inner type `T`.
75///
76/// This trait allows for types that are lock order sensitive to be defined in a
77/// separate crate than the lock levels themselves while nudging local code away
78/// from using the locks without regards for ordering.
79///
80/// The crate defining the lock levels can implement [`LockLevelFor`] to declare
81/// the lock level to access the field exposed by this implementation.
82pub trait OrderedLockAccess<T> {
83    /// The lock type that observes ordering.
84    ///
85    /// This should be a type that implements either [`ExclusiveLock`] or
86    /// [`ReadWriteLock`].
87    type Lock;
88    /// Returns a borrow to the order-aware lock.
89    ///
90    /// Note that this returns [`OrderedLockRef`] to further prevent out of
91    /// order lock usage. Once sealed into [`OrderedLockRef`], the borrow can
92    /// only be used via the blanket [`RwLockFor`] and [`LockFor`]
93    /// implementations provided by this crate.
94    fn ordered_lock_access(&self) -> OrderedLockRef<'_, Self::Lock>;
95}
96
97/// Marks a type as offering ordered lock access for some inner type `T`
98/// *through* the [`OrderedLockAccess`] implementation of `Inner`.
99///
100/// See [`OrderedLockAccess`] for more details.
101pub trait DelegatedOrderedLockAccess<T> {
102    /// The inner type acting as a proxy for ordered access to T.
103    type Inner: OrderedLockAccess<T> + 'static;
104    /// Returns the inner type.
105    fn delegate_ordered_lock_access(&self) -> &Self::Inner;
106}
107
108impl<T, O> OrderedLockAccess<T> for O
109where
110    O: DelegatedOrderedLockAccess<T>,
111{
112    type Lock = <O::Inner as OrderedLockAccess<T>>::Lock;
113
114    fn ordered_lock_access(&self) -> OrderedLockRef<'_, Self::Lock> {
115        self.delegate_ordered_lock_access().ordered_lock_access()
116    }
117}
118
119/// A borrowed order-aware lock.
120pub struct OrderedLockRef<'a, T>(&'a T);
121
122impl<'a, T> OrderedLockRef<'a, T> {
123    /// Creates a new `OrderedLockRef` with a borrow on `lock`.
124    pub fn new(lock: &'a T) -> Self {
125        Self(lock)
126    }
127}
128
129/// Declares a type as the lock level for some type `T` that exposes locked
130/// state of type `Self::Data`.
131///
132/// If `T` implements [`OrderedLockAccess`] for `Self::Data`, then the
133/// [`LockFor`] and [`RwLockFor`] traits can be used to gain access to the
134/// protected state `Data` within `T` at lock level `Self`.
135///
136/// See [`OrderedLockAccess`] for more details.
137pub trait LockLevelFor<T> {
138    /// The data type within `T` that this is a lock level for.
139    type Data;
140}
141
142/// Abstracts an exclusive lock (i.e. a Mutex).
143pub trait ExclusiveLock<T>: 'static {
144    /// The guard type returned when locking the lock.
145    type Guard<'l>: DerefMut<Target = T>;
146    /// Locks this lock.
147    fn lock(&self) -> Self::Guard<'_>;
148}
149
150/// Abstracts a read write lock (i.e. an RwLock).
151pub trait ReadWriteLock<T>: 'static {
152    /// The guard type returned when locking for reads (i.e. shared).
153    type ReadGuard<'l>: Deref<Target = T>;
154    /// The guard type returned when locking for writes (i.e. exclusive).
155    type WriteGuard<'l>: DerefMut<Target = T>;
156    /// Locks this lock for reading.
157    fn read_lock(&self) -> Self::ReadGuard<'_>;
158    /// Locks this lock for writing.
159    fn write_lock(&self) -> Self::WriteGuard<'_>;
160}
161
162impl<L, T> LockFor<L> for T
163where
164    L: LockLevelFor<T>,
165    T: OrderedLockAccess<L::Data>,
166    T::Lock: ExclusiveLock<L::Data>,
167{
168    type Data = L::Data;
169    type Guard<'l>
170        = <T::Lock as ExclusiveLock<L::Data>>::Guard<'l>
171    where
172        Self: 'l;
173    fn lock(&self) -> Self::Guard<'_> {
174        let OrderedLockRef(lock) = self.ordered_lock_access();
175        lock.lock()
176    }
177}
178
179impl<L, T> RwLockFor<L> for T
180where
181    L: LockLevelFor<T>,
182    T: OrderedLockAccess<L::Data>,
183    T::Lock: ReadWriteLock<L::Data>,
184{
185    type Data = L::Data;
186    type ReadGuard<'l>
187        = <T::Lock as ReadWriteLock<L::Data>>::ReadGuard<'l>
188    where
189        Self: 'l;
190    type WriteGuard<'l>
191        = <T::Lock as ReadWriteLock<L::Data>>::WriteGuard<'l>
192    where
193        Self: 'l;
194    fn read_lock(&self) -> Self::ReadGuard<'_> {
195        let OrderedLockRef(lock) = self.ordered_lock_access();
196        lock.read_lock()
197    }
198    fn write_lock(&self) -> Self::WriteGuard<'_> {
199        let OrderedLockRef(lock) = self.ordered_lock_access();
200        lock.write_lock()
201    }
202}
203
204/// Declares a type that is an [`UnlockedAccess`] marker for some field `Data`
205/// within `T`.
206///
207/// This is the equivalent of [`LockLevelFor`] for [`UnlockedAccess`], but given
208/// unlocked access is freely available through borrows the foreign type can
209/// safely expose a getter.
210pub trait UnlockedAccessMarkerFor<T> {
211    /// The data type within `T` that this an unlocked access marker for.
212    type Data: 'static;
213
214    /// Retrieves `Self::Data` from `T`.
215    fn unlocked_access(t: &T) -> &Self::Data;
216}
217
218impl<L, T> UnlockedAccess<L> for T
219where
220    L: UnlockedAccessMarkerFor<T>,
221{
222    type Data = <L as UnlockedAccessMarkerFor<T>>::Data;
223
224    type Guard<'l>
225        = &'l <L as UnlockedAccessMarkerFor<T>>::Data
226    where
227        Self: 'l;
228
229    fn access(&self) -> Self::Guard<'_> {
230        L::unlocked_access(self)
231    }
232}
233
234#[cfg(test)]
235mod example {
236    //! Example implementations of the traits in this crate.
237
238    use std::sync::{Mutex, MutexGuard, RwLock, RwLockReadGuard, RwLockWriteGuard};
239
240    use super::*;
241
242    enum LockLevel {}
243
244    impl<T> LockFor<LockLevel> for Mutex<T> {
245        type Data = T;
246        type Guard<'l>
247            = MutexGuard<'l, T>
248        where
249            Self: 'l;
250
251        fn lock(&self) -> Self::Guard<'_> {
252            self.lock().unwrap()
253        }
254    }
255
256    impl<T> RwLockFor<LockLevel> for RwLock<T> {
257        type Data = T;
258        type ReadGuard<'l>
259            = RwLockReadGuard<'l, T>
260        where
261            Self: 'l;
262        type WriteGuard<'l>
263            = RwLockWriteGuard<'l, T>
264        where
265            Self: 'l;
266
267        fn read_lock(&self) -> Self::ReadGuard<'_> {
268            self.read().unwrap()
269        }
270        fn write_lock(&self) -> Self::WriteGuard<'_> {
271            self.write().unwrap()
272        }
273    }
274}