rustc_parse_format/
lib.rs

1//! Macro support for format strings
2//!
3//! These structures are used when parsing format strings for the compiler.
4//! Parsing does not happen at runtime: structures of `std::fmt::rt` are
5//! generated instead.
6
7// tidy-alphabetical-start
8// We want to be able to build this crate with a stable compiler,
9// so no `#![feature]` attributes should be added.
10#![deny(unstable_features)]
11#![doc(test(attr(deny(warnings), allow(internal_features))))]
12// tidy-alphabetical-end
13
14use std::ops::Range;
15
16pub use Alignment::*;
17pub use Count::*;
18pub use Position::*;
19
20/// The type of format string that we are parsing.
21#[derive(Copy, Clone, Debug, Eq, PartialEq)]
22pub enum ParseMode {
23    /// A normal format string as per `format_args!`.
24    Format,
25    /// An inline assembly template string for `asm!`.
26    InlineAsm,
27    /// A format string for use in diagnostic attributes.
28    ///
29    /// Similar to `format_args!`, however only named ("captured") arguments
30    /// are allowed, and no format modifiers are permitted.
31    Diagnostic,
32}
33
34/// A piece is a portion of the format string which represents the next part
35/// to emit. These are emitted as a stream by the `Parser` class.
36#[derive(Clone, Debug, PartialEq)]
37pub enum Piece<'input> {
38    /// A literal string which should directly be emitted
39    Lit(&'input str),
40    /// This describes that formatting should process the next argument (as
41    /// specified inside) for emission.
42    NextArgument(Box<Argument<'input>>),
43}
44
45/// Representation of an argument specification.
46#[derive(Clone, Debug, PartialEq)]
47pub struct Argument<'input> {
48    /// Where to find this argument
49    pub position: Position<'input>,
50    /// The span of the position indicator. Includes any whitespace in implicit
51    /// positions (`{  }`).
52    pub position_span: Range<usize>,
53    /// How to format the argument
54    pub format: FormatSpec<'input>,
55}
56
57impl<'input> Argument<'input> {
58    pub fn is_identifier(&self) -> bool {
59        matches!(self.position, Position::ArgumentNamed(_)) && self.format == FormatSpec::default()
60    }
61}
62
63/// Specification for the formatting of an argument in the format string.
64#[derive(Clone, Debug, PartialEq, Default)]
65pub struct FormatSpec<'input> {
66    /// Optionally specified character to fill alignment with.
67    pub fill: Option<char>,
68    /// Span of the optionally specified fill character.
69    pub fill_span: Option<Range<usize>>,
70    /// Optionally specified alignment.
71    pub align: Alignment,
72    /// The `+` or `-` flag.
73    pub sign: Option<Sign>,
74    /// The `#` flag.
75    pub alternate: bool,
76    /// The `0` flag.
77    pub zero_pad: bool,
78    /// The `x` or `X` flag. (Only for `Debug`.)
79    pub debug_hex: Option<DebugHex>,
80    /// The integer precision to use.
81    pub precision: Count<'input>,
82    /// The span of the precision formatting flag (for diagnostics).
83    pub precision_span: Option<Range<usize>>,
84    /// The string width requested for the resulting format.
85    pub width: Count<'input>,
86    /// The span of the width formatting flag (for diagnostics).
87    pub width_span: Option<Range<usize>>,
88    /// The descriptor string representing the name of the format desired for
89    /// this argument, this can be empty or any number of characters, although
90    /// it is required to be one word.
91    pub ty: &'input str,
92    /// The span of the descriptor string (for diagnostics).
93    pub ty_span: Option<Range<usize>>,
94}
95
96/// Enum describing where an argument for a format can be located.
97#[derive(Clone, Debug, PartialEq)]
98pub enum Position<'input> {
99    /// The argument is implied to be located at an index
100    ArgumentImplicitlyIs(usize),
101    /// The argument is located at a specific index given in the format,
102    ArgumentIs(usize),
103    /// The argument has a name.
104    ArgumentNamed(&'input str),
105}
106
107impl Position<'_> {
108    pub fn index(&self) -> Option<usize> {
109        match self {
110            ArgumentIs(i, ..) | ArgumentImplicitlyIs(i) => Some(*i),
111            _ => None,
112        }
113    }
114}
115
116/// Enum of alignments which are supported.
117#[derive(Copy, Clone, Debug, PartialEq, Default)]
118pub enum Alignment {
119    /// The value will be aligned to the left.
120    AlignLeft,
121    /// The value will be aligned to the right.
122    AlignRight,
123    /// The value will be aligned in the center.
124    AlignCenter,
125    /// The value will take on a default alignment.
126    #[default]
127    AlignUnknown,
128}
129
130/// Enum for the sign flags.
131#[derive(Copy, Clone, Debug, PartialEq)]
132pub enum Sign {
133    /// The `+` flag.
134    Plus,
135    /// The `-` flag.
136    Minus,
137}
138
139/// Enum for the debug hex flags.
140#[derive(Copy, Clone, Debug, PartialEq)]
141pub enum DebugHex {
142    /// The `x` flag in `{:x?}`.
143    Lower,
144    /// The `X` flag in `{:X?}`.
145    Upper,
146}
147
148/// A count is used for the precision and width parameters of an integer, and
149/// can reference either an argument or a literal integer.
150#[derive(Clone, Debug, PartialEq, Default)]
151pub enum Count<'input> {
152    /// The count is specified explicitly.
153    CountIs(u16),
154    /// The count is specified by the argument with the given name.
155    CountIsName(&'input str, Range<usize>),
156    /// The count is specified by the argument at the given index.
157    CountIsParam(usize),
158    /// The count is specified by a star (like in `{:.*}`) that refers to the argument at the given index.
159    CountIsStar(usize),
160    /// The count is implied and cannot be explicitly specified.
161    #[default]
162    CountImplied,
163}
164
165pub struct ParseError {
166    pub description: String,
167    pub note: Option<String>,
168    pub label: String,
169    pub span: Range<usize>,
170    pub secondary_label: Option<(String, Range<usize>)>,
171    pub suggestion: Suggestion,
172}
173
174pub enum Suggestion {
175    None,
176    /// Replace inline argument with positional argument:
177    /// `format!("{foo.bar}")` -> `format!("{}", foo.bar)`
178    UsePositional,
179    /// Remove `r#` from identifier:
180    /// `format!("{r#foo}")` -> `format!("{foo}")`
181    RemoveRawIdent(Range<usize>),
182    /// Reorder format parameter:
183    /// `format!("{foo:?#}")` -> `format!("{foo:#?}")`
184    /// `format!("{foo:?x}")` -> `format!("{foo:x?}")`
185    /// `format!("{foo:?X}")` -> `format!("{foo:X?}")`
186    ReorderFormatParameter(Range<usize>, String),
187    /// Add missing colon:
188    /// `format!("{foo?}")` -> `format!("{foo:?}")`
189    AddMissingColon(Range<usize>),
190}
191
192/// The parser structure for interpreting the input format string. This is
193/// modeled as an iterator over `Piece` structures to form a stream of tokens
194/// being output.
195///
196/// This is a recursive-descent parser for the sake of simplicity, and if
197/// necessary there's probably lots of room for improvement performance-wise.
198pub struct Parser<'input> {
199    mode: ParseMode,
200    /// Input to be parsed
201    input: &'input str,
202    /// Tuples of the span in the code snippet (input as written before being unescaped), the pos in input, and the char in input
203    input_vec: Vec<(Range<usize>, usize, char)>,
204    /// Index into input_vec
205    input_vec_index: usize,
206    /// Error messages accumulated during parsing
207    pub errors: Vec<ParseError>,
208    /// Current position of implicit positional argument pointer
209    pub curarg: usize,
210    /// Start and end byte offset of every successfully parsed argument
211    pub arg_places: Vec<Range<usize>>,
212    /// Span of the last opening brace seen, used for error reporting
213    last_open_brace: Option<Range<usize>>,
214    /// Whether this formatting string was written directly in the source. This controls whether we
215    /// can use spans to refer into it and give better error messages.
216    /// N.B: This does _not_ control whether implicit argument captures can be used.
217    pub is_source_literal: bool,
218    /// Index to the end of the literal snippet
219    end_of_snippet: usize,
220    /// Start position of the current line.
221    cur_line_start: usize,
222    /// Start and end byte offset of every line of the format string. Excludes
223    /// newline characters and leading whitespace.
224    pub line_spans: Vec<Range<usize>>,
225}
226
227impl<'input> Iterator for Parser<'input> {
228    type Item = Piece<'input>;
229
230    fn next(&mut self) -> Option<Piece<'input>> {
231        if let Some((Range { start, end }, idx, ch)) = self.peek() {
232            match ch {
233                '{' => {
234                    self.input_vec_index += 1;
235                    if let Some((_, i, '{')) = self.peek() {
236                        self.input_vec_index += 1;
237                        // double open brace escape: "{{"
238                        // next state after this is either end-of-input or seen-a-brace
239                        Some(Piece::Lit(self.string(i)))
240                    } else {
241                        // single open brace
242                        self.last_open_brace = Some(start..end);
243                        let arg = self.argument();
244                        self.ws();
245                        if let Some((close_brace_range, _)) = self.consume_pos('}') {
246                            if self.is_source_literal {
247                                self.arg_places.push(start..close_brace_range.end);
248                            }
249                        } else {
250                            self.missing_closing_brace(&arg);
251                        }
252
253                        Some(Piece::NextArgument(Box::new(arg)))
254                    }
255                }
256                '}' => {
257                    self.input_vec_index += 1;
258                    if let Some((_, i, '}')) = self.peek() {
259                        self.input_vec_index += 1;
260                        // double close brace escape: "}}"
261                        // next state after this is either end-of-input or start
262                        Some(Piece::Lit(self.string(i)))
263                    } else {
264                        // error: single close brace without corresponding open brace
265                        self.errors.push(ParseError {
266                            description: "unmatched `}` found".into(),
267                            note: Some(
268                                "if you intended to print `}`, you can escape it using `}}`".into(),
269                            ),
270                            label: "unmatched `}`".into(),
271                            span: start..end,
272                            secondary_label: None,
273                            suggestion: Suggestion::None,
274                        });
275                        None
276                    }
277                }
278                _ => Some(Piece::Lit(self.string(idx))),
279            }
280        } else {
281            // end of input
282            if self.is_source_literal {
283                let span = self.cur_line_start..self.end_of_snippet;
284                if self.line_spans.last() != Some(&span) {
285                    self.line_spans.push(span);
286                }
287            }
288            None
289        }
290    }
291}
292
293impl<'input> Parser<'input> {
294    /// Creates a new parser for the given unescaped input string and
295    /// optional code snippet (the input as written before being unescaped),
296    /// where `style` is `Some(nr_hashes)` when the snippet is a raw string with that many hashes.
297    /// If the input comes via `println` or `panic`, then it has a newline already appended,
298    /// which is reflected in the `appended_newline` parameter.
299    pub fn new(
300        input: &'input str,
301        style: Option<usize>,
302        snippet: Option<String>,
303        appended_newline: bool,
304        mode: ParseMode,
305    ) -> Self {
306        let quote_offset = style.map_or(1, |nr_hashes| nr_hashes + 2);
307
308        let (is_source_literal, end_of_snippet, pre_input_vec) = if let Some(snippet) = snippet {
309            if let Some(nr_hashes) = style {
310                // snippet is a raw string, which starts with 'r', a number of hashes, and a quote
311                // and ends with a quote and the same number of hashes
312                (true, snippet.len() - nr_hashes - 1, vec![])
313            } else {
314                // snippet is not a raw string
315                if snippet.starts_with('"') {
316                    // snippet looks like an ordinary string literal
317                    // check whether it is the escaped version of input
318                    let without_quotes = &snippet[1..snippet.len() - 1];
319                    let (mut ok, mut vec) = (true, vec![]);
320                    let mut chars = input.chars();
321                    rustc_literal_escaper::unescape_str(without_quotes, |range, res| match res {
322                        Ok(ch) if ok && chars.next().is_some_and(|c| ch == c) => {
323                            vec.push((range, ch));
324                        }
325                        _ => {
326                            ok = false;
327                            vec = vec![];
328                        }
329                    });
330                    let end = vec.last().map(|(r, _)| r.end).unwrap_or(0);
331                    if ok {
332                        if appended_newline {
333                            if chars.as_str() == "\n" {
334                                vec.push((end..end + 1, '\n'));
335                                (true, 1 + end, vec)
336                            } else {
337                                (false, snippet.len(), vec![])
338                            }
339                        } else if chars.as_str() == "" {
340                            (true, 1 + end, vec)
341                        } else {
342                            (false, snippet.len(), vec![])
343                        }
344                    } else {
345                        (false, snippet.len(), vec![])
346                    }
347                } else {
348                    // snippet is not a raw string and does not start with '"'
349                    (false, snippet.len(), vec![])
350                }
351            }
352        } else {
353            // snippet is None
354            (false, input.len() - if appended_newline { 1 } else { 0 }, vec![])
355        };
356
357        let input_vec: Vec<(Range<usize>, usize, char)> = if pre_input_vec.is_empty() {
358            // Snippet is *not* input before unescaping, so spans pointing at it will be incorrect.
359            // This can happen with proc macros that respan generated literals.
360            input
361                .char_indices()
362                .map(|(idx, c)| {
363                    let i = idx + quote_offset;
364                    (i..i + c.len_utf8(), idx, c)
365                })
366                .collect()
367        } else {
368            // Snippet is input before unescaping
369            input
370                .char_indices()
371                .zip(pre_input_vec)
372                .map(|((i, c), (r, _))| (r.start + quote_offset..r.end + quote_offset, i, c))
373                .collect()
374        };
375
376        Parser {
377            mode,
378            input,
379            input_vec,
380            input_vec_index: 0,
381            errors: vec![],
382            curarg: 0,
383            arg_places: vec![],
384            last_open_brace: None,
385            is_source_literal,
386            end_of_snippet,
387            cur_line_start: quote_offset,
388            line_spans: vec![],
389        }
390    }
391
392    /// Peeks at the current position, without incrementing the pointer.
393    pub fn peek(&self) -> Option<(Range<usize>, usize, char)> {
394        self.input_vec.get(self.input_vec_index).cloned()
395    }
396
397    /// Peeks at the current position + 1, without incrementing the pointer.
398    pub fn peek_ahead(&self) -> Option<(Range<usize>, usize, char)> {
399        self.input_vec.get(self.input_vec_index + 1).cloned()
400    }
401
402    /// Optionally consumes the specified character. If the character is not at
403    /// the current position, then the current iterator isn't moved and `false` is
404    /// returned, otherwise the character is consumed and `true` is returned.
405    fn consume(&mut self, c: char) -> bool {
406        self.consume_pos(c).is_some()
407    }
408
409    /// Optionally consumes the specified character. If the character is not at
410    /// the current position, then the current iterator isn't moved and `None` is
411    /// returned, otherwise the character is consumed and the current position is
412    /// returned.
413    fn consume_pos(&mut self, ch: char) -> Option<(Range<usize>, usize)> {
414        if let Some((r, i, c)) = self.peek()
415            && ch == c
416        {
417            self.input_vec_index += 1;
418            return Some((r, i));
419        }
420
421        None
422    }
423
424    /// Called if a closing brace was not found.
425    fn missing_closing_brace(&mut self, arg: &Argument<'_>) {
426        let (range, description) = if let Some((r, _, c)) = self.peek() {
427            (r.start..r.start, format!("expected `}}`, found `{}`", c.escape_debug()))
428        } else {
429            (
430                // point at closing `"`
431                self.end_of_snippet..self.end_of_snippet,
432                "expected `}` but string was terminated".to_owned(),
433            )
434        };
435
436        let (note, secondary_label) = if arg.format.fill == Some('}') {
437            (
438                Some("the character `}` is interpreted as a fill character because of the `:` that precedes it".to_owned()),
439                arg.format.fill_span.clone().map(|sp| ("this is not interpreted as a formatting closing brace".to_owned(), sp)),
440            )
441        } else {
442            (
443                Some("if you intended to print `{`, you can escape it using `{{`".to_owned()),
444                self.last_open_brace
445                    .clone()
446                    .map(|sp| ("because of this opening brace".to_owned(), sp)),
447            )
448        };
449
450        self.errors.push(ParseError {
451            description,
452            note,
453            label: "expected `}`".to_owned(),
454            span: range.start..range.start,
455            secondary_label,
456            suggestion: Suggestion::None,
457        });
458
459        if let (Some((_, _, c)), Some((_, _, nc))) = (self.peek(), self.peek_ahead()) {
460            match (c, nc) {
461                ('?', '}') => self.missing_colon_before_debug_formatter(),
462                ('?', _) => self.suggest_format_debug(),
463                ('<' | '^' | '>', _) => self.suggest_format_align(c),
464                (',', _) => self.suggest_unsupported_python_numeric_grouping(),
465                _ => self.suggest_positional_arg_instead_of_captured_arg(arg),
466            }
467        }
468    }
469
470    /// Consumes all whitespace characters until the first non-whitespace character
471    fn ws(&mut self) {
472        let rest = &self.input_vec[self.input_vec_index..];
473        let step = rest.iter().position(|&(_, _, c)| !c.is_whitespace()).unwrap_or(rest.len());
474        self.input_vec_index += step;
475    }
476
477    /// Parses all of a string which is to be considered a "raw literal" in a
478    /// format string. This is everything outside of the braces.
479    fn string(&mut self, start: usize) -> &'input str {
480        while let Some((r, i, c)) = self.peek() {
481            match c {
482                '{' | '}' => {
483                    return &self.input[start..i];
484                }
485                '\n' if self.is_source_literal => {
486                    self.input_vec_index += 1;
487                    self.line_spans.push(self.cur_line_start..r.start);
488                    self.cur_line_start = r.end;
489                }
490                _ => {
491                    self.input_vec_index += 1;
492                    if self.is_source_literal && r.start == self.cur_line_start && c.is_whitespace()
493                    {
494                        self.cur_line_start = r.end;
495                    }
496                }
497            }
498        }
499        &self.input[start..]
500    }
501
502    /// Parses an `Argument` structure, or what's contained within braces inside the format string.
503    fn argument(&mut self) -> Argument<'input> {
504        let start_idx = self.input_vec_index;
505
506        let position = self.position();
507        self.ws();
508
509        let end_idx = self.input_vec_index;
510
511        let format = match self.mode {
512            ParseMode::Format => self.format(),
513            ParseMode::InlineAsm => self.inline_asm(),
514            ParseMode::Diagnostic => self.diagnostic(),
515        };
516
517        // Resolve position after parsing format spec.
518        let position = position.unwrap_or_else(|| {
519            let i = self.curarg;
520            self.curarg += 1;
521            ArgumentImplicitlyIs(i)
522        });
523
524        let position_span =
525            self.input_vec_index2range(start_idx).start..self.input_vec_index2range(end_idx).start;
526        Argument { position, position_span, format }
527    }
528
529    /// Parses a positional argument for a format. This could either be an
530    /// integer index of an argument, a named argument, or a blank string.
531    /// Returns `Some(parsed_position)` if the position is not implicitly
532    /// consuming a macro argument, `None` if it's the case.
533    fn position(&mut self) -> Option<Position<'input>> {
534        if let Some(i) = self.integer() {
535            Some(ArgumentIs(i.into()))
536        } else {
537            match self.peek() {
538                Some((range, _, c)) if rustc_lexer::is_id_start(c) => {
539                    let start = range.start;
540                    let word = self.word();
541
542                    // Recover from `r#ident` in format strings.
543                    if word == "r"
544                        && let Some((r, _, '#')) = self.peek()
545                        && self.peek_ahead().is_some_and(|(_, _, c)| rustc_lexer::is_id_start(c))
546                    {
547                        self.input_vec_index += 1;
548                        let prefix_end = r.end;
549                        let word = self.word();
550                        let prefix_span = start..prefix_end;
551                        let full_span =
552                            start..self.input_vec_index2range(self.input_vec_index).start;
553                        self.errors.insert(0, ParseError {
554                                    description: "raw identifiers are not supported".to_owned(),
555                                    note: Some("identifiers in format strings can be keywords and don't need to be prefixed with `r#`".to_string()),
556                                    label: "raw identifier used here".to_owned(),
557                                    span: full_span,
558                                    secondary_label: None,
559                                    suggestion: Suggestion::RemoveRawIdent(prefix_span),
560                                });
561                        return Some(ArgumentNamed(word));
562                    }
563
564                    Some(ArgumentNamed(word))
565                }
566                // This is an `ArgumentNext`.
567                // Record the fact and do the resolution after parsing the
568                // format spec, to make things like `{:.*}` work.
569                _ => None,
570            }
571        }
572    }
573
574    fn input_vec_index2pos(&self, index: usize) -> usize {
575        if let Some((_, pos, _)) = self.input_vec.get(index) { *pos } else { self.input.len() }
576    }
577
578    fn input_vec_index2range(&self, index: usize) -> Range<usize> {
579        if let Some((r, _, _)) = self.input_vec.get(index) {
580            r.clone()
581        } else {
582            self.end_of_snippet..self.end_of_snippet
583        }
584    }
585
586    /// Parses a format specifier at the current position, returning all of the
587    /// relevant information in the `FormatSpec` struct.
588    fn format(&mut self) -> FormatSpec<'input> {
589        let mut spec = FormatSpec::default();
590
591        if !self.consume(':') {
592            return spec;
593        }
594
595        // fill character
596        if let (Some((r, _, c)), Some((_, _, '>' | '<' | '^'))) = (self.peek(), self.peek_ahead()) {
597            self.input_vec_index += 1;
598            spec.fill = Some(c);
599            spec.fill_span = Some(r);
600        }
601        // Alignment
602        if self.consume('<') {
603            spec.align = AlignLeft;
604        } else if self.consume('>') {
605            spec.align = AlignRight;
606        } else if self.consume('^') {
607            spec.align = AlignCenter;
608        }
609        // Sign flags
610        if self.consume('+') {
611            spec.sign = Some(Sign::Plus);
612        } else if self.consume('-') {
613            spec.sign = Some(Sign::Minus);
614        }
615        // Alternate marker
616        if self.consume('#') {
617            spec.alternate = true;
618        }
619        // Width and precision
620        let mut havewidth = false;
621
622        if let Some((range, _)) = self.consume_pos('0') {
623            // small ambiguity with '0$' as a format string. In theory this is a
624            // '0' flag and then an ill-formatted format string with just a '$'
625            // and no count, but this is better if we instead interpret this as
626            // no '0' flag and '0$' as the width instead.
627            if let Some((r, _)) = self.consume_pos('$') {
628                spec.width = CountIsParam(0);
629                spec.width_span = Some(range.start..r.end);
630                havewidth = true;
631            } else {
632                spec.zero_pad = true;
633            }
634        }
635
636        if !havewidth {
637            let start_idx = self.input_vec_index;
638            spec.width = self.count();
639            if spec.width != CountImplied {
640                let end = self.input_vec_index2range(self.input_vec_index).start;
641                spec.width_span = Some(self.input_vec_index2range(start_idx).start..end);
642            }
643        }
644
645        if let Some((range, _)) = self.consume_pos('.') {
646            if self.consume('*') {
647                // Resolve `CountIsNextParam`.
648                // We can do this immediately as `position` is resolved later.
649                let i = self.curarg;
650                self.curarg += 1;
651                spec.precision = CountIsStar(i);
652            } else {
653                spec.precision = self.count();
654            }
655            spec.precision_span =
656                Some(range.start..self.input_vec_index2range(self.input_vec_index).start);
657        }
658
659        let start_idx = self.input_vec_index;
660        // Optional radix followed by the actual format specifier
661        if self.consume('x') {
662            if self.consume('?') {
663                spec.debug_hex = Some(DebugHex::Lower);
664                spec.ty = "?";
665            } else {
666                spec.ty = "x";
667            }
668        } else if self.consume('X') {
669            if self.consume('?') {
670                spec.debug_hex = Some(DebugHex::Upper);
671                spec.ty = "?";
672            } else {
673                spec.ty = "X";
674            }
675        } else if let Some((range, _)) = self.consume_pos('?') {
676            spec.ty = "?";
677            if let Some((r, _, c @ ('#' | 'x' | 'X'))) = self.peek() {
678                self.errors.insert(
679                    0,
680                    ParseError {
681                        description: format!("expected `}}`, found `{c}`"),
682                        note: None,
683                        label: "expected `'}'`".into(),
684                        span: r.clone(),
685                        secondary_label: None,
686                        suggestion: Suggestion::ReorderFormatParameter(
687                            range.start..r.end,
688                            format!("{c}?"),
689                        ),
690                    },
691                );
692            }
693        } else {
694            spec.ty = self.word();
695            if !spec.ty.is_empty() {
696                let start = self.input_vec_index2range(start_idx).start;
697                let end = self.input_vec_index2range(self.input_vec_index).start;
698                spec.ty_span = Some(start..end);
699            }
700        }
701        spec
702    }
703
704    /// Parses an inline assembly template modifier at the current position, returning the modifier
705    /// in the `ty` field of the `FormatSpec` struct.
706    fn inline_asm(&mut self) -> FormatSpec<'input> {
707        let mut spec = FormatSpec::default();
708
709        if !self.consume(':') {
710            return spec;
711        }
712
713        let start_idx = self.input_vec_index;
714        spec.ty = self.word();
715        if !spec.ty.is_empty() {
716            let start = self.input_vec_index2range(start_idx).start;
717            let end = self.input_vec_index2range(self.input_vec_index).start;
718            spec.ty_span = Some(start..end);
719        }
720
721        spec
722    }
723
724    /// Always returns an empty `FormatSpec`
725    fn diagnostic(&mut self) -> FormatSpec<'input> {
726        let mut spec = FormatSpec::default();
727
728        let Some((Range { start, .. }, start_idx)) = self.consume_pos(':') else {
729            return spec;
730        };
731
732        spec.ty = self.string(start_idx);
733        spec.ty_span = {
734            let end = self.input_vec_index2range(self.input_vec_index).start;
735            Some(start..end)
736        };
737        spec
738    }
739
740    /// Parses a `Count` parameter at the current position. This does not check
741    /// for 'CountIsNextParam' because that is only used in precision, not
742    /// width.
743    fn count(&mut self) -> Count<'input> {
744        if let Some(i) = self.integer() {
745            if self.consume('$') { CountIsParam(i.into()) } else { CountIs(i) }
746        } else {
747            let start_idx = self.input_vec_index;
748            let word = self.word();
749            if word.is_empty() {
750                CountImplied
751            } else if let Some((r, _)) = self.consume_pos('$') {
752                CountIsName(word, self.input_vec_index2range(start_idx).start..r.start)
753            } else {
754                self.input_vec_index = start_idx;
755                CountImplied
756            }
757        }
758    }
759
760    /// Parses a word starting at the current position. A word is the same as a
761    /// Rust identifier, except that it can't start with `_` character.
762    fn word(&mut self) -> &'input str {
763        let index = self.input_vec_index;
764        match self.peek() {
765            Some((ref r, i, c)) if rustc_lexer::is_id_start(c) => {
766                self.input_vec_index += 1;
767                (r.start, i)
768            }
769            _ => {
770                return "";
771            }
772        };
773        let (err_end, end): (usize, usize) = loop {
774            if let Some((ref r, i, c)) = self.peek() {
775                if rustc_lexer::is_id_continue(c) {
776                    self.input_vec_index += 1;
777                } else {
778                    break (r.start, i);
779                }
780            } else {
781                break (self.end_of_snippet, self.input.len());
782            }
783        };
784
785        let word = &self.input[self.input_vec_index2pos(index)..end];
786        if word == "_" {
787            self.errors.push(ParseError {
788                description: "invalid argument name `_`".into(),
789                note: Some("argument name cannot be a single underscore".into()),
790                label: "invalid argument name".into(),
791                span: self.input_vec_index2range(index).start..err_end,
792                secondary_label: None,
793                suggestion: Suggestion::None,
794            });
795        }
796        word
797    }
798
799    fn integer(&mut self) -> Option<u16> {
800        let mut cur: u16 = 0;
801        let mut found = false;
802        let mut overflow = false;
803        let start_index = self.input_vec_index;
804        while let Some((_, _, c)) = self.peek() {
805            if let Some(i) = c.to_digit(10) {
806                self.input_vec_index += 1;
807                let (tmp, mul_overflow) = cur.overflowing_mul(10);
808                let (tmp, add_overflow) = tmp.overflowing_add(i as u16);
809                if mul_overflow || add_overflow {
810                    overflow = true;
811                }
812                cur = tmp;
813                found = true;
814            } else {
815                break;
816            }
817        }
818
819        if overflow {
820            let overflowed_int = &self.input[self.input_vec_index2pos(start_index)
821                ..self.input_vec_index2pos(self.input_vec_index)];
822            self.errors.push(ParseError {
823                description: format!(
824                    "integer `{}` does not fit into the type `u16` whose range is `0..={}`",
825                    overflowed_int,
826                    u16::MAX
827                ),
828                note: None,
829                label: "integer out of range for `u16`".into(),
830                span: self.input_vec_index2range(start_index).start
831                    ..self.input_vec_index2range(self.input_vec_index).end,
832                secondary_label: None,
833                suggestion: Suggestion::None,
834            });
835        }
836
837        found.then_some(cur)
838    }
839
840    fn suggest_format_debug(&mut self) {
841        if let (Some((range, _)), Some(_)) = (self.consume_pos('?'), self.consume_pos(':')) {
842            let word = self.word();
843            self.errors.insert(
844                0,
845                ParseError {
846                    description: "expected format parameter to occur after `:`".to_owned(),
847                    note: Some(format!("`?` comes after `:`, try `{}:{}` instead", word, "?")),
848                    label: "expected `?` to occur after `:`".to_owned(),
849                    span: range,
850                    secondary_label: None,
851                    suggestion: Suggestion::None,
852                },
853            );
854        }
855    }
856
857    fn missing_colon_before_debug_formatter(&mut self) {
858        if let Some((range, _)) = self.consume_pos('?') {
859            let span = range.clone();
860            self.errors.insert(
861                0,
862                ParseError {
863                    description: "expected `}`, found `?`".to_owned(),
864                    note: Some(format!("to print `{{`, you can escape it using `{{{{`",)),
865                    label: "expected `:` before `?` to format with `Debug`".to_owned(),
866                    span: range,
867                    secondary_label: None,
868                    suggestion: Suggestion::AddMissingColon(span),
869                },
870            );
871        }
872    }
873
874    fn suggest_format_align(&mut self, alignment: char) {
875        if let Some((range, _)) = self.consume_pos(alignment) {
876            self.errors.insert(
877                0,
878                ParseError {
879                    description:
880                        "expected alignment specifier after `:` in format string; example: `{:>?}`"
881                            .to_owned(),
882                    note: None,
883                    label: format!("expected `{}` to occur after `:`", alignment),
884                    span: range,
885                    secondary_label: None,
886                    suggestion: Suggestion::None,
887                },
888            );
889        }
890    }
891
892    fn suggest_positional_arg_instead_of_captured_arg(&mut self, arg: &Argument<'_>) {
893        // If the argument is not an identifier, it is not a field access.
894        if !arg.is_identifier() {
895            return;
896        }
897
898        if let Some((_range, _pos)) = self.consume_pos('.') {
899            let field = self.argument();
900            // We can only parse simple `foo.bar` field access or `foo.0` tuple index access, any
901            // deeper nesting, or another type of expression, like method calls, are not supported
902            if !self.consume('}') {
903                return;
904            }
905            if let ArgumentNamed(_) = arg.position {
906                match field.position {
907                    ArgumentNamed(_) => {
908                        self.errors.insert(
909                            0,
910                            ParseError {
911                                description: "field access isn't supported".to_string(),
912                                note: None,
913                                label: "not supported".to_string(),
914                                span: arg.position_span.start..field.position_span.end,
915                                secondary_label: None,
916                                suggestion: Suggestion::UsePositional,
917                            },
918                        );
919                    }
920                    ArgumentIs(_) => {
921                        self.errors.insert(
922                            0,
923                            ParseError {
924                                description: "tuple index access isn't supported".to_string(),
925                                note: None,
926                                label: "not supported".to_string(),
927                                span: arg.position_span.start..field.position_span.end,
928                                secondary_label: None,
929                                suggestion: Suggestion::UsePositional,
930                            },
931                        );
932                    }
933                    _ => {}
934                };
935            }
936        }
937    }
938
939    fn suggest_unsupported_python_numeric_grouping(&mut self) {
940        if let Some((range, _)) = self.consume_pos(',') {
941            self.errors.insert(
942                0,
943                ParseError {
944                    description:
945                        "python's numeric grouping `,` is not supported in rust format strings"
946                            .to_owned(),
947                    note: Some(format!("to print `{{`, you can escape it using `{{{{`",)),
948                    label: "expected `}`".to_owned(),
949                    span: range,
950                    secondary_label: self
951                        .last_open_brace
952                        .clone()
953                        .map(|sp| ("because of this opening brace".to_owned(), sp)),
954                    suggestion: Suggestion::None,
955                },
956            );
957        }
958    }
959}
960
961// Assert a reasonable size for `Piece`
962#[cfg(all(test, target_pointer_width = "64"))]
963rustc_index::static_assert_size!(Piece<'_>, 16);
964
965#[cfg(test)]
966mod tests;