twilight_mention/
timestamp.rs

1//! Timestamps with the ability to be formatted in clients based on the client's
2//! local timezone and locale.
3//!
4//! Included is the [`TimestampStyle`] denoting how to format a timestamp and
5//! the [`Timestamp`] itself, containing an optional style and a Unix timestamp.
6//!
7//! # Examples
8//!
9//! Format a [`Timestamp`] into a valid Discord Markdown markdown via its
10//! implementation of [`Mention`]:
11//!
12//! ```
13//! use twilight_mention::{timestamp::Timestamp, Mention};
14//!
15//! let timestamp = Timestamp::new(1624047064, None);
16//!
17//! println!("This action was performed at {}", timestamp.mention());
18//! ```
19//!
20//! [`TimestampStyle`] implements [`Display`], which allows you to easily print
21//! the display modifier of a style:
22//!
23//! ```
24//! use twilight_mention::timestamp::TimestampStyle;
25//!
26//! println!("The modifier is '{}'", TimestampStyle::RelativeTime);
27//! ```
28//!
29//! [`Display`]: core::fmt::Display
30//! [`Mention`]: super::fmt::Mention
31
32use std::{
33    cmp::Ordering,
34    error::Error,
35    fmt::{Display, Formatter, Result as FmtResult},
36};
37
38/// Converting a [`TimestampStyle`] from a string slice failed.
39#[derive(Debug)]
40pub struct TimestampStyleConversionError {
41    kind: TimestampStyleConversionErrorType,
42}
43
44impl TimestampStyleConversionError {
45    /// Immutable reference to the type of error that occurred.
46    #[must_use = "retrieving the type has no effect if left unused"]
47    pub const fn kind(&self) -> &TimestampStyleConversionErrorType {
48        &self.kind
49    }
50
51    /// Consume the error, returning the owned error type and the source error.
52    #[must_use = "consuming the error into its parts has no effect if left unused"]
53    pub fn into_parts(
54        self,
55    ) -> (
56        TimestampStyleConversionErrorType,
57        Option<Box<dyn Error + Send + Sync>>,
58    ) {
59        (self.kind, None)
60    }
61}
62
63impl Display for TimestampStyleConversionError {
64    fn fmt(&self, f: &mut Formatter<'_>) -> FmtResult {
65        match &self.kind {
66            TimestampStyleConversionErrorType::StyleInvalid => {
67                f.write_str("given value is not a valid style")
68            }
69        }
70    }
71}
72
73impl Error for TimestampStyleConversionError {}
74
75/// Type of [`TimestampStyleConversionError`] that occurred.
76#[derive(Debug, Eq, PartialEq)]
77#[non_exhaustive]
78pub enum TimestampStyleConversionErrorType {
79    /// Given value is not a valid style.
80    StyleInvalid,
81}
82
83/// Timestamp representing a time to be formatted based on a client's current
84/// local timezone and locale.
85///
86/// Timestamps can be compared based on their [`unix`] value.
87///
88/// # Examples
89///
90/// Compare two timestamps to determine which is more recent:
91///
92/// ```
93/// use twilight_mention::timestamp::Timestamp;
94///
95/// let old = Timestamp::new(1_500_000_000, None);
96/// let new = Timestamp::new(1_600_000_000, None);
97///
98/// assert!(new > old);
99/// ```
100///
101/// [`unix`]: Self::unix
102#[derive(Clone, Copy, Debug, Eq, Hash, PartialEq)]
103pub struct Timestamp {
104    /// Display modifier style.
105    ///
106    /// When a style is not specified then [`TimestampStyle::ShortDateTime`] is
107    /// the default; however, we do not implement `Default` for
108    /// [`TimestampStyle`] because this is a third party implementation detail.
109    style: Option<TimestampStyle>,
110    /// Unix timestamp in seconds.
111    unix: u64,
112}
113
114impl Timestamp {
115    /// Create a new timestamp with a Unix timestamp and optionally a style.
116    ///
117    /// The Unix timestamp is in seconds.
118    ///
119    /// # Examples
120    ///
121    /// Create a timestamp without a display modifier and format it as a mention:
122    ///
123    /// ```
124    /// use twilight_mention::{timestamp::Timestamp, Mention};
125    ///
126    /// let timestamp = Timestamp::new(1624044388, None);
127    /// assert_eq!("<t:1624044388>", timestamp.mention().to_string());
128    /// ```
129    #[must_use = "creating a timestamp does nothing on its own"]
130    pub const fn new(unix: u64, style: Option<TimestampStyle>) -> Self {
131        Self { style, unix }
132    }
133
134    /// Style representing the display modifier.
135    ///
136    /// ```
137    /// use twilight_mention::timestamp::{Timestamp, TimestampStyle};
138    ///
139    /// // When leaving a style unspecified a default is not provided.
140    /// assert!(Timestamp::new(1624044388, None).style().is_none());
141    ///
142    /// // The same style is returned when a style is specified.
143    /// let timestamp = Timestamp::new(1_624_044_388, Some(TimestampStyle::ShortDateTime));
144    /// assert_eq!(Some(TimestampStyle::ShortDateTime), timestamp.style());
145    /// ```
146    #[must_use = "retrieving the style does nothing on its own"]
147    pub const fn style(&self) -> Option<TimestampStyle> {
148        self.style
149    }
150
151    /// Unix timestamp.
152    #[must_use = "retrieving the unix timestamp does nothing on its own"]
153    pub const fn unix(&self) -> u64 {
154        self.unix
155    }
156}
157
158impl Ord for Timestamp {
159    fn cmp(&self, other: &Timestamp) -> Ordering {
160        self.unix.cmp(&other.unix)
161    }
162}
163
164impl PartialOrd for Timestamp {
165    fn partial_cmp(&self, other: &Timestamp) -> Option<Ordering> {
166        Some(self.cmp(other))
167    }
168}
169
170/// Style modifier denoting how to display a timestamp.
171///
172/// The default variant is [`ShortDateTime`].
173///
174/// [`ShortDateTime`]: Self::ShortDateTime
175#[derive(Clone, Copy, Debug, Eq, Hash, PartialEq)]
176pub enum TimestampStyle {
177    /// Style modifier to display a timestamp as a long date/time.
178    ///
179    /// Correlates to the style `F`.
180    ///
181    /// Causes mentions to display in clients as `Tuesday, 1 April 2021 01:20`.
182    LongDateTime,
183    /// Style modifier to display a timestamp as a long date.
184    ///
185    /// Correlates to the style `D`.
186    ///
187    /// Causes mentions to display in clients as `1 April 2021`.
188    LongDate,
189    /// Style modifier to display a timestamp as a long date/time.
190    ///
191    /// Correlates to the style `T`.
192    ///
193    /// Causes mentions to display in clients as `01:20:30`.
194    LongTime,
195    /// Style modifier to display a timestamp as a relative timestamp.
196    ///
197    /// Correlates to the style `R`.
198    ///
199    /// Causes mentions to display in clients as `2 months ago`.
200    RelativeTime,
201    /// Style modifier to display a timestamp as a short date/time.
202    ///
203    /// Correlates to the style `f`.
204    ///
205    /// Causes mentions to display in clients as `1 April 2021 01:20`.
206    ///
207    /// This is the default style when left unspecified.
208    ShortDateTime,
209    /// Style modifier to display a timestamp as a short date/time.
210    ///
211    /// Correlates to the style `d`.
212    ///
213    /// Causes mentions to display in clients as `1/4/2021`.
214    ShortDate,
215    /// Style modifier to display a timestamp as a short date/time.
216    ///
217    /// Correlates to the style `t`.
218    ///
219    /// Causes mentions to display in clients as `01:20`.
220    ShortTime,
221}
222
223impl TimestampStyle {
224    /// Retrieve the display character of a style.
225    ///
226    /// # Examples
227    ///
228    /// ```
229    /// use twilight_mention::timestamp::TimestampStyle;
230    ///
231    /// assert_eq!("F", TimestampStyle::LongDateTime.style());
232    /// assert_eq!("R", TimestampStyle::RelativeTime.style());
233    /// ```
234    #[must_use = "retrieving the character of a style does nothing on its own"]
235    pub const fn style(self) -> &'static str {
236        match self {
237            Self::LongDateTime => "F",
238            Self::LongDate => "D",
239            Self::LongTime => "T",
240            Self::RelativeTime => "R",
241            Self::ShortDateTime => "f",
242            Self::ShortDate => "d",
243            Self::ShortTime => "t",
244        }
245    }
246}
247
248impl Display for TimestampStyle {
249    fn fmt(&self, f: &mut Formatter<'_>) -> FmtResult {
250        // Fastest way to convert a `char` to a `&str`.
251        f.write_str(self.style())
252    }
253}
254
255impl TryFrom<&str> for TimestampStyle {
256    type Error = TimestampStyleConversionError;
257
258    fn try_from(value: &str) -> Result<Self, Self::Error> {
259        Ok(match value {
260            "F" => Self::LongDateTime,
261            "D" => Self::LongDate,
262            "T" => Self::LongTime,
263            "R" => Self::RelativeTime,
264            "f" => Self::ShortDateTime,
265            "d" => Self::ShortDate,
266            "t" => Self::ShortTime,
267            _ => {
268                return Err(TimestampStyleConversionError {
269                    kind: TimestampStyleConversionErrorType::StyleInvalid,
270                })
271            }
272        })
273    }
274}
275
276#[cfg(test)]
277mod tests {
278    use super::{
279        Timestamp, TimestampStyle, TimestampStyleConversionError, TimestampStyleConversionErrorType,
280    };
281    use static_assertions::assert_impl_all;
282    use std::{cmp::Ordering, error::Error, fmt::Debug, hash::Hash};
283
284    assert_impl_all!(TimestampStyleConversionErrorType: Debug, Send, Sync);
285    assert_impl_all!(TimestampStyleConversionError: Debug, Error, Send, Sync);
286    assert_impl_all!(
287        TimestampStyle: Clone,
288        Copy,
289        Debug,
290        Eq,
291        Hash,
292        PartialEq,
293        Send,
294        Sync
295    );
296    assert_impl_all!(
297        Timestamp: Clone,
298        Copy,
299        Debug,
300        Eq,
301        Hash,
302        PartialEq,
303        Send,
304        Sync
305    );
306
307    const TIMESTAMP_OLD_STYLED: Timestamp = Timestamp::new(1, Some(TimestampStyle::RelativeTime));
308    const TIMESTAMP_OLD: Timestamp = Timestamp::new(1, None);
309    const TIMESTAMP_NEW_STYLED: Timestamp = Timestamp::new(2, Some(TimestampStyle::ShortDate));
310    const TIMESTAMP_NEW: Timestamp = Timestamp::new(2, None);
311
312    /// Test the corresponding style modifiers.
313    #[test]
314    fn timestamp_style_modifiers() {
315        assert_eq!("F", TimestampStyle::LongDateTime.style());
316        assert_eq!("D", TimestampStyle::LongDate.style());
317        assert_eq!("T", TimestampStyle::LongTime.style());
318        assert_eq!("R", TimestampStyle::RelativeTime.style());
319        assert_eq!("f", TimestampStyle::ShortDateTime.style());
320        assert_eq!("d", TimestampStyle::ShortDate.style());
321        assert_eq!("t", TimestampStyle::ShortTime.style());
322    }
323
324    /// Test that style modifiers correctly parse from their string slice variants.
325    #[test]
326    fn timestamp_style_try_from() -> Result<(), TimestampStyleConversionError> {
327        assert_eq!(TimestampStyle::try_from("F")?, TimestampStyle::LongDateTime);
328        assert_eq!(TimestampStyle::try_from("D")?, TimestampStyle::LongDate);
329        assert_eq!(TimestampStyle::try_from("T")?, TimestampStyle::LongTime);
330        assert_eq!(TimestampStyle::try_from("R")?, TimestampStyle::RelativeTime);
331        assert_eq!(
332            TimestampStyle::try_from("f")?,
333            TimestampStyle::ShortDateTime
334        );
335        assert_eq!(TimestampStyle::try_from("d")?, TimestampStyle::ShortDate);
336        assert_eq!(TimestampStyle::try_from("t")?, TimestampStyle::ShortTime);
337
338        Ok(())
339    }
340
341    /// Test that timestamps are correctly compared based on their inner unix
342    /// timestamp value.
343    #[test]
344    fn timestamp_cmp() {
345        // Assert that a higher timestamp is greater than a lesser timestamp.
346        assert!(TIMESTAMP_NEW > TIMESTAMP_OLD);
347
348        // Assert that two timestamps with the same unix timestamp are equal.
349        //
350        // We make a new timestamp here to around Clippy's `eq_op` lint.
351        assert!(Timestamp::new(2, None).cmp(&TIMESTAMP_NEW) == Ordering::Equal);
352
353        // Assert that a lower timestamp is less than than a greater timestamp.
354        assert!(TIMESTAMP_OLD < TIMESTAMP_NEW);
355    }
356
357    /// Test that whether a timestamp has a style incurs no effect on results.
358    #[test]
359    fn timestamp_cmp_styles() {
360        // Assert that a higher timestamp is greater than a lesser timestamp
361        // regardless of style combinations.
362        assert!(TIMESTAMP_NEW_STYLED > TIMESTAMP_OLD);
363        assert!(TIMESTAMP_NEW > TIMESTAMP_OLD_STYLED);
364        assert!(TIMESTAMP_NEW_STYLED > TIMESTAMP_OLD_STYLED);
365
366        // Assert that two timestamps with the same unix timestamp are equal
367        // regardless of style combinations.
368        //
369        // We make new timestamps here to around Clippy's `eq_op` lint.
370        assert!(TIMESTAMP_NEW_STYLED.cmp(&TIMESTAMP_NEW) == Ordering::Equal);
371        assert!(
372            Timestamp::new(2, Some(TimestampStyle::RelativeTime)).cmp(&TIMESTAMP_NEW_STYLED)
373                == Ordering::Equal
374        );
375
376        // Assert that a lower timestamp is less than than a greater timestamp
377        // regardless of style.
378        assert!(TIMESTAMP_OLD_STYLED < TIMESTAMP_NEW);
379        assert!(TIMESTAMP_OLD < TIMESTAMP_NEW_STYLED);
380        assert!(TIMESTAMP_OLD_STYLED < TIMESTAMP_NEW_STYLED);
381    }
382}