1use core::cell::Cell;
2use core::fmt;
3use core::mem::ManuallyDrop;
4use core::ptr::NonNull;
56use super::TypeInfo;
78/// Test if exclusively held.
9const EXCLUSIVE: usize = 1usize.rotate_right(2);
10/// Sentinel value to indicate that access is taken.
11const MOVED: usize = 1usize.rotate_right(1);
12/// Mask indicating if the value is exclusively set or moved.
13const MASK: usize = EXCLUSIVE | MOVED;
1415/// An error raised when failing to access a value.
16///
17/// Access errors can be raised for various reasons, such as:
18/// * The value you are trying to access is an empty placeholder.
19/// * The value is already being accessed in an incompatible way, such as trying
20/// to access a value exclusively twice.
21/// * The value has been taken and is no longer present.
22#[derive(Debug)]
23#[cfg_attr(test, derive(PartialEq))]
24#[non_exhaustive]
25pub struct AccessError {
26 kind: AccessErrorKind,
27}
2829impl AccessError {
30#[inline]
31pub(crate) const fn not_owned(type_info: TypeInfo) -> Self {
32Self {
33 kind: AccessErrorKind::NotAccessibleOwned(type_info),
34 }
35 }
3637#[inline]
38pub(crate) const fn new(kind: AccessErrorKind) -> Self {
39Self { kind }
40 }
41}
4243impl fmt::Display for AccessError {
44fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
45match &self.kind {
46 AccessErrorKind::NotAccessibleRef(s) => write!(f, "Cannot read, value is {s}"),
47 AccessErrorKind::NotAccessibleMut(s) => write!(f, "Cannot write, value is {s}"),
48 AccessErrorKind::NotAccessibleTake(s) => write!(f, "Cannot take, value is {s}"),
49 AccessErrorKind::NotAccessibleOwned(type_info) => {
50write!(f, "Cannot use owned operations for {type_info}")
51 }
52 }
53 }
54}
5556impl core::error::Error for AccessError {}
5758impl From<AccessErrorKind> for AccessError {
59#[inline]
60fn from(kind: AccessErrorKind) -> Self {
61 AccessError::new(kind)
62 }
63}
6465#[derive(Debug)]
66#[cfg_attr(test, derive(PartialEq))]
67pub(crate) enum AccessErrorKind {
68 NotAccessibleRef(Snapshot),
69 NotAccessibleMut(Snapshot),
70 NotAccessibleTake(Snapshot),
71 NotAccessibleOwned(TypeInfo),
72}
7374/// Snapshot that can be used to indicate how the value was being accessed at
75/// the time of an error.
76#[derive(PartialEq)]
77#[repr(transparent)]
78pub(crate) struct Snapshot(usize);
7980impl Snapshot {
81/// Test if the snapshot indicates that the value is readable.
82pub(crate) fn is_readable(&self) -> bool {
83self.0 & MASK == 0
84}
8586/// Test if the snapshot indicates that the value is writable.
87pub(crate) fn is_writable(&self) -> bool {
88self.0 & MASK == 0
89}
9091/// Test if access is exclusively held.
92pub(crate) fn is_exclusive(&self) -> bool {
93self.0 & MASK != 0
94}
9596/// The number of times a value is shared.
97pub(crate) fn shared(&self) -> usize {
98self.0 & !MASK
99 }
100}
101102impl fmt::Display for Snapshot {
103fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
104if self.0 & MOVED != 0 {
105write!(f, "M")?;
106 } else {
107write!(f, "-")?;
108 }
109110if self.0 & EXCLUSIVE != 0 {
111write!(f, "X")?;
112 } else {
113write!(f, "-")?;
114 }
115116write!(f, "{:06}", self.shared())?;
117Ok(())
118 }
119}
120121impl fmt::Debug for Snapshot {
122#[inline]
123fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
124write!(f, "Snapshot({self})")
125 }
126}
127128/// Access flags.
129///
130/// These accomplish the following things:
131/// * Indicates if a value is exclusively held.
132/// * Indicates if a value is taken .
133/// * Indicates if a value is shared, and if so by how many.
134#[repr(transparent)]
135pub(crate) struct Access(Cell<usize>);
136137impl Access {
138/// Construct a new default access.
139pub(crate) const fn new() -> Self {
140Self(Cell::new(0))
141 }
142143/// Test if we can have shared access without modifying the internal count.
144#[inline(always)]
145pub(crate) fn is_shared(&self) -> bool {
146self.0.get() & MASK == 0
147}
148149/// Test if we can have exclusive access without modifying the internal
150 /// count.
151#[inline(always)]
152pub(crate) fn is_exclusive(&self) -> bool {
153self.0.get() == 0
154}
155156/// Test if the data has been taken.
157#[inline(always)]
158pub(crate) fn is_taken(&self) -> bool {
159self.0.get() & MOVED != 0
160}
161162/// Mark that we want shared access to the given access token.
163pub(crate) fn shared(&self) -> Result<AccessGuard<'_>, AccessError> {
164self.try_shared()?;
165Ok(AccessGuard(self))
166 }
167168#[inline(always)]
169pub(crate) fn try_shared(&self) -> Result<(), AccessError> {
170let state = self.0.get();
171172if state & MASK != 0 {
173debug_assert_eq!(
174 state & !MASK,
1750,
176"count should be zero, but was {}",
177 Snapshot(state)
178 );
179return Err(AccessError::new(AccessErrorKind::NotAccessibleRef(
180 Snapshot(state),
181 )));
182 }
183184// NB: Max number of shared.
185if state == !MASK {
186crate::alloc::abort();
187 }
188189self.0.set(state + 1);
190Ok(())
191 }
192193/// Mark that we want exclusive access to the given access token.
194#[inline(always)]
195pub(crate) fn exclusive(&self) -> Result<AccessGuard<'_>, AccessError> {
196self.try_exclusive()?;
197Ok(AccessGuard(self))
198 }
199200#[inline(always)]
201pub(crate) fn try_exclusive(&self) -> Result<(), AccessError> {
202let state = self.0.get();
203204if state != 0 {
205return Err(AccessError::new(AccessErrorKind::NotAccessibleMut(
206 Snapshot(state),
207 )));
208 }
209210self.0.set(state | EXCLUSIVE);
211Ok(())
212 }
213214/// Mark that we want to mark the given access as "taken".
215 ///
216 /// I.e. whatever guarded data is no longer available.
217#[inline(always)]
218pub(crate) fn try_take(&self) -> Result<(), AccessError> {
219let state = self.0.get();
220221if state != 0 {
222return Err(AccessError::new(AccessErrorKind::NotAccessibleTake(
223 Snapshot(state),
224 )));
225 }
226227self.0.set(state | MOVED);
228Ok(())
229 }
230231/// Unconditionally mark the given access as "taken".
232#[inline(always)]
233pub(crate) fn take(&self) {
234let state = self.0.get();
235self.0.set(state | MOVED);
236 }
237238/// Release the current access, unless it's moved.
239#[inline(always)]
240pub(super) fn release(&self) {
241let b = self.0.get();
242243let b = if b & EXCLUSIVE != 0 {
244 b & !EXCLUSIVE
245 } else {
246debug_assert_ne!(b & !MASK, 0, "count should be zero but was {}", Snapshot(b));
247 b - 1
248};
249250self.0.set(b);
251 }
252253/// Get a snapshot of current access.
254#[inline(always)]
255pub(super) fn snapshot(&self) -> Snapshot {
256 Snapshot(self.0.get())
257 }
258}
259260impl fmt::Debug for Access {
261fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
262write!(f, "{}", Snapshot(self.0.get()))
263 }
264}
265266/// A guard around some specific access access.
267#[repr(transparent)]
268pub(crate) struct AccessGuard<'a>(&'a Access);
269270impl AccessGuard<'_> {
271/// Convert into a raw guard which does not have a lifetime associated with
272 /// it. Droping the raw guard will release the resource.
273 ///
274 /// # Safety
275 ///
276 /// Since we're losing track of the lifetime, caller must ensure that the
277 /// access outlives the guard.
278pub(crate) unsafe fn into_raw(self) -> RawAccessGuard {
279 RawAccessGuard(NonNull::from(ManuallyDrop::new(self).0))
280 }
281}
282283impl Drop for AccessGuard<'_> {
284fn drop(&mut self) {
285self.0.release();
286 }
287}
288289/// A raw guard around some level of access which will be released once the guard is dropped.
290#[repr(transparent)]
291pub(crate) struct RawAccessGuard(NonNull<Access>);
292293impl Drop for RawAccessGuard {
294fn drop(&mut self) {
295unsafe { self.0.as_ref().release() }
296 }
297}