]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_hir/src/hir.rs
Rollup merge of #81575 - camelid:rustdoc-wrongnamespace-cleanup, r=jyn514
[rust.git] / compiler / rustc_hir / src / hir.rs
1 // ignore-tidy-filelength
2 use crate::def::{CtorKind, DefKind, Namespace, Res};
3 use crate::def_id::DefId;
4 crate use crate::hir_id::HirId;
5 use crate::{itemlikevisit, LangItem};
6
7 use rustc_ast::util::parser::ExprPrecedence;
8 use rustc_ast::{self as ast, CrateSugar, LlvmAsmDialect};
9 use rustc_ast::{AttrVec, Attribute, FloatTy, IntTy, Label, LitKind, StrStyle, UintTy};
10 pub use rustc_ast::{BorrowKind, ImplPolarity, IsAuto};
11 pub use rustc_ast::{CaptureBy, Movability, Mutability};
12 use rustc_ast::{InlineAsmOptions, InlineAsmTemplatePiece};
13 use rustc_data_structures::sync::{par_for_each_in, Send, Sync};
14 use rustc_macros::HashStable_Generic;
15 use rustc_span::source_map::{SourceMap, Spanned};
16 use rustc_span::symbol::{kw, sym, Ident, Symbol};
17 use rustc_span::{def_id::LocalDefId, BytePos};
18 use rustc_span::{MultiSpan, Span, DUMMY_SP};
19 use rustc_target::asm::InlineAsmRegOrRegClass;
20 use rustc_target::spec::abi::Abi;
21
22 use smallvec::SmallVec;
23 use std::collections::{BTreeMap, BTreeSet};
24 use std::fmt;
25
26 #[derive(Copy, Clone, Encodable, HashStable_Generic)]
27 pub struct Lifetime {
28     pub hir_id: HirId,
29     pub span: Span,
30
31     /// Either "`'a`", referring to a named lifetime definition,
32     /// or "``" (i.e., `kw::Empty`), for elision placeholders.
33     ///
34     /// HIR lowering inserts these placeholders in type paths that
35     /// refer to type definitions needing lifetime parameters,
36     /// `&T` and `&mut T`, and trait objects without `... + 'a`.
37     pub name: LifetimeName,
38 }
39
40 #[derive(Debug, Clone, PartialEq, Eq, Encodable, Hash, Copy)]
41 #[derive(HashStable_Generic)]
42 pub enum ParamName {
43     /// Some user-given name like `T` or `'x`.
44     Plain(Ident),
45
46     /// Synthetic name generated when user elided a lifetime in an impl header.
47     ///
48     /// E.g., the lifetimes in cases like these:
49     ///
50     ///     impl Foo for &u32
51     ///     impl Foo<'_> for u32
52     ///
53     /// in that case, we rewrite to
54     ///
55     ///     impl<'f> Foo for &'f u32
56     ///     impl<'f> Foo<'f> for u32
57     ///
58     /// where `'f` is something like `Fresh(0)`. The indices are
59     /// unique per impl, but not necessarily continuous.
60     Fresh(usize),
61
62     /// Indicates an illegal name was given and an error has been
63     /// reported (so we should squelch other derived errors). Occurs
64     /// when, e.g., `'_` is used in the wrong place.
65     Error,
66 }
67
68 impl ParamName {
69     pub fn ident(&self) -> Ident {
70         match *self {
71             ParamName::Plain(ident) => ident,
72             ParamName::Fresh(_) | ParamName::Error => {
73                 Ident::with_dummy_span(kw::UnderscoreLifetime)
74             }
75         }
76     }
77
78     pub fn normalize_to_macros_2_0(&self) -> ParamName {
79         match *self {
80             ParamName::Plain(ident) => ParamName::Plain(ident.normalize_to_macros_2_0()),
81             param_name => param_name,
82         }
83     }
84 }
85
86 #[derive(Debug, Clone, PartialEq, Eq, Encodable, Hash, Copy)]
87 #[derive(HashStable_Generic)]
88 pub enum LifetimeName {
89     /// User-given names or fresh (synthetic) names.
90     Param(ParamName),
91
92     /// User wrote nothing (e.g., the lifetime in `&u32`).
93     Implicit,
94
95     /// Implicit lifetime in a context like `dyn Foo`. This is
96     /// distinguished from implicit lifetimes elsewhere because the
97     /// lifetime that they default to must appear elsewhere within the
98     /// enclosing type.  This means that, in an `impl Trait` context, we
99     /// don't have to create a parameter for them. That is, `impl
100     /// Trait<Item = &u32>` expands to an opaque type like `type
101     /// Foo<'a> = impl Trait<Item = &'a u32>`, but `impl Trait<item =
102     /// dyn Bar>` expands to `type Foo = impl Trait<Item = dyn Bar +
103     /// 'static>`. The latter uses `ImplicitObjectLifetimeDefault` so
104     /// that surrounding code knows not to create a lifetime
105     /// parameter.
106     ImplicitObjectLifetimeDefault,
107
108     /// Indicates an error during lowering (usually `'_` in wrong place)
109     /// that was already reported.
110     Error,
111
112     /// User wrote specifies `'_`.
113     Underscore,
114
115     /// User wrote `'static`.
116     Static,
117 }
118
119 impl LifetimeName {
120     pub fn ident(&self) -> Ident {
121         match *self {
122             LifetimeName::ImplicitObjectLifetimeDefault
123             | LifetimeName::Implicit
124             | LifetimeName::Error => Ident::invalid(),
125             LifetimeName::Underscore => Ident::with_dummy_span(kw::UnderscoreLifetime),
126             LifetimeName::Static => Ident::with_dummy_span(kw::StaticLifetime),
127             LifetimeName::Param(param_name) => param_name.ident(),
128         }
129     }
130
131     pub fn is_elided(&self) -> bool {
132         match self {
133             LifetimeName::ImplicitObjectLifetimeDefault
134             | LifetimeName::Implicit
135             | LifetimeName::Underscore => true,
136
137             // It might seem surprising that `Fresh(_)` counts as
138             // *not* elided -- but this is because, as far as the code
139             // in the compiler is concerned -- `Fresh(_)` variants act
140             // equivalently to "some fresh name". They correspond to
141             // early-bound regions on an impl, in other words.
142             LifetimeName::Error | LifetimeName::Param(_) | LifetimeName::Static => false,
143         }
144     }
145
146     fn is_static(&self) -> bool {
147         self == &LifetimeName::Static
148     }
149
150     pub fn normalize_to_macros_2_0(&self) -> LifetimeName {
151         match *self {
152             LifetimeName::Param(param_name) => {
153                 LifetimeName::Param(param_name.normalize_to_macros_2_0())
154             }
155             lifetime_name => lifetime_name,
156         }
157     }
158 }
159
160 impl fmt::Display for Lifetime {
161     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
162         self.name.ident().fmt(f)
163     }
164 }
165
166 impl fmt::Debug for Lifetime {
167     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
168         write!(f, "lifetime({}: {})", self.hir_id, self.name.ident())
169     }
170 }
171
172 impl Lifetime {
173     pub fn is_elided(&self) -> bool {
174         self.name.is_elided()
175     }
176
177     pub fn is_static(&self) -> bool {
178         self.name.is_static()
179     }
180 }
181
182 /// A `Path` is essentially Rust's notion of a name; for instance,
183 /// `std::cmp::PartialEq`. It's represented as a sequence of identifiers,
184 /// along with a bunch of supporting information.
185 #[derive(Debug, HashStable_Generic)]
186 pub struct Path<'hir> {
187     pub span: Span,
188     /// The resolution for the path.
189     pub res: Res,
190     /// The segments in the path: the things separated by `::`.
191     pub segments: &'hir [PathSegment<'hir>],
192 }
193
194 impl Path<'_> {
195     pub fn is_global(&self) -> bool {
196         !self.segments.is_empty() && self.segments[0].ident.name == kw::PathRoot
197     }
198 }
199
200 /// A segment of a path: an identifier, an optional lifetime, and a set of
201 /// types.
202 #[derive(Debug, HashStable_Generic)]
203 pub struct PathSegment<'hir> {
204     /// The identifier portion of this path segment.
205     #[stable_hasher(project(name))]
206     pub ident: Ident,
207     // `id` and `res` are optional. We currently only use these in save-analysis,
208     // any path segments without these will not have save-analysis info and
209     // therefore will not have 'jump to def' in IDEs, but otherwise will not be
210     // affected. (In general, we don't bother to get the defs for synthesized
211     // segments, only for segments which have come from the AST).
212     pub hir_id: Option<HirId>,
213     pub res: Option<Res>,
214
215     /// Type/lifetime parameters attached to this path. They come in
216     /// two flavors: `Path<A,B,C>` and `Path(A,B) -> C`. Note that
217     /// this is more than just simple syntactic sugar; the use of
218     /// parens affects the region binding rules, so we preserve the
219     /// distinction.
220     pub args: Option<&'hir GenericArgs<'hir>>,
221
222     /// Whether to infer remaining type parameters, if any.
223     /// This only applies to expression and pattern paths, and
224     /// out of those only the segments with no type parameters
225     /// to begin with, e.g., `Vec::new` is `<Vec<..>>::new::<..>`.
226     pub infer_args: bool,
227 }
228
229 impl<'hir> PathSegment<'hir> {
230     /// Converts an identifier to the corresponding segment.
231     pub fn from_ident(ident: Ident) -> PathSegment<'hir> {
232         PathSegment { ident, hir_id: None, res: None, infer_args: true, args: None }
233     }
234
235     pub fn invalid() -> Self {
236         Self::from_ident(Ident::invalid())
237     }
238
239     pub fn args(&self) -> &GenericArgs<'hir> {
240         if let Some(ref args) = self.args {
241             args
242         } else {
243             const DUMMY: &GenericArgs<'_> = &GenericArgs::none();
244             DUMMY
245         }
246     }
247 }
248
249 #[derive(Encodable, Debug, HashStable_Generic)]
250 pub struct ConstArg {
251     pub value: AnonConst,
252     pub span: Span,
253 }
254
255 #[derive(Debug, HashStable_Generic)]
256 pub enum GenericArg<'hir> {
257     Lifetime(Lifetime),
258     Type(Ty<'hir>),
259     Const(ConstArg),
260 }
261
262 impl GenericArg<'_> {
263     pub fn span(&self) -> Span {
264         match self {
265             GenericArg::Lifetime(l) => l.span,
266             GenericArg::Type(t) => t.span,
267             GenericArg::Const(c) => c.span,
268         }
269     }
270
271     pub fn id(&self) -> HirId {
272         match self {
273             GenericArg::Lifetime(l) => l.hir_id,
274             GenericArg::Type(t) => t.hir_id,
275             GenericArg::Const(c) => c.value.hir_id,
276         }
277     }
278
279     pub fn is_const(&self) -> bool {
280         matches!(self, GenericArg::Const(_))
281     }
282
283     pub fn is_synthetic(&self) -> bool {
284         matches!(self, GenericArg::Lifetime(lifetime) if lifetime.name.ident() == Ident::invalid())
285     }
286
287     pub fn descr(&self) -> &'static str {
288         match self {
289             GenericArg::Lifetime(_) => "lifetime",
290             GenericArg::Type(_) => "type",
291             GenericArg::Const(_) => "constant",
292         }
293     }
294
295     pub fn to_ord(&self, feats: &rustc_feature::Features) -> ast::ParamKindOrd {
296         match self {
297             GenericArg::Lifetime(_) => ast::ParamKindOrd::Lifetime,
298             GenericArg::Type(_) => ast::ParamKindOrd::Type,
299             GenericArg::Const(_) => ast::ParamKindOrd::Const { unordered: feats.const_generics },
300         }
301     }
302 }
303
304 #[derive(Debug, HashStable_Generic)]
305 pub struct GenericArgs<'hir> {
306     /// The generic arguments for this path segment.
307     pub args: &'hir [GenericArg<'hir>],
308     /// Bindings (equality constraints) on associated types, if present.
309     /// E.g., `Foo<A = Bar>`.
310     pub bindings: &'hir [TypeBinding<'hir>],
311     /// Were arguments written in parenthesized form `Fn(T) -> U`?
312     /// This is required mostly for pretty-printing and diagnostics,
313     /// but also for changing lifetime elision rules to be "function-like".
314     pub parenthesized: bool,
315 }
316
317 impl GenericArgs<'_> {
318     pub const fn none() -> Self {
319         Self { args: &[], bindings: &[], parenthesized: false }
320     }
321
322     pub fn inputs(&self) -> &[Ty<'_>] {
323         if self.parenthesized {
324             for arg in self.args {
325                 match arg {
326                     GenericArg::Lifetime(_) => {}
327                     GenericArg::Type(ref ty) => {
328                         if let TyKind::Tup(ref tys) = ty.kind {
329                             return tys;
330                         }
331                         break;
332                     }
333                     GenericArg::Const(_) => {}
334                 }
335             }
336         }
337         panic!("GenericArgs::inputs: not a `Fn(T) -> U`");
338     }
339
340     pub fn own_counts(&self) -> GenericParamCount {
341         // We could cache this as a property of `GenericParamCount`, but
342         // the aim is to refactor this away entirely eventually and the
343         // presence of this method will be a constant reminder.
344         let mut own_counts: GenericParamCount = Default::default();
345
346         for arg in self.args {
347             match arg {
348                 GenericArg::Lifetime(_) => own_counts.lifetimes += 1,
349                 GenericArg::Type(_) => own_counts.types += 1,
350                 GenericArg::Const(_) => own_counts.consts += 1,
351             };
352         }
353
354         own_counts
355     }
356
357     pub fn span(&self) -> Option<Span> {
358         self.args
359             .iter()
360             .filter(|arg| !arg.is_synthetic())
361             .map(|arg| arg.span())
362             .reduce(|span1, span2| span1.to(span2))
363     }
364
365     /// Returns span encompassing arguments and their surrounding `<>` or `()`
366     pub fn span_ext(&self, sm: &SourceMap) -> Option<Span> {
367         let mut span = self.span()?;
368
369         let (o, c) = if self.parenthesized { ('(', ')') } else { ('<', '>') };
370
371         if let Ok(snippet) = sm.span_to_snippet(span) {
372             let snippet = snippet.as_bytes();
373
374             if snippet[0] != (o as u8) || snippet[snippet.len() - 1] != (c as u8) {
375                 span = sm.span_extend_to_prev_char(span, o, true);
376                 span = span.with_lo(span.lo() - BytePos(1));
377
378                 span = sm.span_extend_to_next_char(span, c, true);
379                 span = span.with_hi(span.hi() + BytePos(1));
380             }
381         }
382
383         Some(span)
384     }
385
386     pub fn is_empty(&self) -> bool {
387         self.args.is_empty()
388     }
389 }
390
391 /// A modifier on a bound, currently this is only used for `?Sized`, where the
392 /// modifier is `Maybe`. Negative bounds should also be handled here.
393 #[derive(Copy, Clone, PartialEq, Eq, Encodable, Hash, Debug)]
394 #[derive(HashStable_Generic)]
395 pub enum TraitBoundModifier {
396     None,
397     Maybe,
398     MaybeConst,
399 }
400
401 /// The AST represents all type param bounds as types.
402 /// `typeck::collect::compute_bounds` matches these against
403 /// the "special" built-in traits (see `middle::lang_items`) and
404 /// detects `Copy`, `Send` and `Sync`.
405 #[derive(Debug, HashStable_Generic)]
406 pub enum GenericBound<'hir> {
407     Trait(PolyTraitRef<'hir>, TraitBoundModifier),
408     // FIXME(davidtwco): Introduce `PolyTraitRef::LangItem`
409     LangItemTrait(LangItem, Span, HirId, &'hir GenericArgs<'hir>),
410     Outlives(Lifetime),
411 }
412
413 impl GenericBound<'_> {
414     pub fn trait_ref(&self) -> Option<&TraitRef<'_>> {
415         match self {
416             GenericBound::Trait(data, _) => Some(&data.trait_ref),
417             _ => None,
418         }
419     }
420
421     pub fn span(&self) -> Span {
422         match self {
423             GenericBound::Trait(t, ..) => t.span,
424             GenericBound::LangItemTrait(_, span, ..) => *span,
425             GenericBound::Outlives(l) => l.span,
426         }
427     }
428 }
429
430 pub type GenericBounds<'hir> = &'hir [GenericBound<'hir>];
431
432 #[derive(Copy, Clone, PartialEq, Eq, Encodable, Debug, HashStable_Generic)]
433 pub enum LifetimeParamKind {
434     // Indicates that the lifetime definition was explicitly declared (e.g., in
435     // `fn foo<'a>(x: &'a u8) -> &'a u8 { x }`).
436     Explicit,
437
438     // Indicates that the lifetime definition was synthetically added
439     // as a result of an in-band lifetime usage (e.g., in
440     // `fn foo(x: &'a u8) -> &'a u8 { x }`).
441     InBand,
442
443     // Indication that the lifetime was elided (e.g., in both cases in
444     // `fn foo(x: &u8) -> &'_ u8 { x }`).
445     Elided,
446
447     // Indication that the lifetime name was somehow in error.
448     Error,
449 }
450
451 #[derive(Debug, HashStable_Generic)]
452 pub enum GenericParamKind<'hir> {
453     /// A lifetime definition (e.g., `'a: 'b + 'c + 'd`).
454     Lifetime {
455         kind: LifetimeParamKind,
456     },
457     Type {
458         default: Option<&'hir Ty<'hir>>,
459         synthetic: Option<SyntheticTyParamKind>,
460     },
461     Const {
462         ty: &'hir Ty<'hir>,
463         /// Optional default value for the const generic param
464         default: Option<AnonConst>,
465     },
466 }
467
468 #[derive(Debug, HashStable_Generic)]
469 pub struct GenericParam<'hir> {
470     pub hir_id: HirId,
471     pub name: ParamName,
472     pub attrs: &'hir [Attribute],
473     pub bounds: GenericBounds<'hir>,
474     pub span: Span,
475     pub pure_wrt_drop: bool,
476     pub kind: GenericParamKind<'hir>,
477 }
478
479 impl GenericParam<'hir> {
480     pub fn bounds_span(&self) -> Option<Span> {
481         self.bounds.iter().fold(None, |span, bound| {
482             let span = span.map(|s| s.to(bound.span())).unwrap_or_else(|| bound.span());
483
484             Some(span)
485         })
486     }
487 }
488
489 #[derive(Default)]
490 pub struct GenericParamCount {
491     pub lifetimes: usize,
492     pub types: usize,
493     pub consts: usize,
494 }
495
496 /// Represents lifetimes and type parameters attached to a declaration
497 /// of a function, enum, trait, etc.
498 #[derive(Debug, HashStable_Generic)]
499 pub struct Generics<'hir> {
500     pub params: &'hir [GenericParam<'hir>],
501     pub where_clause: WhereClause<'hir>,
502     pub span: Span,
503 }
504
505 impl Generics<'hir> {
506     pub const fn empty() -> Generics<'hir> {
507         Generics {
508             params: &[],
509             where_clause: WhereClause { predicates: &[], span: DUMMY_SP },
510             span: DUMMY_SP,
511         }
512     }
513
514     pub fn get_named(&self, name: Symbol) -> Option<&GenericParam<'_>> {
515         for param in self.params {
516             if name == param.name.ident().name {
517                 return Some(param);
518             }
519         }
520         None
521     }
522
523     pub fn spans(&self) -> MultiSpan {
524         if self.params.is_empty() {
525             self.span.into()
526         } else {
527             self.params.iter().map(|p| p.span).collect::<Vec<Span>>().into()
528         }
529     }
530 }
531
532 /// Synthetic type parameters are converted to another form during lowering; this allows
533 /// us to track the original form they had, and is useful for error messages.
534 #[derive(Copy, Clone, PartialEq, Eq, Encodable, Decodable, Hash, Debug)]
535 #[derive(HashStable_Generic)]
536 pub enum SyntheticTyParamKind {
537     ImplTrait,
538     // Created by the `#[rustc_synthetic]` attribute.
539     FromAttr,
540 }
541
542 /// A where-clause in a definition.
543 #[derive(Debug, HashStable_Generic)]
544 pub struct WhereClause<'hir> {
545     pub predicates: &'hir [WherePredicate<'hir>],
546     // Only valid if predicates aren't empty.
547     pub span: Span,
548 }
549
550 impl WhereClause<'_> {
551     pub fn span(&self) -> Option<Span> {
552         if self.predicates.is_empty() { None } else { Some(self.span) }
553     }
554
555     /// The `WhereClause` under normal circumstances points at either the predicates or the empty
556     /// space where the `where` clause should be. Only of use for diagnostic suggestions.
557     pub fn span_for_predicates_or_empty_place(&self) -> Span {
558         self.span
559     }
560
561     /// `Span` where further predicates would be suggested, accounting for trailing commas, like
562     ///  in `fn foo<T>(t: T) where T: Foo,` so we don't suggest two trailing commas.
563     pub fn tail_span_for_suggestion(&self) -> Span {
564         let end = self.span_for_predicates_or_empty_place().shrink_to_hi();
565         self.predicates.last().map_or(end, |p| p.span()).shrink_to_hi().to(end)
566     }
567 }
568
569 /// A single predicate in a where-clause.
570 #[derive(Debug, HashStable_Generic)]
571 pub enum WherePredicate<'hir> {
572     /// A type binding (e.g., `for<'c> Foo: Send + Clone + 'c`).
573     BoundPredicate(WhereBoundPredicate<'hir>),
574     /// A lifetime predicate (e.g., `'a: 'b + 'c`).
575     RegionPredicate(WhereRegionPredicate<'hir>),
576     /// An equality predicate (unsupported).
577     EqPredicate(WhereEqPredicate<'hir>),
578 }
579
580 impl WherePredicate<'_> {
581     pub fn span(&self) -> Span {
582         match self {
583             WherePredicate::BoundPredicate(p) => p.span,
584             WherePredicate::RegionPredicate(p) => p.span,
585             WherePredicate::EqPredicate(p) => p.span,
586         }
587     }
588 }
589
590 /// A type bound (e.g., `for<'c> Foo: Send + Clone + 'c`).
591 #[derive(Debug, HashStable_Generic)]
592 pub struct WhereBoundPredicate<'hir> {
593     pub span: Span,
594     /// Any generics from a `for` binding.
595     pub bound_generic_params: &'hir [GenericParam<'hir>],
596     /// The type being bounded.
597     pub bounded_ty: &'hir Ty<'hir>,
598     /// Trait and lifetime bounds (e.g., `Clone + Send + 'static`).
599     pub bounds: GenericBounds<'hir>,
600 }
601
602 /// A lifetime predicate (e.g., `'a: 'b + 'c`).
603 #[derive(Debug, HashStable_Generic)]
604 pub struct WhereRegionPredicate<'hir> {
605     pub span: Span,
606     pub lifetime: Lifetime,
607     pub bounds: GenericBounds<'hir>,
608 }
609
610 /// An equality predicate (e.g., `T = int`); currently unsupported.
611 #[derive(Debug, HashStable_Generic)]
612 pub struct WhereEqPredicate<'hir> {
613     pub hir_id: HirId,
614     pub span: Span,
615     pub lhs_ty: &'hir Ty<'hir>,
616     pub rhs_ty: &'hir Ty<'hir>,
617 }
618
619 #[derive(Default, Encodable, Debug, HashStable_Generic)]
620 pub struct ModuleItems {
621     // Use BTreeSets here so items are in the same order as in the
622     // list of all items in Crate
623     pub items: BTreeSet<ItemId>,
624     pub trait_items: BTreeSet<TraitItemId>,
625     pub impl_items: BTreeSet<ImplItemId>,
626     pub foreign_items: BTreeSet<ForeignItemId>,
627 }
628
629 /// A type representing only the top-level module.
630 #[derive(Encodable, Debug, HashStable_Generic)]
631 pub struct CrateItem<'hir> {
632     pub module: Mod<'hir>,
633     pub attrs: &'hir [Attribute],
634     pub span: Span,
635 }
636
637 /// The top-level data structure that stores the entire contents of
638 /// the crate currently being compiled.
639 ///
640 /// For more details, see the [rustc dev guide].
641 ///
642 /// [rustc dev guide]: https://rustc-dev-guide.rust-lang.org/hir.html
643 #[derive(Debug)]
644 pub struct Crate<'hir> {
645     pub item: CrateItem<'hir>,
646     pub exported_macros: &'hir [MacroDef<'hir>],
647     // Attributes from non-exported macros, kept only for collecting the library feature list.
648     pub non_exported_macro_attrs: &'hir [Attribute],
649
650     // N.B., we use a `BTreeMap` here so that `visit_all_items` iterates
651     // over the ids in increasing order. In principle it should not
652     // matter what order we visit things in, but in *practice* it
653     // does, because it can affect the order in which errors are
654     // detected, which in turn can make UI tests yield
655     // slightly different results.
656     pub items: BTreeMap<ItemId, Item<'hir>>,
657
658     pub trait_items: BTreeMap<TraitItemId, TraitItem<'hir>>,
659     pub impl_items: BTreeMap<ImplItemId, ImplItem<'hir>>,
660     pub foreign_items: BTreeMap<ForeignItemId, ForeignItem<'hir>>,
661     pub bodies: BTreeMap<BodyId, Body<'hir>>,
662     pub trait_impls: BTreeMap<DefId, Vec<LocalDefId>>,
663
664     /// A list of the body ids written out in the order in which they
665     /// appear in the crate. If you're going to process all the bodies
666     /// in the crate, you should iterate over this list rather than the keys
667     /// of bodies.
668     pub body_ids: Vec<BodyId>,
669
670     /// A list of modules written out in the order in which they
671     /// appear in the crate. This includes the main crate module.
672     pub modules: BTreeMap<LocalDefId, ModuleItems>,
673     /// A list of proc macro HirIds, written out in the order in which
674     /// they are declared in the static array generated by proc_macro_harness.
675     pub proc_macros: Vec<HirId>,
676
677     pub trait_map: BTreeMap<HirId, Vec<TraitCandidate>>,
678 }
679
680 impl Crate<'hir> {
681     pub fn item(&self, id: ItemId) -> &Item<'hir> {
682         &self.items[&id]
683     }
684
685     pub fn trait_item(&self, id: TraitItemId) -> &TraitItem<'hir> {
686         &self.trait_items[&id]
687     }
688
689     pub fn impl_item(&self, id: ImplItemId) -> &ImplItem<'hir> {
690         &self.impl_items[&id]
691     }
692
693     pub fn foreign_item(&self, id: ForeignItemId) -> &ForeignItem<'hir> {
694         &self.foreign_items[&id]
695     }
696
697     pub fn body(&self, id: BodyId) -> &Body<'hir> {
698         &self.bodies[&id]
699     }
700 }
701
702 impl Crate<'_> {
703     /// Visits all items in the crate in some deterministic (but
704     /// unspecified) order. If you just need to process every item,
705     /// but don't care about nesting, this method is the best choice.
706     ///
707     /// If you do care about nesting -- usually because your algorithm
708     /// follows lexical scoping rules -- then you want a different
709     /// approach. You should override `visit_nested_item` in your
710     /// visitor and then call `intravisit::walk_crate` instead.
711     pub fn visit_all_item_likes<'hir, V>(&'hir self, visitor: &mut V)
712     where
713         V: itemlikevisit::ItemLikeVisitor<'hir>,
714     {
715         for item in self.items.values() {
716             visitor.visit_item(item);
717         }
718
719         for trait_item in self.trait_items.values() {
720             visitor.visit_trait_item(trait_item);
721         }
722
723         for impl_item in self.impl_items.values() {
724             visitor.visit_impl_item(impl_item);
725         }
726
727         for foreign_item in self.foreign_items.values() {
728             visitor.visit_foreign_item(foreign_item);
729         }
730     }
731
732     /// A parallel version of `visit_all_item_likes`.
733     pub fn par_visit_all_item_likes<'hir, V>(&'hir self, visitor: &V)
734     where
735         V: itemlikevisit::ParItemLikeVisitor<'hir> + Sync + Send,
736     {
737         parallel!(
738             {
739                 par_for_each_in(&self.items, |(_, item)| {
740                     visitor.visit_item(item);
741                 });
742             },
743             {
744                 par_for_each_in(&self.trait_items, |(_, trait_item)| {
745                     visitor.visit_trait_item(trait_item);
746                 });
747             },
748             {
749                 par_for_each_in(&self.impl_items, |(_, impl_item)| {
750                     visitor.visit_impl_item(impl_item);
751                 });
752             },
753             {
754                 par_for_each_in(&self.foreign_items, |(_, foreign_item)| {
755                     visitor.visit_foreign_item(foreign_item);
756                 });
757             }
758         );
759     }
760 }
761
762 /// A macro definition, in this crate or imported from another.
763 ///
764 /// Not parsed directly, but created on macro import or `macro_rules!` expansion.
765 #[derive(Debug)]
766 pub struct MacroDef<'hir> {
767     pub ident: Ident,
768     pub vis: Visibility<'hir>,
769     pub attrs: &'hir [Attribute],
770     pub def_id: LocalDefId,
771     pub span: Span,
772     pub ast: ast::MacroDef,
773 }
774
775 impl MacroDef<'_> {
776     pub fn hir_id(&self) -> HirId {
777         HirId::make_owner(self.def_id)
778     }
779 }
780
781 /// A block of statements `{ .. }`, which may have a label (in this case the
782 /// `targeted_by_break` field will be `true`) and may be `unsafe` by means of
783 /// the `rules` being anything but `DefaultBlock`.
784 #[derive(Debug, HashStable_Generic)]
785 pub struct Block<'hir> {
786     /// Statements in a block.
787     pub stmts: &'hir [Stmt<'hir>],
788     /// An expression at the end of the block
789     /// without a semicolon, if any.
790     pub expr: Option<&'hir Expr<'hir>>,
791     #[stable_hasher(ignore)]
792     pub hir_id: HirId,
793     /// Distinguishes between `unsafe { ... }` and `{ ... }`.
794     pub rules: BlockCheckMode,
795     pub span: Span,
796     /// If true, then there may exist `break 'a` values that aim to
797     /// break out of this block early.
798     /// Used by `'label: {}` blocks and by `try {}` blocks.
799     pub targeted_by_break: bool,
800 }
801
802 #[derive(Debug, HashStable_Generic)]
803 pub struct Pat<'hir> {
804     #[stable_hasher(ignore)]
805     pub hir_id: HirId,
806     pub kind: PatKind<'hir>,
807     pub span: Span,
808     // Whether to use default binding modes.
809     // At present, this is false only for destructuring assignment.
810     pub default_binding_modes: bool,
811 }
812
813 impl<'hir> Pat<'hir> {
814     // FIXME(#19596) this is a workaround, but there should be a better way
815     fn walk_short_(&self, it: &mut impl FnMut(&Pat<'hir>) -> bool) -> bool {
816         if !it(self) {
817             return false;
818         }
819
820         use PatKind::*;
821         match &self.kind {
822             Wild | Lit(_) | Range(..) | Binding(.., None) | Path(_) => true,
823             Box(s) | Ref(s, _) | Binding(.., Some(s)) => s.walk_short_(it),
824             Struct(_, fields, _) => fields.iter().all(|field| field.pat.walk_short_(it)),
825             TupleStruct(_, s, _) | Tuple(s, _) | Or(s) => s.iter().all(|p| p.walk_short_(it)),
826             Slice(before, slice, after) => {
827                 before.iter().chain(slice.iter()).chain(after.iter()).all(|p| p.walk_short_(it))
828             }
829         }
830     }
831
832     /// Walk the pattern in left-to-right order,
833     /// short circuiting (with `.all(..)`) if `false` is returned.
834     ///
835     /// Note that when visiting e.g. `Tuple(ps)`,
836     /// if visiting `ps[0]` returns `false`,
837     /// then `ps[1]` will not be visited.
838     pub fn walk_short(&self, mut it: impl FnMut(&Pat<'hir>) -> bool) -> bool {
839         self.walk_short_(&mut it)
840     }
841
842     // FIXME(#19596) this is a workaround, but there should be a better way
843     fn walk_(&self, it: &mut impl FnMut(&Pat<'hir>) -> bool) {
844         if !it(self) {
845             return;
846         }
847
848         use PatKind::*;
849         match &self.kind {
850             Wild | Lit(_) | Range(..) | Binding(.., None) | Path(_) => {}
851             Box(s) | Ref(s, _) | Binding(.., Some(s)) => s.walk_(it),
852             Struct(_, fields, _) => fields.iter().for_each(|field| field.pat.walk_(it)),
853             TupleStruct(_, s, _) | Tuple(s, _) | Or(s) => s.iter().for_each(|p| p.walk_(it)),
854             Slice(before, slice, after) => {
855                 before.iter().chain(slice.iter()).chain(after.iter()).for_each(|p| p.walk_(it))
856             }
857         }
858     }
859
860     /// Walk the pattern in left-to-right order.
861     ///
862     /// If `it(pat)` returns `false`, the children are not visited.
863     pub fn walk(&self, mut it: impl FnMut(&Pat<'hir>) -> bool) {
864         self.walk_(&mut it)
865     }
866
867     /// Walk the pattern in left-to-right order.
868     ///
869     /// If you always want to recurse, prefer this method over `walk`.
870     pub fn walk_always(&self, mut it: impl FnMut(&Pat<'_>)) {
871         self.walk(|p| {
872             it(p);
873             true
874         })
875     }
876 }
877
878 /// A single field in a struct pattern.
879 ///
880 /// Patterns like the fields of Foo `{ x, ref y, ref mut z }`
881 /// are treated the same as` x: x, y: ref y, z: ref mut z`,
882 /// except `is_shorthand` is true.
883 #[derive(Debug, HashStable_Generic)]
884 pub struct FieldPat<'hir> {
885     #[stable_hasher(ignore)]
886     pub hir_id: HirId,
887     /// The identifier for the field.
888     #[stable_hasher(project(name))]
889     pub ident: Ident,
890     /// The pattern the field is destructured to.
891     pub pat: &'hir Pat<'hir>,
892     pub is_shorthand: bool,
893     pub span: Span,
894 }
895
896 /// Explicit binding annotations given in the HIR for a binding. Note
897 /// that this is not the final binding *mode* that we infer after type
898 /// inference.
899 #[derive(Copy, Clone, PartialEq, Encodable, Debug, HashStable_Generic)]
900 pub enum BindingAnnotation {
901     /// No binding annotation given: this means that the final binding mode
902     /// will depend on whether we have skipped through a `&` reference
903     /// when matching. For example, the `x` in `Some(x)` will have binding
904     /// mode `None`; if you do `let Some(x) = &Some(22)`, it will
905     /// ultimately be inferred to be by-reference.
906     ///
907     /// Note that implicit reference skipping is not implemented yet (#42640).
908     Unannotated,
909
910     /// Annotated with `mut x` -- could be either ref or not, similar to `None`.
911     Mutable,
912
913     /// Annotated as `ref`, like `ref x`
914     Ref,
915
916     /// Annotated as `ref mut x`.
917     RefMut,
918 }
919
920 #[derive(Copy, Clone, PartialEq, Encodable, Debug, HashStable_Generic)]
921 pub enum RangeEnd {
922     Included,
923     Excluded,
924 }
925
926 impl fmt::Display for RangeEnd {
927     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
928         f.write_str(match self {
929             RangeEnd::Included => "..=",
930             RangeEnd::Excluded => "..",
931         })
932     }
933 }
934
935 #[derive(Debug, HashStable_Generic)]
936 pub enum PatKind<'hir> {
937     /// Represents a wildcard pattern (i.e., `_`).
938     Wild,
939
940     /// A fresh binding `ref mut binding @ OPT_SUBPATTERN`.
941     /// The `HirId` is the canonical ID for the variable being bound,
942     /// (e.g., in `Ok(x) | Err(x)`, both `x` use the same canonical ID),
943     /// which is the pattern ID of the first `x`.
944     Binding(BindingAnnotation, HirId, Ident, Option<&'hir Pat<'hir>>),
945
946     /// A struct or struct variant pattern (e.g., `Variant {x, y, ..}`).
947     /// The `bool` is `true` in the presence of a `..`.
948     Struct(QPath<'hir>, &'hir [FieldPat<'hir>], bool),
949
950     /// A tuple struct/variant pattern `Variant(x, y, .., z)`.
951     /// If the `..` pattern fragment is present, then `Option<usize>` denotes its position.
952     /// `0 <= position <= subpats.len()`
953     TupleStruct(QPath<'hir>, &'hir [&'hir Pat<'hir>], Option<usize>),
954
955     /// An or-pattern `A | B | C`.
956     /// Invariant: `pats.len() >= 2`.
957     Or(&'hir [&'hir Pat<'hir>]),
958
959     /// A path pattern for an unit struct/variant or a (maybe-associated) constant.
960     Path(QPath<'hir>),
961
962     /// A tuple pattern (e.g., `(a, b)`).
963     /// If the `..` pattern fragment is present, then `Option<usize>` denotes its position.
964     /// `0 <= position <= subpats.len()`
965     Tuple(&'hir [&'hir Pat<'hir>], Option<usize>),
966
967     /// A `box` pattern.
968     Box(&'hir Pat<'hir>),
969
970     /// A reference pattern (e.g., `&mut (a, b)`).
971     Ref(&'hir Pat<'hir>, Mutability),
972
973     /// A literal.
974     Lit(&'hir Expr<'hir>),
975
976     /// A range pattern (e.g., `1..=2` or `1..2`).
977     Range(Option<&'hir Expr<'hir>>, Option<&'hir Expr<'hir>>, RangeEnd),
978
979     /// A slice pattern, `[before_0, ..., before_n, (slice, after_0, ..., after_n)?]`.
980     ///
981     /// Here, `slice` is lowered from the syntax `($binding_mode $ident @)? ..`.
982     /// If `slice` exists, then `after` can be non-empty.
983     ///
984     /// The representation for e.g., `[a, b, .., c, d]` is:
985     /// ```
986     /// PatKind::Slice([Binding(a), Binding(b)], Some(Wild), [Binding(c), Binding(d)])
987     /// ```
988     Slice(&'hir [&'hir Pat<'hir>], Option<&'hir Pat<'hir>>, &'hir [&'hir Pat<'hir>]),
989 }
990
991 #[derive(Copy, Clone, PartialEq, Encodable, Debug, HashStable_Generic)]
992 pub enum BinOpKind {
993     /// The `+` operator (addition).
994     Add,
995     /// The `-` operator (subtraction).
996     Sub,
997     /// The `*` operator (multiplication).
998     Mul,
999     /// The `/` operator (division).
1000     Div,
1001     /// The `%` operator (modulus).
1002     Rem,
1003     /// The `&&` operator (logical and).
1004     And,
1005     /// The `||` operator (logical or).
1006     Or,
1007     /// The `^` operator (bitwise xor).
1008     BitXor,
1009     /// The `&` operator (bitwise and).
1010     BitAnd,
1011     /// The `|` operator (bitwise or).
1012     BitOr,
1013     /// The `<<` operator (shift left).
1014     Shl,
1015     /// The `>>` operator (shift right).
1016     Shr,
1017     /// The `==` operator (equality).
1018     Eq,
1019     /// The `<` operator (less than).
1020     Lt,
1021     /// The `<=` operator (less than or equal to).
1022     Le,
1023     /// The `!=` operator (not equal to).
1024     Ne,
1025     /// The `>=` operator (greater than or equal to).
1026     Ge,
1027     /// The `>` operator (greater than).
1028     Gt,
1029 }
1030
1031 impl BinOpKind {
1032     pub fn as_str(self) -> &'static str {
1033         match self {
1034             BinOpKind::Add => "+",
1035             BinOpKind::Sub => "-",
1036             BinOpKind::Mul => "*",
1037             BinOpKind::Div => "/",
1038             BinOpKind::Rem => "%",
1039             BinOpKind::And => "&&",
1040             BinOpKind::Or => "||",
1041             BinOpKind::BitXor => "^",
1042             BinOpKind::BitAnd => "&",
1043             BinOpKind::BitOr => "|",
1044             BinOpKind::Shl => "<<",
1045             BinOpKind::Shr => ">>",
1046             BinOpKind::Eq => "==",
1047             BinOpKind::Lt => "<",
1048             BinOpKind::Le => "<=",
1049             BinOpKind::Ne => "!=",
1050             BinOpKind::Ge => ">=",
1051             BinOpKind::Gt => ">",
1052         }
1053     }
1054
1055     pub fn is_lazy(self) -> bool {
1056         matches!(self, BinOpKind::And | BinOpKind::Or)
1057     }
1058
1059     pub fn is_shift(self) -> bool {
1060         matches!(self, BinOpKind::Shl | BinOpKind::Shr)
1061     }
1062
1063     pub fn is_comparison(self) -> bool {
1064         match self {
1065             BinOpKind::Eq
1066             | BinOpKind::Lt
1067             | BinOpKind::Le
1068             | BinOpKind::Ne
1069             | BinOpKind::Gt
1070             | BinOpKind::Ge => true,
1071             BinOpKind::And
1072             | BinOpKind::Or
1073             | BinOpKind::Add
1074             | BinOpKind::Sub
1075             | BinOpKind::Mul
1076             | BinOpKind::Div
1077             | BinOpKind::Rem
1078             | BinOpKind::BitXor
1079             | BinOpKind::BitAnd
1080             | BinOpKind::BitOr
1081             | BinOpKind::Shl
1082             | BinOpKind::Shr => false,
1083         }
1084     }
1085
1086     /// Returns `true` if the binary operator takes its arguments by value.
1087     pub fn is_by_value(self) -> bool {
1088         !self.is_comparison()
1089     }
1090 }
1091
1092 impl Into<ast::BinOpKind> for BinOpKind {
1093     fn into(self) -> ast::BinOpKind {
1094         match self {
1095             BinOpKind::Add => ast::BinOpKind::Add,
1096             BinOpKind::Sub => ast::BinOpKind::Sub,
1097             BinOpKind::Mul => ast::BinOpKind::Mul,
1098             BinOpKind::Div => ast::BinOpKind::Div,
1099             BinOpKind::Rem => ast::BinOpKind::Rem,
1100             BinOpKind::And => ast::BinOpKind::And,
1101             BinOpKind::Or => ast::BinOpKind::Or,
1102             BinOpKind::BitXor => ast::BinOpKind::BitXor,
1103             BinOpKind::BitAnd => ast::BinOpKind::BitAnd,
1104             BinOpKind::BitOr => ast::BinOpKind::BitOr,
1105             BinOpKind::Shl => ast::BinOpKind::Shl,
1106             BinOpKind::Shr => ast::BinOpKind::Shr,
1107             BinOpKind::Eq => ast::BinOpKind::Eq,
1108             BinOpKind::Lt => ast::BinOpKind::Lt,
1109             BinOpKind::Le => ast::BinOpKind::Le,
1110             BinOpKind::Ne => ast::BinOpKind::Ne,
1111             BinOpKind::Ge => ast::BinOpKind::Ge,
1112             BinOpKind::Gt => ast::BinOpKind::Gt,
1113         }
1114     }
1115 }
1116
1117 pub type BinOp = Spanned<BinOpKind>;
1118
1119 #[derive(Copy, Clone, PartialEq, Encodable, Debug, HashStable_Generic)]
1120 pub enum UnOp {
1121     /// The `*` operator (deferencing).
1122     Deref,
1123     /// The `!` operator (logical negation).
1124     Not,
1125     /// The `-` operator (negation).
1126     Neg,
1127 }
1128
1129 impl UnOp {
1130     pub fn as_str(self) -> &'static str {
1131         match self {
1132             Self::Deref => "*",
1133             Self::Not => "!",
1134             Self::Neg => "-",
1135         }
1136     }
1137
1138     /// Returns `true` if the unary operator takes its argument by value.
1139     pub fn is_by_value(self) -> bool {
1140         matches!(self, Self::Neg | Self::Not)
1141     }
1142 }
1143
1144 /// A statement.
1145 #[derive(Debug, HashStable_Generic)]
1146 pub struct Stmt<'hir> {
1147     pub hir_id: HirId,
1148     pub kind: StmtKind<'hir>,
1149     pub span: Span,
1150 }
1151
1152 /// The contents of a statement.
1153 #[derive(Debug, HashStable_Generic)]
1154 pub enum StmtKind<'hir> {
1155     /// A local (`let`) binding.
1156     Local(&'hir Local<'hir>),
1157
1158     /// An item binding.
1159     Item(ItemId),
1160
1161     /// An expression without a trailing semi-colon (must have unit type).
1162     Expr(&'hir Expr<'hir>),
1163
1164     /// An expression with a trailing semi-colon (may have any type).
1165     Semi(&'hir Expr<'hir>),
1166 }
1167
1168 impl<'hir> StmtKind<'hir> {
1169     pub fn attrs(&self, get_item: impl FnOnce(ItemId) -> &'hir Item<'hir>) -> &'hir [Attribute] {
1170         match *self {
1171             StmtKind::Local(ref l) => &l.attrs,
1172             StmtKind::Item(ref item_id) => &get_item(*item_id).attrs,
1173             StmtKind::Expr(ref e) | StmtKind::Semi(ref e) => &e.attrs,
1174         }
1175     }
1176 }
1177
1178 /// Represents a `let` statement (i.e., `let <pat>:<ty> = <expr>;`).
1179 #[derive(Debug, HashStable_Generic)]
1180 pub struct Local<'hir> {
1181     pub pat: &'hir Pat<'hir>,
1182     /// Type annotation, if any (otherwise the type will be inferred).
1183     pub ty: Option<&'hir Ty<'hir>>,
1184     /// Initializer expression to set the value, if any.
1185     pub init: Option<&'hir Expr<'hir>>,
1186     pub hir_id: HirId,
1187     pub span: Span,
1188     pub attrs: AttrVec,
1189     /// Can be `ForLoopDesugar` if the `let` statement is part of a `for` loop
1190     /// desugaring. Otherwise will be `Normal`.
1191     pub source: LocalSource,
1192 }
1193
1194 /// Represents a single arm of a `match` expression, e.g.
1195 /// `<pat> (if <guard>) => <body>`.
1196 #[derive(Debug, HashStable_Generic)]
1197 pub struct Arm<'hir> {
1198     #[stable_hasher(ignore)]
1199     pub hir_id: HirId,
1200     pub span: Span,
1201     pub attrs: &'hir [Attribute],
1202     /// If this pattern and the optional guard matches, then `body` is evaluated.
1203     pub pat: &'hir Pat<'hir>,
1204     /// Optional guard clause.
1205     pub guard: Option<Guard<'hir>>,
1206     /// The expression the arm evaluates to if this arm matches.
1207     pub body: &'hir Expr<'hir>,
1208 }
1209
1210 #[derive(Debug, HashStable_Generic)]
1211 pub enum Guard<'hir> {
1212     If(&'hir Expr<'hir>),
1213     IfLet(&'hir Pat<'hir>, &'hir Expr<'hir>),
1214 }
1215
1216 #[derive(Debug, HashStable_Generic)]
1217 pub struct Field<'hir> {
1218     #[stable_hasher(ignore)]
1219     pub hir_id: HirId,
1220     pub ident: Ident,
1221     pub expr: &'hir Expr<'hir>,
1222     pub span: Span,
1223     pub is_shorthand: bool,
1224 }
1225
1226 #[derive(Copy, Clone, PartialEq, Encodable, Debug, HashStable_Generic)]
1227 pub enum BlockCheckMode {
1228     DefaultBlock,
1229     UnsafeBlock(UnsafeSource),
1230     PushUnsafeBlock(UnsafeSource),
1231     PopUnsafeBlock(UnsafeSource),
1232 }
1233
1234 #[derive(Copy, Clone, PartialEq, Encodable, Debug, HashStable_Generic)]
1235 pub enum UnsafeSource {
1236     CompilerGenerated,
1237     UserProvided,
1238 }
1239
1240 #[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Encodable, Hash, Debug)]
1241 pub struct BodyId {
1242     pub hir_id: HirId,
1243 }
1244
1245 /// The body of a function, closure, or constant value. In the case of
1246 /// a function, the body contains not only the function body itself
1247 /// (which is an expression), but also the argument patterns, since
1248 /// those are something that the caller doesn't really care about.
1249 ///
1250 /// # Examples
1251 ///
1252 /// ```
1253 /// fn foo((x, y): (u32, u32)) -> u32 {
1254 ///     x + y
1255 /// }
1256 /// ```
1257 ///
1258 /// Here, the `Body` associated with `foo()` would contain:
1259 ///
1260 /// - an `params` array containing the `(x, y)` pattern
1261 /// - a `value` containing the `x + y` expression (maybe wrapped in a block)
1262 /// - `generator_kind` would be `None`
1263 ///
1264 /// All bodies have an **owner**, which can be accessed via the HIR
1265 /// map using `body_owner_def_id()`.
1266 #[derive(Debug)]
1267 pub struct Body<'hir> {
1268     pub params: &'hir [Param<'hir>],
1269     pub value: Expr<'hir>,
1270     pub generator_kind: Option<GeneratorKind>,
1271 }
1272
1273 impl Body<'hir> {
1274     pub fn id(&self) -> BodyId {
1275         BodyId { hir_id: self.value.hir_id }
1276     }
1277
1278     pub fn generator_kind(&self) -> Option<GeneratorKind> {
1279         self.generator_kind
1280     }
1281 }
1282
1283 /// The type of source expression that caused this generator to be created.
1284 #[derive(
1285     Clone,
1286     PartialEq,
1287     PartialOrd,
1288     Eq,
1289     Hash,
1290     HashStable_Generic,
1291     Encodable,
1292     Decodable,
1293     Debug,
1294     Copy
1295 )]
1296 pub enum GeneratorKind {
1297     /// An explicit `async` block or the body of an async function.
1298     Async(AsyncGeneratorKind),
1299
1300     /// A generator literal created via a `yield` inside a closure.
1301     Gen,
1302 }
1303
1304 impl fmt::Display for GeneratorKind {
1305     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1306         match self {
1307             GeneratorKind::Async(k) => fmt::Display::fmt(k, f),
1308             GeneratorKind::Gen => f.write_str("generator"),
1309         }
1310     }
1311 }
1312
1313 impl GeneratorKind {
1314     pub fn descr(&self) -> &'static str {
1315         match self {
1316             GeneratorKind::Async(ask) => ask.descr(),
1317             GeneratorKind::Gen => "generator",
1318         }
1319     }
1320 }
1321
1322 /// In the case of a generator created as part of an async construct,
1323 /// which kind of async construct caused it to be created?
1324 ///
1325 /// This helps error messages but is also used to drive coercions in
1326 /// type-checking (see #60424).
1327 #[derive(
1328     Clone,
1329     PartialEq,
1330     PartialOrd,
1331     Eq,
1332     Hash,
1333     HashStable_Generic,
1334     Encodable,
1335     Decodable,
1336     Debug,
1337     Copy
1338 )]
1339 pub enum AsyncGeneratorKind {
1340     /// An explicit `async` block written by the user.
1341     Block,
1342
1343     /// An explicit `async` block written by the user.
1344     Closure,
1345
1346     /// The `async` block generated as the body of an async function.
1347     Fn,
1348 }
1349
1350 impl fmt::Display for AsyncGeneratorKind {
1351     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1352         f.write_str(match self {
1353             AsyncGeneratorKind::Block => "`async` block",
1354             AsyncGeneratorKind::Closure => "`async` closure body",
1355             AsyncGeneratorKind::Fn => "`async fn` body",
1356         })
1357     }
1358 }
1359
1360 impl AsyncGeneratorKind {
1361     pub fn descr(&self) -> &'static str {
1362         match self {
1363             AsyncGeneratorKind::Block => "`async` block",
1364             AsyncGeneratorKind::Closure => "`async` closure body",
1365             AsyncGeneratorKind::Fn => "`async fn` body",
1366         }
1367     }
1368 }
1369
1370 #[derive(Copy, Clone, Debug)]
1371 pub enum BodyOwnerKind {
1372     /// Functions and methods.
1373     Fn,
1374
1375     /// Closures
1376     Closure,
1377
1378     /// Constants and associated constants.
1379     Const,
1380
1381     /// Initializer of a `static` item.
1382     Static(Mutability),
1383 }
1384
1385 impl BodyOwnerKind {
1386     pub fn is_fn_or_closure(self) -> bool {
1387         match self {
1388             BodyOwnerKind::Fn | BodyOwnerKind::Closure => true,
1389             BodyOwnerKind::Const | BodyOwnerKind::Static(_) => false,
1390         }
1391     }
1392 }
1393
1394 /// The kind of an item that requires const-checking.
1395 #[derive(Clone, Copy, Debug, PartialEq, Eq)]
1396 pub enum ConstContext {
1397     /// A `const fn`.
1398     ConstFn,
1399
1400     /// A `static` or `static mut`.
1401     Static(Mutability),
1402
1403     /// A `const`, associated `const`, or other const context.
1404     ///
1405     /// Other contexts include:
1406     /// - Array length expressions
1407     /// - Enum discriminants
1408     /// - Const generics
1409     ///
1410     /// For the most part, other contexts are treated just like a regular `const`, so they are
1411     /// lumped into the same category.
1412     Const,
1413 }
1414
1415 impl ConstContext {
1416     /// A description of this const context that can appear between backticks in an error message.
1417     ///
1418     /// E.g. `const` or `static mut`.
1419     pub fn keyword_name(self) -> &'static str {
1420         match self {
1421             Self::Const => "const",
1422             Self::Static(Mutability::Not) => "static",
1423             Self::Static(Mutability::Mut) => "static mut",
1424             Self::ConstFn => "const fn",
1425         }
1426     }
1427 }
1428
1429 /// A colloquial, trivially pluralizable description of this const context for use in error
1430 /// messages.
1431 impl fmt::Display for ConstContext {
1432     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1433         match *self {
1434             Self::Const => write!(f, "constant"),
1435             Self::Static(_) => write!(f, "static"),
1436             Self::ConstFn => write!(f, "constant function"),
1437         }
1438     }
1439 }
1440
1441 /// A literal.
1442 pub type Lit = Spanned<LitKind>;
1443
1444 /// A constant (expression) that's not an item or associated item,
1445 /// but needs its own `DefId` for type-checking, const-eval, etc.
1446 /// These are usually found nested inside types (e.g., array lengths)
1447 /// or expressions (e.g., repeat counts), and also used to define
1448 /// explicit discriminant values for enum variants.
1449 #[derive(Copy, Clone, PartialEq, Eq, Encodable, Debug, HashStable_Generic)]
1450 pub struct AnonConst {
1451     pub hir_id: HirId,
1452     pub body: BodyId,
1453 }
1454
1455 /// An expression.
1456 #[derive(Debug)]
1457 pub struct Expr<'hir> {
1458     pub hir_id: HirId,
1459     pub kind: ExprKind<'hir>,
1460     pub attrs: AttrVec,
1461     pub span: Span,
1462 }
1463
1464 impl Expr<'_> {
1465     pub fn precedence(&self) -> ExprPrecedence {
1466         match self.kind {
1467             ExprKind::Box(_) => ExprPrecedence::Box,
1468             ExprKind::ConstBlock(_) => ExprPrecedence::ConstBlock,
1469             ExprKind::Array(_) => ExprPrecedence::Array,
1470             ExprKind::Call(..) => ExprPrecedence::Call,
1471             ExprKind::MethodCall(..) => ExprPrecedence::MethodCall,
1472             ExprKind::Tup(_) => ExprPrecedence::Tup,
1473             ExprKind::Binary(op, ..) => ExprPrecedence::Binary(op.node.into()),
1474             ExprKind::Unary(..) => ExprPrecedence::Unary,
1475             ExprKind::Lit(_) => ExprPrecedence::Lit,
1476             ExprKind::Type(..) | ExprKind::Cast(..) => ExprPrecedence::Cast,
1477             ExprKind::DropTemps(ref expr, ..) => expr.precedence(),
1478             ExprKind::If(..) => ExprPrecedence::If,
1479             ExprKind::Loop(..) => ExprPrecedence::Loop,
1480             ExprKind::Match(..) => ExprPrecedence::Match,
1481             ExprKind::Closure(..) => ExprPrecedence::Closure,
1482             ExprKind::Block(..) => ExprPrecedence::Block,
1483             ExprKind::Assign(..) => ExprPrecedence::Assign,
1484             ExprKind::AssignOp(..) => ExprPrecedence::AssignOp,
1485             ExprKind::Field(..) => ExprPrecedence::Field,
1486             ExprKind::Index(..) => ExprPrecedence::Index,
1487             ExprKind::Path(..) => ExprPrecedence::Path,
1488             ExprKind::AddrOf(..) => ExprPrecedence::AddrOf,
1489             ExprKind::Break(..) => ExprPrecedence::Break,
1490             ExprKind::Continue(..) => ExprPrecedence::Continue,
1491             ExprKind::Ret(..) => ExprPrecedence::Ret,
1492             ExprKind::InlineAsm(..) => ExprPrecedence::InlineAsm,
1493             ExprKind::LlvmInlineAsm(..) => ExprPrecedence::InlineAsm,
1494             ExprKind::Struct(..) => ExprPrecedence::Struct,
1495             ExprKind::Repeat(..) => ExprPrecedence::Repeat,
1496             ExprKind::Yield(..) => ExprPrecedence::Yield,
1497             ExprKind::Err => ExprPrecedence::Err,
1498         }
1499     }
1500
1501     // Whether this looks like a place expr, without checking for deref
1502     // adjustments.
1503     // This will return `true` in some potentially surprising cases such as
1504     // `CONSTANT.field`.
1505     pub fn is_syntactic_place_expr(&self) -> bool {
1506         self.is_place_expr(|_| true)
1507     }
1508
1509     /// Whether this is a place expression.
1510     ///
1511     /// `allow_projections_from` should return `true` if indexing a field or index expression based
1512     /// on the given expression should be considered a place expression.
1513     pub fn is_place_expr(&self, mut allow_projections_from: impl FnMut(&Self) -> bool) -> bool {
1514         match self.kind {
1515             ExprKind::Path(QPath::Resolved(_, ref path)) => {
1516                 matches!(path.res, Res::Local(..) | Res::Def(DefKind::Static, _) | Res::Err)
1517             }
1518
1519             // Type ascription inherits its place expression kind from its
1520             // operand. See:
1521             // https://github.com/rust-lang/rfcs/blob/master/text/0803-type-ascription.md#type-ascription-and-temporaries
1522             ExprKind::Type(ref e, _) => e.is_place_expr(allow_projections_from),
1523
1524             ExprKind::Unary(UnOp::Deref, _) => true,
1525
1526             ExprKind::Field(ref base, _) | ExprKind::Index(ref base, _) => {
1527                 allow_projections_from(base) || base.is_place_expr(allow_projections_from)
1528             }
1529
1530             // Lang item paths cannot currently be local variables or statics.
1531             ExprKind::Path(QPath::LangItem(..)) => false,
1532
1533             // Partially qualified paths in expressions can only legally
1534             // refer to associated items which are always rvalues.
1535             ExprKind::Path(QPath::TypeRelative(..))
1536             | ExprKind::Call(..)
1537             | ExprKind::MethodCall(..)
1538             | ExprKind::Struct(..)
1539             | ExprKind::Tup(..)
1540             | ExprKind::If(..)
1541             | ExprKind::Match(..)
1542             | ExprKind::Closure(..)
1543             | ExprKind::Block(..)
1544             | ExprKind::Repeat(..)
1545             | ExprKind::Array(..)
1546             | ExprKind::Break(..)
1547             | ExprKind::Continue(..)
1548             | ExprKind::Ret(..)
1549             | ExprKind::Loop(..)
1550             | ExprKind::Assign(..)
1551             | ExprKind::InlineAsm(..)
1552             | ExprKind::LlvmInlineAsm(..)
1553             | ExprKind::AssignOp(..)
1554             | ExprKind::Lit(_)
1555             | ExprKind::ConstBlock(..)
1556             | ExprKind::Unary(..)
1557             | ExprKind::Box(..)
1558             | ExprKind::AddrOf(..)
1559             | ExprKind::Binary(..)
1560             | ExprKind::Yield(..)
1561             | ExprKind::Cast(..)
1562             | ExprKind::DropTemps(..)
1563             | ExprKind::Err => false,
1564         }
1565     }
1566
1567     /// If `Self.kind` is `ExprKind::DropTemps(expr)`, drill down until we get a non-`DropTemps`
1568     /// `Expr`. This is used in suggestions to ignore this `ExprKind` as it is semantically
1569     /// silent, only signaling the ownership system. By doing this, suggestions that check the
1570     /// `ExprKind` of any given `Expr` for presentation don't have to care about `DropTemps`
1571     /// beyond remembering to call this function before doing analysis on it.
1572     pub fn peel_drop_temps(&self) -> &Self {
1573         let mut expr = self;
1574         while let ExprKind::DropTemps(inner) = &expr.kind {
1575             expr = inner;
1576         }
1577         expr
1578     }
1579
1580     pub fn can_have_side_effects(&self) -> bool {
1581         match self.peel_drop_temps().kind {
1582             ExprKind::Path(_) | ExprKind::Lit(_) => false,
1583             ExprKind::Type(base, _)
1584             | ExprKind::Unary(_, base)
1585             | ExprKind::Field(base, _)
1586             | ExprKind::Index(base, _)
1587             | ExprKind::AddrOf(.., base)
1588             | ExprKind::Cast(base, _) => {
1589                 // This isn't exactly true for `Index` and all `Unnary`, but we are using this
1590                 // method exclusively for diagnostics and there's a *cultural* pressure against
1591                 // them being used only for its side-effects.
1592                 base.can_have_side_effects()
1593             }
1594             ExprKind::Struct(_, fields, init) => fields
1595                 .iter()
1596                 .map(|field| field.expr)
1597                 .chain(init.into_iter())
1598                 .all(|e| e.can_have_side_effects()),
1599
1600             ExprKind::Array(args)
1601             | ExprKind::Tup(args)
1602             | ExprKind::Call(
1603                 Expr {
1604                     kind:
1605                         ExprKind::Path(QPath::Resolved(
1606                             None,
1607                             Path { res: Res::Def(DefKind::Ctor(_, CtorKind::Fn), _), .. },
1608                         )),
1609                     ..
1610                 },
1611                 args,
1612             ) => args.iter().all(|arg| arg.can_have_side_effects()),
1613             ExprKind::If(..)
1614             | ExprKind::Match(..)
1615             | ExprKind::MethodCall(..)
1616             | ExprKind::Call(..)
1617             | ExprKind::Closure(..)
1618             | ExprKind::Block(..)
1619             | ExprKind::Repeat(..)
1620             | ExprKind::Break(..)
1621             | ExprKind::Continue(..)
1622             | ExprKind::Ret(..)
1623             | ExprKind::Loop(..)
1624             | ExprKind::Assign(..)
1625             | ExprKind::InlineAsm(..)
1626             | ExprKind::LlvmInlineAsm(..)
1627             | ExprKind::AssignOp(..)
1628             | ExprKind::ConstBlock(..)
1629             | ExprKind::Box(..)
1630             | ExprKind::Binary(..)
1631             | ExprKind::Yield(..)
1632             | ExprKind::DropTemps(..)
1633             | ExprKind::Err => true,
1634         }
1635     }
1636 }
1637
1638 /// Checks if the specified expression is a built-in range literal.
1639 /// (See: `LoweringContext::lower_expr()`).
1640 pub fn is_range_literal(expr: &Expr<'_>) -> bool {
1641     match expr.kind {
1642         // All built-in range literals but `..=` and `..` desugar to `Struct`s.
1643         ExprKind::Struct(ref qpath, _, _) => matches!(
1644             **qpath,
1645             QPath::LangItem(
1646                 LangItem::Range
1647                     | LangItem::RangeTo
1648                     | LangItem::RangeFrom
1649                     | LangItem::RangeFull
1650                     | LangItem::RangeToInclusive,
1651                 _,
1652             )
1653         ),
1654
1655         // `..=` desugars into `::std::ops::RangeInclusive::new(...)`.
1656         ExprKind::Call(ref func, _) => {
1657             matches!(func.kind, ExprKind::Path(QPath::LangItem(LangItem::RangeInclusiveNew, _)))
1658         }
1659
1660         _ => false,
1661     }
1662 }
1663
1664 #[derive(Debug, HashStable_Generic)]
1665 pub enum ExprKind<'hir> {
1666     /// A `box x` expression.
1667     Box(&'hir Expr<'hir>),
1668     /// Allow anonymous constants from an inline `const` block
1669     ConstBlock(AnonConst),
1670     /// An array (e.g., `[a, b, c, d]`).
1671     Array(&'hir [Expr<'hir>]),
1672     /// A function call.
1673     ///
1674     /// The first field resolves to the function itself (usually an `ExprKind::Path`),
1675     /// and the second field is the list of arguments.
1676     /// This also represents calling the constructor of
1677     /// tuple-like ADTs such as tuple structs and enum variants.
1678     Call(&'hir Expr<'hir>, &'hir [Expr<'hir>]),
1679     /// A method call (e.g., `x.foo::<'static, Bar, Baz>(a, b, c, d)`).
1680     ///
1681     /// The `PathSegment`/`Span` represent the method name and its generic arguments
1682     /// (within the angle brackets).
1683     /// The first element of the vector of `Expr`s is the expression that evaluates
1684     /// to the object on which the method is being called on (the receiver),
1685     /// and the remaining elements are the rest of the arguments.
1686     /// Thus, `x.foo::<Bar, Baz>(a, b, c, d)` is represented as
1687     /// `ExprKind::MethodCall(PathSegment { foo, [Bar, Baz] }, [x, a, b, c, d])`.
1688     /// The final `Span` represents the span of the function and arguments
1689     /// (e.g. `foo::<Bar, Baz>(a, b, c, d)` in `x.foo::<Bar, Baz>(a, b, c, d)`
1690     ///
1691     /// To resolve the called method to a `DefId`, call [`type_dependent_def_id`] with
1692     /// the `hir_id` of the `MethodCall` node itself.
1693     ///
1694     /// [`type_dependent_def_id`]: ../ty/struct.TypeckResults.html#method.type_dependent_def_id
1695     MethodCall(&'hir PathSegment<'hir>, Span, &'hir [Expr<'hir>], Span),
1696     /// A tuple (e.g., `(a, b, c, d)`).
1697     Tup(&'hir [Expr<'hir>]),
1698     /// A binary operation (e.g., `a + b`, `a * b`).
1699     Binary(BinOp, &'hir Expr<'hir>, &'hir Expr<'hir>),
1700     /// A unary operation (e.g., `!x`, `*x`).
1701     Unary(UnOp, &'hir Expr<'hir>),
1702     /// A literal (e.g., `1`, `"foo"`).
1703     Lit(Lit),
1704     /// A cast (e.g., `foo as f64`).
1705     Cast(&'hir Expr<'hir>, &'hir Ty<'hir>),
1706     /// A type reference (e.g., `Foo`).
1707     Type(&'hir Expr<'hir>, &'hir Ty<'hir>),
1708     /// Wraps the expression in a terminating scope.
1709     /// This makes it semantically equivalent to `{ let _t = expr; _t }`.
1710     ///
1711     /// This construct only exists to tweak the drop order in HIR lowering.
1712     /// An example of that is the desugaring of `for` loops.
1713     DropTemps(&'hir Expr<'hir>),
1714     /// An `if` block, with an optional else block.
1715     ///
1716     /// I.e., `if <expr> { <expr> } else { <expr> }`.
1717     If(&'hir Expr<'hir>, &'hir Expr<'hir>, Option<&'hir Expr<'hir>>),
1718     /// A conditionless loop (can be exited with `break`, `continue`, or `return`).
1719     ///
1720     /// I.e., `'label: loop { <block> }`.
1721     ///
1722     /// The `Span` is the loop header (`for x in y`/`while let pat = expr`).
1723     Loop(&'hir Block<'hir>, Option<Label>, LoopSource, Span),
1724     /// A `match` block, with a source that indicates whether or not it is
1725     /// the result of a desugaring, and if so, which kind.
1726     Match(&'hir Expr<'hir>, &'hir [Arm<'hir>], MatchSource),
1727     /// A closure (e.g., `move |a, b, c| {a + b + c}`).
1728     ///
1729     /// The `Span` is the argument block `|...|`.
1730     ///
1731     /// This may also be a generator literal or an `async block` as indicated by the
1732     /// `Option<Movability>`.
1733     Closure(CaptureBy, &'hir FnDecl<'hir>, BodyId, Span, Option<Movability>),
1734     /// A block (e.g., `'label: { ... }`).
1735     Block(&'hir Block<'hir>, Option<Label>),
1736
1737     /// An assignment (e.g., `a = foo()`).
1738     Assign(&'hir Expr<'hir>, &'hir Expr<'hir>, Span),
1739     /// An assignment with an operator.
1740     ///
1741     /// E.g., `a += 1`.
1742     AssignOp(BinOp, &'hir Expr<'hir>, &'hir Expr<'hir>),
1743     /// Access of a named (e.g., `obj.foo`) or unnamed (e.g., `obj.0`) struct or tuple field.
1744     Field(&'hir Expr<'hir>, Ident),
1745     /// An indexing operation (`foo[2]`).
1746     Index(&'hir Expr<'hir>, &'hir Expr<'hir>),
1747
1748     /// Path to a definition, possibly containing lifetime or type parameters.
1749     Path(QPath<'hir>),
1750
1751     /// A referencing operation (i.e., `&a` or `&mut a`).
1752     AddrOf(BorrowKind, Mutability, &'hir Expr<'hir>),
1753     /// A `break`, with an optional label to break.
1754     Break(Destination, Option<&'hir Expr<'hir>>),
1755     /// A `continue`, with an optional label.
1756     Continue(Destination),
1757     /// A `return`, with an optional value to be returned.
1758     Ret(Option<&'hir Expr<'hir>>),
1759
1760     /// Inline assembly (from `asm!`), with its outputs and inputs.
1761     InlineAsm(&'hir InlineAsm<'hir>),
1762     /// Inline assembly (from `llvm_asm!`), with its outputs and inputs.
1763     LlvmInlineAsm(&'hir LlvmInlineAsm<'hir>),
1764
1765     /// A struct or struct-like variant literal expression.
1766     ///
1767     /// E.g., `Foo {x: 1, y: 2}`, or `Foo {x: 1, .. base}`,
1768     /// where `base` is the `Option<Expr>`.
1769     Struct(&'hir QPath<'hir>, &'hir [Field<'hir>], Option<&'hir Expr<'hir>>),
1770
1771     /// An array literal constructed from one repeated element.
1772     ///
1773     /// E.g., `[1; 5]`. The first expression is the element
1774     /// to be repeated; the second is the number of times to repeat it.
1775     Repeat(&'hir Expr<'hir>, AnonConst),
1776
1777     /// A suspension point for generators (i.e., `yield <expr>`).
1778     Yield(&'hir Expr<'hir>, YieldSource),
1779
1780     /// A placeholder for an expression that wasn't syntactically well formed in some way.
1781     Err,
1782 }
1783
1784 /// Represents an optionally `Self`-qualified value/type path or associated extension.
1785 ///
1786 /// To resolve the path to a `DefId`, call [`qpath_res`].
1787 ///
1788 /// [`qpath_res`]: ../rustc_middle/ty/struct.TypeckResults.html#method.qpath_res
1789 #[derive(Debug, HashStable_Generic)]
1790 pub enum QPath<'hir> {
1791     /// Path to a definition, optionally "fully-qualified" with a `Self`
1792     /// type, if the path points to an associated item in a trait.
1793     ///
1794     /// E.g., an unqualified path like `Clone::clone` has `None` for `Self`,
1795     /// while `<Vec<T> as Clone>::clone` has `Some(Vec<T>)` for `Self`,
1796     /// even though they both have the same two-segment `Clone::clone` `Path`.
1797     Resolved(Option<&'hir Ty<'hir>>, &'hir Path<'hir>),
1798
1799     /// Type-related paths (e.g., `<T>::default` or `<T>::Output`).
1800     /// Will be resolved by type-checking to an associated item.
1801     ///
1802     /// UFCS source paths can desugar into this, with `Vec::new` turning into
1803     /// `<Vec>::new`, and `T::X::Y::method` into `<<<T>::X>::Y>::method`,
1804     /// the `X` and `Y` nodes each being a `TyKind::Path(QPath::TypeRelative(..))`.
1805     TypeRelative(&'hir Ty<'hir>, &'hir PathSegment<'hir>),
1806
1807     /// Reference to a `#[lang = "foo"]` item.
1808     LangItem(LangItem, Span),
1809 }
1810
1811 impl<'hir> QPath<'hir> {
1812     /// Returns the span of this `QPath`.
1813     pub fn span(&self) -> Span {
1814         match *self {
1815             QPath::Resolved(_, path) => path.span,
1816             QPath::TypeRelative(_, ps) => ps.ident.span,
1817             QPath::LangItem(_, span) => span,
1818         }
1819     }
1820
1821     /// Returns the span of the qself of this `QPath`. For example, `()` in
1822     /// `<() as Trait>::method`.
1823     pub fn qself_span(&self) -> Span {
1824         match *self {
1825             QPath::Resolved(_, path) => path.span,
1826             QPath::TypeRelative(qself, _) => qself.span,
1827             QPath::LangItem(_, span) => span,
1828         }
1829     }
1830
1831     /// Returns the span of the last segment of this `QPath`. For example, `method` in
1832     /// `<() as Trait>::method`.
1833     pub fn last_segment_span(&self) -> Span {
1834         match *self {
1835             QPath::Resolved(_, path) => path.segments.last().unwrap().ident.span,
1836             QPath::TypeRelative(_, segment) => segment.ident.span,
1837             QPath::LangItem(_, span) => span,
1838         }
1839     }
1840 }
1841
1842 /// Hints at the original code for a let statement.
1843 #[derive(Copy, Clone, Encodable, Debug, HashStable_Generic)]
1844 pub enum LocalSource {
1845     /// A `match _ { .. }`.
1846     Normal,
1847     /// A desugared `for _ in _ { .. }` loop.
1848     ForLoopDesugar,
1849     /// When lowering async functions, we create locals within the `async move` so that
1850     /// all parameters are dropped after the future is polled.
1851     ///
1852     /// ```ignore (pseudo-Rust)
1853     /// async fn foo(<pattern> @ x: Type) {
1854     ///     async move {
1855     ///         let <pattern> = x;
1856     ///     }
1857     /// }
1858     /// ```
1859     AsyncFn,
1860     /// A desugared `<expr>.await`.
1861     AwaitDesugar,
1862     /// A desugared `expr = expr`, where the LHS is a tuple, struct or array.
1863     /// The span is that of the `=` sign.
1864     AssignDesugar(Span),
1865 }
1866
1867 /// Hints at the original code for a `match _ { .. }`.
1868 #[derive(Copy, Clone, PartialEq, Eq, Encodable, Hash, Debug)]
1869 #[derive(HashStable_Generic)]
1870 pub enum MatchSource {
1871     /// A `match _ { .. }`.
1872     Normal,
1873     /// An `if let _ = _ { .. }` (optionally with `else { .. }`).
1874     IfLetDesugar { contains_else_clause: bool },
1875     /// An `if let _ = _ => { .. }` match guard.
1876     IfLetGuardDesugar,
1877     /// A `while _ { .. }` (which was desugared to a `loop { match _ { .. } }`).
1878     WhileDesugar,
1879     /// A `while let _ = _ { .. }` (which was desugared to a
1880     /// `loop { match _ { .. } }`).
1881     WhileLetDesugar,
1882     /// A desugared `for _ in _ { .. }` loop.
1883     ForLoopDesugar,
1884     /// A desugared `?` operator.
1885     TryDesugar,
1886     /// A desugared `<expr>.await`.
1887     AwaitDesugar,
1888 }
1889
1890 impl MatchSource {
1891     pub fn name(self) -> &'static str {
1892         use MatchSource::*;
1893         match self {
1894             Normal => "match",
1895             IfLetDesugar { .. } | IfLetGuardDesugar => "if",
1896             WhileDesugar | WhileLetDesugar => "while",
1897             ForLoopDesugar => "for",
1898             TryDesugar => "?",
1899             AwaitDesugar => ".await",
1900         }
1901     }
1902 }
1903
1904 /// The loop type that yielded an `ExprKind::Loop`.
1905 #[derive(Copy, Clone, PartialEq, Encodable, Debug, HashStable_Generic)]
1906 pub enum LoopSource {
1907     /// A `loop { .. }` loop.
1908     Loop,
1909     /// A `while _ { .. }` loop.
1910     While,
1911     /// A `while let _ = _ { .. }` loop.
1912     WhileLet,
1913     /// A `for _ in _ { .. }` loop.
1914     ForLoop,
1915 }
1916
1917 impl LoopSource {
1918     pub fn name(self) -> &'static str {
1919         match self {
1920             LoopSource::Loop => "loop",
1921             LoopSource::While | LoopSource::WhileLet => "while",
1922             LoopSource::ForLoop => "for",
1923         }
1924     }
1925 }
1926
1927 #[derive(Copy, Clone, Encodable, Debug, HashStable_Generic)]
1928 pub enum LoopIdError {
1929     OutsideLoopScope,
1930     UnlabeledCfInWhileCondition,
1931     UnresolvedLabel,
1932 }
1933
1934 impl fmt::Display for LoopIdError {
1935     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1936         f.write_str(match self {
1937             LoopIdError::OutsideLoopScope => "not inside loop scope",
1938             LoopIdError::UnlabeledCfInWhileCondition => {
1939                 "unlabeled control flow (break or continue) in while condition"
1940             }
1941             LoopIdError::UnresolvedLabel => "label not found",
1942         })
1943     }
1944 }
1945
1946 #[derive(Copy, Clone, Encodable, Debug, HashStable_Generic)]
1947 pub struct Destination {
1948     // This is `Some(_)` iff there is an explicit user-specified `label
1949     pub label: Option<Label>,
1950
1951     // These errors are caught and then reported during the diagnostics pass in
1952     // librustc_passes/loops.rs
1953     pub target_id: Result<HirId, LoopIdError>,
1954 }
1955
1956 /// The yield kind that caused an `ExprKind::Yield`.
1957 #[derive(Copy, Clone, PartialEq, Eq, Debug, Encodable, Decodable, HashStable_Generic)]
1958 pub enum YieldSource {
1959     /// An `<expr>.await`.
1960     Await { expr: Option<HirId> },
1961     /// A plain `yield`.
1962     Yield,
1963 }
1964
1965 impl YieldSource {
1966     pub fn is_await(&self) -> bool {
1967         match self {
1968             YieldSource::Await { .. } => true,
1969             YieldSource::Yield => false,
1970         }
1971     }
1972 }
1973
1974 impl fmt::Display for YieldSource {
1975     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1976         f.write_str(match self {
1977             YieldSource::Await { .. } => "`await`",
1978             YieldSource::Yield => "`yield`",
1979         })
1980     }
1981 }
1982
1983 impl From<GeneratorKind> for YieldSource {
1984     fn from(kind: GeneratorKind) -> Self {
1985         match kind {
1986             // Guess based on the kind of the current generator.
1987             GeneratorKind::Gen => Self::Yield,
1988             GeneratorKind::Async(_) => Self::Await { expr: None },
1989         }
1990     }
1991 }
1992
1993 // N.B., if you change this, you'll probably want to change the corresponding
1994 // type structure in middle/ty.rs as well.
1995 #[derive(Debug, HashStable_Generic)]
1996 pub struct MutTy<'hir> {
1997     pub ty: &'hir Ty<'hir>,
1998     pub mutbl: Mutability,
1999 }
2000
2001 /// Represents a function's signature in a trait declaration,
2002 /// trait implementation, or a free function.
2003 #[derive(Debug, HashStable_Generic)]
2004 pub struct FnSig<'hir> {
2005     pub header: FnHeader,
2006     pub decl: &'hir FnDecl<'hir>,
2007     pub span: Span,
2008 }
2009
2010 // The bodies for items are stored "out of line", in a separate
2011 // hashmap in the `Crate`. Here we just record the hir-id of the item
2012 // so it can fetched later.
2013 #[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Encodable, Debug)]
2014 pub struct TraitItemId {
2015     pub def_id: LocalDefId,
2016 }
2017
2018 impl TraitItemId {
2019     pub fn hir_id(&self) -> HirId {
2020         // Items are always HIR owners.
2021         HirId::make_owner(self.def_id)
2022     }
2023 }
2024
2025 /// Represents an item declaration within a trait declaration,
2026 /// possibly including a default implementation. A trait item is
2027 /// either required (meaning it doesn't have an implementation, just a
2028 /// signature) or provided (meaning it has a default implementation).
2029 #[derive(Debug)]
2030 pub struct TraitItem<'hir> {
2031     pub ident: Ident,
2032     pub def_id: LocalDefId,
2033     pub attrs: &'hir [Attribute],
2034     pub generics: Generics<'hir>,
2035     pub kind: TraitItemKind<'hir>,
2036     pub span: Span,
2037 }
2038
2039 impl TraitItem<'_> {
2040     pub fn hir_id(&self) -> HirId {
2041         // Items are always HIR owners.
2042         HirId::make_owner(self.def_id)
2043     }
2044
2045     pub fn trait_item_id(&self) -> TraitItemId {
2046         TraitItemId { def_id: self.def_id }
2047     }
2048 }
2049
2050 /// Represents a trait method's body (or just argument names).
2051 #[derive(Encodable, Debug, HashStable_Generic)]
2052 pub enum TraitFn<'hir> {
2053     /// No default body in the trait, just a signature.
2054     Required(&'hir [Ident]),
2055
2056     /// Both signature and body are provided in the trait.
2057     Provided(BodyId),
2058 }
2059
2060 /// Represents a trait method or associated constant or type
2061 #[derive(Debug, HashStable_Generic)]
2062 pub enum TraitItemKind<'hir> {
2063     /// An associated constant with an optional value (otherwise `impl`s must contain a value).
2064     Const(&'hir Ty<'hir>, Option<BodyId>),
2065     /// An associated function with an optional body.
2066     Fn(FnSig<'hir>, TraitFn<'hir>),
2067     /// An associated type with (possibly empty) bounds and optional concrete
2068     /// type.
2069     Type(GenericBounds<'hir>, Option<&'hir Ty<'hir>>),
2070 }
2071
2072 // The bodies for items are stored "out of line", in a separate
2073 // hashmap in the `Crate`. Here we just record the hir-id of the item
2074 // so it can fetched later.
2075 #[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Encodable, Debug)]
2076 pub struct ImplItemId {
2077     pub def_id: LocalDefId,
2078 }
2079
2080 impl ImplItemId {
2081     pub fn hir_id(&self) -> HirId {
2082         // Items are always HIR owners.
2083         HirId::make_owner(self.def_id)
2084     }
2085 }
2086
2087 /// Represents anything within an `impl` block.
2088 #[derive(Debug)]
2089 pub struct ImplItem<'hir> {
2090     pub ident: Ident,
2091     pub def_id: LocalDefId,
2092     pub vis: Visibility<'hir>,
2093     pub defaultness: Defaultness,
2094     pub attrs: &'hir [Attribute],
2095     pub generics: Generics<'hir>,
2096     pub kind: ImplItemKind<'hir>,
2097     pub span: Span,
2098 }
2099
2100 impl ImplItem<'_> {
2101     pub fn hir_id(&self) -> HirId {
2102         // Items are always HIR owners.
2103         HirId::make_owner(self.def_id)
2104     }
2105
2106     pub fn impl_item_id(&self) -> ImplItemId {
2107         ImplItemId { def_id: self.def_id }
2108     }
2109 }
2110
2111 /// Represents various kinds of content within an `impl`.
2112 #[derive(Debug, HashStable_Generic)]
2113 pub enum ImplItemKind<'hir> {
2114     /// An associated constant of the given type, set to the constant result
2115     /// of the expression.
2116     Const(&'hir Ty<'hir>, BodyId),
2117     /// An associated function implementation with the given signature and body.
2118     Fn(FnSig<'hir>, BodyId),
2119     /// An associated type.
2120     TyAlias(&'hir Ty<'hir>),
2121 }
2122
2123 impl ImplItemKind<'_> {
2124     pub fn namespace(&self) -> Namespace {
2125         match self {
2126             ImplItemKind::TyAlias(..) => Namespace::TypeNS,
2127             ImplItemKind::Const(..) | ImplItemKind::Fn(..) => Namespace::ValueNS,
2128         }
2129     }
2130 }
2131
2132 // The name of the associated type for `Fn` return types.
2133 pub const FN_OUTPUT_NAME: Symbol = sym::Output;
2134
2135 /// Bind a type to an associated type (i.e., `A = Foo`).
2136 ///
2137 /// Bindings like `A: Debug` are represented as a special type `A =
2138 /// $::Debug` that is understood by the astconv code.
2139 ///
2140 /// FIXME(alexreg): why have a separate type for the binding case,
2141 /// wouldn't it be better to make the `ty` field an enum like the
2142 /// following?
2143 ///
2144 /// ```
2145 /// enum TypeBindingKind {
2146 ///    Equals(...),
2147 ///    Binding(...),
2148 /// }
2149 /// ```
2150 #[derive(Debug, HashStable_Generic)]
2151 pub struct TypeBinding<'hir> {
2152     pub hir_id: HirId,
2153     #[stable_hasher(project(name))]
2154     pub ident: Ident,
2155     pub gen_args: &'hir GenericArgs<'hir>,
2156     pub kind: TypeBindingKind<'hir>,
2157     pub span: Span,
2158 }
2159
2160 // Represents the two kinds of type bindings.
2161 #[derive(Debug, HashStable_Generic)]
2162 pub enum TypeBindingKind<'hir> {
2163     /// E.g., `Foo<Bar: Send>`.
2164     Constraint { bounds: &'hir [GenericBound<'hir>] },
2165     /// E.g., `Foo<Bar = ()>`.
2166     Equality { ty: &'hir Ty<'hir> },
2167 }
2168
2169 impl TypeBinding<'_> {
2170     pub fn ty(&self) -> &Ty<'_> {
2171         match self.kind {
2172             TypeBindingKind::Equality { ref ty } => ty,
2173             _ => panic!("expected equality type binding for parenthesized generic args"),
2174         }
2175     }
2176 }
2177
2178 #[derive(Debug)]
2179 pub struct Ty<'hir> {
2180     pub hir_id: HirId,
2181     pub kind: TyKind<'hir>,
2182     pub span: Span,
2183 }
2184
2185 /// Not represented directly in the AST; referred to by name through a `ty_path`.
2186 #[derive(Copy, Clone, PartialEq, Eq, Encodable, Decodable, Hash, Debug)]
2187 #[derive(HashStable_Generic)]
2188 pub enum PrimTy {
2189     Int(IntTy),
2190     Uint(UintTy),
2191     Float(FloatTy),
2192     Str,
2193     Bool,
2194     Char,
2195 }
2196
2197 impl PrimTy {
2198     /// All of the primitive types
2199     pub const ALL: [Self; 17] = [
2200         // any changes here should also be reflected in `PrimTy::from_name`
2201         Self::Int(IntTy::I8),
2202         Self::Int(IntTy::I16),
2203         Self::Int(IntTy::I32),
2204         Self::Int(IntTy::I64),
2205         Self::Int(IntTy::I128),
2206         Self::Int(IntTy::Isize),
2207         Self::Uint(UintTy::U8),
2208         Self::Uint(UintTy::U16),
2209         Self::Uint(UintTy::U32),
2210         Self::Uint(UintTy::U64),
2211         Self::Uint(UintTy::U128),
2212         Self::Uint(UintTy::Usize),
2213         Self::Float(FloatTy::F32),
2214         Self::Float(FloatTy::F64),
2215         Self::Bool,
2216         Self::Char,
2217         Self::Str,
2218     ];
2219
2220     pub fn name_str(self) -> &'static str {
2221         match self {
2222             PrimTy::Int(i) => i.name_str(),
2223             PrimTy::Uint(u) => u.name_str(),
2224             PrimTy::Float(f) => f.name_str(),
2225             PrimTy::Str => "str",
2226             PrimTy::Bool => "bool",
2227             PrimTy::Char => "char",
2228         }
2229     }
2230
2231     pub fn name(self) -> Symbol {
2232         match self {
2233             PrimTy::Int(i) => i.name(),
2234             PrimTy::Uint(u) => u.name(),
2235             PrimTy::Float(f) => f.name(),
2236             PrimTy::Str => sym::str,
2237             PrimTy::Bool => sym::bool,
2238             PrimTy::Char => sym::char,
2239         }
2240     }
2241
2242     /// Returns the matching `PrimTy` for a `Symbol` such as "str" or "i32".
2243     /// Returns `None` if no matching type is found.
2244     pub fn from_name(name: Symbol) -> Option<Self> {
2245         let ty = match name {
2246             // any changes here should also be reflected in `PrimTy::ALL`
2247             sym::i8 => Self::Int(IntTy::I8),
2248             sym::i16 => Self::Int(IntTy::I16),
2249             sym::i32 => Self::Int(IntTy::I32),
2250             sym::i64 => Self::Int(IntTy::I64),
2251             sym::i128 => Self::Int(IntTy::I128),
2252             sym::isize => Self::Int(IntTy::Isize),
2253             sym::u8 => Self::Uint(UintTy::U8),
2254             sym::u16 => Self::Uint(UintTy::U16),
2255             sym::u32 => Self::Uint(UintTy::U32),
2256             sym::u64 => Self::Uint(UintTy::U64),
2257             sym::u128 => Self::Uint(UintTy::U128),
2258             sym::usize => Self::Uint(UintTy::Usize),
2259             sym::f32 => Self::Float(FloatTy::F32),
2260             sym::f64 => Self::Float(FloatTy::F64),
2261             sym::bool => Self::Bool,
2262             sym::char => Self::Char,
2263             sym::str => Self::Str,
2264             _ => return None,
2265         };
2266         Some(ty)
2267     }
2268 }
2269
2270 #[derive(Debug, HashStable_Generic)]
2271 pub struct BareFnTy<'hir> {
2272     pub unsafety: Unsafety,
2273     pub abi: Abi,
2274     pub generic_params: &'hir [GenericParam<'hir>],
2275     pub decl: &'hir FnDecl<'hir>,
2276     pub param_names: &'hir [Ident],
2277 }
2278
2279 #[derive(Debug, HashStable_Generic)]
2280 pub struct OpaqueTy<'hir> {
2281     pub generics: Generics<'hir>,
2282     pub bounds: GenericBounds<'hir>,
2283     pub impl_trait_fn: Option<DefId>,
2284     pub origin: OpaqueTyOrigin,
2285 }
2286
2287 /// From whence the opaque type came.
2288 #[derive(Copy, Clone, Encodable, Decodable, Debug, HashStable_Generic)]
2289 pub enum OpaqueTyOrigin {
2290     /// `-> impl Trait`
2291     FnReturn,
2292     /// `async fn`
2293     AsyncFn,
2294     /// `let _: impl Trait = ...`
2295     Binding,
2296     /// Impl trait in type aliases, consts, statics, bounds.
2297     Misc,
2298 }
2299
2300 /// The various kinds of types recognized by the compiler.
2301 #[derive(Debug, HashStable_Generic)]
2302 pub enum TyKind<'hir> {
2303     /// A variable length slice (i.e., `[T]`).
2304     Slice(&'hir Ty<'hir>),
2305     /// A fixed length array (i.e., `[T; n]`).
2306     Array(&'hir Ty<'hir>, AnonConst),
2307     /// A raw pointer (i.e., `*const T` or `*mut T`).
2308     Ptr(MutTy<'hir>),
2309     /// A reference (i.e., `&'a T` or `&'a mut T`).
2310     Rptr(Lifetime, MutTy<'hir>),
2311     /// A bare function (e.g., `fn(usize) -> bool`).
2312     BareFn(&'hir BareFnTy<'hir>),
2313     /// The never type (`!`).
2314     Never,
2315     /// A tuple (`(A, B, C, D, ...)`).
2316     Tup(&'hir [Ty<'hir>]),
2317     /// A path to a type definition (`module::module::...::Type`), or an
2318     /// associated type (e.g., `<Vec<T> as Trait>::Type` or `<T>::Target`).
2319     ///
2320     /// Type parameters may be stored in each `PathSegment`.
2321     Path(QPath<'hir>),
2322     /// A opaque type definition itself. This is currently only used for the
2323     /// `opaque type Foo: Trait` item that `impl Trait` in desugars to.
2324     ///
2325     /// The generic argument list contains the lifetimes (and in the future
2326     /// possibly parameters) that are actually bound on the `impl Trait`.
2327     OpaqueDef(ItemId, &'hir [GenericArg<'hir>]),
2328     /// A trait object type `Bound1 + Bound2 + Bound3`
2329     /// where `Bound` is a trait or a lifetime.
2330     TraitObject(&'hir [PolyTraitRef<'hir>], Lifetime),
2331     /// Unused for now.
2332     Typeof(AnonConst),
2333     /// `TyKind::Infer` means the type should be inferred instead of it having been
2334     /// specified. This can appear anywhere in a type.
2335     Infer,
2336     /// Placeholder for a type that has failed to be defined.
2337     Err,
2338 }
2339
2340 #[derive(Debug, HashStable_Generic)]
2341 pub enum InlineAsmOperand<'hir> {
2342     In {
2343         reg: InlineAsmRegOrRegClass,
2344         expr: Expr<'hir>,
2345     },
2346     Out {
2347         reg: InlineAsmRegOrRegClass,
2348         late: bool,
2349         expr: Option<Expr<'hir>>,
2350     },
2351     InOut {
2352         reg: InlineAsmRegOrRegClass,
2353         late: bool,
2354         expr: Expr<'hir>,
2355     },
2356     SplitInOut {
2357         reg: InlineAsmRegOrRegClass,
2358         late: bool,
2359         in_expr: Expr<'hir>,
2360         out_expr: Option<Expr<'hir>>,
2361     },
2362     Const {
2363         expr: Expr<'hir>,
2364     },
2365     Sym {
2366         expr: Expr<'hir>,
2367     },
2368 }
2369
2370 impl<'hir> InlineAsmOperand<'hir> {
2371     pub fn reg(&self) -> Option<InlineAsmRegOrRegClass> {
2372         match *self {
2373             Self::In { reg, .. }
2374             | Self::Out { reg, .. }
2375             | Self::InOut { reg, .. }
2376             | Self::SplitInOut { reg, .. } => Some(reg),
2377             Self::Const { .. } | Self::Sym { .. } => None,
2378         }
2379     }
2380 }
2381
2382 #[derive(Debug, HashStable_Generic)]
2383 pub struct InlineAsm<'hir> {
2384     pub template: &'hir [InlineAsmTemplatePiece],
2385     pub operands: &'hir [(InlineAsmOperand<'hir>, Span)],
2386     pub options: InlineAsmOptions,
2387     pub line_spans: &'hir [Span],
2388 }
2389
2390 #[derive(Copy, Clone, Encodable, Decodable, Debug, Hash, HashStable_Generic, PartialEq)]
2391 pub struct LlvmInlineAsmOutput {
2392     pub constraint: Symbol,
2393     pub is_rw: bool,
2394     pub is_indirect: bool,
2395     pub span: Span,
2396 }
2397
2398 // NOTE(eddyb) This is used within MIR as well, so unlike the rest of the HIR,
2399 // it needs to be `Clone` and `Decodable` and use plain `Vec<T>` instead of
2400 // arena-allocated slice.
2401 #[derive(Clone, Encodable, Decodable, Debug, Hash, HashStable_Generic, PartialEq)]
2402 pub struct LlvmInlineAsmInner {
2403     pub asm: Symbol,
2404     pub asm_str_style: StrStyle,
2405     pub outputs: Vec<LlvmInlineAsmOutput>,
2406     pub inputs: Vec<Symbol>,
2407     pub clobbers: Vec<Symbol>,
2408     pub volatile: bool,
2409     pub alignstack: bool,
2410     pub dialect: LlvmAsmDialect,
2411 }
2412
2413 #[derive(Debug, HashStable_Generic)]
2414 pub struct LlvmInlineAsm<'hir> {
2415     pub inner: LlvmInlineAsmInner,
2416     pub outputs_exprs: &'hir [Expr<'hir>],
2417     pub inputs_exprs: &'hir [Expr<'hir>],
2418 }
2419
2420 /// Represents a parameter in a function header.
2421 #[derive(Debug, HashStable_Generic)]
2422 pub struct Param<'hir> {
2423     pub attrs: &'hir [Attribute],
2424     pub hir_id: HirId,
2425     pub pat: &'hir Pat<'hir>,
2426     pub ty_span: Span,
2427     pub span: Span,
2428 }
2429
2430 /// Represents the header (not the body) of a function declaration.
2431 #[derive(Debug, HashStable_Generic)]
2432 pub struct FnDecl<'hir> {
2433     /// The types of the function's parameters.
2434     ///
2435     /// Additional argument data is stored in the function's [body](Body::params).
2436     pub inputs: &'hir [Ty<'hir>],
2437     pub output: FnRetTy<'hir>,
2438     pub c_variadic: bool,
2439     /// Does the function have an implicit self?
2440     pub implicit_self: ImplicitSelfKind,
2441 }
2442
2443 /// Represents what type of implicit self a function has, if any.
2444 #[derive(Copy, Clone, Encodable, Decodable, Debug, HashStable_Generic)]
2445 pub enum ImplicitSelfKind {
2446     /// Represents a `fn x(self);`.
2447     Imm,
2448     /// Represents a `fn x(mut self);`.
2449     Mut,
2450     /// Represents a `fn x(&self);`.
2451     ImmRef,
2452     /// Represents a `fn x(&mut self);`.
2453     MutRef,
2454     /// Represents when a function does not have a self argument or
2455     /// when a function has a `self: X` argument.
2456     None,
2457 }
2458
2459 impl ImplicitSelfKind {
2460     /// Does this represent an implicit self?
2461     pub fn has_implicit_self(&self) -> bool {
2462         !matches!(*self, ImplicitSelfKind::None)
2463     }
2464 }
2465
2466 #[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Encodable, Decodable, Debug)]
2467 #[derive(HashStable_Generic)]
2468 pub enum IsAsync {
2469     Async,
2470     NotAsync,
2471 }
2472
2473 #[derive(Copy, Clone, PartialEq, Eq, Hash, Debug, Encodable, Decodable, HashStable_Generic)]
2474 pub enum Defaultness {
2475     Default { has_value: bool },
2476     Final,
2477 }
2478
2479 impl Defaultness {
2480     pub fn has_value(&self) -> bool {
2481         match *self {
2482             Defaultness::Default { has_value } => has_value,
2483             Defaultness::Final => true,
2484         }
2485     }
2486
2487     pub fn is_final(&self) -> bool {
2488         *self == Defaultness::Final
2489     }
2490
2491     pub fn is_default(&self) -> bool {
2492         matches!(*self, Defaultness::Default { .. })
2493     }
2494 }
2495
2496 #[derive(Debug, HashStable_Generic)]
2497 pub enum FnRetTy<'hir> {
2498     /// Return type is not specified.
2499     ///
2500     /// Functions default to `()` and
2501     /// closures default to inference. Span points to where return
2502     /// type would be inserted.
2503     DefaultReturn(Span),
2504     /// Everything else.
2505     Return(&'hir Ty<'hir>),
2506 }
2507
2508 impl FnRetTy<'_> {
2509     pub fn span(&self) -> Span {
2510         match *self {
2511             Self::DefaultReturn(span) => span,
2512             Self::Return(ref ty) => ty.span,
2513         }
2514     }
2515 }
2516
2517 #[derive(Encodable, Debug)]
2518 pub struct Mod<'hir> {
2519     /// A span from the first token past `{` to the last token until `}`.
2520     /// For `mod foo;`, the inner span ranges from the first token
2521     /// to the last token in the external file.
2522     pub inner: Span,
2523     pub item_ids: &'hir [ItemId],
2524 }
2525
2526 #[derive(Encodable, Debug, HashStable_Generic)]
2527 pub struct GlobalAsm {
2528     pub asm: Symbol,
2529 }
2530
2531 #[derive(Debug, HashStable_Generic)]
2532 pub struct EnumDef<'hir> {
2533     pub variants: &'hir [Variant<'hir>],
2534 }
2535
2536 #[derive(Debug, HashStable_Generic)]
2537 pub struct Variant<'hir> {
2538     /// Name of the variant.
2539     #[stable_hasher(project(name))]
2540     pub ident: Ident,
2541     /// Attributes of the variant.
2542     pub attrs: &'hir [Attribute],
2543     /// Id of the variant (not the constructor, see `VariantData::ctor_hir_id()`).
2544     pub id: HirId,
2545     /// Fields and constructor id of the variant.
2546     pub data: VariantData<'hir>,
2547     /// Explicit discriminant (e.g., `Foo = 1`).
2548     pub disr_expr: Option<AnonConst>,
2549     /// Span
2550     pub span: Span,
2551 }
2552
2553 #[derive(Copy, Clone, PartialEq, Encodable, Debug, HashStable_Generic)]
2554 pub enum UseKind {
2555     /// One import, e.g., `use foo::bar` or `use foo::bar as baz`.
2556     /// Also produced for each element of a list `use`, e.g.
2557     /// `use foo::{a, b}` lowers to `use foo::a; use foo::b;`.
2558     Single,
2559
2560     /// Glob import, e.g., `use foo::*`.
2561     Glob,
2562
2563     /// Degenerate list import, e.g., `use foo::{a, b}` produces
2564     /// an additional `use foo::{}` for performing checks such as
2565     /// unstable feature gating. May be removed in the future.
2566     ListStem,
2567 }
2568
2569 /// References to traits in impls.
2570 ///
2571 /// `resolve` maps each `TraitRef`'s `ref_id` to its defining trait; that's all
2572 /// that the `ref_id` is for. Note that `ref_id`'s value is not the `HirId` of the
2573 /// trait being referred to but just a unique `HirId` that serves as a key
2574 /// within the resolution map.
2575 #[derive(Debug, HashStable_Generic)]
2576 pub struct TraitRef<'hir> {
2577     pub path: &'hir Path<'hir>,
2578     // Don't hash the `ref_id`. It is tracked via the thing it is used to access.
2579     #[stable_hasher(ignore)]
2580     pub hir_ref_id: HirId,
2581 }
2582
2583 impl TraitRef<'_> {
2584     /// Gets the `DefId` of the referenced trait. It _must_ actually be a trait or trait alias.
2585     pub fn trait_def_id(&self) -> Option<DefId> {
2586         match self.path.res {
2587             Res::Def(DefKind::Trait | DefKind::TraitAlias, did) => Some(did),
2588             Res::Err => None,
2589             _ => unreachable!(),
2590         }
2591     }
2592 }
2593
2594 #[derive(Debug, HashStable_Generic)]
2595 pub struct PolyTraitRef<'hir> {
2596     /// The `'a` in `for<'a> Foo<&'a T>`.
2597     pub bound_generic_params: &'hir [GenericParam<'hir>],
2598
2599     /// The `Foo<&'a T>` in `for<'a> Foo<&'a T>`.
2600     pub trait_ref: TraitRef<'hir>,
2601
2602     pub span: Span,
2603 }
2604
2605 pub type Visibility<'hir> = Spanned<VisibilityKind<'hir>>;
2606
2607 #[derive(Debug)]
2608 pub enum VisibilityKind<'hir> {
2609     Public,
2610     Crate(CrateSugar),
2611     Restricted { path: &'hir Path<'hir>, hir_id: HirId },
2612     Inherited,
2613 }
2614
2615 impl VisibilityKind<'_> {
2616     pub fn is_pub(&self) -> bool {
2617         matches!(*self, VisibilityKind::Public)
2618     }
2619
2620     pub fn is_pub_restricted(&self) -> bool {
2621         match *self {
2622             VisibilityKind::Public | VisibilityKind::Inherited => false,
2623             VisibilityKind::Crate(..) | VisibilityKind::Restricted { .. } => true,
2624         }
2625     }
2626 }
2627
2628 #[derive(Debug, HashStable_Generic)]
2629 pub struct StructField<'hir> {
2630     pub span: Span,
2631     #[stable_hasher(project(name))]
2632     pub ident: Ident,
2633     pub vis: Visibility<'hir>,
2634     pub hir_id: HirId,
2635     pub ty: &'hir Ty<'hir>,
2636     pub attrs: &'hir [Attribute],
2637 }
2638
2639 impl StructField<'_> {
2640     // Still necessary in couple of places
2641     pub fn is_positional(&self) -> bool {
2642         let first = self.ident.as_str().as_bytes()[0];
2643         (b'0'..=b'9').contains(&first)
2644     }
2645 }
2646
2647 /// Fields and constructor IDs of enum variants and structs.
2648 #[derive(Debug, HashStable_Generic)]
2649 pub enum VariantData<'hir> {
2650     /// A struct variant.
2651     ///
2652     /// E.g., `Bar { .. }` as in `enum Foo { Bar { .. } }`.
2653     Struct(&'hir [StructField<'hir>], /* recovered */ bool),
2654     /// A tuple variant.
2655     ///
2656     /// E.g., `Bar(..)` as in `enum Foo { Bar(..) }`.
2657     Tuple(&'hir [StructField<'hir>], HirId),
2658     /// A unit variant.
2659     ///
2660     /// E.g., `Bar = ..` as in `enum Foo { Bar = .. }`.
2661     Unit(HirId),
2662 }
2663
2664 impl VariantData<'hir> {
2665     /// Return the fields of this variant.
2666     pub fn fields(&self) -> &'hir [StructField<'hir>] {
2667         match *self {
2668             VariantData::Struct(ref fields, ..) | VariantData::Tuple(ref fields, ..) => fields,
2669             _ => &[],
2670         }
2671     }
2672
2673     /// Return the `HirId` of this variant's constructor, if it has one.
2674     pub fn ctor_hir_id(&self) -> Option<HirId> {
2675         match *self {
2676             VariantData::Struct(_, _) => None,
2677             VariantData::Tuple(_, hir_id) | VariantData::Unit(hir_id) => Some(hir_id),
2678         }
2679     }
2680 }
2681
2682 // The bodies for items are stored "out of line", in a separate
2683 // hashmap in the `Crate`. Here we just record the hir-id of the item
2684 // so it can fetched later.
2685 #[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Encodable, Debug, Hash)]
2686 pub struct ItemId {
2687     pub def_id: LocalDefId,
2688 }
2689
2690 impl ItemId {
2691     pub fn hir_id(&self) -> HirId {
2692         // Items are always HIR owners.
2693         HirId::make_owner(self.def_id)
2694     }
2695 }
2696
2697 /// An item
2698 ///
2699 /// The name might be a dummy name in case of anonymous items
2700 #[derive(Debug)]
2701 pub struct Item<'hir> {
2702     pub ident: Ident,
2703     pub def_id: LocalDefId,
2704     pub attrs: &'hir [Attribute],
2705     pub kind: ItemKind<'hir>,
2706     pub vis: Visibility<'hir>,
2707     pub span: Span,
2708 }
2709
2710 impl Item<'_> {
2711     pub fn hir_id(&self) -> HirId {
2712         // Items are always HIR owners.
2713         HirId::make_owner(self.def_id)
2714     }
2715
2716     pub fn item_id(&self) -> ItemId {
2717         ItemId { def_id: self.def_id }
2718     }
2719 }
2720
2721 #[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Hash, Debug)]
2722 #[derive(Encodable, Decodable, HashStable_Generic)]
2723 pub enum Unsafety {
2724     Unsafe,
2725     Normal,
2726 }
2727
2728 impl Unsafety {
2729     pub fn prefix_str(&self) -> &'static str {
2730         match self {
2731             Self::Unsafe => "unsafe ",
2732             Self::Normal => "",
2733         }
2734     }
2735 }
2736
2737 impl fmt::Display for Unsafety {
2738     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
2739         f.write_str(match *self {
2740             Self::Unsafe => "unsafe",
2741             Self::Normal => "normal",
2742         })
2743     }
2744 }
2745
2746 #[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Hash, Debug)]
2747 #[derive(Encodable, Decodable, HashStable_Generic)]
2748 pub enum Constness {
2749     Const,
2750     NotConst,
2751 }
2752
2753 #[derive(Copy, Clone, Encodable, Debug, HashStable_Generic)]
2754 pub struct FnHeader {
2755     pub unsafety: Unsafety,
2756     pub constness: Constness,
2757     pub asyncness: IsAsync,
2758     pub abi: Abi,
2759 }
2760
2761 impl FnHeader {
2762     pub fn is_const(&self) -> bool {
2763         matches!(&self.constness, Constness::Const)
2764     }
2765 }
2766
2767 #[derive(Debug, HashStable_Generic)]
2768 pub enum ItemKind<'hir> {
2769     /// An `extern crate` item, with optional *original* crate name if the crate was renamed.
2770     ///
2771     /// E.g., `extern crate foo` or `extern crate foo_bar as foo`.
2772     ExternCrate(Option<Symbol>),
2773
2774     /// `use foo::bar::*;` or `use foo::bar::baz as quux;`
2775     ///
2776     /// or just
2777     ///
2778     /// `use foo::bar::baz;` (with `as baz` implicitly on the right).
2779     Use(&'hir Path<'hir>, UseKind),
2780
2781     /// A `static` item.
2782     Static(&'hir Ty<'hir>, Mutability, BodyId),
2783     /// A `const` item.
2784     Const(&'hir Ty<'hir>, BodyId),
2785     /// A function declaration.
2786     Fn(FnSig<'hir>, Generics<'hir>, BodyId),
2787     /// A module.
2788     Mod(Mod<'hir>),
2789     /// An external module, e.g. `extern { .. }`.
2790     ForeignMod { abi: Abi, items: &'hir [ForeignItemRef<'hir>] },
2791     /// Module-level inline assembly (from `global_asm!`).
2792     GlobalAsm(&'hir GlobalAsm),
2793     /// A type alias, e.g., `type Foo = Bar<u8>`.
2794     TyAlias(&'hir Ty<'hir>, Generics<'hir>),
2795     /// An opaque `impl Trait` type alias, e.g., `type Foo = impl Bar;`.
2796     OpaqueTy(OpaqueTy<'hir>),
2797     /// An enum definition, e.g., `enum Foo<A, B> {C<A>, D<B>}`.
2798     Enum(EnumDef<'hir>, Generics<'hir>),
2799     /// A struct definition, e.g., `struct Foo<A> {x: A}`.
2800     Struct(VariantData<'hir>, Generics<'hir>),
2801     /// A union definition, e.g., `union Foo<A, B> {x: A, y: B}`.
2802     Union(VariantData<'hir>, Generics<'hir>),
2803     /// A trait definition.
2804     Trait(IsAuto, Unsafety, Generics<'hir>, GenericBounds<'hir>, &'hir [TraitItemRef]),
2805     /// A trait alias.
2806     TraitAlias(Generics<'hir>, GenericBounds<'hir>),
2807
2808     /// An implementation, e.g., `impl<A> Trait for Foo { .. }`.
2809     Impl(Impl<'hir>),
2810 }
2811
2812 #[derive(Debug, HashStable_Generic)]
2813 pub struct Impl<'hir> {
2814     pub unsafety: Unsafety,
2815     pub polarity: ImplPolarity,
2816     pub defaultness: Defaultness,
2817     // We do not put a `Span` in `Defaultness` because it breaks foreign crate metadata
2818     // decoding as `Span`s cannot be decoded when a `Session` is not available.
2819     pub defaultness_span: Option<Span>,
2820     pub constness: Constness,
2821     pub generics: Generics<'hir>,
2822
2823     /// The trait being implemented, if any.
2824     pub of_trait: Option<TraitRef<'hir>>,
2825
2826     pub self_ty: &'hir Ty<'hir>,
2827     pub items: &'hir [ImplItemRef<'hir>],
2828 }
2829
2830 impl ItemKind<'_> {
2831     pub fn generics(&self) -> Option<&Generics<'_>> {
2832         Some(match *self {
2833             ItemKind::Fn(_, ref generics, _)
2834             | ItemKind::TyAlias(_, ref generics)
2835             | ItemKind::OpaqueTy(OpaqueTy { ref generics, impl_trait_fn: None, .. })
2836             | ItemKind::Enum(_, ref generics)
2837             | ItemKind::Struct(_, ref generics)
2838             | ItemKind::Union(_, ref generics)
2839             | ItemKind::Trait(_, _, ref generics, _, _)
2840             | ItemKind::Impl(Impl { ref generics, .. }) => generics,
2841             _ => return None,
2842         })
2843     }
2844 }
2845
2846 /// A reference from an trait to one of its associated items. This
2847 /// contains the item's id, naturally, but also the item's name and
2848 /// some other high-level details (like whether it is an associated
2849 /// type or method, and whether it is public). This allows other
2850 /// passes to find the impl they want without loading the ID (which
2851 /// means fewer edges in the incremental compilation graph).
2852 #[derive(Encodable, Debug, HashStable_Generic)]
2853 pub struct TraitItemRef {
2854     pub id: TraitItemId,
2855     #[stable_hasher(project(name))]
2856     pub ident: Ident,
2857     pub kind: AssocItemKind,
2858     pub span: Span,
2859     pub defaultness: Defaultness,
2860 }
2861
2862 /// A reference from an impl to one of its associated items. This
2863 /// contains the item's ID, naturally, but also the item's name and
2864 /// some other high-level details (like whether it is an associated
2865 /// type or method, and whether it is public). This allows other
2866 /// passes to find the impl they want without loading the ID (which
2867 /// means fewer edges in the incremental compilation graph).
2868 #[derive(Debug, HashStable_Generic)]
2869 pub struct ImplItemRef<'hir> {
2870     pub id: ImplItemId,
2871     #[stable_hasher(project(name))]
2872     pub ident: Ident,
2873     pub kind: AssocItemKind,
2874     pub span: Span,
2875     pub vis: Visibility<'hir>,
2876     pub defaultness: Defaultness,
2877 }
2878
2879 #[derive(Copy, Clone, PartialEq, Encodable, Debug, HashStable_Generic)]
2880 pub enum AssocItemKind {
2881     Const,
2882     Fn { has_self: bool },
2883     Type,
2884 }
2885
2886 // The bodies for items are stored "out of line", in a separate
2887 // hashmap in the `Crate`. Here we just record the hir-id of the item
2888 // so it can fetched later.
2889 #[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Encodable, Debug)]
2890 pub struct ForeignItemId {
2891     pub def_id: LocalDefId,
2892 }
2893
2894 impl ForeignItemId {
2895     pub fn hir_id(&self) -> HirId {
2896         // Items are always HIR owners.
2897         HirId::make_owner(self.def_id)
2898     }
2899 }
2900
2901 /// A reference from a foreign block to one of its items. This
2902 /// contains the item's ID, naturally, but also the item's name and
2903 /// some other high-level details (like whether it is an associated
2904 /// type or method, and whether it is public). This allows other
2905 /// passes to find the impl they want without loading the ID (which
2906 /// means fewer edges in the incremental compilation graph).
2907 #[derive(Debug, HashStable_Generic)]
2908 pub struct ForeignItemRef<'hir> {
2909     pub id: ForeignItemId,
2910     #[stable_hasher(project(name))]
2911     pub ident: Ident,
2912     pub span: Span,
2913     pub vis: Visibility<'hir>,
2914 }
2915
2916 #[derive(Debug)]
2917 pub struct ForeignItem<'hir> {
2918     pub ident: Ident,
2919     pub attrs: &'hir [Attribute],
2920     pub kind: ForeignItemKind<'hir>,
2921     pub def_id: LocalDefId,
2922     pub span: Span,
2923     pub vis: Visibility<'hir>,
2924 }
2925
2926 impl ForeignItem<'_> {
2927     pub fn hir_id(&self) -> HirId {
2928         // Items are always HIR owners.
2929         HirId::make_owner(self.def_id)
2930     }
2931
2932     pub fn foreign_item_id(&self) -> ForeignItemId {
2933         ForeignItemId { def_id: self.def_id }
2934     }
2935 }
2936
2937 /// An item within an `extern` block.
2938 #[derive(Debug, HashStable_Generic)]
2939 pub enum ForeignItemKind<'hir> {
2940     /// A foreign function.
2941     Fn(&'hir FnDecl<'hir>, &'hir [Ident], Generics<'hir>),
2942     /// A foreign static item (`static ext: u8`).
2943     Static(&'hir Ty<'hir>, Mutability),
2944     /// A foreign type.
2945     Type,
2946 }
2947
2948 /// A variable captured by a closure.
2949 #[derive(Debug, Copy, Clone, Encodable, HashStable_Generic)]
2950 pub struct Upvar {
2951     // First span where it is accessed (there can be multiple).
2952     pub span: Span,
2953 }
2954
2955 // The TraitCandidate's import_ids is empty if the trait is defined in the same module, and
2956 // has length > 0 if the trait is found through an chain of imports, starting with the
2957 // import/use statement in the scope where the trait is used.
2958 #[derive(Encodable, Decodable, Clone, Debug)]
2959 pub struct TraitCandidate {
2960     pub def_id: DefId,
2961     pub import_ids: SmallVec<[LocalDefId; 1]>,
2962 }
2963
2964 #[derive(Copy, Clone, Debug, HashStable_Generic)]
2965 pub enum Node<'hir> {
2966     Param(&'hir Param<'hir>),
2967     Item(&'hir Item<'hir>),
2968     ForeignItem(&'hir ForeignItem<'hir>),
2969     TraitItem(&'hir TraitItem<'hir>),
2970     ImplItem(&'hir ImplItem<'hir>),
2971     Variant(&'hir Variant<'hir>),
2972     Field(&'hir StructField<'hir>),
2973     AnonConst(&'hir AnonConst),
2974     Expr(&'hir Expr<'hir>),
2975     Stmt(&'hir Stmt<'hir>),
2976     PathSegment(&'hir PathSegment<'hir>),
2977     Ty(&'hir Ty<'hir>),
2978     TraitRef(&'hir TraitRef<'hir>),
2979     Binding(&'hir Pat<'hir>),
2980     Pat(&'hir Pat<'hir>),
2981     Arm(&'hir Arm<'hir>),
2982     Block(&'hir Block<'hir>),
2983     Local(&'hir Local<'hir>),
2984     MacroDef(&'hir MacroDef<'hir>),
2985
2986     /// `Ctor` refers to the constructor of an enum variant or struct. Only tuple or unit variants
2987     /// with synthesized constructors.
2988     Ctor(&'hir VariantData<'hir>),
2989
2990     Lifetime(&'hir Lifetime),
2991     GenericParam(&'hir GenericParam<'hir>),
2992     Visibility(&'hir Visibility<'hir>),
2993
2994     Crate(&'hir CrateItem<'hir>),
2995 }
2996
2997 impl<'hir> Node<'hir> {
2998     pub fn ident(&self) -> Option<Ident> {
2999         match self {
3000             Node::TraitItem(TraitItem { ident, .. })
3001             | Node::ImplItem(ImplItem { ident, .. })
3002             | Node::ForeignItem(ForeignItem { ident, .. })
3003             | Node::Field(StructField { ident, .. })
3004             | Node::Variant(Variant { ident, .. })
3005             | Node::MacroDef(MacroDef { ident, .. })
3006             | Node::Item(Item { ident, .. }) => Some(*ident),
3007             _ => None,
3008         }
3009     }
3010
3011     pub fn fn_decl(&self) -> Option<&FnDecl<'hir>> {
3012         match self {
3013             Node::TraitItem(TraitItem { kind: TraitItemKind::Fn(fn_sig, _), .. })
3014             | Node::ImplItem(ImplItem { kind: ImplItemKind::Fn(fn_sig, _), .. })
3015             | Node::Item(Item { kind: ItemKind::Fn(fn_sig, _, _), .. }) => Some(fn_sig.decl),
3016             Node::ForeignItem(ForeignItem { kind: ForeignItemKind::Fn(fn_decl, _, _), .. }) => {
3017                 Some(fn_decl)
3018             }
3019             _ => None,
3020         }
3021     }
3022
3023     pub fn body_id(&self) -> Option<BodyId> {
3024         match self {
3025             Node::TraitItem(TraitItem {
3026                 kind: TraitItemKind::Fn(_, TraitFn::Provided(body_id)),
3027                 ..
3028             })
3029             | Node::ImplItem(ImplItem { kind: ImplItemKind::Fn(_, body_id), .. })
3030             | Node::Item(Item { kind: ItemKind::Fn(.., body_id), .. }) => Some(*body_id),
3031             _ => None,
3032         }
3033     }
3034
3035     pub fn generics(&self) -> Option<&'hir Generics<'hir>> {
3036         match self {
3037             Node::TraitItem(TraitItem { generics, .. })
3038             | Node::ImplItem(ImplItem { generics, .. }) => Some(generics),
3039             Node::Item(item) => item.kind.generics(),
3040             _ => None,
3041         }
3042     }
3043
3044     pub fn hir_id(&self) -> Option<HirId> {
3045         match self {
3046             Node::Item(Item { def_id, .. })
3047             | Node::TraitItem(TraitItem { def_id, .. })
3048             | Node::ImplItem(ImplItem { def_id, .. })
3049             | Node::ForeignItem(ForeignItem { def_id, .. })
3050             | Node::MacroDef(MacroDef { def_id, .. }) => Some(HirId::make_owner(*def_id)),
3051             Node::Field(StructField { hir_id, .. })
3052             | Node::AnonConst(AnonConst { hir_id, .. })
3053             | Node::Expr(Expr { hir_id, .. })
3054             | Node::Stmt(Stmt { hir_id, .. })
3055             | Node::Ty(Ty { hir_id, .. })
3056             | Node::Binding(Pat { hir_id, .. })
3057             | Node::Pat(Pat { hir_id, .. })
3058             | Node::Arm(Arm { hir_id, .. })
3059             | Node::Block(Block { hir_id, .. })
3060             | Node::Local(Local { hir_id, .. })
3061             | Node::Lifetime(Lifetime { hir_id, .. })
3062             | Node::Param(Param { hir_id, .. })
3063             | Node::GenericParam(GenericParam { hir_id, .. }) => Some(*hir_id),
3064             Node::TraitRef(TraitRef { hir_ref_id, .. }) => Some(*hir_ref_id),
3065             Node::PathSegment(PathSegment { hir_id, .. }) => *hir_id,
3066             Node::Variant(Variant { id, .. }) => Some(*id),
3067             Node::Ctor(variant) => variant.ctor_hir_id(),
3068             Node::Crate(_) | Node::Visibility(_) => None,
3069         }
3070     }
3071 }
3072
3073 // Some nodes are used a lot. Make sure they don't unintentionally get bigger.
3074 #[cfg(target_arch = "x86_64")]
3075 mod size_asserts {
3076     rustc_data_structures::static_assert_size!(super::Block<'static>, 48);
3077     rustc_data_structures::static_assert_size!(super::Expr<'static>, 72);
3078     rustc_data_structures::static_assert_size!(super::Pat<'static>, 88);
3079     rustc_data_structures::static_assert_size!(super::QPath<'static>, 24);
3080     rustc_data_structures::static_assert_size!(super::Ty<'static>, 72);
3081
3082     rustc_data_structures::static_assert_size!(super::Item<'static>, 200);
3083     rustc_data_structures::static_assert_size!(super::TraitItem<'static>, 144);
3084     rustc_data_structures::static_assert_size!(super::ImplItem<'static>, 168);
3085     rustc_data_structures::static_assert_size!(super::ForeignItem<'static>, 152);
3086 }