lock_order/relation.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
5//! Traits used to describe lock-ordering relationships.
6//!
7//! This crate defines the traits used to describe lock-ordering relationships,
8//! [`LockBefore`] and [`LockAfter`]. They are reciprocals, like [`From`] and
9//! [`Into`] in the standard library, and like `From` and `Into`, a blanket impl
10//! is provided for `LockBefore` for implementations of `LockAfter`.
11//!
12//! It's recommended that, instead of implementing `LockAfter<B> for A` on your
13//! own lock level types `A` and `B`, you use the [`impl_lock_after`] macro
14//! instead. Why? Because in addition to emitting an implementation of
15//! `LockAfter`, it also provides a blanket implementation equivalent to this:
16//!
17//! ```no_run
18//! # use lock_order::relation::LockAfter;
19//! # enum A {}
20//! # enum B {}
21//! impl <X> LockAfter<X> for B where A: LockAfter<X> {}
22//! ```
23//!
24//! The blanket implementations are useful for inferring trait implementations
25//! but have a more important purpose: they make it impossible to introduce
26//! cycles in our lock ordering graph, and that's *the* key property we want to
27//! uphold.
28//!
29//! To see how this happens, let's look at the trait implementations. Suppose
30//! we have a lock ordering graph that looks like this:
31//!
32//! ```text
33//! A -> B -> C
34//! ```
35//!
36//! Assuming we are using `impl_lock_after`, that gives us the following trait
37//! implementations:
38//!
39//! ```no_run
40//! # use lock_order::relation::LockAfter;
41//! # enum A {}
42//! # enum B {}
43//! # enum C {}
44//! // Graph edges
45//! impl LockAfter<A> for B {}
46//! impl LockAfter<B> for C {}
47//! // Blanket impls that get us transitivity
48//! impl<X> LockAfter<X> for B where A: LockAfter<X> {} // 1
49//! impl<X> LockAfter<X> for C where B: LockAfter<X> {} // 2
50//! ```
51//! Now suppose we added an edge `C -> A` (introducing a cycle). That would give
52//! us these two impls:
53//!
54//! ```no_run
55//! # use lock_order::relation::LockAfter;
56//! # enum A {}
57//! # enum C {}
58//! // New edge
59//! impl LockAfter<C> for A {}
60//! // New blanket impl
61//! impl<X> LockAfter<X> for A where C: LockAfter<X> {}
62//! ```
63//!
64//! The compiler will follow the blanket impls to produce implicit `LockAfter`
65//! implementations like this:
66//!
67//! 1. Our added edge satisfies the `where` clause for blanket impl 1 with
68//! `X=C`, so the compiler infers an implicit `impl LockAfter<C> for B {}`.
69//! 2. That satisfies the conditions for blanket impl 2 (`X=C`), so now we
70//! also have `impl LockAfter<C> for C {}`.
71//! 3. This satisfies the condition for our new blanket impl with
72//! `X=C`; now the compiler adds an implicit `impl LockAfter<C> for A {}`.
73//!
74//! Depicted visually, the compiler combines specific and blanket impls like
75//! this:
76//!
77//! ```text
78//! ┌─────────────────────────┐┌──────────────────────────────────────────────────┐
79//! │ impl LockAfter<C> for A ││ impl<X> LockAfter<X> for B where A: LockAfter<X> │
80//! └┬────────────────────────┘└┬─────────────────────────────────────────────────┘
81//! ┌▽──────────────────────────▽┐┌──────────────────────────────────────────────────┐
82//! │ impl LockAfter<C> for B ││ impl<X> LockAfter<X> for C where B: LockAfter<X> │
83//! └┬───────────────────────────┘└┬─────────────────────────────────────────────────┘
84//! ┌▽─────────────────────────────▽┐┌──────────────────────────────────────────────────┐ │
85//! │ impl LockAfter<C> for C ││ impl<X> LockAfter<X> for A where C: LockAfter<X> │ │
86//! └┬──────────────────────────────┘└┬─────────────────────────────────────────────────┘
87//! ┌▽────────────────────────────────▽┐
88//! │ impl LockAfter<C> for A (again) │
89//! └──────────────────────────────────┘
90//!
91//! ```
92//! The final implicit trait implementation has the exact same trait
93//! (`LockAfter<C>`) and type (`A`) as the explicit implementation we added with
94//! our graph edge, so the compiler detects the duplication and rejects our
95//! code. This works not just with the graph above, but with any graph that
96//! includes a cycle.
97
98/// Marker trait that indicates that `Self` can be locked after `A`.
99///
100/// This should be implemented for lock types to specify that, in the lock
101/// ordering graph, `A` comes before `Self`. So if `B: LockAfter<A>`, lock type
102/// `B` can be acquired after `A` but `A` cannot be acquired after `B`.
103///
104/// Note, though, that it's preferred to use the [`impl_lock_after`] macro
105/// instead of writing trait impls directly to avoid the possibility of lock
106/// ordering cycles.
107pub trait LockAfter<A> {}
108
109/// Marker trait that indicates that `Self` is an ancestor of `X`.
110///
111/// Functions and trait impls that want to apply lock ordering bounds should use
112/// this instead of [`LockAfter`]. Types should prefer to implement `LockAfter`
113/// instead of this trait. Like [`From`] and [`Into`], a blanket impl of
114/// `LockBefore` is provided for all types that implement `LockAfter`
115pub trait LockBefore<X> {}
116
117impl<B: LockAfter<A>, A> LockBefore<B> for A {}
118
119#[macro_export]
120macro_rules! impl_lock_after {
121 ($A:ty => $B:ty) => {
122 impl lock_order::relation::LockAfter<$A> for $B {}
123 impl<X: lock_order::relation::LockBefore<$A>> lock_order::relation::LockAfter<X> for $B {}
124 };
125}
126
127#[cfg(test)]
128mod test {
129 use crate::lock::LockFor;
130 use crate::relation::LockAfter;
131 use crate::{Locked, Unlocked};
132 use std::sync::{Mutex, MutexGuard};
133
134 extern crate self as lock_order;
135
136 enum A {}
137 enum B {}
138 enum C {}
139
140 impl_lock_after!(A => B);
141 impl_lock_after!(B => C);
142
143 impl LockAfter<Unlocked> for A {}
144
145 struct FakeLocked {
146 a: Mutex<u32>,
147 c: Mutex<char>,
148 }
149
150 impl LockFor<A> for FakeLocked {
151 type Data = u32;
152 type Guard<'l>
153 = MutexGuard<'l, u32>
154 where
155 Self: 'l;
156 fn lock(&self) -> Self::Guard<'_> {
157 self.a.lock().unwrap()
158 }
159 }
160
161 impl LockFor<C> for FakeLocked {
162 type Data = char;
163 type Guard<'l>
164 = MutexGuard<'l, char>
165 where
166 Self: 'l;
167 fn lock(&self) -> Self::Guard<'_> {
168 self.c.lock().unwrap()
169 }
170 }
171
172 #[test]
173 fn lock_a_then_c() {
174 const A_DATA: u32 = 123;
175 const C_DATA: char = '4';
176 let state = FakeLocked { a: A_DATA.into(), c: C_DATA.into() };
177
178 let mut locked = Locked::new(&state);
179
180 let (a, mut locked): (_, Locked<&FakeLocked, A>) = locked.lock_and::<A>();
181 assert_eq!(*a, A_DATA);
182 // Show that A: LockBefore<B> and B: LockBefore<C> => A: LockBefore<C>.
183 // Otherwise this wouldn't compile:
184 let c = locked.lock::<C>();
185 assert_eq!(*c, C_DATA);
186 }
187}