-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathsequencer.cpp
86 lines (73 loc) · 1.97 KB
/
sequencer.cpp
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
#include "arduino.h"
#include "sequencer.h"
/*
* Sequence implementation.
*/
Sequence::Sequence(SequenceEvent *eventsList, int eventsLength) {
events = eventsList;
eventCount = eventsLength;
nextEvent = 0;
started = false;
lastEventTime = 0;
}
void Sequence::start() {
start(micros());
}
void Sequence::start(unsigned long time) {
nextEvent = 0;
started = true;
lastEventTime = time;
}
bool Sequence::running() {
return started;
}
void Sequence::tick() {
tick(micros());
}
void Sequence::tick(unsigned long time) {
// Don't do anything if sequence has not been started.
if (!started) {
return;
}
// Compute elapsed time since the last event (or start).
// Note: Using unsigned longs works even in the event of overflow.
// eg: if the last event was at ULONG_MAX, and it's now 100, the result of
// 100 - ULONG_MAX = 101
unsigned long elapsed = time - lastEventTime;
if (elapsed >= events[nextEvent].timeout) { // FA: changed to >=
// Time to fire event - update our state first, then fire the event
// in case the event affects the state (e.g.: by calling start()).
lastEventTime = time;
int event = nextEvent;
nextEvent++;
if (nextEvent >= eventCount) {
// We are done with all events.
started = false;
nextEvent = 0;
}
// Now actually call the event callback.
events[event].callback();
}
}
/*
* SequenceHelper implementation.
*/
SequenceHelper::SequenceHelper(Sequence **s, int len) {
sequences = s;
count = len;
}
bool SequenceHelper::done() {
// If any one sequence is still running, return false.
for (int i = 0; i < count; i++) {
if (sequences[i]->running()) {
return false;
}
}
return true;
}
void SequenceHelper::tick() {
// Tick all the sequences.
for (int i = 0; i < count; i++) {
sequences[i]->tick();
}
}