]> git.lizzy.rs Git - rust.git/blob - src/libsyntax/ast.rs
Auto merge of #28034 - alexcrichton:new-lines, r=aturon
[rust.git] / src / libsyntax / ast.rs
1 // Copyright 2012-2014 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 // The Rust abstract syntax tree.
12
13 pub use self::AsmDialect::*;
14 pub use self::AttrStyle::*;
15 pub use self::BindingMode::*;
16 pub use self::BinOp_::*;
17 pub use self::BlockCheckMode::*;
18 pub use self::CaptureClause::*;
19 pub use self::Decl_::*;
20 pub use self::ExplicitSelf_::*;
21 pub use self::Expr_::*;
22 pub use self::FloatTy::*;
23 pub use self::FunctionRetTy::*;
24 pub use self::ForeignItem_::*;
25 pub use self::ImplItem_::*;
26 pub use self::IntTy::*;
27 pub use self::Item_::*;
28 pub use self::KleeneOp::*;
29 pub use self::Lit_::*;
30 pub use self::LitIntType::*;
31 pub use self::Mac_::*;
32 pub use self::MacStmtStyle::*;
33 pub use self::MetaItem_::*;
34 pub use self::Mutability::*;
35 pub use self::Pat_::*;
36 pub use self::PathListItem_::*;
37 pub use self::PatWildKind::*;
38 pub use self::PrimTy::*;
39 pub use self::Sign::*;
40 pub use self::Stmt_::*;
41 pub use self::StrStyle::*;
42 pub use self::StructFieldKind::*;
43 pub use self::TokenTree::*;
44 pub use self::TraitItem_::*;
45 pub use self::Ty_::*;
46 pub use self::TyParamBound::*;
47 pub use self::UintTy::*;
48 pub use self::UnOp::*;
49 pub use self::UnsafeSource::*;
50 pub use self::VariantKind::*;
51 pub use self::ViewPath_::*;
52 pub use self::Visibility::*;
53 pub use self::PathParameters::*;
54
55 use codemap::{Span, Spanned, DUMMY_SP, ExpnId};
56 use abi::Abi;
57 use ast_util;
58 use ext::base;
59 use ext::tt::macro_parser;
60 use owned_slice::OwnedSlice;
61 use parse::token::{InternedString, str_to_ident};
62 use parse::token;
63 use parse::lexer;
64 use parse::lexer::comments::{doc_comment_style, strip_doc_comment_decoration};
65 use print::pprust;
66 use ptr::P;
67
68 use std::fmt;
69 use std::rc::Rc;
70 use serialize::{Encodable, Decodable, Encoder, Decoder};
71
72 // FIXME #6993: in librustc, uses of "ident" should be replaced
73 // by just "Name".
74
75 /// An identifier contains a Name (index into the interner
76 /// table) and a SyntaxContext to track renaming and
77 /// macro expansion per Flatt et al., "Macros
78 /// That Work Together"
79 #[derive(Clone, Copy, Hash, PartialOrd, Eq, Ord)]
80 pub struct Ident {
81     pub name: Name,
82     pub ctxt: SyntaxContext
83 }
84
85 impl Ident {
86     /// Construct an identifier with the given name and an empty context:
87     pub fn new(name: Name) -> Ident { Ident {name: name, ctxt: EMPTY_CTXT}}
88 }
89
90 impl fmt::Debug for Ident {
91     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
92         write!(f, "{}#{}", self.name, self.ctxt)
93     }
94 }
95
96 impl fmt::Display for Ident {
97     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
98         fmt::Display::fmt(&self.name, f)
99     }
100 }
101
102 impl fmt::Debug for Name {
103     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
104         let Name(nm) = *self;
105         write!(f, "{}({})", self, nm)
106     }
107 }
108
109 impl fmt::Display for Name {
110     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
111         fmt::Display::fmt(&self.as_str(), f)
112     }
113 }
114
115 impl PartialEq for Ident {
116     fn eq(&self, other: &Ident) -> bool {
117         if self.ctxt == other.ctxt {
118             self.name == other.name
119         } else {
120             // IF YOU SEE ONE OF THESE FAILS: it means that you're comparing
121             // idents that have different contexts. You can't fix this without
122             // knowing whether the comparison should be hygienic or non-hygienic.
123             // if it should be non-hygienic (most things are), just compare the
124             // 'name' fields of the idents. Or, even better, replace the idents
125             // with Name's.
126             //
127             // On the other hand, if the comparison does need to be hygienic,
128             // one example and its non-hygienic counterpart would be:
129             //      syntax::parse::token::Token::mtwt_eq
130             //      syntax::ext::tt::macro_parser::token_name_eq
131             panic!("not allowed to compare these idents: {:?}, {:?}. \
132                    Probably related to issue \\#6993", self, other);
133         }
134     }
135 }
136
137 /// A SyntaxContext represents a chain of macro-expandings
138 /// and renamings. Each macro expansion corresponds to
139 /// a fresh u32
140
141 // I'm representing this syntax context as an index into
142 // a table, in order to work around a compiler bug
143 // that's causing unreleased memory to cause core dumps
144 // and also perhaps to save some work in destructor checks.
145 // the special uint '0' will be used to indicate an empty
146 // syntax context.
147
148 // this uint is a reference to a table stored in thread-local
149 // storage.
150 pub type SyntaxContext = u32;
151 pub const EMPTY_CTXT : SyntaxContext = 0;
152 pub const ILLEGAL_CTXT : SyntaxContext = 1;
153
154 /// A name is a part of an identifier, representing a string or gensym. It's
155 /// the result of interning.
156 #[derive(Eq, Ord, PartialEq, PartialOrd, Hash,
157            RustcEncodable, RustcDecodable, Clone, Copy)]
158 pub struct Name(pub u32);
159
160 impl<T: AsRef<str>> PartialEq<T> for Name {
161     fn eq(&self, other: &T) -> bool {
162         self.as_str() == other.as_ref()
163     }
164 }
165
166 impl Name {
167     pub fn as_str(&self) -> token::InternedString {
168         token::InternedString::new_from_name(*self)
169     }
170
171     pub fn usize(&self) -> usize {
172         let Name(nm) = *self;
173         nm as usize
174     }
175
176     pub fn ident(&self) -> Ident {
177         Ident { name: *self, ctxt: 0 }
178     }
179 }
180
181 /// A mark represents a unique id associated with a macro expansion
182 pub type Mrk = u32;
183
184 impl Encodable for Ident {
185     fn encode<S: Encoder>(&self, s: &mut S) -> Result<(), S::Error> {
186         s.emit_str(&self.name.as_str())
187     }
188 }
189
190 impl Decodable for Ident {
191     fn decode<D: Decoder>(d: &mut D) -> Result<Ident, D::Error> {
192         Ok(str_to_ident(&try!(d.read_str())[..]))
193     }
194 }
195
196 /// Function name (not all functions have names)
197 pub type FnIdent = Option<Ident>;
198
199 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Copy)]
200 pub struct Lifetime {
201     pub id: NodeId,
202     pub span: Span,
203     pub name: Name
204 }
205
206 impl fmt::Debug for Lifetime {
207     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
208         write!(f, "lifetime({}: {})", self.id, pprust::lifetime_to_string(self))
209     }
210 }
211
212 /// A lifetime definition, eg `'a: 'b+'c+'d`
213 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
214 pub struct LifetimeDef {
215     pub lifetime: Lifetime,
216     pub bounds: Vec<Lifetime>
217 }
218
219 /// A "Path" is essentially Rust's notion of a name; for instance:
220 /// std::cmp::PartialEq  .  It's represented as a sequence of identifiers,
221 /// along with a bunch of supporting information.
222 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash)]
223 pub struct Path {
224     pub span: Span,
225     /// A `::foo` path, is relative to the crate root rather than current
226     /// module (like paths in an import).
227     pub global: bool,
228     /// The segments in the path: the things separated by `::`.
229     pub segments: Vec<PathSegment>,
230 }
231
232 impl fmt::Debug for Path {
233     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
234         write!(f, "path({})", pprust::path_to_string(self))
235     }
236 }
237
238 impl fmt::Display for Path {
239     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
240         write!(f, "{}", pprust::path_to_string(self))
241     }
242 }
243
244 /// A segment of a path: an identifier, an optional lifetime, and a set of
245 /// types.
246 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
247 pub struct PathSegment {
248     /// The identifier portion of this path segment.
249     pub identifier: Ident,
250
251     /// Type/lifetime parameters attached to this path. They come in
252     /// two flavors: `Path<A,B,C>` and `Path(A,B) -> C`. Note that
253     /// this is more than just simple syntactic sugar; the use of
254     /// parens affects the region binding rules, so we preserve the
255     /// distinction.
256     pub parameters: PathParameters,
257 }
258
259 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
260 pub enum PathParameters {
261     /// The `<'a, A,B,C>` in `foo::bar::baz::<'a, A,B,C>`
262     AngleBracketedParameters(AngleBracketedParameterData),
263     /// The `(A,B)` and `C` in `Foo(A,B) -> C`
264     ParenthesizedParameters(ParenthesizedParameterData),
265 }
266
267 impl PathParameters {
268     pub fn none() -> PathParameters {
269         AngleBracketedParameters(AngleBracketedParameterData {
270             lifetimes: Vec::new(),
271             types: OwnedSlice::empty(),
272             bindings: OwnedSlice::empty(),
273         })
274     }
275
276     pub fn is_empty(&self) -> bool {
277         match *self {
278             AngleBracketedParameters(ref data) => data.is_empty(),
279
280             // Even if the user supplied no types, something like
281             // `X()` is equivalent to `X<(),()>`.
282             ParenthesizedParameters(..) => false,
283         }
284     }
285
286     pub fn has_lifetimes(&self) -> bool {
287         match *self {
288             AngleBracketedParameters(ref data) => !data.lifetimes.is_empty(),
289             ParenthesizedParameters(_) => false,
290         }
291     }
292
293     pub fn has_types(&self) -> bool {
294         match *self {
295             AngleBracketedParameters(ref data) => !data.types.is_empty(),
296             ParenthesizedParameters(..) => true,
297         }
298     }
299
300     /// Returns the types that the user wrote. Note that these do not necessarily map to the type
301     /// parameters in the parenthesized case.
302     pub fn types(&self) -> Vec<&P<Ty>> {
303         match *self {
304             AngleBracketedParameters(ref data) => {
305                 data.types.iter().collect()
306             }
307             ParenthesizedParameters(ref data) => {
308                 data.inputs.iter()
309                     .chain(data.output.iter())
310                     .collect()
311             }
312         }
313     }
314
315     pub fn lifetimes(&self) -> Vec<&Lifetime> {
316         match *self {
317             AngleBracketedParameters(ref data) => {
318                 data.lifetimes.iter().collect()
319             }
320             ParenthesizedParameters(_) => {
321                 Vec::new()
322             }
323         }
324     }
325
326     pub fn bindings(&self) -> Vec<&P<TypeBinding>> {
327         match *self {
328             AngleBracketedParameters(ref data) => {
329                 data.bindings.iter().collect()
330             }
331             ParenthesizedParameters(_) => {
332                 Vec::new()
333             }
334         }
335     }
336 }
337
338 /// A path like `Foo<'a, T>`
339 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
340 pub struct AngleBracketedParameterData {
341     /// The lifetime parameters for this path segment.
342     pub lifetimes: Vec<Lifetime>,
343     /// The type parameters for this path segment, if present.
344     pub types: OwnedSlice<P<Ty>>,
345     /// Bindings (equality constraints) on associated types, if present.
346     /// E.g., `Foo<A=Bar>`.
347     pub bindings: OwnedSlice<P<TypeBinding>>,
348 }
349
350 impl AngleBracketedParameterData {
351     fn is_empty(&self) -> bool {
352         self.lifetimes.is_empty() && self.types.is_empty() && self.bindings.is_empty()
353     }
354 }
355
356 /// A path like `Foo(A,B) -> C`
357 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
358 pub struct ParenthesizedParameterData {
359     /// Overall span
360     pub span: Span,
361
362     /// `(A,B)`
363     pub inputs: Vec<P<Ty>>,
364
365     /// `C`
366     pub output: Option<P<Ty>>,
367 }
368
369 pub type CrateNum = u32;
370
371 pub type NodeId = u32;
372
373 /// Node id used to represent the root of the crate.
374 pub const CRATE_NODE_ID: NodeId = 0;
375
376 /// When parsing and doing expansions, we initially give all AST nodes this AST
377 /// node value. Then later, in the renumber pass, we renumber them to have
378 /// small, positive ids.
379 pub const DUMMY_NODE_ID: NodeId = !0;
380
381 /// The AST represents all type param bounds as types.
382 /// typeck::collect::compute_bounds matches these against
383 /// the "special" built-in traits (see middle::lang_items) and
384 /// detects Copy, Send and Sync.
385 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
386 pub enum TyParamBound {
387     TraitTyParamBound(PolyTraitRef, TraitBoundModifier),
388     RegionTyParamBound(Lifetime)
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, RustcEncodable, RustcDecodable, Hash, Debug)]
394 pub enum TraitBoundModifier {
395     None,
396     Maybe,
397 }
398
399 pub type TyParamBounds = OwnedSlice<TyParamBound>;
400
401 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
402 pub struct TyParam {
403     pub ident: Ident,
404     pub id: NodeId,
405     pub bounds: TyParamBounds,
406     pub default: Option<P<Ty>>,
407     pub span: Span
408 }
409
410 /// Represents lifetimes and type parameters attached to a declaration
411 /// of a function, enum, trait, etc.
412 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
413 pub struct Generics {
414     pub lifetimes: Vec<LifetimeDef>,
415     pub ty_params: OwnedSlice<TyParam>,
416     pub where_clause: WhereClause,
417 }
418
419 impl Generics {
420     pub fn is_lt_parameterized(&self) -> bool {
421         !self.lifetimes.is_empty()
422     }
423     pub fn is_type_parameterized(&self) -> bool {
424         !self.ty_params.is_empty()
425     }
426     pub fn is_parameterized(&self) -> bool {
427         self.is_lt_parameterized() || self.is_type_parameterized()
428     }
429 }
430
431 /// A `where` clause in a definition
432 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
433 pub struct WhereClause {
434     pub id: NodeId,
435     pub predicates: Vec<WherePredicate>,
436 }
437
438 /// A single predicate in a `where` clause
439 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
440 pub enum WherePredicate {
441     /// A type binding, eg `for<'c> Foo: Send+Clone+'c`
442     BoundPredicate(WhereBoundPredicate),
443     /// A lifetime predicate, e.g. `'a: 'b+'c`
444     RegionPredicate(WhereRegionPredicate),
445     /// An equality predicate (unsupported)
446     EqPredicate(WhereEqPredicate),
447 }
448
449 /// A type bound, eg `for<'c> Foo: Send+Clone+'c`
450 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
451 pub struct WhereBoundPredicate {
452     pub span: Span,
453     /// Any lifetimes from a `for` binding
454     pub bound_lifetimes: Vec<LifetimeDef>,
455     /// The type being bounded
456     pub bounded_ty: P<Ty>,
457     /// Trait and lifetime bounds (`Clone+Send+'static`)
458     pub bounds: OwnedSlice<TyParamBound>,
459 }
460
461 /// A lifetime predicate, e.g. `'a: 'b+'c`
462 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
463 pub struct WhereRegionPredicate {
464     pub span: Span,
465     pub lifetime: Lifetime,
466     pub bounds: Vec<Lifetime>,
467 }
468
469 /// An equality predicate (unsupported), e.g. `T=int`
470 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
471 pub struct WhereEqPredicate {
472     pub id: NodeId,
473     pub span: Span,
474     pub path: Path,
475     pub ty: P<Ty>,
476 }
477
478 /// The set of MetaItems that define the compilation environment of the crate,
479 /// used to drive conditional compilation
480 pub type CrateConfig = Vec<P<MetaItem>> ;
481
482 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
483 pub struct Crate {
484     pub module: Mod,
485     pub attrs: Vec<Attribute>,
486     pub config: CrateConfig,
487     pub span: Span,
488     pub exported_macros: Vec<MacroDef>,
489 }
490
491 pub type MetaItem = Spanned<MetaItem_>;
492
493 #[derive(Clone, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
494 pub enum MetaItem_ {
495     MetaWord(InternedString),
496     MetaList(InternedString, Vec<P<MetaItem>>),
497     MetaNameValue(InternedString, Lit),
498 }
499
500 // can't be derived because the MetaList requires an unordered comparison
501 impl PartialEq for MetaItem_ {
502     fn eq(&self, other: &MetaItem_) -> bool {
503         match *self {
504             MetaWord(ref ns) => match *other {
505                 MetaWord(ref no) => (*ns) == (*no),
506                 _ => false
507             },
508             MetaNameValue(ref ns, ref vs) => match *other {
509                 MetaNameValue(ref no, ref vo) => {
510                     (*ns) == (*no) && vs.node == vo.node
511                 }
512                 _ => false
513             },
514             MetaList(ref ns, ref miss) => match *other {
515                 MetaList(ref no, ref miso) => {
516                     ns == no &&
517                         miss.iter().all(|mi| miso.iter().any(|x| x.node == mi.node))
518                 }
519                 _ => false
520             }
521         }
522     }
523 }
524
525 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
526 pub struct Block {
527     /// Statements in a block
528     pub stmts: Vec<P<Stmt>>,
529     /// An expression at the end of the block
530     /// without a semicolon, if any
531     pub expr: Option<P<Expr>>,
532     pub id: NodeId,
533     /// Distinguishes between `unsafe { ... }` and `{ ... }`
534     pub rules: BlockCheckMode,
535     pub span: Span,
536 }
537
538 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash)]
539 pub struct Pat {
540     pub id: NodeId,
541     pub node: Pat_,
542     pub span: Span,
543 }
544
545 impl fmt::Debug for Pat {
546     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
547         write!(f, "pat({}: {})", self.id, pprust::pat_to_string(self))
548     }
549 }
550
551 /// A single field in a struct pattern
552 ///
553 /// Patterns like the fields of Foo `{ x, ref y, ref mut z }`
554 /// are treated the same as` x: x, y: ref y, z: ref mut z`,
555 /// except is_shorthand is true
556 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
557 pub struct FieldPat {
558     /// The identifier for the field
559     pub ident: Ident,
560     /// The pattern the field is destructured to
561     pub pat: P<Pat>,
562     pub is_shorthand: bool,
563 }
564
565 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
566 pub enum BindingMode {
567     BindByRef(Mutability),
568     BindByValue(Mutability),
569 }
570
571 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
572 pub enum PatWildKind {
573     /// Represents the wildcard pattern `_`
574     PatWildSingle,
575
576     /// Represents the wildcard pattern `..`
577     PatWildMulti,
578 }
579
580 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
581 pub enum Pat_ {
582     /// Represents a wildcard pattern (either `_` or `..`)
583     PatWild(PatWildKind),
584
585     /// A PatIdent may either be a new bound variable,
586     /// or a nullary enum (in which case the third field
587     /// is None).
588     ///
589     /// In the nullary enum case, the parser can't determine
590     /// which it is. The resolver determines this, and
591     /// records this pattern's NodeId in an auxiliary
592     /// set (of "PatIdents that refer to nullary enums")
593     PatIdent(BindingMode, SpannedIdent, Option<P<Pat>>),
594
595     /// "None" means a * pattern where we don't bind the fields to names.
596     PatEnum(Path, Option<Vec<P<Pat>>>),
597
598     /// An associated const named using the qualified path `<T>::CONST` or
599     /// `<T as Trait>::CONST`. Associated consts from inherent impls can be
600     /// referred to as simply `T::CONST`, in which case they will end up as
601     /// PatEnum, and the resolver will have to sort that out.
602     PatQPath(QSelf, Path),
603
604     /// Destructuring of a struct, e.g. `Foo {x, y, ..}`
605     /// The `bool` is `true` in the presence of a `..`
606     PatStruct(Path, Vec<Spanned<FieldPat>>, bool),
607     /// A tuple pattern `(a, b)`
608     PatTup(Vec<P<Pat>>),
609     /// A `box` pattern
610     PatBox(P<Pat>),
611     /// A reference pattern, e.g. `&mut (a, b)`
612     PatRegion(P<Pat>, Mutability),
613     /// A literal
614     PatLit(P<Expr>),
615     /// A range pattern, e.g. `1...2`
616     PatRange(P<Expr>, P<Expr>),
617     /// [a, b, ..i, y, z] is represented as:
618     ///     PatVec(box [a, b], Some(i), box [y, z])
619     PatVec(Vec<P<Pat>>, Option<P<Pat>>, Vec<P<Pat>>),
620     /// A macro pattern; pre-expansion
621     PatMac(Mac),
622 }
623
624 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
625 pub enum Mutability {
626     MutMutable,
627     MutImmutable,
628 }
629
630 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
631 pub enum BinOp_ {
632     /// The `+` operator (addition)
633     BiAdd,
634     /// The `-` operator (subtraction)
635     BiSub,
636     /// The `*` operator (multiplication)
637     BiMul,
638     /// The `/` operator (division)
639     BiDiv,
640     /// The `%` operator (modulus)
641     BiRem,
642     /// The `&&` operator (logical and)
643     BiAnd,
644     /// The `||` operator (logical or)
645     BiOr,
646     /// The `^` operator (bitwise xor)
647     BiBitXor,
648     /// The `&` operator (bitwise and)
649     BiBitAnd,
650     /// The `|` operator (bitwise or)
651     BiBitOr,
652     /// The `<<` operator (shift left)
653     BiShl,
654     /// The `>>` operator (shift right)
655     BiShr,
656     /// The `==` operator (equality)
657     BiEq,
658     /// The `<` operator (less than)
659     BiLt,
660     /// The `<=` operator (less than or equal to)
661     BiLe,
662     /// The `!=` operator (not equal to)
663     BiNe,
664     /// The `>=` operator (greater than or equal to)
665     BiGe,
666     /// The `>` operator (greater than)
667     BiGt,
668 }
669
670 pub type BinOp = Spanned<BinOp_>;
671
672 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
673 pub enum UnOp {
674     /// The `box` operator
675     UnUniq,
676     /// The `*` operator for dereferencing
677     UnDeref,
678     /// The `!` operator for logical inversion
679     UnNot,
680     /// The `-` operator for negation
681     UnNeg
682 }
683
684 /// A statement
685 pub type Stmt = Spanned<Stmt_>;
686
687 impl fmt::Debug for Stmt {
688     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
689         write!(f, "stmt({}: {})",
690                ast_util::stmt_id(self),
691                pprust::stmt_to_string(self))
692     }
693 }
694
695
696 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash)]
697 pub enum Stmt_ {
698     /// Could be an item or a local (let) binding:
699     StmtDecl(P<Decl>, NodeId),
700
701     /// Expr without trailing semi-colon (must have unit type):
702     StmtExpr(P<Expr>, NodeId),
703
704     /// Expr with trailing semi-colon (may have any type):
705     StmtSemi(P<Expr>, NodeId),
706
707     StmtMac(P<Mac>, MacStmtStyle),
708 }
709 #[derive(Clone, Copy, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
710 pub enum MacStmtStyle {
711     /// The macro statement had a trailing semicolon, e.g. `foo! { ... };`
712     /// `foo!(...);`, `foo![...];`
713     MacStmtWithSemicolon,
714     /// The macro statement had braces; e.g. foo! { ... }
715     MacStmtWithBraces,
716     /// The macro statement had parentheses or brackets and no semicolon; e.g.
717     /// `foo!(...)`. All of these will end up being converted into macro
718     /// expressions.
719     MacStmtWithoutBraces,
720 }
721
722 // FIXME (pending discussion of #1697, #2178...): local should really be
723 // a refinement on pat.
724 /// Local represents a `let` statement, e.g., `let <pat>:<ty> = <expr>;`
725 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
726 pub struct Local {
727     pub pat: P<Pat>,
728     pub ty: Option<P<Ty>>,
729     /// Initializer expression to set the value, if any
730     pub init: Option<P<Expr>>,
731     pub id: NodeId,
732     pub span: Span,
733 }
734
735 pub type Decl = Spanned<Decl_>;
736
737 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
738 pub enum Decl_ {
739     /// A local (let) binding:
740     DeclLocal(P<Local>),
741     /// An item binding:
742     DeclItem(P<Item>),
743 }
744
745 /// represents one arm of a 'match'
746 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
747 pub struct Arm {
748     pub attrs: Vec<Attribute>,
749     pub pats: Vec<P<Pat>>,
750     pub guard: Option<P<Expr>>,
751     pub body: P<Expr>,
752 }
753
754 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
755 pub struct Field {
756     pub ident: SpannedIdent,
757     pub expr: P<Expr>,
758     pub span: Span,
759 }
760
761 pub type SpannedIdent = Spanned<Ident>;
762
763 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
764 pub enum BlockCheckMode {
765     DefaultBlock,
766     UnsafeBlock(UnsafeSource),
767     PushUnsafeBlock(UnsafeSource),
768     PopUnsafeBlock(UnsafeSource),
769 }
770
771 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
772 pub enum UnsafeSource {
773     CompilerGenerated,
774     UserProvided,
775 }
776
777 /// An expression
778 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash,)]
779 pub struct Expr {
780     pub id: NodeId,
781     pub node: Expr_,
782     pub span: Span,
783 }
784
785 impl fmt::Debug for Expr {
786     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
787         write!(f, "expr({}: {})", self.id, pprust::expr_to_string(self))
788     }
789 }
790
791 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
792 pub enum Expr_ {
793     /// First expr is the place; second expr is the value.
794     ExprBox(Option<P<Expr>>, P<Expr>),
795     /// An array (`[a, b, c, d]`)
796     ExprVec(Vec<P<Expr>>),
797     /// A function call
798     ///
799     /// The first field resolves to the function itself,
800     /// and the second field is the list of arguments
801     ExprCall(P<Expr>, Vec<P<Expr>>),
802     /// A method call (`x.foo::<Bar, Baz>(a, b, c, d)`)
803     ///
804     /// The `SpannedIdent` is the identifier for the method name.
805     /// The vector of `Ty`s are the ascripted type parameters for the method
806     /// (within the angle brackets).
807     ///
808     /// The first element of the vector of `Expr`s is the expression that evaluates
809     /// to the object on which the method is being called on (the receiver),
810     /// and the remaining elements are the rest of the arguments.
811     ///
812     /// Thus, `x.foo::<Bar, Baz>(a, b, c, d)` is represented as
813     /// `ExprMethodCall(foo, [Bar, Baz], [x, a, b, c, d])`.
814     ExprMethodCall(SpannedIdent, Vec<P<Ty>>, Vec<P<Expr>>),
815     /// A tuple (`(a, b, c ,d)`)
816     ExprTup(Vec<P<Expr>>),
817     /// A binary operation (For example: `a + b`, `a * b`)
818     ExprBinary(BinOp, P<Expr>, P<Expr>),
819     /// A unary operation (For example: `!x`, `*x`)
820     ExprUnary(UnOp, P<Expr>),
821     /// A literal (For example: `1u8`, `"foo"`)
822     ExprLit(P<Lit>),
823     /// A cast (`foo as f64`)
824     ExprCast(P<Expr>, P<Ty>),
825     /// An `if` block, with an optional else block
826     ///
827     /// `if expr { block } else { expr }`
828     ExprIf(P<Expr>, P<Block>, Option<P<Expr>>),
829     /// An `if let` expression with an optional else block
830     ///
831     /// `if let pat = expr { block } else { expr }`
832     ///
833     /// This is desugared to a `match` expression.
834     ExprIfLet(P<Pat>, P<Expr>, P<Block>, Option<P<Expr>>),
835     // FIXME #6993: change to Option<Name> ... or not, if these are hygienic.
836     /// A while loop, with an optional label
837     ///
838     /// `'label: while expr { block }`
839     ExprWhile(P<Expr>, P<Block>, Option<Ident>),
840     // FIXME #6993: change to Option<Name> ... or not, if these are hygienic.
841     /// A while-let loop, with an optional label
842     ///
843     /// `'label: while let pat = expr { block }`
844     ///
845     /// This is desugared to a combination of `loop` and `match` expressions.
846     ExprWhileLet(P<Pat>, P<Expr>, P<Block>, Option<Ident>),
847     // FIXME #6993: change to Option<Name> ... or not, if these are hygienic.
848     /// A for loop, with an optional label
849     ///
850     /// `'label: for pat in expr { block }`
851     ///
852     /// This is desugared to a combination of `loop` and `match` expressions.
853     ExprForLoop(P<Pat>, P<Expr>, P<Block>, Option<Ident>),
854     /// Conditionless loop (can be exited with break, continue, or return)
855     ///
856     /// `'label: loop { block }`
857     // FIXME #6993: change to Option<Name> ... or not, if these are hygienic.
858     ExprLoop(P<Block>, Option<Ident>),
859     /// A `match` block, with a source that indicates whether or not it is
860     /// the result of a desugaring, and if so, which kind.
861     ExprMatch(P<Expr>, Vec<Arm>, MatchSource),
862     /// A closure (for example, `move |a, b, c| {a + b + c}`)
863     ExprClosure(CaptureClause, P<FnDecl>, P<Block>),
864     /// A block (`{ ... }`)
865     ExprBlock(P<Block>),
866
867     /// An assignment (`a = foo()`)
868     ExprAssign(P<Expr>, P<Expr>),
869     /// An assignment with an operator
870     ///
871     /// For example, `a += 1`.
872     ExprAssignOp(BinOp, P<Expr>, P<Expr>),
873     /// Access of a named struct field (`obj.foo`)
874     ExprField(P<Expr>, SpannedIdent),
875     /// Access of an unnamed field of a struct or tuple-struct
876     ///
877     /// For example, `foo.0`.
878     ExprTupField(P<Expr>, Spanned<usize>),
879     /// An indexing operation (`foo[2]`)
880     ExprIndex(P<Expr>, P<Expr>),
881     /// A range (`1..2`, `1..`, or `..2`)
882     ExprRange(Option<P<Expr>>, Option<P<Expr>>),
883
884     /// Variable reference, possibly containing `::` and/or type
885     /// parameters, e.g. foo::bar::<baz>.
886     ///
887     /// Optionally "qualified",
888     /// e.g. `<Vec<T> as SomeTrait>::SomeType`.
889     ExprPath(Option<QSelf>, Path),
890
891     /// A referencing operation (`&a` or `&mut a`)
892     ExprAddrOf(Mutability, P<Expr>),
893     /// A `break`, with an optional label to break
894     ExprBreak(Option<SpannedIdent>),
895     /// A `continue`, with an optional label
896     ExprAgain(Option<SpannedIdent>),
897     /// A `return`, with an optional value to be returned
898     ExprRet(Option<P<Expr>>),
899
900     /// Output of the `asm!()` macro
901     ExprInlineAsm(InlineAsm),
902
903     /// A macro invocation; pre-expansion
904     ExprMac(Mac),
905
906     /// A struct literal expression.
907     ///
908     /// For example, `Foo {x: 1, y: 2}`, or
909     /// `Foo {x: 1, .. base}`, where `base` is the `Option<Expr>`.
910     ExprStruct(Path, Vec<Field>, Option<P<Expr>>),
911
912     /// An array literal constructed from one repeated element.
913     ///
914     /// For example, `[1u8; 5]`. The first expression is the element
915     /// to be repeated; the second is the number of times to repeat it.
916     ExprRepeat(P<Expr>, P<Expr>),
917
918     /// No-op: used solely so we can pretty-print faithfully
919     ExprParen(P<Expr>)
920 }
921
922 /// The explicit Self type in a "qualified path". The actual
923 /// path, including the trait and the associated item, is stored
924 /// separately. `position` represents the index of the associated
925 /// item qualified with this Self type.
926 ///
927 ///     <Vec<T> as a::b::Trait>::AssociatedItem
928 ///      ^~~~~     ~~~~~~~~~~~~~~^
929 ///      ty        position = 3
930 ///
931 ///     <Vec<T>>::AssociatedItem
932 ///      ^~~~~    ^
933 ///      ty       position = 0
934 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
935 pub struct QSelf {
936     pub ty: P<Ty>,
937     pub position: usize
938 }
939
940 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
941 pub enum MatchSource {
942     Normal,
943     IfLetDesugar { contains_else_clause: bool },
944     WhileLetDesugar,
945     ForLoopDesugar,
946 }
947
948 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
949 pub enum CaptureClause {
950     CaptureByValue,
951     CaptureByRef,
952 }
953
954 /// A delimited sequence of token trees
955 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
956 pub struct Delimited {
957     /// The type of delimiter
958     pub delim: token::DelimToken,
959     /// The span covering the opening delimiter
960     pub open_span: Span,
961     /// The delimited sequence of token trees
962     pub tts: Vec<TokenTree>,
963     /// The span covering the closing delimiter
964     pub close_span: Span,
965 }
966
967 impl Delimited {
968     /// Returns the opening delimiter as a token.
969     pub fn open_token(&self) -> token::Token {
970         token::OpenDelim(self.delim)
971     }
972
973     /// Returns the closing delimiter as a token.
974     pub fn close_token(&self) -> token::Token {
975         token::CloseDelim(self.delim)
976     }
977
978     /// Returns the opening delimiter as a token tree.
979     pub fn open_tt(&self) -> TokenTree {
980         TtToken(self.open_span, self.open_token())
981     }
982
983     /// Returns the closing delimiter as a token tree.
984     pub fn close_tt(&self) -> TokenTree {
985         TtToken(self.close_span, self.close_token())
986     }
987 }
988
989 /// A sequence of token treesee
990 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
991 pub struct SequenceRepetition {
992     /// The sequence of token trees
993     pub tts: Vec<TokenTree>,
994     /// The optional separator
995     pub separator: Option<token::Token>,
996     /// Whether the sequence can be repeated zero (*), or one or more times (+)
997     pub op: KleeneOp,
998     /// The number of `MatchNt`s that appear in the sequence (and subsequences)
999     pub num_captures: usize,
1000 }
1001
1002 /// A Kleene-style [repetition operator](http://en.wikipedia.org/wiki/Kleene_star)
1003 /// for token sequences.
1004 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1005 pub enum KleeneOp {
1006     ZeroOrMore,
1007     OneOrMore,
1008 }
1009
1010 /// When the main rust parser encounters a syntax-extension invocation, it
1011 /// parses the arguments to the invocation as a token-tree. This is a very
1012 /// loose structure, such that all sorts of different AST-fragments can
1013 /// be passed to syntax extensions using a uniform type.
1014 ///
1015 /// If the syntax extension is an MBE macro, it will attempt to match its
1016 /// LHS token tree against the provided token tree, and if it finds a
1017 /// match, will transcribe the RHS token tree, splicing in any captured
1018 /// macro_parser::matched_nonterminals into the `SubstNt`s it finds.
1019 ///
1020 /// The RHS of an MBE macro is the only place `SubstNt`s are substituted.
1021 /// Nothing special happens to misnamed or misplaced `SubstNt`s.
1022 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1023 pub enum TokenTree {
1024     /// A single token
1025     TtToken(Span, token::Token),
1026     /// A delimited sequence of token trees
1027     TtDelimited(Span, Rc<Delimited>),
1028
1029     // This only makes sense in MBE macros.
1030
1031     /// A kleene-style repetition sequence with a span
1032     // FIXME(eddyb) #12938 Use DST.
1033     TtSequence(Span, Rc<SequenceRepetition>),
1034 }
1035
1036 impl TokenTree {
1037     pub fn len(&self) -> usize {
1038         match *self {
1039             TtToken(_, token::DocComment(name)) => {
1040                 match doc_comment_style(&name.as_str()) {
1041                     AttrOuter => 2,
1042                     AttrInner => 3
1043                 }
1044             }
1045             TtToken(_, token::SpecialVarNt(..)) => 2,
1046             TtToken(_, token::MatchNt(..)) => 3,
1047             TtDelimited(_, ref delimed) => {
1048                 delimed.tts.len() + 2
1049             }
1050             TtSequence(_, ref seq) => {
1051                 seq.tts.len()
1052             }
1053             TtToken(..) => 0
1054         }
1055     }
1056
1057     pub fn get_tt(&self, index: usize) -> TokenTree {
1058         match (self, index) {
1059             (&TtToken(sp, token::DocComment(_)), 0) => {
1060                 TtToken(sp, token::Pound)
1061             }
1062             (&TtToken(sp, token::DocComment(name)), 1)
1063             if doc_comment_style(&name.as_str()) == AttrInner => {
1064                 TtToken(sp, token::Not)
1065             }
1066             (&TtToken(sp, token::DocComment(name)), _) => {
1067                 let stripped = strip_doc_comment_decoration(&name.as_str());
1068                 TtDelimited(sp, Rc::new(Delimited {
1069                     delim: token::Bracket,
1070                     open_span: sp,
1071                     tts: vec![TtToken(sp, token::Ident(token::str_to_ident("doc"),
1072                                                        token::Plain)),
1073                               TtToken(sp, token::Eq),
1074                               TtToken(sp, token::Literal(
1075                                   token::StrRaw(token::intern(&stripped), 0), None))],
1076                     close_span: sp,
1077                 }))
1078             }
1079             (&TtDelimited(_, ref delimed), _) => {
1080                 if index == 0 {
1081                     return delimed.open_tt();
1082                 }
1083                 if index == delimed.tts.len() + 1 {
1084                     return delimed.close_tt();
1085                 }
1086                 delimed.tts[index - 1].clone()
1087             }
1088             (&TtToken(sp, token::SpecialVarNt(var)), _) => {
1089                 let v = [TtToken(sp, token::Dollar),
1090                          TtToken(sp, token::Ident(token::str_to_ident(var.as_str()),
1091                                                   token::Plain))];
1092                 v[index].clone()
1093             }
1094             (&TtToken(sp, token::MatchNt(name, kind, name_st, kind_st)), _) => {
1095                 let v = [TtToken(sp, token::SubstNt(name, name_st)),
1096                          TtToken(sp, token::Colon),
1097                          TtToken(sp, token::Ident(kind, kind_st))];
1098                 v[index].clone()
1099             }
1100             (&TtSequence(_, ref seq), _) => {
1101                 seq.tts[index].clone()
1102             }
1103             _ => panic!("Cannot expand a token tree")
1104         }
1105     }
1106
1107     /// Returns the `Span` corresponding to this token tree.
1108     pub fn get_span(&self) -> Span {
1109         match *self {
1110             TtToken(span, _)     => span,
1111             TtDelimited(span, _) => span,
1112             TtSequence(span, _)  => span,
1113         }
1114     }
1115
1116     /// Use this token tree as a matcher to parse given tts.
1117     pub fn parse(cx: &base::ExtCtxt, mtch: &[TokenTree], tts: &[TokenTree])
1118                  -> macro_parser::NamedParseResult {
1119         // `None` is because we're not interpolating
1120         let arg_rdr = lexer::new_tt_reader_with_doc_flag(&cx.parse_sess().span_diagnostic,
1121                                                          None,
1122                                                          None,
1123                                                          tts.iter().cloned().collect(),
1124                                                          true);
1125         macro_parser::parse(cx.parse_sess(), cx.cfg(), arg_rdr, mtch)
1126     }
1127 }
1128
1129 pub type Mac = Spanned<Mac_>;
1130
1131 /// Represents a macro invocation. The Path indicates which macro
1132 /// is being invoked, and the vector of token-trees contains the source
1133 /// of the macro invocation.
1134 ///
1135 /// There's only one flavor, now, so this could presumably be simplified.
1136 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1137 pub enum Mac_ {
1138     // NB: the additional ident for a macro_rules-style macro is actually
1139     // stored in the enclosing item. Oog.
1140     MacInvocTT(Path, Vec<TokenTree>, SyntaxContext),   // new macro-invocation
1141 }
1142
1143 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1144 pub enum StrStyle {
1145     /// A regular string, like `"foo"`
1146     CookedStr,
1147     /// A raw string, like `r##"foo"##`
1148     ///
1149     /// The uint is the number of `#` symbols used
1150     RawStr(usize)
1151 }
1152
1153 /// A literal
1154 pub type Lit = Spanned<Lit_>;
1155
1156 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1157 pub enum Sign {
1158     Minus,
1159     Plus
1160 }
1161
1162 impl Sign {
1163     pub fn new<T: IntSign>(n: T) -> Sign {
1164         n.sign()
1165     }
1166 }
1167
1168 pub trait IntSign {
1169     fn sign(&self) -> Sign;
1170 }
1171 macro_rules! doit {
1172     ($($t:ident)*) => ($(impl IntSign for $t {
1173         #[allow(unused_comparisons)]
1174         fn sign(&self) -> Sign {
1175             if *self < 0 {Minus} else {Plus}
1176         }
1177     })*)
1178 }
1179 doit! { i8 i16 i32 i64 isize u8 u16 u32 u64 usize }
1180
1181 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1182 pub enum LitIntType {
1183     SignedIntLit(IntTy, Sign),
1184     UnsignedIntLit(UintTy),
1185     UnsuffixedIntLit(Sign)
1186 }
1187
1188 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1189 pub enum Lit_ {
1190     /// A string literal (`"foo"`)
1191     LitStr(InternedString, StrStyle),
1192     /// A byte string (`b"foo"`)
1193     LitByteStr(Rc<Vec<u8>>),
1194     /// A byte char (`b'f'`)
1195     LitByte(u8),
1196     /// A character literal (`'a'`)
1197     LitChar(char),
1198     /// An integer literal (`1u8`)
1199     LitInt(u64, LitIntType),
1200     /// A float literal (`1f64` or `1E10f64`)
1201     LitFloat(InternedString, FloatTy),
1202     /// A float literal without a suffix (`1.0 or 1.0E10`)
1203     LitFloatUnsuffixed(InternedString),
1204     /// A boolean literal
1205     LitBool(bool),
1206 }
1207
1208 // NB: If you change this, you'll probably want to change the corresponding
1209 // type structure in middle/ty.rs as well.
1210 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1211 pub struct MutTy {
1212     pub ty: P<Ty>,
1213     pub mutbl: Mutability,
1214 }
1215
1216 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1217 pub struct TypeField {
1218     pub ident: Ident,
1219     pub mt: MutTy,
1220     pub span: Span,
1221 }
1222
1223 /// Represents a method's signature in a trait declaration,
1224 /// or in an implementation.
1225 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1226 pub struct MethodSig {
1227     pub unsafety: Unsafety,
1228     pub constness: Constness,
1229     pub abi: Abi,
1230     pub decl: P<FnDecl>,
1231     pub generics: Generics,
1232     pub explicit_self: ExplicitSelf,
1233 }
1234
1235 /// Represents a method declaration in a trait declaration, possibly including
1236 /// a default implementation A trait method is either required (meaning it
1237 /// doesn't have an implementation, just a signature) or provided (meaning it
1238 /// has a default implementation).
1239 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1240 pub struct TraitItem {
1241     pub id: NodeId,
1242     pub ident: Ident,
1243     pub attrs: Vec<Attribute>,
1244     pub node: TraitItem_,
1245     pub span: Span,
1246 }
1247
1248 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1249 pub enum TraitItem_ {
1250     ConstTraitItem(P<Ty>, Option<P<Expr>>),
1251     MethodTraitItem(MethodSig, Option<P<Block>>),
1252     TypeTraitItem(TyParamBounds, Option<P<Ty>>),
1253 }
1254
1255 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1256 pub struct ImplItem {
1257     pub id: NodeId,
1258     pub ident: Ident,
1259     pub vis: Visibility,
1260     pub attrs: Vec<Attribute>,
1261     pub node: ImplItem_,
1262     pub span: Span,
1263 }
1264
1265 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1266 pub enum ImplItem_ {
1267     ConstImplItem(P<Ty>, P<Expr>),
1268     MethodImplItem(MethodSig, P<Block>),
1269     TypeImplItem(P<Ty>),
1270     MacImplItem(Mac),
1271 }
1272
1273 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Copy)]
1274 pub enum IntTy {
1275     TyIs,
1276     TyI8,
1277     TyI16,
1278     TyI32,
1279     TyI64,
1280 }
1281
1282 impl fmt::Debug for IntTy {
1283     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1284         fmt::Display::fmt(self, f)
1285     }
1286 }
1287
1288 impl fmt::Display for IntTy {
1289     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1290         write!(f, "{}", ast_util::int_ty_to_string(*self, None))
1291     }
1292 }
1293
1294 impl IntTy {
1295     pub fn bit_width(&self) -> Option<usize> {
1296         Some(match *self {
1297             TyIs => return None,
1298             TyI8 => 8,
1299             TyI16 => 16,
1300             TyI32 => 32,
1301             TyI64 => 64,
1302         })
1303     }
1304 }
1305
1306 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Copy)]
1307 pub enum UintTy {
1308     TyUs,
1309     TyU8,
1310     TyU16,
1311     TyU32,
1312     TyU64,
1313 }
1314
1315 impl UintTy {
1316     pub fn bit_width(&self) -> Option<usize> {
1317         Some(match *self {
1318             TyUs => return None,
1319             TyU8 => 8,
1320             TyU16 => 16,
1321             TyU32 => 32,
1322             TyU64 => 64,
1323         })
1324     }
1325 }
1326
1327 impl fmt::Debug for UintTy {
1328     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1329         fmt::Display::fmt(self, f)
1330     }
1331 }
1332
1333 impl fmt::Display for UintTy {
1334     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1335         write!(f, "{}", ast_util::uint_ty_to_string(*self, None))
1336     }
1337 }
1338
1339 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Copy)]
1340 pub enum FloatTy {
1341     TyF32,
1342     TyF64,
1343 }
1344
1345 impl fmt::Debug for FloatTy {
1346     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1347         fmt::Display::fmt(self, f)
1348     }
1349 }
1350
1351 impl fmt::Display for FloatTy {
1352     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1353         write!(f, "{}", ast_util::float_ty_to_string(*self))
1354     }
1355 }
1356
1357 impl FloatTy {
1358     pub fn bit_width(&self) -> usize {
1359         match *self {
1360             TyF32 => 32,
1361             TyF64 => 64,
1362         }
1363     }
1364 }
1365
1366 // Bind a type to an associated type: `A=Foo`.
1367 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1368 pub struct TypeBinding {
1369     pub id: NodeId,
1370     pub ident: Ident,
1371     pub ty: P<Ty>,
1372     pub span: Span,
1373 }
1374
1375 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash)]
1376 pub struct Ty {
1377     pub id: NodeId,
1378     pub node: Ty_,
1379     pub span: Span,
1380 }
1381
1382 impl fmt::Debug for Ty {
1383     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1384         write!(f, "type({})", pprust::ty_to_string(self))
1385     }
1386 }
1387
1388 /// Not represented directly in the AST, referred to by name through a ty_path.
1389 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1390 pub enum PrimTy {
1391     TyInt(IntTy),
1392     TyUint(UintTy),
1393     TyFloat(FloatTy),
1394     TyStr,
1395     TyBool,
1396     TyChar
1397 }
1398
1399 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1400 pub struct BareFnTy {
1401     pub unsafety: Unsafety,
1402     pub abi: Abi,
1403     pub lifetimes: Vec<LifetimeDef>,
1404     pub decl: P<FnDecl>
1405 }
1406
1407 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1408 /// The different kinds of types recognized by the compiler
1409 pub enum Ty_ {
1410     TyVec(P<Ty>),
1411     /// A fixed length array (`[T; n]`)
1412     TyFixedLengthVec(P<Ty>, P<Expr>),
1413     /// A raw pointer (`*const T` or `*mut T`)
1414     TyPtr(MutTy),
1415     /// A reference (`&'a T` or `&'a mut T`)
1416     TyRptr(Option<Lifetime>, MutTy),
1417     /// A bare function (e.g. `fn(usize) -> bool`)
1418     TyBareFn(P<BareFnTy>),
1419     /// A tuple (`(A, B, C, D,...)`)
1420     TyTup(Vec<P<Ty>> ),
1421     /// A path (`module::module::...::Type`), optionally
1422     /// "qualified", e.g. `<Vec<T> as SomeTrait>::SomeType`.
1423     ///
1424     /// Type parameters are stored in the Path itself
1425     TyPath(Option<QSelf>, Path),
1426     /// Something like `A+B`. Note that `B` must always be a path.
1427     TyObjectSum(P<Ty>, TyParamBounds),
1428     /// A type like `for<'a> Foo<&'a Bar>`
1429     TyPolyTraitRef(TyParamBounds),
1430     /// No-op; kept solely so that we can pretty-print faithfully
1431     TyParen(P<Ty>),
1432     /// Unused for now
1433     TyTypeof(P<Expr>),
1434     /// TyInfer means the type should be inferred instead of it having been
1435     /// specified. This can appear anywhere in a type.
1436     TyInfer,
1437     // A macro in the type position.
1438     TyMac(Mac)
1439 }
1440
1441 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1442 pub enum AsmDialect {
1443     AsmAtt,
1444     AsmIntel
1445 }
1446
1447 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1448 pub struct InlineAsm {
1449     pub asm: InternedString,
1450     pub asm_str_style: StrStyle,
1451     pub outputs: Vec<(InternedString, P<Expr>, bool)>,
1452     pub inputs: Vec<(InternedString, P<Expr>)>,
1453     pub clobbers: Vec<InternedString>,
1454     pub volatile: bool,
1455     pub alignstack: bool,
1456     pub dialect: AsmDialect,
1457     pub expn_id: ExpnId,
1458 }
1459
1460 /// represents an argument in a function header
1461 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1462 pub struct Arg {
1463     pub ty: P<Ty>,
1464     pub pat: P<Pat>,
1465     pub id: NodeId,
1466 }
1467
1468 impl Arg {
1469     pub fn new_self(span: Span, mutability: Mutability, self_ident: Ident) -> Arg {
1470         let path = Spanned{span:span,node:self_ident};
1471         Arg {
1472             // HACK(eddyb) fake type for the self argument.
1473             ty: P(Ty {
1474                 id: DUMMY_NODE_ID,
1475                 node: TyInfer,
1476                 span: DUMMY_SP,
1477             }),
1478             pat: P(Pat {
1479                 id: DUMMY_NODE_ID,
1480                 node: PatIdent(BindByValue(mutability), path, None),
1481                 span: span
1482             }),
1483             id: DUMMY_NODE_ID
1484         }
1485     }
1486 }
1487
1488 /// Represents the header (not the body) of a function declaration
1489 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1490 pub struct FnDecl {
1491     pub inputs: Vec<Arg>,
1492     pub output: FunctionRetTy,
1493     pub variadic: bool
1494 }
1495
1496 #[derive(Copy, Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1497 pub enum Unsafety {
1498     Unsafe,
1499     Normal,
1500 }
1501
1502 #[derive(Copy, Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1503 pub enum Constness {
1504     Const,
1505     NotConst,
1506 }
1507
1508 impl fmt::Display for Unsafety {
1509     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1510         fmt::Display::fmt(match *self {
1511             Unsafety::Normal => "normal",
1512             Unsafety::Unsafe => "unsafe",
1513         }, f)
1514     }
1515 }
1516
1517 #[derive(Copy, Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash)]
1518 pub enum ImplPolarity {
1519     /// `impl Trait for Type`
1520     Positive,
1521     /// `impl !Trait for Type`
1522     Negative,
1523 }
1524
1525 impl fmt::Debug for ImplPolarity {
1526     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1527         match *self {
1528             ImplPolarity::Positive => "positive".fmt(f),
1529             ImplPolarity::Negative => "negative".fmt(f),
1530         }
1531     }
1532 }
1533
1534
1535 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1536 pub enum FunctionRetTy {
1537     /// Functions with return type `!`that always
1538     /// raise an error or exit (i.e. never return to the caller)
1539     NoReturn(Span),
1540     /// Return type is not specified.
1541     ///
1542     /// Functions default to `()` and
1543     /// closures default to inference. Span points to where return
1544     /// type would be inserted.
1545     DefaultReturn(Span),
1546     /// Everything else
1547     Return(P<Ty>),
1548 }
1549
1550 impl FunctionRetTy {
1551     pub fn span(&self) -> Span {
1552         match *self {
1553             NoReturn(span) => span,
1554             DefaultReturn(span) => span,
1555             Return(ref ty) => ty.span
1556         }
1557     }
1558 }
1559
1560 /// Represents the kind of 'self' associated with a method
1561 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1562 pub enum ExplicitSelf_ {
1563     /// No self
1564     SelfStatic,
1565     /// `self`
1566     SelfValue(Ident),
1567     /// `&'lt self`, `&'lt mut self`
1568     SelfRegion(Option<Lifetime>, Mutability, Ident),
1569     /// `self: TYPE`
1570     SelfExplicit(P<Ty>, Ident),
1571 }
1572
1573 pub type ExplicitSelf = Spanned<ExplicitSelf_>;
1574
1575 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1576 pub struct Mod {
1577     /// A span from the first token past `{` to the last token until `}`.
1578     /// For `mod foo;`, the inner span ranges from the first token
1579     /// to the last token in the external file.
1580     pub inner: Span,
1581     pub items: Vec<P<Item>>,
1582 }
1583
1584 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1585 pub struct ForeignMod {
1586     pub abi: Abi,
1587     pub items: Vec<P<ForeignItem>>,
1588 }
1589
1590 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1591 pub struct VariantArg {
1592     pub ty: P<Ty>,
1593     pub id: NodeId,
1594 }
1595
1596 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1597 pub enum VariantKind {
1598     /// Tuple variant, e.g. `Foo(A, B)`
1599     TupleVariantKind(Vec<VariantArg>),
1600     /// Struct variant, e.g. `Foo {x: A, y: B}`
1601     StructVariantKind(P<StructDef>),
1602 }
1603
1604 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1605 pub struct EnumDef {
1606     pub variants: Vec<P<Variant>>,
1607 }
1608
1609 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1610 pub struct Variant_ {
1611     pub name: Ident,
1612     pub attrs: Vec<Attribute>,
1613     pub kind: VariantKind,
1614     pub id: NodeId,
1615     /// Explicit discriminant, eg `Foo = 1`
1616     pub disr_expr: Option<P<Expr>>,
1617     pub vis: Visibility,
1618 }
1619
1620 pub type Variant = Spanned<Variant_>;
1621
1622 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1623 pub enum PathListItem_ {
1624     PathListIdent {
1625         name: Ident,
1626         /// renamed in list, eg `use foo::{bar as baz};`
1627         rename: Option<Ident>,
1628         id: NodeId
1629     },
1630     PathListMod {
1631         /// renamed in list, eg `use foo::{self as baz};`
1632         rename: Option<Ident>,
1633         id: NodeId
1634     }
1635 }
1636
1637 impl PathListItem_ {
1638     pub fn id(&self) -> NodeId {
1639         match *self {
1640             PathListIdent { id, .. } | PathListMod { id, .. } => id
1641         }
1642     }
1643
1644     pub fn rename(&self) -> Option<Ident> {
1645         match *self {
1646             PathListIdent { rename, .. } | PathListMod { rename, .. } => rename
1647         }
1648     }
1649 }
1650
1651 pub type PathListItem = Spanned<PathListItem_>;
1652
1653 pub type ViewPath = Spanned<ViewPath_>;
1654
1655 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1656 pub enum ViewPath_ {
1657
1658     /// `foo::bar::baz as quux`
1659     ///
1660     /// or just
1661     ///
1662     /// `foo::bar::baz` (with `as baz` implicitly on the right)
1663     ViewPathSimple(Ident, Path),
1664
1665     /// `foo::bar::*`
1666     ViewPathGlob(Path),
1667
1668     /// `foo::bar::{a,b,c}`
1669     ViewPathList(Path, Vec<PathListItem>)
1670 }
1671
1672 /// Meta-data associated with an item
1673 pub type Attribute = Spanned<Attribute_>;
1674
1675 /// Distinguishes between Attributes that decorate items and Attributes that
1676 /// are contained as statements within items. These two cases need to be
1677 /// distinguished for pretty-printing.
1678 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1679 pub enum AttrStyle {
1680     AttrOuter,
1681     AttrInner,
1682 }
1683
1684 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1685 pub struct AttrId(pub usize);
1686
1687 /// Doc-comments are promoted to attributes that have is_sugared_doc = true
1688 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1689 pub struct Attribute_ {
1690     pub id: AttrId,
1691     pub style: AttrStyle,
1692     pub value: P<MetaItem>,
1693     pub is_sugared_doc: bool,
1694 }
1695
1696 /// TraitRef's appear in impls.
1697 ///
1698 /// resolve maps each TraitRef's ref_id to its defining trait; that's all
1699 /// that the ref_id is for. The impl_id maps to the "self type" of this impl.
1700 /// If this impl is an ItemImpl, the impl_id is redundant (it could be the
1701 /// same as the impl's node id).
1702 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1703 pub struct TraitRef {
1704     pub path: Path,
1705     pub ref_id: NodeId,
1706 }
1707
1708 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1709 pub struct PolyTraitRef {
1710     /// The `'a` in `<'a> Foo<&'a T>`
1711     pub bound_lifetimes: Vec<LifetimeDef>,
1712
1713     /// The `Foo<&'a T>` in `<'a> Foo<&'a T>`
1714     pub trait_ref: TraitRef,
1715
1716     pub span: Span,
1717 }
1718
1719 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1720 pub enum Visibility {
1721     Public,
1722     Inherited,
1723 }
1724
1725 impl Visibility {
1726     pub fn inherit_from(&self, parent_visibility: Visibility) -> Visibility {
1727         match self {
1728             &Inherited => parent_visibility,
1729             &Public => *self
1730         }
1731     }
1732 }
1733
1734 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1735 pub struct StructField_ {
1736     pub kind: StructFieldKind,
1737     pub id: NodeId,
1738     pub ty: P<Ty>,
1739     pub attrs: Vec<Attribute>,
1740 }
1741
1742 impl StructField_ {
1743     pub fn ident(&self) -> Option<Ident> {
1744         match self.kind {
1745             NamedField(ref ident, _) => Some(ident.clone()),
1746             UnnamedField(_) => None
1747         }
1748     }
1749 }
1750
1751 pub type StructField = Spanned<StructField_>;
1752
1753 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1754 pub enum StructFieldKind {
1755     NamedField(Ident, Visibility),
1756     /// Element of a tuple-like struct
1757     UnnamedField(Visibility),
1758 }
1759
1760 impl StructFieldKind {
1761     pub fn is_unnamed(&self) -> bool {
1762         match *self {
1763             UnnamedField(..) => true,
1764             NamedField(..) => false,
1765         }
1766     }
1767 }
1768
1769 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1770 pub struct StructDef {
1771     /// Fields, not including ctor
1772     pub fields: Vec<StructField>,
1773     /// ID of the constructor. This is only used for tuple- or enum-like
1774     /// structs.
1775     pub ctor_id: Option<NodeId>,
1776 }
1777
1778 /*
1779   FIXME (#3300): Should allow items to be anonymous. Right now
1780   we just use dummy names for anon items.
1781  */
1782 /// An item
1783 ///
1784 /// The name might be a dummy name in case of anonymous items
1785 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1786 pub struct Item {
1787     pub ident: Ident,
1788     pub attrs: Vec<Attribute>,
1789     pub id: NodeId,
1790     pub node: Item_,
1791     pub vis: Visibility,
1792     pub span: Span,
1793 }
1794
1795 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1796 pub enum Item_ {
1797     /// An`extern crate` item, with optional original crate name,
1798     ///
1799     /// e.g. `extern crate foo` or `extern crate foo_bar as foo`
1800     ItemExternCrate(Option<Name>),
1801     /// A `use` or `pub use` item
1802     ItemUse(P<ViewPath>),
1803
1804     /// A `static` item
1805     ItemStatic(P<Ty>, Mutability, P<Expr>),
1806     /// A `const` item
1807     ItemConst(P<Ty>, P<Expr>),
1808     /// A function declaration
1809     ItemFn(P<FnDecl>, Unsafety, Constness, Abi, Generics, P<Block>),
1810     /// A module
1811     ItemMod(Mod),
1812     /// An external module
1813     ItemForeignMod(ForeignMod),
1814     /// A type alias, e.g. `type Foo = Bar<u8>`
1815     ItemTy(P<Ty>, Generics),
1816     /// An enum definition, e.g. `enum Foo<A, B> {C<A>, D<B>}`
1817     ItemEnum(EnumDef, Generics),
1818     /// A struct definition, e.g. `struct Foo<A> {x: A}`
1819     ItemStruct(P<StructDef>, Generics),
1820     /// Represents a Trait Declaration
1821     ItemTrait(Unsafety,
1822               Generics,
1823               TyParamBounds,
1824               Vec<P<TraitItem>>),
1825
1826     // Default trait implementations
1827     ///
1828     // `impl Trait for .. {}`
1829     ItemDefaultImpl(Unsafety, TraitRef),
1830     /// An implementation, eg `impl<A> Trait for Foo { .. }`
1831     ItemImpl(Unsafety,
1832              ImplPolarity,
1833              Generics,
1834              Option<TraitRef>, // (optional) trait this impl implements
1835              P<Ty>, // self
1836              Vec<P<ImplItem>>),
1837     /// A macro invocation (which includes macro definition)
1838     ItemMac(Mac),
1839 }
1840
1841 impl Item_ {
1842     pub fn descriptive_variant(&self) -> &str {
1843         match *self {
1844             ItemExternCrate(..) => "extern crate",
1845             ItemUse(..) => "use",
1846             ItemStatic(..) => "static item",
1847             ItemConst(..) => "constant item",
1848             ItemFn(..) => "function",
1849             ItemMod(..) => "module",
1850             ItemForeignMod(..) => "foreign module",
1851             ItemTy(..) => "type alias",
1852             ItemEnum(..) => "enum",
1853             ItemStruct(..) => "struct",
1854             ItemTrait(..) => "trait",
1855             ItemMac(..) |
1856             ItemImpl(..) |
1857             ItemDefaultImpl(..) => "item"
1858         }
1859     }
1860 }
1861
1862 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1863 pub struct ForeignItem {
1864     pub ident: Ident,
1865     pub attrs: Vec<Attribute>,
1866     pub node: ForeignItem_,
1867     pub id: NodeId,
1868     pub span: Span,
1869     pub vis: Visibility,
1870 }
1871
1872 /// An item within an `extern` block
1873 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1874 pub enum ForeignItem_ {
1875     /// A foreign function
1876     ForeignItemFn(P<FnDecl>, Generics),
1877     /// A foreign static item (`static ext: u8`), with optional mutability
1878     /// (the boolean is true when mutable)
1879     ForeignItemStatic(P<Ty>, bool),
1880 }
1881
1882 impl ForeignItem_ {
1883     pub fn descriptive_variant(&self) -> &str {
1884         match *self {
1885             ForeignItemFn(..) => "foreign function",
1886             ForeignItemStatic(..) => "foreign static item"
1887         }
1888     }
1889 }
1890
1891 /// A macro definition, in this crate or imported from another.
1892 ///
1893 /// Not parsed directly, but created on macro import or `macro_rules!` expansion.
1894 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1895 pub struct MacroDef {
1896     pub ident: Ident,
1897     pub attrs: Vec<Attribute>,
1898     pub id: NodeId,
1899     pub span: Span,
1900     pub imported_from: Option<Ident>,
1901     pub export: bool,
1902     pub use_locally: bool,
1903     pub allow_internal_unstable: bool,
1904     pub body: Vec<TokenTree>,
1905 }
1906
1907 #[cfg(test)]
1908 mod tests {
1909     use serialize;
1910     use super::*;
1911
1912     // are ASTs encodable?
1913     #[test]
1914     fn check_asts_encodable() {
1915         fn assert_encodable<T: serialize::Encodable>() {}
1916         assert_encodable::<Crate>();
1917     }
1918 }