2025-06-01 15:06:53 +08:00

89 lines
2.2 KiB
Rust

// SPDX-License-Identifier: MPL-2.0
use core::sync::atomic::{AtomicU64, Ordering};
use crate::XLockGuard;
/// A mark used to indicate which slots in an [`XNode`] contain items that have been marked.
///
/// [`Xnode`]: super::node::XNode
///
/// It internally stores an `AtomicU64`, functioning as a bitmap, where each bit that is set to 1
/// represents a slot at the corresponding offset that has been marked.
#[derive(Debug)]
pub(super) struct Mark {
inner: AtomicU64,
}
impl Mark {
pub const fn new(inner: u64) -> Self {
Self {
inner: AtomicU64::new(inner),
}
}
pub const fn new_empty() -> Self {
Self::new(0)
}
pub fn update(&self, _guard: XLockGuard, offset: u8, set: bool) -> bool {
let old_val = self.inner.load(Ordering::Acquire);
let new_val = if set {
old_val | (1 << offset as u64)
} else {
old_val & !(1 << offset as u64)
};
self.inner.store(new_val, Ordering::Release);
old_val != new_val
}
pub fn is_marked(&self, offset: u8) -> bool {
self.inner.load(Ordering::Acquire) & (1 << offset as u64) != 0
}
pub fn is_clear(&self) -> bool {
self.inner.load(Ordering::Acquire) == 0
}
}
/// The mark type used in the [`XArray`].
///
/// The `XArray` itself and an item in it can have up to three different marks.
///
/// Users can use a self-defined type to distinguish which kind of mark they want to set. Such a
/// type must implement the `Into<XMark>` trait.
///
/// [`XArray`]: crate::XArray
pub enum XMark {
/// The mark kind 0.
Mark0,
/// The mark kind 1.
Mark1,
/// The mark kind 2.
Mark2,
}
pub const NUM_MARKS: usize = 3;
impl XMark {
/// Maps the `XMark` to an index in the range 0 to 2.
pub(super) fn index(&self) -> usize {
match self {
XMark::Mark0 => 0,
XMark::Mark1 => 1,
XMark::Mark2 => 2,
}
}
}
/// A mark type that disables the mark functionality in the [`XArray`].
///
/// This indicates that the mark functionality is not needed and is the default generic parameter
/// for an `XArray`.
///
/// [`XArray`]: crate::XArray
#[derive(Clone, Copy)]
pub enum NoneMark {}