Skip to main content

rustc_parse/parser/
mod.rs

1pub mod attr;
2mod attr_wrapper;
3mod diagnostics;
4mod expr;
5mod generics;
6mod item;
7mod nonterminal;
8mod pat;
9mod path;
10mod stmt;
11pub mod token_type;
12mod ty;
13
14// Parsers for non-functionlike builtin macros are defined in rustc_parse so they can be used by
15// both rustc_builtin_macros and rustfmt.
16pub mod asm;
17pub mod cfg_select;
18
19use std::{debug_assert_matches, fmt, mem, slice};
20
21use attr_wrapper::{AttrWrapper, UsePreAttrPos};
22pub use diagnostics::AttemptLocalParseRecovery;
23// Public to use it for custom `if` expressions in rustfmt forks like https://github.com/tucant/rustfmt
24pub use expr::LetChainsPolicy;
25pub(crate) use item::{FnContext, FnParseMode};
26pub use pat::{CommaRecoveryMode, RecoverColon, RecoverComma};
27pub use path::PathStyle;
28use rustc_ast::token::{
29    self, IdentIsRaw, InvisibleOrigin, MetaVarKind, NtExprKind, NtPatKind, Token, TokenKind,
30};
31use rustc_ast::tokenstream::{
32    ParserRange, ParserReplacement, Spacing, TokenCursor, TokenStream, TokenTree, TokenTreeCursor,
33};
34use rustc_ast::util::case::Case;
35use rustc_ast::util::classify;
36use rustc_ast::{
37    self as ast, AnonConst, AttrArgs, AttrId, BinOpKind, ByRef, Const, CoroutineKind,
38    DUMMY_NODE_ID, DelimArgs, Expr, ExprKind, Extern, HasAttrs, HasTokens, ImplRestriction,
39    MgcaDisambiguation, Mutability, Recovered, RestrictionKind, Safety, StrLit, Visibility,
40    VisibilityKind,
41};
42use rustc_ast_pretty::pprust;
43use rustc_data_structures::fx::FxHashMap;
44use rustc_errors::{Applicability, Diag, FatalError, MultiSpan, PResult};
45use rustc_index::interval::IntervalSet;
46use rustc_session::parse::ParseSess;
47use rustc_span::{ErrorGuaranteed, Ident, Span, Symbol, kw, sym};
48use thin_vec::ThinVec;
49use token_type::TokenTypeSet;
50pub use token_type::{ExpKeywordPair, ExpTokenPair, TokenType};
51use tracing::debug;
52
53use crate::errors::{
54    self, IncorrectImplRestriction, IncorrectVisibilityRestriction, NonStringAbiLiteral,
55    TokenDescription,
56};
57use crate::exp;
58
59#[cfg(test)]
60mod tests;
61
62// Ideally, these tests would be in `rustc_ast`. But they depend on having a
63// parser, so they are here.
64#[cfg(test)]
65mod tokenstream {
66    mod tests;
67}
68
69bitflags::bitflags! {
70    /// Restrictions applied while parsing.
71    ///
72    /// The parser maintains a bitset of restrictions it will honor while
73    /// parsing. This is essentially used as a way of tracking state of what
74    /// is being parsed and to change behavior based on that.
75    #[derive(#[automatically_derived]
impl ::core::clone::Clone for Restrictions {
    #[inline]
    fn clone(&self) -> Restrictions {
        let _:
                ::core::clone::AssertParamIsClone<<Restrictions as
                ::bitflags::__private::PublicFlags>::Internal>;
        *self
    }
}
impl Restrictions {
    #[doc = r" Restricts expressions for use in statement position."]
    #[doc = r""]
    #[doc =
    r" When expressions are used in various places, like statements or"]
    #[doc =
    r" match arms, this is used to stop parsing once certain tokens are"]
    #[doc = r" reached."]
    #[doc = r""]
    #[doc =
    r" For example, `if true {} & 1` with `STMT_EXPR` in effect is parsed"]
    #[doc =
    r" as two separate expression statements (`if` and a reference to 1)."]
    #[doc =
    r" Otherwise it is parsed as a bitwise AND where `if` is on the left"]
    #[doc = r" and 1 is on the right."]
    #[allow(deprecated, non_upper_case_globals,)]
    pub const STMT_EXPR: Self = Self::from_bits_retain(1 << 0);
    #[doc = r" Do not allow struct literals."]
    #[doc = r""]
    #[doc =
    r" There are several places in the grammar where we don't want to"]
    #[doc = r" allow struct literals because they can require lookahead, or"]
    #[doc = r" otherwise could be ambiguous or cause confusion. For example,"]
    #[doc =
    r" `if Foo {} {}` isn't clear if it is `Foo{}` struct literal, or"]
    #[doc = r" just `Foo` is the condition, followed by a consequent block,"]
    #[doc = r" followed by an empty block."]
    #[doc = r""]
    #[doc =
    r" See [RFC 92](https://rust-lang.github.io/rfcs/0092-struct-grammar.html)."]
    #[allow(deprecated, non_upper_case_globals,)]
    pub const NO_STRUCT_LITERAL: Self = Self::from_bits_retain(1 << 1);
    #[doc =
    r" Used to provide better error messages for const generic arguments."]
    #[doc = r""]
    #[doc =
    r" An un-braced const generic argument is limited to a very small"]
    #[doc =
    r" subset of expressions. This is used to detect the situation where"]
    #[doc =
    r" an expression outside of that subset is used, and to suggest to"]
    #[doc = r" wrap the expression in braces."]
    #[allow(deprecated, non_upper_case_globals,)]
    pub const CONST_EXPR: Self = Self::from_bits_retain(1 << 2);
    #[doc = r" Allows `let` expressions."]
    #[doc = r""]
    #[doc =
    r" `let pattern = scrutinee` is parsed as an expression, but it is"]
    #[doc = r" only allowed in let chains (`if` and `while` conditions)."]
    #[doc =
    r" Otherwise it is not an expression (note that `let` in statement"]
    #[doc =
    r" positions is treated as a `StmtKind::Let` statement, which has a"]
    #[doc = r" slightly different grammar)."]
    #[allow(deprecated, non_upper_case_globals,)]
    pub const ALLOW_LET: Self = Self::from_bits_retain(1 << 3);
    #[doc = r" Used to detect a missing `=>` in a match guard."]
    #[doc = r""]
    #[doc =
    r" This is used for error handling in a match guard to give a better"]
    #[doc =
    r" error message if the `=>` is missing. It is set when parsing the"]
    #[doc = r" guard expression."]
    #[allow(deprecated, non_upper_case_globals,)]
    pub const IN_IF_GUARD: Self = Self::from_bits_retain(1 << 4);
    #[doc = r" Used to detect the incorrect use of expressions in patterns."]
    #[doc = r""]
    #[doc =
    r" This is used for error handling while parsing a pattern. During"]
    #[doc =
    r" error recovery, this will be set to try to parse the pattern as an"]
    #[doc =
    r" expression, but halts parsing the expression when reaching certain"]
    #[doc = r" tokens like `=`."]
    #[allow(deprecated, non_upper_case_globals,)]
    pub const IS_PAT: Self = Self::from_bits_retain(1 << 5);
}
impl ::bitflags::Flags for Restrictions {
    const FLAGS: &'static [::bitflags::Flag<Restrictions>] =
        &[{

                        #[allow(deprecated, non_upper_case_globals,)]
                        ::bitflags::Flag::new("STMT_EXPR", Restrictions::STMT_EXPR)
                    },
                    {

                        #[allow(deprecated, non_upper_case_globals,)]
                        ::bitflags::Flag::new("NO_STRUCT_LITERAL",
                            Restrictions::NO_STRUCT_LITERAL)
                    },
                    {

                        #[allow(deprecated, non_upper_case_globals,)]
                        ::bitflags::Flag::new("CONST_EXPR",
                            Restrictions::CONST_EXPR)
                    },
                    {

                        #[allow(deprecated, non_upper_case_globals,)]
                        ::bitflags::Flag::new("ALLOW_LET", Restrictions::ALLOW_LET)
                    },
                    {

                        #[allow(deprecated, non_upper_case_globals,)]
                        ::bitflags::Flag::new("IN_IF_GUARD",
                            Restrictions::IN_IF_GUARD)
                    },
                    {

                        #[allow(deprecated, non_upper_case_globals,)]
                        ::bitflags::Flag::new("IS_PAT", Restrictions::IS_PAT)
                    }];
    type Bits = u8;
    fn bits(&self) -> u8 { Restrictions::bits(self) }
    fn from_bits_retain(bits: u8) -> Restrictions {
        Restrictions::from_bits_retain(bits)
    }
}
#[allow(dead_code, deprecated, unused_doc_comments, unused_attributes,
unused_mut, unused_imports, non_upper_case_globals, clippy ::
assign_op_pattern, clippy :: indexing_slicing, clippy :: same_name_method,
clippy :: iter_without_into_iter,)]
const _: () =
    {
        #[repr(transparent)]
        struct InternalBitFlags(u8);
        #[automatically_derived]
        #[doc(hidden)]
        unsafe impl ::core::clone::TrivialClone for InternalBitFlags { }
        #[automatically_derived]
        impl ::core::clone::Clone for InternalBitFlags {
            #[inline]
            fn clone(&self) -> InternalBitFlags {
                let _: ::core::clone::AssertParamIsClone<u8>;
                *self
            }
        }
        #[automatically_derived]
        impl ::core::marker::Copy for InternalBitFlags { }
        #[automatically_derived]
        impl ::core::marker::StructuralPartialEq for InternalBitFlags { }
        #[automatically_derived]
        impl ::core::cmp::PartialEq for InternalBitFlags {
            #[inline]
            fn eq(&self, other: &InternalBitFlags) -> bool {
                self.0 == other.0
            }
        }
        #[automatically_derived]
        impl ::core::cmp::Eq for InternalBitFlags {
            #[inline]
            #[doc(hidden)]
            #[coverage(off)]
            fn assert_fields_are_eq(&self) {
                let _: ::core::cmp::AssertParamIsEq<u8>;
            }
        }
        #[automatically_derived]
        impl ::core::cmp::PartialOrd for InternalBitFlags {
            #[inline]
            fn partial_cmp(&self, other: &InternalBitFlags)
                -> ::core::option::Option<::core::cmp::Ordering> {
                ::core::cmp::PartialOrd::partial_cmp(&self.0, &other.0)
            }
        }
        #[automatically_derived]
        impl ::core::cmp::Ord for InternalBitFlags {
            #[inline]
            fn cmp(&self, other: &InternalBitFlags) -> ::core::cmp::Ordering {
                ::core::cmp::Ord::cmp(&self.0, &other.0)
            }
        }
        #[automatically_derived]
        impl ::core::hash::Hash for InternalBitFlags {
            #[inline]
            fn hash<__H: ::core::hash::Hasher>(&self, state: &mut __H) {
                ::core::hash::Hash::hash(&self.0, state)
            }
        }
        impl ::bitflags::__private::PublicFlags for Restrictions {
            type Primitive = u8;
            type Internal = InternalBitFlags;
        }
        impl ::bitflags::__private::core::default::Default for
            InternalBitFlags {
            #[inline]
            fn default() -> Self { InternalBitFlags::empty() }
        }
        impl ::bitflags::__private::core::fmt::Debug for InternalBitFlags {
            fn fmt(&self,
                f: &mut ::bitflags::__private::core::fmt::Formatter<'_>)
                -> ::bitflags::__private::core::fmt::Result {
                if self.is_empty() {
                    f.write_fmt(format_args!("{0:#x}",
                            <u8 as ::bitflags::Bits>::EMPTY))
                } else {
                    ::bitflags::__private::core::fmt::Display::fmt(self, f)
                }
            }
        }
        impl ::bitflags::__private::core::fmt::Display for InternalBitFlags {
            fn fmt(&self,
                f: &mut ::bitflags::__private::core::fmt::Formatter<'_>)
                -> ::bitflags::__private::core::fmt::Result {
                ::bitflags::parser::to_writer(&Restrictions(*self), f)
            }
        }
        impl ::bitflags::__private::core::str::FromStr for InternalBitFlags {
            type Err = ::bitflags::parser::ParseError;
            fn from_str(s: &str)
                ->
                    ::bitflags::__private::core::result::Result<Self,
                    Self::Err> {
                ::bitflags::parser::from_str::<Restrictions>(s).map(|flags|
                        flags.0)
            }
        }
        impl ::bitflags::__private::core::convert::AsRef<u8> for
            InternalBitFlags {
            fn as_ref(&self) -> &u8 { &self.0 }
        }
        impl ::bitflags::__private::core::convert::From<u8> for
            InternalBitFlags {
            fn from(bits: u8) -> Self { Self::from_bits_retain(bits) }
        }
        #[allow(dead_code, deprecated, unused_attributes)]
        impl InternalBitFlags {
            /// Get a flags value with all bits unset.
            #[inline]
            pub const fn empty() -> Self {
                Self(<u8 as ::bitflags::Bits>::EMPTY)
            }
            /// Get a flags value with all known bits set.
            #[inline]
            pub const fn all() -> Self {
                let mut truncated = <u8 as ::bitflags::Bits>::EMPTY;
                let mut i = 0;
                {
                    {
                        let flag =
                            <Restrictions as
                                            ::bitflags::Flags>::FLAGS[i].value().bits();
                        truncated = truncated | flag;
                        i += 1;
                    }
                };
                {
                    {
                        let flag =
                            <Restrictions as
                                            ::bitflags::Flags>::FLAGS[i].value().bits();
                        truncated = truncated | flag;
                        i += 1;
                    }
                };
                {
                    {
                        let flag =
                            <Restrictions as
                                            ::bitflags::Flags>::FLAGS[i].value().bits();
                        truncated = truncated | flag;
                        i += 1;
                    }
                };
                {
                    {
                        let flag =
                            <Restrictions as
                                            ::bitflags::Flags>::FLAGS[i].value().bits();
                        truncated = truncated | flag;
                        i += 1;
                    }
                };
                {
                    {
                        let flag =
                            <Restrictions as
                                            ::bitflags::Flags>::FLAGS[i].value().bits();
                        truncated = truncated | flag;
                        i += 1;
                    }
                };
                {
                    {
                        let flag =
                            <Restrictions as
                                            ::bitflags::Flags>::FLAGS[i].value().bits();
                        truncated = truncated | flag;
                        i += 1;
                    }
                };
                let _ = i;
                Self(truncated)
            }
            /// Get the underlying bits value.
            ///
            /// The returned value is exactly the bits set in this flags value.
            #[inline]
            pub const fn bits(&self) -> u8 { self.0 }
            /// Convert from a bits value.
            ///
            /// This method will return `None` if any unknown bits are set.
            #[inline]
            pub const fn from_bits(bits: u8)
                -> ::bitflags::__private::core::option::Option<Self> {
                let truncated = Self::from_bits_truncate(bits).0;
                if truncated == bits {
                    ::bitflags::__private::core::option::Option::Some(Self(bits))
                } else { ::bitflags::__private::core::option::Option::None }
            }
            /// Convert from a bits value, unsetting any unknown bits.
            #[inline]
            pub const fn from_bits_truncate(bits: u8) -> Self {
                Self(bits & Self::all().0)
            }
            /// Convert from a bits value exactly.
            #[inline]
            pub const fn from_bits_retain(bits: u8) -> Self { Self(bits) }
            /// Get a flags value with the bits of a flag with the given name set.
            ///
            /// This method will return `None` if `name` is empty or doesn't
            /// correspond to any named flag.
            #[inline]
            pub fn from_name(name: &str)
                -> ::bitflags::__private::core::option::Option<Self> {
                {
                    if name == "STMT_EXPR" {
                        return ::bitflags::__private::core::option::Option::Some(Self(Restrictions::STMT_EXPR.bits()));
                    }
                };
                ;
                {
                    if name == "NO_STRUCT_LITERAL" {
                        return ::bitflags::__private::core::option::Option::Some(Self(Restrictions::NO_STRUCT_LITERAL.bits()));
                    }
                };
                ;
                {
                    if name == "CONST_EXPR" {
                        return ::bitflags::__private::core::option::Option::Some(Self(Restrictions::CONST_EXPR.bits()));
                    }
                };
                ;
                {
                    if name == "ALLOW_LET" {
                        return ::bitflags::__private::core::option::Option::Some(Self(Restrictions::ALLOW_LET.bits()));
                    }
                };
                ;
                {
                    if name == "IN_IF_GUARD" {
                        return ::bitflags::__private::core::option::Option::Some(Self(Restrictions::IN_IF_GUARD.bits()));
                    }
                };
                ;
                {
                    if name == "IS_PAT" {
                        return ::bitflags::__private::core::option::Option::Some(Self(Restrictions::IS_PAT.bits()));
                    }
                };
                ;
                let _ = name;
                ::bitflags::__private::core::option::Option::None
            }
            /// Whether all bits in this flags value are unset.
            #[inline]
            pub const fn is_empty(&self) -> bool {
                self.0 == <u8 as ::bitflags::Bits>::EMPTY
            }
            /// Whether all known bits in this flags value are set.
            #[inline]
            pub const fn is_all(&self) -> bool {
                Self::all().0 | self.0 == self.0
            }
            /// Whether any set bits in a source flags value are also set in a target flags value.
            #[inline]
            pub const fn intersects(&self, other: Self) -> bool {
                self.0 & other.0 != <u8 as ::bitflags::Bits>::EMPTY
            }
            /// Whether all set bits in a source flags value are also set in a target flags value.
            #[inline]
            pub const fn contains(&self, other: Self) -> bool {
                self.0 & other.0 == other.0
            }
            /// The bitwise or (`|`) of the bits in two flags values.
            #[inline]
            pub fn insert(&mut self, other: Self) {
                *self = Self(self.0).union(other);
            }
            /// The intersection of a source flags value with the complement of a target flags
            /// value (`&!`).
            ///
            /// This method is not equivalent to `self & !other` when `other` has unknown bits set.
            /// `remove` won't truncate `other`, but the `!` operator will.
            #[inline]
            pub fn remove(&mut self, other: Self) {
                *self = Self(self.0).difference(other);
            }
            /// The bitwise exclusive-or (`^`) of the bits in two flags values.
            #[inline]
            pub fn toggle(&mut self, other: Self) {
                *self = Self(self.0).symmetric_difference(other);
            }
            /// Call `insert` when `value` is `true` or `remove` when `value` is `false`.
            #[inline]
            pub fn set(&mut self, other: Self, value: bool) {
                if value { self.insert(other); } else { self.remove(other); }
            }
            /// The bitwise and (`&`) of the bits in two flags values.
            #[inline]
            #[must_use]
            pub const fn intersection(self, other: Self) -> Self {
                Self(self.0 & other.0)
            }
            /// The bitwise or (`|`) of the bits in two flags values.
            #[inline]
            #[must_use]
            pub const fn union(self, other: Self) -> Self {
                Self(self.0 | other.0)
            }
            /// The intersection of a source flags value with the complement of a target flags
            /// value (`&!`).
            ///
            /// This method is not equivalent to `self & !other` when `other` has unknown bits set.
            /// `difference` won't truncate `other`, but the `!` operator will.
            #[inline]
            #[must_use]
            pub const fn difference(self, other: Self) -> Self {
                Self(self.0 & !other.0)
            }
            /// The bitwise exclusive-or (`^`) of the bits in two flags values.
            #[inline]
            #[must_use]
            pub const fn symmetric_difference(self, other: Self) -> Self {
                Self(self.0 ^ other.0)
            }
            /// The bitwise negation (`!`) of the bits in a flags value, truncating the result.
            #[inline]
            #[must_use]
            pub const fn complement(self) -> Self {
                Self::from_bits_truncate(!self.0)
            }
        }
        impl ::bitflags::__private::core::fmt::Binary for InternalBitFlags {
            fn fmt(&self, f: &mut ::bitflags::__private::core::fmt::Formatter)
                -> ::bitflags::__private::core::fmt::Result {
                let inner = self.0;
                ::bitflags::__private::core::fmt::Binary::fmt(&inner, f)
            }
        }
        impl ::bitflags::__private::core::fmt::Octal for InternalBitFlags {
            fn fmt(&self, f: &mut ::bitflags::__private::core::fmt::Formatter)
                -> ::bitflags::__private::core::fmt::Result {
                let inner = self.0;
                ::bitflags::__private::core::fmt::Octal::fmt(&inner, f)
            }
        }
        impl ::bitflags::__private::core::fmt::LowerHex for InternalBitFlags {
            fn fmt(&self, f: &mut ::bitflags::__private::core::fmt::Formatter)
                -> ::bitflags::__private::core::fmt::Result {
                let inner = self.0;
                ::bitflags::__private::core::fmt::LowerHex::fmt(&inner, f)
            }
        }
        impl ::bitflags::__private::core::fmt::UpperHex for InternalBitFlags {
            fn fmt(&self, f: &mut ::bitflags::__private::core::fmt::Formatter)
                -> ::bitflags::__private::core::fmt::Result {
                let inner = self.0;
                ::bitflags::__private::core::fmt::UpperHex::fmt(&inner, f)
            }
        }
        impl ::bitflags::__private::core::ops::BitOr for InternalBitFlags {
            type Output = Self;
            /// The bitwise or (`|`) of the bits in two flags values.
            #[inline]
            fn bitor(self, other: InternalBitFlags) -> Self {
                self.union(other)
            }
        }
        impl ::bitflags::__private::core::ops::BitOrAssign for
            InternalBitFlags {
            /// The bitwise or (`|`) of the bits in two flags values.
            #[inline]
            fn bitor_assign(&mut self, other: Self) { self.insert(other); }
        }
        impl ::bitflags::__private::core::ops::BitXor for InternalBitFlags {
            type Output = Self;
            /// The bitwise exclusive-or (`^`) of the bits in two flags values.
            #[inline]
            fn bitxor(self, other: Self) -> Self {
                self.symmetric_difference(other)
            }
        }
        impl ::bitflags::__private::core::ops::BitXorAssign for
            InternalBitFlags {
            /// The bitwise exclusive-or (`^`) of the bits in two flags values.
            #[inline]
            fn bitxor_assign(&mut self, other: Self) { self.toggle(other); }
        }
        impl ::bitflags::__private::core::ops::BitAnd for InternalBitFlags {
            type Output = Self;
            /// The bitwise and (`&`) of the bits in two flags values.
            #[inline]
            fn bitand(self, other: Self) -> Self { self.intersection(other) }
        }
        impl ::bitflags::__private::core::ops::BitAndAssign for
            InternalBitFlags {
            /// The bitwise and (`&`) of the bits in two flags values.
            #[inline]
            fn bitand_assign(&mut self, other: Self) {
                *self =
                    Self::from_bits_retain(self.bits()).intersection(other);
            }
        }
        impl ::bitflags::__private::core::ops::Sub for InternalBitFlags {
            type Output = Self;
            /// The intersection of a source flags value with the complement of a target flags value (`&!`).
            ///
            /// This method is not equivalent to `self & !other` when `other` has unknown bits set.
            /// `difference` won't truncate `other`, but the `!` operator will.
            #[inline]
            fn sub(self, other: Self) -> Self { self.difference(other) }
        }
        impl ::bitflags::__private::core::ops::SubAssign for InternalBitFlags
            {
            /// The intersection of a source flags value with the complement of a target flags value (`&!`).
            ///
            /// This method is not equivalent to `self & !other` when `other` has unknown bits set.
            /// `difference` won't truncate `other`, but the `!` operator will.
            #[inline]
            fn sub_assign(&mut self, other: Self) { self.remove(other); }
        }
        impl ::bitflags::__private::core::ops::Not for InternalBitFlags {
            type Output = Self;
            /// The bitwise negation (`!`) of the bits in a flags value, truncating the result.
            #[inline]
            fn not(self) -> Self { self.complement() }
        }
        impl ::bitflags::__private::core::iter::Extend<InternalBitFlags> for
            InternalBitFlags {
            /// The bitwise or (`|`) of the bits in each flags value.
            fn extend<T: ::bitflags::__private::core::iter::IntoIterator<Item
                = Self>>(&mut self, iterator: T) {
                for item in iterator { self.insert(item) }
            }
        }
        impl ::bitflags::__private::core::iter::FromIterator<InternalBitFlags>
            for InternalBitFlags {
            /// The bitwise or (`|`) of the bits in each flags value.
            fn from_iter<T: ::bitflags::__private::core::iter::IntoIterator<Item
                = Self>>(iterator: T) -> Self {
                use ::bitflags::__private::core::iter::Extend;
                let mut result = Self::empty();
                result.extend(iterator);
                result
            }
        }
        impl InternalBitFlags {
            /// Yield a set of contained flags values.
            ///
            /// Each yielded flags value will correspond to a defined named flag. Any unknown bits
            /// will be yielded together as a final flags value.
            #[inline]
            pub const fn iter(&self) -> ::bitflags::iter::Iter<Restrictions> {
                ::bitflags::iter::Iter::__private_const_new(<Restrictions as
                        ::bitflags::Flags>::FLAGS,
                    Restrictions::from_bits_retain(self.bits()),
                    Restrictions::from_bits_retain(self.bits()))
            }
            /// Yield a set of contained named flags values.
            ///
            /// This method is like [`iter`](#method.iter), except only yields bits in contained named flags.
            /// Any unknown bits, or bits not corresponding to a contained flag will not be yielded.
            #[inline]
            pub const fn iter_names(&self)
                -> ::bitflags::iter::IterNames<Restrictions> {
                ::bitflags::iter::IterNames::__private_const_new(<Restrictions
                        as ::bitflags::Flags>::FLAGS,
                    Restrictions::from_bits_retain(self.bits()),
                    Restrictions::from_bits_retain(self.bits()))
            }
        }
        impl ::bitflags::__private::core::iter::IntoIterator for
            InternalBitFlags {
            type Item = Restrictions;
            type IntoIter = ::bitflags::iter::Iter<Restrictions>;
            fn into_iter(self) -> Self::IntoIter { self.iter() }
        }
        impl InternalBitFlags {
            /// Returns a mutable reference to the raw value of the flags currently stored.
            #[inline]
            pub fn bits_mut(&mut self) -> &mut u8 { &mut self.0 }
        }
        #[allow(dead_code, deprecated, unused_attributes)]
        impl Restrictions {
            /// Get a flags value with all bits unset.
            #[inline]
            pub const fn empty() -> Self { Self(InternalBitFlags::empty()) }
            /// Get a flags value with all known bits set.
            #[inline]
            pub const fn all() -> Self { Self(InternalBitFlags::all()) }
            /// Get the underlying bits value.
            ///
            /// The returned value is exactly the bits set in this flags value.
            #[inline]
            pub const fn bits(&self) -> u8 { self.0.bits() }
            /// Convert from a bits value.
            ///
            /// This method will return `None` if any unknown bits are set.
            #[inline]
            pub const fn from_bits(bits: u8)
                -> ::bitflags::__private::core::option::Option<Self> {
                match InternalBitFlags::from_bits(bits) {
                    ::bitflags::__private::core::option::Option::Some(bits) =>
                        ::bitflags::__private::core::option::Option::Some(Self(bits)),
                    ::bitflags::__private::core::option::Option::None =>
                        ::bitflags::__private::core::option::Option::None,
                }
            }
            /// Convert from a bits value, unsetting any unknown bits.
            #[inline]
            pub const fn from_bits_truncate(bits: u8) -> Self {
                Self(InternalBitFlags::from_bits_truncate(bits))
            }
            /// Convert from a bits value exactly.
            #[inline]
            pub const fn from_bits_retain(bits: u8) -> Self {
                Self(InternalBitFlags::from_bits_retain(bits))
            }
            /// Get a flags value with the bits of a flag with the given name set.
            ///
            /// This method will return `None` if `name` is empty or doesn't
            /// correspond to any named flag.
            #[inline]
            pub fn from_name(name: &str)
                -> ::bitflags::__private::core::option::Option<Self> {
                match InternalBitFlags::from_name(name) {
                    ::bitflags::__private::core::option::Option::Some(bits) =>
                        ::bitflags::__private::core::option::Option::Some(Self(bits)),
                    ::bitflags::__private::core::option::Option::None =>
                        ::bitflags::__private::core::option::Option::None,
                }
            }
            /// Whether all bits in this flags value are unset.
            #[inline]
            pub const fn is_empty(&self) -> bool { self.0.is_empty() }
            /// Whether all known bits in this flags value are set.
            #[inline]
            pub const fn is_all(&self) -> bool { self.0.is_all() }
            /// Whether any set bits in a source flags value are also set in a target flags value.
            #[inline]
            pub const fn intersects(&self, other: Self) -> bool {
                self.0.intersects(other.0)
            }
            /// Whether all set bits in a source flags value are also set in a target flags value.
            #[inline]
            pub const fn contains(&self, other: Self) -> bool {
                self.0.contains(other.0)
            }
            /// The bitwise or (`|`) of the bits in two flags values.
            #[inline]
            pub fn insert(&mut self, other: Self) { self.0.insert(other.0) }
            /// The intersection of a source flags value with the complement of a target flags
            /// value (`&!`).
            ///
            /// This method is not equivalent to `self & !other` when `other` has unknown bits set.
            /// `remove` won't truncate `other`, but the `!` operator will.
            #[inline]
            pub fn remove(&mut self, other: Self) { self.0.remove(other.0) }
            /// The bitwise exclusive-or (`^`) of the bits in two flags values.
            #[inline]
            pub fn toggle(&mut self, other: Self) { self.0.toggle(other.0) }
            /// Call `insert` when `value` is `true` or `remove` when `value` is `false`.
            #[inline]
            pub fn set(&mut self, other: Self, value: bool) {
                self.0.set(other.0, value)
            }
            /// The bitwise and (`&`) of the bits in two flags values.
            #[inline]
            #[must_use]
            pub const fn intersection(self, other: Self) -> Self {
                Self(self.0.intersection(other.0))
            }
            /// The bitwise or (`|`) of the bits in two flags values.
            #[inline]
            #[must_use]
            pub const fn union(self, other: Self) -> Self {
                Self(self.0.union(other.0))
            }
            /// The intersection of a source flags value with the complement of a target flags
            /// value (`&!`).
            ///
            /// This method is not equivalent to `self & !other` when `other` has unknown bits set.
            /// `difference` won't truncate `other`, but the `!` operator will.
            #[inline]
            #[must_use]
            pub const fn difference(self, other: Self) -> Self {
                Self(self.0.difference(other.0))
            }
            /// The bitwise exclusive-or (`^`) of the bits in two flags values.
            #[inline]
            #[must_use]
            pub const fn symmetric_difference(self, other: Self) -> Self {
                Self(self.0.symmetric_difference(other.0))
            }
            /// The bitwise negation (`!`) of the bits in a flags value, truncating the result.
            #[inline]
            #[must_use]
            pub const fn complement(self) -> Self {
                Self(self.0.complement())
            }
        }
        impl ::bitflags::__private::core::fmt::Binary for Restrictions {
            fn fmt(&self, f: &mut ::bitflags::__private::core::fmt::Formatter)
                -> ::bitflags::__private::core::fmt::Result {
                let inner = self.0;
                ::bitflags::__private::core::fmt::Binary::fmt(&inner, f)
            }
        }
        impl ::bitflags::__private::core::fmt::Octal for Restrictions {
            fn fmt(&self, f: &mut ::bitflags::__private::core::fmt::Formatter)
                -> ::bitflags::__private::core::fmt::Result {
                let inner = self.0;
                ::bitflags::__private::core::fmt::Octal::fmt(&inner, f)
            }
        }
        impl ::bitflags::__private::core::fmt::LowerHex for Restrictions {
            fn fmt(&self, f: &mut ::bitflags::__private::core::fmt::Formatter)
                -> ::bitflags::__private::core::fmt::Result {
                let inner = self.0;
                ::bitflags::__private::core::fmt::LowerHex::fmt(&inner, f)
            }
        }
        impl ::bitflags::__private::core::fmt::UpperHex for Restrictions {
            fn fmt(&self, f: &mut ::bitflags::__private::core::fmt::Formatter)
                -> ::bitflags::__private::core::fmt::Result {
                let inner = self.0;
                ::bitflags::__private::core::fmt::UpperHex::fmt(&inner, f)
            }
        }
        impl ::bitflags::__private::core::ops::BitOr for Restrictions {
            type Output = Self;
            /// The bitwise or (`|`) of the bits in two flags values.
            #[inline]
            fn bitor(self, other: Restrictions) -> Self { self.union(other) }
        }
        impl ::bitflags::__private::core::ops::BitOrAssign for Restrictions {
            /// The bitwise or (`|`) of the bits in two flags values.
            #[inline]
            fn bitor_assign(&mut self, other: Self) { self.insert(other); }
        }
        impl ::bitflags::__private::core::ops::BitXor for Restrictions {
            type Output = Self;
            /// The bitwise exclusive-or (`^`) of the bits in two flags values.
            #[inline]
            fn bitxor(self, other: Self) -> Self {
                self.symmetric_difference(other)
            }
        }
        impl ::bitflags::__private::core::ops::BitXorAssign for Restrictions {
            /// The bitwise exclusive-or (`^`) of the bits in two flags values.
            #[inline]
            fn bitxor_assign(&mut self, other: Self) { self.toggle(other); }
        }
        impl ::bitflags::__private::core::ops::BitAnd for Restrictions {
            type Output = Self;
            /// The bitwise and (`&`) of the bits in two flags values.
            #[inline]
            fn bitand(self, other: Self) -> Self { self.intersection(other) }
        }
        impl ::bitflags::__private::core::ops::BitAndAssign for Restrictions {
            /// The bitwise and (`&`) of the bits in two flags values.
            #[inline]
            fn bitand_assign(&mut self, other: Self) {
                *self =
                    Self::from_bits_retain(self.bits()).intersection(other);
            }
        }
        impl ::bitflags::__private::core::ops::Sub for Restrictions {
            type Output = Self;
            /// The intersection of a source flags value with the complement of a target flags value (`&!`).
            ///
            /// This method is not equivalent to `self & !other` when `other` has unknown bits set.
            /// `difference` won't truncate `other`, but the `!` operator will.
            #[inline]
            fn sub(self, other: Self) -> Self { self.difference(other) }
        }
        impl ::bitflags::__private::core::ops::SubAssign for Restrictions {
            /// The intersection of a source flags value with the complement of a target flags value (`&!`).
            ///
            /// This method is not equivalent to `self & !other` when `other` has unknown bits set.
            /// `difference` won't truncate `other`, but the `!` operator will.
            #[inline]
            fn sub_assign(&mut self, other: Self) { self.remove(other); }
        }
        impl ::bitflags::__private::core::ops::Not for Restrictions {
            type Output = Self;
            /// The bitwise negation (`!`) of the bits in a flags value, truncating the result.
            #[inline]
            fn not(self) -> Self { self.complement() }
        }
        impl ::bitflags::__private::core::iter::Extend<Restrictions> for
            Restrictions {
            /// The bitwise or (`|`) of the bits in each flags value.
            fn extend<T: ::bitflags::__private::core::iter::IntoIterator<Item
                = Self>>(&mut self, iterator: T) {
                for item in iterator { self.insert(item) }
            }
        }
        impl ::bitflags::__private::core::iter::FromIterator<Restrictions> for
            Restrictions {
            /// The bitwise or (`|`) of the bits in each flags value.
            fn from_iter<T: ::bitflags::__private::core::iter::IntoIterator<Item
                = Self>>(iterator: T) -> Self {
                use ::bitflags::__private::core::iter::Extend;
                let mut result = Self::empty();
                result.extend(iterator);
                result
            }
        }
        impl Restrictions {
            /// Yield a set of contained flags values.
            ///
            /// Each yielded flags value will correspond to a defined named flag. Any unknown bits
            /// will be yielded together as a final flags value.
            #[inline]
            pub const fn iter(&self) -> ::bitflags::iter::Iter<Restrictions> {
                ::bitflags::iter::Iter::__private_const_new(<Restrictions as
                        ::bitflags::Flags>::FLAGS,
                    Restrictions::from_bits_retain(self.bits()),
                    Restrictions::from_bits_retain(self.bits()))
            }
            /// Yield a set of contained named flags values.
            ///
            /// This method is like [`iter`](#method.iter), except only yields bits in contained named flags.
            /// Any unknown bits, or bits not corresponding to a contained flag will not be yielded.
            #[inline]
            pub const fn iter_names(&self)
                -> ::bitflags::iter::IterNames<Restrictions> {
                ::bitflags::iter::IterNames::__private_const_new(<Restrictions
                        as ::bitflags::Flags>::FLAGS,
                    Restrictions::from_bits_retain(self.bits()),
                    Restrictions::from_bits_retain(self.bits()))
            }
        }
        impl ::bitflags::__private::core::iter::IntoIterator for Restrictions
            {
            type Item = Restrictions;
            type IntoIter = ::bitflags::iter::Iter<Restrictions>;
            fn into_iter(self) -> Self::IntoIter { self.iter() }
        }
    };Clone, #[automatically_derived]
impl ::core::marker::Copy for Restrictions { }Copy, #[automatically_derived]
impl ::core::fmt::Debug for Restrictions {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::debug_tuple_field1_finish(f, "Restrictions",
            &&self.0)
    }
}Debug)]
76    struct Restrictions: u8 {
77        /// Restricts expressions for use in statement position.
78        ///
79        /// When expressions are used in various places, like statements or
80        /// match arms, this is used to stop parsing once certain tokens are
81        /// reached.
82        ///
83        /// For example, `if true {} & 1` with `STMT_EXPR` in effect is parsed
84        /// as two separate expression statements (`if` and a reference to 1).
85        /// Otherwise it is parsed as a bitwise AND where `if` is on the left
86        /// and 1 is on the right.
87        const STMT_EXPR         = 1 << 0;
88        /// Do not allow struct literals.
89        ///
90        /// There are several places in the grammar where we don't want to
91        /// allow struct literals because they can require lookahead, or
92        /// otherwise could be ambiguous or cause confusion. For example,
93        /// `if Foo {} {}` isn't clear if it is `Foo{}` struct literal, or
94        /// just `Foo` is the condition, followed by a consequent block,
95        /// followed by an empty block.
96        ///
97        /// See [RFC 92](https://rust-lang.github.io/rfcs/0092-struct-grammar.html).
98        const NO_STRUCT_LITERAL = 1 << 1;
99        /// Used to provide better error messages for const generic arguments.
100        ///
101        /// An un-braced const generic argument is limited to a very small
102        /// subset of expressions. This is used to detect the situation where
103        /// an expression outside of that subset is used, and to suggest to
104        /// wrap the expression in braces.
105        const CONST_EXPR        = 1 << 2;
106        /// Allows `let` expressions.
107        ///
108        /// `let pattern = scrutinee` is parsed as an expression, but it is
109        /// only allowed in let chains (`if` and `while` conditions).
110        /// Otherwise it is not an expression (note that `let` in statement
111        /// positions is treated as a `StmtKind::Let` statement, which has a
112        /// slightly different grammar).
113        const ALLOW_LET         = 1 << 3;
114        /// Used to detect a missing `=>` in a match guard.
115        ///
116        /// This is used for error handling in a match guard to give a better
117        /// error message if the `=>` is missing. It is set when parsing the
118        /// guard expression.
119        const IN_IF_GUARD       = 1 << 4;
120        /// Used to detect the incorrect use of expressions in patterns.
121        ///
122        /// This is used for error handling while parsing a pattern. During
123        /// error recovery, this will be set to try to parse the pattern as an
124        /// expression, but halts parsing the expression when reaching certain
125        /// tokens like `=`.
126        const IS_PAT            = 1 << 5;
127    }
128}
129
130#[derive(#[automatically_derived]
impl ::core::clone::Clone for SemiColonMode {
    #[inline]
    fn clone(&self) -> SemiColonMode { *self }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for SemiColonMode { }Copy, #[automatically_derived]
impl ::core::cmp::PartialEq for SemiColonMode {
    #[inline]
    fn eq(&self, other: &SemiColonMode) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr
    }
}PartialEq, #[automatically_derived]
impl ::core::fmt::Debug for SemiColonMode {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                SemiColonMode::Break => "Break",
                SemiColonMode::Ignore => "Ignore",
                SemiColonMode::Comma => "Comma",
            })
    }
}Debug)]
131enum SemiColonMode {
132    Break,
133    Ignore,
134    Comma,
135}
136
137#[derive(#[automatically_derived]
impl ::core::clone::Clone for BlockMode {
    #[inline]
    fn clone(&self) -> BlockMode { *self }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for BlockMode { }Copy, #[automatically_derived]
impl ::core::cmp::PartialEq for BlockMode {
    #[inline]
    fn eq(&self, other: &BlockMode) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr
    }
}PartialEq, #[automatically_derived]
impl ::core::fmt::Debug for BlockMode {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                BlockMode::Break => "Break",
                BlockMode::Ignore => "Ignore",
            })
    }
}Debug)]
138enum BlockMode {
139    Break,
140    Ignore,
141}
142
143/// Whether or not we should force collection of tokens for an AST node,
144/// regardless of whether or not it has attributes
145#[derive(#[automatically_derived]
impl ::core::clone::Clone for ForceCollect {
    #[inline]
    fn clone(&self) -> ForceCollect { *self }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for ForceCollect { }Copy, #[automatically_derived]
impl ::core::fmt::Debug for ForceCollect {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                ForceCollect::Yes => "Yes",
                ForceCollect::No => "No",
            })
    }
}Debug, #[automatically_derived]
impl ::core::cmp::PartialEq for ForceCollect {
    #[inline]
    fn eq(&self, other: &ForceCollect) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr
    }
}PartialEq)]
146pub enum ForceCollect {
147    Yes,
148    No,
149}
150
151/// Whether to accept `const { ... }` as a shorthand for `const _: () = const { ... }`.
152#[derive(#[automatically_derived]
impl ::core::clone::Clone for AllowConstBlockItems {
    #[inline]
    fn clone(&self) -> AllowConstBlockItems { *self }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for AllowConstBlockItems { }Copy, #[automatically_derived]
impl ::core::fmt::Debug for AllowConstBlockItems {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                AllowConstBlockItems::Yes => "Yes",
                AllowConstBlockItems::No => "No",
                AllowConstBlockItems::DoesNotMatter => "DoesNotMatter",
            })
    }
}Debug, #[automatically_derived]
impl ::core::cmp::PartialEq for AllowConstBlockItems {
    #[inline]
    fn eq(&self, other: &AllowConstBlockItems) -> bool {
        let __self_discr = ::core::intrinsics::discriminant_value(self);
        let __arg1_discr = ::core::intrinsics::discriminant_value(other);
        __self_discr == __arg1_discr
    }
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for AllowConstBlockItems {
    #[inline]
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {}
}Eq)]
153pub enum AllowConstBlockItems {
154    Yes,
155    No,
156    DoesNotMatter,
157}
158
159/// If the next tokens are ill-formed `$ty::` recover them as `<$ty>::`.
160#[macro_export]
161macro_rules! maybe_recover_from_interpolated_ty_qpath {
162    ($self: expr, $allow_qpath_recovery: expr) => {
163        if $allow_qpath_recovery
164            && $self.may_recover()
165            && let Some(mv_kind) = $self.token.is_metavar_seq()
166            && let token::MetaVarKind::Ty { .. } = mv_kind
167            && $self.check_noexpect_past_close_delim(&token::PathSep)
168        {
169            // Reparse the type, then move to recovery.
170            let ty = $self
171                .eat_metavar_seq(mv_kind, |this| this.parse_ty_no_question_mark_recover())
172                .expect("metavar seq ty");
173
174            return $self.maybe_recover_from_bad_qpath_stage_2($self.prev_token.span, ty);
175        }
176    };
177}
178
179#[derive(#[automatically_derived]
impl ::core::clone::Clone for Recovery {
    #[inline]
    fn clone(&self) -> Recovery { *self }
}Clone, #[automatically_derived]
impl ::core::marker::Copy for Recovery { }Copy, #[automatically_derived]
impl ::core::fmt::Debug for Recovery {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                Recovery::Allowed => "Allowed",
                Recovery::Forbidden => "Forbidden",
            })
    }
}Debug)]
180pub enum Recovery {
181    Allowed,
182    Forbidden,
183}
184
185#[derive(#[automatically_derived]
impl<'a> ::core::clone::Clone for Parser<'a> {
    #[inline]
    fn clone(&self) -> Parser<'a> {
        Parser {
            psess: ::core::clone::Clone::clone(&self.psess),
            token: ::core::clone::Clone::clone(&self.token),
            token_spacing: ::core::clone::Clone::clone(&self.token_spacing),
            prev_token: ::core::clone::Clone::clone(&self.prev_token),
            capture_cfg: ::core::clone::Clone::clone(&self.capture_cfg),
            restrictions: ::core::clone::Clone::clone(&self.restrictions),
            expected_token_types: ::core::clone::Clone::clone(&self.expected_token_types),
            token_cursor: ::core::clone::Clone::clone(&self.token_cursor),
            num_bump_calls: ::core::clone::Clone::clone(&self.num_bump_calls),
            break_last_token: ::core::clone::Clone::clone(&self.break_last_token),
            unmatched_angle_bracket_count: ::core::clone::Clone::clone(&self.unmatched_angle_bracket_count),
            angle_bracket_nesting: ::core::clone::Clone::clone(&self.angle_bracket_nesting),
            parsing_generics: ::core::clone::Clone::clone(&self.parsing_generics),
            last_unexpected_token_span: ::core::clone::Clone::clone(&self.last_unexpected_token_span),
            subparser_name: ::core::clone::Clone::clone(&self.subparser_name),
            capture_state: ::core::clone::Clone::clone(&self.capture_state),
            current_closure: ::core::clone::Clone::clone(&self.current_closure),
            recovery: ::core::clone::Clone::clone(&self.recovery),
            in_fn_body: ::core::clone::Clone::clone(&self.in_fn_body),
            fn_body_missing_semi_guar: ::core::clone::Clone::clone(&self.fn_body_missing_semi_guar),
        }
    }
}Clone)]
186pub struct Parser<'a> {
187    pub psess: &'a ParseSess,
188    /// The current token.
189    pub token: Token = Token::dummy(),
190    /// The spacing for the current token.
191    token_spacing: Spacing = Spacing::Alone,
192    /// The previous token.
193    pub prev_token: Token = Token::dummy(),
194    pub capture_cfg: bool = false,
195    restrictions: Restrictions = Restrictions::empty(),
196    expected_token_types: TokenTypeSet = TokenTypeSet::new(),
197    token_cursor: TokenCursor,
198    // The number of calls to `bump`, i.e. the position in the token stream.
199    num_bump_calls: u32 = 0,
200    // During parsing we may sometimes need to "unglue" a glued token into two
201    // or three component tokens (e.g. `>>` into `>` and `>`, or `>>=` into `>`
202    // and `>` and `=`), so the parser can consume them one at a time. This
203    // process bypasses the normal capturing mechanism (e.g. `num_bump_calls`
204    // will not be incremented), since the "unglued" tokens due not exist in
205    // the original `TokenStream`.
206    //
207    // If we end up consuming all the component tokens, this is not an issue,
208    // because we'll end up capturing the single "glued" token.
209    //
210    // However, sometimes we may want to capture not all of the original
211    // token. For example, capturing the `Vec<u8>` in `Option<Vec<u8>>`
212    // requires us to unglue the trailing `>>` token. The `break_last_token`
213    // field is used to track these tokens. They get appended to the captured
214    // stream when we evaluate a `LazyAttrTokenStream`.
215    //
216    // This value is always 0, 1, or 2. It can only reach 2 when splitting
217    // `>>=` or `<<=`.
218    break_last_token: u32 = 0,
219    /// This field is used to keep track of how many left angle brackets we have seen. This is
220    /// required in order to detect extra leading left angle brackets (`<` characters) and error
221    /// appropriately.
222    ///
223    /// See the comments in the `parse_path_segment` function for more details.
224    unmatched_angle_bracket_count: u16 = 0,
225    angle_bracket_nesting: u16 = 0,
226    /// Keep track of when we're within `<...>` for proper error recovery.
227    parsing_generics: bool = false,
228
229    last_unexpected_token_span: Option<Span> = None,
230    /// If present, this `Parser` is not parsing Rust code but rather a macro call.
231    subparser_name: Option<&'static str>,
232    capture_state: CaptureState,
233    /// This allows us to recover when the user forget to add braces around
234    /// multiple statements in the closure body.
235    current_closure: Option<ClosureSpans> = None,
236    /// Whether the parser is allowed to do recovery.
237    /// This is disabled when parsing macro arguments, see #103534
238    recovery: Recovery = Recovery::Allowed,
239    /// Whether we're parsing a function body.
240    in_fn_body: bool = false,
241    /// Whether we have detected a missing semicolon in function body.
242    pub fn_body_missing_semi_guar: Option<ErrorGuaranteed> = None,
243}
244
245// This type is used a lot, e.g. it's cloned when matching many declarative macro rules with
246// nonterminals. Make sure it doesn't unintentionally get bigger. We only check a few arches
247// though, because `TokenTypeSet(u128)` alignment varies on others, changing the total size.
248#[cfg(all(target_pointer_width = "64", any(target_arch = "aarch64", target_arch = "x86_64")))]
249const _: [(); 288] = [(); ::std::mem::size_of::<Parser<'_>>()];rustc_data_structures::static_assert_size!(Parser<'_>, 288);
250
251/// Stores span information about a closure.
252#[derive(#[automatically_derived]
impl ::core::clone::Clone for ClosureSpans {
    #[inline]
    fn clone(&self) -> ClosureSpans {
        ClosureSpans {
            whole_closure: ::core::clone::Clone::clone(&self.whole_closure),
            closing_pipe: ::core::clone::Clone::clone(&self.closing_pipe),
            body: ::core::clone::Clone::clone(&self.body),
        }
    }
}Clone, #[automatically_derived]
impl ::core::fmt::Debug for ClosureSpans {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::debug_struct_field3_finish(f, "ClosureSpans",
            "whole_closure", &self.whole_closure, "closing_pipe",
            &self.closing_pipe, "body", &&self.body)
    }
}Debug)]
253struct ClosureSpans {
254    whole_closure: Span,
255    closing_pipe: Span,
256    body: Span,
257}
258
259/// Controls how we capture tokens. Capturing can be expensive,
260/// so we try to avoid performing capturing in cases where
261/// we will never need an `AttrTokenStream`.
262#[derive(#[automatically_derived]
impl ::core::marker::Copy for Capturing { }Copy, #[automatically_derived]
impl ::core::clone::Clone for Capturing {
    #[inline]
    fn clone(&self) -> Capturing { *self }
}Clone, #[automatically_derived]
impl ::core::fmt::Debug for Capturing {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self { Capturing::No => "No", Capturing::Yes => "Yes", })
    }
}Debug)]
263enum Capturing {
264    /// We aren't performing any capturing - this is the default mode.
265    No,
266    /// We are capturing tokens
267    Yes,
268}
269
270// This state is used by `Parser::collect_tokens`.
271#[derive(#[automatically_derived]
impl ::core::clone::Clone for CaptureState {
    #[inline]
    fn clone(&self) -> CaptureState {
        CaptureState {
            capturing: ::core::clone::Clone::clone(&self.capturing),
            parser_replacements: ::core::clone::Clone::clone(&self.parser_replacements),
            inner_attr_parser_ranges: ::core::clone::Clone::clone(&self.inner_attr_parser_ranges),
            seen_attrs: ::core::clone::Clone::clone(&self.seen_attrs),
        }
    }
}Clone, #[automatically_derived]
impl ::core::fmt::Debug for CaptureState {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::debug_struct_field4_finish(f, "CaptureState",
            "capturing", &self.capturing, "parser_replacements",
            &self.parser_replacements, "inner_attr_parser_ranges",
            &self.inner_attr_parser_ranges, "seen_attrs", &&self.seen_attrs)
    }
}Debug)]
272struct CaptureState {
273    capturing: Capturing,
274    parser_replacements: Vec<ParserReplacement>,
275    inner_attr_parser_ranges: FxHashMap<AttrId, ParserRange>,
276    // `IntervalSet` is good for perf because attrs are mostly added to this
277    // set in contiguous ranges.
278    seen_attrs: IntervalSet<AttrId>,
279}
280
281/// A sequence separator.
282#[derive(#[automatically_derived]
impl ::core::fmt::Debug for SeqSep {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::debug_struct_field2_finish(f, "SeqSep", "sep",
            &self.sep, "trailing_sep_allowed", &&self.trailing_sep_allowed)
    }
}Debug)]
283struct SeqSep {
284    /// The separator token.
285    sep: Option<ExpTokenPair>,
286    /// `true` if a trailing separator is allowed.
287    trailing_sep_allowed: bool,
288}
289
290impl SeqSep {
291    fn trailing_allowed(sep: ExpTokenPair) -> SeqSep {
292        SeqSep { sep: Some(sep), trailing_sep_allowed: true }
293    }
294
295    fn none() -> SeqSep {
296        SeqSep { sep: None, trailing_sep_allowed: false }
297    }
298}
299
300#[derive(#[automatically_derived]
impl ::core::fmt::Debug for FollowedByType {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self {
                FollowedByType::Yes => "Yes",
                FollowedByType::No => "No",
            })
    }
}Debug)]
301pub enum FollowedByType {
302    Yes,
303    No,
304}
305
306#[derive(#[automatically_derived]
impl ::core::marker::Copy for Trailing { }Copy, #[automatically_derived]
impl ::core::clone::Clone for Trailing {
    #[inline]
    fn clone(&self) -> Trailing { *self }
}Clone, #[automatically_derived]
impl ::core::fmt::Debug for Trailing {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f,
            match self { Trailing::No => "No", Trailing::Yes => "Yes", })
    }
}Debug)]
307pub enum Trailing {
308    No,
309    Yes,
310}
311
312impl From<bool> for Trailing {
313    fn from(b: bool) -> Trailing {
314        if b { Trailing::Yes } else { Trailing::No }
315    }
316}
317
318pub fn token_descr(token: &Token) -> String {
319    let s = pprust::token_to_string(token).to_string();
320
321    match (TokenDescription::from_token(token), &token.kind) {
322        (Some(TokenDescription::ReservedIdentifier), _) => ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("reserved identifier `{0}`", s))
    })format!("reserved identifier `{s}`"),
