proof_of_sql_parser/posql_time/timestamp.rs
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 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292
use super::{PoSQLTimeUnit, PoSQLTimeZone, PoSQLTimestampError};
use alloc::{format, string::ToString};
use chrono::{offset::LocalResult, DateTime, TimeZone, Utc};
use core::hash::Hash;
use serde::{Deserialize, Serialize};
/// Represents a fully parsed timestamp with detailed time unit and timezone information
#[allow(clippy::module_name_repetitions)]
#[derive(Debug, Clone, Serialize, Deserialize, PartialEq, Eq, Hash)]
pub struct PoSQLTimestamp {
    /// The datetime representation in UTC.
    timestamp: DateTime<Utc>,
    /// The precision of the datetime value, e.g., seconds, milliseconds.
    timeunit: PoSQLTimeUnit,
    /// The timezone of the datetime, either UTC or a fixed offset from UTC.
    timezone: PoSQLTimeZone,
}
impl PoSQLTimestamp {
    /// Returns the combined date and time with time zone.
    #[must_use]
    pub fn timestamp(&self) -> DateTime<Utc> {
        self.timestamp
    }
    /// Returns the [`PoSQLTimeUnit`] for this timestamp
    #[must_use]
    pub fn timeunit(&self) -> PoSQLTimeUnit {
        self.timeunit
    }
    /// Returns the [`PoSQLTimeZone`] for this timestamp
    #[must_use]
    pub fn timezone(&self) -> PoSQLTimeZone {
        self.timezone
    }
    /// Attempts to parse a timestamp string into an [`PoSQLTimestamp`] structure.
    /// This function supports two primary formats:
    ///
    /// 1. **RFC 3339 Parsing**:
    ///    - Parses the timestamp along with its timezone.
    ///    - If parsing succeeds, it extracts the timezone offset using `dt.offset().local_minus_utc()`
    ///      and then uses this to construct the appropriate `PoSQLTimeZone`.
    ///
    /// 2. **Timezone Parsing and Conversion**:
    ///    - The `from_offset` method is used to determine whether the timezone should be represented
    ///      as `Utc` or `FixedOffset`. This function simplifies the decision based on the offset value.
    ///
    /// # Errors
    /// This function returns a `PoSQLTimestampError` in the following cases:
    ///
    /// - **Parsing Error**: Returns `PoSQLTimestampError::ParsingError` if the input string does not conform
    ///   to the RFC 3339 format or if the timestamp cannot be parsed due to invalid formatting.
    ///   This error includes the original parsing error message for further details.
    ///
    /// # Examples
    /// ```
    /// use chrono::{DateTime, Utc};
    /// use proof_of_sql_parser::posql_time::{PoSQLTimestamp, PoSQLTimeZone};
    ///
    /// // Parsing an RFC 3339 timestamp without a timezone:
    /// let timestamp_str = "2009-01-03T18:15:05Z";
    /// let intermediate_timestamp = PoSQLTimestamp::try_from(timestamp_str).unwrap();
    /// assert_eq!(intermediate_timestamp.timezone(), PoSQLTimeZone::utc());
    ///
    /// // Parsing an RFC 3339 timestamp with a positive timezone offset:
    /// let timestamp_str_with_tz = "2009-01-03T18:15:05+03:00";
    /// let intermediate_timestamp = PoSQLTimestamp::try_from(timestamp_str_with_tz).unwrap();
    /// assert_eq!(intermediate_timestamp.timezone(), PoSQLTimeZone::new(10800)); // 3 hours in seconds
    /// ```
    pub fn try_from(timestamp_str: &str) -> Result<Self, PoSQLTimestampError> {
        let dt = DateTime::parse_from_rfc3339(timestamp_str).map_err(|e| {
            PoSQLTimestampError::ParsingError {
                error: e.to_string(),
            }
        })?;
        let offset_seconds = dt.offset().local_minus_utc();
        let timezone = PoSQLTimeZone::new(offset_seconds);
        let nanoseconds = dt.timestamp_subsec_nanos();
        let timeunit = if nanoseconds % 1_000 != 0 {
            PoSQLTimeUnit::Nanosecond
        } else if nanoseconds % 1_000_000 != 0 {
            PoSQLTimeUnit::Microsecond
        } else if nanoseconds % 1_000_000_000 != 0 {
            PoSQLTimeUnit::Millisecond
        } else {
            PoSQLTimeUnit::Second
        };
        Ok(PoSQLTimestamp {
            timestamp: dt.with_timezone(&Utc),
            timeunit,
            timezone,
        })
    }
    /// Attempts to parse a timestamp string into an `PoSQLTimestamp` structure.
    /// This function supports two primary formats:
    ///
    /// **Unix Epoch Time Parsing**:
    ///    - Since Unix epoch timestamps don't inherently carry timezone information,
    ///      any Unix time parsed directly from an integer is assumed to be in UTC.
    ///
    /// # Errors
    /// This function returns a `PoSQLTimestampError` in the following cases:
    ///
    /// - **Ambiguous Time**: Returns `PoSQLTimestampError::Ambiguous` if the provided epoch time
    ///   corresponds to a time that is ambiguous (e.g., during a daylight saving time change where
    ///   the local time could correspond to two different UTC times).
    ///
    /// - **Non-Existent Local Time**: Returns `PoSQLTimestampError::LocalTimeDoesNotExist` if the
    ///   provided epoch time corresponds to a time that does not exist in the local time zone (e.g.,
    ///   during a daylight saving time change where a certain local time is skipped).
    ///
    /// # Examples
    /// ```
    /// use chrono::{DateTime, Utc};
    /// use proof_of_sql_parser::posql_time::{PoSQLTimestamp, PoSQLTimeZone};
    ///
    /// // Parsing a Unix epoch timestamp (assumed to be seconds and UTC):
    /// let unix_time = 1231006505;
    /// let intermediate_timestamp = PoSQLTimestamp::to_timestamp(unix_time).unwrap();
    /// assert_eq!(intermediate_timestamp.timezone(), PoSQLTimeZone::utc());
    /// ```
    pub fn to_timestamp(epoch: i64) -> Result<Self, PoSQLTimestampError> {
        match Utc.timestamp_opt(epoch, 0) {
            LocalResult::Single(timestamp) => Ok(PoSQLTimestamp {
                timestamp,
                timeunit: PoSQLTimeUnit::Second,
                timezone: PoSQLTimeZone::utc(),
            }),
            LocalResult::Ambiguous(earliest, latest) => Err(PoSQLTimestampError::Ambiguous{ error:
                format!("The local time is ambiguous because there is a fold in the local time: earliest: {earliest} latest: {latest} "),
        }),
            LocalResult::None => Err(PoSQLTimestampError::LocalTimeDoesNotExist),
        }
    }
}
#[cfg(test)]
mod tests {
    use super::*;
    #[test]
    fn test_unix_epoch_time_timezone() {
        let unix_time = 1_231_006_505; // Unix time as integer
        let expected_timezone = PoSQLTimeZone::utc(); // Unix time should always be UTC
        let result = PoSQLTimestamp::to_timestamp(unix_time).unwrap();
        assert_eq!(result.timezone, expected_timezone);
    }
    #[test]
    fn test_unix_epoch_timestamp_parsing() {
        let unix_time = 1_231_006_505; // Example Unix timestamp (seconds since epoch)
        let expected_datetime = Utc.timestamp_opt(unix_time, 0).unwrap();
        let expected_unit = PoSQLTimeUnit::Second; // Assuming basic second precision for Unix timestamp
        let input = unix_time; // Simulate input as integer since Unix times are often transmitted as strings
        let result = PoSQLTimestamp::to_timestamp(input).unwrap();
        assert_eq!(result.timestamp, expected_datetime);
        assert_eq!(result.timeunit, expected_unit);
    }
    #[test]
    fn test_basic_rfc3339_timestamp() {
        let input = "2023-06-26T12:34:56Z";
        let expected = Utc.with_ymd_and_hms(2023, 6, 26, 12, 34, 56).unwrap();
        let result = PoSQLTimestamp::try_from(input).unwrap();
        assert_eq!(result.timestamp, expected);
    }
    #[test]
    fn test_rfc3339_timestamp_with_positive_offset() {
        let input = "2023-06-26T08:00:00+04:30";
        let expected = Utc.with_ymd_and_hms(2023, 6, 26, 3, 30, 0).unwrap(); // Adjusted to UTC
        let result = PoSQLTimestamp::try_from(input).unwrap();
        assert_eq!(result.timestamp, expected);
    }
    #[test]
    fn test_rfc3339_timestamp_with_negative_offset() {
        let input = "2023-06-26T20:00:00-05:00";
        let expected = Utc.with_ymd_and_hms(2023, 6, 27, 1, 0, 0).unwrap(); // Adjusted to UTC
        let result = PoSQLTimestamp::try_from(input).unwrap();
        assert_eq!(result.timestamp, expected);
    }
    #[test]
    fn test_rfc3339_timestamp_with_utc_designator() {
        let input = "2023-06-26T12:34:56Z";
        let expected = Utc.with_ymd_and_hms(2023, 6, 26, 12, 34, 56).unwrap();
        let result = PoSQLTimestamp::try_from(input).unwrap();
        assert_eq!(result.timestamp, expected);
    }
    #[test]
    fn test_invalid_rfc3339_timestamp() {
        let input = "not-a-timestamp";
        assert_eq!(
            PoSQLTimestamp::try_from(input),
            Err(PoSQLTimestampError::ParsingError {
                error: "input contains invalid characters".into()
            })
        );
    }
    #[test]
    fn test_timestamp_with_seconds() {
        let input = "2023-06-26T12:34:56Z";
        let expected_time = Utc.with_ymd_and_hms(2023, 6, 26, 12, 34, 56).unwrap();
        let expected_unit = PoSQLTimeUnit::Second;
        let result = PoSQLTimestamp::try_from(input).unwrap();
        assert_eq!(result.timestamp, expected_time);
        assert_eq!(result.timeunit, expected_unit);
    }
    #[test]
    fn test_general_parsing_error() {
        // This test assumes that there's a catch-all parsing error case that isn't covered by the more specific errors.
        let malformed_input = "2009-01-03T::00Z"; // Intentionally malformed timestamp
        let result = PoSQLTimestamp::try_from(malformed_input);
        assert!(matches!(
            result,
            Err(PoSQLTimestampError::ParsingError { .. })
        ));
    }
    #[test]
    fn test_basic_date_time_support() {
        let inputs = ["2009-01-03T18:15:05Z", "2009-01-03T18:15:05+02:00"];
        for input in inputs {
            assert!(
                DateTime::parse_from_rfc3339(input).is_ok(),
                "Should parse correctly: {input}"
            );
        }
    }
    #[test]
    fn test_leap_seconds() {
        let input = "1998-12-31T23:59:60Z"; // fyi the 59:-->60<-- is the leap second
        assert!(PoSQLTimestamp::try_from(input).is_ok());
    }
    #[test]
    fn test_leap_seconds_ranges() {
        // Timestamp just before the leap second
        let before_leap_second = "1998-12-31T23:59:59Z";
        // Timestamp during the leap second
        let leap_second = "1998-12-31T23:59:60Z";
        // Timestamp just after the leap second
        let after_leap_second = "1999-01-01T00:00:00Z";
        // Parse timestamps
        let before_leap_dt = PoSQLTimestamp::try_from(before_leap_second).unwrap();
        let leap_second_dt = PoSQLTimestamp::try_from(leap_second).unwrap();
        let after_leap_dt = PoSQLTimestamp::try_from(after_leap_second).unwrap();
        // Ensure that "23:59:60Z" - 1 second is considered equivalent to "23:59:59Z"
        assert_eq!(
            before_leap_dt.timestamp,
            leap_second_dt.timestamp - chrono::Duration::seconds(1)
        );
        // Ensure that "23:59:60Z" + 1 second is "1999-01-01T00:00:00Z"
        assert_eq!(
            after_leap_dt.timestamp,
            leap_second_dt.timestamp + chrono::Duration::seconds(1)
        );
    }
    #[test]
    fn test_rejecting_incorrect_formats() {
        let incorrect_formats = [
            "2009-January-03",
            "25:61:61",
            "20090103",
            "181505",
            "18:15:05",
        ];
        for input in incorrect_formats {
            assert!(
                DateTime::parse_from_rfc3339(input).is_err(),
                "Should reject incorrect format: {input}"
            );
        }
    }
}