twilight_gateway/
latency.rs

1//! Statistics about the latency of a shard, useful for debugging.
2
3use std::time::{Duration, Instant};
4
5/// [`Shard`]'s gateway connection latency.
6///
7/// Measures the difference between sending a heartbeat and receiving an
8/// acknowledgement, also known as a heartbeat period. Spurious heartbeat
9/// acknowledgements are ignored.
10///
11/// May be obtained via [`Shard::latency`].
12///
13/// [`Shard`]: crate::Shard
14/// [`Shard::latency`]: crate::Shard::latency
15#[derive(Clone, Debug)]
16pub struct Latency {
17    /// Sum of recorded latencies.
18    latency_sum: Duration,
19    /// Number of recorded heartbeat periods.
20    periods: u32,
21    /// When the last heartbeat received an acknowledgement.
22    received: Option<Instant>,
23    /// List of most recent latencies.
24    recent: [Duration; Self::RECENT_LEN],
25    /// When the last heartbeat was sent.
26    sent: Option<Instant>,
27}
28
29impl Latency {
30    /// Number of recent latencies to store.
31    const RECENT_LEN: usize = 5;
32
33    /// Create a new instance for tracking shard latency.
34    pub(crate) const fn new() -> Self {
35        Self {
36            latency_sum: Duration::ZERO,
37            periods: 0,
38            received: None,
39            recent: [Duration::MAX; Self::RECENT_LEN],
40            sent: None,
41        }
42    }
43
44    /// Average latency.
45    ///
46    /// For example, a reasonable value for this may be between 10 to 100
47    /// milliseconds depending on the network connection and physical location.
48    ///
49    /// Returns [`None`] if no heartbeat periods have been recorded.
50    pub const fn average(&self) -> Option<Duration> {
51        self.latency_sum.checked_div(self.periods)
52    }
53
54    /// Number of recorded heartbeat periods.
55    pub const fn periods(&self) -> u32 {
56        self.periods
57    }
58
59    /// Most recent latencies from newest to oldest.
60    pub fn recent(&self) -> &[Duration] {
61        // We use the sentinel value of Duration::MAX since using
62        // `Duration::ZERO` would cause tests depending on elapsed time on fast
63        // CPUs to flake. See issue #2114.
64        let maybe_zero_idx = self
65            .recent
66            .iter()
67            .position(|duration| *duration == Duration::MAX);
68
69        &self.recent[0..maybe_zero_idx.unwrap_or(Self::RECENT_LEN)]
70    }
71
72    /// When the last heartbeat received an acknowledgement.
73    pub const fn received(&self) -> Option<Instant> {
74        self.received
75    }
76
77    /// When the last heartbeat was sent.
78    pub const fn sent(&self) -> Option<Instant> {
79        self.sent
80    }
81
82    /// Record that a heartbeat acknowledgement was received, completing the
83    /// period.
84    ///
85    /// The current time is subtracted against when the last heartbeat
86    /// [was sent] to calculate the heartbeat period's latency.
87    ///
88    /// # Panics
89    ///
90    /// Panics if the period is already complete or has not begun.
91    ///
92    /// [was sent]: Self::record_sent
93    #[track_caller]
94    pub(crate) fn record_received(&mut self) {
95        debug_assert!(self.received.is_none(), "period completed multiple times");
96
97        let now = Instant::now();
98        let period_latency = now - self.sent.expect("period has not begun");
99        self.received = Some(now);
100        self.periods += 1;
101
102        self.latency_sum += period_latency;
103        self.recent.copy_within(..Self::RECENT_LEN - 1, 1);
104        self.recent[0] = period_latency;
105    }
106
107    /// Record that a heartbeat was sent, beginning a new period.
108    ///
109    /// The current time is stored to be used in [`record_received`].
110    ///
111    /// [`record_received`]: Self::record_received
112    pub(crate) fn record_sent(&mut self) {
113        self.received = None;
114        self.sent = Some(Instant::now());
115    }
116}
117
118#[cfg(test)]
119mod tests {
120    use super::Latency;
121    use static_assertions::assert_impl_all;
122    use std::{fmt::Debug, time::Duration};
123
124    assert_impl_all!(Latency: Clone, Debug, Send, Sync);
125
126    const fn default_latency() -> Latency {
127        Latency {
128            latency_sum: Duration::from_millis(510),
129            periods: 17,
130            received: None,
131            recent: [
132                Duration::from_millis(20),
133                Duration::from_millis(25),
134                Duration::from_millis(30),
135                Duration::from_millis(35),
136                Duration::from_millis(40),
137            ],
138            sent: None,
139        }
140    }
141
142    #[test]
143    fn public_api() {
144        let latency = default_latency();
145        assert_eq!(latency.average(), Some(Duration::from_millis(30)));
146        assert_eq!(latency.periods(), 17);
147        assert!(latency.received().is_none());
148        assert!(latency.sent().is_none());
149
150        assert_eq!(latency.recent.len(), Latency::RECENT_LEN);
151        let mut iter = latency.recent().iter();
152        assert_eq!(iter.next(), Some(&Duration::from_millis(20)));
153        assert_eq!(iter.next_back(), Some(&Duration::from_millis(40)));
154        assert_eq!(iter.next(), Some(&Duration::from_millis(25)));
155        assert_eq!(iter.next(), Some(&Duration::from_millis(30)));
156        assert_eq!(iter.next_back(), Some(&Duration::from_millis(35)));
157        assert!(iter.next().is_none());
158        assert!(iter.next_back().is_none());
159    }
160
161    /// Test that only recent values up to and not including the sentinel value
162    /// are returned.
163    #[test]
164    fn recent() {
165        // Assert that when all recent latencies are the sentinel value then an
166        // empty slice is returned.
167        let no_recents = Latency {
168            latency_sum: Duration::ZERO,
169            periods: 0,
170            received: None,
171            recent: [Duration::MAX; Latency::RECENT_LEN],
172            sent: None,
173        };
174        assert!(no_recents.recent().is_empty());
175
176        // Assert that when only some recent latencies aren't the sentinel value
177        // then a partial slice is returned.
178        let partial = Latency {
179            recent: [
180                Duration::from_millis(40),
181                Duration::from_millis(50),
182                Duration::MAX,
183                Duration::MAX,
184                Duration::MAX,
185            ],
186            ..no_recents
187        };
188        assert_eq!(
189            [Duration::from_millis(40), Duration::from_millis(50)],
190            partial.recent()
191        );
192
193        // Assert that when all recent latencies aren't the sentinel value then
194        // the full slice is returned.
195        let full = Latency {
196            recent: [
197                Duration::from_millis(40),
198                Duration::from_millis(50),
199                Duration::from_millis(60),
200                Duration::from_millis(70),
201                Duration::from_millis(60),
202            ],
203            ..no_recents
204        };
205        assert_eq!(
206            [
207                Duration::from_millis(40),
208                Duration::from_millis(50),
209                Duration::from_millis(60),
210                Duration::from_millis(70),
211                Duration::from_millis(60),
212            ],
213            full.recent()
214        );
215    }
216
217    #[test]
218    fn record_period() {
219        let mut latency = Latency::new();
220        assert_eq!(latency.periods(), 0);
221        assert!(latency.received().is_none());
222        assert!(latency.sent().is_none());
223        assert!(latency.recent().is_empty());
224
225        latency.record_sent();
226        assert_eq!(latency.periods(), 0);
227        assert!(latency.received().is_none());
228        assert!(latency.sent().is_some());
229
230        latency.record_received();
231        assert_eq!(latency.periods(), 1);
232        assert!(latency.received().is_some());
233        assert!(latency.sent().is_some());
234        assert_eq!(latency.recent().len(), 1);
235
236        latency.record_sent();
237        assert_eq!(latency.periods(), 1);
238        assert!(latency.received().is_none());
239        assert!(latency.sent().is_some());
240        assert_eq!(latency.recent().len(), 1);
241    }
242
243    #[test]
244    #[should_panic(expected = "period completed multiple times")]
245    fn record_completed_period() {
246        let mut latency = Latency::new();
247        latency.record_sent();
248        latency.record_received();
249        latency.record_received();
250    }
251
252    #[test]
253    #[should_panic(expected = "period has not begun")]
254    fn record_not_begun_period() {
255        let mut latency = Latency::new();
256        latency.record_received();
257    }
258}