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
use std::time::{Duration, Instant};
use super::UpdateTimer;
impl UpdateTimer {
const UPDATE_INTERVAL: Duration = Duration::from_secs(5);
pub fn new<Name: Into<String>>(name: Name) -> Self {
Self {
last_update: Instant::now(),
last_checkpoint: Instant::now(),
updates_since_checkpoint: 0,
display_name: name.into(),
}
}
pub fn tick(&mut self) -> Duration {
let tick_duration = self.last_update.elapsed();
self.last_update = Instant::now();
self.update_checkpoint();
tick_duration
}
pub fn throttled_tick(&mut self, at_least: Duration) -> Duration {
const MIN_SLEEP: Duration = Duration::from_millis(1);
let raw_duration = self.last_update.elapsed();
if at_least > raw_duration && at_least - raw_duration > MIN_SLEEP {
spin_sleep::sleep(at_least - raw_duration);
}
self.tick()
}
fn update_checkpoint(&mut self) {
let since_last_checkpoint = self.last_checkpoint.elapsed();
if since_last_checkpoint >= Self::UPDATE_INTERVAL {
let nanos = since_last_checkpoint.as_nanos() as f32;
let nanos_per_update = nanos / self.updates_since_checkpoint as f32;
let ms_per_update = nanos_per_update / 1e+6;
let tps = f32::floor(1000.0 / ms_per_update) as i32;
log::info!(
"{} : {:.4} ms | {} tps",
self.display_name,
ms_per_update,
tps
);
self.last_checkpoint = Instant::now();
self.updates_since_checkpoint = 0;
} else {
self.updates_since_checkpoint += 1;
}
}
}