about summary refs log tree commit diff
path: root/src/_date/mod.rs
blob: ffafe0f28e927705e2edbfe7406b401c152897c9 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
// NOTE: Wrote this before implementing GTK Stuff so is useless now, but I like it so it stays
use std::time::{SystemTime, UNIX_EPOCH};

pub struct Date {
    pub day: u32,
    pub month: u32,
    pub year: u32,
}

impl Date {
    fn new(day: u32, month: u32, year: u32) -> Date {
        Date { day, month, year }
    }
}

pub fn current_date() -> Date {
    seconds_to_date(seconds_since_epoch())
}

fn seconds_since_epoch() -> u64 {
    let now = SystemTime::now();
    let since_epoch = now
        .duration_since(UNIX_EPOCH)
        .expect("The fabric of space and time has been disrupted, probably try and fix that");
    since_epoch.as_secs()
}

fn seconds_to_date(seconds: u64) -> Date {
    let mut days_since_epoch = seconds / (60 * 60 * 24);
    let mut year = 1970;
    let mut days_in_year = if is_leap(year) { 366 } else { 365 }; // Replace with 365/366 based on
                                                                  // 1970

    while days_since_epoch >= days_in_year {
        days_since_epoch -= days_in_year;
        year += 1;
        days_in_year = if is_leap(year) { 366 } else { 365 };
    }

    let days_in_month = [
        31,                                  // January
        if is_leap(year) { 29 } else { 28 }, // February
        31,                                  // March
        30,                                  // April
        31,                                  // May
        30,                                  // June
        31,                                  // July
        31,                                  // August
        30,                                  // September
        31,                                  // October
        30,                                  // November
        31,                                  // December
    ];
    let mut month = 0;

    while days_since_epoch >= days_in_month[month as usize] {
        days_since_epoch -= days_in_month[month as usize];
        month += 1;
    }

    Date::new((days_since_epoch + 1) as u32, month + 1, year)
}

fn is_leap(year: u32) -> bool {
    year % 4 == 0 && (year % 100 != 0 || year % 400 == 0)
}