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
|
use crate::{
mutex::{MainCtx, MutexCell},
system::SysPeriph,
timer::{timer_get_large, LargeTimestamp, RelLargeTimestamp},
};
const HALFWAVE_DUR: RelLargeTimestamp = RelLargeTimestamp::from_millis(10);
#[derive(Clone, Copy, PartialEq, Eq)]
pub enum Phase {
Notsync,
PosHalfwave,
NegHalfwave,
}
#[derive(Clone, Copy, PartialEq, Eq)]
pub enum PhaseUpdate {
NotChanged,
Changed,
}
pub struct Mains {
prev_vsense: MutexCell<bool>,
phase: MutexCell<Phase>,
phaseref: MutexCell<LargeTimestamp>,
}
impl Mains {
pub const fn new() -> Self {
Self {
prev_vsense: MutexCell::new(false),
phase: MutexCell::new(Phase::Notsync),
phaseref: MutexCell::new(LargeTimestamp::new()),
}
}
fn read_vsense(&self, _m: &MainCtx<'_>, sp: &SysPeriph) -> bool {
sp.PORTA.pina.read().pa1().bit()
}
pub fn run(&self, m: &MainCtx<'_>, sp: &SysPeriph) -> PhaseUpdate {
let vsense = self.read_vsense(m, sp);
let now = timer_get_large(m);
let mut ret = PhaseUpdate::NotChanged;
match self.phase.get(m) {
Phase::Notsync | Phase::NegHalfwave => {
if !self.prev_vsense.get(m) && vsense {
self.phaseref.set(m, now);
self.phase.set(m, Phase::PosHalfwave);
ret = PhaseUpdate::Changed;
}
}
Phase::PosHalfwave => {
let nextref = self.phaseref.get(m) + HALFWAVE_DUR;
if now >= nextref {
self.phaseref.set(m, nextref);
self.phase.set(m, Phase::NegHalfwave);
ret = PhaseUpdate::Changed;
}
}
}
self.prev_vsense.set(m, vsense);
ret
}
pub fn get_phase(&self, m: &MainCtx<'_>) -> Phase {
self.phase.get(m)
}
pub fn get_phaseref(&self, m: &MainCtx<'_>) -> LargeTimestamp {
self.phaseref.get(m)
}
}
// vim: ts=4 sw=4 expandtab
|