Skip to content

Commit 78c49a7

Browse files
authored
Merge pull request #3717 from yodaldevoid/stm32-dts
stm32: Implement reads of DTS peripheral
2 parents ad2f7c3 + 4c8ee87 commit 78c49a7

File tree

5 files changed

+369
-2
lines changed

5 files changed

+369
-2
lines changed

embassy-stm32/Cargo.toml

Lines changed: 2 additions & 2 deletions
Original file line numberDiff line numberDiff line change
@@ -73,7 +73,7 @@ rand_core = "0.6.3"
7373
sdio-host = "0.5.0"
7474
critical-section = "1.1"
7575
#stm32-metapac = { version = "15" }
76-
stm32-metapac = { git = "https://github.com/embassy-rs/stm32-data-generated", tag = "stm32-data-567fd0b1b7dfd9c1aa9e54d365547afe1ceb1241" }
76+
stm32-metapac = { git = "https://github.com/embassy-rs/stm32-data-generated", tag = "stm32-data-274eeb0ed4477768d026276c4e9873586c1b9a05" }
7777

7878
vcell = "0.1.3"
7979
nb = "1.0.0"
@@ -102,7 +102,7 @@ proc-macro2 = "1.0.36"
102102
quote = "1.0.15"
103103

104104
#stm32-metapac = { version = "15", default-features = false, features = ["metadata"]}
105-
stm32-metapac = { git = "https://github.com/embassy-rs/stm32-data-generated", tag = "stm32-data-567fd0b1b7dfd9c1aa9e54d365547afe1ceb1241", default-features = false, features = ["metadata"] }
105+
stm32-metapac = { git = "https://github.com/embassy-rs/stm32-data-generated", tag = "stm32-data-274eeb0ed4477768d026276c4e9873586c1b9a05", default-features = false, features = ["metadata"] }
106106

107107
[features]
108108
default = ["rt"]

embassy-stm32/src/dts/mod.rs

