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
use crate::private::Sealed;
#[cfg(any(test, feature = "use-mocks"))]
use mockiato::mockable;
use std::fmt::Debug;
use std::time::{Duration, Instant};
#[cfg_attr(any(test, feature = "use-mocks"), mockable)]
pub trait InstantWrapper: Debug + Sealed {
fn duration_since(&self, earlier: &dyn InstantWrapper) -> Duration;
fn elapsed(&self) -> Duration;
fn to_inner(&self) -> Instant;
}
#[cfg(any(test, feature = "use-mocks"))]
impl Sealed for InstantWrapperMock<'_> {}
#[derive(Debug)]
pub struct InstantWrapperImpl {
instant: Instant,
}
impl InstantWrapperImpl {
pub fn new(instant: Instant) -> Self {
Self { instant }
}
}
impl Sealed for InstantWrapperImpl {}
impl InstantWrapper for InstantWrapperImpl {
fn duration_since(&self, earlier: &dyn InstantWrapper) -> Duration {
self.instant.duration_since(earlier.to_inner())
}
fn elapsed(&self) -> Duration {
self.instant.elapsed()
}
fn to_inner(&self) -> Instant {
self.instant
}
}
#[cfg(test)]
mod tests {
use super::*;
use std::thread::sleep;
const MAX_DURATION: Duration = Duration::from_millis(20);
#[test]
fn returns_inner() {
let instant = Instant::now();
let wrapper = InstantWrapperImpl::new(instant);
assert_eq!(instant, wrapper.to_inner());
}
#[test]
fn duration_since_another_instant_wrapper_is_within_range() {
let early_wrapper = InstantWrapperImpl::new(Instant::now());
let sleep_duration = Duration::from_millis(15);
sleep(sleep_duration);
let late_wrapper = InstantWrapperImpl::new(Instant::now());
let elapsed_time = late_wrapper.duration_since(&early_wrapper);
assert!(elapsed_time >= sleep_duration && elapsed_time < MAX_DURATION);
}
#[test]
fn duration_since_another_instant_wrapper_is_within_range_after_second_sleep() {
let early_wrapper = InstantWrapperImpl::new(Instant::now());
let sleep_duration = Duration::from_millis(15);
sleep(sleep_duration);
let late_wrapper = InstantWrapperImpl::new(Instant::now());
sleep(MAX_DURATION);
let elapsed_time = late_wrapper.duration_since(&early_wrapper);
assert!(elapsed_time >= sleep_duration && elapsed_time < MAX_DURATION);
}
#[test]
fn elapsed_time_is_within_range() {
let wrapper = InstantWrapperImpl::new(Instant::now());
let sleep_duration = Duration::from_millis(15);
sleep(sleep_duration);
let elapsed_time = wrapper.elapsed();
assert!(elapsed_time >= sleep_duration && elapsed_time < MAX_DURATION);
}
}