time/interop/
utcdatetime_systemtime.rs

1use core::cmp::Ordering;
2use core::ops::Sub;
3use std::time::SystemTime;
4
5use crate::{Duration, UtcDateTime};
6
7impl Sub<SystemTime> for UtcDateTime {
8    type Output = Duration;
9
10    /// # Panics
11    ///
12    /// This may panic if an overflow occurs.
13    fn sub(self, rhs: SystemTime) -> Self::Output {
14        self - Self::from(rhs)
15    }
16}
17
18impl Sub<UtcDateTime> for SystemTime {
19    type Output = Duration;
20
21    /// # Panics
22    ///
23    /// This may panic if an overflow occurs.
24    fn sub(self, rhs: UtcDateTime) -> Self::Output {
25        UtcDateTime::from(self) - rhs
26    }
27}
28
29impl PartialEq<SystemTime> for UtcDateTime {
30    fn eq(&self, rhs: &SystemTime) -> bool {
31        self == &Self::from(*rhs)
32    }
33}
34
35impl PartialEq<UtcDateTime> for SystemTime {
36    fn eq(&self, rhs: &UtcDateTime) -> bool {
37        &UtcDateTime::from(*self) == rhs
38    }
39}
40
41impl PartialOrd<SystemTime> for UtcDateTime {
42    fn partial_cmp(&self, other: &SystemTime) -> Option<Ordering> {
43        self.partial_cmp(&Self::from(*other))
44    }
45}
46
47impl PartialOrd<UtcDateTime> for SystemTime {
48    fn partial_cmp(&self, other: &UtcDateTime) -> Option<Ordering> {
49        UtcDateTime::from(*self).partial_cmp(other)
50    }
51}
52
53impl From<SystemTime> for UtcDateTime {
54    fn from(system_time: SystemTime) -> Self {
55        match system_time.duration_since(SystemTime::UNIX_EPOCH) {
56            Ok(duration) => Self::UNIX_EPOCH + duration,
57            Err(err) => Self::UNIX_EPOCH - err.duration(),
58        }
59    }
60}
61
62impl From<UtcDateTime> for SystemTime {
63    fn from(datetime: UtcDateTime) -> Self {
64        let duration = datetime - UtcDateTime::UNIX_EPOCH;
65
66        if duration.is_zero() {
67            Self::UNIX_EPOCH
68        } else if duration.is_positive() {
69            Self::UNIX_EPOCH + duration.unsigned_abs()
70        } else {
71            debug_assert!(duration.is_negative());
72            Self::UNIX_EPOCH - duration.unsigned_abs()
73        }
74    }
75}