Lines changed: 239 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,239 @@
1+
//! Digital Temperature Sensor (DTS)
2+
3+
use core::future::poll_fn;
4+
use core::sync::atomic::{compiler_fence, Ordering};
5+
use core::task::Poll;
6+
7+
use embassy_hal_internal::{into_ref, PeripheralRef};
8+
use embassy_sync::waitqueue::AtomicWaker;
9+
10+
use crate::interrupt::InterruptExt;
11+
use crate::peripherals::DTS;
12+
use crate::time::Hertz;
13+
use crate::{interrupt, pac, rcc, Peripheral};
14+
15+
mod tsel;
16+
pub use tsel::TriggerSel;
17+
18+
#[allow(missing_docs)]
19+
#[derive(Eq, PartialEq, Ord, PartialOrd, Clone, Copy, Debug)]
20+
#[cfg_attr(feature = "defmt", derive(defmt::Format))]
21+
pub enum SampleTime {
22+
ClockCycles1 = 1,
23+
ClockCycles2 = 2,
24+
ClockCycles3 = 3,
25+
ClockCycles4 = 4,
26+
ClockCycles5 = 5,
27+
ClockCycles6 = 6,
28+
ClockCycles7 = 7,
29+
ClockCycles8 = 8,
30+
ClockCycles9 = 9,
31+
ClockCycles10 = 10,
32+
ClockCycles11 = 11,
33+
ClockCycles12 = 12,
34+
ClockCycles13 = 13,
35+
ClockCycles14 = 14,
36+
ClockCycles15 = 15,
37+
}
38+
39+
#[non_exhaustive]
40+
#[derive(Clone, Copy, PartialEq, Eq, Debug)]
41+
/// Config
42+
pub struct Config {
43+
/// Sample time
44+
pub sample_time: SampleTime,
45+
/// Trigger selection
46+
pub trigger: TriggerSel,
47+
}
48+
49+
impl Default for Config {
50+
fn default() -> Self {
51+
Self {
52+
sample_time: SampleTime::ClockCycles1,
53+
trigger: TriggerSel::Software,
54+
}
55+
}
56+
}
57+
58+
/// The read-only factory calibration values used for converting a
59+
/// measurement to a temperature.
60+
#[derive(Clone, Debug)]
61+
#[cfg_attr(feature = "defmt", derive(defmt::Format))]
62+
pub struct FactoryCalibration {
63+
/// The calibration temperature in degrees Celsius.
64+
pub t0: u8,
65+
/// The frequency at the calibration temperature.
66+
pub fmt0: Hertz,
67+
/// The ramp coefficient in Hertz per degree Celsius.
68+
pub ramp_coeff: u16,
69+
}
70+
71+
const MAX_DTS_CLK_FREQ: Hertz = Hertz::mhz(1);
72+
73+
/// Digital temperature sensor driver.
74+
pub struct Dts<'d> {
75+
_peri: PeripheralRef<'d, DTS>,
76+
}
77+
78+
static WAKER: AtomicWaker = AtomicWaker::new();
79+
80+
impl<'d> Dts<'d> {
81+
/// Create a new temperature sensor driver.
82+
pub fn new(
83+
_peri: impl Peripheral<P = DTS> + 'd,
84+
_irq: impl interrupt::typelevel::Binding<interrupt::typelevel::DTS, InterruptHandler> + 'd,
85+
config: Config,
86+
) -> Self {
87+
into_ref!(_peri);
88+
rcc::enable_and_reset::<DTS>();
89+
90+
let prescaler = rcc::frequency::<DTS>() / MAX_DTS_CLK_FREQ;
91+
92+
if prescaler > 127 {
93+
panic!("DTS PCLK frequency must be less than 127 MHz.");
94+
}
95+
96+
Self::regs().cfgr1().modify(|w| {
97+
w.set_refclk_sel(false);
98+
w.set_hsref_clk_div(prescaler as u8);
99+
w.set_q_meas_opt(false);
100+
// Software trigger
101+
w.set_intrig_sel(0);
102+
w.set_smp_time(config.sample_time as u8);
103+
w.set_intrig_sel(config.trigger as u8);
104+
w.set_start(true);
105+
w.set_en(true);
106+
});
107+
108+
interrupt::DTS.unpend();
109+
unsafe { interrupt::DTS.enable() };
110+
111+
Self { _peri }
112+
}
113+
114+
/// Reconfigure the driver.
115+
pub fn set_config(&mut self, config: &Config) {
116+
Self::regs().cfgr1().modify(|w| {
117+
w.set_smp_time(config.sample_time as u8);
118+
w.set_intrig_sel(config.trigger as u8);
119+
});
120+
}
121+
122+
/// Get the read-only factory calibration values used for converting a
123+
/// measurement to a temperature.
124+
pub fn factory_calibration() -> FactoryCalibration {
125+
let t0valr1 = Self::regs().t0valr1().read();
126+
let t0 = match t0valr1.t0() {
127+
0 => 30,
128+
1 => 130,
129+
_ => unimplemented!(),
130+
};
131+
let fmt0 = Hertz::hz(t0valr1.fmt0() as u32 * 100);
132+
133+
let ramp_coeff = Self::regs().rampvalr().read().ramp_coeff();
134+
135+
FactoryCalibration { t0, fmt0, ramp_coeff }
136+
}
137+
138+
/// Perform an asynchronous temperature measurement. The returned future can
139+
/// be awaited to obtain the measurement.
140+
///
141+
/// The future returned waits for the next measurement to complete.
142+
///
143+
/// # Example
144+
///
145+
/// ```no_run
146+
/// use embassy_stm32::{bind_interrupts, dts};
147+
/// use embassy_stm32::dts::Dts;
148+
///
149+
/// bind_interrupts!(struct Irqs {
150+
/// DTS => temp::InterruptHandler;
151+
/// });
152+
///
153+
/// # async {
154+
/// # let p: embassy_stm32::Peripherals = todo!();
155+
/// let mut dts = Dts::new(p.DTS, Irqs, Default::default());
156+
/// let v: u16 = dts.read().await;
157+
/// # };
158+
/// ```
159+
pub async fn read(&mut self) -> u16 {
160+
let r = Self::regs();
161+
162+
r.itenr().modify(|w| w.set_iteen(true));
163+
164+
poll_fn(|cx| {
165+
WAKER.register(cx.waker());
166+
if r.itenr().read().iteen() {
167+
Poll::Pending
168+
} else {
169+
Poll::Ready(r.dr().read().mfreq())
170+
}
171+
})
172+
.await
173+
}
174+
175+
/// Returns the last measurement made, if any.
176+
///
177+
/// There is no guarantee that the measurement is recent or that a
178+
/// measurement has ever completed.
179+
pub fn read_immediate(&mut self) -> u16 {
180+
Self::regs().dr().read().mfreq()
181+
}
182+
183+
fn regs() -> pac::dts::Dts {
184+
pac::DTS
185+
}
186+
}
187+
188+
impl<'d> Drop for Dts<'d> {
189+
fn drop(&mut self) {
190+
Self::regs().cfgr1().modify(|w| w.set_en(false));
191+
rcc::disable::<DTS>();
192+
}
193+
}
194+
195+
/// Interrupt handler.
196+
pub struct InterruptHandler {
197+
_private: (),
198+
}
199+
200+
impl interrupt::typelevel::Handler<interrupt::typelevel::DTS> for InterruptHandler {
201+
unsafe fn on_interrupt() {
202+
let r = pac::DTS;
203+
let (sr, itenr) = (r.sr().read(), r.itenr().read());
204+
205+
if (itenr.iteen() && sr.itef()) || (itenr.aiteen() && sr.aitef()) {
206+
r.itenr().modify(|w| {
207+
w.set_iteen(false);
208+
w.set_aiteen(false);
209+
});
210+
r.icifr().modify(|w| {
211+
w.set_citef(true);
212+
w.set_caitef(true);
213+
});
214+
} else if (itenr.itlen() && sr.itlf()) || (itenr.aitlen() && sr.aitlf()) {
215+
r.itenr().modify(|w| {
216+
w.set_itlen(false);
217+
w.set_aitlen(false);
218+
});
219+
r.icifr().modify(|w| {
220+
w.set_citlf(true);
221+
w.set_caitlf(true);
222+
});
223+
} else if (itenr.ithen() && sr.ithf()) || (itenr.aithen() && sr.aithf()) {
224+
r.itenr().modify(|w| {
225+
w.set_ithen(false);
226+
w.set_aithen(false);
227+
});
228+
r.icifr().modify(|w| {
229+
w.set_cithf(true);
230+
w.set_caithf(true);
231+
});
232+
} else {
233+
return;
234+
}
235+
236+
compiler_fence(Ordering::SeqCst);
237+
WAKER.wake();
238+
}
239+
}

