]> git.lizzy.rs Git - rust.git/blob - src/libsyntax/ast.rs
84ef0468cac7a420db1f694a6535b00c20cdcb6e
[rust.git] / src / libsyntax / ast.rs
1 // The Rust abstract syntax tree.
2
3 pub use GenericArgs::*;
4 pub use UnsafeSource::*;
5 pub use crate::symbol::{Ident, Symbol as Name};
6 pub use crate::util::parser::ExprPrecedence;
7
8 use crate::ext::hygiene::{Mark, SyntaxContext};
9 use crate::parse::token;
10 use crate::print::pprust;
11 use crate::ptr::P;
12 use crate::source_map::{dummy_spanned, respan, Spanned};
13 use crate::symbol::{kw, Symbol};
14 use crate::tokenstream::TokenStream;
15 use crate::ThinVec;
16
17 use rustc_data_structures::indexed_vec::Idx;
18 #[cfg(target_arch = "x86_64")]
19 use rustc_data_structures::static_assert_size;
20 use rustc_target::spec::abi::Abi;
21 use syntax_pos::{Span, DUMMY_SP};
22
23 use rustc_data_structures::fx::FxHashSet;
24 use rustc_data_structures::sync::Lrc;
25 use serialize::{self, Decoder, Encoder};
26 use std::fmt;
27
28 pub use rustc_target::abi::FloatTy;
29
30 #[derive(Clone, RustcEncodable, RustcDecodable, Copy)]
31 pub struct Label {
32     pub ident: Ident,
33 }
34
35 impl fmt::Debug for Label {
36     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
37         write!(f, "label({:?})", self.ident)
38     }
39 }
40
41 #[derive(Clone, RustcEncodable, RustcDecodable, Copy)]
42 pub struct Lifetime {
43     pub id: NodeId,
44     pub ident: Ident,
45 }
46
47 impl fmt::Debug for Lifetime {
48     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
49         write!(
50             f,
51             "lifetime({}: {})",
52             self.id,
53             pprust::lifetime_to_string(self)
54         )
55     }
56 }
57
58 /// A "Path" is essentially Rust's notion of a name.
59 ///
60 /// It's represented as a sequence of identifiers,
61 /// along with a bunch of supporting information.
62 ///
63 /// E.g., `std::cmp::PartialEq`.
64 #[derive(Clone, RustcEncodable, RustcDecodable)]
65 pub struct Path {
66     pub span: Span,
67     /// The segments in the path: the things separated by `::`.
68     /// Global paths begin with `kw::PathRoot`.
69     pub segments: Vec<PathSegment>,
70 }
71
72 impl PartialEq<Symbol> for Path {
73     fn eq(&self, symbol: &Symbol) -> bool {
74         self.segments.len() == 1 && {
75             self.segments[0].ident.name == *symbol
76         }
77     }
78 }
79
80 impl fmt::Debug for Path {
81     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
82         write!(f, "path({})", pprust::path_to_string(self))
83     }
84 }
85
86 impl fmt::Display for Path {
87     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
88         write!(f, "{}", pprust::path_to_string(self))
89     }
90 }
91
92 impl Path {
93     // Convert a span and an identifier to the corresponding
94     // one-segment path.
95     pub fn from_ident(ident: Ident) -> Path {
96         Path {
97             segments: vec![PathSegment::from_ident(ident)],
98             span: ident.span,
99         }
100     }
101
102     pub fn is_global(&self) -> bool {
103         !self.segments.is_empty() && self.segments[0].ident.name == kw::PathRoot
104     }
105 }
106
107 /// A segment of a path: an identifier, an optional lifetime, and a set of types.
108 ///
109 /// E.g., `std`, `String` or `Box<T>`.
110 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
111 pub struct PathSegment {
112     /// The identifier portion of this path segment.
113     pub ident: Ident,
114
115     pub id: NodeId,
116
117     /// Type/lifetime parameters attached to this path. They come in
118     /// two flavors: `Path<A,B,C>` and `Path(A,B) -> C`.
119     /// `None` means that no parameter list is supplied (`Path`),
120     /// `Some` means that parameter list is supplied (`Path<X, Y>`)
121     /// but it can be empty (`Path<>`).
122     /// `P` is used as a size optimization for the common case with no parameters.
123     pub args: Option<P<GenericArgs>>,
124 }
125
126 impl PathSegment {
127     pub fn from_ident(ident: Ident) -> Self {
128         PathSegment { ident, id: DUMMY_NODE_ID, args: None }
129     }
130     pub fn path_root(span: Span) -> Self {
131         PathSegment::from_ident(Ident::new(kw::PathRoot, span))
132     }
133 }
134
135 /// The arguments of a path segment.
136 ///
137 /// E.g., `<A, B>` as in `Foo<A, B>` or `(A, B)` as in `Foo(A, B)`.
138 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
139 pub enum GenericArgs {
140     /// The `<'a, A, B, C>` in `foo::bar::baz::<'a, A, B, C>`.
141     AngleBracketed(AngleBracketedArgs),
142     /// The `(A, B)` and `C` in `Foo(A, B) -> C`.
143     Parenthesized(ParenthesizedArgs),
144 }
145
146 impl GenericArgs {
147     pub fn is_parenthesized(&self) -> bool {
148         match *self {
149             Parenthesized(..) => true,
150             _ => false,
151         }
152     }
153
154     pub fn is_angle_bracketed(&self) -> bool {
155         match *self {
156             AngleBracketed(..) => true,
157             _ => false,
158         }
159     }
160
161     pub fn span(&self) -> Span {
162         match *self {
163             AngleBracketed(ref data) => data.span,
164             Parenthesized(ref data) => data.span,
165         }
166     }
167 }
168
169 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
170 pub enum GenericArg {
171     Lifetime(Lifetime),
172     Type(P<Ty>),
173     Const(AnonConst),
174 }
175
176 impl GenericArg {
177     pub fn span(&self) -> Span {
178         match self {
179             GenericArg::Lifetime(lt) => lt.ident.span,
180             GenericArg::Type(ty) => ty.span,
181             GenericArg::Const(ct) => ct.value.span,
182         }
183     }
184 }
185
186 /// A path like `Foo<'a, T>`.
187 #[derive(Clone, RustcEncodable, RustcDecodable, Debug, Default)]
188 pub struct AngleBracketedArgs {
189     /// The overall span.
190     pub span: Span,
191     /// The arguments for this path segment.
192     pub args: Vec<GenericArg>,
193     /// Bindings (equality constraints) on associated types, if present.
194     /// E.g., `Foo<A = Bar>`.
195     pub bindings: Vec<TypeBinding>,
196 }
197
198 impl Into<Option<P<GenericArgs>>> for AngleBracketedArgs {
199     fn into(self) -> Option<P<GenericArgs>> {
200         Some(P(GenericArgs::AngleBracketed(self)))
201     }
202 }
203
204 impl Into<Option<P<GenericArgs>>> for ParenthesizedArgs {
205     fn into(self) -> Option<P<GenericArgs>> {
206         Some(P(GenericArgs::Parenthesized(self)))
207     }
208 }
209
210 /// A path like `Foo(A, B) -> C`.
211 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
212 pub struct ParenthesizedArgs {
213     /// Overall span
214     pub span: Span,
215
216     /// `(A,B)`
217     pub inputs: Vec<P<Ty>>,
218
219     /// `C`
220     pub output: Option<P<Ty>>,
221 }
222
223 impl ParenthesizedArgs {
224     pub fn as_angle_bracketed_args(&self) -> AngleBracketedArgs {
225         AngleBracketedArgs {
226             span: self.span,
227             args: self.inputs.iter().cloned().map(|input| GenericArg::Type(input)).collect(),
228             bindings: vec![],
229         }
230     }
231 }
232
233 // hack to ensure that we don't try to access the private parts of `NodeId` in this module
234 mod node_id_inner {
235     use rustc_data_structures::indexed_vec::Idx;
236     use rustc_data_structures::newtype_index;
237     newtype_index! {
238         pub struct NodeId {
239             ENCODABLE = custom
240             DEBUG_FORMAT = "NodeId({})"
241         }
242     }
243 }
244
245 pub use node_id_inner::NodeId;
246
247 impl NodeId {
248     pub fn placeholder_from_mark(mark: Mark) -> Self {
249         NodeId::from_u32(mark.as_u32())
250     }
251
252     pub fn placeholder_to_mark(self) -> Mark {
253         Mark::from_u32(self.as_u32())
254     }
255 }
256
257 impl fmt::Display for NodeId {
258     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
259         fmt::Display::fmt(&self.as_u32(), f)
260     }
261 }
262
263 impl serialize::UseSpecializedEncodable for NodeId {
264     fn default_encode<S: Encoder>(&self, s: &mut S) -> Result<(), S::Error> {
265         s.emit_u32(self.as_u32())
266     }
267 }
268
269 impl serialize::UseSpecializedDecodable for NodeId {
270     fn default_decode<D: Decoder>(d: &mut D) -> Result<NodeId, D::Error> {
271         d.read_u32().map(NodeId::from_u32)
272     }
273 }
274
275 /// `NodeId` used to represent the root of the crate.
276 pub const CRATE_NODE_ID: NodeId = NodeId::from_u32_const(0);
277
278 /// When parsing and doing expansions, we initially give all AST nodes this AST
279 /// node value. Then later, in the renumber pass, we renumber them to have
280 /// small, positive ids.
281 pub const DUMMY_NODE_ID: NodeId = NodeId::MAX;
282
283 /// A modifier on a bound, currently this is only used for `?Sized`, where the
284 /// modifier is `Maybe`. Negative bounds should also be handled here.
285 #[derive(Copy, Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Debug)]
286 pub enum TraitBoundModifier {
287     None,
288     Maybe,
289 }
290
291 /// The AST represents all type param bounds as types.
292 /// `typeck::collect::compute_bounds` matches these against
293 /// the "special" built-in traits (see `middle::lang_items`) and
294 /// detects `Copy`, `Send` and `Sync`.
295 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
296 pub enum GenericBound {
297     Trait(PolyTraitRef, TraitBoundModifier),
298     Outlives(Lifetime),
299 }
300
301 impl GenericBound {
302     pub fn span(&self) -> Span {
303         match self {
304             &GenericBound::Trait(ref t, ..) => t.span,
305             &GenericBound::Outlives(ref l) => l.ident.span,
306         }
307     }
308 }
309
310 pub type GenericBounds = Vec<GenericBound>;
311
312 /// Specifies the enforced ordering for generic parameters. In the future,
313 /// if we wanted to relax this order, we could override `PartialEq` and
314 /// `PartialOrd`, to allow the kinds to be unordered.
315 #[derive(PartialEq, Eq, PartialOrd, Ord, Hash, Clone, Copy)]
316 pub enum ParamKindOrd {
317     Lifetime,
318     Type,
319     Const,
320 }
321
322 impl fmt::Display for ParamKindOrd {
323     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
324         match self {
325             ParamKindOrd::Lifetime => "lifetime".fmt(f),
326             ParamKindOrd::Type => "type".fmt(f),
327             ParamKindOrd::Const => "const".fmt(f),
328         }
329     }
330 }
331
332 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
333 pub enum GenericParamKind {
334     /// A lifetime definition (e.g., `'a: 'b + 'c + 'd`).
335     Lifetime,
336     Type { default: Option<P<Ty>> },
337     Const { ty: P<Ty> },
338 }
339
340 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
341 pub struct GenericParam {
342     pub id: NodeId,
343     pub ident: Ident,
344     pub attrs: ThinVec<Attribute>,
345     pub bounds: GenericBounds,
346
347     pub kind: GenericParamKind,
348 }
349
350 /// Represents lifetime, type and const parameters attached to a declaration of
351 /// a function, enum, trait, etc.
352 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
353 pub struct Generics {
354     pub params: Vec<GenericParam>,
355     pub where_clause: WhereClause,
356     pub span: Span,
357 }
358
359 impl Default for Generics {
360     /// Creates an instance of `Generics`.
361     fn default() -> Generics {
362         Generics {
363             params: Vec::new(),
364             where_clause: WhereClause {
365                 id: DUMMY_NODE_ID,
366                 predicates: Vec::new(),
367                 span: DUMMY_SP,
368             },
369             span: DUMMY_SP,
370         }
371     }
372 }
373
374 /// A where-clause in a definition.
375 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
376 pub struct WhereClause {
377     pub id: NodeId,
378     pub predicates: Vec<WherePredicate>,
379     pub span: Span,
380 }
381
382 /// A single predicate in a where-clause.
383 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
384 pub enum WherePredicate {
385     /// A type binding (e.g., `for<'c> Foo: Send + Clone + 'c`).
386     BoundPredicate(WhereBoundPredicate),
387     /// A lifetime predicate (e.g., `'a: 'b + 'c`).
388     RegionPredicate(WhereRegionPredicate),
389     /// An equality predicate (unsupported).
390     EqPredicate(WhereEqPredicate),
391 }
392
393 impl WherePredicate {
394     pub fn span(&self) -> Span {
395         match self {
396             &WherePredicate::BoundPredicate(ref p) => p.span,
397             &WherePredicate::RegionPredicate(ref p) => p.span,
398             &WherePredicate::EqPredicate(ref p) => p.span,
399         }
400     }
401 }
402
403 /// A type bound.
404 ///
405 /// E.g., `for<'c> Foo: Send + Clone + 'c`.
406 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
407 pub struct WhereBoundPredicate {
408     pub span: Span,
409     /// Any generics from a `for` binding
410     pub bound_generic_params: Vec<GenericParam>,
411     /// The type being bounded
412     pub bounded_ty: P<Ty>,
413     /// Trait and lifetime bounds (`Clone+Send+'static`)
414     pub bounds: GenericBounds,
415 }
416
417 /// A lifetime predicate.
418 ///
419 /// E.g., `'a: 'b + 'c`.
420 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
421 pub struct WhereRegionPredicate {
422     pub span: Span,
423     pub lifetime: Lifetime,
424     pub bounds: GenericBounds,
425 }
426
427 /// An equality predicate (unsupported).
428 ///
429 /// E.g., `T = int`.
430 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
431 pub struct WhereEqPredicate {
432     pub id: NodeId,
433     pub span: Span,
434     pub lhs_ty: P<Ty>,
435     pub rhs_ty: P<Ty>,
436 }
437
438 /// The set of `MetaItem`s that define the compilation environment of the crate,
439 /// used to drive conditional compilation.
440 pub type CrateConfig = FxHashSet<(Name, Option<Symbol>)>;
441
442 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
443 pub struct Crate {
444     pub module: Mod,
445     pub attrs: Vec<Attribute>,
446     pub span: Span,
447 }
448
449 /// Possible values inside of compile-time attribute lists.
450 ///
451 /// E.g., the '..' in `#[name(..)]`.
452 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
453 pub enum NestedMetaItem {
454     /// A full MetaItem, for recursive meta items.
455     MetaItem(MetaItem),
456     /// A literal.
457     ///
458     /// E.g., `"foo"`, `64`, `true`.
459     Literal(Lit),
460 }
461
462 /// A spanned compile-time attribute item.
463 ///
464 /// E.g., `#[test]`, `#[derive(..)]`, `#[rustfmt::skip]` or `#[feature = "foo"]`.
465 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
466 pub struct MetaItem {
467     pub path: Path,
468     pub node: MetaItemKind,
469     pub span: Span,
470 }
471
472 /// A compile-time attribute item.
473 ///
474 /// E.g., `#[test]`, `#[derive(..)]` or `#[feature = "foo"]`.
475 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
476 pub enum MetaItemKind {
477     /// Word meta item.
478     ///
479     /// E.g., `test` as in `#[test]`.
480     Word,
481     /// List meta item.
482     ///
483     /// E.g., `derive(..)` as in `#[derive(..)]`.
484     List(Vec<NestedMetaItem>),
485     /// Name value meta item.
486     ///
487     /// E.g., `feature = "foo"` as in `#[feature = "foo"]`.
488     NameValue(Lit),
489 }
490
491 /// A Block (`{ .. }`).
492 ///
493 /// E.g., `{ .. }` as in `fn foo() { .. }`.
494 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
495 pub struct Block {
496     /// Statements in a block
497     pub stmts: Vec<Stmt>,
498     pub id: NodeId,
499     /// Distinguishes between `unsafe { ... }` and `{ ... }`
500     pub rules: BlockCheckMode,
501     pub span: Span,
502 }
503
504 #[derive(Clone, RustcEncodable, RustcDecodable)]
505 pub struct Pat {
506     pub id: NodeId,
507     pub node: PatKind,
508     pub span: Span,
509 }
510
511 impl fmt::Debug for Pat {
512     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
513         write!(f, "pat({}: {})", self.id, pprust::pat_to_string(self))
514     }
515 }
516
517 impl Pat {
518     pub(super) fn to_ty(&self) -> Option<P<Ty>> {
519         let node = match &self.node {
520             PatKind::Wild => TyKind::Infer,
521             PatKind::Ident(BindingMode::ByValue(Mutability::Immutable), ident, None) => {
522                 TyKind::Path(None, Path::from_ident(*ident))
523             }
524             PatKind::Path(qself, path) => TyKind::Path(qself.clone(), path.clone()),
525             PatKind::Mac(mac) => TyKind::Mac(mac.clone()),
526             PatKind::Ref(pat, mutbl) => pat
527                 .to_ty()
528                 .map(|ty| TyKind::Rptr(None, MutTy { ty, mutbl: *mutbl }))?,
529             PatKind::Slice(pats, None, _) if pats.len() == 1 => {
530                 pats[0].to_ty().map(TyKind::Slice)?
531             }
532             PatKind::Tuple(pats, None) => {
533                 let mut tys = Vec::with_capacity(pats.len());
534                 // FIXME(#48994) - could just be collected into an Option<Vec>
535                 for pat in pats {
536                     tys.push(pat.to_ty()?);
537                 }
538                 TyKind::Tup(tys)
539             }
540             _ => return None,
541         };
542
543         Some(P(Ty {
544             node,
545             id: self.id,
546             span: self.span,
547         }))
548     }
549
550     pub fn walk<F>(&self, it: &mut F) -> bool
551     where
552         F: FnMut(&Pat) -> bool,
553     {
554         if !it(self) {
555             return false;
556         }
557
558         match self.node {
559             PatKind::Ident(_, _, Some(ref p)) => p.walk(it),
560             PatKind::Struct(_, ref fields, _) => fields.iter().all(|field| field.node.pat.walk(it)),
561             PatKind::TupleStruct(_, ref s, _) | PatKind::Tuple(ref s, _) => {
562                 s.iter().all(|p| p.walk(it))
563             }
564             PatKind::Box(ref s) | PatKind::Ref(ref s, _) | PatKind::Paren(ref s) => s.walk(it),
565             PatKind::Slice(ref before, ref slice, ref after) => {
566                 before.iter().all(|p| p.walk(it))
567                     && slice.iter().all(|p| p.walk(it))
568                     && after.iter().all(|p| p.walk(it))
569             }
570             PatKind::Wild
571             | PatKind::Lit(_)
572             | PatKind::Range(..)
573             | PatKind::Ident(..)
574             | PatKind::Path(..)
575             | PatKind::Mac(_) => true,
576         }
577     }
578 }
579
580 /// A single field in a struct pattern
581 ///
582 /// Patterns like the fields of Foo `{ x, ref y, ref mut z }`
583 /// are treated the same as` x: x, y: ref y, z: ref mut z`,
584 /// except is_shorthand is true
585 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
586 pub struct FieldPat {
587     /// The identifier for the field
588     pub ident: Ident,
589     /// The pattern the field is destructured to
590     pub pat: P<Pat>,
591     pub is_shorthand: bool,
592     pub attrs: ThinVec<Attribute>,
593 }
594
595 #[derive(Clone, PartialEq, RustcEncodable, RustcDecodable, Debug, Copy)]
596 pub enum BindingMode {
597     ByRef(Mutability),
598     ByValue(Mutability),
599 }
600
601 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
602 pub enum RangeEnd {
603     Included(RangeSyntax),
604     Excluded,
605 }
606
607 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
608 pub enum RangeSyntax {
609     DotDotDot,
610     DotDotEq,
611 }
612
613 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
614 pub enum PatKind {
615     /// Represents a wildcard pattern (`_`).
616     Wild,
617
618     /// A `PatKind::Ident` may either be a new bound variable (`ref mut binding @ OPT_SUBPATTERN`),
619     /// or a unit struct/variant pattern, or a const pattern (in the last two cases the third
620     /// field must be `None`). Disambiguation cannot be done with parser alone, so it happens
621     /// during name resolution.
622     Ident(BindingMode, Ident, Option<P<Pat>>),
623
624     /// A struct or struct variant pattern (e.g., `Variant {x, y, ..}`).
625     /// The `bool` is `true` in the presence of a `..`.
626     Struct(Path, Vec<Spanned<FieldPat>>, /* recovered */ bool),
627
628     /// A tuple struct/variant pattern (`Variant(x, y, .., z)`).
629     /// If the `..` pattern fragment is present, then `Option<usize>` denotes its position.
630     /// `0 <= position <= subpats.len()`.
631     TupleStruct(Path, Vec<P<Pat>>, Option<usize>),
632
633     /// A possibly qualified path pattern.
634     /// Unqualified path patterns `A::B::C` can legally refer to variants, structs, constants
635     /// or associated constants. Qualified path patterns `<A>::B::C`/`<A as Trait>::B::C` can
636     /// only legally refer to associated constants.
637     Path(Option<QSelf>, Path),
638
639     /// A tuple pattern (`(a, b)`).
640     /// If the `..` pattern fragment is present, then `Option<usize>` denotes its position.
641     /// `0 <= position <= subpats.len()`.
642     Tuple(Vec<P<Pat>>, Option<usize>),
643
644     /// A `box` pattern.
645     Box(P<Pat>),
646
647     /// A reference pattern (e.g., `&mut (a, b)`).
648     Ref(P<Pat>, Mutability),
649
650     /// A literal.
651     Lit(P<Expr>),
652
653     /// A range pattern (e.g., `1...2`, `1..=2` or `1..2`).
654     Range(P<Expr>, P<Expr>, Spanned<RangeEnd>),
655
656     /// `[a, b, ..i, y, z]` is represented as:
657     ///     `PatKind::Slice(box [a, b], Some(i), box [y, z])`
658     Slice(Vec<P<Pat>>, Option<P<Pat>>, Vec<P<Pat>>),
659
660     /// Parentheses in patterns used for grouping (i.e., `(PAT)`).
661     Paren(P<Pat>),
662
663     /// A macro pattern; pre-expansion.
664     Mac(Mac),
665 }
666
667 #[derive(
668     Clone, PartialEq, Eq, PartialOrd, Ord, Hash, RustcEncodable, RustcDecodable, Debug, Copy,
669 )]
670 pub enum Mutability {
671     Mutable,
672     Immutable,
673 }
674
675 #[derive(Clone, PartialEq, RustcEncodable, RustcDecodable, Debug, Copy)]
676 pub enum BinOpKind {
677     /// The `+` operator (addition)
678     Add,
679     /// The `-` operator (subtraction)
680     Sub,
681     /// The `*` operator (multiplication)
682     Mul,
683     /// The `/` operator (division)
684     Div,
685     /// The `%` operator (modulus)
686     Rem,
687     /// The `&&` operator (logical and)
688     And,
689     /// The `||` operator (logical or)
690     Or,
691     /// The `^` operator (bitwise xor)
692     BitXor,
693     /// The `&` operator (bitwise and)
694     BitAnd,
695     /// The `|` operator (bitwise or)
696     BitOr,
697     /// The `<<` operator (shift left)
698     Shl,
699     /// The `>>` operator (shift right)
700     Shr,
701     /// The `==` operator (equality)
702     Eq,
703     /// The `<` operator (less than)
704     Lt,
705     /// The `<=` operator (less than or equal to)
706     Le,
707     /// The `!=` operator (not equal to)
708     Ne,
709     /// The `>=` operator (greater than or equal to)
710     Ge,
711     /// The `>` operator (greater than)
712     Gt,
713 }
714
715 impl BinOpKind {
716     pub fn to_string(&self) -> &'static str {
717         use BinOpKind::*;
718         match *self {
719             Add => "+",
720             Sub => "-",
721             Mul => "*",
722             Div => "/",
723             Rem => "%",
724             And => "&&",
725             Or => "||",
726             BitXor => "^",
727             BitAnd => "&",
728             BitOr => "|",
729             Shl => "<<",
730             Shr => ">>",
731             Eq => "==",
732             Lt => "<",
733             Le => "<=",
734             Ne => "!=",
735             Ge => ">=",
736             Gt => ">",
737         }
738     }
739     pub fn lazy(&self) -> bool {
740         match *self {
741             BinOpKind::And | BinOpKind::Or => true,
742             _ => false,
743         }
744     }
745
746     pub fn is_shift(&self) -> bool {
747         match *self {
748             BinOpKind::Shl | BinOpKind::Shr => true,
749             _ => false,
750         }
751     }
752
753     pub fn is_comparison(&self) -> bool {
754         use BinOpKind::*;
755         match *self {
756             Eq | Lt | Le | Ne | Gt | Ge => true,
757             And | Or | Add | Sub | Mul | Div | Rem | BitXor | BitAnd | BitOr | Shl | Shr => false,
758         }
759     }
760
761     /// Returns `true` if the binary operator takes its arguments by value
762     pub fn is_by_value(&self) -> bool {
763         !self.is_comparison()
764     }
765 }
766
767 pub type BinOp = Spanned<BinOpKind>;
768
769 #[derive(Clone, RustcEncodable, RustcDecodable, Debug, Copy)]
770 pub enum UnOp {
771     /// The `*` operator for dereferencing
772     Deref,
773     /// The `!` operator for logical inversion
774     Not,
775     /// The `-` operator for negation
776     Neg,
777 }
778
779 impl UnOp {
780     /// Returns `true` if the unary operator takes its argument by value
781     pub fn is_by_value(u: UnOp) -> bool {
782         match u {
783             UnOp::Neg | UnOp::Not => true,
784             _ => false,
785         }
786     }
787
788     pub fn to_string(op: UnOp) -> &'static str {
789         match op {
790             UnOp::Deref => "*",
791             UnOp::Not => "!",
792             UnOp::Neg => "-",
793         }
794     }
795 }
796
797 /// A statement
798 #[derive(Clone, RustcEncodable, RustcDecodable)]
799 pub struct Stmt {
800     pub id: NodeId,
801     pub node: StmtKind,
802     pub span: Span,
803 }
804
805 impl Stmt {
806     pub fn add_trailing_semicolon(mut self) -> Self {
807         self.node = match self.node {
808             StmtKind::Expr(expr) => StmtKind::Semi(expr),
809             StmtKind::Mac(mac) => {
810                 StmtKind::Mac(mac.map(|(mac, _style, attrs)| (mac, MacStmtStyle::Semicolon, attrs)))
811             }
812             node => node,
813         };
814         self
815     }
816
817     pub fn is_item(&self) -> bool {
818         match self.node {
819             StmtKind::Item(_) => true,
820             _ => false,
821         }
822     }
823
824     pub fn is_expr(&self) -> bool {
825         match self.node {
826             StmtKind::Expr(_) => true,
827             _ => false,
828         }
829     }
830 }
831
832 impl fmt::Debug for Stmt {
833     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
834         write!(
835             f,
836             "stmt({}: {})",
837             self.id.to_string(),
838             pprust::stmt_to_string(self)
839         )
840     }
841 }
842
843 #[derive(Clone, RustcEncodable, RustcDecodable)]
844 pub enum StmtKind {
845     /// A local (let) binding.
846     Local(P<Local>),
847
848     /// An item definition.
849     Item(P<Item>),
850
851     /// Expr without trailing semi-colon.
852     Expr(P<Expr>),
853     /// Expr with a trailing semi-colon.
854     Semi(P<Expr>),
855     /// Macro.
856     Mac(P<(Mac, MacStmtStyle, ThinVec<Attribute>)>),
857 }
858
859 #[derive(Clone, Copy, PartialEq, RustcEncodable, RustcDecodable, Debug)]
860 pub enum MacStmtStyle {
861     /// The macro statement had a trailing semicolon (e.g., `foo! { ... };`
862     /// `foo!(...);`, `foo![...];`).
863     Semicolon,
864     /// The macro statement had braces (e.g., `foo! { ... }`).
865     Braces,
866     /// The macro statement had parentheses or brackets and no semicolon (e.g.,
867     /// `foo!(...)`). All of these will end up being converted into macro
868     /// expressions.
869     NoBraces,
870 }
871
872 /// Local represents a `let` statement, e.g., `let <pat>:<ty> = <expr>;`.
873 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
874 pub struct Local {
875     pub pat: P<Pat>,
876     pub ty: Option<P<Ty>>,
877     /// Initializer expression to set the value, if any.
878     pub init: Option<P<Expr>>,
879     pub id: NodeId,
880     pub span: Span,
881     pub attrs: ThinVec<Attribute>,
882     /// Origin of this local variable.
883     pub source: LocalSource,
884 }
885
886 #[derive(Clone, Copy, RustcEncodable, RustcDecodable, Debug)]
887 pub enum LocalSource {
888     /// Local was parsed from source.
889     Normal,
890     /// Within `ast::IsAsync::Async`, a local is generated that will contain the moved arguments
891     /// of an `async fn`.
892     AsyncFn,
893 }
894
895 /// An arm of a 'match'.
896 ///
897 /// E.g., `0..=10 => { println!("match!") }` as in
898 ///
899 /// ```
900 /// match 123 {
901 ///     0..=10 => { println!("match!") },
902 ///     _ => { println!("no match!") },
903 /// }
904 /// ```
905 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
906 pub struct Arm {
907     pub attrs: Vec<Attribute>,
908     pub pats: Vec<P<Pat>>,
909     pub guard: Option<Guard>,
910     pub body: P<Expr>,
911     pub span: Span,
912 }
913
914 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
915 pub enum Guard {
916     If(P<Expr>),
917 }
918
919 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
920 pub struct Field {
921     pub ident: Ident,
922     pub expr: P<Expr>,
923     pub span: Span,
924     pub is_shorthand: bool,
925     pub attrs: ThinVec<Attribute>,
926 }
927
928 pub type SpannedIdent = Spanned<Ident>;
929
930 #[derive(Clone, PartialEq, RustcEncodable, RustcDecodable, Debug, Copy)]
931 pub enum BlockCheckMode {
932     Default,
933     Unsafe(UnsafeSource),
934 }
935
936 #[derive(Clone, PartialEq, RustcEncodable, RustcDecodable, Debug, Copy)]
937 pub enum UnsafeSource {
938     CompilerGenerated,
939     UserProvided,
940 }
941
942 /// A constant (expression) that's not an item or associated item,
943 /// but needs its own `DefId` for type-checking, const-eval, etc.
944 /// These are usually found nested inside types (e.g., array lengths)
945 /// or expressions (e.g., repeat counts), and also used to define
946 /// explicit discriminant values for enum variants.
947 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
948 pub struct AnonConst {
949     pub id: NodeId,
950     pub value: P<Expr>,
951 }
952
953 /// An expression
954 #[derive(Clone, RustcEncodable, RustcDecodable)]
955 pub struct Expr {
956     pub id: NodeId,
957     pub node: ExprKind,
958     pub span: Span,
959     pub attrs: ThinVec<Attribute>,
960 }
961
962 // `Expr` is used a lot. Make sure it doesn't unintentionally get bigger.
963 #[cfg(target_arch = "x86_64")]
964 static_assert_size!(Expr, 96);
965
966 impl Expr {
967     /// Whether this expression would be valid somewhere that expects a value; for example, an `if`
968     /// condition.
969     pub fn returns(&self) -> bool {
970         if let ExprKind::Block(ref block, _) = self.node {
971             match block.stmts.last().map(|last_stmt| &last_stmt.node) {
972                 // implicit return
973                 Some(&StmtKind::Expr(_)) => true,
974                 Some(&StmtKind::Semi(ref expr)) => {
975                     if let ExprKind::Ret(_) = expr.node {
976                         // last statement is explicit return
977                         true
978                     } else {
979                         false
980                     }
981                 }
982                 // This is a block that doesn't end in either an implicit or explicit return
983                 _ => false,
984             }
985         } else {
986             // This is not a block, it is a value
987             true
988         }
989     }
990
991     fn to_bound(&self) -> Option<GenericBound> {
992         match &self.node {
993             ExprKind::Path(None, path) => Some(GenericBound::Trait(
994                 PolyTraitRef::new(Vec::new(), path.clone(), self.span),
995                 TraitBoundModifier::None,
996             )),
997             _ => None,
998         }
999     }
1000
1001     pub(super) fn to_ty(&self) -> Option<P<Ty>> {
1002         let node = match &self.node {
1003             ExprKind::Path(qself, path) => TyKind::Path(qself.clone(), path.clone()),
1004             ExprKind::Mac(mac) => TyKind::Mac(mac.clone()),
1005             ExprKind::Paren(expr) => expr.to_ty().map(TyKind::Paren)?,
1006             ExprKind::AddrOf(mutbl, expr) => expr
1007                 .to_ty()
1008                 .map(|ty| TyKind::Rptr(None, MutTy { ty, mutbl: *mutbl }))?,
1009             ExprKind::Repeat(expr, expr_len) => {
1010                 expr.to_ty().map(|ty| TyKind::Array(ty, expr_len.clone()))?
1011             }
1012             ExprKind::Array(exprs) if exprs.len() == 1 => exprs[0].to_ty().map(TyKind::Slice)?,
1013             ExprKind::Tup(exprs) => {
1014                 let tys = exprs
1015                     .iter()
1016                     .map(|expr| expr.to_ty())
1017                     .collect::<Option<Vec<_>>>()?;
1018                 TyKind::Tup(tys)
1019             }
1020             ExprKind::Binary(binop, lhs, rhs) if binop.node == BinOpKind::Add => {
1021                 if let (Some(lhs), Some(rhs)) = (lhs.to_bound(), rhs.to_bound()) {
1022                     TyKind::TraitObject(vec![lhs, rhs], TraitObjectSyntax::None)
1023                 } else {
1024                     return None;
1025                 }
1026             }
1027             _ => return None,
1028         };
1029
1030         Some(P(Ty {
1031             node,
1032             id: self.id,
1033             span: self.span,
1034         }))
1035     }
1036
1037     pub fn precedence(&self) -> ExprPrecedence {
1038         match self.node {
1039             ExprKind::Box(_) => ExprPrecedence::Box,
1040             ExprKind::ObsoleteInPlace(..) => ExprPrecedence::ObsoleteInPlace,
1041             ExprKind::Array(_) => ExprPrecedence::Array,
1042             ExprKind::Call(..) => ExprPrecedence::Call,
1043             ExprKind::MethodCall(..) => ExprPrecedence::MethodCall,
1044             ExprKind::Tup(_) => ExprPrecedence::Tup,
1045             ExprKind::Binary(op, ..) => ExprPrecedence::Binary(op.node),
1046             ExprKind::Unary(..) => ExprPrecedence::Unary,
1047             ExprKind::Lit(_) => ExprPrecedence::Lit,
1048             ExprKind::Type(..) | ExprKind::Cast(..) => ExprPrecedence::Cast,
1049             ExprKind::If(..) => ExprPrecedence::If,
1050             ExprKind::IfLet(..) => ExprPrecedence::IfLet,
1051             ExprKind::While(..) => ExprPrecedence::While,
1052             ExprKind::WhileLet(..) => ExprPrecedence::WhileLet,
1053             ExprKind::ForLoop(..) => ExprPrecedence::ForLoop,
1054             ExprKind::Loop(..) => ExprPrecedence::Loop,
1055             ExprKind::Match(..) => ExprPrecedence::Match,
1056             ExprKind::Closure(..) => ExprPrecedence::Closure,
1057             ExprKind::Block(..) => ExprPrecedence::Block,
1058             ExprKind::TryBlock(..) => ExprPrecedence::TryBlock,
1059             ExprKind::Async(..) => ExprPrecedence::Async,
1060             ExprKind::Await(..) => ExprPrecedence::Await,
1061             ExprKind::Assign(..) => ExprPrecedence::Assign,
1062             ExprKind::AssignOp(..) => ExprPrecedence::AssignOp,
1063             ExprKind::Field(..) => ExprPrecedence::Field,
1064             ExprKind::Index(..) => ExprPrecedence::Index,
1065             ExprKind::Range(..) => ExprPrecedence::Range,
1066             ExprKind::Path(..) => ExprPrecedence::Path,
1067             ExprKind::AddrOf(..) => ExprPrecedence::AddrOf,
1068             ExprKind::Break(..) => ExprPrecedence::Break,
1069             ExprKind::Continue(..) => ExprPrecedence::Continue,
1070             ExprKind::Ret(..) => ExprPrecedence::Ret,
1071             ExprKind::InlineAsm(..) => ExprPrecedence::InlineAsm,
1072             ExprKind::Mac(..) => ExprPrecedence::Mac,
1073             ExprKind::Struct(..) => ExprPrecedence::Struct,
1074             ExprKind::Repeat(..) => ExprPrecedence::Repeat,
1075             ExprKind::Paren(..) => ExprPrecedence::Paren,
1076             ExprKind::Try(..) => ExprPrecedence::Try,
1077             ExprKind::Yield(..) => ExprPrecedence::Yield,
1078             ExprKind::Err => ExprPrecedence::Err,
1079         }
1080     }
1081 }
1082
1083 impl fmt::Debug for Expr {
1084     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1085         write!(f, "expr({}: {})", self.id, pprust::expr_to_string(self))
1086     }
1087 }
1088
1089 /// Limit types of a range (inclusive or exclusive)
1090 #[derive(Copy, Clone, PartialEq, RustcEncodable, RustcDecodable, Debug)]
1091 pub enum RangeLimits {
1092     /// Inclusive at the beginning, exclusive at the end
1093     HalfOpen,
1094     /// Inclusive at the beginning and end
1095     Closed,
1096 }
1097
1098 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1099 pub enum ExprKind {
1100     /// A `box x` expression.
1101     Box(P<Expr>),
1102     /// First expr is the place; second expr is the value.
1103     ObsoleteInPlace(P<Expr>, P<Expr>),
1104     /// An array (`[a, b, c, d]`)
1105     Array(Vec<P<Expr>>),
1106     /// A function call
1107     ///
1108     /// The first field resolves to the function itself,
1109     /// and the second field is the list of arguments.
1110     /// This also represents calling the constructor of
1111     /// tuple-like ADTs such as tuple structs and enum variants.
1112     Call(P<Expr>, Vec<P<Expr>>),
1113     /// A method call (`x.foo::<'static, Bar, Baz>(a, b, c, d)`)
1114     ///
1115     /// The `PathSegment` represents the method name and its generic arguments
1116     /// (within the angle brackets).
1117     /// The first element of the vector of an `Expr` is the expression that evaluates
1118     /// to the object on which the method is being called on (the receiver),
1119     /// and the remaining elements are the rest of the arguments.
1120     /// Thus, `x.foo::<Bar, Baz>(a, b, c, d)` is represented as
1121     /// `ExprKind::MethodCall(PathSegment { foo, [Bar, Baz] }, [x, a, b, c, d])`.
1122     MethodCall(PathSegment, Vec<P<Expr>>),
1123     /// A tuple (e.g., `(a, b, c, d)`).
1124     Tup(Vec<P<Expr>>),
1125     /// A binary operation (e.g., `a + b`, `a * b`).
1126     Binary(BinOp, P<Expr>, P<Expr>),
1127     /// A unary operation (e.g., `!x`, `*x`).
1128     Unary(UnOp, P<Expr>),
1129     /// A literal (e.g., `1`, `"foo"`).
1130     Lit(Lit),
1131     /// A cast (e.g., `foo as f64`).
1132     Cast(P<Expr>, P<Ty>),
1133     /// A type ascription (e.g., `42: usize`).
1134     Type(P<Expr>, P<Ty>),
1135     /// An `if` block, with an optional `else` block.
1136     ///
1137     /// `if expr { block } else { expr }`
1138     If(P<Expr>, P<Block>, Option<P<Expr>>),
1139     /// An `if let` expression with an optional else block
1140     ///
1141     /// `if let pat = expr { block } else { expr }`
1142     ///
1143     /// This is desugared to a `match` expression.
1144     IfLet(Vec<P<Pat>>, P<Expr>, P<Block>, Option<P<Expr>>),
1145     /// A while loop, with an optional label
1146     ///
1147     /// `'label: while expr { block }`
1148     While(P<Expr>, P<Block>, Option<Label>),
1149     /// A `while let` loop, with an optional label.
1150     ///
1151     /// `'label: while let pat = expr { block }`
1152     ///
1153     /// This is desugared to a combination of `loop` and `match` expressions.
1154     WhileLet(Vec<P<Pat>>, P<Expr>, P<Block>, Option<Label>),
1155     /// A `for` loop, with an optional label.
1156     ///
1157     /// `'label: for pat in expr { block }`
1158     ///
1159     /// This is desugared to a combination of `loop` and `match` expressions.
1160     ForLoop(P<Pat>, P<Expr>, P<Block>, Option<Label>),
1161     /// Conditionless loop (can be exited with `break`, `continue`, or `return`).
1162     ///
1163     /// `'label: loop { block }`
1164     Loop(P<Block>, Option<Label>),
1165     /// A `match` block.
1166     Match(P<Expr>, Vec<Arm>),
1167     /// A closure (e.g., `move |a, b, c| a + b + c`).
1168     ///
1169     /// The final span is the span of the argument block `|...|`.
1170     Closure(CaptureBy, IsAsync, Movability, P<FnDecl>, P<Expr>, Span),
1171     /// A block (`'label: { ... }`).
1172     Block(P<Block>, Option<Label>),
1173     /// An async block (`async move { ... }`).
1174     ///
1175     /// The `NodeId` is the `NodeId` for the closure that results from
1176     /// desugaring an async block, just like the NodeId field in the
1177     /// `IsAsync` enum. This is necessary in order to create a def for the
1178     /// closure which can be used as a parent of any child defs. Defs
1179     /// created during lowering cannot be made the parent of any other
1180     /// preexisting defs.
1181     Async(CaptureBy, NodeId, P<Block>),
1182     /// An await expression (`my_future.await`).
1183     Await(AwaitOrigin, P<Expr>),
1184
1185     /// A try block (`try { ... }`).
1186     TryBlock(P<Block>),
1187
1188     /// An assignment (`a = foo()`).
1189     Assign(P<Expr>, P<Expr>),
1190     /// An assignment with an operator.
1191     ///
1192     /// E.g., `a += 1`.
1193     AssignOp(BinOp, P<Expr>, P<Expr>),
1194     /// Access of a named (e.g., `obj.foo`) or unnamed (e.g., `obj.0`) struct field.
1195     Field(P<Expr>, Ident),
1196     /// An indexing operation (e.g., `foo[2]`).
1197     Index(P<Expr>, P<Expr>),
1198     /// A range (e.g., `1..2`, `1..`, `..2`, `1...2`, `1...`, `...2`).
1199     Range(Option<P<Expr>>, Option<P<Expr>>, RangeLimits),
1200
1201     /// Variable reference, possibly containing `::` and/or type
1202     /// parameters (e.g., `foo::bar::<baz>`).
1203     ///
1204     /// Optionally "qualified" (e.g., `<Vec<T> as SomeTrait>::SomeType`).
1205     Path(Option<QSelf>, Path),
1206
1207     /// A referencing operation (`&a` or `&mut a`).
1208     AddrOf(Mutability, P<Expr>),
1209     /// A `break`, with an optional label to break, and an optional expression.
1210     Break(Option<Label>, Option<P<Expr>>),
1211     /// A `continue`, with an optional label.
1212     Continue(Option<Label>),
1213     /// A `return`, with an optional value to be returned.
1214     Ret(Option<P<Expr>>),
1215
1216     /// Output of the `asm!()` macro.
1217     InlineAsm(P<InlineAsm>),
1218
1219     /// A macro invocation; pre-expansion.
1220     Mac(Mac),
1221
1222     /// A struct literal expression.
1223     ///
1224     /// E.g., `Foo {x: 1, y: 2}`, or `Foo {x: 1, .. base}`,
1225     /// where `base` is the `Option<Expr>`.
1226     Struct(Path, Vec<Field>, Option<P<Expr>>),
1227
1228     /// An array literal constructed from one repeated element.
1229     ///
1230     /// E.g., `[1; 5]`. The expression is the element to be
1231     /// repeated; the constant is the number of times to repeat it.
1232     Repeat(P<Expr>, AnonConst),
1233
1234     /// No-op: used solely so we can pretty-print faithfully.
1235     Paren(P<Expr>),
1236
1237     /// A try expression (`expr?`).
1238     Try(P<Expr>),
1239
1240     /// A `yield`, with an optional value to be yielded.
1241     Yield(Option<P<Expr>>),
1242
1243     /// Placeholder for an expression that wasn't syntactically well formed in some way.
1244     Err,
1245 }
1246
1247 /// The explicit `Self` type in a "qualified path". The actual
1248 /// path, including the trait and the associated item, is stored
1249 /// separately. `position` represents the index of the associated
1250 /// item qualified with this `Self` type.
1251 ///
1252 /// ```ignore (only-for-syntax-highlight)
1253 /// <Vec<T> as a::b::Trait>::AssociatedItem
1254 ///  ^~~~~     ~~~~~~~~~~~~~~^
1255 ///  ty        position = 3
1256 ///
1257 /// <Vec<T>>::AssociatedItem
1258 ///  ^~~~~    ^
1259 ///  ty       position = 0
1260 /// ```
1261 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1262 pub struct QSelf {
1263     pub ty: P<Ty>,
1264
1265     /// The span of `a::b::Trait` in a path like `<Vec<T> as
1266     /// a::b::Trait>::AssociatedItem`; in the case where `position ==
1267     /// 0`, this is an empty span.
1268     pub path_span: Span,
1269     pub position: usize,
1270 }
1271
1272 /// A capture clause.
1273 #[derive(Clone, Copy, PartialEq, RustcEncodable, RustcDecodable, Debug)]
1274 pub enum CaptureBy {
1275     Value,
1276     Ref,
1277 }
1278
1279 /// The movability of a generator / closure literal.
1280 #[derive(Clone, PartialEq, RustcEncodable, RustcDecodable, Debug, Copy)]
1281 pub enum Movability {
1282     Static,
1283     Movable,
1284 }
1285
1286 /// Whether an `await` comes from `await!` or `.await` syntax.
1287 /// FIXME: this should be removed when support for legacy `await!` is removed.
1288 /// https://github.com/rust-lang/rust/issues/60610
1289 #[derive(Clone, PartialEq, RustcEncodable, RustcDecodable, Debug, Copy)]
1290 pub enum AwaitOrigin {
1291     FieldLike,
1292     MacroLike,
1293 }
1294
1295 pub type Mac = Spanned<Mac_>;
1296
1297 /// Represents a macro invocation. The `Path` indicates which macro
1298 /// is being invoked, and the vector of token-trees contains the source
1299 /// of the macro invocation.
1300 ///
1301 /// N.B., the additional ident for a `macro_rules`-style macro is actually
1302 /// stored in the enclosing item.
1303 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1304 pub struct Mac_ {
1305     pub path: Path,
1306     pub delim: MacDelimiter,
1307     pub tts: TokenStream,
1308 }
1309
1310 #[derive(Copy, Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Debug)]
1311 pub enum MacDelimiter {
1312     Parenthesis,
1313     Bracket,
1314     Brace,
1315 }
1316
1317 impl Mac_ {
1318     pub fn stream(&self) -> TokenStream {
1319         self.tts.clone()
1320     }
1321 }
1322
1323 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1324 pub struct MacroDef {
1325     pub tokens: TokenStream,
1326     pub legacy: bool,
1327 }
1328
1329 impl MacroDef {
1330     pub fn stream(&self) -> TokenStream {
1331         self.tokens.clone().into()
1332     }
1333 }
1334
1335 #[derive(Clone, RustcEncodable, RustcDecodable, Debug, Copy, Hash, PartialEq)]
1336 pub enum StrStyle {
1337     /// A regular string, like `"foo"`.
1338     Cooked,
1339     /// A raw string, like `r##"foo"##`.
1340     ///
1341     /// The value is the number of `#` symbols used.
1342     Raw(u16),
1343 }
1344
1345 /// An AST literal.
1346 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1347 pub struct Lit {
1348     /// The original literal token as written in source code.
1349     pub token: token::Lit,
1350     /// The "semantic" representation of the literal lowered from the original tokens.
1351     /// Strings are unescaped, hexadecimal forms are eliminated, etc.
1352     /// FIXME: Remove this and only create the semantic representation during lowering to HIR.
1353     pub node: LitKind,
1354     pub span: Span,
1355 }
1356
1357 #[derive(Clone, RustcEncodable, RustcDecodable, Debug, Copy, Hash, PartialEq)]
1358 pub enum LitIntType {
1359     Signed(IntTy),
1360     Unsigned(UintTy),
1361     Unsuffixed,
1362 }
1363
1364 /// Literal kind.
1365 ///
1366 /// E.g., `"foo"`, `42`, `12.34`, or `bool`.
1367 #[derive(Clone, RustcEncodable, RustcDecodable, Debug, Hash, PartialEq)]
1368 pub enum LitKind {
1369     /// A string literal (`"foo"`).
1370     Str(Symbol, StrStyle),
1371     /// A byte string (`b"foo"`).
1372     ByteStr(Lrc<Vec<u8>>),
1373     /// A byte char (`b'f'`).
1374     Byte(u8),
1375     /// A character literal (`'a'`).
1376     Char(char),
1377     /// An integer literal (`1`).
1378     Int(u128, LitIntType),
1379     /// A float literal (`1f64` or `1E10f64`).
1380     Float(Symbol, FloatTy),
1381     /// A float literal without a suffix (`1.0 or 1.0E10`).
1382     FloatUnsuffixed(Symbol),
1383     /// A boolean literal.
1384     Bool(bool),
1385     /// A recovered character literal that contains mutliple `char`s, most likely a typo.
1386     Err(Symbol),
1387 }
1388
1389 impl LitKind {
1390     /// Returns `true` if this literal is a string.
1391     pub fn is_str(&self) -> bool {
1392         match *self {
1393             LitKind::Str(..) => true,
1394             _ => false,
1395         }
1396     }
1397
1398     /// Returns `true` if this literal is byte literal string.
1399     pub fn is_bytestr(&self) -> bool {
1400         match self {
1401             LitKind::ByteStr(_) => true,
1402             _ => false,
1403         }
1404     }
1405
1406     /// Returns `true` if this is a numeric literal.
1407     pub fn is_numeric(&self) -> bool {
1408         match *self {
1409             LitKind::Int(..) | LitKind::Float(..) | LitKind::FloatUnsuffixed(..) => true,
1410             _ => false,
1411         }
1412     }
1413
1414     /// Returns `true` if this literal has no suffix.
1415     /// Note: this will return true for literals with prefixes such as raw strings and byte strings.
1416     pub fn is_unsuffixed(&self) -> bool {
1417         match *self {
1418             // unsuffixed variants
1419             LitKind::Str(..)
1420             | LitKind::ByteStr(..)
1421             | LitKind::Byte(..)
1422             | LitKind::Char(..)
1423             | LitKind::Err(..)
1424             | LitKind::Int(_, LitIntType::Unsuffixed)
1425             | LitKind::FloatUnsuffixed(..)
1426             | LitKind::Bool(..) => true,
1427             // suffixed variants
1428             LitKind::Int(_, LitIntType::Signed(..))
1429             | LitKind::Int(_, LitIntType::Unsigned(..))
1430             | LitKind::Float(..) => false,
1431         }
1432     }
1433
1434     /// Returns `true` if this literal has a suffix.
1435     pub fn is_suffixed(&self) -> bool {
1436         !self.is_unsuffixed()
1437     }
1438 }
1439
1440 // N.B., If you change this, you'll probably want to change the corresponding
1441 // type structure in `middle/ty.rs` as well.
1442 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1443 pub struct MutTy {
1444     pub ty: P<Ty>,
1445     pub mutbl: Mutability,
1446 }
1447
1448 /// Represents a method's signature in a trait declaration,
1449 /// or in an implementation.
1450 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1451 pub struct MethodSig {
1452     pub header: FnHeader,
1453     pub decl: P<FnDecl>,
1454 }
1455
1456 /// Represents an item declaration within a trait declaration,
1457 /// possibly including a default implementation. A trait item is
1458 /// either required (meaning it doesn't have an implementation, just a
1459 /// signature) or provided (meaning it has a default implementation).
1460 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1461 pub struct TraitItem {
1462     pub id: NodeId,
1463     pub ident: Ident,
1464     pub attrs: Vec<Attribute>,
1465     pub generics: Generics,
1466     pub node: TraitItemKind,
1467     pub span: Span,
1468     /// See `Item::tokens` for what this is.
1469     pub tokens: Option<TokenStream>,
1470 }
1471
1472 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1473 pub enum TraitItemKind {
1474     Const(P<Ty>, Option<P<Expr>>),
1475     Method(MethodSig, Option<P<Block>>),
1476     Type(GenericBounds, Option<P<Ty>>),
1477     Macro(Mac),
1478 }
1479
1480 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1481 pub struct ImplItem {
1482     pub id: NodeId,
1483     pub ident: Ident,
1484     pub vis: Visibility,
1485     pub defaultness: Defaultness,
1486     pub attrs: Vec<Attribute>,
1487     pub generics: Generics,
1488     pub node: ImplItemKind,
1489     pub span: Span,
1490     /// See `Item::tokens` for what this is.
1491     pub tokens: Option<TokenStream>,
1492 }
1493
1494 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1495 pub enum ImplItemKind {
1496     Const(P<Ty>, P<Expr>),
1497     Method(MethodSig, P<Block>),
1498     Type(P<Ty>),
1499     Existential(GenericBounds),
1500     Macro(Mac),
1501 }
1502
1503 #[derive(Clone, PartialEq, Eq, PartialOrd, Ord, Hash, RustcEncodable, RustcDecodable, Copy)]
1504 pub enum IntTy {
1505     Isize,
1506     I8,
1507     I16,
1508     I32,
1509     I64,
1510     I128,
1511 }
1512
1513 impl fmt::Debug for IntTy {
1514     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1515         fmt::Display::fmt(self, f)
1516     }
1517 }
1518
1519 impl fmt::Display for IntTy {
1520     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1521         write!(f, "{}", self.ty_to_string())
1522     }
1523 }
1524
1525 impl IntTy {
1526     pub fn ty_to_string(&self) -> &'static str {
1527         match *self {
1528             IntTy::Isize => "isize",
1529             IntTy::I8 => "i8",
1530             IntTy::I16 => "i16",
1531             IntTy::I32 => "i32",
1532             IntTy::I64 => "i64",
1533             IntTy::I128 => "i128",
1534         }
1535     }
1536
1537     pub fn val_to_string(&self, val: i128) -> String {
1538         // Cast to a `u128` so we can correctly print `INT128_MIN`. All integral types
1539         // are parsed as `u128`, so we wouldn't want to print an extra negative
1540         // sign.
1541         format!("{}{}", val as u128, self.ty_to_string())
1542     }
1543
1544     pub fn bit_width(&self) -> Option<usize> {
1545         Some(match *self {
1546             IntTy::Isize => return None,
1547             IntTy::I8 => 8,
1548             IntTy::I16 => 16,
1549             IntTy::I32 => 32,
1550             IntTy::I64 => 64,
1551             IntTy::I128 => 128,
1552         })
1553     }
1554 }
1555
1556 #[derive(Clone, PartialEq, Eq, PartialOrd, Ord, Hash, RustcEncodable, RustcDecodable, Copy)]
1557 pub enum UintTy {
1558     Usize,
1559     U8,
1560     U16,
1561     U32,
1562     U64,
1563     U128,
1564 }
1565
1566 impl UintTy {
1567     pub fn ty_to_string(&self) -> &'static str {
1568         match *self {
1569             UintTy::Usize => "usize",
1570             UintTy::U8 => "u8",
1571             UintTy::U16 => "u16",
1572             UintTy::U32 => "u32",
1573             UintTy::U64 => "u64",
1574             UintTy::U128 => "u128",
1575         }
1576     }
1577
1578     pub fn val_to_string(&self, val: u128) -> String {
1579         format!("{}{}", val, self.ty_to_string())
1580     }
1581
1582     pub fn bit_width(&self) -> Option<usize> {
1583         Some(match *self {
1584             UintTy::Usize => return None,
1585             UintTy::U8 => 8,
1586             UintTy::U16 => 16,
1587             UintTy::U32 => 32,
1588             UintTy::U64 => 64,
1589             UintTy::U128 => 128,
1590         })
1591     }
1592 }
1593
1594 impl fmt::Debug for UintTy {
1595     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1596         fmt::Display::fmt(self, f)
1597     }
1598 }
1599
1600 impl fmt::Display for UintTy {
1601     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1602         write!(f, "{}", self.ty_to_string())
1603     }
1604 }
1605
1606 // Bind a type to an associated type: `A = Foo`.
1607 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1608 pub struct TypeBinding {
1609     pub id: NodeId,
1610     pub ident: Ident,
1611     pub ty: P<Ty>,
1612     pub span: Span,
1613 }
1614
1615 #[derive(Clone, RustcEncodable, RustcDecodable)]
1616 pub struct Ty {
1617     pub id: NodeId,
1618     pub node: TyKind,
1619     pub span: Span,
1620 }
1621
1622 impl fmt::Debug for Ty {
1623     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1624         write!(f, "type({})", pprust::ty_to_string(self))
1625     }
1626 }
1627
1628 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1629 pub struct BareFnTy {
1630     pub unsafety: Unsafety,
1631     pub abi: Abi,
1632     pub generic_params: Vec<GenericParam>,
1633     pub decl: P<FnDecl>,
1634 }
1635
1636 /// The various kinds of type recognized by the compiler.
1637 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1638 pub enum TyKind {
1639     /// A variable-length slice (`[T]`).
1640     Slice(P<Ty>),
1641     /// A fixed length array (`[T; n]`).
1642     Array(P<Ty>, AnonConst),
1643     /// A raw pointer (`*const T` or `*mut T`).
1644     Ptr(MutTy),
1645     /// A reference (`&'a T` or `&'a mut T`).
1646     Rptr(Option<Lifetime>, MutTy),
1647     /// A bare function (e.g., `fn(usize) -> bool`).
1648     BareFn(P<BareFnTy>),
1649     /// The never type (`!`).
1650     Never,
1651     /// A tuple (`(A, B, C, D,...)`).
1652     Tup(Vec<P<Ty>>),
1653     /// A path (`module::module::...::Type`), optionally
1654     /// "qualified", e.g., `<Vec<T> as SomeTrait>::SomeType`.
1655     ///
1656     /// Type parameters are stored in the `Path` itself.
1657     Path(Option<QSelf>, Path),
1658     /// A trait object type `Bound1 + Bound2 + Bound3`
1659     /// where `Bound` is a trait or a lifetime.
1660     TraitObject(GenericBounds, TraitObjectSyntax),
1661     /// An `impl Bound1 + Bound2 + Bound3` type
1662     /// where `Bound` is a trait or a lifetime.
1663     ///
1664     /// The `NodeId` exists to prevent lowering from having to
1665     /// generate `NodeId`s on the fly, which would complicate
1666     /// the generation of `existential type` items significantly.
1667     ImplTrait(NodeId, GenericBounds),
1668     /// No-op; kept solely so that we can pretty-print faithfully.
1669     Paren(P<Ty>),
1670     /// Unused for now.
1671     Typeof(AnonConst),
1672     /// This means the type should be inferred instead of it having been
1673     /// specified. This can appear anywhere in a type.
1674     Infer,
1675     /// Inferred type of a `self` or `&self` argument in a method.
1676     ImplicitSelf,
1677     /// A macro in the type position.
1678     Mac(Mac),
1679     /// Placeholder for a kind that has failed to be defined.
1680     Err,
1681     /// Placeholder for a `va_list`.
1682     CVarArgs,
1683 }
1684
1685 impl TyKind {
1686     pub fn is_implicit_self(&self) -> bool {
1687         if let TyKind::ImplicitSelf = *self {
1688             true
1689         } else {
1690             false
1691         }
1692     }
1693
1694     pub fn is_unit(&self) -> bool {
1695         if let TyKind::Tup(ref tys) = *self {
1696             tys.is_empty()
1697         } else {
1698             false
1699         }
1700     }
1701 }
1702
1703 /// Syntax used to declare a trait object.
1704 #[derive(Clone, Copy, PartialEq, RustcEncodable, RustcDecodable, Debug)]
1705 pub enum TraitObjectSyntax {
1706     Dyn,
1707     None,
1708 }
1709
1710 /// Inline assembly dialect.
1711 ///
1712 /// E.g., `"intel"` as in `asm!("mov eax, 2" : "={eax}"(result) : : : "intel")`.
1713 #[derive(Clone, PartialEq, RustcEncodable, RustcDecodable, Debug, Copy)]
1714 pub enum AsmDialect {
1715     Att,
1716     Intel,
1717 }
1718
1719 /// Inline assembly.
1720 ///
1721 /// E.g., `"={eax}"(result)` as in `asm!("mov eax, 2" : "={eax}"(result) : : : "intel")`.
1722 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1723 pub struct InlineAsmOutput {
1724     pub constraint: Symbol,
1725     pub expr: P<Expr>,
1726     pub is_rw: bool,
1727     pub is_indirect: bool,
1728 }
1729
1730 /// Inline assembly.
1731 ///
1732 /// E.g., `asm!("NOP");`.
1733 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1734 pub struct InlineAsm {
1735     pub asm: Symbol,
1736     pub asm_str_style: StrStyle,
1737     pub outputs: Vec<InlineAsmOutput>,
1738     pub inputs: Vec<(Symbol, P<Expr>)>,
1739     pub clobbers: Vec<Symbol>,
1740     pub volatile: bool,
1741     pub alignstack: bool,
1742     pub dialect: AsmDialect,
1743     pub ctxt: SyntaxContext,
1744 }
1745
1746 /// An argument in a function header.
1747 ///
1748 /// E.g., `bar: usize` as in `fn foo(bar: usize)`.
1749 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1750 pub struct Arg {
1751     pub ty: P<Ty>,
1752     pub pat: P<Pat>,
1753     pub id: NodeId,
1754     pub source: ArgSource,
1755 }
1756
1757 /// The source of an argument in a function header.
1758 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1759 pub enum ArgSource {
1760     /// Argument as written by the user.
1761     Normal,
1762     /// Argument from `async fn` lowering, contains the original binding pattern.
1763     AsyncFn(P<Pat>),
1764 }
1765
1766 /// Alternative representation for `Arg`s describing `self` parameter of methods.
1767 ///
1768 /// E.g., `&mut self` as in `fn foo(&mut self)`.
1769 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1770 pub enum SelfKind {
1771     /// `self`, `mut self`
1772     Value(Mutability),
1773     /// `&'lt self`, `&'lt mut self`
1774     Region(Option<Lifetime>, Mutability),
1775     /// `self: TYPE`, `mut self: TYPE`
1776     Explicit(P<Ty>, Mutability),
1777 }
1778
1779 pub type ExplicitSelf = Spanned<SelfKind>;
1780
1781 impl Arg {
1782     pub fn to_self(&self) -> Option<ExplicitSelf> {
1783         if let PatKind::Ident(BindingMode::ByValue(mutbl), ident, _) = self.pat.node {
1784             if ident.name == kw::SelfLower {
1785                 return match self.ty.node {
1786                     TyKind::ImplicitSelf => Some(respan(self.pat.span, SelfKind::Value(mutbl))),
1787                     TyKind::Rptr(lt, MutTy { ref ty, mutbl }) if ty.node.is_implicit_self() => {
1788                         Some(respan(self.pat.span, SelfKind::Region(lt, mutbl)))
1789                     }
1790                     _ => Some(respan(
1791                         self.pat.span.to(self.ty.span),
1792                         SelfKind::Explicit(self.ty.clone(), mutbl),
1793                     )),
1794                 };
1795             }
1796         }
1797         None
1798     }
1799
1800     pub fn is_self(&self) -> bool {
1801         if let PatKind::Ident(_, ident, _) = self.pat.node {
1802             ident.name == kw::SelfLower
1803         } else {
1804             false
1805         }
1806     }
1807
1808     pub fn from_self(eself: ExplicitSelf, eself_ident: Ident) -> Arg {
1809         let span = eself.span.to(eself_ident.span);
1810         let infer_ty = P(Ty {
1811             id: DUMMY_NODE_ID,
1812             node: TyKind::ImplicitSelf,
1813             span,
1814         });
1815         let arg = |mutbl, ty| Arg {
1816             pat: P(Pat {
1817                 id: DUMMY_NODE_ID,
1818                 node: PatKind::Ident(BindingMode::ByValue(mutbl), eself_ident, None),
1819                 span,
1820             }),
1821             ty,
1822             id: DUMMY_NODE_ID,
1823             source: ArgSource::Normal,
1824         };
1825         match eself.node {
1826             SelfKind::Explicit(ty, mutbl) => arg(mutbl, ty),
1827             SelfKind::Value(mutbl) => arg(mutbl, infer_ty),
1828             SelfKind::Region(lt, mutbl) => arg(
1829                 Mutability::Immutable,
1830                 P(Ty {
1831                     id: DUMMY_NODE_ID,
1832                     node: TyKind::Rptr(
1833                         lt,
1834                         MutTy {
1835                             ty: infer_ty,
1836                             mutbl: mutbl,
1837                         },
1838                     ),
1839                     span,
1840                 }),
1841             ),
1842         }
1843     }
1844 }
1845
1846 /// Header (not the body) of a function declaration.
1847 ///
1848 /// E.g., `fn foo(bar: baz)`.
1849 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1850 pub struct FnDecl {
1851     pub inputs: Vec<Arg>,
1852     pub output: FunctionRetTy,
1853     pub c_variadic: bool,
1854 }
1855
1856 impl FnDecl {
1857     pub fn get_self(&self) -> Option<ExplicitSelf> {
1858         self.inputs.get(0).and_then(Arg::to_self)
1859     }
1860     pub fn has_self(&self) -> bool {
1861         self.inputs.get(0).map(Arg::is_self).unwrap_or(false)
1862     }
1863 }
1864
1865 /// Is the trait definition an auto trait?
1866 #[derive(Copy, Clone, PartialEq, RustcEncodable, RustcDecodable, Debug)]
1867 pub enum IsAuto {
1868     Yes,
1869     No,
1870 }
1871
1872 #[derive(Copy, Clone, PartialEq, RustcEncodable, RustcDecodable, Debug)]
1873 pub enum Unsafety {
1874     Unsafe,
1875     Normal,
1876 }
1877
1878 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1879 pub struct AsyncArgument {
1880     /// `__arg0`
1881     pub ident: Ident,
1882     /// `__arg0: <ty>` argument to replace existing function argument `<pat>: <ty>`. Only if
1883     /// argument is not a simple binding.
1884     pub arg: Option<Arg>,
1885     /// `let __arg0 = __arg0;` statement to be inserted at the start of the block.
1886     pub move_stmt: Stmt,
1887     /// `let <pat> = __arg0;` statement to be inserted at the start of the block, after matching
1888     /// move statement. Only if argument is not a simple binding.
1889     pub pat_stmt: Option<Stmt>,
1890 }
1891
1892 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1893 pub enum IsAsync {
1894     Async {
1895         closure_id: NodeId,
1896         return_impl_trait_id: NodeId,
1897         /// This field stores the arguments and statements that are used in HIR lowering to
1898         /// ensure that `async fn` arguments are dropped at the correct time.
1899         ///
1900         /// The argument and statements here are generated at parse time as they are required in
1901         /// both the hir lowering, def collection and name resolution and this stops them needing
1902         /// to be created in each place.
1903         arguments: Vec<AsyncArgument>,
1904     },
1905     NotAsync,
1906 }
1907
1908 impl IsAsync {
1909     pub fn is_async(&self) -> bool {
1910         if let IsAsync::Async { .. } = *self {
1911             true
1912         } else {
1913             false
1914         }
1915     }
1916
1917     /// In ths case this is an `async` return, the `NodeId` for the generated `impl Trait` item.
1918     pub fn opt_return_id(&self) -> Option<NodeId> {
1919         match self {
1920             IsAsync::Async {
1921                 return_impl_trait_id,
1922                 ..
1923             } => Some(*return_impl_trait_id),
1924             IsAsync::NotAsync => None,
1925         }
1926     }
1927 }
1928
1929 #[derive(Copy, Clone, PartialEq, RustcEncodable, RustcDecodable, Debug)]
1930 pub enum Constness {
1931     Const,
1932     NotConst,
1933 }
1934
1935 #[derive(Copy, Clone, PartialEq, RustcEncodable, RustcDecodable, Debug)]
1936 pub enum Defaultness {
1937     Default,
1938     Final,
1939 }
1940
1941 impl fmt::Display for Unsafety {
1942     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1943         fmt::Display::fmt(
1944             match *self {
1945                 Unsafety::Normal => "normal",
1946                 Unsafety::Unsafe => "unsafe",
1947             },
1948             f,
1949         )
1950     }
1951 }
1952
1953 #[derive(Copy, Clone, PartialEq, RustcEncodable, RustcDecodable)]
1954 pub enum ImplPolarity {
1955     /// `impl Trait for Type`
1956     Positive,
1957     /// `impl !Trait for Type`
1958     Negative,
1959 }
1960
1961 impl fmt::Debug for ImplPolarity {
1962     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1963         match *self {
1964             ImplPolarity::Positive => "positive".fmt(f),
1965             ImplPolarity::Negative => "negative".fmt(f),
1966         }
1967     }
1968 }
1969
1970 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1971 pub enum FunctionRetTy {
1972     /// Returns type is not specified.
1973     ///
1974     /// Functions default to `()` and closures default to inference.
1975     /// Span points to where return type would be inserted.
1976     Default(Span),
1977     /// Everything else.
1978     Ty(P<Ty>),
1979 }
1980
1981 impl FunctionRetTy {
1982     pub fn span(&self) -> Span {
1983         match *self {
1984             FunctionRetTy::Default(span) => span,
1985             FunctionRetTy::Ty(ref ty) => ty.span,
1986         }
1987     }
1988 }
1989
1990 /// Module declaration.
1991 ///
1992 /// E.g., `mod foo;` or `mod foo { .. }`.
1993 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
1994 pub struct Mod {
1995     /// A span from the first token past `{` to the last token until `}`.
1996     /// For `mod foo;`, the inner span ranges from the first token
1997     /// to the last token in the external file.
1998     pub inner: Span,
1999     pub items: Vec<P<Item>>,
2000     /// `true` for `mod foo { .. }`; `false` for `mod foo;`.
2001     pub inline: bool,
2002 }
2003
2004 /// Foreign module declaration.
2005 ///
2006 /// E.g., `extern { .. }` or `extern C { .. }`.
2007 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
2008 pub struct ForeignMod {
2009     pub abi: Abi,
2010     pub items: Vec<ForeignItem>,
2011 }
2012
2013 /// Global inline assembly.
2014 ///
2015 /// Also known as "module-level assembly" or "file-scoped assembly".
2016 #[derive(Clone, RustcEncodable, RustcDecodable, Debug, Copy)]
2017 pub struct GlobalAsm {
2018     pub asm: Symbol,
2019     pub ctxt: SyntaxContext,
2020 }
2021
2022 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
2023 pub struct EnumDef {
2024     pub variants: Vec<Variant>,
2025 }
2026
2027 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
2028 pub struct Variant_ {
2029     /// Name of the variant.
2030     pub ident: Ident,
2031     /// Attributes of the variant.
2032     pub attrs: Vec<Attribute>,
2033     /// Id of the variant (not the constructor, see `VariantData::ctor_id()`).
2034     pub id: NodeId,
2035     /// Fields and constructor id of the variant.
2036     pub data: VariantData,
2037     /// Explicit discriminant, e.g., `Foo = 1`.
2038     pub disr_expr: Option<AnonConst>,
2039 }
2040
2041 pub type Variant = Spanned<Variant_>;
2042
2043 /// Part of `use` item to the right of its prefix.
2044 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
2045 pub enum UseTreeKind {
2046     /// `use prefix` or `use prefix as rename`
2047     ///
2048     /// The extra `NodeId`s are for HIR lowering, when additional statements are created for each
2049     /// namespace.
2050     Simple(Option<Ident>, NodeId, NodeId),
2051     /// `use prefix::{...}`
2052     Nested(Vec<(UseTree, NodeId)>),
2053     /// `use prefix::*`
2054     Glob,
2055 }
2056
2057 /// A tree of paths sharing common prefixes.
2058 /// Used in `use` items both at top-level and inside of braces in import groups.
2059 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
2060 pub struct UseTree {
2061     pub prefix: Path,
2062     pub kind: UseTreeKind,
2063     pub span: Span,
2064 }
2065
2066 impl UseTree {
2067     pub fn ident(&self) -> Ident {
2068         match self.kind {
2069             UseTreeKind::Simple(Some(rename), ..) => rename,
2070             UseTreeKind::Simple(None, ..) => {
2071                 self.prefix
2072                     .segments
2073                     .last()
2074                     .expect("empty prefix in a simple import")
2075                     .ident
2076             }
2077             _ => panic!("`UseTree::ident` can only be used on a simple import"),
2078         }
2079     }
2080 }
2081
2082 /// Distinguishes between `Attribute`s that decorate items and Attributes that
2083 /// are contained as statements within items. These two cases need to be
2084 /// distinguished for pretty-printing.
2085 #[derive(Clone, PartialEq, RustcEncodable, RustcDecodable, Debug, Copy)]
2086 pub enum AttrStyle {
2087     Outer,
2088     Inner,
2089 }
2090
2091 #[derive(
2092     Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, PartialOrd, Ord, Copy,
2093 )]
2094 pub struct AttrId(pub usize);
2095
2096 impl Idx for AttrId {
2097     fn new(idx: usize) -> Self {
2098         AttrId(idx)
2099     }
2100     fn index(self) -> usize {
2101         self.0
2102     }
2103 }
2104
2105 /// Metadata associated with an item.
2106 /// Doc-comments are promoted to attributes that have `is_sugared_doc = true`.
2107 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
2108 pub struct Attribute {
2109     pub id: AttrId,
2110     pub style: AttrStyle,
2111     pub path: Path,
2112     pub tokens: TokenStream,
2113     pub is_sugared_doc: bool,
2114     pub span: Span,
2115 }
2116
2117 /// `TraitRef`s appear in impls.
2118 ///
2119 /// Resolution maps each `TraitRef`'s `ref_id` to its defining trait; that's all
2120 /// that the `ref_id` is for. The `impl_id` maps to the "self type" of this impl.
2121 /// If this impl is an `ItemKind::Impl`, the `impl_id` is redundant (it could be the
2122 /// same as the impl's `NodeId`).
2123 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
2124 pub struct TraitRef {
2125     pub path: Path,
2126     pub ref_id: NodeId,
2127 }
2128
2129 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
2130 pub struct PolyTraitRef {
2131     /// The `'a` in `<'a> Foo<&'a T>`.
2132     pub bound_generic_params: Vec<GenericParam>,
2133
2134     /// The `Foo<&'a T>` in `<'a> Foo<&'a T>`.
2135     pub trait_ref: TraitRef,
2136
2137     pub span: Span,
2138 }
2139
2140 impl PolyTraitRef {
2141     pub fn new(generic_params: Vec<GenericParam>, path: Path, span: Span) -> Self {
2142         PolyTraitRef {
2143             bound_generic_params: generic_params,
2144             trait_ref: TraitRef {
2145                 path: path,
2146                 ref_id: DUMMY_NODE_ID,
2147             },
2148             span,
2149         }
2150     }
2151 }
2152
2153 #[derive(Copy, Clone, RustcEncodable, RustcDecodable, Debug)]
2154 pub enum CrateSugar {
2155     /// Source is `pub(crate)`.
2156     PubCrate,
2157
2158     /// Source is (just) `crate`.
2159     JustCrate,
2160 }
2161
2162 pub type Visibility = Spanned<VisibilityKind>;
2163
2164 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
2165 pub enum VisibilityKind {
2166     Public,
2167     Crate(CrateSugar),
2168     Restricted { path: P<Path>, id: NodeId },
2169     Inherited,
2170 }
2171
2172 impl VisibilityKind {
2173     pub fn is_pub(&self) -> bool {
2174         if let VisibilityKind::Public = *self {
2175             true
2176         } else {
2177             false
2178         }
2179     }
2180 }
2181
2182 /// Field of a struct.
2183 ///
2184 /// E.g., `bar: usize` as in `struct Foo { bar: usize }`.
2185 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
2186 pub struct StructField {
2187     pub span: Span,
2188     pub ident: Option<Ident>,
2189     pub vis: Visibility,
2190     pub id: NodeId,
2191     pub ty: P<Ty>,
2192     pub attrs: Vec<Attribute>,
2193 }
2194
2195 /// Fields and constructor ids of enum variants and structs.
2196 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
2197 pub enum VariantData {
2198     /// Struct variant.
2199     ///
2200     /// E.g., `Bar { .. }` as in `enum Foo { Bar { .. } }`.
2201     Struct(Vec<StructField>, bool),
2202     /// Tuple variant.
2203     ///
2204     /// E.g., `Bar(..)` as in `enum Foo { Bar(..) }`.
2205     Tuple(Vec<StructField>, NodeId),
2206     /// Unit variant.
2207     ///
2208     /// E.g., `Bar = ..` as in `enum Foo { Bar = .. }`.
2209     Unit(NodeId),
2210 }
2211
2212 impl VariantData {
2213     /// Return the fields of this variant.
2214     pub fn fields(&self) -> &[StructField] {
2215         match *self {
2216             VariantData::Struct(ref fields, ..) | VariantData::Tuple(ref fields, _) => fields,
2217             _ => &[],
2218         }
2219     }
2220
2221     /// Return the `NodeId` of this variant's constructor, if it has one.
2222     pub fn ctor_id(&self) -> Option<NodeId> {
2223         match *self {
2224             VariantData::Struct(..) => None,
2225             VariantData::Tuple(_, id) | VariantData::Unit(id) => Some(id),
2226         }
2227     }
2228 }
2229
2230 /// An item.
2231 ///
2232 /// The name might be a dummy name in case of anonymous items.
2233 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
2234 pub struct Item {
2235     pub ident: Ident,
2236     pub attrs: Vec<Attribute>,
2237     pub id: NodeId,
2238     pub node: ItemKind,
2239     pub vis: Visibility,
2240     pub span: Span,
2241
2242     /// Original tokens this item was parsed from. This isn't necessarily
2243     /// available for all items, although over time more and more items should
2244     /// have this be `Some`. Right now this is primarily used for procedural
2245     /// macros, notably custom attributes.
2246     ///
2247     /// Note that the tokens here do not include the outer attributes, but will
2248     /// include inner attributes.
2249     pub tokens: Option<TokenStream>,
2250 }
2251
2252 impl Item {
2253     /// Return the span that encompasses the attributes.
2254     pub fn span_with_attributes(&self) -> Span {
2255         self.attrs.iter().fold(self.span, |acc, attr| acc.to(attr.span))
2256     }
2257 }
2258
2259 /// A function header.
2260 ///
2261 /// All the information between the visibility and the name of the function is
2262 /// included in this struct (e.g., `async unsafe fn` or `const extern "C" fn`).
2263 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
2264 pub struct FnHeader {
2265     pub unsafety: Unsafety,
2266     pub asyncness: Spanned<IsAsync>,
2267     pub constness: Spanned<Constness>,
2268     pub abi: Abi,
2269 }
2270
2271 impl Default for FnHeader {
2272     fn default() -> FnHeader {
2273         FnHeader {
2274             unsafety: Unsafety::Normal,
2275             asyncness: dummy_spanned(IsAsync::NotAsync),
2276             constness: dummy_spanned(Constness::NotConst),
2277             abi: Abi::Rust,
2278         }
2279     }
2280 }
2281
2282 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
2283 pub enum ItemKind {
2284     /// An `extern crate` item, with optional *original* crate name if the crate was renamed.
2285     ///
2286     /// E.g., `extern crate foo` or `extern crate foo_bar as foo`.
2287     ExternCrate(Option<Name>),
2288     /// A use declaration (`use` or `pub use`) item.
2289     ///
2290     /// E.g., `use foo;`, `use foo::bar;` or `use foo::bar as FooBar;`.
2291     Use(P<UseTree>),
2292     /// A static item (`static` or `pub static`).
2293     ///
2294     /// E.g., `static FOO: i32 = 42;` or `static FOO: &'static str = "bar";`.
2295     Static(P<Ty>, Mutability, P<Expr>),
2296     /// A constant item (`const` or `pub const`).
2297     ///
2298     /// E.g., `const FOO: i32 = 42;`.
2299     Const(P<Ty>, P<Expr>),
2300     /// A function declaration (`fn` or `pub fn`).
2301     ///
2302     /// E.g., `fn foo(bar: usize) -> usize { .. }`.
2303     Fn(P<FnDecl>, FnHeader, Generics, P<Block>),
2304     /// A module declaration (`mod` or `pub mod`).
2305     ///
2306     /// E.g., `mod foo;` or `mod foo { .. }`.
2307     Mod(Mod),
2308     /// An external module (`extern` or `pub extern`).
2309     ///
2310     /// E.g., `extern {}` or `extern "C" {}`.
2311     ForeignMod(ForeignMod),
2312     /// Module-level inline assembly (from `global_asm!()`).
2313     GlobalAsm(P<GlobalAsm>),
2314     /// A type alias (`type` or `pub type`).
2315     ///
2316     /// E.g., `type Foo = Bar<u8>;`.
2317     Ty(P<Ty>, Generics),
2318     /// An existential type declaration (`existential type`).
2319     ///
2320     /// E.g., `existential type Foo: Bar + Boo;`.
2321     Existential(GenericBounds, Generics),
2322     /// An enum definition (`enum` or `pub enum`).
2323     ///
2324     /// E.g., `enum Foo<A, B> { C<A>, D<B> }`.
2325     Enum(EnumDef, Generics),
2326     /// A struct definition (`struct` or `pub struct`).
2327     ///
2328     /// E.g., `struct Foo<A> { x: A }`.
2329     Struct(VariantData, Generics),
2330     /// A union definition (`union` or `pub union`).
2331     ///
2332     /// E.g., `union Foo<A, B> { x: A, y: B }`.
2333     Union(VariantData, Generics),
2334     /// A Trait declaration (`trait` or `pub trait`).
2335     ///
2336     /// E.g., `trait Foo { .. }`, `trait Foo<T> { .. }` or `auto trait Foo {}`.
2337     Trait(IsAuto, Unsafety, Generics, GenericBounds, Vec<TraitItem>),
2338     /// Trait alias
2339     ///
2340     /// E.g., `trait Foo = Bar + Quux;`.
2341     TraitAlias(Generics, GenericBounds),
2342     /// An implementation.
2343     ///
2344     /// E.g., `impl<A> Foo<A> { .. }` or `impl<A> Trait for Foo<A> { .. }`.
2345     Impl(
2346         Unsafety,
2347         ImplPolarity,
2348         Defaultness,
2349         Generics,
2350         Option<TraitRef>, // (optional) trait this impl implements
2351         P<Ty>,            // self
2352         Vec<ImplItem>,
2353     ),
2354     /// A macro invocation.
2355     ///
2356     /// E.g., `macro_rules! foo { .. }` or `foo!(..)`.
2357     Mac(Mac),
2358
2359     /// A macro definition.
2360     MacroDef(MacroDef),
2361 }
2362
2363 impl ItemKind {
2364     pub fn descriptive_variant(&self) -> &str {
2365         match *self {
2366             ItemKind::ExternCrate(..) => "extern crate",
2367             ItemKind::Use(..) => "use",
2368             ItemKind::Static(..) => "static item",
2369             ItemKind::Const(..) => "constant item",
2370             ItemKind::Fn(..) => "function",
2371             ItemKind::Mod(..) => "module",
2372             ItemKind::ForeignMod(..) => "foreign module",
2373             ItemKind::GlobalAsm(..) => "global asm",
2374             ItemKind::Ty(..) => "type alias",
2375             ItemKind::Existential(..) => "existential type",
2376             ItemKind::Enum(..) => "enum",
2377             ItemKind::Struct(..) => "struct",
2378             ItemKind::Union(..) => "union",
2379             ItemKind::Trait(..) => "trait",
2380             ItemKind::TraitAlias(..) => "trait alias",
2381             ItemKind::Mac(..) | ItemKind::MacroDef(..) | ItemKind::Impl(..) => "item",
2382         }
2383     }
2384 }
2385
2386 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
2387 pub struct ForeignItem {
2388     pub ident: Ident,
2389     pub attrs: Vec<Attribute>,
2390     pub node: ForeignItemKind,
2391     pub id: NodeId,
2392     pub span: Span,
2393     pub vis: Visibility,
2394 }
2395
2396 /// An item within an `extern` block.
2397 #[derive(Clone, RustcEncodable, RustcDecodable, Debug)]
2398 pub enum ForeignItemKind {
2399     /// A foreign function.
2400     Fn(P<FnDecl>, Generics),
2401     /// A foreign static item (`static ext: u8`).
2402     Static(P<Ty>, Mutability),
2403     /// A foreign type.
2404     Ty,
2405     /// A macro invocation.
2406     Macro(Mac),
2407 }
2408
2409 impl ForeignItemKind {
2410     pub fn descriptive_variant(&self) -> &str {
2411         match *self {
2412             ForeignItemKind::Fn(..) => "foreign function",
2413             ForeignItemKind::Static(..) => "foreign static item",
2414             ForeignItemKind::Ty => "foreign type",
2415             ForeignItemKind::Macro(..) => "macro in foreign module",
2416         }
2417     }
2418 }
2419
2420 #[cfg(test)]
2421 mod tests {
2422     use super::*;
2423     use serialize;
2424
2425     // Are ASTs encodable?
2426     #[test]
2427     fn check_asts_encodable() {
2428         fn assert_encodable<T: serialize::Encodable>() {}
2429         assert_encodable::<Crate>();
2430     }
2431 }