forked from vhspace/sdl3-rs
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtimer.rs
191 lines (163 loc) · 5.49 KB
/
timer.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
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
use crate::sys;
use libc::c_void;
use std::ptr::NonNull;
/// Constructs a new timer using the boxed closure `callback`.
///
/// The timer is started immediately and will be canceled either:
///
/// * When the timer is dropped.
/// * When the callback returns a non-positive continuation interval.
///
/// The callback is run in a thread that is created and managed internally
/// by SDL3 from C. The callback **must not panic!**
#[must_use = "if unused the Timer will be dropped immediately"]
#[doc(alias = "SDL_AddTimer")]
pub fn add_timer(delay: u32, callback: TimerCallback) -> Timer {
unsafe {
// Allocate the callback on the heap and get a raw pointer.
let callback_ptr = Box::into_raw(Box::new(callback));
// Call SDL_AddTimer with the appropriate function signature.
let timer_id =
sys::timer::SDL_AddTimer(delay, Some(c_timer_callback), callback_ptr as *mut c_void);
Timer {
callback: Some(NonNull::new(callback_ptr).unwrap()),
raw: timer_id,
}
}
}
/// Gets the number of milliseconds elapsed since the timer subsystem was initialized.
///
/// It's recommended to use another library for timekeeping, such as `time`.
#[doc(alias = "SDL_GetTicks")]
pub fn ticks() -> u64 {
unsafe { sys::timer::SDL_GetTicks() }
}
/// Sleeps the current thread for the specified amount of milliseconds.
///
/// It's recommended to use `std::thread::sleep()` instead.
#[doc(alias = "SDL_Delay")]
pub fn delay(ms: u32) {
unsafe { sys::timer::SDL_Delay(ms) }
}
#[doc(alias = "SDL_GetPerformanceCounter")]
pub fn performance_counter() -> u64 {
unsafe { sys::timer::SDL_GetPerformanceCounter() }
}
#[doc(alias = "SDL_GetPerformanceFrequency")]
pub fn performance_frequency() -> u64 {
unsafe { sys::timer::SDL_GetPerformanceFrequency() }
}
/// Type alias for the timer callback function.
pub type TimerCallback = Box<dyn FnMut() -> u32 + Send + 'static>;
pub struct Timer {
callback: Option<NonNull<TimerCallback>>,
raw: sys::timer::SDL_TimerID,
}
impl Timer {
/// Returns the closure as a trait-object and cancels the timer
/// by consuming it.
pub fn into_inner(mut self) -> TimerCallback {
unsafe {
sys::timer::SDL_RemoveTimer(self.raw);
if let Some(callback_ptr) = self.callback.take() {
// Reconstruct the Box from the raw pointer.
Box::from_raw(callback_ptr.as_ptr())
} else {
panic!("Timer callback already taken");
}
}
}
}
impl Drop for Timer {
#[inline]
#[doc(alias = "SDL_RemoveTimer")]
fn drop(&mut self) {
unsafe {
sys::timer::SDL_RemoveTimer(self.raw);
if let Some(callback_ptr) = self.callback.take() {
// Reclaim the Box and drop it.
let _ = Box::from_raw(callback_ptr.as_ptr());
}
}
}
}
extern "C" fn c_timer_callback(
userdata: *mut c_void,
_timerID: sys::timer::SDL_TimerID,
_interval: u32,
) -> u32 {
let callback_ptr = userdata as *mut TimerCallback;
unsafe { (*callback_ptr)() }
}
#[cfg(not(target_os = "macos"))]
#[cfg(test)]
mod test {
use std::sync::{Arc, Mutex};
use std::time::Duration;
use crate::timer::add_timer;
#[test]
fn test_timer_runs_multiple_times() {
let _sdl_context = crate::sdl::init().unwrap();
//let timer_subsystem = sdl_context.timer().unwrap();
let local_num = Arc::new(Mutex::new(0));
let timer_num = local_num.clone();
let _timer = add_timer(
20,
Box::new(move || {
let mut num = timer_num.lock().unwrap();
if *num < 9 {
*num += 1;
20
} else {
0
}
}),
);
std::thread::sleep(Duration::from_millis(250));
let num = local_num.lock().unwrap();
assert_eq!(*num, 9);
}
#[test]
fn test_timer_runs_at_least_once() {
let _sdl_context = crate::sdl::init().unwrap();
//let timer_subsystem = sdl_context.timer().unwrap();
let local_flag = Arc::new(Mutex::new(false));
let timer_flag = local_flag.clone();
let _timer = add_timer(
20,
Box::new(move || {
let mut flag = timer_flag.lock().unwrap();
*flag = true;
0
}),
);
std::thread::sleep(Duration::from_millis(50));
let flag = local_flag.lock().unwrap();
assert_eq!(*flag, true);
}
#[test]
fn test_timer_can_be_recreated() {
let sdl_context = crate::sdl::init().unwrap();
//let timer_subsystem = sdl_context.timer().unwrap();
let local_num = Arc::new(Mutex::new(0));
let timer_num = local_num.clone();
// Run the timer once and reclaim its closure.
let timer_1 = add_timer(
20,
Box::new(move || {
let mut num = timer_num.lock().unwrap();
*num += 1;
0
}),
);
// Reclaim closure after timer runs.
std::thread::sleep(Duration::from_millis(50));
let closure = timer_1.into_inner();
// Create a second timer and increment again.
let _timer_2 = add_timer(20, closure);
std::thread::sleep(Duration::from_millis(50));
// Check that timer was incremented twice.
let num = local_num.lock().unwrap();
assert_eq!(*num, 2);
}
}