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
use core::{
hint,
sync::atomic::{AtomicBool, Ordering},
};
/// A raw spin lock, only provides `lock` and `unlock` and waiting for the lock
///
/// This is an unsafe lock, it doesn't have any protection against deadlocks, or multiple locking
/// A safe wrappers are implemented with `Mutex` and `ReMutex`
pub(super) struct Lock {
// we still use `bool` that is not cache aligned
// because this will change in the future to use os mutexes, and better synchronization methods
locked: AtomicBool,
}
impl Lock {
pub const fn new() -> Self {
Self {
locked: AtomicBool::new(false),
}
}
pub fn lock(&self) {
while !self.try_lock() {
while self.locked.load(Ordering::Relaxed) {
hint::spin_loop();
}
}
}
#[must_use]
#[inline(always)]
/// Try to lock the lock, returns true if successful
pub fn try_lock(&self) -> bool {
self.locked
.compare_exchange(false, true, Ordering::Acquire, Ordering::Relaxed)
.is_ok()
}
/// SAFETY: the caller must assure that there is only one accessor for this lock
/// we don't want multiple unlocks, it doesn't make sense for this Lock (check `super::remutex::ReMutex`)
pub unsafe fn unlock(&self) {
self.locked.store(false, Ordering::Release);
}
}