settings/
clock.rs

1// Copyright 2020 The Fuchsia Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5use zx::MonotonicInstant;
6
7const TIMESTAMP_DIVIDEND: i64 = 1_000_000_000;
8
9#[cfg(not(test))]
10pub(crate) fn now() -> MonotonicInstant {
11    MonotonicInstant::get()
12}
13
14#[cfg(not(test))]
15pub(crate) fn inspect_format_now() -> String {
16    // follows syslog timestamp format: [seconds.nanos]
17    let timestamp = now().into_nanos();
18    let seconds = timestamp / TIMESTAMP_DIVIDEND;
19    let nanos = timestamp % TIMESTAMP_DIVIDEND;
20    format!("{seconds}.{nanos:09}")
21}
22
23#[cfg(test)]
24pub(crate) use mock::now;
25
26#[cfg(test)]
27pub(crate) use mock::inspect_format_now;
28
29#[cfg(test)]
30pub(crate) mod mock {
31    use super::*;
32    use std::cell::RefCell;
33
34    thread_local!(static MOCK_TIME: RefCell<MonotonicInstant> = RefCell::new(MonotonicInstant::get()));
35
36    pub(crate) fn now() -> MonotonicInstant {
37        MOCK_TIME.with(|time| *time.borrow())
38    }
39
40    pub(crate) fn set(new_time: MonotonicInstant) {
41        MOCK_TIME.with(|time| *time.borrow_mut() = new_time);
42    }
43
44    pub(crate) fn inspect_format_now() -> String {
45        let timestamp = now().into_nanos();
46        let seconds = timestamp / TIMESTAMP_DIVIDEND;
47        let nanos = timestamp % TIMESTAMP_DIVIDEND;
48        format!("{seconds}.{nanos:09}")
49    }
50}
51
52#[cfg(test)]
53mod tests {
54    use super::*;
55
56    #[fuchsia::test]
57    fn test_inspect_format() {
58        mock::set(MonotonicInstant::from_nanos(0));
59        assert_eq!(String::from("0.000000000"), mock::inspect_format_now());
60
61        mock::set(MonotonicInstant::from_nanos(123));
62        assert_eq!(String::from("0.000000123"), mock::inspect_format_now());
63
64        mock::set(MonotonicInstant::from_nanos(123_000_000_000));
65        assert_eq!(String::from("123.000000000"), mock::inspect_format_now());
66
67        mock::set(MonotonicInstant::from_nanos(123_000_000_123));
68        assert_eq!(String::from("123.000000123"), mock::inspect_format_now());
69
70        mock::set(MonotonicInstant::from_nanos(123_001_230_000));
71        assert_eq!(String::from("123.001230000"), mock::inspect_format_now());
72    }
73}