embassy-stm32/src/dts/tsel.rs

Lines changed: 51 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,51 @@
1+
/// Trigger selection for H5
2+
#[cfg(stm32h5)]
3+
#[derive(Debug, Copy, Clone, Eq, PartialEq)]
4+
#[cfg_attr(feature = "defmt", derive(defmt::Format))]
5+
pub enum TriggerSel {
6+
/// Software triggering. Performs continuous measurements.
7+
Software = 0,
8+
/// LPTIM1 CH1
9+
Lptim1 = 1,
10+
/// LPTIM2 CH1
11+
Lptim2 = 2,
12+
/// LPTIM3 CH1
13+
#[cfg(not(stm32h503))]
14+
Lptim3 = 3,
15+
/// EXTI13
16+
Exti13 = 4,
17+
}
18+
19+
/// Trigger selection for H7, except for H7R and H7S
20+
#[cfg(stm32h7)]
21+
#[derive(Debug, Copy, Clone, Eq, PartialEq)]
22+
#[cfg_attr(feature = "defmt", derive(defmt::Format))]
23+
pub enum TriggerSel {
24+
/// Software triggering. Performs continuous measurements.
25+
Software = 0,
26+
/// LPTIM1 OUT
27+
Lptim1 = 1,
28+
/// LPTIM2 OUT
29+
Lptim2 = 2,
30+
/// LPTIM3 OUT
31+
Lptim3 = 3,
32+
/// EXTI13
33+
Exti13 = 4,
34+
}
35+
36+
/// Trigger selection for H7R and H7S
37+
#[cfg(stm32h7rs)]
38+
#[derive(Debug, Copy, Clone, Eq, PartialEq)]
39+
#[cfg_attr(feature = "defmt", derive(defmt::Format))]
40+
pub enum TriggerSel {
41+
/// Software triggering. Performs continuous measurements.
42+
Software = 0,
43+
/// LPTIM4 OUT
44+
Lptim4 = 1,
45+
/// LPTIM2 CH1
46+
Lptim2 = 2,
47+
/// LPTIM3 CH1
48+
Lptim3 = 3,
49+
/// EXTI13
50+
Exti13 = 4,
51+
}

