1//! Parser for format descriptions.
23use alloc::boxed::Box;
4use alloc::vec::Vec;
56pub use self::strftime::{parse_strftime_borrowed, parse_strftime_owned};
7use crate::{error, format_description};
89/// A helper macro to make version restrictions simpler to read and write.
10macro_rules! version {
11 ($range:expr) => {
12$range.contains(&VERSION)
13 };
14}
1516/// A helper macro to statically validate the version (when used as a const parameter).
17macro_rules! validate_version {
18 ($version:ident) => {
19let _ = $crate::format_description::parse::Version::<$version>::IS_VALID;
20 };
21}
2223mod ast;
24mod format_item;
25mod lexer;
26mod strftime;
2728/// A struct that is used to ensure that the version is valid.
29struct Version<const N: usize>;
30impl<const N: usize> Version<N> {
31/// A constant that panics if the version is not valid. This results in a post-monomorphization
32 /// error.
33const IS_VALID: () = assert!(N >= 1 && N <= 2);
34}
3536/// Parse a sequence of items from the format description.
37///
38/// The syntax for the format description can be found in [the
39/// book](https://time-rs.github.io/book/api/format-description.html).
40///
41/// This function exists for backward compatibility reasons. It is equivalent to calling
42/// `parse_borrowed::<1>(s)`. In the future, this function will be deprecated in favor of
43/// `parse_borrowed`.
44pub fn parse(
45 s: &str,
46) -> Result<Vec<format_description::BorrowedFormatItem<'_>>, error::InvalidFormatDescription> {
47 parse_borrowed::<1>(s)
48}
4950/// Parse a sequence of items from the format description.
51///
52/// The syntax for the format description can be found in [the
53/// book](https://time-rs.github.io/book/api/format-description.html). The version of the format
54/// description is provided as the const parameter. **It is recommended to use version 2.**
55pub fn parse_borrowed<const VERSION: usize>(
56 s: &str,
57) -> Result<Vec<format_description::BorrowedFormatItem<'_>>, error::InvalidFormatDescription> {
58validate_version!(VERSION);
59let mut lexed = lexer::lex::<VERSION>(s.as_bytes());
60let ast = ast::parse::<_, VERSION>(&mut lexed);
61let format_items = format_item::parse(ast);
62Ok(format_items
63 .map(|res| res.and_then(TryInto::try_into))
64 .collect::<Result<_, _>>()?)
65}
6667/// Parse a sequence of items from the format description.
68///
69/// The syntax for the format description can be found in [the
70/// book](https://time-rs.github.io/book/api/format-description.html). The version of the format
71/// description is provided as the const parameter.
72///
73/// Unlike [`parse`], this function returns [`OwnedFormatItem`], which owns its contents. This means
74/// that there is no lifetime that needs to be handled. **It is recommended to use version 2.**
75///
76/// [`OwnedFormatItem`]: crate::format_description::OwnedFormatItem
77pub fn parse_owned<const VERSION: usize>(
78 s: &str,
79) -> Result<format_description::OwnedFormatItem, error::InvalidFormatDescription> {
80validate_version!(VERSION);
81let mut lexed = lexer::lex::<VERSION>(s.as_bytes());
82let ast = ast::parse::<_, VERSION>(&mut lexed);
83let format_items = format_item::parse(ast);
84let items = format_items.collect::<Result<Box<_>, _>>()?;
85Ok(items.into())
86}
8788/// Attach [`Location`] information to each byte in the iterator.
89fn attach_location<'item>(
90 iter: impl Iterator<Item = &'item u8>,
91) -> impl Iterator<Item = (&'item u8, Location)> {
92let mut byte_pos = 0;
9394 iter.map(move |byte| {
95let location = Location { byte: byte_pos };
96 byte_pos += 1;
97 (byte, location)
98 })
99}
100101/// A location within a string.
102#[derive(Clone, Copy)]
103struct Location {
104/// The zero-indexed byte of the string.
105byte: u32,
106}
107108impl Location {
109/// Create a new [`Span`] from `self` to `other`.
110const fn to(self, end: Self) -> Span {
111 Span { start: self, end }
112 }
113114/// Create a new [`Span`] consisting entirely of `self`.
115const fn to_self(self) -> Span {
116 Span {
117 start: self,
118 end: self,
119 }
120 }
121122/// Offset the location by the provided amount.
123 ///
124 /// Note that this assumes the resulting location is on the same line as the original location.
125#[must_use = "this does not modify the original value"]
126const fn offset(&self, offset: u32) -> Self {
127Self {
128 byte: self.byte + offset,
129 }
130 }
131132/// Create an error with the provided message at this location.
133const fn error(self, message: &'static str) -> ErrorInner {
134 ErrorInner {
135 _message: message,
136 _span: Span {
137 start: self,
138 end: self,
139 },
140 }
141 }
142}
143144/// A start and end point within a string.
145#[derive(Clone, Copy)]
146struct Span {
147 start: Location,
148 end: Location,
149}
150151impl Span {
152/// Obtain a `Span` pointing at the start of the pre-existing span.
153#[must_use = "this does not modify the original value"]
154const fn shrink_to_start(&self) -> Self {
155Self {
156 start: self.start,
157 end: self.start,
158 }
159 }
160161/// Obtain a `Span` pointing at the end of the pre-existing span.
162#[must_use = "this does not modify the original value"]
163const fn shrink_to_end(&self) -> Self {
164Self {
165 start: self.end,
166 end: self.end,
167 }
168 }
169170/// Obtain a `Span` that ends before the provided position of the pre-existing span.
171#[must_use = "this does not modify the original value"]
172const fn shrink_to_before(&self, pos: u32) -> Self {
173Self {
174 start: self.start,
175 end: Location {
176 byte: self.start.byte + pos - 1,
177 },
178 }
179 }
180181/// Obtain a `Span` that starts after provided position to the end of the pre-existing span.
182#[must_use = "this does not modify the original value"]
183const fn shrink_to_after(&self, pos: u32) -> Self {
184Self {
185 start: Location {
186 byte: self.start.byte + pos + 1,
187 },
188 end: self.end,
189 }
190 }
191192/// Create an error with the provided message at this span.
193const fn error(self, message: &'static str) -> ErrorInner {
194 ErrorInner {
195 _message: message,
196 _span: self,
197 }
198 }
199}
200201/// A value with an associated [`Span`].
202#[derive(Clone, Copy)]
203struct Spanned<T> {
204/// The value.
205value: T,
206/// Where the value was in the format string.
207span: Span,
208}
209210impl<T> core::ops::Deref for Spanned<T> {
211type Target = T;
212213fn deref(&self) -> &Self::Target {
214&self.value
215 }
216}
217218/// Helper trait to attach a [`Span`] to a value.
219trait SpannedValue: Sized {
220/// Attach a [`Span`] to a value.
221fn spanned(self, span: Span) -> Spanned<Self>;
222}
223224impl<T> SpannedValue for T {
225fn spanned(self, span: Span) -> Spanned<Self> {
226 Spanned { value: self, span }
227 }
228}
229230/// The internal error type.
231struct ErrorInner {
232/// The message displayed to the user.
233_message: &'static str,
234/// Where the error originated.
235_span: Span,
236}
237238/// A complete error description.
239struct Error {
240/// The internal error.
241_inner: Unused<ErrorInner>,
242/// The error needed for interoperability with the rest of `time`.
243public: error::InvalidFormatDescription,
244}
245246impl From<Error> for error::InvalidFormatDescription {
247fn from(error: Error) -> Self {
248 error.public
249 }
250}
251252/// A value that may be used in the future, but currently is not.
253///
254/// This struct exists so that data can semantically be passed around without _actually_ passing it
255/// around. This way the data still exists if it is needed in the future.
256// `PhantomData` is not used directly because we don't want to introduce any trait implementations.
257struct Unused<T>(core::marker::PhantomData<T>);
258259/// Indicate that a value is currently unused.
260fn unused<T>(_: T) -> Unused<T> {
261 Unused(core::marker::PhantomData)
262}