interrupt.rs 1.5 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263
  1. //! Interrupts
  2. // NOTE: Adapted from cortex-m/src/interrupt.rs
  3. use crate::register::mstatus;
  4. /// Disables all interrupts in the current hart.
  5. #[inline]
  6. pub unsafe fn disable() {
  7. match () {
  8. #[cfg(riscv)]
  9. () => mstatus::clear_mie(),
  10. #[cfg(not(riscv))]
  11. () => unimplemented!(),
  12. }
  13. }
  14. /// Enables all the interrupts in the current hart.
  15. ///
  16. /// # Safety
  17. ///
  18. /// - Do not call this function inside a critical section.
  19. #[inline]
  20. pub unsafe fn enable() {
  21. match () {
  22. #[cfg(riscv)]
  23. () => mstatus::set_mie(),
  24. #[cfg(not(riscv))]
  25. () => unimplemented!(),
  26. }
  27. }
  28. /// Execute closure `f` with interrupts disabled in the current hart.
  29. ///
  30. /// This method does not synchronise multiple harts, so it is not suitable for
  31. /// using as a critical section. See the `critical-section` crate for a cross-platform
  32. /// way to enter a critical section which provides a `CriticalSection` token.
  33. ///
  34. /// This crate provides an implementation for `critical-section` suitable for single-hart systems,
  35. /// based on disabling all interrupts. It can be enabled with the `critical-section-single-hart` feature.
  36. #[inline]
  37. pub fn free<F, R>(f: F) -> R
  38. where
  39. F: FnOnce() -> R,
  40. {
  41. let mstatus = mstatus::read();
  42. // disable interrupts
  43. unsafe {
  44. disable();
  45. }
  46. let r = f();
  47. // If the interrupts were active before our `disable` call, then re-enable
  48. // them. Otherwise, keep them disabled
  49. if mstatus.mie() {
  50. unsafe {
  51. enable();
  52. }
  53. }
  54. r
  55. }