aclint.rs 9.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285
  1. //! Asynchronous delay implementation for the (A)CLINT peripheral.
  2. //!
  3. //! # Note
  4. //!
  5. //! The asynchronous delay implementation for the (A)CLINT peripheral relies on the machine-level timer interrupts.
  6. //! Therefore, it needs to schedule the machine-level timer interrupts via the [`MTIMECMP`] register assigned to the current HART.
  7. //! Thus, the [`Delay`] instance must be created on the same HART that is used to call the asynchronous delay methods.
  8. //!
  9. //! # Requirements
  10. //!
  11. //! The following `extern "Rust"` functions must be implemented:
  12. //!
  13. //! - `fn _riscv_peripheral_aclint_mtimer(hart_id: usize) -> MTIMER`: This function returns the `MTIMER` register for the given HART ID.
  14. //! - `fn _riscv_peripheral_aclint_push_timer(t: Timer) -> Result<(), Timer>`: This function pushes a new timer to a timer queue assigned to the given HART ID.
  15. //! If it fails (e.g., the timer queue is full), it returns back the timer that failed to be pushed.
  16. //! The logic of timer queues are application-specific and are not provided by this crate.
  17. //! - `fn _riscv_peripheral_aclint_wake_timers(hart_id: usize, current_tick: u64) -> Option<u64>`:
  18. //! This function pops all the expired timers from a timer queue assigned to the given HART ID and wakes their associated wakers.
  19. //! The function returns the next [`MTIME`] tick at which the next timer expires. If the queue is empty, it returns `None`.
  20. use crate::aclint::mtimer::{MTIME, MTIMECMP, MTIMER};
  21. pub use crate::hal_async::delay::DelayNs;
  22. use core::{
  23. cmp::{Eq, Ord, PartialEq, PartialOrd},
  24. future::Future,
  25. pin::Pin,
  26. task::{Context, Poll, Waker},
  27. };
  28. extern "Rust" {
  29. /// Returns the `MTIMER` register for the given HART ID.
  30. /// This is necessary for [`MachineTimer`] to obtain the corresponding `MTIMER` register.
  31. ///
  32. /// # Safety
  33. ///
  34. /// Do not call this function directly. It is only meant to be called by [`MachineTimer`].
  35. fn _riscv_peripheral_aclint_mtimer(hart_id: usize) -> MTIMER;
  36. /// Tries to push a new timer to the timer queue assigned to the given HART ID.
  37. /// If it fails (e.g., the timer queue is full), it returns back the timer that failed to be pushed.
  38. ///
  39. /// # Safety
  40. ///
  41. /// Do not call this function directly. It is only meant to be called by [`DelayAsync`].
  42. fn _riscv_peripheral_aclint_push_timer(t: Timer) -> Result<(), Timer>;
  43. /// Pops all the expired timers from the timer queue assigned to the given HART ID and wakes their associated wakers.
  44. /// Once it is done, if the queue is empty, it returns `None`.
  45. /// Alternatively, if the queue is not empty but the earliest timer has not expired yet,
  46. /// it returns `Some(next_expires)` where `next_expires` is the tick at which this timer expires.
  47. ///
  48. /// # Safety
  49. ///
  50. /// Do not call this function directly. It is only meant to be called by [`MachineTimer`] and [`DelayAsync`].
  51. fn _riscv_peripheral_aclint_wake_timers(hart_id: usize, current_tick: u64) -> Option<u64>;
  52. }
  53. /// Machine-level timer interrupt handler. This handler is triggered whenever the `MTIME`
  54. /// register reaches the value of the `MTIMECMP` register of the current HART.
  55. #[no_mangle]
  56. #[allow(non_snake_case)]
  57. fn MachineTimer() {
  58. // recover the MTIME and MTIMECMP registers for the current HART
  59. let hart_id = riscv::register::mhartid::read();
  60. let mtimer = unsafe { _riscv_peripheral_aclint_mtimer(hart_id) };
  61. let (mtime, mtimercmp) = (mtimer.mtime, mtimer.mtimecmp_mhartid());
  62. // schedule the next machine timer interrupt
  63. schedule_machine_timer(hart_id, mtime, mtimercmp);
  64. }
  65. /// Schedules the next machine timer interrupt for the given HART ID according to the timer queue.
  66. fn schedule_machine_timer(hart_id: usize, mtime: MTIME, mtimercmp: MTIMECMP) {
  67. unsafe { riscv::register::mie::clear_mtimer() }; // disable machine timer interrupts to avoid reentrancy
  68. let current_tick = mtime.read();
  69. if let Some(next_expires) =
  70. unsafe { _riscv_peripheral_aclint_wake_timers(hart_id, current_tick) }
  71. {
  72. debug_assert!(next_expires > current_tick);
  73. mtimercmp.write(next_expires); // schedule next interrupt at next_expires
  74. unsafe { riscv::register::mie::set_mtimer() }; // enable machine timer interrupts again if necessary
  75. }
  76. }
  77. /// Asynchronous delay implementation for (A)CLINT peripherals.
  78. ///
  79. /// # Note
  80. ///
  81. /// The asynchronous delay implementation for (A)CLINT peripherals relies on the machine-level timer interrupts.
  82. /// Therefore, it needs to schedule the machine-level timer interrupts via the [`MTIMECMP`] register assigned to the current HART.
  83. /// Thus, the [`Delay`] instance must be created on the same HART that is used to call the asynchronous delay methods.
  84. /// Additionally, the rest of the application must not modify the [`MTIMER`] register assigned to the current HART.
  85. #[derive(Clone)]
  86. pub struct Delay {
  87. hart_id: usize,
  88. freq: usize,
  89. mtime: MTIME,
  90. mtimecmp: MTIMECMP,
  91. }
  92. impl Delay {
  93. /// Creates a new `Delay` instance for the current HART.
  94. #[inline]
  95. pub fn new(freq: usize) -> Self {
  96. let hart_id = riscv::register::mhartid::read();
  97. let mtimer = unsafe { _riscv_peripheral_aclint_mtimer(hart_id) };
  98. let (mtime, mtimecmp) = (mtimer.mtime, mtimer.mtimecmp_mhartid());
  99. Self {
  100. hart_id,
  101. freq,
  102. mtime,
  103. mtimecmp,
  104. }
  105. }
  106. /// Returns the frequency of the `MTIME` register.
  107. #[inline]
  108. pub const fn get_freq(&self) -> usize {
  109. self.freq
  110. }
  111. /// Sets the frequency of the `MTIME` register.
  112. #[inline]
  113. pub fn set_freq(&mut self, freq: usize) {
  114. self.freq = freq;
  115. }
  116. }
  117. impl DelayNs for Delay {
  118. #[inline]
  119. async fn delay_ns(&mut self, ns: u32) {
  120. let n_ticks = ns as u64 * self.get_freq() as u64 / 1_000_000_000;
  121. DelayAsync::new(self, n_ticks).await;
  122. }
  123. #[inline]
  124. async fn delay_us(&mut self, us: u32) {
  125. let n_ticks = us as u64 * self.get_freq() as u64 / 1_000_000;
  126. DelayAsync::new(self, n_ticks).await;
  127. }
  128. #[inline]
  129. async fn delay_ms(&mut self, ms: u32) {
  130. let n_ticks = ms as u64 * self.get_freq() as u64 / 1_000;
  131. DelayAsync::new(self, n_ticks).await;
  132. }
  133. }
  134. /// Timer queue entry.
  135. /// When pushed to the timer queue via the `_riscv_peripheral_aclint_push_timer` function,
  136. /// this entry provides the necessary information to adapt it to the timer queue implementation.
  137. #[derive(Debug)]
  138. pub struct Timer {
  139. hart_id: usize,
  140. freq: usize,
  141. mtime: MTIME,
  142. mtimecmp: MTIMECMP,
  143. expires: u64,
  144. waker: Waker,
  145. }
  146. impl Timer {
  147. /// Creates a new timer queue entry.
  148. #[inline]
  149. const fn new(
  150. hart_id: usize,
  151. freq: usize,
  152. mtime: MTIME,
  153. mtimecmp: MTIMECMP,
  154. expires: u64,
  155. waker: Waker,
  156. ) -> Self {
  157. Self {
  158. hart_id,
  159. freq,
  160. mtime,
  161. mtimecmp,
  162. expires,
  163. waker,
  164. }
  165. }
  166. /// Returns the HART ID associated with this timer.
  167. #[inline]
  168. pub const fn hart_id(&self) -> usize {
  169. self.hart_id
  170. }
  171. /// Returns the frequency of the [`MTIME`] register associated with this timer.
  172. #[inline]
  173. pub const fn freq(&self) -> usize {
  174. self.freq
  175. }
  176. /// Returns the [`MTIME`] register associated with this timer.
  177. #[inline]
  178. pub const fn mtime(&self) -> MTIME {
  179. self.mtime
  180. }
  181. /// Returns the [`MTIMECMP`] register associated with this timer.
  182. #[inline]
  183. pub const fn mtimecmp(&self) -> MTIMECMP {
  184. self.mtimecmp
  185. }
  186. /// Returns the tick at which the timer expires.
  187. #[inline]
  188. pub const fn expires(&self) -> u64 {
  189. self.expires
  190. }
  191. /// Returns the waker associated with this timer.
  192. #[inline]
  193. pub fn waker(&self) -> Waker {
  194. self.waker.clone()
  195. }
  196. }
  197. impl PartialEq for Timer {
  198. fn eq(&self, other: &Self) -> bool {
  199. self.hart_id == other.hart_id && self.freq == other.freq && self.expires == other.expires
  200. }
  201. }
  202. impl Eq for Timer {}
  203. impl Ord for Timer {
  204. fn cmp(&self, other: &Self) -> core::cmp::Ordering {
  205. self.expires.cmp(&other.expires)
  206. }
  207. }
  208. impl PartialOrd for Timer {
  209. fn partial_cmp(&self, other: &Self) -> Option<core::cmp::Ordering> {
  210. Some(self.expires.cmp(&other.expires))
  211. }
  212. }
  213. struct DelayAsync<'a> {
  214. delay: &'a Delay,
  215. expires: u64,
  216. pushed: bool,
  217. }
  218. impl<'a> DelayAsync<'a> {
  219. pub fn new(delay: &'a Delay, n_ticks: u64) -> Self {
  220. let t0 = delay.mtime.read();
  221. let expires = t0.wrapping_add(n_ticks);
  222. Self {
  223. delay,
  224. expires,
  225. pushed: false,
  226. }
  227. }
  228. }
  229. impl<'a> Future for DelayAsync<'a> {
  230. type Output = ();
  231. #[inline]
  232. fn poll(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Self::Output> {
  233. if self.delay.mtime.read() < self.expires {
  234. if !self.pushed {
  235. // we only push the timer to the queue the first time we poll
  236. self.pushed = true;
  237. let timer = Timer::new(
  238. self.delay.hart_id,
  239. self.delay.freq,
  240. self.delay.mtime,
  241. self.delay.mtimecmp,
  242. self.expires,
  243. cx.waker().clone(),
  244. );
  245. unsafe {
  246. _riscv_peripheral_aclint_push_timer(timer).expect("timer queue is full");
  247. };
  248. // we also need to reschedule the machine timer interrupt
  249. schedule_machine_timer(self.delay.hart_id, self.delay.mtime, self.delay.mtimecmp);
  250. }
  251. Poll::Pending
  252. } else {
  253. Poll::Ready(())
  254. }
  255. }
  256. }