323        (Some(TokenDescription::Keyword), _) => ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("keyword `{0}`", s))
    })format!("keyword `{s}`"),
324        (Some(TokenDescription::ReservedKeyword), _) => ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("reserved keyword `{0}`", s))
    })format!("reserved keyword `{s}`"),
325        (Some(TokenDescription::DocComment), _) => ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("doc comment `{0}`", s))
    })format!("doc comment `{s}`"),
326        // Deliberately doesn't print `s`, which is empty.
327        (Some(TokenDescription::MetaVar(kind)), _) => ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}` metavariable", kind))
    })format!("`{kind}` metavariable"),
328        (None, TokenKind::NtIdent(..)) => ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("identifier `{0}`", s))
    })format!("identifier `{s}`"),
329        (None, TokenKind::NtLifetime(..)) => ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("lifetime `{0}`", s))
    })format!("lifetime `{s}`"),
330        (None, _) => ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("`{0}`", s))
    })format!("`{s}`"),
331    }
332}
333
334impl<'a> Parser<'a> {
335    pub fn new(
336        psess: &'a ParseSess,
337        stream: TokenStream,
338        subparser_name: Option<&'static str>,
339    ) -> Self {
340        let mut parser = Parser {
341            psess,
342            token_cursor: TokenCursor { curr: TokenTreeCursor::new(stream), stack: Vec::new() },
343            subparser_name,
344            capture_state: CaptureState {
345                capturing: Capturing::No,
346                parser_replacements: Vec::new(),
347                inner_attr_parser_ranges: Default::default(),
348                seen_attrs: IntervalSet::new(u32::MAX as usize),
349            },
350            ..
351        };
352
353        // Make parser point to the first token.
354        parser.bump();
355
356        // Change this from 1 back to 0 after the bump. This eases debugging of
357        // `Parser::collect_tokens` because 0-indexed token positions are nicer
358        // than 1-indexed token positions.
359        parser.num_bump_calls = 0;
360
361        parser
362    }
363
364    #[inline]
365    pub fn recovery(mut self, recovery: Recovery) -> Self {
366        self.recovery = recovery;
367        self
368    }
369
370    #[inline]
371    fn with_recovery<T>(&mut self, recovery: Recovery, f: impl FnOnce(&mut Self) -> T) -> T {
372        let old = mem::replace(&mut self.recovery, recovery);
373        let res = f(self);
374        self.recovery = old;
375        res
376    }
377
378    /// Whether the parser is allowed to recover from broken code.
379    ///
380    /// If this returns false, recovering broken code into valid code (especially if this recovery does lookahead)
381    /// is not allowed. All recovery done by the parser must be gated behind this check.
382    ///
383    /// Technically, this only needs to restrict eager recovery by doing lookahead at more tokens.
384    /// But making the distinction is very subtle, and simply forbidding all recovery is a lot simpler to uphold.
385    #[inline]
386    fn may_recover(&self) -> bool {
387        #[allow(non_exhaustive_omitted_patterns)] match self.recovery {
    Recovery::Allowed => true,
    _ => false,
}matches!(self.recovery, Recovery::Allowed)
388    }
389
390    /// Version of [`unexpected`](Parser::unexpected) that "returns" any type in the `Ok`
391    /// (both those functions never return "Ok", and so can lie like that in the type).
392    pub fn unexpected_any<T>(&mut self) -> PResult<'a, T> {
393        match self.expect_one_of(&[], &[]) {
394            Err(e) => Err(e),
395            // We can get `Ok(true)` from `recover_closing_delimiter`
396            // which is called in `expected_one_of_not_found`.
397            Ok(_) => FatalError.raise(),
398        }
399    }
400
401    pub fn unexpected(&mut self) -> PResult<'a, ()> {
402        self.unexpected_any()
403    }
404
405    /// Expects and consumes the token `t`. Signals an error if the next token is not `t`.
406    pub fn expect(&mut self, exp: ExpTokenPair) -> PResult<'a, Recovered> {
407        if self.expected_token_types.is_empty() {
408            if self.token == exp.tok {
409                self.bump();
410                Ok(Recovered::No)
411            } else {
412                self.unexpected_try_recover(&exp.tok)
413            }
414        } else {
415            self.expect_one_of(slice::from_ref(&exp), &[])
416        }
417    }
418
419    /// Expect next token to be edible or inedible token. If edible,
420    /// then consume it; if inedible, then return without consuming
421    /// anything. Signal a fatal error if next token is unexpected.
422    fn expect_one_of(
423        &mut self,
424        edible: &[ExpTokenPair],
425        inedible: &[ExpTokenPair],
426    ) -> PResult<'a, Recovered> {
427        if edible.iter().any(|exp| exp.tok == self.token.kind) {
428            self.bump();
429            Ok(Recovered::No)
430        } else if inedible.iter().any(|exp| exp.tok == self.token.kind) {
431            // leave it in the input
432            Ok(Recovered::No)
433        } else if self.token != token::Eof
434            && self.last_unexpected_token_span == Some(self.token.span)
435        {
436            FatalError.raise();
437        } else {
438            self.expected_one_of_not_found(edible, inedible)
439                .map(|error_guaranteed| Recovered::Yes(error_guaranteed))
440        }
441    }
442
443    // Public for rustfmt usage.
444    pub fn parse_ident(&mut self) -> PResult<'a, Ident> {
445        self.parse_ident_common(self.may_recover())
446    }
447
448    pub(crate) fn parse_ident_common(&mut self, recover: bool) -> PResult<'a, Ident> {
449        let (ident, is_raw) = self.ident_or_err(recover)?;
450
451        if is_raw == IdentIsRaw::No && ident.is_reserved() {
452            let err = self.expected_ident_found_err();
453            if recover {
454                err.emit();
455            } else {
456                return Err(err);
457            }
458        }
459        self.bump();
460        Ok(ident)
461    }
462
463    fn ident_or_err(&mut self, recover: bool) -> PResult<'a, (Ident, IdentIsRaw)> {
464        match self.token.ident() {
465            Some(ident) => Ok(ident),
466            None => self.expected_ident_found(recover),
467        }
468    }
469
470    /// Checks if the next token is `tok`, and returns `true` if so.
471    ///
472    /// This method will automatically add `tok` to `expected_token_types` if `tok` is not
473    /// encountered.
474    #[inline]
475    pub fn check(&mut self, exp: ExpTokenPair) -> bool {
476        let is_present = self.token == exp.tok;
477        if !is_present {
478            self.expected_token_types.insert(exp.token_type);
479        }
480        is_present
481    }
482
483    #[inline]
484    #[must_use]
485    fn check_noexpect(&self, tok: &TokenKind) -> bool {
486        self.token == *tok
487    }
488
489    // Check the first token after the delimiter that closes the current
490    // delimited sequence. (Panics if used in the outermost token stream, which
491    // has no delimiters.) It uses a clone of the relevant tree cursor to skip
492    // past the entire `TokenTree::Delimited` in a single step, avoiding the
493    // need for unbounded token lookahead.
494    //
495    // Primarily used when `self.token` matches `OpenInvisible(_))`, to look
496    // ahead through the current metavar expansion.
497    fn check_noexpect_past_close_delim(&self, tok: &TokenKind) -> bool {
498        let mut tree_cursor = self.token_cursor.stack.last().unwrap().clone();
499        tree_cursor.bump();
500        #[allow(non_exhaustive_omitted_patterns)] match tree_cursor.curr() {
    Some(TokenTree::Token(token::Token { kind, .. }, _)) if kind == tok =>
        true,
    _ => false,
}matches!(
501            tree_cursor.curr(),
502            Some(TokenTree::Token(token::Token { kind, .. }, _)) if kind == tok
503        )
504    }
505
506    /// Consumes a token 'tok' if it exists. Returns whether the given token was present.
507    ///
508    /// the main purpose of this function is to reduce the cluttering of the suggestions list
509    /// which using the normal eat method could introduce in some cases.
510    #[inline]
511    #[must_use]
512    fn eat_noexpect(&mut self, tok: &TokenKind) -> bool {
513        let is_present = self.check_noexpect(tok);
514        if is_present {
515            self.bump()
516        }
517        is_present
518    }
519
520    /// Consumes a token 'tok' if it exists. Returns whether the given token was present.
521    #[inline]
522    #[must_use]
523    pub fn eat(&mut self, exp: ExpTokenPair) -> bool {
524        let is_present = self.check(exp);
525        if is_present {
526            self.bump()
527        }
528        is_present
529    }
530
531    /// If the next token is the given keyword, returns `true` without eating it.
532    /// An expectation is also added for diagnostics purposes.
533    #[inline]
534    #[must_use]
535    fn check_keyword(&mut self, exp: ExpKeywordPair) -> bool {
536        let is_keyword = self.token.is_keyword(exp.kw);
537        if !is_keyword {
538            self.expected_token_types.insert(exp.token_type);
539        }
540        is_keyword
541    }
542
543    #[inline]
544    #[must_use]
545    fn check_keyword_case(&mut self, exp: ExpKeywordPair, case: Case) -> bool {
546        if self.check_keyword(exp) {
547            true
548        } else if case == Case::Insensitive
549            && let Some((ident, IdentIsRaw::No)) = self.token.ident()
550            // Do an ASCII case-insensitive match, because all keywords are ASCII.
551            && ident.as_str().eq_ignore_ascii_case(exp.kw.as_str())
552        {
553            true
554        } else {
555            false
556        }
557    }
558
559    /// If the next token is the given keyword, eats it and returns `true`.
560    /// Otherwise, returns `false`. An expectation is also added for diagnostics purposes.
561    // Public for rustc_builtin_macros and rustfmt usage.
562    #[inline]
563    #[must_use]
564    pub fn eat_keyword(&mut self, exp: ExpKeywordPair) -> bool {
565        let is_keyword = self.check_keyword(exp);
566        if is_keyword {
567            self.bump();
568        }
569        is_keyword
570    }
571
572    /// Eats a keyword, optionally ignoring the case.
573    /// If the case differs (and is ignored) an error is issued.
574    /// This is useful for recovery.
575    #[inline]
576    #[must_use]
577    fn eat_keyword_case(&mut self, exp: ExpKeywordPair, case: Case) -> bool {
578        if self.eat_keyword(exp) {
579            true
580        } else if case == Case::Insensitive
581            && let Some((ident, IdentIsRaw::No)) = self.token.ident()
582            // Do an ASCII case-insensitive match, because all keywords are ASCII.
583            && ident.as_str().eq_ignore_ascii_case(exp.kw.as_str())
584        {
585            let kw = exp.kw.as_str();
586            let is_upper = kw.chars().all(char::is_uppercase);
587            let is_lower = kw.chars().all(char::is_lowercase);
588
589            let case = match (is_upper, is_lower) {
590                (true, true) => {
591                    {
    ::core::panicking::panic_fmt(format_args!("internal error: entered unreachable code: {0}",
            format_args!("keyword that is both fully upper- and fully lowercase")));
}unreachable!("keyword that is both fully upper- and fully lowercase")
592                }
593                (true, false) => errors::Case::Upper,
594                (false, true) => errors::Case::Lower,
595                (false, false) => errors::Case::Mixed,
596            };
597
598            self.dcx().emit_err(errors::KwBadCase { span: ident.span, kw, case });
599            self.bump();
600            true
601        } else {
602            false
603        }
604    }
605
606    /// If the next token is the given keyword, eats it and returns `true`.
607    /// Otherwise, returns `false`. No expectation is added.
608    // Public for rustc_builtin_macros usage.
609    #[inline]
610    #[must_use]
611    pub fn eat_keyword_noexpect(&mut self, kw: Symbol) -> bool {
612        let is_keyword = self.token.is_keyword(kw);
613        if is_keyword {
614            self.bump();
615        }
616        is_keyword
617    }
618
619    /// If the given word is not a keyword, signals an error.
620    /// If the next token is not the given word, signals an error.
621    /// Otherwise, eats it.
622    pub fn expect_keyword(&mut self, exp: ExpKeywordPair) -> PResult<'a, ()> {
623        if !self.eat_keyword(exp) { self.unexpected() } else { Ok(()) }
624    }
625
626    /// Consume a sequence produced by a metavar expansion, if present.
627    pub fn eat_metavar_seq<T>(
628        &mut self,
629        mv_kind: MetaVarKind,
630        f: impl FnMut(&mut Parser<'a>) -> PResult<'a, T>,
631    ) -> Option<T> {
632        self.eat_metavar_seq_with_matcher(|mvk| mvk == mv_kind, f)
633    }
634
635    /// A slightly more general form of `eat_metavar_seq`, for use with the
636    /// `MetaVarKind` variants that have parameters, where an exact match isn't
637    /// desired.
638    fn eat_metavar_seq_with_matcher<T>(
639        &mut self,
640        match_mv_kind: impl Fn(MetaVarKind) -> bool,
641        mut f: impl FnMut(&mut Parser<'a>) -> PResult<'a, T>,
642    ) -> Option<T> {
643        if let token::OpenInvisible(InvisibleOrigin::MetaVar(mv_kind)) = self.token.kind
644            && match_mv_kind(mv_kind)
645        {
646            self.bump();
647
648            // Recovery is disabled when parsing macro arguments, so it must
649            // also be disabled when reparsing pasted macro arguments,
650            // otherwise we get inconsistent results (e.g. #137874).
651            let res = self.with_recovery(Recovery::Forbidden, |this| f(this));
652
653            let res = match res {
654                Ok(res) => res,
655                Err(err) => {
656                    // This can occur in unusual error cases, e.g. #139445.
657                    err.delay_as_bug();
658                    return None;
659                }
660            };
661
662            if let token::CloseInvisible(InvisibleOrigin::MetaVar(mv_kind)) = self.token.kind
663                && match_mv_kind(mv_kind)
664            {
665                self.bump();
666                Some(res)
667            } else {
668                // This can occur when invalid syntax is passed to a decl macro. E.g. see #139248,
669                // where the reparse attempt of an invalid expr consumed the trailing invisible
670                // delimiter.
671                self.dcx()
672                    .span_delayed_bug(self.token.span, "no close delim with reparsing {mv_kind:?}");
673                None
674            }
675        } else {
676            None
677        }
678    }
679
680    /// Is the given keyword `kw` followed by a non-reserved identifier?
681    fn is_kw_followed_by_ident(&self, kw: Symbol) -> bool {
682        self.token.is_keyword(kw) && self.look_ahead(1, |t| t.is_non_reserved_ident())
683    }
684
685    #[inline]
686    fn check_or_expected(&mut self, ok: bool, token_type: TokenType) -> bool {
687        if !ok {
688            self.expected_token_types.insert(token_type);
689        }
690        ok
691    }
692
693    fn check_ident(&mut self) -> bool {
694        self.check_or_expected(self.token.is_ident(), TokenType::Ident)
695    }
696
697    fn check_path(&mut self) -> bool {
698        self.check_or_expected(self.token.is_path_start(), TokenType::Path)
699    }
700
701    fn check_type(&mut self) -> bool {
702        self.check_or_expected(self.token.can_begin_type(), TokenType::Type)
703    }
704
705    fn check_const_arg(&mut self) -> bool {
706        let is_mcg_arg = self.check_or_expected(self.token.can_begin_const_arg(), TokenType::Const);
707        let is_mgca_arg = self.is_keyword_ahead(0, &[kw::Const])
708            && self.look_ahead(1, |t| *t == token::OpenBrace);
709        is_mcg_arg || is_mgca_arg
710    }
711
712    fn check_const_closure(&self) -> bool {
713        self.is_keyword_ahead(0, &[kw::Const])
714            && self.look_ahead(1, |t| match &t.kind {
715                // async closures do not work with const closures, so we do not parse that here.
716                token::Ident(kw::Move | kw::Use | kw::Static, IdentIsRaw::No)
717                | token::OrOr
718                | token::Or => true,
719                _ => false,
720            })
721    }
722
723    fn check_inline_const(&self, dist: usize) -> bool {
724        self.is_keyword_ahead(dist, &[kw::Const])
725            && self.look_ahead(dist + 1, |t| match &t.kind {
726                token::OpenBrace => true,
727                token::OpenInvisible(InvisibleOrigin::MetaVar(MetaVarKind::Block)) => true,
728                _ => false,
729            })
730    }
731
732    /// Checks to see if the next token is either `+` or `+=`.
733    /// Otherwise returns `false`.
734    #[inline]
735    fn check_plus(&mut self) -> bool {
736        self.check_or_expected(self.token.is_like_plus(), TokenType::Plus)
737    }
738
739    /// Eats the expected token if it's present possibly breaking
740    /// compound tokens like multi-character operators in process.
741    /// Returns `true` if the token was eaten.
742    fn break_and_eat(&mut self, exp: ExpTokenPair) -> bool {
743        if self.token == exp.tok {
744            self.bump();
745            return true;
746        }
747        match self.token.kind.break_two_token_op(1) {
748            Some((first, second)) if first == exp.tok => {
749                let first_span = self.psess.source_map().start_point(self.token.span);
750                let second_span = self.token.span.with_lo(first_span.hi());
751                self.token = Token::new(first, first_span);
752                // Keep track of this token - if we end token capturing now,
753                // we'll want to append this token to the captured stream.
754                //
755                // If we consume any additional tokens, then this token
756                // is not needed (we'll capture the entire 'glued' token),
757                // and `bump` will set this field to 0.
758                self.break_last_token += 1;
759                // Use the spacing of the glued token as the spacing of the
760                // unglued second token.
761                self.bump_with((Token::new(second, second_span), self.token_spacing));
762                true
763            }
764            _ => {
765                self.expected_token_types.insert(exp.token_type);
766                false
767            }
768        }
769    }
770
771    /// Eats `+` possibly breaking tokens like `+=` in process.
772    fn eat_plus(&mut self) -> bool {
773        self.break_and_eat(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::Plus,
    token_type: crate::parser::token_type::TokenType::Plus,
}exp!(Plus))
774    }
775
776    /// Eats `&` possibly breaking tokens like `&&` in process.
777    /// Signals an error if `&` is not eaten.
778    fn expect_and(&mut self) -> PResult<'a, ()> {
779        if self.break_and_eat(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::And,
    token_type: crate::parser::token_type::TokenType::And,
}exp!(And)) { Ok(()) } else { self.unexpected() }
780    }
781
782    /// Eats `|` possibly breaking tokens like `||` in process.
783    /// Signals an error if `|` was not eaten.
784    fn expect_or(&mut self) -> PResult<'a, ()> {
785        if self.break_and_eat(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::Or,
    token_type: crate::parser::token_type::TokenType::Or,
}exp!(Or)) { Ok(()) } else { self.unexpected() }
786    }
787
788    /// Eats `<` possibly breaking tokens like `<<` in process.
789    fn eat_lt(&mut self) -> bool {
790        let ate = self.break_and_eat(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::Lt,
    token_type: crate::parser::token_type::TokenType::Lt,
}exp!(Lt));
791        if ate {
792            // See doc comment for `unmatched_angle_bracket_count`.
793            self.unmatched_angle_bracket_count += 1;
794            {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_parse/src/parser/mod.rs:794",
                        "rustc_parse::parser", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_parse/src/parser/mod.rs"),
                        ::tracing_core::__macro_support::Option::Some(794u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_parse::parser"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("eat_lt: (increment) count={0:?}",
                                                    self.unmatched_angle_bracket_count) as &dyn Value))])
            });
    } else { ; }
};debug!("eat_lt: (increment) count={:?}", self.unmatched_angle_bracket_count);
795        }
796        ate
797    }
798
799    /// Eats `<` possibly breaking tokens like `<<` in process.
800    /// Signals an error if `<` was not eaten.
801    fn expect_lt(&mut self) -> PResult<'a, ()> {
802        if self.eat_lt() { Ok(()) } else { self.unexpected() }
803    }
804
805    /// Eats `>` possibly breaking tokens like `>>` in process.
806    /// Signals an error if `>` was not eaten.
807    fn expect_gt(&mut self) -> PResult<'a, ()> {
808        if self.break_and_eat(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::Gt,
    token_type: crate::parser::token_type::TokenType::Gt,
}exp!(Gt)) {
809            // See doc comment for `unmatched_angle_bracket_count`.
810            if self.unmatched_angle_bracket_count > 0 {
811                self.unmatched_angle_bracket_count -= 1;
812                {
    use ::tracing::__macro_support::Callsite as _;
    static __CALLSITE: ::tracing::callsite::DefaultCallsite =
        {
            static META: ::tracing::Metadata<'static> =
                {
                    ::tracing_core::metadata::Metadata::new("event compiler/rustc_parse/src/parser/mod.rs:812",
                        "rustc_parse::parser", ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_parse/src/parser/mod.rs"),
                        ::tracing_core::__macro_support::Option::Some(812u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_parse::parser"),
                        ::tracing_core::field::FieldSet::new(&["message"],
                            ::tracing_core::callsite::Identifier(&__CALLSITE)),
                        ::tracing::metadata::Kind::EVENT)
                };
            ::tracing::callsite::DefaultCallsite::new(&META)
        };
    let enabled =
        ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
                &&
                ::tracing::Level::DEBUG <=
                    ::tracing::level_filters::LevelFilter::current() &&
            {
                let interest = __CALLSITE.interest();
                !interest.is_never() &&
                    ::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
                        interest)
            };
    if enabled {
        (|value_set: ::tracing::field::ValueSet|
                    {
                        let meta = __CALLSITE.metadata();
                        ::tracing::Event::dispatch(meta, &value_set);
                        ;
                    })({
                #[allow(unused_imports)]
                use ::tracing::field::{debug, display, Value};
                let mut iter = __CALLSITE.metadata().fields().iter();
                __CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
                                    ::tracing::__macro_support::Option::Some(&format_args!("expect_gt: (decrement) count={0:?}",
                                                    self.unmatched_angle_bracket_count) as &dyn Value))])
            });
    } else { ; }
};debug!("expect_gt: (decrement) count={:?}", self.unmatched_angle_bracket_count);
813            }
814            Ok(())
815        } else {
816            self.unexpected()
817        }
818    }
819
820    /// Checks if the next token is contained within `closes`, and returns `true` if so.
821    fn expect_any_with_type(
822        &mut self,
823        closes_expected: &[ExpTokenPair],
824        closes_not_expected: &[&TokenKind],
825    ) -> bool {
826        closes_expected.iter().any(|&close| self.check(close))
827            || closes_not_expected.iter().any(|k| self.check_noexpect(k))
828    }
829
830    /// Parses a sequence until the specified delimiters. The function
831    /// `f` must consume tokens until reaching the next separator or
832    /// closing bracket.
833    fn parse_seq_to_before_tokens<T>(
834        &mut self,
835        closes_expected: &[ExpTokenPair],
836        closes_not_expected: &[&TokenKind],
837        sep: SeqSep,
838        mut f: impl FnMut(&mut Parser<'a>) -> PResult<'a, T>,
839    ) -> PResult<'a, (ThinVec<T>, Trailing, Recovered)> {
840        let mut first = true;
841        let mut recovered = Recovered::No;
842        let mut trailing = Trailing::No;
843        let mut v = ThinVec::new();
844
845        while !self.expect_any_with_type(closes_expected, closes_not_expected) {
846            if self.token.kind.is_close_delim_or_eof() {
847                break;
848            }
849            if let Some(exp) = sep.sep {
850                if first {
851                    // no separator for the first element
852                    first = false;
853                } else {
854                    // check for separator
855                    match self.expect(exp) {
856                        Ok(Recovered::No) => {
857                            self.current_closure.take();
858                        }
859                        Ok(Recovered::Yes(guar)) => {
860                            self.current_closure.take();
861                            recovered = Recovered::Yes(guar);
862                            break;
863                        }
864                        Err(mut expect_err) => {
865                            let sp = self.prev_token.span.shrink_to_hi();
866                            let token_str = pprust::token_kind_to_string(&exp.tok);
867
868                            match self.current_closure.take() {
869                                Some(closure_spans) if self.token == TokenKind::Semi => {
870                                    // Finding a semicolon instead of a comma
871                                    // after a closure body indicates that the
872                                    // closure body may be a block but the user
873                                    // forgot to put braces around its
874                                    // statements.
875
876                                    self.recover_missing_braces_around_closure_body(
877                                        closure_spans,
878                                        expect_err,
879                                    )?;
880
881                                    continue;
882                                }
883
884                                _ => {
885                                    // Attempt to keep parsing if it was a similar separator.
886                                    if exp.tok.similar_tokens().contains(&self.token.kind) {
887                                        self.bump();
888                                    }
889                                }
890                            }
891
892                            // If this was a missing `@` in a binding pattern
893                            // bail with a suggestion
894                            // https://github.com/rust-lang/rust/issues/72373
895                            if self.prev_token.is_ident() && self.token == token::DotDot {
896                                let msg = ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("if you meant to bind the contents of the rest of the array pattern into `{0}`, use `@`",
                pprust::token_to_string(&self.prev_token)))
    })format!(
897                                    "if you meant to bind the contents of the rest of the array \
898                                     pattern into `{}`, use `@`",
899                                    pprust::token_to_string(&self.prev_token)
900                                );
901                                expect_err
902                                    .with_span_suggestion_verbose(
903                                        self.prev_token.span.shrink_to_hi().until(self.token.span),
904                                        msg,
905                                        " @ ",
906                                        Applicability::MaybeIncorrect,
907                                    )
908                                    .emit();
909                                break;
910                            }
911
912                            // Attempt to keep parsing if it was an omitted separator.
913                            self.last_unexpected_token_span = None;
914                            match f(self) {
915                                Ok(t) => {
916                                    // Parsed successfully, therefore most probably the code only
917                                    // misses a separator.
918                                    expect_err
919                                        .with_span_suggestion_short(
920                                            sp,
921                                            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("missing `{0}`", token_str))
    })format!("missing `{token_str}`"),
922                                            token_str,
923                                            Applicability::MaybeIncorrect,
924                                        )
925                                        .emit();
926
927                                    v.push(t);
928                                    continue;
929                                }
930                                Err(e) => {
931                                    // Parsing failed, therefore it must be something more serious
932                                    // than just a missing separator.
933                                    for xx in &e.children {
934                                        // Propagate the help message from sub error `e` to main
935                                        // error `expect_err`.
936                                        expect_err.children.push(xx.clone());
937                                    }
938                                    e.cancel();
939                                    if self.token == token::Colon {
940                                        // We will try to recover in
941                                        // `maybe_recover_struct_lit_bad_delims`.
942                                        return Err(expect_err);
943                                    } else if let [exp] = closes_expected
944                                        && exp.token_type == TokenType::CloseParen
945                                    {
946                                        return Err(expect_err);
947                                    } else {
948                                        expect_err.emit();
949                                        break;
950                                    }
951                                }
952                            }
953                        }
954                    }
955                }
956            }
957            if sep.trailing_sep_allowed
958                && self.expect_any_with_type(closes_expected, closes_not_expected)
959            {
960                trailing = Trailing::Yes;
961                break;
962            }
963
964            let t = f(self)?;
965            v.push(t);
966        }
967
968        Ok((v, trailing, recovered))
969    }
970
971    fn recover_missing_braces_around_closure_body(
972        &mut self,
973        closure_spans: ClosureSpans,
974        mut expect_err: Diag<'_>,
975    ) -> PResult<'a, ()> {
976        let initial_semicolon = self.token.span;
977
978        while self.eat(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::Semi,
    token_type: crate::parser::token_type::TokenType::Semi,
}exp!(Semi)) {
979            let _ = self
980                .parse_stmt_without_recovery(false, ForceCollect::No, false)
981                .unwrap_or_else(|e| {
982                    e.cancel();
983                    None
984                });
985        }
986
987        expect_err
988            .primary_message("closure bodies that contain statements must be surrounded by braces");
989
990        let preceding_pipe_span = closure_spans.closing_pipe;
991        let following_token_span = self.token.span;
992
993        let mut first_note = MultiSpan::from(::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [initial_semicolon]))vec![initial_semicolon]);
994        first_note.push_span_label(
995            initial_semicolon,
996            "this `;` turns the preceding closure into a statement",
997        );
998        first_note.push_span_label(
999            closure_spans.body,
1000            "this expression is a statement because of the trailing semicolon",
1001        );
1002        expect_err.span_note(first_note, "statement found outside of a block");
1003
1004        let mut second_note = MultiSpan::from(::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [closure_spans.whole_closure]))vec![closure_spans.whole_closure]);
1005        second_note.push_span_label(closure_spans.whole_closure, "this is the parsed closure...");
1006        second_note.push_span_label(
1007            following_token_span,
1008            "...but likely you meant the closure to end here",
1009        );
1010        expect_err.span_note(second_note, "the closure body may be incorrectly delimited");
1011
1012        expect_err.span(::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [preceding_pipe_span, following_token_span]))vec![preceding_pipe_span, following_token_span]);
1013
1014        let opening_suggestion_str = " {".to_string();
1015        let closing_suggestion_str = "}".to_string();
1016
1017        expect_err.multipart_suggestion(
1018            "try adding braces",
1019            ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
        [(preceding_pipe_span.shrink_to_hi(), opening_suggestion_str),
                (following_token_span.shrink_to_lo(),
                    closing_suggestion_str)]))vec![
1020                (preceding_pipe_span.shrink_to_hi(), opening_suggestion_str),
1021                (following_token_span.shrink_to_lo(), closing_suggestion_str),
1022            ],
1023            Applicability::MaybeIncorrect,
1024        );
1025
1026        expect_err.emit();
1027
1028        Ok(())
1029    }
1030
1031    /// Parses a sequence, not including the delimiters. The function
1032    /// `f` must consume tokens until reaching the next separator or
1033    /// closing bracket.
1034    fn parse_seq_to_before_end<T>(
1035        &mut self,
1036        close: ExpTokenPair,
1037        sep: SeqSep,
1038        f: impl FnMut(&mut Parser<'a>) -> PResult<'a, T>,
1039    ) -> PResult<'a, (ThinVec<T>, Trailing, Recovered)> {
1040        self.parse_seq_to_before_tokens(&[close], &[], sep, f)
1041    }
1042
1043    /// Parses a sequence, including only the closing delimiter. The function
1044    /// `f` must consume tokens until reaching the next separator or
1045    /// closing bracket.
1046    fn parse_seq_to_end<T>(
1047        &mut self,
1048        close: ExpTokenPair,
1049        sep: SeqSep,
1050        f: impl FnMut(&mut Parser<'a>) -> PResult<'a, T>,
1051    ) -> PResult<'a, (ThinVec<T>, Trailing)> {
1052        let (val, trailing, recovered) = self.parse_seq_to_before_end(close, sep, f)?;
1053        if #[allow(non_exhaustive_omitted_patterns)] match recovered {
    Recovered::No => true,
    _ => false,
}matches!(recovered, Recovered::No) && !self.eat(close) {
1054            self.dcx().span_delayed_bug(
1055                self.token.span,
1056                "recovered but `parse_seq_to_before_end` did not give us the close token",
1057            );
1058        }
1059        Ok((val, trailing))
1060    }
1061
1062    /// Parses a sequence, including both delimiters. The function
1063    /// `f` must consume tokens until reaching the next separator or
1064    /// closing bracket.
1065    fn parse_unspanned_seq<T>(
1066        &mut self,
1067        open: ExpTokenPair,
1068        close: ExpTokenPair,
1069        sep: SeqSep,
1070        f: impl FnMut(&mut Parser<'a>) -> PResult<'a, T>,
1071    ) -> PResult<'a, (ThinVec<T>, Trailing)> {
1072        self.expect(open)?;
1073        self.parse_seq_to_end(close, sep, f)
1074    }
1075
1076    /// Parses a comma-separated sequence, including both delimiters.
1077    /// The function `f` must consume tokens until reaching the next separator or
1078    /// closing bracket.
1079    fn parse_delim_comma_seq<T>(
1080        &mut self,
1081        open: ExpTokenPair,
1082        close: ExpTokenPair,
1083        f: impl FnMut(&mut Parser<'a>) -> PResult<'a, T>,
1084    ) -> PResult<'a, (ThinVec<T>, Trailing)> {
1085        self.parse_unspanned_seq(open, close, SeqSep::trailing_allowed(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::Comma,
    token_type: crate::parser::token_type::TokenType::Comma,
}exp!(Comma)), f)
1086    }
1087
1088    /// Parses a comma-separated sequence delimited by parentheses (e.g. `(x, y)`).
1089    /// The function `f` must consume tokens until reaching the next separator or
1090    /// closing bracket.
1091    pub fn parse_paren_comma_seq<T>(
1092        &mut self,
1093        f: impl FnMut(&mut Parser<'a>) -> PResult<'a, T>,
1094    ) -> PResult<'a, (ThinVec<T>, Trailing)> {
1095        self.parse_delim_comma_seq(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::OpenParen,
    token_type: crate::parser::token_type::TokenType::OpenParen,
}exp!(OpenParen), crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::CloseParen,
    token_type: crate::parser::token_type::TokenType::CloseParen,
}exp!(CloseParen), f)
1096    }
1097
1098    /// Advance the parser by one token using provided token as the next one.
1099    fn bump_with(&mut self, next: (Token, Spacing)) {
1100        self.inlined_bump_with(next)
1101    }
1102
1103    /// This always-inlined version should only be used on hot code paths.
1104    #[inline(always)]
1105    fn inlined_bump_with(&mut self, (next_token, next_spacing): (Token, Spacing)) {
1106        // Update the current and previous tokens.
1107        self.prev_token = mem::replace(&mut self.token, next_token);
1108        self.token_spacing = next_spacing;
1109
1110        // Diagnostics.
1111        self.expected_token_types.clear();
1112    }
1113
1114    /// Advance the parser by one token.
1115    pub fn bump(&mut self) {
1116        // Note: destructuring here would give nicer code, but it was found in #96210 to be slower
1117        // than `.0`/`.1` access.
1118        let mut next = self.token_cursor.inlined_next();
1119        self.num_bump_calls += 1;
1120        // We got a token from the underlying cursor and no longer need to
1121        // worry about an unglued token. See `break_and_eat` for more details.
1122        self.break_last_token = 0;
1123        if next.0.span.is_dummy() {
1124            // Tweak the location for better diagnostics, but keep syntactic context intact.
1125            let fallback_span = self.token.span;
1126            next.0.span = fallback_span.with_ctxt(next.0.span.ctxt());
1127        }
1128        if true {
    if !!#[allow(non_exhaustive_omitted_patterns)] match next.0.kind {
                    token::OpenInvisible(origin) | token::CloseInvisible(origin)
                        if origin.skip() => true,
                    _ => false,
                } {
        ::core::panicking::panic("assertion failed: !matches!(next.0.kind, token::OpenInvisible(origin) |\n        token::CloseInvisible(origin) if origin.skip())")
    };
};debug_assert!(!matches!(
1129            next.0.kind,
1130            token::OpenInvisible(origin) | token::CloseInvisible(origin) if origin.skip()
1131        ));
1132        self.inlined_bump_with(next)
1133    }
1134
1135    /// Look-ahead `dist` tokens of `self.token` and get access to that token there.
1136    /// When `dist == 0` then the current token is looked at. `Eof` will be
1137    /// returned if the look-ahead is any distance past the end of the tokens.
1138    pub fn look_ahead<R>(&self, dist: usize, looker: impl FnOnce(&Token) -> R) -> R {
1139        if dist == 0 {
1140            return looker(&self.token);
1141        }
1142
1143        // Typically around 98% of the `dist > 0` cases have `dist == 1`, so we
1144        // have a fast special case for that.
1145        if dist == 1 {
1146            // The index is zero because the tree cursor's index always points
1147            // to the next token to be gotten.
1148            match self.token_cursor.curr.curr() {
1149                Some(tree) => {
1150                    // Indexing stayed within the current token tree.
1151                    match tree {
1152                        TokenTree::Token(token, _) => return looker(token),
1153                        &TokenTree::Delimited(dspan, _, delim, _) => {
1154                            if !delim.skip() {
1155                                return looker(&Token::new(delim.as_open_token_kind(), dspan.open));
1156                            }
1157                        }
1158                    }
1159                }
1160                None => {
1161                    // The tree cursor lookahead went (one) past the end of the
1162                    // current token tree. Try to return a close delimiter.
1163                    if let Some(last) = self.token_cursor.stack.last()
1164                        && let Some(&TokenTree::Delimited(span, _, delim, _)) = last.curr()
1165                        && !delim.skip()
1166                    {
1167                        // We are not in the outermost token stream, so we have
1168                        // delimiters. Also, those delimiters are not skipped.
1169                        return looker(&Token::new(delim.as_close_token_kind(), span.close));
1170                    }
1171                }
1172            }
1173        }
1174
1175        // Just clone the token cursor and use `next`, skipping delimiters as
1176        // necessary. Slow but simple.
1177        let mut cursor = self.token_cursor.clone();
1178        let mut i = 0;
1179        let mut token = Token::dummy();
1180        while i < dist {
1181            token = cursor.next().0;
1182            if let token::OpenInvisible(origin) | token::CloseInvisible(origin) = token.kind
1183                && origin.skip()
1184            {
1185                continue;
1186            }
1187            i += 1;
1188        }
1189        looker(&token)
1190    }
1191
1192    /// Like `lookahead`, but skips over token trees rather than tokens. Useful
1193    /// when looking past possible metavariable pasting sites.
1194    pub fn tree_look_ahead<R>(
1195        &self,
1196        dist: usize,
1197        looker: impl FnOnce(&TokenTree) -> R,
1198    ) -> Option<R> {
1199        match (&dist, &0) {
    (left_val, right_val) => {
        if *left_val == *right_val {
            let kind = ::core::panicking::AssertKind::Ne;
            ::core::panicking::assert_failed(kind, &*left_val, &*right_val,
                ::core::option::Option::None);
        }
    }
};assert_ne!(dist, 0);
1200        self.token_cursor.curr.look_ahead(dist - 1).map(looker)
1201    }
1202
1203    /// Returns whether any of the given keywords are `dist` tokens ahead of the current one.
1204    pub(crate) fn is_keyword_ahead(&self, dist: usize, kws: &[Symbol]) -> bool {
1205        self.look_ahead(dist, |t| kws.iter().any(|&kw| t.is_keyword(kw)))
1206    }
1207
1208    /// Parses asyncness: `async` or nothing.
1209    fn parse_coroutine_kind(&mut self, case: Case) -> Option<CoroutineKind> {
1210        let span = self.token_uninterpolated_span();
1211        if self.eat_keyword_case(crate::parser::token_type::ExpKeywordPair {
    kw: rustc_span::symbol::kw::Async,
    token_type: crate::parser::token_type::TokenType::KwAsync,
}exp!(Async), case) {
1212            // FIXME(gen_blocks): Do we want to unconditionally parse `gen` and then
1213            // error if edition <= 2024, like we do with async and edition <= 2018?
1214            if self.token_uninterpolated_span().at_least_rust_2024()
1215                && self.eat_keyword_case(crate::parser::token_type::ExpKeywordPair {
    kw: rustc_span::symbol::kw::Gen,
    token_type: crate::parser::token_type::TokenType::KwGen,
}exp!(Gen), case)
1216            {
1217                let gen_span = self.prev_token_uninterpolated_span();
1218                Some(CoroutineKind::AsyncGen {
1219                    span: span.to(gen_span),
1220                    closure_id: DUMMY_NODE_ID,
1221                    return_impl_trait_id: DUMMY_NODE_ID,
1222                })
1223            } else {
1224                Some(CoroutineKind::Async {
1225                    span,
1226                    closure_id: DUMMY_NODE_ID,
1227                    return_impl_trait_id: DUMMY_NODE_ID,
1228                })
1229            }
1230        } else if self.token_uninterpolated_span().at_least_rust_2024()
1231            && self.eat_keyword_case(crate::parser::token_type::ExpKeywordPair {
    kw: rustc_span::symbol::kw::Gen,
    token_type: crate::parser::token_type::TokenType::KwGen,
}exp!(Gen), case)
1232        {
1233            Some(CoroutineKind::Gen {
1234                span,
1235                closure_id: DUMMY_NODE_ID,
1236                return_impl_trait_id: DUMMY_NODE_ID,
1237            })
1238        } else {
1239            None
1240        }
1241    }
1242
1243    /// Parses fn unsafety: `unsafe`, `safe` or nothing.
1244    fn parse_safety(&mut self, case: Case) -> Safety {
1245        if self.eat_keyword_case(crate::parser::token_type::ExpKeywordPair {
    kw: rustc_span::symbol::kw::Unsafe,
    token_type: crate::parser::token_type::TokenType::KwUnsafe,
}exp!(Unsafe), case) {
1246            Safety::Unsafe(self.prev_token_uninterpolated_span())
1247        } else if self.eat_keyword_case(crate::parser::token_type::ExpKeywordPair {
    kw: rustc_span::symbol::kw::Safe,
    token_type: crate::parser::token_type::TokenType::KwSafe,
}exp!(Safe), case) {
1248            Safety::Safe(self.prev_token_uninterpolated_span())
1249        } else {
1250            Safety::Default
1251        }
1252    }
1253
1254    /// Parses constness: `const` or nothing.
1255    fn parse_constness(&mut self, case: Case) -> Const {
1256        self.parse_constness_(case, false)
1257    }
1258
1259    /// Parses constness for closures (case sensitive, feature-gated)
1260    fn parse_closure_constness(&mut self) -> Const {
1261        let constness = self.parse_constness_(Case::Sensitive, true);
1262        if let Const::Yes(span) = constness {
1263            self.psess.gated_spans.gate(sym::const_closures, span);
1264        }
1265        constness
1266    }
1267
1268    fn parse_constness_(&mut self, case: Case, is_closure: bool) -> Const {
1269        // Avoid const blocks and const closures to be parsed as const items
1270        if (self.check_const_closure() == is_closure)
1271            && !self.look_ahead(1, |t| *t == token::OpenBrace || t.is_metavar_block())
1272            && self.eat_keyword_case(crate::parser::token_type::ExpKeywordPair {
    kw: rustc_span::symbol::kw::Const,
    token_type: crate::parser::token_type::TokenType::KwConst,
}exp!(Const), case)
1273        {
1274            Const::Yes(self.prev_token_uninterpolated_span())
1275        } else {
1276            Const::No
1277        }
1278    }
1279
1280    /// Parses inline const expressions.
1281    fn parse_const_block(&mut self, span: Span, pat: bool) -> PResult<'a, Box<Expr>> {
1282        self.expect_keyword(crate::parser::token_type::ExpKeywordPair {
    kw: rustc_span::symbol::kw::Const,
    token_type: crate::parser::token_type::TokenType::KwConst,
}exp!(Const))?;
1283        let (attrs, blk) = self.parse_inner_attrs_and_block(None)?;
1284        let anon_const = AnonConst {
1285            id: DUMMY_NODE_ID,
1286            value: self.mk_expr(blk.span, ExprKind::Block(blk, None)),
1287            mgca_disambiguation: MgcaDisambiguation::AnonConst,
1288        };
1289        let blk_span = anon_const.value.span;
1290        let kind = if pat {
1291            let guar = self
1292                .dcx()
1293                .struct_span_err(blk_span, "const blocks cannot be used as patterns")
1294                .with_help(
1295                    "use a named `const`-item or an `if`-guard (`x if x == const { ... }`) instead",
1296                )
1297                .emit();
1298            ExprKind::Err(guar)
1299        } else {
1300            ExprKind::ConstBlock(anon_const)
1301        };
1302        Ok(self.mk_expr_with_attrs(span.to(blk_span), kind, attrs))
1303    }
1304
1305    /// Parses mutability (`mut` or nothing).
1306    fn parse_mutability(&mut self) -> Mutability {
1307        if self.eat_keyword(crate::parser::token_type::ExpKeywordPair {
    kw: rustc_span::symbol::kw::Mut,
    token_type: crate::parser::token_type::TokenType::KwMut,
}exp!(Mut)) { Mutability::Mut } else { Mutability::Not }
1308    }
1309
1310    /// Parses reference binding mode (`ref`, `ref mut`, `ref pin const`, `ref pin mut`, or nothing).
1311    fn parse_byref(&mut self) -> ByRef {
1312        if self.eat_keyword(crate::parser::token_type::ExpKeywordPair {
    kw: rustc_span::symbol::kw::Ref,
    token_type: crate::parser::token_type::TokenType::KwRef,
}exp!(Ref)) {
1313            let (pinnedness, mutability) = self.parse_pin_and_mut();
1314            ByRef::Yes(pinnedness, mutability)
1315        } else {
1316            ByRef::No
1317        }
1318    }
1319
1320    /// Possibly parses mutability (`const` or `mut`).
1321    fn parse_const_or_mut(&mut self) -> Option<Mutability> {
1322        if self.eat_keyword(crate::parser::token_type::ExpKeywordPair {
    kw: rustc_span::symbol::kw::Mut,
    token_type: crate::parser::token_type::TokenType::KwMut,
}exp!(Mut)) {
1323            Some(Mutability::Mut)
1324        } else if self.eat_keyword(crate::parser::token_type::ExpKeywordPair {
    kw: rustc_span::symbol::kw::Const,
    token_type: crate::parser::token_type::TokenType::KwConst,
}exp!(Const)) {
1325            Some(Mutability::Not)
1326        } else {
1327            None
1328        }
1329    }
1330
1331    fn parse_field_name(&mut self) -> PResult<'a, Ident> {
1332        if let token::Literal(token::Lit { kind: token::Integer, symbol, suffix }) = self.token.kind
1333        {
1334            if let Some(suffix) = suffix {
1335                self.dcx().emit_err(errors::InvalidLiteralSuffixOnTupleIndex {
1336                    span: self.token.span,
1337                    suffix,
1338                });
1339            }
1340            self.bump();
1341            Ok(Ident::new(symbol, self.prev_token.span))
1342        } else {
1343            self.parse_ident_common(true)
1344        }
1345    }
1346
1347    fn parse_delim_args(&mut self) -> PResult<'a, Box<DelimArgs>> {
1348        if let Some(args) = self.parse_delim_args_inner() {
1349            Ok(Box::new(args))
1350        } else {
1351            self.unexpected_any()
1352        }
1353    }
1354
1355    fn parse_attr_args(&mut self) -> PResult<'a, AttrArgs> {
1356        Ok(if let Some(args) = self.parse_delim_args_inner() {
1357            AttrArgs::Delimited(args)
1358        } else if self.eat(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::Eq,
    token_type: crate::parser::token_type::TokenType::Eq,
}exp!(Eq)) {
1359            let eq_span = self.prev_token.span;
1360            let expr = self.parse_expr_force_collect()?;
1361            AttrArgs::Eq { eq_span, expr }
1362        } else {
1363            AttrArgs::Empty
1364        })
1365    }
1366
1367    fn parse_delim_args_inner(&mut self) -> Option<DelimArgs> {
1368        let delimited = self.check(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::OpenParen,
    token_type: crate::parser::token_type::TokenType::OpenParen,
}exp!(OpenParen))
1369            || self.check(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::OpenBracket,
    token_type: crate::parser::token_type::TokenType::OpenBracket,
}exp!(OpenBracket))
1370            || self.check(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::OpenBrace,
    token_type: crate::parser::token_type::TokenType::OpenBrace,
}exp!(OpenBrace));
1371
1372        delimited.then(|| {
1373            let TokenTree::Delimited(dspan, _, delim, tokens) = self.parse_token_tree() else {
1374                ::core::panicking::panic("internal error: entered unreachable code")unreachable!()
1375            };
1376            DelimArgs { dspan, delim, tokens }
1377        })
1378    }
1379
1380    /// Parses a single token tree from the input.
1381    pub fn parse_token_tree(&mut self) -> TokenTree {
1382        if self.token.kind.open_delim().is_some() {
1383            // Clone the `TokenTree::Delimited` that we are currently
1384            // within. That's what we are going to return.
1385            let tree = self.token_cursor.stack.last().unwrap().curr().unwrap().clone();
1386            if true {
    match tree {
        TokenTree::Delimited(..) => {}
        ref left_val => {
            ::core::panicking::assert_matches_failed(left_val,
                "TokenTree::Delimited(..)", ::core::option::Option::None);
        }
    };
};debug_assert_matches!(tree, TokenTree::Delimited(..));
1387
1388            // Advance the token cursor through the entire delimited
1389            // sequence. After getting the `OpenDelim` we are *within* the
1390            // delimited sequence, i.e. at depth `d`. After getting the
1391            // matching `CloseDelim` we are *after* the delimited sequence,
1392            // i.e. at depth `d - 1`.
1393            let target_depth = self.token_cursor.stack.len() - 1;
1394
1395            if let Capturing::No = self.capture_state.capturing {
1396                // We are not capturing tokens, so skip to the end of the
1397                // delimited sequence. This is a perf win when dealing with
1398                // declarative macros that pass large `tt` fragments through
1399                // multiple rules, as seen in the uom-0.37.0 crate.
1400                self.token_cursor.curr.bump_to_end();
1401                self.bump();
1402                if true {
    match (&self.token_cursor.stack.len(), &target_depth) {
        (left_val, right_val) => {
            if !(*left_val == *right_val) {
                let kind = ::core::panicking::AssertKind::Eq;
                ::core::panicking::assert_failed(kind, &*left_val,
                    &*right_val, ::core::option::Option::None);
            }
        }
    };
};debug_assert_eq!(self.token_cursor.stack.len(), target_depth);
1403            } else {
1404                loop {
1405                    // Advance one token at a time, so `TokenCursor::next()`
1406                    // can capture these tokens if necessary.
1407                    self.bump();
1408                    if self.token_cursor.stack.len() == target_depth {
1409                        break;
1410                    }
1411                }
1412            }
1413            if true {
    if !self.token.kind.close_delim().is_some() {
        ::core::panicking::panic("assertion failed: self.token.kind.close_delim().is_some()")
    };
};debug_assert!(self.token.kind.close_delim().is_some());
1414
1415            // Consume close delimiter
1416            self.bump();
1417            tree
1418        } else {
1419            if !!self.token.kind.is_close_delim_or_eof() {
    ::core::panicking::panic("assertion failed: !self.token.kind.is_close_delim_or_eof()")
};assert!(!self.token.kind.is_close_delim_or_eof());
1420            let prev_spacing = self.token_spacing;
1421            self.bump();
1422            TokenTree::Token(self.prev_token, prev_spacing)
1423        }
1424    }
1425
1426    pub fn parse_tokens(&mut self) -> TokenStream {
1427        let mut result = Vec::new();
1428        loop {
1429            if self.token.kind.is_close_delim_or_eof() {
1430                break;
1431            } else {
1432                result.push(self.parse_token_tree());
1433            }
1434        }
1435        TokenStream::new(result)
1436    }
1437
1438    /// Evaluates the closure with restrictions in place.
1439    ///
1440    /// Afters the closure is evaluated, restrictions are reset.
1441    fn with_res<T>(&mut self, res: Restrictions, f: impl FnOnce(&mut Self) -> T) -> T {
1442        let old = self.restrictions;
1443        self.restrictions = res;
1444        let res = f(self);
1445        self.restrictions = old;
1446        res
1447    }
1448
1449    /// Parses `pub` and `pub(in path)` plus shortcuts `pub(crate)` for `pub(in crate)`, `pub(self)`
1450    /// for `pub(in self)` and `pub(super)` for `pub(in super)`.
1451    /// If the following element can't be a tuple (i.e., it's a function definition), then
1452    /// it's not a tuple struct field), and the contents within the parentheses aren't valid,
1453    /// so emit a proper diagnostic.
1454    // Public for rustfmt usage.
1455    pub fn parse_visibility(&mut self, fbt: FollowedByType) -> PResult<'a, Visibility> {
1456        if let Some(vis) = self
1457            .eat_metavar_seq(MetaVarKind::Vis, |this| this.parse_visibility(FollowedByType::Yes))
1458        {
1459            return Ok(vis);
1460        }
1461
1462        if !self.eat_keyword(crate::parser::token_type::ExpKeywordPair {
    kw: rustc_span::symbol::kw::Pub,
    token_type: crate::parser::token_type::TokenType::KwPub,
}exp!(Pub)) {
1463            // We need a span for our `Spanned<VisibilityKind>`, but there's inherently no
1464            // keyword to grab a span from for inherited visibility; an empty span at the
1465            // beginning of the current token would seem to be the "Schelling span".
1466            return Ok(Visibility {
1467                span: self.token.span.shrink_to_lo(),
1468                kind: VisibilityKind::Inherited,
1469                tokens: None,
1470            });
1471        }
1472        let lo = self.prev_token.span;
1473
1474        if self.check(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::OpenParen,
    token_type: crate::parser::token_type::TokenType::OpenParen,
}exp!(OpenParen)) {
1475            // We don't `self.bump()` the `(` yet because this might be a struct definition where
1476            // `()` or a tuple might be allowed. For example, `struct Struct(pub (), pub (usize));`.
1477            // Because of this, we only `bump` the `(` if we're assured it is appropriate to do so
1478            // by the following tokens.
1479            if self.is_keyword_ahead(1, &[kw::In]) {
1480                // Parse `pub(in path)`.
1481                self.bump(); // `(`
1482                self.bump(); // `in`
1483                let path = self.parse_path(PathStyle::Mod)?; // `path`
1484                self.expect(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::CloseParen,
    token_type: crate::parser::token_type::TokenType::CloseParen,
}exp!(CloseParen))?; // `)`
1485                let vis = VisibilityKind::Restricted {
1486                    path: Box::new(path),
1487                    id: ast::DUMMY_NODE_ID,
1488                    shorthand: false,
1489                };
1490                return Ok(Visibility {
1491                    span: lo.to(self.prev_token.span),
1492                    kind: vis,
1493                    tokens: None,
1494                });
1495            } else if self.look_ahead(2, |t| t == &token::CloseParen)
1496                && self.is_keyword_ahead(1, &[kw::Crate, kw::Super, kw::SelfLower])
1497            {
1498                // Parse `pub(crate)`, `pub(self)`, or `pub(super)`.
1499                self.bump(); // `(`
1500                let path = self.parse_path(PathStyle::Mod)?; // `crate`/`super`/`self`
1501                self.expect(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::CloseParen,
    token_type: crate::parser::token_type::TokenType::CloseParen,
}exp!(CloseParen))?; // `)`
1502                let vis = VisibilityKind::Restricted {
1503                    path: Box::new(path),
1504                    id: ast::DUMMY_NODE_ID,
1505                    shorthand: true,
1506                };
1507                return Ok(Visibility {
1508                    span: lo.to(self.prev_token.span),
1509                    kind: vis,
1510                    tokens: None,
1511                });
1512            } else if let FollowedByType::No = fbt {
1513                // Provide this diagnostic if a type cannot follow;
1514                // in particular, if this is not a tuple struct.
1515                self.recover_incorrect_vis_restriction()?;
1516                // Emit diagnostic, but continue with public visibility.
1517            }
1518        }
1519
1520        Ok(Visibility { span: lo, kind: VisibilityKind::Public, tokens: None })
1521    }
1522
1523    /// Recovery for e.g. `pub(something) fn ...` or `struct X { pub(something) y: Z }`
1524    fn recover_incorrect_vis_restriction(&mut self) -> PResult<'a, ()> {
1525        self.bump(); // `(`
1526        let path = self.parse_path(PathStyle::Mod)?;
1527        self.expect(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::CloseParen,
    token_type: crate::parser::token_type::TokenType::CloseParen,
}exp!(CloseParen))?; // `)`
1528
1529        let path_str = pprust::path_to_string(&path);
1530        self.dcx()
1531            .emit_err(IncorrectVisibilityRestriction { span: path.span, inner_str: path_str });
1532
1533        Ok(())
1534    }
1535
1536    /// Parses an optional `impl` restriction.
1537    /// Enforces the `impl_restriction` feature gate whenever an explicit restriction is encountered.
1538    fn parse_impl_restriction(&mut self) -> PResult<'a, ImplRestriction> {
1539        if self.eat_keyword(crate::parser::token_type::ExpKeywordPair {
    kw: rustc_span::symbol::kw::Impl,
    token_type: crate::parser::token_type::TokenType::KwImpl,
}exp!(Impl)) {
1540            let lo = self.prev_token.span;
1541            // No units or tuples are allowed to follow `impl` here, so we can safely bump `(`.
1542            self.expect(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::OpenParen,
    token_type: crate::parser::token_type::TokenType::OpenParen,
}exp!(OpenParen))?;
1543            if self.eat_keyword(crate::parser::token_type::ExpKeywordPair {
    kw: rustc_span::symbol::kw::In,
    token_type: crate::parser::token_type::TokenType::KwIn,
}exp!(In)) {
1544                let path = self.parse_path(PathStyle::Mod)?; // `in path`
1545                self.expect(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::CloseParen,
    token_type: crate::parser::token_type::TokenType::CloseParen,
}exp!(CloseParen))?; // `)`
1546                let restriction = RestrictionKind::Restricted {
1547                    path: Box::new(path),
1548                    id: ast::DUMMY_NODE_ID,
1549                    shorthand: false,
1550                };
1551                let span = lo.to(self.prev_token.span);
1552                self.psess.gated_spans.gate(sym::impl_restriction, span);
1553                return Ok(ImplRestriction { kind: restriction, span, tokens: None });
1554            } else if self.look_ahead(1, |t| t == &token::CloseParen)
1555                && self.is_keyword_ahead(0, &[kw::Crate, kw::Super, kw::SelfLower])
1556            {
1557                let path = self.parse_path(PathStyle::Mod)?; // `crate`/`super`/`self`
1558                self.expect(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::CloseParen,
    token_type: crate::parser::token_type::TokenType::CloseParen,
}exp!(CloseParen))?; // `)`
1559                let restriction = RestrictionKind::Restricted {
1560                    path: Box::new(path),
1561                    id: ast::DUMMY_NODE_ID,
1562                    shorthand: true,
1563                };
1564                let span = lo.to(self.prev_token.span);
1565                self.psess.gated_spans.gate(sym::impl_restriction, span);
1566                return Ok(ImplRestriction { kind: restriction, span, tokens: None });
1567            } else {
1568                self.recover_incorrect_impl_restriction(lo)?;
1569                // Emit diagnostic, but continue with no impl restriction.
1570            }
1571        }
1572        Ok(ImplRestriction {
1573            kind: RestrictionKind::Unrestricted,
1574            span: self.token.span.shrink_to_lo(),
1575            tokens: None,
1576        })
1577    }
1578
1579    /// Recovery for e.g. `impl(something) trait`
1580    fn recover_incorrect_impl_restriction(&mut self, lo: Span) -> PResult<'a, ()> {
1581        let path = self.parse_path(PathStyle::Mod)?;
1582        self.expect(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::CloseParen,
    token_type: crate::parser::token_type::TokenType::CloseParen,
}exp!(CloseParen))?; // `)`
1583        let path_str = pprust::path_to_string(&path);
1584        self.dcx().emit_err(IncorrectImplRestriction { span: path.span, inner_str: path_str });
1585        let end = self.prev_token.span;
1586        self.psess.gated_spans.gate(sym::impl_restriction, lo.to(end));
1587        Ok(())
1588    }
1589
1590    /// Parses `extern string_literal?`.
1591    fn parse_extern(&mut self, case: Case) -> Extern {
1592        if self.eat_keyword_case(crate::parser::token_type::ExpKeywordPair {
    kw: rustc_span::symbol::kw::Extern,
    token_type: crate::parser::token_type::TokenType::KwExtern,
}exp!(Extern), case) {
1593            let mut extern_span = self.prev_token.span;
1594            let abi = self.parse_abi();
1595            if let Some(abi) = abi {
1596                extern_span = extern_span.to(abi.span);
1597            }
1598            Extern::from_abi(abi, extern_span)
1599        } else {
1600            Extern::None
1601        }
1602    }
1603
1604    /// Parses a string literal as an ABI spec.
1605    fn parse_abi(&mut self) -> Option<StrLit> {
1606        match self.parse_str_lit() {
1607            Ok(str_lit) => Some(str_lit),
1608            Err(Some(lit)) => match lit.kind {
1609                ast::LitKind::Err(_) => None,
1610                _ => {
1611                    self.dcx().emit_err(NonStringAbiLiteral { span: lit.span });
1612                    None
1613                }
1614            },
1615            Err(None) => None,
1616        }
1617    }
1618
1619    fn collect_tokens_no_attrs<R: HasAttrs + HasTokens>(
1620        &mut self,
1621        f: impl FnOnce(&mut Self) -> PResult<'a, R>,
1622    ) -> PResult<'a, R> {
1623        // The only reason to call `collect_tokens_no_attrs` is if you want tokens, so use
1624        // `ForceCollect::Yes`
1625        self.collect_tokens(None, AttrWrapper::empty(), ForceCollect::Yes, |this, _attrs| {
1626            Ok((f(this)?, Trailing::No, UsePreAttrPos::No))
1627        })
1628    }
1629
1630    /// Checks for `::` or, potentially, `:::` and then look ahead after it.
1631    fn check_path_sep_and_look_ahead(&mut self, looker: impl Fn(&Token) -> bool) -> bool {
1632        if self.check(crate::parser::token_type::ExpTokenPair {
    tok: rustc_ast::token::PathSep,
    token_type: crate::parser::token_type::TokenType::PathSep,
}exp!(PathSep)) {
1633            if self.may_recover() && self.look_ahead(1, |t| t.kind == token::Colon) {
1634                if true {
    if !!self.look_ahead(1, &looker) {
        {
            ::core::panicking::panic_fmt(format_args!("Looker must not match on colon"));
        }
    };
};debug_assert!(!self.look_ahead(1, &looker), "Looker must not match on colon");
1635                self.look_ahead(2, looker)
1636            } else {
1637                self.look_ahead(1, looker)
1638            }
1639        } else {
1640            false
1641        }
1642    }
1643
1644    /// `::{` or `::*`
1645    fn is_import_coupler(&mut self) -> bool {
1646        self.check_path_sep_and_look_ahead(|t| #[allow(non_exhaustive_omitted_patterns)] match t.kind {
    token::OpenBrace | token::Star => true,
    _ => false,
}matches!(t.kind, token::OpenBrace | token::Star))
1647    }
1648
1649    // Debug view of the parser's token stream, up to `{lookahead}` tokens.
1650    // Only used when debugging.
1651    #[allow(unused)]
1652    pub(crate) fn debug_lookahead(&self, lookahead: usize) -> impl fmt::Debug {
1653        fmt::from_fn(move |f| {
1654            let mut dbg_fmt = f.debug_struct("Parser"); // or at least, one view of
1655
1656            // we don't need N spans, but we want at least one, so print all of prev_token
1657            dbg_fmt.field("prev_token", &self.prev_token);
1658            let mut tokens = ::alloc::vec::Vec::new()vec![];
1659            for i in 0..lookahead {
1660                let tok = self.look_ahead(i, |tok| tok.kind);
1661                let is_eof = tok == TokenKind::Eof;
1662                tokens.push(tok);
1663                if is_eof {
1664                    // Don't look ahead past EOF.
1665                    break;
1666                }
1667            }
1668            dbg_fmt.field_with("tokens", |field| field.debug_list().entries(tokens).finish());
1669            dbg_fmt.field("approx_token_stream_pos", &self.num_bump_calls);
1670
1671            // some fields are interesting for certain values, as they relate to macro parsing
1672            if let Some(subparser) = self.subparser_name {
1673                dbg_fmt.field("subparser_name", &subparser);
1674            }
1675            if let Recovery::Forbidden = self.recovery {
1676                dbg_fmt.field("recovery", &self.recovery);
1677            }
1678
1679            // imply there's "more to know" than this view
1680            dbg_fmt.finish_non_exhaustive()
1681        })
1682    }
1683
1684    pub fn clear_expected_token_types(&mut self) {
1685        self.expected_token_types.clear();
1686    }
1687
1688    pub fn approx_token_stream_pos(&self) -> u32 {
1689        self.num_bump_calls
1690    }
1691
1692    /// For interpolated `self.token`, returns a span of the fragment to which
1693    /// the interpolated token refers. For all other tokens this is just a
1694    /// regular span. It is particularly important to use this for identifiers
1695    /// and lifetimes for which spans affect name resolution and edition
1696    /// checks. Note that keywords are also identifiers, so they should use
1697    /// this if they keep spans or perform edition checks.
1698    pub fn token_uninterpolated_span(&self) -> Span {
1699        match &self.token.kind {
1700            token::NtIdent(ident, _) | token::NtLifetime(ident, _) => ident.span,
1701            token::OpenInvisible(InvisibleOrigin::MetaVar(_)) => self.look_ahead(1, |t| t.span),
1702            _ => self.token.span,
1703        }
1704    }
1705
1706    /// Like `token_uninterpolated_span`, but works on `self.prev_token`.
1707    pub fn prev_token_uninterpolated_span(&self) -> Span {
1708        match &self.prev_token.kind {
1709            token::NtIdent(ident, _) | token::NtLifetime(ident, _) => ident.span,
1710            token::OpenInvisible(InvisibleOrigin::MetaVar(_)) => self.look_ahead(0, |t| t.span),
1711            _ => self.prev_token.span,
1712        }
1713    }
1714
1715    fn missing_semi_from_binop(
1716        &self,
1717        kind_desc: &str,
1718        expr: &Expr,
1719        decl_lo: Option<Span>,
1720    ) -> Option<(Span, ErrorGuaranteed)> {
1721        if self.token == TokenKind::Semi {
1722            return None;
1723        }
1724        if !self.may_recover() || expr.span.from_expansion() {
1725            return None;
1726        }
1727        let sm = self.psess.source_map();
1728        if let ExprKind::Binary(op, lhs, rhs) = &expr.kind
1729            && sm.is_multiline(lhs.span.shrink_to_hi().until(rhs.span.shrink_to_lo()))
1730            && #[allow(non_exhaustive_omitted_patterns)] match op.node {
    BinOpKind::Mul | BinOpKind::BitAnd => true,
    _ => false,
}matches!(op.node, BinOpKind::Mul | BinOpKind::BitAnd)
1731            && classify::expr_requires_semi_to_be_stmt(rhs)
1732        {
1733            let lhs_end_span = lhs.span.shrink_to_hi();
1734            let token_str = token_descr(&self.token);
1735            let mut err = self
1736                .dcx()
1737                .struct_span_err(lhs_end_span, ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("expected `;`, found {0}",
                token_str))
    })format!("expected `;`, found {token_str}"));
1738            err.span_label(self.token.span, "unexpected token");
1739
1740            // Use the declaration start if provided, otherwise fall back to lhs_end_span.
1741            let continuation_start = decl_lo.unwrap_or(lhs_end_span);
1742            let continuation_span = continuation_start.until(rhs.span.shrink_to_hi());
1743            err.span_label(
1744                continuation_span,
1745                ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("to finish parsing this {0}, expected this to be followed by a `;`",
                kind_desc))
    })format!(
1746                    "to finish parsing this {kind_desc}, expected this to be followed by a `;`",
1747                ),
1748            );
1749            let op_desc = match op.node {
1750                BinOpKind::BitAnd => "a bit-and",
1751                BinOpKind::Mul => "a multiplication",
1752                _ => "a binary",
1753            };
1754            let mut note_spans = MultiSpan::new();
1755            note_spans.push_span_label(lhs.span, "parsed as the left-hand expression");
1756            note_spans.push_span_label(rhs.span, "parsed as the right-hand expression");
1757            note_spans.push_span_label(op.span, ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("this was parsed as {0}", op_desc))
    })format!("this was parsed as {op_desc}"));
1758            err.span_note(
1759                note_spans,
1760                ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("the {0} was parsed as having {1} binary expression",
                kind_desc, op_desc))
    })format!("the {kind_desc} was parsed as having {op_desc} binary expression"),
1761            );
1762
1763            err.span_suggestion(
1764                lhs_end_span,
1765                ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("you may have meant to write a `;` to terminate the {0} earlier",
                kind_desc))
    })format!("you may have meant to write a `;` to terminate the {kind_desc} earlier"),
1766                ";",
1767                Applicability::MaybeIncorrect,
1768            );
1769            return Some((lhs.span, err.emit()));
1770        }
1771        None
1772    }
1773}
1774
1775// Metavar captures of various kinds.
1776#[derive(#[automatically_derived]
impl ::core::clone::Clone for ParseNtResult {
    #[inline]
    fn clone(&self) -> ParseNtResult {
        match self {
            ParseNtResult::Tt(__self_0) =>
                ParseNtResult::Tt(::core::clone::Clone::clone(__self_0)),
            ParseNtResult::Ident(__self_0, __self_1) =>
                ParseNtResult::Ident(::core::clone::Clone::clone(__self_0),
                    ::core::clone::Clone::clone(__self_1)),
            ParseNtResult::Lifetime(__self_0, __self_1) =>
                ParseNtResult::Lifetime(::core::clone::Clone::clone(__self_0),
                    ::core::clone::Clone::clone(__self_1)),
            ParseNtResult::Item(__self_0) =>
                ParseNtResult::Item(::core::clone::Clone::clone(__self_0)),
            ParseNtResult::Block(__self_0) =>
                ParseNtResult::Block(::core::clone::Clone::clone(__self_0)),
            ParseNtResult::Stmt(__self_0) =>
                ParseNtResult::Stmt(::core::clone::Clone::clone(__self_0)),
            ParseNtResult::Pat(__self_0, __self_1) =>
                ParseNtResult::Pat(::core::clone::Clone::clone(__self_0),
                    ::core::clone::Clone::clone(__self_1)),
            ParseNtResult::Expr(__self_0, __self_1) =>
                ParseNtResult::Expr(::core::clone::Clone::clone(__self_0),
                    ::core::clone::Clone::clone(__self_1)),
            ParseNtResult::Literal(__self_0) =>
                ParseNtResult::Literal(::core::clone::Clone::clone(__self_0)),
            ParseNtResult::Ty(__self_0) =>
                ParseNtResult::Ty(::core::clone::Clone::clone(__self_0)),
            ParseNtResult::Meta(__self_0) =>
                ParseNtResult::Meta(::core::clone::Clone::clone(__self_0)),
            ParseNtResult::Path(__self_0) =>
                ParseNtResult::Path(::core::clone::Clone::clone(__self_0)),
            ParseNtResult::Vis(__self_0) =>
                ParseNtResult::Vis(::core::clone::Clone::clone(__self_0)),
        }
    }
}Clone, #[automatically_derived]
impl ::core::fmt::Debug for ParseNtResult {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        match self {
            ParseNtResult::Tt(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "Tt",
                    &__self_0),
            ParseNtResult::Ident(__self_0, __self_1) =>
                ::core::fmt::Formatter::debug_tuple_field2_finish(f, "Ident",
                    __self_0, &__self_1),
            ParseNtResult::Lifetime(__self_0, __self_1) =>
                ::core::fmt::Formatter::debug_tuple_field2_finish(f,
                    "Lifetime", __self_0, &__self_1),
            ParseNtResult::Item(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "Item",
                    &__self_0),
            ParseNtResult::Block(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "Block",
                    &__self_0),
            ParseNtResult::Stmt(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "Stmt",
                    &__self_0),
            ParseNtResult::Pat(__self_0, __self_1) =>
                ::core::fmt::Formatter::debug_tuple_field2_finish(f, "Pat",
                    __self_0, &__self_1),
            ParseNtResult::Expr(__self_0, __self_1) =>
                ::core::fmt::Formatter::debug_tuple_field2_finish(f, "Expr",
                    __self_0, &__self_1),
            ParseNtResult::Literal(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f,
                    "Literal", &__self_0),
            ParseNtResult::Ty(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "Ty",
                    &__self_0),
            ParseNtResult::Meta(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "Meta",
                    &__self_0),
            ParseNtResult::Path(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "Path",
                    &__self_0),
            ParseNtResult::Vis(__self_0) =>
                ::core::fmt::Formatter::debug_tuple_field1_finish(f, "Vis",
                    &__self_0),
        }
    }
}Debug)]
1777pub enum ParseNtResult {
1778    Tt(TokenTree),
1779    Ident(Ident, IdentIsRaw),
1780    Lifetime(Ident, IdentIsRaw),
1781    Item(Box<ast::Item>),
1782    Block(Box<ast::Block>),
1783    Stmt(Box<ast::Stmt>),
1784    Pat(Box<ast::Pat>, NtPatKind),
1785    Expr(Box<ast::Expr>, NtExprKind),
1786    Literal(Box<ast::Expr>),
1787    Ty(Box<ast::Ty>),
1788    Meta(Box<ast::AttrItem>),
1789    Path(Box<ast::Path>),
1790    Vis(Box<ast::Visibility>),
1791}