time/parsing/
parsed.rs

1//! Information parsed from an input and format description.
2
3use core::num::{NonZeroU16, NonZeroU8};
4
5use deranged::{
6    OptionRangedI128, OptionRangedI16, OptionRangedI32, OptionRangedI8, OptionRangedU16,
7    OptionRangedU32, OptionRangedU8, RangedI128, RangedI16, RangedI32, RangedI8, RangedU16,
8    RangedU32, RangedU8,
9};
10use num_conv::prelude::*;
11
12use crate::convert::{Day, Hour, Minute, Nanosecond, Second};
13use crate::date::{MAX_YEAR, MIN_YEAR};
14use crate::error::TryFromParsed::InsufficientInformation;
15#[cfg(feature = "alloc")]
16use crate::format_description::OwnedFormatItem;
17use crate::format_description::{modifier, BorrowedFormatItem, Component};
18use crate::internal_macros::{bug, const_try_opt};
19use crate::parsing::component::{
20    parse_day, parse_end, parse_hour, parse_ignore, parse_minute, parse_month, parse_offset_hour,
21    parse_offset_minute, parse_offset_second, parse_ordinal, parse_period, parse_second,
22    parse_subsecond, parse_unix_timestamp, parse_week_number, parse_weekday, parse_year, Period,
23};
24use crate::parsing::ParsedItem;
25use crate::{error, Date, Month, OffsetDateTime, PrimitiveDateTime, Time, UtcOffset, Weekday};
26
27/// Sealed to prevent downstream implementations.
28mod sealed {
29    use super::*;
30
31    /// A trait to allow `parse_item` to be generic.
32    pub trait AnyFormatItem {
33        /// Parse a single item, returning the remaining input on success.
34        fn parse_item<'a>(
35            &self,
36            parsed: &mut Parsed,
37            input: &'a [u8],
38        ) -> Result<&'a [u8], error::ParseFromDescription>;
39    }
40}
41
42impl sealed::AnyFormatItem for BorrowedFormatItem<'_> {
43    fn parse_item<'a>(
44        &self,
45        parsed: &mut Parsed,
46        input: &'a [u8],
47    ) -> Result<&'a [u8], error::ParseFromDescription> {
48        match self {
49            Self::Literal(literal) => Parsed::parse_literal(input, literal),
50            Self::Component(component) => parsed.parse_component(input, *component),
51            Self::Compound(compound) => parsed.parse_items(input, compound),
52            Self::Optional(item) => parsed.parse_item(input, *item).or(Ok(input)),
53            Self::First(items) => {
54                let mut first_err = None;
55
56                for item in items.iter() {
57                    match parsed.parse_item(input, item) {
58                        Ok(remaining_input) => return Ok(remaining_input),
59                        Err(err) if first_err.is_none() => first_err = Some(err),
60                        Err(_) => {}
61                    }
62                }
63
64                match first_err {
65                    Some(err) => Err(err),
66                    // This location will be reached if the slice is empty, skipping the `for` loop.
67                    // As this case is expected to be uncommon, there's no need to check up front.
68                    None => Ok(input),
69                }
70            }
71        }
72    }
73}
74
75#[cfg(feature = "alloc")]
76impl sealed::AnyFormatItem for OwnedFormatItem {
77    fn parse_item<'a>(
78        &self,
79        parsed: &mut Parsed,
80        input: &'a [u8],
81    ) -> Result<&'a [u8], error::ParseFromDescription> {
82        match self {
83            Self::Literal(literal) => Parsed::parse_literal(input, literal),
84            Self::Component(component) => parsed.parse_component(input, *component),
85            Self::Compound(compound) => parsed.parse_items(input, compound),
86            Self::Optional(item) => parsed.parse_item(input, item.as_ref()).or(Ok(input)),
87            Self::First(items) => {
88                let mut first_err = None;
89
90                for item in items.iter() {
91                    match parsed.parse_item(input, item) {
92                        Ok(remaining_input) => return Ok(remaining_input),
93                        Err(err) if first_err.is_none() => first_err = Some(err),
94                        Err(_) => {}
95                    }
96                }
97
98                match first_err {
99                    Some(err) => Err(err),
100                    // This location will be reached if the slice is empty, skipping the `for` loop.
101                    // As this case is expected to be uncommon, there's no need to check up front.
102                    None => Ok(input),
103                }
104            }
105        }
106    }
107}
108
109/// All information parsed.
110///
111/// This information is directly used to construct the final values.
112///
113/// Most users will not need think about this struct in any way. It is public to allow for manual
114/// control over values, in the instance that the default parser is insufficient.
115#[derive(Debug, Clone, Copy)]
116pub struct Parsed {
117    /// Calendar year.
118    year: OptionRangedI32<{ MIN_YEAR }, { MAX_YEAR }>,
119    /// All digits except the last two of the calendar year.
120    year_century: OptionRangedI16<{ (MIN_YEAR / 100) as i16 }, { (MAX_YEAR / 100) as i16 }>,
121    /// The last two digits of the calendar year.
122    year_last_two: OptionRangedU8<0, 99>,
123    /// Year of the [ISO week date](https://en.wikipedia.org/wiki/ISO_week_date).
124    iso_year: OptionRangedI32<{ MIN_YEAR }, { MAX_YEAR }>,
125    /// All digits except the last two of the ISO week year.
126    iso_year_century: OptionRangedI16<{ (MIN_YEAR / 100) as i16 }, { (MAX_YEAR / 100) as i16 }>,
127    /// The last two digits of the ISO week year.
128    iso_year_last_two: OptionRangedU8<0, 99>,
129    /// Month of the year.
130    month: Option<Month>,
131    /// Week of the year, where week one begins on the first Sunday of the calendar year.
132    sunday_week_number: OptionRangedU8<0, 53>,
133    /// Week of the year, where week one begins on the first Monday of the calendar year.
134    monday_week_number: OptionRangedU8<0, 53>,
135    /// Week of the year, where week one is the Monday-to-Sunday period containing January 4.
136    iso_week_number: OptionRangedU8<1, 53>,
137    /// Day of the week.
138    weekday: Option<Weekday>,
139    /// Day of the year.
140    ordinal: OptionRangedU16<1, 366>,
141    /// Day of the month.
142    day: OptionRangedU8<1, 31>,
143    /// Hour within the day.
144    hour_24: OptionRangedU8<0, { Hour::per(Day) - 1 }>,
145    /// Hour within the 12-hour period (midnight to noon or vice versa). This is typically used in
146    /// conjunction with AM/PM, which is indicated by the `hour_12_is_pm` field.
147    hour_12: OptionRangedU8<1, 12>,
148    /// Whether the `hour_12` field indicates a time that "PM".
149    hour_12_is_pm: Option<bool>,
150    /// Minute within the hour.
151    minute: OptionRangedU8<0, { Minute::per(Hour) - 1 }>,
152    /// Second within the minute.
153    // do not subtract one, as leap seconds may be allowed
154    second: OptionRangedU8<0, { Second::per(Minute) }>,
155    /// Nanosecond within the second.
156    subsecond: OptionRangedU32<0, { Nanosecond::per(Second) - 1 }>,
157    /// Whole hours of the UTC offset.
158    offset_hour: OptionRangedI8<-23, 23>,
159    /// Minutes within the hour of the UTC offset.
160    offset_minute:
161        OptionRangedI8<{ -((Minute::per(Hour) - 1) as i8) }, { (Minute::per(Hour) - 1) as _ }>,
162    /// Seconds within the minute of the UTC offset.
163    offset_second:
164        OptionRangedI8<{ -((Second::per(Minute) - 1) as i8) }, { (Second::per(Minute) - 1) as _ }>,
165    /// The Unix timestamp in nanoseconds.
166    unix_timestamp_nanos: OptionRangedI128<
167        {
168            OffsetDateTime::new_in_offset(Date::MIN, Time::MIDNIGHT, UtcOffset::UTC)
169                .unix_timestamp_nanos()
170        },
171        {
172            OffsetDateTime::new_in_offset(Date::MAX, Time::MAX, UtcOffset::UTC)
173                .unix_timestamp_nanos()
174        },
175    >,
176    /// Indicates whether the [`UtcOffset`] is negative. This information is obtained when parsing
177    /// the offset hour, but may not otherwise be stored due to "-0" being equivalent to "0".
178    offset_is_negative: bool,
179    /// Indicates whether the `year_century` component is negative. This information is obtained
180    /// when parsing, but may not otherwise be stored due to "-0" being equivalent to "0".
181    year_century_is_negative: bool,
182    /// Indicates whether the `iso_year_century` component is negative. This information is
183    /// obtained when parsing, but may not otherwise be stored due to "-0" being equivalent to "0".
184    iso_year_century_is_negative: bool,
185    /// Indicates whether a leap second is permitted to be parsed. This is required by some
186    /// well-known formats.
187    pub(super) leap_second_allowed: bool,
188}
189
190impl Default for Parsed {
191    fn default() -> Self {
192        Self::new()
193    }
194}
195
196impl Parsed {
197    /// Create a new instance of `Parsed` with no information known.
198    pub const fn new() -> Self {
199        Self {
200            year: OptionRangedI32::None,
201            year_century: OptionRangedI16::None,
202            year_last_two: OptionRangedU8::None,
203            iso_year: OptionRangedI32::None,
204            iso_year_century: OptionRangedI16::None,
205            iso_year_last_two: OptionRangedU8::None,
206            month: None,
207            sunday_week_number: OptionRangedU8::None,
208            monday_week_number: OptionRangedU8::None,
209            iso_week_number: OptionRangedU8::None,
210            weekday: None,
211            ordinal: OptionRangedU16::None,
212            day: OptionRangedU8::None,
213            hour_24: OptionRangedU8::None,
214            hour_12: OptionRangedU8::None,
215            hour_12_is_pm: None,
216            minute: OptionRangedU8::None,
217            second: OptionRangedU8::None,
218            subsecond: OptionRangedU32::None,
219            offset_hour: OptionRangedI8::None,
220            offset_minute: OptionRangedI8::None,
221            offset_second: OptionRangedI8::None,
222            unix_timestamp_nanos: OptionRangedI128::None,
223            offset_is_negative: false,
224            year_century_is_negative: false,
225            iso_year_century_is_negative: false,
226            leap_second_allowed: false,
227        }
228    }
229
230    /// Parse a single [`BorrowedFormatItem`] or [`OwnedFormatItem`], mutating the struct. The
231    /// remaining input is returned as the `Ok` value.
232    ///
233    /// If a [`BorrowedFormatItem::Optional`] or [`OwnedFormatItem::Optional`] is passed, parsing
234    /// will not fail; the input will be returned as-is if the expected format is not present.
235    pub fn parse_item<'a>(
236        &mut self,
237        input: &'a [u8],
238        item: &impl sealed::AnyFormatItem,
239    ) -> Result<&'a [u8], error::ParseFromDescription> {
240        item.parse_item(self, input)
241    }
242
243    /// Parse a sequence of [`BorrowedFormatItem`]s or [`OwnedFormatItem`]s, mutating the struct.
244    /// The remaining input is returned as the `Ok` value.
245    ///
246    /// This method will fail if any of the contained [`BorrowedFormatItem`]s or
247    /// [`OwnedFormatItem`]s fail to parse. `self` will not be mutated in this instance.
248    pub fn parse_items<'a>(
249        &mut self,
250        mut input: &'a [u8],
251        items: &[impl sealed::AnyFormatItem],
252    ) -> Result<&'a [u8], error::ParseFromDescription> {
253        // Make a copy that we can mutate. It will only be set to the user's copy if everything
254        // succeeds.
255        let mut this = *self;
256        for item in items {
257            input = this.parse_item(input, item)?;
258        }
259        *self = this;
260        Ok(input)
261    }
262
263    /// Parse a literal byte sequence. The remaining input is returned as the `Ok` value.
264    pub fn parse_literal<'a>(
265        input: &'a [u8],
266        literal: &[u8],
267    ) -> Result<&'a [u8], error::ParseFromDescription> {
268        input
269            .strip_prefix(literal)
270            .ok_or(error::ParseFromDescription::InvalidLiteral)
271    }
272
273    /// Parse a single component, mutating the struct. The remaining input is returned as the `Ok`
274    /// value.
275    pub fn parse_component<'a>(
276        &mut self,
277        input: &'a [u8],
278        component: Component,
279    ) -> Result<&'a [u8], error::ParseFromDescription> {
280        use error::ParseFromDescription::InvalidComponent;
281
282        match component {
283            Component::Day(modifiers) => parse_day(input, modifiers)
284                .and_then(|parsed| parsed.consume_value(|value| self.set_day(value)))
285                .ok_or(InvalidComponent("day")),
286            Component::Month(modifiers) => parse_month(input, modifiers)
287                .and_then(|parsed| parsed.consume_value(|value| self.set_month(value)))
288                .ok_or(InvalidComponent("month")),
289            Component::Ordinal(modifiers) => parse_ordinal(input, modifiers)
290                .and_then(|parsed| parsed.consume_value(|value| self.set_ordinal(value)))
291                .ok_or(InvalidComponent("ordinal")),
292            Component::Weekday(modifiers) => parse_weekday(input, modifiers)
293                .and_then(|parsed| parsed.consume_value(|value| self.set_weekday(value)))
294                .ok_or(InvalidComponent("weekday")),
295            Component::WeekNumber(modifiers) => {
296                let ParsedItem(remaining, value) =
297                    parse_week_number(input, modifiers).ok_or(InvalidComponent("week number"))?;
298                match modifiers.repr {
299                    modifier::WeekNumberRepr::Iso => {
300                        NonZeroU8::new(value).and_then(|value| self.set_iso_week_number(value))
301                    }
302                    modifier::WeekNumberRepr::Sunday => self.set_sunday_week_number(value),
303                    modifier::WeekNumberRepr::Monday => self.set_monday_week_number(value),
304                }
305                .ok_or(InvalidComponent("week number"))?;
306                Ok(remaining)
307            }
308            Component::Year(modifiers) => {
309                let ParsedItem(remaining, (value, is_negative)) =
310                    parse_year(input, modifiers).ok_or(InvalidComponent("year"))?;
311                match (modifiers.iso_week_based, modifiers.repr) {
312                    (false, modifier::YearRepr::Full) => self.set_year(value),
313                    (false, modifier::YearRepr::Century) => {
314                        self.set_year_century(value.truncate(), is_negative)
315                    }
316                    (false, modifier::YearRepr::LastTwo) => {
317                        self.set_year_last_two(value.cast_unsigned().truncate())
318                    }
319                    (true, modifier::YearRepr::Full) => self.set_iso_year(value),
320                    (true, modifier::YearRepr::Century) => {
321                        self.set_iso_year_century(value.truncate(), is_negative)
322                    }
323                    (true, modifier::YearRepr::LastTwo) => {
324                        self.set_iso_year_last_two(value.cast_unsigned().truncate())
325                    }
326                }
327                .ok_or(InvalidComponent("year"))?;
328                Ok(remaining)
329            }
330            Component::Hour(modifiers) => {
331                let ParsedItem(remaining, value) =
332                    parse_hour(input, modifiers).ok_or(InvalidComponent("hour"))?;
333                if modifiers.is_12_hour_clock {
334                    NonZeroU8::new(value).and_then(|value| self.set_hour_12(value))
335                } else {
336                    self.set_hour_24(value)
337                }
338                .ok_or(InvalidComponent("hour"))?;
339                Ok(remaining)
340            }
341            Component::Minute(modifiers) => parse_minute(input, modifiers)
342                .and_then(|parsed| parsed.consume_value(|value| self.set_minute(value)))
343                .ok_or(InvalidComponent("minute")),
344            Component::Period(modifiers) => parse_period(input, modifiers)
345                .and_then(|parsed| {
346                    parsed.consume_value(|value| self.set_hour_12_is_pm(value == Period::Pm))
347                })
348                .ok_or(InvalidComponent("period")),
349            Component::Second(modifiers) => parse_second(input, modifiers)
350                .and_then(|parsed| parsed.consume_value(|value| self.set_second(value)))
351                .ok_or(InvalidComponent("second")),
352            Component::Subsecond(modifiers) => parse_subsecond(input, modifiers)
353                .and_then(|parsed| parsed.consume_value(|value| self.set_subsecond(value)))
354                .ok_or(InvalidComponent("subsecond")),
355            Component::OffsetHour(modifiers) => parse_offset_hour(input, modifiers)
356                .and_then(|parsed| {
357                    parsed.consume_value(|(value, is_negative)| {
358                        self.set_offset_hour(value)?;
359                        self.offset_is_negative = is_negative;
360                        Some(())
361                    })
362                })
363                .ok_or(InvalidComponent("offset hour")),
364            Component::OffsetMinute(modifiers) => parse_offset_minute(input, modifiers)
365                .and_then(|parsed| {
366                    parsed.consume_value(|value| self.set_offset_minute_signed(value))
367                })
368                .ok_or(InvalidComponent("offset minute")),
369            Component::OffsetSecond(modifiers) => parse_offset_second(input, modifiers)
370                .and_then(|parsed| {
371                    parsed.consume_value(|value| self.set_offset_second_signed(value))
372                })
373                .ok_or(InvalidComponent("offset second")),
374            Component::Ignore(modifiers) => parse_ignore(input, modifiers)
375                .map(ParsedItem::<()>::into_inner)
376                .ok_or(InvalidComponent("ignore")),
377            Component::UnixTimestamp(modifiers) => parse_unix_timestamp(input, modifiers)
378                .and_then(|parsed| {
379                    parsed.consume_value(|value| self.set_unix_timestamp_nanos(value))
380                })
381                .ok_or(InvalidComponent("unix_timestamp")),
382            Component::End(modifiers) => parse_end(input, modifiers)
383                .map(ParsedItem::<()>::into_inner)
384                .ok_or(error::ParseFromDescription::UnexpectedTrailingCharacters),
385        }
386    }
387}
388
389/// Getter methods
390impl Parsed {
391    /// Obtain the `year` component.
392    pub const fn year(&self) -> Option<i32> {
393        self.year.get_primitive()
394    }
395
396    /// Obtain the `year_century` component.
397    ///
398    /// If the year is zero, the sign of the century is not stored. To differentiate between
399    /// positive and negative zero, use `year_century_is_negative`.
400    pub const fn year_century(&self) -> Option<i16> {
401        self.year_century.get_primitive()
402    }
403
404    /// Obtain the `year_century_is_negative` component.
405    ///
406    /// This indicates whether the value returned from `year_century` is negative. If the year is
407    /// zero, it is necessary to call this method for disambiguation.
408    pub const fn year_century_is_negative(&self) -> Option<bool> {
409        match self.year_century() {
410            Some(_) => Some(self.year_century_is_negative),
411            None => None,
412        }
413    }
414
415    /// Obtain the `year_last_two` component.
416    pub const fn year_last_two(&self) -> Option<u8> {
417        self.year_last_two.get_primitive()
418    }
419
420    /// Obtain the `iso_year` component.
421    pub const fn iso_year(&self) -> Option<i32> {
422        self.iso_year.get_primitive()
423    }
424
425    /// Obtain the `iso_year_century` component.
426    ///
427    /// If the year is zero, the sign of the century is not stored. To differentiate between
428    /// positive and negative zero, use `iso_year_century_is_negative`.
429    pub const fn iso_year_century(&self) -> Option<i16> {
430        self.iso_year_century.get_primitive()
431    }
432
433    /// Obtain the `iso_year_century_is_negative` component.
434    ///
435    /// This indicates whether the value returned from `iso_year_century` is negative. If the year
436    /// is zero, it is necessary to call this method for disambiguation.
437    pub const fn iso_year_century_is_negative(&self) -> Option<bool> {
438        match self.iso_year_century() {
439            Some(_) => Some(self.iso_year_century_is_negative),
440            None => None,
441        }
442    }
443
444    /// Obtain the `iso_year_last_two` component.
445    pub const fn iso_year_last_two(&self) -> Option<u8> {
446        self.iso_year_last_two.get_primitive()
447    }
448
449    /// Obtain the `month` component.
450    pub const fn month(&self) -> Option<Month> {
451        self.month
452    }
453
454    /// Obtain the `sunday_week_number` component.
455    pub const fn sunday_week_number(&self) -> Option<u8> {
456        self.sunday_week_number.get_primitive()
457    }
458
459    /// Obtain the `monday_week_number` component.
460    pub const fn monday_week_number(&self) -> Option<u8> {
461        self.monday_week_number.get_primitive()
462    }
463
464    /// Obtain the `iso_week_number` component.
465    pub const fn iso_week_number(&self) -> Option<NonZeroU8> {
466        NonZeroU8::new(const_try_opt!(self.iso_week_number.get_primitive()))
467    }
468
469    /// Obtain the `weekday` component.
470    pub const fn weekday(&self) -> Option<Weekday> {
471        self.weekday
472    }
473
474    /// Obtain the `ordinal` component.
475    pub const fn ordinal(&self) -> Option<NonZeroU16> {
476        NonZeroU16::new(const_try_opt!(self.ordinal.get_primitive()))
477    }
478
479    /// Obtain the `day` component.
480    pub const fn day(&self) -> Option<NonZeroU8> {
481        NonZeroU8::new(const_try_opt!(self.day.get_primitive()))
482    }
483
484    /// Obtain the `hour_24` component.
485    pub const fn hour_24(&self) -> Option<u8> {
486        self.hour_24.get_primitive()
487    }
488
489    /// Obtain the `hour_12` component.
490    pub const fn hour_12(&self) -> Option<NonZeroU8> {
491        NonZeroU8::new(const_try_opt!(self.hour_12.get_primitive()))
492    }
493
494    /// Obtain the `hour_12_is_pm` component.
495    pub const fn hour_12_is_pm(&self) -> Option<bool> {
496        self.hour_12_is_pm
497    }
498
499    /// Obtain the `minute` component.
500    pub const fn minute(&self) -> Option<u8> {
501        self.minute.get_primitive()
502    }
503
504    /// Obtain the `second` component.
505    pub const fn second(&self) -> Option<u8> {
506        self.second.get_primitive()
507    }
508
509    /// Obtain the `subsecond` component.
510    pub const fn subsecond(&self) -> Option<u32> {
511        self.subsecond.get_primitive()
512    }
513
514    /// Obtain the `offset_hour` component.
515    pub const fn offset_hour(&self) -> Option<i8> {
516        self.offset_hour.get_primitive()
517    }
518
519    /// Obtain the absolute value of the `offset_minute` component.
520    #[doc(hidden)]
521    #[deprecated(since = "0.3.8", note = "use `parsed.offset_minute_signed()` instead")]
522    pub const fn offset_minute(&self) -> Option<u8> {
523        Some(const_try_opt!(self.offset_minute_signed()).unsigned_abs())
524    }
525
526    /// Obtain the `offset_minute` component.
527    pub const fn offset_minute_signed(&self) -> Option<i8> {
528        match (self.offset_minute.get_primitive(), self.offset_is_negative) {
529            (Some(offset_minute), true) => Some(-offset_minute),
530            (Some(offset_minute), _) => Some(offset_minute),
531            (None, _) => None,
532        }
533    }
534
535    /// Obtain the absolute value of the `offset_second` component.
536    #[doc(hidden)]
537    #[deprecated(since = "0.3.8", note = "use `parsed.offset_second_signed()` instead")]
538    pub const fn offset_second(&self) -> Option<u8> {
539        Some(const_try_opt!(self.offset_second_signed()).unsigned_abs())
540    }
541
542    /// Obtain the `offset_second` component.
543    pub const fn offset_second_signed(&self) -> Option<i8> {
544        match (self.offset_second.get_primitive(), self.offset_is_negative) {
545            (Some(offset_second), true) => Some(-offset_second),
546            (Some(offset_second), _) => Some(offset_second),
547            (None, _) => None,
548        }
549    }
550
551    /// Obtain the `unix_timestamp_nanos` component.
552    pub const fn unix_timestamp_nanos(&self) -> Option<i128> {
553        self.unix_timestamp_nanos.get_primitive()
554    }
555}
556
557/// Generate setters based on the builders.
558macro_rules! setters {
559    ($($name:ident $setter:ident $builder:ident $type:ty;)*) => {$(
560        #[doc = concat!("Set the `", stringify!($setter), "` component.")]
561        pub fn $setter(&mut self, value: $type) -> Option<()> {
562            *self = self.$builder(value)?;
563            Some(())
564        }
565    )*};
566}
567
568/// Setter methods
569///
570/// All setters return `Option<()>`, which is `Some` if the value was set, and `None` if not. The
571/// setters _may_ fail if the value is invalid, though behavior is not guaranteed.
572impl Parsed {
573    setters! {
574        year set_year with_year i32;
575    }
576
577    /// Set the `year_century` component.
578    ///
579    /// If the value is zero, the sign of the century is taken from the second parameter. Otherwise
580    /// the sign is inferred from the value.
581    pub fn set_year_century(&mut self, value: i16, is_negative: bool) -> Option<()> {
582        self.year_century = OptionRangedI16::Some(const_try_opt!(RangedI16::new(value)));
583        if value != 0 {
584            self.year_century_is_negative = value.is_negative();
585        } else {
586            self.year_century_is_negative = is_negative;
587        }
588        Some(())
589    }
590
591    setters! {
592        year_last_two set_year_last_two with_year_last_two u8;
593        iso_year set_iso_year with_iso_year i32;
594        iso_year_last_two set_iso_year_last_two with_iso_year_last_two u8;
595    }
596
597    /// Set the `iso_year_century` component.
598    ///
599    /// If the value is zero, the sign of the century is taken from the second parameter. Otherwise
600    /// the sign is inferred from the value.
601    pub fn set_iso_year_century(&mut self, value: i16, is_negative: bool) -> Option<()> {
602        self.iso_year_century = OptionRangedI16::Some(const_try_opt!(RangedI16::new(value)));
603        if value != 0 {
604            self.iso_year_century_is_negative = value.is_negative();
605        } else {
606            self.iso_year_century_is_negative = is_negative;
607        }
608        Some(())
609    }
610
611    setters! {
612        month set_month with_month Month;
613        sunday_week_number set_sunday_week_number with_sunday_week_number u8;
614        monday_week_number set_monday_week_number with_monday_week_number u8;
615        iso_week_number set_iso_week_number with_iso_week_number NonZeroU8;
616        weekday set_weekday with_weekday Weekday;
617        ordinal set_ordinal with_ordinal NonZeroU16;
618        day set_day with_day NonZeroU8;
619        hour_24 set_hour_24 with_hour_24 u8;
620        hour_12 set_hour_12 with_hour_12 NonZeroU8;
621        hour_12_is_pm set_hour_12_is_pm with_hour_12_is_pm bool;
622        minute set_minute with_minute u8;
623        second set_second with_second u8;
624        subsecond set_subsecond with_subsecond u32;
625        offset_hour set_offset_hour with_offset_hour i8;
626        offset_minute set_offset_minute_signed with_offset_minute_signed i8;
627        offset_second set_offset_second_signed with_offset_second_signed i8;
628        unix_timestamp_nanos set_unix_timestamp_nanos with_unix_timestamp_nanos i128;
629    }
630
631    /// Set the `offset_minute` component.
632    #[doc(hidden)]
633    #[deprecated(
634        since = "0.3.8",
635        note = "use `parsed.set_offset_minute_signed()` instead"
636    )]
637    pub fn set_offset_minute(&mut self, value: u8) -> Option<()> {
638        if value > i8::MAX.cast_unsigned() {
639            None
640        } else {
641            self.set_offset_minute_signed(value.cast_signed())
642        }
643    }
644
645    /// Set the `offset_minute` component.
646    #[doc(hidden)]
647    #[deprecated(
648        since = "0.3.8",
649        note = "use `parsed.set_offset_second_signed()` instead"
650    )]
651    pub fn set_offset_second(&mut self, value: u8) -> Option<()> {
652        if value > i8::MAX.cast_unsigned() {
653            None
654        } else {
655            self.set_offset_second_signed(value.cast_signed())
656        }
657    }
658}
659
660/// Builder methods
661///
662/// All builder methods return `Option<Self>`, which is `Some` if the value was set, and `None` if
663/// not. The builder methods _may_ fail if the value is invalid, though behavior is not guaranteed.
664impl Parsed {
665    /// Set the `year` component and return `self`.
666    pub const fn with_year(mut self, value: i32) -> Option<Self> {
667        self.year = OptionRangedI32::Some(const_try_opt!(RangedI32::new(value)));
668        Some(self)
669    }
670
671    /// Set the `year_century` component and return `self`.
672    ///
673    /// If the value is zero, the sign of the century is taken from the second parameter. Otherwise
674    /// the sign is inferred from the value.
675    pub const fn with_year_century(mut self, value: i16, is_negative: bool) -> Option<Self> {
676        self.year_century = OptionRangedI16::Some(const_try_opt!(RangedI16::new(value)));
677        if value != 0 {
678            self.year_century_is_negative = value.is_negative();
679        } else {
680            self.year_century_is_negative = is_negative;
681        }
682        Some(self)
683    }
684
685    /// Set the `year_last_two` component and return `self`.
686    pub const fn with_year_last_two(mut self, value: u8) -> Option<Self> {
687        self.year_last_two = OptionRangedU8::Some(const_try_opt!(RangedU8::new(value)));
688        Some(self)
689    }
690
691    /// Set the `iso_year` component and return `self`.
692    pub const fn with_iso_year(mut self, value: i32) -> Option<Self> {
693        self.iso_year = OptionRangedI32::Some(const_try_opt!(RangedI32::new(value)));
694        Some(self)
695    }
696
697    /// Set the `iso_year_century` component and return `self`.
698    ///
699    /// If the value is zero, the sign of the century is taken from the second parameter. Otherwise
700    /// the sign is inferred from the value.
701    pub const fn with_iso_year_century(mut self, value: i16, is_negative: bool) -> Option<Self> {
702        self.iso_year_century = OptionRangedI16::Some(const_try_opt!(RangedI16::new(value)));
703        if value != 0 {
704            self.iso_year_century_is_negative = value.is_negative();
705        } else {
706            self.iso_year_century_is_negative = is_negative;
707        }
708        Some(self)
709    }
710
711    /// Set the `iso_year_last_two` component and return `self`.
712    pub const fn with_iso_year_last_two(mut self, value: u8) -> Option<Self> {
713        self.iso_year_last_two = OptionRangedU8::Some(const_try_opt!(RangedU8::new(value)));
714        Some(self)
715    }
716
717    /// Set the `month` component and return `self`.
718    pub const fn with_month(mut self, value: Month) -> Option<Self> {
719        self.month = Some(value);
720        Some(self)
721    }
722
723    /// Set the `sunday_week_number` component and return `self`.
724    pub const fn with_sunday_week_number(mut self, value: u8) -> Option<Self> {
725        self.sunday_week_number = OptionRangedU8::Some(const_try_opt!(RangedU8::new(value)));
726        Some(self)
727    }
728
729    /// Set the `monday_week_number` component and return `self`.
730    pub const fn with_monday_week_number(mut self, value: u8) -> Option<Self> {
731        self.monday_week_number = OptionRangedU8::Some(const_try_opt!(RangedU8::new(value)));
732        Some(self)
733    }
734
735    /// Set the `iso_week_number` component and return `self`.
736    pub const fn with_iso_week_number(mut self, value: NonZeroU8) -> Option<Self> {
737        self.iso_week_number = OptionRangedU8::Some(const_try_opt!(RangedU8::new(value.get())));
738        Some(self)
739    }
740
741    /// Set the `weekday` component and return `self`.
742    pub const fn with_weekday(mut self, value: Weekday) -> Option<Self> {
743        self.weekday = Some(value);
744        Some(self)
745    }
746
747    /// Set the `ordinal` component and return `self`.
748    pub const fn with_ordinal(mut self, value: NonZeroU16) -> Option<Self> {
749        self.ordinal = OptionRangedU16::Some(const_try_opt!(RangedU16::new(value.get())));
750        Some(self)
751    }
752
753    /// Set the `day` component and return `self`.
754    pub const fn with_day(mut self, value: NonZeroU8) -> Option<Self> {
755        self.day = OptionRangedU8::Some(const_try_opt!(RangedU8::new(value.get())));
756        Some(self)
757    }
758
759    /// Set the `hour_24` component and return `self`.
760    pub const fn with_hour_24(mut self, value: u8) -> Option<Self> {
761        self.hour_24 = OptionRangedU8::Some(const_try_opt!(RangedU8::new(value)));
762        Some(self)
763    }
764
765    /// Set the `hour_12` component and return `self`.
766    pub const fn with_hour_12(mut self, value: NonZeroU8) -> Option<Self> {
767        self.hour_12 = OptionRangedU8::Some(const_try_opt!(RangedU8::new(value.get())));
768        Some(self)
769    }
770
771    /// Set the `hour_12_is_pm` component and return `self`.
772    pub const fn with_hour_12_is_pm(mut self, value: bool) -> Option<Self> {
773        self.hour_12_is_pm = Some(value);
774        Some(self)
775    }
776
777    /// Set the `minute` component and return `self`.
778    pub const fn with_minute(mut self, value: u8) -> Option<Self> {
779        self.minute = OptionRangedU8::Some(const_try_opt!(RangedU8::new(value)));
780        Some(self)
781    }
782
783    /// Set the `second` component and return `self`.
784    pub const fn with_second(mut self, value: u8) -> Option<Self> {
785        self.second = OptionRangedU8::Some(const_try_opt!(RangedU8::new(value)));
786        Some(self)
787    }
788
789    /// Set the `subsecond` component and return `self`.
790    pub const fn with_subsecond(mut self, value: u32) -> Option<Self> {
791        self.subsecond = OptionRangedU32::Some(const_try_opt!(RangedU32::new(value)));
792        Some(self)
793    }
794
795    /// Set the `offset_hour` component and return `self`.
796    pub const fn with_offset_hour(mut self, value: i8) -> Option<Self> {
797        self.offset_hour = OptionRangedI8::Some(const_try_opt!(RangedI8::new(value)));
798        Some(self)
799    }
800
801    /// Set the `offset_minute` component and return `self`.
802    #[doc(hidden)]
803    #[deprecated(
804        since = "0.3.8",
805        note = "use `parsed.with_offset_minute_signed()` instead"
806    )]
807    pub const fn with_offset_minute(self, value: u8) -> Option<Self> {
808        if value > i8::MAX as u8 {
809            None
810        } else {
811            self.with_offset_minute_signed(value as _)
812        }
813    }
814
815    /// Set the `offset_minute` component and return `self`.
816    pub const fn with_offset_minute_signed(mut self, value: i8) -> Option<Self> {
817        self.offset_minute = OptionRangedI8::Some(const_try_opt!(RangedI8::new(value)));
818        Some(self)
819    }
820
821    /// Set the `offset_minute` component and return `self`.
822    #[doc(hidden)]
823    #[deprecated(
824        since = "0.3.8",
825        note = "use `parsed.with_offset_second_signed()` instead"
826    )]
827    pub const fn with_offset_second(self, value: u8) -> Option<Self> {
828        if value > i8::MAX as u8 {
829            None
830        } else {
831            self.with_offset_second_signed(value as _)
832        }
833    }
834
835    /// Set the `offset_second` component and return `self`.
836    pub const fn with_offset_second_signed(mut self, value: i8) -> Option<Self> {
837        self.offset_second = OptionRangedI8::Some(const_try_opt!(RangedI8::new(value)));
838        Some(self)
839    }
840
841    /// Set the `unix_timestamp_nanos` component and return `self`.
842    pub const fn with_unix_timestamp_nanos(mut self, value: i128) -> Option<Self> {
843        self.unix_timestamp_nanos = OptionRangedI128::Some(const_try_opt!(RangedI128::new(value)));
844        Some(self)
845    }
846}
847
848impl TryFrom<Parsed> for Date {
849    type Error = error::TryFromParsed;
850
851    fn try_from(mut parsed: Parsed) -> Result<Self, Self::Error> {
852        /// Match on the components that need to be present.
853        macro_rules! match_ {
854            (_ => $catch_all:expr $(,)?) => {
855                $catch_all
856            };
857            (($($name:ident),* $(,)?) => $arm:expr, $($rest:tt)*) => {
858                if let ($(Some($name)),*) = ($(parsed.$name()),*) {
859                    $arm
860                } else {
861                    match_!($($rest)*)
862                }
863            };
864        }
865
866        /// Get the value needed to adjust the ordinal day for Sunday and Monday-based week
867        /// numbering.
868        const fn adjustment(year: i32) -> i16 {
869            // Safety: `ordinal` is not zero.
870            match unsafe { Date::__from_ordinal_date_unchecked(year, 1) }.weekday() {
871                Weekday::Monday => 7,
872                Weekday::Tuesday => 1,
873                Weekday::Wednesday => 2,
874                Weekday::Thursday => 3,
875                Weekday::Friday => 4,
876                Weekday::Saturday => 5,
877                Weekday::Sunday => 6,
878            }
879        }
880
881        // If we do not have the year but we have *both* the century and the last two digits, we can
882        // construct the year. Likewise for the ISO year.
883        if let (None, Some(century), Some(is_negative), Some(last_two)) = (
884            parsed.year(),
885            parsed.year_century(),
886            parsed.year_century_is_negative(),
887            parsed.year_last_two(),
888        ) {
889            let year = if is_negative {
890                100 * century.extend::<i32>() - last_two.cast_signed().extend::<i32>()
891            } else {
892                100 * century.extend::<i32>() + last_two.cast_signed().extend::<i32>()
893            };
894            parsed.year = OptionRangedI32::from(RangedI32::new(year));
895        }
896        if let (None, Some(century), Some(is_negative), Some(last_two)) = (
897            parsed.iso_year(),
898            parsed.iso_year_century(),
899            parsed.iso_year_century_is_negative(),
900            parsed.iso_year_last_two(),
901        ) {
902            let iso_year = if is_negative {
903                100 * century.extend::<i32>() - last_two.cast_signed().extend::<i32>()
904            } else {
905                100 * century.extend::<i32>() + last_two.cast_signed().extend::<i32>()
906            };
907            parsed.iso_year = OptionRangedI32::from(RangedI32::new(iso_year));
908        }
909
910        match_! {
911            (year, ordinal) => Ok(Self::from_ordinal_date(year, ordinal.get())?),
912            (year, month, day) => Ok(Self::from_calendar_date(year, month, day.get())?),
913            (iso_year, iso_week_number, weekday) => Ok(Self::from_iso_week_date(
914                iso_year,
915                iso_week_number.get(),
916                weekday,
917            )?),
918            (year, sunday_week_number, weekday) => Ok(Self::from_ordinal_date(
919                year,
920                (sunday_week_number.cast_signed().extend::<i16>() * 7
921                    + weekday.number_days_from_sunday().cast_signed().extend::<i16>()
922                    - adjustment(year)
923                    + 1).cast_unsigned(),
924            )?),
925            (year, monday_week_number, weekday) => Ok(Self::from_ordinal_date(
926                year,
927                (monday_week_number.cast_signed().extend::<i16>() * 7
928                    + weekday.number_days_from_monday().cast_signed().extend::<i16>()
929                    - adjustment(year)
930                    + 1).cast_unsigned(),
931            )?),
932            _ => Err(InsufficientInformation),
933        }
934    }
935}
936
937impl TryFrom<Parsed> for Time {
938    type Error = error::TryFromParsed;
939
940    fn try_from(parsed: Parsed) -> Result<Self, Self::Error> {
941        let hour = match (parsed.hour_24(), parsed.hour_12(), parsed.hour_12_is_pm()) {
942            (Some(hour), _, _) => hour,
943            (_, Some(hour), Some(false)) if hour.get() == 12 => 0,
944            (_, Some(hour), Some(true)) if hour.get() == 12 => 12,
945            (_, Some(hour), Some(false)) => hour.get(),
946            (_, Some(hour), Some(true)) => hour.get() + 12,
947            _ => return Err(InsufficientInformation),
948        };
949
950        if parsed.hour_24().is_none()
951            && parsed.hour_12().is_some()
952            && parsed.hour_12_is_pm().is_some()
953            && parsed.minute().is_none()
954            && parsed.second().is_none()
955            && parsed.subsecond().is_none()
956        {
957            return Ok(Self::from_hms_nano(hour, 0, 0, 0)?);
958        }
959
960        // Reject combinations such as hour-second with minute omitted.
961        match (parsed.minute(), parsed.second(), parsed.subsecond()) {
962            (None, None, None) => Ok(Self::from_hms_nano(hour, 0, 0, 0)?),
963            (Some(minute), None, None) => Ok(Self::from_hms_nano(hour, minute, 0, 0)?),
964            (Some(minute), Some(second), None) => Ok(Self::from_hms_nano(hour, minute, second, 0)?),
965            (Some(minute), Some(second), Some(subsecond)) => {
966                Ok(Self::from_hms_nano(hour, minute, second, subsecond)?)
967            }
968            _ => Err(InsufficientInformation),
969        }
970    }
971}
972
973impl TryFrom<Parsed> for UtcOffset {
974    type Error = error::TryFromParsed;
975
976    fn try_from(parsed: Parsed) -> Result<Self, Self::Error> {
977        let hour = parsed.offset_hour().ok_or(InsufficientInformation)?;
978        let minute = parsed.offset_minute_signed().unwrap_or(0);
979        let second = parsed.offset_second_signed().unwrap_or(0);
980
981        Self::from_hms(hour, minute, second).map_err(|mut err| {
982            // Provide the user a more accurate error.
983            if err.name == "hours" {
984                err.name = "offset hour";
985            } else if err.name == "minutes" {
986                err.name = "offset minute";
987            } else if err.name == "seconds" {
988                err.name = "offset second";
989            }
990            err.into()
991        })
992    }
993}
994
995impl TryFrom<Parsed> for PrimitiveDateTime {
996    type Error = error::TryFromParsed;
997
998    fn try_from(parsed: Parsed) -> Result<Self, Self::Error> {
999        Ok(Self::new(parsed.try_into()?, parsed.try_into()?))
1000    }
1001}
1002
1003impl TryFrom<Parsed> for OffsetDateTime {
1004    type Error = error::TryFromParsed;
1005
1006    fn try_from(mut parsed: Parsed) -> Result<Self, Self::Error> {
1007        if let Some(timestamp) = parsed.unix_timestamp_nanos() {
1008            let mut value = Self::from_unix_timestamp_nanos(timestamp)?;
1009            if let Some(subsecond) = parsed.subsecond() {
1010                value = value.replace_nanosecond(subsecond)?;
1011            }
1012            return Ok(value);
1013        }
1014
1015        // Some well-known formats explicitly allow leap seconds. We don't currently support them,
1016        // so treat it as the nearest preceding moment that can be represented. Because leap seconds
1017        // always fall at the end of a month UTC, reject any that are at other times.
1018        let leap_second_input = if parsed.leap_second_allowed && parsed.second() == Some(60) {
1019            if parsed.set_second(59).is_none() {
1020                bug!("59 is a valid second");
1021            }
1022            if parsed.set_subsecond(999_999_999).is_none() {
1023                bug!("999_999_999 is a valid subsecond");
1024            }
1025            true
1026        } else {
1027            false
1028        };
1029
1030        let dt = Self::new_in_offset(
1031            Date::try_from(parsed)?,
1032            Time::try_from(parsed)?,
1033            UtcOffset::try_from(parsed)?,
1034        );
1035
1036        if leap_second_input && !dt.is_valid_leap_second_stand_in() {
1037            return Err(error::TryFromParsed::ComponentRange(
1038                error::ComponentRange {
1039                    name: "second",
1040                    minimum: 0,
1041                    maximum: 59,
1042                    value: 60,
1043                    conditional_range: true,
1044                },
1045            ));
1046        }
1047        Ok(dt)
1048    }
1049}