summaryrefslogtreecommitdiffstats
path: root/vendor/chrono/src/offset/local/windows.rs
diff options
context:
space:
mode:
Diffstat (limited to 'vendor/chrono/src/offset/local/windows.rs')
-rw-r--r--vendor/chrono/src/offset/local/windows.rs346
1 files changed, 104 insertions, 242 deletions
diff --git a/vendor/chrono/src/offset/local/windows.rs b/vendor/chrono/src/offset/local/windows.rs
index e6415015c..84585170c 100644
--- a/vendor/chrono/src/offset/local/windows.rs
+++ b/vendor/chrono/src/offset/local/windows.rs
@@ -8,271 +8,133 @@
// option. This file may not be copied, modified, or distributed
// except according to those terms.
-use std::io;
-use std::mem;
-use std::time::{SystemTime, UNIX_EPOCH};
+use core::mem::MaybeUninit;
+use std::io::Error;
+use std::ptr;
+use std::result::Result;
-use winapi::shared::minwindef::*;
+use winapi::shared::minwindef::FILETIME;
use winapi::um::minwinbase::SYSTEMTIME;
-use winapi::um::timezoneapi::*;
+use winapi::um::timezoneapi::{
+ SystemTimeToFileTime, SystemTimeToTzSpecificLocalTime, TzSpecificLocalTimeToSystemTime,
+};
-use super::{FixedOffset, Local};
-use crate::{DateTime, Datelike, LocalResult, NaiveDate, NaiveDateTime, NaiveTime, Timelike};
+use super::FixedOffset;
+use crate::{Datelike, LocalResult, NaiveDateTime, Timelike};
-pub(super) fn now() -> DateTime<Local> {
- tm_to_datetime(Timespec::now().local())
-}
-
-/// Converts a local `NaiveDateTime` to the `time::Timespec`.
-pub(super) fn naive_to_local(d: &NaiveDateTime, local: bool) -> LocalResult<DateTime<Local>> {
- let tm = Tm {
- tm_sec: d.second() as i32,
- tm_min: d.minute() as i32,
- tm_hour: d.hour() as i32,
- tm_mday: d.day() as i32,
- tm_mon: d.month0() as i32, // yes, C is that strange...
- tm_year: d.year() - 1900, // this doesn't underflow, we know that d is `NaiveDateTime`.
- tm_wday: 0, // to_local ignores this
- tm_yday: 0, // and this
- tm_isdst: -1,
- // This seems pretty fake?
- tm_utcoff: if local { 1 } else { 0 },
- // do not set this, OS APIs are heavily inconsistent in terms of leap second handling
- tm_nsec: 0,
- };
-
- let spec = Timespec {
- sec: match local {
- false => utc_tm_to_time(&tm),
- true => local_tm_to_time(&tm),
- },
- nsec: tm.tm_nsec,
- };
-
- // Adjust for leap seconds
- let mut tm = spec.local();
- assert_eq!(tm.tm_nsec, 0);
- tm.tm_nsec = d.nanosecond() as i32;
-
- // #TODO - there should be ambiguous cases, investigate?
- LocalResult::Single(tm_to_datetime(tm))
-}
-
-/// Converts a `time::Tm` struct into the timezone-aware `DateTime`.
-fn tm_to_datetime(mut tm: Tm) -> DateTime<Local> {
- if tm.tm_sec >= 60 {
- tm.tm_nsec += (tm.tm_sec - 59) * 1_000_000_000;
- tm.tm_sec = 59;
- }
-
- let date = NaiveDate::from_ymd_opt(tm.tm_year + 1900, tm.tm_mon as u32 + 1, tm.tm_mday as u32)
- .unwrap();
- let time = NaiveTime::from_hms_nano(
- tm.tm_hour as u32,
- tm.tm_min as u32,
- tm.tm_sec as u32,
- tm.tm_nsec as u32,
- );
-
- let offset = FixedOffset::east_opt(tm.tm_utcoff).unwrap();
- DateTime::from_utc(date.and_time(time) - offset, offset)
-}
-
-/// A record specifying a time value in seconds and nanoseconds, where
-/// nanoseconds represent the offset from the given second.
+/// This macro calls a Windows API FFI and checks whether the function errored with the provided error_id. If an error returns,
+/// the macro will return an `Error::last_os_error()`.
///
-/// For example a timespec of 1.2 seconds after the beginning of the epoch would
-/// be represented as {sec: 1, nsec: 200000000}.
-struct Timespec {
- sec: i64,
- nsec: i32,
-}
-
-impl Timespec {
- /// Constructs a timespec representing the current time in UTC.
- fn now() -> Timespec {
- let st =
- SystemTime::now().duration_since(UNIX_EPOCH).expect("system time before Unix epoch");
- Timespec { sec: st.as_secs() as i64, nsec: st.subsec_nanos() as i32 }
- }
-
- /// Converts this timespec into the system's local time.
- fn local(self) -> Tm {
- let mut tm = Tm {
- tm_sec: 0,
- tm_min: 0,
- tm_hour: 0,
- tm_mday: 0,
- tm_mon: 0,
- tm_year: 0,
- tm_wday: 0,
- tm_yday: 0,
- tm_isdst: 0,
- tm_utcoff: 0,
- tm_nsec: 0,
- };
- time_to_local_tm(self.sec, &mut tm);
- tm.tm_nsec = self.nsec;
- tm
+/// # Safety
+///
+/// The provided error ID must align with the provided Windows API, providing the wrong ID could lead to UB.
+macro_rules! windows_sys_call {
+ ($name:ident($($arg:expr),*), $error_id:expr) => {
+ if $name($($arg),*) == $error_id {
+ return Err(Error::last_os_error());
+ }
}
}
-/// Holds a calendar date and time broken down into its components (year, month,
-/// day, and so on), also called a broken-down time value.
-// FIXME: use c_int instead of i32?
-#[repr(C)]
-struct Tm {
- /// Seconds after the minute - [0, 60]
- tm_sec: i32,
-
- /// Minutes after the hour - [0, 59]
- tm_min: i32,
-
- /// Hours after midnight - [0, 23]
- tm_hour: i32,
-
- /// Day of the month - [1, 31]
- tm_mday: i32,
-
- /// Months since January - [0, 11]
- tm_mon: i32,
-
- /// Years since 1900
- tm_year: i32,
-
- /// Days since Sunday - [0, 6]. 0 = Sunday, 1 = Monday, ..., 6 = Saturday.
- tm_wday: i32,
-
- /// Days since January 1 - [0, 365]
- tm_yday: i32,
-
- /// Daylight Saving Time flag.
- ///
- /// This value is positive if Daylight Saving Time is in effect, zero if
- /// Daylight Saving Time is not in effect, and negative if this information
- /// is not available.
- tm_isdst: i32,
-
- /// Identifies the time zone that was used to compute this broken-down time
- /// value, including any adjustment for Daylight Saving Time. This is the
- /// number of seconds east of UTC. For example, for U.S. Pacific Daylight
- /// Time, the value is `-7*60*60 = -25200`.
- tm_utcoff: i32,
-
- /// Nanoseconds after the second - [0, 10<sup>9</sup> - 1]
- tm_nsec: i32,
-}
-
const HECTONANOSECS_IN_SEC: i64 = 10_000_000;
const HECTONANOSEC_TO_UNIX_EPOCH: i64 = 11_644_473_600 * HECTONANOSECS_IN_SEC;
-fn time_to_file_time(sec: i64) -> FILETIME {
- let t = ((sec * HECTONANOSECS_IN_SEC) + HECTONANOSEC_TO_UNIX_EPOCH) as u64;
- FILETIME { dwLowDateTime: t as DWORD, dwHighDateTime: (t >> 32) as DWORD }
-}
-
-fn file_time_as_u64(ft: &FILETIME) -> u64 {
- ((ft.dwHighDateTime as u64) << 32) | (ft.dwLowDateTime as u64)
+pub(super) fn offset_from_utc_datetime(utc: &NaiveDateTime) -> LocalResult<FixedOffset> {
+ offset(utc, false)
}
-fn file_time_to_unix_seconds(ft: &FILETIME) -> i64 {
- let t = file_time_as_u64(ft) as i64;
- ((t - HECTONANOSEC_TO_UNIX_EPOCH) / HECTONANOSECS_IN_SEC) as i64
+pub(super) fn offset_from_local_datetime(local: &NaiveDateTime) -> LocalResult<FixedOffset> {
+ offset(local, true)
}
-fn system_time_to_file_time(sys: &SYSTEMTIME) -> FILETIME {
- unsafe {
- let mut ft = mem::zeroed();
- SystemTimeToFileTime(sys, &mut ft);
- ft
- }
-}
-
-fn tm_to_system_time(tm: &Tm) -> SYSTEMTIME {
- let mut sys: SYSTEMTIME = unsafe { mem::zeroed() };
- sys.wSecond = tm.tm_sec as WORD;
- sys.wMinute = tm.tm_min as WORD;
- sys.wHour = tm.tm_hour as WORD;
- sys.wDay = tm.tm_mday as WORD;
- sys.wDayOfWeek = tm.tm_wday as WORD;
- sys.wMonth = (tm.tm_mon + 1) as WORD;
- sys.wYear = (tm.tm_year + 1900) as WORD;
- sys
-}
-
-fn system_time_to_tm(sys: &SYSTEMTIME, tm: &mut Tm) {
- tm.tm_sec = sys.wSecond as i32;
- tm.tm_min = sys.wMinute as i32;
- tm.tm_hour = sys.wHour as i32;
- tm.tm_mday = sys.wDay as i32;
- tm.tm_wday = sys.wDayOfWeek as i32;
- tm.tm_mon = (sys.wMonth - 1) as i32;
- tm.tm_year = (sys.wYear - 1900) as i32;
- tm.tm_yday = yday(tm.tm_year, tm.tm_mon + 1, tm.tm_mday);
-
- fn yday(year: i32, month: i32, day: i32) -> i32 {
- let leap = if month > 2 {
- if year % 4 == 0 {
- 1
- } else {
- 2
- }
- } else {
- 0
- };
- let july = if month > 7 { 1 } else { 0 };
+/// Converts a local `NaiveDateTime` to the `time::Timespec`.
+pub(super) fn offset(d: &NaiveDateTime, local: bool) -> LocalResult<FixedOffset> {
+ let naive_sys_time = system_time_from_naive_date_time(d);
- (month - 1) * 30 + month / 2 + (day - 1) - leap + july
- }
-}
+ let local_sys_time = match local {
+ false => from_utc_time(naive_sys_time),
+ true => from_local_time(naive_sys_time),
+ };
-macro_rules! call {
- ($name:ident($($arg:expr),*)) => {
- if $name($($arg),*) == 0 {
- panic!(concat!(stringify!($name), " failed with: {}"),
- io::Error::last_os_error());
- }
+ if let Ok(offset) = local_sys_time {
+ return LocalResult::Single(offset);
}
-}
-
-fn time_to_local_tm(sec: i64, tm: &mut Tm) {
- let ft = time_to_file_time(sec);
- unsafe {
- let mut utc = mem::zeroed();
- let mut local = mem::zeroed();
- call!(FileTimeToSystemTime(&ft, &mut utc));
- call!(SystemTimeToTzSpecificLocalTime(0 as *const _, &mut utc, &mut local));
- system_time_to_tm(&local, tm);
-
- let local = system_time_to_file_time(&local);
- let local_sec = file_time_to_unix_seconds(&local);
-
- let mut tz = mem::zeroed();
- GetTimeZoneInformation(&mut tz);
-
- // SystemTimeToTzSpecificLocalTime already applied the biases so
- // check if it non standard
- tm.tm_utcoff = (local_sec - sec) as i32;
- tm.tm_isdst = if tm.tm_utcoff == -60 * (tz.Bias + tz.StandardBias) { 0 } else { 1 };
+ LocalResult::None
+}
+
+fn from_utc_time(utc_time: SYSTEMTIME) -> Result<FixedOffset, Error> {
+ let local_time = utc_to_local_time(&utc_time)?;
+ let utc_secs = system_time_as_unix_seconds(&utc_time)?;
+ let local_secs = system_time_as_unix_seconds(&local_time)?;
+ let offset = (local_secs - utc_secs) as i32;
+ Ok(FixedOffset::east_opt(offset).unwrap())
+}
+
+fn from_local_time(local_time: SYSTEMTIME) -> Result<FixedOffset, Error> {
+ let utc_time = local_to_utc_time(&local_time)?;
+ let utc_secs = system_time_as_unix_seconds(&utc_time)?;
+ let local_secs = system_time_as_unix_seconds(&local_time)?;
+ let offset = (local_secs - utc_secs) as i32;
+ Ok(FixedOffset::east_opt(offset).unwrap())
+}
+
+fn system_time_from_naive_date_time(dt: &NaiveDateTime) -> SYSTEMTIME {
+ SYSTEMTIME {
+ // Valid values: 1601-30827
+ wYear: dt.year() as u16,
+ // Valid values:1-12
+ wMonth: dt.month() as u16,
+ // Valid values: 0-6, starting Sunday.
+ // NOTE: enum returns 1-7, starting Monday, so we are
+ // off here, but this is not currently used in local.
+ wDayOfWeek: dt.weekday() as u16,
+ // Valid values: 1-31
+ wDay: dt.day() as u16,
+ // Valid values: 0-23
+ wHour: dt.hour() as u16,
+ // Valid values: 0-59
+ wMinute: dt.minute() as u16,
+ // Valid values: 0-59
+ wSecond: dt.second() as u16,
+ // Valid values: 0-999
+ wMilliseconds: 0,
}
}
-fn utc_tm_to_time(tm: &Tm) -> i64 {
+pub(crate) fn local_to_utc_time(local: &SYSTEMTIME) -> Result<SYSTEMTIME, Error> {
+ let mut sys_time = MaybeUninit::<SYSTEMTIME>::uninit();
unsafe {
- let mut ft = mem::zeroed();
- let sys_time = tm_to_system_time(tm);
- call!(SystemTimeToFileTime(&sys_time, &mut ft));
- file_time_to_unix_seconds(&ft)
- }
+ windows_sys_call!(
+ TzSpecificLocalTimeToSystemTime(ptr::null(), local, sys_time.as_mut_ptr()),
+ 0
+ )
+ };
+ // SAFETY: TzSpecificLocalTimeToSystemTime must have succeeded at this point, so we can
+ // assume the value is initialized.
+ Ok(unsafe { sys_time.assume_init() })
}
-fn local_tm_to_time(tm: &Tm) -> i64 {
+pub(crate) fn utc_to_local_time(utc_time: &SYSTEMTIME) -> Result<SYSTEMTIME, Error> {
+ let mut local = MaybeUninit::<SYSTEMTIME>::uninit();
unsafe {
- let mut ft = mem::zeroed();
- let mut utc = mem::zeroed();
- let mut sys_time = tm_to_system_time(tm);
- call!(TzSpecificLocalTimeToSystemTime(0 as *mut _, &mut sys_time, &mut utc));
- call!(SystemTimeToFileTime(&utc, &mut ft));
- file_time_to_unix_seconds(&ft)
- }
+ windows_sys_call!(
+ SystemTimeToTzSpecificLocalTime(ptr::null(), utc_time, local.as_mut_ptr()),
+ 0
+ )
+ };
+ // SAFETY: SystemTimeToTzSpecificLocalTime must have succeeded at this point, so we can
+ // assume the value is initialized.
+ Ok(unsafe { local.assume_init() })
+}
+
+/// Returns a i64 value representing the unix seconds conversion of the current `WinSystemTime`.
+pub(crate) fn system_time_as_unix_seconds(st: &SYSTEMTIME) -> Result<i64, Error> {
+ let mut init = MaybeUninit::<FILETIME>::uninit();
+ unsafe { windows_sys_call!(SystemTimeToFileTime(st, init.as_mut_ptr()), 0) }
+ // SystemTimeToFileTime must have succeeded at this point, so we can assum the value is
+ // initalized.
+ let filetime = unsafe { init.assume_init() };
+ let bit_shift = ((filetime.dwHighDateTime as u64) << 32) | (filetime.dwLowDateTime as u64);
+ let unix_secs = (bit_shift as i64 - HECTONANOSEC_TO_UNIX_EPOCH) / HECTONANOSECS_IN_SEC;
+ Ok(unix_secs)
}