-
Notifications
You must be signed in to change notification settings - Fork 182
/
Copy pathserial-interrupt-idle.rs
97 lines (84 loc) · 2.63 KB
/
serial-interrupt-idle.rs
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
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
//! Serial interface loopback test
//!
//! You have to short the TX and RX pins to make this program work
#![no_main]
#![no_std]
use panic_halt as _;
use cortex_m_rt::entry;
use stm32f1xx_hal::{
pac::{self, interrupt, USART1},
prelude::*,
serial::{Rx, Tx},
};
static mut RX: Option<Rx<USART1>> = None;
static mut TX: Option<Tx<USART1>> = None;
#[entry]
fn main() -> ! {
// Get access to the device specific peripherals from the peripheral access crate
let p = pac::Peripherals::take().unwrap();
// Take ownership over the raw flash and rcc devices and convert them into the corresponding
// HAL structs
let mut flash = p.FLASH.constrain();
let rcc = p.RCC.constrain();
// Freeze the configuration of all the clocks in the system and store the frozen frequencies in
// `clocks`
let clocks = rcc.cfgr.freeze(&mut flash.acr);
// Prepare the alternate function I/O registers
let mut afio = p.AFIO.constrain();
// Prepare the GPIOB peripheral
let mut gpiob = p.GPIOB.split();
// USART1
let tx = gpiob.pb6.into_alternate_push_pull(&mut gpiob.crl);
let rx = gpiob.pb7;
// Set up the usart device. Takes ownership over the USART register and tx/rx pins. The rest of
// the registers are used to enable and configure the device.
let (mut tx, mut rx) = p
.USART1
.remap(&mut afio.mapr)
.serial((tx, rx), 115_200.bps(), &clocks)
.split();
tx.listen();
rx.listen();
rx.listen_idle();
cortex_m::interrupt::free(|_| unsafe {
TX.replace(tx);
RX.replace(rx);
});
unsafe {
cortex_m::peripheral::NVIC::unmask(pac::Interrupt::USART1);
}
loop {
cortex_m::asm::wfi()
}
}
const BUFFER_LEN: usize = 4096;
static mut BUFFER: &mut [u8; BUFFER_LEN] = &mut [0; BUFFER_LEN];
static mut WIDX: usize = 0;
unsafe fn write(buf: &[u8]) {
if let Some(tx) = TX.as_mut() {
buf.iter()
.for_each(|w| if let Err(_err) = nb::block!(tx.write(*w)) {})
}
}
#[interrupt]
unsafe fn USART1() {
cortex_m::interrupt::free(|_| {
if let Some(rx) = RX.as_mut() {
if rx.is_rx_not_empty() {
if let Ok(w) = nb::block!(rx.read()) {
BUFFER[WIDX] = w;
WIDX += 1;
if WIDX >= BUFFER_LEN - 1 {
write(&BUFFER[..]);
WIDX = 0;
}
}
rx.listen_idle();
} else if rx.is_idle() {
rx.unlisten_idle();
write(&BUFFER[0..WIDX]);
WIDX = 0;
}
}
})
}