stm32_cec/reg/
cr.rs

1/// Control register.
2#[derive(Debug, Copy, Clone, Eq, PartialEq)]
3#[cfg_attr(feature = "defmt", derive(defmt::Format))]
4pub struct Cr {
5    val: u32,
6}
7
8impl Cr {
9    /// Reset value.
10    pub const DEFAULT: Self = Self { val: 0 };
11
12    pub(crate) const EN: Self = Self::DEFAULT.set_en(true);
13    pub(crate) const SOM: Self = Self::EN.set_txsom();
14    pub(crate) const EOM: Self = Self::EN.set_txeom();
15
16    /// Returns `true` if the CEC peripheral is enabled.
17    #[must_use]
18    pub const fn en(&self) -> bool {
19        self.val & 0b1 == 0b1
20    }
21
22    /// Set the CEC peripheral enable.
23    ///
24    /// # Example
25    ///
26    /// ```
27    /// use stm32_cec::Cr;
28    ///
29    /// let cr: Cr = Cr::DEFAULT;
30    /// assert_eq!(cr.en(), false);
31    ///
32    /// let cr: Cr = cr.set_en(true);
33    /// assert_eq!(cr.en(), true);
34    ///
35    /// let cr: Cr = cr.set_en(false);
36    /// assert_eq!(cr.en(), false);
37    /// ```
38    #[must_use = "set_en returns a modified Cr"]
39    pub const fn set_en(mut self, en: bool) -> Self {
40        if en {
41            self.val |= 0b1;
42        } else {
43            self.val &= !0b1;
44        }
45        self
46    }
47
48    #[must_use]
49    pub const fn txsom(&self) -> bool {
50        self.val & 0b10 == 0b10
51    }
52
53    #[must_use = "set_txsom returns a modified Cr"]
54    pub const fn set_txsom(mut self) -> Self {
55        self.val |= 0b10;
56        self
57    }
58
59    #[must_use]
60    pub const fn txeom(&self) -> bool {
61        self.val & 0b100 == 0b100
62    }
63
64    #[must_use = "set_txeom returns a modified Cr"]
65    pub const fn set_txeom(mut self) -> Self {
66        self.val |= 0b100;
67        self
68    }
69}
70
71impl Default for Cr {
72    fn default() -> Self {
73        Self::DEFAULT
74    }
75}
76
77impl From<u32> for Cr {
78    #[inline]
79    fn from(val: u32) -> Self {
80        Self { val }
81    }
82}
83
84impl From<Cr> for u32 {
85    #[inline]
86    fn from(cr: Cr) -> Self {
87        cr.val
88    }
89}