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
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
//! # [`Monotonic`] implementation based on RP2040's `Timer` peripheral.
//!
//! Uses [`fugit`] as underlying time library.
//!
//! [`fugit`]: https://docs.rs/crate/fugit
//! [`Monotonic`]: https://docs.rs/rtic-monotonic

#![no_std]

pub use fugit::{self, ExtU64};
use rp2040_pac::{RESETS, TIMER};
use rtic_monotonic::Monotonic;

/// RP2040 `Timer` implementation for `rtic_monotonic::Monotonic`.
pub struct Rp2040Monotonic {
    timer: TIMER,
}

impl Rp2040Monotonic {
    /// Create a new `Monotonic` based on RP2040's `Timer` peripheral.
    pub fn new(timer: TIMER) -> Self {
        Self { timer }
    }
}

impl Monotonic for Rp2040Monotonic {
    const DISABLE_INTERRUPT_ON_EMPTY_QUEUE: bool = false;

    type Instant = fugit::TimerInstantU64<1_000_000>;
    type Duration = fugit::TimerDurationU64<1_000_000>;

    fn now(&mut self) -> Self::Instant {
        let mut hi0 = self.timer.timerawh.read().bits();
        loop {
            let low = self.timer.timerawl.read().bits();
            let hi1 = self.timer.timerawh.read().bits();
            if hi0 == hi1 {
                break Self::Instant::from_ticks((u64::from(hi0) << 32) | u64::from(low));
            }
            hi0 = hi1;
        }
    }

    unsafe fn reset(&mut self) {
        let resets = &*RESETS::ptr();
        resets.reset.modify(|_, w| w.timer().clear_bit());
        while resets.reset_done.read().timer().bit_is_clear() {}
        self.timer.inte.modify(|_, w| w.alarm_0().set_bit());
    }

    fn set_compare(&mut self, instant: Self::Instant) {
        let now = self.now();

        let max = u32::MAX as u64;

        // Since the timer may or may not overflow based on the requested compare val, we check
        // how many ticks are left.
        let val = match instant.checked_duration_since(now) {
            Some(x) if x.ticks() <= max => instant.duration_since_epoch().ticks() & max, // Will not overflow
            _ => 0, // Will overflow or in the past, set the same value as after overflow to not get extra interrupts
        };

        self.timer.alarm0.write(|w| unsafe { w.bits(val as u32) });
    }

    fn clear_compare_flag(&mut self) {
        self.timer.intr.modify(|_, w| w.alarm_0().bit(true));
    }

    fn zero() -> Self::Instant {
        Self::Instant::from_ticks(0)
    }
}