embassy-stm32/src/lib.rs

Lines changed: 2 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -68,6 +68,8 @@ pub mod dac;
6868
pub mod dcmi;
6969
#[cfg(dsihost)]
7070
pub mod dsihost;
71+
#[cfg(dts)]
72+
pub mod dts;
7173
#[cfg(eth)]
7274
pub mod eth;
7375
#[cfg(feature = "exti")]

examples/stm32h5/src/bin/dts.rs

Lines changed: 75 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,75 @@
1+
#![no_std]
2+
#![no_main]
3+
4+
use defmt::*;
5+
use embassy_executor::Spawner;
6+
use embassy_stm32::dts::{Dts, InterruptHandler, SampleTime};
7+
use embassy_stm32::peripherals::DTS;
8+
use embassy_stm32::rcc::frequency;
9+
use embassy_stm32::{bind_interrupts, dts, Config};
10+
use embassy_time::Timer;
11+
use {defmt_rtt as _, panic_probe as _};
12+
13+
bind_interrupts!(struct Irqs {
14+
DTS => InterruptHandler;
15+
});
16+
17+
#[embassy_executor::main]
18+
async fn main(_spawner: Spawner) {
19+
let mut config = Config::default();
20+
{
21+
use embassy_stm32::rcc::*;
22+
config.rcc.hsi = Some(HSIPrescaler::DIV1);
23+
config.rcc.csi = true;
24+
config.rcc.pll1 = Some(Pll {
25+
source: PllSource::HSI,
26+
prediv: PllPreDiv::DIV4,
27+
mul: PllMul::MUL25,
28+
divp: Some(PllDiv::DIV2),
29+
divq: Some(PllDiv::DIV4), // SPI1 cksel defaults to pll1_q
30+
divr: None,
31+
});
32+
config.rcc.pll2 = Some(Pll {
33+
source: PllSource::HSI,
34+
prediv: PllPreDiv::DIV4,
35+
mul: PllMul::MUL25,
36+
divp: None,
37+
divq: None,
38+
divr: Some(PllDiv::DIV4), // 100mhz
39+
});
40+
config.rcc.sys = Sysclk::PLL1_P; // 200 Mhz
41+
config.rcc.ahb_pre = AHBPrescaler::DIV1; // 200 Mhz
42+
config.rcc.apb1_pre = APBPrescaler::DIV2; // 100 Mhz
43+
config.rcc.apb2_pre = APBPrescaler::DIV2; // 100 Mhz
44+
config.rcc.apb3_pre = APBPrescaler::DIV2; // 100 Mhz
45+
config.rcc.voltage_scale = VoltageScale::Scale1;
46+
config.rcc.mux.adcdacsel = mux::Adcdacsel::PLL2_R;
47+
}
48+
let p = embassy_stm32::init(config);
49+
50+
info!("Hello World!");
51+
52+
let mut config = dts::Config::default();
53+
config.sample_time = SampleTime::ClockCycles15;
54+
let mut dts = Dts::new(p.DTS, Irqs, config);
55+
56+
let cal = Dts::factory_calibration();
57+
let convert_to_celsius = |raw_temp: u16| {
58+
let raw_temp = raw_temp as f32;
59+
let sample_time = (config.sample_time as u8) as f32;
60+
61+
let f = frequency::<DTS>().0 as f32;
62+
63+
let t0 = cal.t0 as f32;
64+
let fmt0 = cal.fmt0.0 as f32;
65+
let ramp_coeff = cal.ramp_coeff as f32;
66+
67+
((f * sample_time / raw_temp) - fmt0) / ramp_coeff + t0
68+
};
69+
70+
loop {
71+
let temp = dts.read().await;
72+
info!("Temp: {} degrees", convert_to_celsius(temp));
73+
Timer::after_millis(500).await;
74+
}
75+
}

0 commit comments

Comments
 (0)