alpm_types/
date.rs

1use time::OffsetDateTime;
2
3/// A build date in seconds since the epoch
4///
5/// This is a type alias for [`i64`].
6///
7/// # Examples
8/// ```
9/// use std::{num::IntErrorKind, str::FromStr};
10///
11/// use alpm_types::{BuildDate, Error, FromOffsetDateTime};
12/// use time::OffsetDateTime;
13///
14/// // create BuildDate from OffsetDateTime
15/// let datetime = BuildDate::from_offset_datetime(OffsetDateTime::from_unix_timestamp(1).unwrap());
16/// assert_eq!(1, datetime);
17///
18/// // create BuildDate from &str
19/// assert_eq!(BuildDate::from_str("1"), Ok(1));
20/// assert!(BuildDate::from_str("foo").is_err());
21/// ```
22pub type BuildDate = i64;
23
24/// A trait for allowing conversion from an [`OffsetDateTime`] to a type.
25pub trait FromOffsetDateTime {
26    /// Converts an [`OffsetDateTime`] into a type.
27    fn from_offset_datetime(input: OffsetDateTime) -> Self;
28}
29
30impl FromOffsetDateTime for BuildDate {
31    /// Converts a [`OffsetDateTime`] into a [`BuildDate`].
32    ///
33    /// Uses the unix timestamp of the [`OffsetDateTime`].
34    fn from_offset_datetime(input: OffsetDateTime) -> Self {
35        input.unix_timestamp()
36    }
37}
38
39#[cfg(test)]
40mod tests {
41    use rstest::rstest;
42
43    use super::*;
44
45    #[rstest]
46    fn datetime_into_builddate() {
47        let builddate = 1;
48        let offset_datetime = OffsetDateTime::from_unix_timestamp(1).unwrap();
49        let datetime: BuildDate = BuildDate::from_offset_datetime(offset_datetime);
50        assert_eq!(builddate, datetime);
51    }
52}