1use std::fmt;
23use js_int::{uint, UInt};
4use serde::{Deserialize, Serialize};
5use time::OffsetDateTime;
6use web_time::{Duration, SystemTime, UNIX_EPOCH};
78/// A timestamp represented as the number of milliseconds since the unix epoch.
9#[derive(Clone, Copy, Hash, PartialEq, Eq, PartialOrd, Ord, Deserialize, Serialize)]
10#[allow(clippy::exhaustive_structs)]
11#[serde(transparent)]
12pub struct MilliSecondsSinceUnixEpoch(pub UInt);
1314impl MilliSecondsSinceUnixEpoch {
15/// Creates a new `MilliSecondsSinceUnixEpoch` from the given `SystemTime`, if it is not before
16 /// the unix epoch, or too large to be represented.
17pub fn from_system_time(time: SystemTime) -> Option<Self> {
18let duration = time.duration_since(UNIX_EPOCH).ok()?;
19let millis = duration.as_millis().try_into().ok()?;
20Some(Self(millis))
21 }
2223/// The current system time in milliseconds since the unix epoch.
24pub fn now() -> Self {
25#[cfg(not(all(target_arch = "wasm32", target_os = "unknown", feature = "js")))]
26return Self::from_system_time(SystemTime::now()).expect("date out of range");
2728#[cfg(all(target_arch = "wasm32", target_os = "unknown", feature = "js"))]
29return Self(f64_to_uint(js_sys::Date::now()));
30 }
3132/// Creates a new `SystemTime` from `self`, if it can be represented.
33pub fn to_system_time(self) -> Option<SystemTime> {
34 UNIX_EPOCH.checked_add(Duration::from_millis(self.0.into()))
35 }
3637/// Get the time since the unix epoch in milliseconds.
38pub fn get(&self) -> UInt {
39self.0
40}
4142/// Get time since the unix epoch in seconds.
43pub fn as_secs(&self) -> UInt {
44self.0 / uint!(1000)
45 }
46}
4748impl fmt::Debug for MilliSecondsSinceUnixEpoch {
49fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
50match OffsetDateTime::from_unix_timestamp(i64::from(self.0) / 1000) {
51Ok(date) => {
52let date = date + Duration::from_millis(u64::from(self.0) % 1000);
5354let (year, month, day) = date.to_calendar_date();
55let month = month as u8;
56let (hours, minutes, seconds, milliseconds) = date.to_hms_milli();
5758write!(
59 f,
60"{year}-{month:02}-{day:02}T\
61 {hours:02}:{minutes:02}:{seconds:02}.{milliseconds:03}"
62)
63 }
64// Probably dead code..
65Err(_) => {
66// The default Debug impl would put the inner value on its own
67 // line if the formatter's alternate mode is enabled, which
68 // bloats debug strings unnecessarily
69write!(f, "MilliSecondsSinceUnixEpoch({})", self.0)
70 }
71 }
72 }
73}
7475/// A timestamp represented as the number of seconds since the unix epoch.
76#[derive(Clone, Copy, Hash, PartialEq, Eq, PartialOrd, Ord, Deserialize, Serialize)]
77#[allow(clippy::exhaustive_structs)]
78#[serde(transparent)]
79pub struct SecondsSinceUnixEpoch(pub UInt);
8081impl SecondsSinceUnixEpoch {
82/// Creates a new `MilliSecondsSinceUnixEpoch` from the given `SystemTime`, if it is not before
83 /// the unix epoch, or too large to be represented.
84pub fn from_system_time(time: SystemTime) -> Option<Self> {
85let duration = time.duration_since(UNIX_EPOCH).ok()?;
86let millis = duration.as_secs().try_into().ok()?;
87Some(Self(millis))
88 }
8990/// The current system-time as seconds since the unix epoch.
91pub fn now() -> Self {
92#[cfg(not(all(target_arch = "wasm32", target_os = "unknown", feature = "js")))]
93return Self::from_system_time(SystemTime::now()).expect("date out of range");
9495#[cfg(all(target_arch = "wasm32", target_os = "unknown", feature = "js"))]
96return Self(f64_to_uint(js_sys::Date::now() / 1000.0));
97 }
9899/// Creates a new `SystemTime` from `self`, if it can be represented.
100pub fn to_system_time(self) -> Option<SystemTime> {
101 UNIX_EPOCH.checked_add(Duration::from_secs(self.0.into()))
102 }
103104/// Get time since the unix epoch in seconds.
105pub fn get(&self) -> UInt {
106self.0
107}
108}
109110impl fmt::Debug for SecondsSinceUnixEpoch {
111fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
112match OffsetDateTime::from_unix_timestamp(i64::from(self.0)) {
113Ok(date) => {
114let (year, month, day) = date.to_calendar_date();
115let month = month as u8;
116let (hours, minutes, seconds) = date.to_hms();
117118write!(
119 f,
120"{year}-{month:02}-{day:02}T\
121 {hours:02}:{minutes:02}:{seconds:02}"
122)
123 }
124// Probably dead code..
125Err(_) => {
126// The default Debug impl would put the inner value on its own
127 // line if the formatter's alternate mode is enabled, which
128 // bloats debug strings unnecessarily
129write!(f, "SecondsSinceUnixEpoch({})", self.0)
130 }
131 }
132 }
133}
134135#[cfg(all(target_arch = "wasm32", target_os = "unknown", feature = "js"))]
136fn f64_to_uint(val: f64) -> UInt {
137// UInt::MAX milliseconds is ~285 616 years, we do not account for that
138 // (or for dates before the unix epoch which would have to be negative)
139UInt::try_from(val as u64).expect("date out of range")
140}
141142#[cfg(test)]
143mod tests {
144use std::time::{Duration, UNIX_EPOCH};
145146use js_int::uint;
147use serde::{Deserialize, Serialize};
148use serde_json::json;
149150use super::{MilliSecondsSinceUnixEpoch, SecondsSinceUnixEpoch};
151152#[derive(Clone, Debug, Deserialize, Serialize)]
153struct SystemTimeTest {
154 millis: MilliSecondsSinceUnixEpoch,
155 secs: SecondsSinceUnixEpoch,
156 }
157158#[test]
159fn deserialize() {
160let json = json!({ "millis": 3000, "secs": 60 });
161162let time = serde_json::from_value::<SystemTimeTest>(json).unwrap();
163assert_eq!(time.millis.to_system_time(), Some(UNIX_EPOCH + Duration::from_millis(3000)));
164assert_eq!(time.secs.to_system_time(), Some(UNIX_EPOCH + Duration::from_secs(60)));
165 }
166167#[test]
168fn serialize() {
169let request = SystemTimeTest {
170 millis: MilliSecondsSinceUnixEpoch::from_system_time(UNIX_EPOCH + Duration::new(2, 0))
171 .unwrap(),
172 secs: SecondsSinceUnixEpoch(uint!(0)),
173 };
174175assert_eq!(serde_json::to_value(request).unwrap(), json!({ "millis": 2000, "secs": 0 }));
176 }
177178#[test]
179fn debug_s() {
180let seconds = SecondsSinceUnixEpoch(uint!(0));
181assert_eq!(format!("{seconds:?}"), "1970-01-01T00:00:00");
182 }
183184#[test]
185fn debug_ms() {
186let seconds = MilliSecondsSinceUnixEpoch(uint!(0));
187assert_eq!(format!("{seconds:?}"), "1970-01-01T00:00:00.000");
188 }
189}