1use std::io::{self, Write as _};
2use std::slice;
3use std::str;
4
5use tz::timezone::{LocalTimeType, TimeZoneRef};
6use tzdb::time_zone::etc::GMT;
7
8use super::error::{TimeError, TzOutOfRangeError, TzStringError};
9
10const SECONDS_IN_MINUTE: i32 = 60;
11const SECONDS_IN_HOUR: i32 = SECONDS_IN_MINUTE * 60;
12const SECONDS_IN_DAY: i32 = SECONDS_IN_HOUR * 24;
13
14pub const MAX_OFFSET_SECONDS: i32 = SECONDS_IN_DAY - 1;
19
20pub const MIN_OFFSET_SECONDS: i32 = -MAX_OFFSET_SECONDS;
25
26#[inline]
45#[must_use]
46#[cfg(feature = "tzrs-local")]
47fn local_time_zone() -> TimeZoneRef<'static> {
48    use std::sync::LazyLock;
49
50    static LOCAL_TZ: LazyLock<TimeZoneRef<'static>> = LazyLock::new(|| {
53        let tz = iana_time_zone::get_timezone().ok().and_then(tzdb::tz_by_name);
54        tz.unwrap_or(GMT)
55    });
56
57    *LOCAL_TZ
58}
59
60#[inline]
61#[must_use]
62#[cfg(not(feature = "tzrs-local"))]
63fn local_time_zone() -> TimeZoneRef<'static> {
64    GMT
65}
66
67#[inline]
70fn offset_hhmm_from_seconds(seconds: i32, buf: &mut [u8; 5]) -> io::Result<()> {
71    let flag = if seconds < 0 { '-' } else { '+' };
72    let minutes = seconds.abs() / 60;
73
74    let offset_hours = minutes / 60;
75    let offset_minutes = minutes - (offset_hours * 60);
76
77    write!(buf.as_mut_slice(), "{flag}{offset_hours:0>2}{offset_minutes:0>2}")
78}
79
80#[derive(Debug, Copy, Clone, PartialEq, Eq)]
82pub struct Offset {
83    inner: OffsetType,
84}
85
86#[allow(variant_size_differences)]
88#[derive(Debug, Copy, Clone, PartialEq, Eq)]
89enum OffsetType {
90    Utc,
92    Fixed(LocalTimeType),
96    Tz(TimeZoneRef<'static>),
98}
99
100impl Offset {
101    #[inline]
118    #[must_use]
119    pub fn utc() -> Self {
120        Self { inner: OffsetType::Utc }
121    }
122
123    #[inline]
148    #[must_use]
149    pub fn local() -> Self {
150        let local_tz = local_time_zone();
151        let offset = OffsetType::Tz(local_tz);
152        Self { inner: offset }
153    }
154
155    #[inline]
185    #[allow(
186        clippy::missing_panics_doc,
187        reason = "Creating `LocalTimeType` is never expected to fail, constructing the offset has exhaustive tests asserting it does not panic"
188    )]
189    pub fn fixed(offset: i32) -> Result<Self, TimeError> {
190        if !(MIN_OFFSET_SECONDS..=MAX_OFFSET_SECONDS).contains(&offset) {
191            return Err(TzOutOfRangeError::new().into());
192        }
193
194        let mut offset_name = [0; 5];
195
196        offset_hhmm_from_seconds(offset, &mut offset_name).expect("offset name should be 5 bytes long");
197        let local_time_type = LocalTimeType::new(offset, false, Some(&offset_name[..]))
200            .expect("Failed to LocalTimeType for fixed offset");
201
202        Ok(Self {
203            inner: OffsetType::Fixed(local_time_type),
204        })
205    }
206
207    #[inline]
212    #[must_use]
213    fn tz(tz: TimeZoneRef<'static>) -> Self {
214        Self {
215            inner: OffsetType::Tz(tz),
216        }
217    }
218
219    #[inline]
236    #[must_use]
237    pub fn is_utc(&self) -> bool {
238        matches!(self.inner, OffsetType::Utc)
239    }
240
241    #[inline]
244    #[must_use]
245    pub(crate) fn time_zone_ref(&self) -> TimeZoneRef<'_> {
246        match self.inner {
247            OffsetType::Utc => TimeZoneRef::utc(),
248            OffsetType::Fixed(ref local_time_type) => {
249                match TimeZoneRef::new(&[], slice::from_ref(local_time_type), &[], &None) {
250                    Ok(tz) => tz,
251                    Err(_) => GMT,
252                }
253            }
254
255            OffsetType::Tz(zone) => zone,
256        }
257    }
258}
259
260impl TryFrom<&str> for Offset {
261    type Error = TimeError;
262
263    #[inline]
275    fn try_from(input: &str) -> Result<Self, Self::Error> {
276        match input {
277            "A" => Ok(Self::fixed(SECONDS_IN_HOUR)?),
278            "B" => Ok(Self::fixed(2 * SECONDS_IN_HOUR)?),
279            "C" => Ok(Self::fixed(3 * SECONDS_IN_HOUR)?),
280            "D" => Ok(Self::fixed(4 * SECONDS_IN_HOUR)?),
281            "E" => Ok(Self::fixed(5 * SECONDS_IN_HOUR)?),
282            "F" => Ok(Self::fixed(6 * SECONDS_IN_HOUR)?),
283            "G" => Ok(Self::fixed(7 * SECONDS_IN_HOUR)?),
284            "H" => Ok(Self::fixed(8 * SECONDS_IN_HOUR)?),
285            "I" => Ok(Self::fixed(9 * SECONDS_IN_HOUR)?),
286            "K" => Ok(Self::fixed(10 * SECONDS_IN_HOUR)?),
287            "L" => Ok(Self::fixed(11 * SECONDS_IN_HOUR)?),
288            "M" => Ok(Self::fixed(12 * SECONDS_IN_HOUR)?),
289            "N" => Ok(Self::fixed(-SECONDS_IN_HOUR)?),
290            "O" => Ok(Self::fixed(-2 * SECONDS_IN_HOUR)?),
291            "P" => Ok(Self::fixed(-3 * SECONDS_IN_HOUR)?),
292            "Q" => Ok(Self::fixed(-4 * SECONDS_IN_HOUR)?),
293            "R" => Ok(Self::fixed(-5 * SECONDS_IN_HOUR)?),
294            "S" => Ok(Self::fixed(-6 * SECONDS_IN_HOUR)?),
295            "T" => Ok(Self::fixed(-7 * SECONDS_IN_HOUR)?),
296            "U" => Ok(Self::fixed(-8 * SECONDS_IN_HOUR)?),
297            "V" => Ok(Self::fixed(-9 * SECONDS_IN_HOUR)?),
298            "W" => Ok(Self::fixed(-10 * SECONDS_IN_HOUR)?),
299            "X" => Ok(Self::fixed(-11 * SECONDS_IN_HOUR)?),
300            "Y" => Ok(Self::fixed(-12 * SECONDS_IN_HOUR)?),
301            "Z" | "UTC" => Ok(Self::utc()),
312            _ => {
313                let FixedTimeZoneOffset { sign, hours, minutes } = parse_fixed_timezone_offset(input)?;
314                if (0..=23).contains(&hours) && (0..=59).contains(&minutes) {
318                    let offset_seconds: i32 = sign * ((hours * SECONDS_IN_HOUR) + (minutes * SECONDS_IN_MINUTE));
319                    Ok(Self::fixed(offset_seconds)?)
320                } else {
321                    Err(TzOutOfRangeError::new().into())
322                }
323            }
324        }
325    }
326}
327
328impl TryFrom<&[u8]> for Offset {
329    type Error = TimeError;
330
331    fn try_from(input: &[u8]) -> Result<Self, Self::Error> {
332        let input = str::from_utf8(input).map_err(|_| TzStringError::new())?;
333        Offset::try_from(input)
334    }
335}
336
337impl TryFrom<String> for Offset {
338    type Error = TimeError;
339
340    fn try_from(input: String) -> Result<Self, Self::Error> {
341        Offset::try_from(input.as_str())
342    }
343}
344
345impl From<TimeZoneRef<'static>> for Offset {
346    #[inline]
347    fn from(tz: TimeZoneRef<'static>) -> Self {
348        Self::tz(tz)
349    }
350}
351
352impl TryFrom<i32> for Offset {
353    type Error = TimeError;
354
355    #[inline]
359    fn try_from(seconds: i32) -> Result<Self, Self::Error> {
360        Self::fixed(seconds)
361    }
362}
363
364#[derive(Debug, PartialEq, Eq)]
365struct FixedTimeZoneOffset {
366    pub sign: i32,
367    pub hours: i32,
368    pub minutes: i32,
369}
370
371fn parse_fixed_timezone_offset(input: &str) -> Result<FixedTimeZoneOffset, TzStringError> {
374    if !input.is_ascii() {
375        return Err(TzStringError::new());
376    }
377
378    let (sign, hour_str, minute_str) = match input.as_bytes() {
382        [b'+', _, _, _, _] => (1, &input[1..3], &input[3..5]),
384        [b'-', _, _, _, _] => (-1, &input[1..3], &input[3..5]),
386        [b'+', _, _, b':', _, _] => (1, &input[1..3], &input[4..6]),
388        [b'-', _, _, b':', _, _] => (-1, &input[1..3], &input[4..6]),
390        _ => return Err(TzStringError::new()),
392    };
393
394    let hours: i32 = hour_str.parse().map_err(|_| TzStringError::new())?;
400    let minutes: i32 = minute_str.parse().map_err(|_| TzStringError::new())?;
401
402    Ok(FixedTimeZoneOffset { sign, hours, minutes })
403}
404
405#[cfg(test)]
406mod tests {
407    use std::sync::LazyLock;
408
409    use tz::timezone::Transition;
410    use tz::{LocalTimeType, TimeZone};
411
412    use super::*;
413    use crate::tzrs::Time;
414    use crate::tzrs::error::TimeError;
415
416    fn offset_seconds_from_fixed_offset(input: &str) -> Result<i32, TimeError> {
417        let offset = Offset::try_from(input)?;
418        let local_time_type = offset.time_zone_ref().local_time_types()[0];
419        Ok(local_time_type.ut_offset())
420    }
421
422    fn fixed_offset_name(offset_seconds: i32) -> Result<String, TimeError> {
423        let offset = Offset::fixed(offset_seconds)?;
424
425        match offset.inner {
426            OffsetType::Fixed(ref local_time_type) => Ok(local_time_type.time_zone_designation().to_string()),
427            _ => unreachable!(),
428        }
429    }
430
431    #[test]
432    fn fixed_zero_is_not_utc() {
433        let offset = Offset::try_from(0).unwrap();
434        assert!(!offset.is_utc());
435    }
436
437    #[test]
438    fn utc_is_utc() {
439        let offset = Offset::utc();
440        assert!(offset.is_utc());
441    }
442
443    #[test]
444    fn z_is_utc() {
445        let offset = Offset::try_from("Z").unwrap();
446        assert!(offset.is_utc());
447    }
448
449    #[test]
450    fn from_binary_string() {
451        let tz: &[u8] = b"Z";
452        let offset = Offset::try_from(tz).unwrap();
453        assert!(offset.is_utc());
454    }
455
456    #[test]
457    fn from_str_hh_mm() {
458        assert_eq!(Some(0), offset_seconds_from_fixed_offset("+0000").ok());
459        assert_eq!(Some(0), offset_seconds_from_fixed_offset("-0000").ok());
460        assert_eq!(Some(60), offset_seconds_from_fixed_offset("+0001").ok());
461        assert_eq!(Some(-60), offset_seconds_from_fixed_offset("-0001").ok());
462        assert_eq!(Some(3600), offset_seconds_from_fixed_offset("+0100").ok());
463        assert_eq!(Some(-3600), offset_seconds_from_fixed_offset("-0100").ok());
464        assert_eq!(Some(7320), offset_seconds_from_fixed_offset("+0202").ok());
465        assert_eq!(Some(-7320), offset_seconds_from_fixed_offset("-0202").ok());
466
467        assert!(matches!(
468            offset_seconds_from_fixed_offset("+2400").unwrap_err(),
469            TimeError::TzOutOfRangeError(_)
470        ));
471
472        assert!(matches!(
473            offset_seconds_from_fixed_offset("-2400").unwrap_err(),
474            TimeError::TzOutOfRangeError(_)
475        ));
476
477        assert!(matches!(
478            offset_seconds_from_fixed_offset("+0060").unwrap_err(),
479            TimeError::TzOutOfRangeError(_)
480        ));
481
482        assert!(matches!(
483            offset_seconds_from_fixed_offset("-0060").unwrap_err(),
484            TimeError::TzOutOfRangeError(_)
485        ));
486    }
487
488    #[test]
489    fn from_str_hh_colon_mm() {
490        assert_eq!(Some(0), offset_seconds_from_fixed_offset("+00:00").ok());
491        assert_eq!(Some(0), offset_seconds_from_fixed_offset("-00:00").ok());
492        assert_eq!(Some(60), offset_seconds_from_fixed_offset("+00:01").ok());
493        assert_eq!(Some(-60), offset_seconds_from_fixed_offset("-00:01").ok());
494        assert_eq!(Some(3600), offset_seconds_from_fixed_offset("+01:00").ok());
495        assert_eq!(Some(-3600), offset_seconds_from_fixed_offset("-01:00").ok());
496        assert_eq!(Some(7320), offset_seconds_from_fixed_offset("+02:02").ok());
497        assert_eq!(Some(-7320), offset_seconds_from_fixed_offset("-02:02").ok());
498
499        assert!(matches!(
500            offset_seconds_from_fixed_offset("+24:00").unwrap_err(),
501            TimeError::TzOutOfRangeError(_)
502        ));
503
504        assert!(matches!(
505            offset_seconds_from_fixed_offset("-24:00").unwrap_err(),
506            TimeError::TzOutOfRangeError(_)
507        ));
508
509        assert!(matches!(
510            offset_seconds_from_fixed_offset("+00:60").unwrap_err(),
511            TimeError::TzOutOfRangeError(_)
512        ));
513
514        assert!(matches!(
515            offset_seconds_from_fixed_offset("-00:60").unwrap_err(),
516            TimeError::TzOutOfRangeError(_)
517        ));
518    }
519
520    #[test]
521    fn from_str_invalid_fixed_strings() {
522        let invalid_fixed_strings = [
523            "+01:010", "+010:10", "+010:010", "0110", "01:10", "01-10", "+01-10", "+01::10",
524        ];
525
526        for invalid_string in invalid_fixed_strings {
527            assert!(
528                matches!(
529                    Offset::try_from(invalid_string).unwrap_err(),
530                    TimeError::TzStringError(_)
531                ),
532                "Expected TimeError::TzStringError for {invalid_string}",
533            );
534        }
535    }
536
537    #[test]
538    fn from_str_non_ascii_numeral_fixed_strings() {
539        let offset = "+१०:೩೬";
548        assert!(matches!(
549            offset_seconds_from_fixed_offset(offset).unwrap_err(),
550            TimeError::TzStringError(_)
551        ));
552    }
553
554    #[test]
555    fn from_str_fixed_strings_with_newlines() {
556        assert!(matches!(
557            offset_seconds_from_fixed_offset("+10:00\n+11:00").unwrap_err(),
558            TimeError::TzStringError(_)
559        ));
560        assert!(matches!(
561            offset_seconds_from_fixed_offset("+10:00\n").unwrap_err(),
562            TimeError::TzStringError(_)
563        ));
564        assert!(matches!(
565            offset_seconds_from_fixed_offset("\n+10:00").unwrap_err(),
566            TimeError::TzStringError(_)
567        ));
568    }
569
570    #[test]
571    fn offset_hhmm_from_seconds_exhaustive_5_bytes() {
572        for offset in MIN_OFFSET_SECONDS..=MAX_OFFSET_SECONDS {
576            let mut buf = [0xFF; 5];
577            offset_hhmm_from_seconds(offset, &mut buf).unwrap();
578            assert!(buf.into_iter().all(|b| b != 0xFF));
579        }
580    }
581
582    #[test]
583    fn fixed_time_zone_designation_exhaustive_no_panic() {
584        for offset in MIN_OFFSET_SECONDS..=MAX_OFFSET_SECONDS {
588            fixed_offset_name(offset).unwrap();
589        }
590    }
591
592    #[test]
593    fn fixed_time_zone_designation() {
594        assert_eq!("+0000", fixed_offset_name(0).unwrap());
595        assert_eq!("+0000", fixed_offset_name(59).unwrap());
596        assert_eq!("+0001", fixed_offset_name(60).unwrap());
597        assert_eq!("-0001", fixed_offset_name(-60).unwrap());
598        assert_eq!("+0100", fixed_offset_name(3600).unwrap());
599        assert_eq!("-0100", fixed_offset_name(-3600).unwrap());
600        assert_eq!("+0202", fixed_offset_name(7320).unwrap());
601        assert_eq!("-0202", fixed_offset_name(-7320).unwrap());
602
603        assert_eq!("+2359", fixed_offset_name(MAX_OFFSET_SECONDS).unwrap());
604        assert_eq!("-2359", fixed_offset_name(MIN_OFFSET_SECONDS).unwrap());
605
606        assert!(matches!(
607            fixed_offset_name(MAX_OFFSET_SECONDS + 1).unwrap_err(),
608            TimeError::TzOutOfRangeError(_)
609        ));
610
611        assert!(matches!(
612            fixed_offset_name(MIN_OFFSET_SECONDS - 1).unwrap_err(),
613            TimeError::TzOutOfRangeError(_)
614        ));
615    }
616
617    #[test]
619    fn tzrs_gh_34_handle_missing_transition_tzif_v1() {
620        static TZ: LazyLock<TimeZone> = LazyLock::new(|| {
621            let local_time_types = vec![
622                LocalTimeType::new(0, false, None).unwrap(),
623                LocalTimeType::new(3600, false, None).unwrap(),
624            ];
625
626            TimeZone::new(
627                vec![Transition::new(0, 1), Transition::new(86400, 1)],
628                local_time_types,
629                vec![],
630                None,
631            )
632            .unwrap()
633        });
634
635        let offset = Offset {
636            inner: OffsetType::Tz(TZ.as_ref()),
637        };
638        assert!(matches!(
639            Time::new(1970, 1, 2, 12, 0, 0, 0, offset).unwrap_err(),
640            TimeError::Unknown,
641        ));
642    }
643
644    #[test]
645    fn test_valid_offsets_without_colon() {
646        let tz = parse_fixed_timezone_offset("+0000").unwrap();
648        assert_eq!(
649            tz,
650            FixedTimeZoneOffset {
651                sign: 1,
652                hours: 0,
653                minutes: 0
654            }
655        );
656
657        let tz = parse_fixed_timezone_offset("+1234").unwrap();
658        assert_eq!(
659            tz,
660            FixedTimeZoneOffset {
661                sign: 1,
662                hours: 12,
663                minutes: 34
664            }
665        );
666
667        let tz = parse_fixed_timezone_offset("-0000").unwrap();
669        assert_eq!(
670            tz,
671            FixedTimeZoneOffset {
672                sign: -1,
673                hours: 0,
674                minutes: 0
675            }
676        );
677
678        let tz = parse_fixed_timezone_offset("-0830").unwrap();
679        assert_eq!(
680            tz,
681            FixedTimeZoneOffset {
682                sign: -1,
683                hours: 8,
684                minutes: 30
685            }
686        );
687    }
688
689    #[test]
690    fn test_valid_offsets_with_colon() {
691        let tz = parse_fixed_timezone_offset("+00:00").unwrap();
693        assert_eq!(
694            tz,
695            FixedTimeZoneOffset {
696                sign: 1,
697                hours: 0,
698                minutes: 0
699            }
700        );
701
702        let tz = parse_fixed_timezone_offset("+12:34").unwrap();
703        assert_eq!(
704            tz,
705            FixedTimeZoneOffset {
706                sign: 1,
707                hours: 12,
708                minutes: 34
709            }
710        );
711
712        let tz = parse_fixed_timezone_offset("-00:00").unwrap();
714        assert_eq!(
715            tz,
716            FixedTimeZoneOffset {
717                sign: -1,
718                hours: 0,
719                minutes: 0
720            }
721        );
722
723        let tz = parse_fixed_timezone_offset("-08:30").unwrap();
724        assert_eq!(
725            tz,
726            FixedTimeZoneOffset {
727                sign: -1,
728                hours: 8,
729                minutes: 30
730            }
731        );
732    }
733
734    #[test]
735    fn test_invalid_length() {
736        assert!(parse_fixed_timezone_offset("").is_err());
738        assert!(parse_fixed_timezone_offset("+00").is_err());
739
740        assert!(parse_fixed_timezone_offset("+00000").is_err());
742        assert!(parse_fixed_timezone_offset("+12:345").is_err());
743    }
744
745    #[test]
746    fn test_invalid_non_ascii() {
747        let non_ascii = "+1234"; assert!(parse_fixed_timezone_offset(non_ascii).is_err());
750    }
751
752    #[test]
753    fn test_invalid_format() {
754        assert!(parse_fixed_timezone_offset("12345").is_err());
756
757        assert!(parse_fixed_timezone_offset("*1234").is_err());
759
760        assert!(parse_fixed_timezone_offset("+1:234").is_err());
762        assert!(parse_fixed_timezone_offset("+12345").is_err());
764
765        assert!(parse_fixed_timezone_offset("+1a:34").is_err());
767        assert!(parse_fixed_timezone_offset("+12:3b").is_err());
768    }
769
770    #[test]
771    fn test_invalid_digit_parsing() {
772        assert!(parse_fixed_timezone_offset("+ab:cd").is_err());
774        assert!(parse_fixed_timezone_offset("+ab12").is_err());
775    }
776}