mask_commons.rs 1.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445
  1. //! Common SBI mask operations and structures.
  2. /// Check if the implementation can contains the provided `bit`.
  3. #[inline]
  4. pub(crate) const fn valid_bit(base: usize, bit: usize) -> bool {
  5. if bit < base {
  6. // invalid index, under minimum range.
  7. false
  8. } else if (bit - base) >= usize::BITS as usize {
  9. // invalid index, over max range.
  10. false
  11. } else {
  12. true
  13. }
  14. }
  15. /// Check if the implementation contains the provided `bit`.
  16. ///
  17. /// ## Parameters
  18. ///
  19. /// - `mask`: bitmask defining the range of bits.
  20. /// - `base`: the starting bit index. (default: `0`)
  21. /// - `ignore`: if `base` is equal to this value, ignore the `mask` parameter, and consider all `bit`s set.
  22. /// - `bit`: the bit index to check for membership in the `mask`.
  23. #[inline]
  24. pub(crate) const fn has_bit(mask: usize, base: usize, ignore: usize, bit: usize) -> bool {
  25. if base == ignore {
  26. // ignore the `mask`, consider all `bit`s as set.
  27. true
  28. } else if !valid_bit(base, bit) {
  29. false
  30. } else {
  31. // index is in range, check if it is set in the mask.
  32. mask & (1 << (bit - base)) != 0
  33. }
  34. }
  35. /// Error of mask modification.
  36. #[derive(Debug, Copy, Clone, Eq, PartialEq, Hash)]
  37. pub enum MaskError {
  38. /// This mask has been ignored.
  39. Ignored,
  40. /// Request bit is invalid.
  41. InvalidBit,
  42. }