Skip to main content

grafeo_common/types/
date.rs

1//! Calendar date type stored as days since Unix epoch.
2//!
3//! Uses Hinnant's civil date algorithms (public domain, no external deps).
4
5use serde::{Deserialize, Serialize};
6use std::fmt;
7
8/// A calendar date, stored as days since Unix epoch (1970-01-01).
9///
10/// Range: roughly year -5,879,610 to +5,879,610.
11///
12/// # Examples
13///
14/// ```
15/// use grafeo_common::types::Date;
16///
17/// let d = Date::from_ymd(2024, 3, 15).unwrap();
18/// assert_eq!(d.year(), 2024);
19/// assert_eq!(d.month(), 3);
20/// assert_eq!(d.day(), 15);
21/// assert_eq!(d.to_string(), "2024-03-15");
22/// ```
23#[derive(Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Hash, Serialize, Deserialize, Default)]
24#[repr(transparent)]
25pub struct Date(i32);
26
27impl Date {
28    /// Creates a date from year, month (1-12), and day (1-31).
29    ///
30    /// Returns `None` if the components are out of range.
31    #[must_use]
32    pub fn from_ymd(year: i32, month: u32, day: u32) -> Option<Self> {
33        if !(1..=12).contains(&month) || !(1..=31).contains(&day) {
34            return None;
35        }
36        // Validate day for the given month
37        let max_day = days_in_month(year, month);
38        if day > max_day {
39            return None;
40        }
41        Some(Self(days_from_civil(year, month, day)))
42    }
43
44    /// Creates a date from days since Unix epoch.
45    #[inline]
46    #[must_use]
47    pub const fn from_days(days: i32) -> Self {
48        Self(days)
49    }
50
51    /// Returns the number of days since Unix epoch.
52    #[inline]
53    #[must_use]
54    pub const fn as_days(self) -> i32 {
55        self.0
56    }
57
58    /// Returns the year component.
59    #[must_use]
60    pub fn year(self) -> i32 {
61        civil_from_days(self.0).0
62    }
63
64    /// Returns the month component (1-12).
65    #[must_use]
66    pub fn month(self) -> u32 {
67        civil_from_days(self.0).1
68    }
69
70    /// Returns the day component (1-31).
71    #[must_use]
72    pub fn day(self) -> u32 {
73        civil_from_days(self.0).2
74    }
75
76    /// Returns (year, month, day) components.
77    #[must_use]
78    pub fn to_ymd(self) -> (i32, u32, u32) {
79        civil_from_days(self.0)
80    }
81
82    /// Parses a date from ISO 8601 format "YYYY-MM-DD".
83    #[must_use]
84    pub fn parse(s: &str) -> Option<Self> {
85        // Handle optional leading minus for negative years
86        let (negative, s) = if let Some(rest) = s.strip_prefix('-') {
87            (true, rest)
88        } else {
89            (false, s)
90        };
91
92        let parts: Vec<&str> = s.splitn(3, '-').collect();
93        if parts.len() != 3 {
94            return None;
95        }
96        let year: i32 = parts[0].parse().ok()?;
97        let month: u32 = parts[1].parse().ok()?;
98        let day: u32 = parts[2].parse().ok()?;
99        let year = if negative { -year } else { year };
100        Self::from_ymd(year, month, day)
101    }
102
103    /// Returns today's date (UTC).
104    #[must_use]
105    pub fn today() -> Self {
106        let ts = super::Timestamp::now();
107        ts.to_date()
108    }
109
110    /// Converts this date to a timestamp at midnight UTC.
111    #[must_use]
112    pub fn to_timestamp(self) -> super::Timestamp {
113        super::Timestamp::from_micros(self.0 as i64 * 86_400_000_000)
114    }
115
116    /// Adds a duration to this date.
117    ///
118    /// Month components are added first (clamping day to month's max),
119    /// then day components.
120    #[must_use]
121    pub fn add_duration(self, dur: &super::Duration) -> Self {
122        let (mut y, mut m, mut d) = self.to_ymd();
123
124        // Add months
125        if dur.months() != 0 {
126            let total_months = y as i64 * 12 + (m as i64 - 1) + dur.months();
127            y = (total_months.div_euclid(12)) as i32;
128            m = (total_months.rem_euclid(12) + 1) as u32;
129            // Clamp day to max for new month
130            let max_d = days_in_month(y, m);
131            if d > max_d {
132                d = max_d;
133            }
134        }
135
136        // Add days
137        let days = days_from_civil(y, m, d) as i64 + dur.days();
138        Self(days as i32)
139    }
140
141    /// Subtracts a duration from this date.
142    #[must_use]
143    pub fn sub_duration(self, dur: &super::Duration) -> Self {
144        self.add_duration(&dur.neg())
145    }
146}
147
148impl fmt::Debug for Date {
149    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
150        write!(f, "Date({})", self)
151    }
152}
153
154impl fmt::Display for Date {
155    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
156        let (y, m, d) = civil_from_days(self.0);
157        if y < 0 {
158            write!(f, "-{:04}-{:02}-{:02}", -y, m, d)
159        } else {
160            write!(f, "{:04}-{:02}-{:02}", y, m, d)
161        }
162    }
163}
164
165// ---------------------------------------------------------------------------
166// Hinnant's civil date algorithms (public domain)
167// See: https://howardhinnant.github.io/date_algorithms.html
168// ---------------------------------------------------------------------------
169
170/// Converts (year, month, day) to days since Unix epoch (1970-01-01).
171pub(crate) fn days_from_civil(year: i32, month: u32, day: u32) -> i32 {
172    let y = if month <= 2 { year - 1 } else { year } as i64;
173    let era = y.div_euclid(400);
174    let yoe = y.rem_euclid(400) as u32; // year of era [0, 399]
175    let m = month;
176    let doy = (153 * (if m > 2 { m - 3 } else { m + 9 }) + 2) / 5 + day - 1; // day of year [0, 365]
177    let doe = yoe * 365 + yoe / 4 - yoe / 100 + doy; // day of era [0, 146096]
178    (era * 146097 + doe as i64 - 719468) as i32
179}
180
181/// Converts days since Unix epoch to (year, month, day).
182pub(crate) fn civil_from_days(days: i32) -> (i32, u32, u32) {
183    let z = days as i64 + 719468;
184    let era = z.div_euclid(146097);
185    let doe = z.rem_euclid(146097) as u32; // day of era [0, 146096]
186    let yoe = (doe - doe / 1460 + doe / 36524 - doe / 146096) / 365; // year of era [0, 399]
187    let y = yoe as i64 + era * 400;
188    let doy = doe - (365 * yoe + yoe / 4 - yoe / 100); // day of year [0, 365]
189    let mp = (5 * doy + 2) / 153; // month pseudo [0, 11]
190    let d = doy - (153 * mp + 2) / 5 + 1; // day [1, 31]
191    let m = if mp < 10 { mp + 3 } else { mp - 9 }; // month [1, 12]
192    let y = if m <= 2 { y + 1 } else { y };
193    (y as i32, m, d)
194}
195
196/// Returns the number of days in a given month.
197fn days_in_month(year: i32, month: u32) -> u32 {
198    match month {
199        1 | 3 | 5 | 7 | 8 | 10 | 12 => 31,
200        4 | 6 | 9 | 11 => 30,
201        2 => {
202            if is_leap_year(year) {
203                29
204            } else {
205                28
206            }
207        }
208        _ => 0,
209    }
210}
211
212/// Returns true if the year is a leap year.
213fn is_leap_year(year: i32) -> bool {
214    (year % 4 == 0 && year % 100 != 0) || year % 400 == 0
215}
216
217#[cfg(test)]
218mod tests {
219    use super::*;
220
221    #[test]
222    fn test_epoch() {
223        let d = Date::from_ymd(1970, 1, 1).unwrap();
224        assert_eq!(d.as_days(), 0);
225        assert_eq!(d.year(), 1970);
226        assert_eq!(d.month(), 1);
227        assert_eq!(d.day(), 1);
228    }
229
230    #[test]
231    fn test_known_dates() {
232        // 2024-01-01 is 19723 days after epoch
233        let d = Date::from_ymd(2024, 1, 1).unwrap();
234        assert_eq!(d.as_days(), 19723);
235        assert_eq!(d.to_string(), "2024-01-01");
236
237        // 2000-03-01 (leap year)
238        let d = Date::from_ymd(2000, 3, 1).unwrap();
239        assert_eq!(d.year(), 2000);
240        assert_eq!(d.month(), 3);
241        assert_eq!(d.day(), 1);
242    }
243
244    #[test]
245    fn test_roundtrip() {
246        for days in [-100000, -1, 0, 1, 10000, 19723, 50000] {
247            let d = Date::from_days(days);
248            let (y, m, day) = d.to_ymd();
249            let d2 = Date::from_ymd(y, m, day).unwrap();
250            assert_eq!(d, d2, "roundtrip failed for days={days}");
251        }
252    }
253
254    #[test]
255    fn test_parse() {
256        let d = Date::parse("2024-03-15").unwrap();
257        assert_eq!(d.year(), 2024);
258        assert_eq!(d.month(), 3);
259        assert_eq!(d.day(), 15);
260
261        assert!(Date::parse("not-a-date").is_none());
262        assert!(Date::parse("2024-13-01").is_none()); // invalid month
263        assert!(Date::parse("2024-02-30").is_none()); // invalid day
264    }
265
266    #[test]
267    fn test_display() {
268        assert_eq!(
269            Date::from_ymd(2024, 1, 5).unwrap().to_string(),
270            "2024-01-05"
271        );
272        assert_eq!(
273            Date::from_ymd(100, 12, 31).unwrap().to_string(),
274            "0100-12-31"
275        );
276    }
277
278    #[test]
279    fn test_ordering() {
280        let d1 = Date::from_ymd(2024, 1, 1).unwrap();
281        let d2 = Date::from_ymd(2024, 6, 15).unwrap();
282        assert!(d1 < d2);
283    }
284
285    #[test]
286    fn test_leap_year() {
287        assert!(Date::from_ymd(2000, 2, 29).is_some()); // leap
288        assert!(Date::from_ymd(1900, 2, 29).is_none()); // not leap
289        assert!(Date::from_ymd(2024, 2, 29).is_some()); // leap
290        assert!(Date::from_ymd(2023, 2, 29).is_none()); // not leap
291    }
292
293    #[test]
294    fn test_to_timestamp() {
295        let d = Date::from_ymd(1970, 1, 2).unwrap();
296        assert_eq!(d.to_timestamp().as_micros(), 86_400_000_000);
297    }
298
299    #[test]
300    fn test_negative_year() {
301        let d = Date::parse("-0001-01-01").unwrap();
302        assert_eq!(d.year(), -1);
303        assert_eq!(d.to_string(), "-0001-01-01");
304    }
305}