]> git.lizzy.rs Git - rust.git/blob - src/libsyntax/ast.rs
Auto merge of #43324 - Nashenas88:visit_locations, r=arielb1
[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::TyParamBound::*;
14 pub use self::UnsafeSource::*;
15 pub use self::ViewPath_::*;
16 pub use self::PathParameters::*;
17 pub use symbol::{Ident, Symbol as Name};
18 pub use util::ThinVec;
19
20 use syntax_pos::{Span, DUMMY_SP};
21 use codemap::{respan, Spanned};
22 use abi::Abi;
23 use ext::hygiene::{Mark, SyntaxContext};
24 use print::pprust;
25 use ptr::P;
26 use rustc_data_structures::indexed_vec;
27 use symbol::{Symbol, keywords};
28 use tokenstream::{ThinTokenStream, TokenStream};
29
30 use serialize::{self, Encoder, Decoder};
31 use std::collections::HashSet;
32 use std::fmt;
33 use std::rc::Rc;
34 use std::u32;
35
36 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Copy)]
37 pub struct Lifetime {
38     pub id: NodeId,
39     pub span: Span,
40     pub ident: Ident,
41 }
42
43 impl fmt::Debug for Lifetime {
44     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
45         write!(f, "lifetime({}: {})", self.id, pprust::lifetime_to_string(self))
46     }
47 }
48
49 /// A lifetime definition, e.g. `'a: 'b+'c+'d`
50 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
51 pub struct LifetimeDef {
52     pub attrs: ThinVec<Attribute>,
53     pub lifetime: Lifetime,
54     pub bounds: Vec<Lifetime>
55 }
56
57 /// A "Path" is essentially Rust's notion of a name.
58 ///
59 /// It's represented as a sequence of identifiers,
60 /// along with a bunch of supporting information.
61 ///
62 /// E.g. `std::cmp::PartialEq`
63 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash)]
64 pub struct Path {
65     pub span: Span,
66     /// The segments in the path: the things separated by `::`.
67     /// Global paths begin with `keywords::CrateRoot`.
68     pub segments: Vec<PathSegment>,
69 }
70
71 impl<'a> PartialEq<&'a str> for Path {
72     fn eq(&self, string: &&'a str) -> bool {
73         self.segments.len() == 1 && self.segments[0].identifier.name == *string
74     }
75 }
76
77 impl fmt::Debug for Path {
78     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
79         write!(f, "path({})", pprust::path_to_string(self))
80     }
81 }
82
83 impl fmt::Display for Path {
84     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
85         write!(f, "{}", pprust::path_to_string(self))
86     }
87 }
88
89 impl Path {
90     // convert a span and an identifier to the corresponding
91     // 1-segment path
92     pub fn from_ident(s: Span, identifier: Ident) -> Path {
93         Path {
94             span: s,
95             segments: vec![PathSegment::from_ident(identifier, s)],
96         }
97     }
98
99     pub fn default_to_global(mut self) -> Path {
100         if !self.is_global() &&
101            !::parse::token::Ident(self.segments[0].identifier).is_path_segment_keyword() {
102             self.segments.insert(0, PathSegment::crate_root(self.span));
103         }
104         self
105     }
106
107     pub fn is_global(&self) -> bool {
108         !self.segments.is_empty() && self.segments[0].identifier.name == keywords::CrateRoot.name()
109     }
110 }
111
112 /// A segment of a path: an identifier, an optional lifetime, and a set of types.
113 ///
114 /// E.g. `std`, `String` or `Box<T>`
115 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
116 pub struct PathSegment {
117     /// The identifier portion of this path segment.
118     pub identifier: Ident,
119     /// Span of the segment identifier.
120     pub span: Span,
121
122     /// Type/lifetime parameters attached to this path. They come in
123     /// two flavors: `Path<A,B,C>` and `Path(A,B) -> C`.
124     /// `None` means that no parameter list is supplied (`Path`),
125     /// `Some` means that parameter list is supplied (`Path<X, Y>`)
126     /// but it can be empty (`Path<>`).
127     /// `P` is used as a size optimization for the common case with no parameters.
128     pub parameters: Option<P<PathParameters>>,
129 }
130
131 impl PathSegment {
132     pub fn from_ident(ident: Ident, span: Span) -> Self {
133         PathSegment { identifier: ident, span: span, parameters: None }
134     }
135     pub fn crate_root(span: Span) -> Self {
136         PathSegment {
137             identifier: Ident { ctxt: span.ctxt, ..keywords::CrateRoot.ident() },
138             span: span,
139             parameters: None,
140         }
141     }
142 }
143
144 /// Parameters of a path segment.
145 ///
146 /// E.g. `<A, B>` as in `Foo<A, B>` or `(A, B)` as in `Foo(A, B)`
147 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
148 pub enum PathParameters {
149     /// The `<'a, A,B,C>` in `foo::bar::baz::<'a, A,B,C>`
150     AngleBracketed(AngleBracketedParameterData),
151     /// The `(A,B)` and `C` in `Foo(A,B) -> C`
152     Parenthesized(ParenthesizedParameterData),
153 }
154
155 impl PathParameters {
156     pub fn span(&self) -> Span {
157         match *self {
158             AngleBracketed(ref data) => data.span,
159             Parenthesized(ref data) => data.span,
160         }
161     }
162 }
163
164 /// A path like `Foo<'a, T>`
165 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Default)]
166 pub struct AngleBracketedParameterData {
167     /// Overall span
168     pub span: Span,
169     /// The lifetime parameters for this path segment.
170     pub lifetimes: Vec<Lifetime>,
171     /// The type parameters for this path segment, if present.
172     pub types: Vec<P<Ty>>,
173     /// Bindings (equality constraints) on associated types, if present.
174     ///
175     /// E.g., `Foo<A=Bar>`.
176     pub bindings: Vec<TypeBinding>,
177 }
178
179 impl Into<Option<P<PathParameters>>> for AngleBracketedParameterData {
180     fn into(self) -> Option<P<PathParameters>> {
181         Some(P(PathParameters::AngleBracketed(self)))
182     }
183 }
184
185 impl Into<Option<P<PathParameters>>> for ParenthesizedParameterData {
186     fn into(self) -> Option<P<PathParameters>> {
187         Some(P(PathParameters::Parenthesized(self)))
188     }
189 }
190
191 /// A path like `Foo(A,B) -> C`
192 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
193 pub struct ParenthesizedParameterData {
194     /// Overall span
195     pub span: Span,
196
197     /// `(A,B)`
198     pub inputs: Vec<P<Ty>>,
199
200     /// `C`
201     pub output: Option<P<Ty>>,
202 }
203
204 #[derive(Clone, Copy, PartialEq, PartialOrd, Eq, Ord, Hash, Debug)]
205 pub struct NodeId(u32);
206
207 impl NodeId {
208     pub fn new(x: usize) -> NodeId {
209         assert!(x < (u32::MAX as usize));
210         NodeId(x as u32)
211     }
212
213     pub fn from_u32(x: u32) -> NodeId {
214         NodeId(x)
215     }
216
217     pub fn as_usize(&self) -> usize {
218         self.0 as usize
219     }
220
221     pub fn as_u32(&self) -> u32 {
222         self.0
223     }
224
225     pub fn placeholder_from_mark(mark: Mark) -> Self {
226         NodeId(mark.as_u32())
227     }
228
229     pub fn placeholder_to_mark(self) -> Mark {
230         Mark::from_u32(self.0)
231     }
232 }
233
234 impl fmt::Display for NodeId {
235     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
236         fmt::Display::fmt(&self.0, f)
237     }
238 }
239
240 impl serialize::UseSpecializedEncodable for NodeId {
241     fn default_encode<S: Encoder>(&self, s: &mut S) -> Result<(), S::Error> {
242         s.emit_u32(self.0)
243     }
244 }
245
246 impl serialize::UseSpecializedDecodable for NodeId {
247     fn default_decode<D: Decoder>(d: &mut D) -> Result<NodeId, D::Error> {
248         d.read_u32().map(NodeId)
249     }
250 }
251
252 impl indexed_vec::Idx for NodeId {
253     fn new(idx: usize) -> Self {
254         NodeId::new(idx)
255     }
256
257     fn index(self) -> usize {
258         self.as_usize()
259     }
260 }
261
262 /// Node id used to represent the root of the crate.
263 pub const CRATE_NODE_ID: NodeId = NodeId(0);
264
265 /// When parsing and doing expansions, we initially give all AST nodes this AST
266 /// node value. Then later, in the renumber pass, we renumber them to have
267 /// small, positive ids.
268 pub const DUMMY_NODE_ID: NodeId = NodeId(!0);
269
270 /// The AST represents all type param bounds as types.
271 /// typeck::collect::compute_bounds matches these against
272 /// the "special" built-in traits (see middle::lang_items) and
273 /// detects Copy, Send and Sync.
274 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
275 pub enum TyParamBound {
276     TraitTyParamBound(PolyTraitRef, TraitBoundModifier),
277     RegionTyParamBound(Lifetime)
278 }
279
280 /// A modifier on a bound, currently this is only used for `?Sized`, where the
281 /// modifier is `Maybe`. Negative bounds should also be handled here.
282 #[derive(Copy, Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
283 pub enum TraitBoundModifier {
284     None,
285     Maybe,
286 }
287
288 pub type TyParamBounds = Vec<TyParamBound>;
289
290 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
291 pub struct TyParam {
292     pub attrs: ThinVec<Attribute>,
293     pub ident: Ident,
294     pub id: NodeId,
295     pub bounds: TyParamBounds,
296     pub default: Option<P<Ty>>,
297     pub span: Span,
298 }
299
300 /// Represents lifetimes and type parameters attached to a declaration
301 /// of a function, enum, trait, etc.
302 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
303 pub struct Generics {
304     pub lifetimes: Vec<LifetimeDef>,
305     pub ty_params: Vec<TyParam>,
306     pub where_clause: WhereClause,
307     pub span: Span,
308 }
309
310 impl Generics {
311     pub fn is_lt_parameterized(&self) -> bool {
312         !self.lifetimes.is_empty()
313     }
314     pub fn is_type_parameterized(&self) -> bool {
315         !self.ty_params.is_empty()
316     }
317     pub fn is_parameterized(&self) -> bool {
318         self.is_lt_parameterized() || self.is_type_parameterized()
319     }
320     pub fn span_for_name(&self, name: &str) -> Option<Span> {
321         for t in &self.ty_params {
322             if t.ident.name == name {
323                 return Some(t.span);
324             }
325         }
326         None
327     }
328 }
329
330 impl Default for Generics {
331     /// Creates an instance of `Generics`.
332     fn default() ->  Generics {
333         Generics {
334             lifetimes: Vec::new(),
335             ty_params: Vec::new(),
336             where_clause: WhereClause {
337                 id: DUMMY_NODE_ID,
338                 predicates: Vec::new(),
339             },
340             span: DUMMY_SP,
341         }
342     }
343 }
344
345 /// A `where` clause in a definition
346 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
347 pub struct WhereClause {
348     pub id: NodeId,
349     pub predicates: Vec<WherePredicate>,
350 }
351
352 /// A single predicate in a `where` clause
353 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
354 pub enum WherePredicate {
355     /// A type binding, e.g. `for<'c> Foo: Send+Clone+'c`
356     BoundPredicate(WhereBoundPredicate),
357     /// A lifetime predicate, e.g. `'a: 'b+'c`
358     RegionPredicate(WhereRegionPredicate),
359     /// An equality predicate (unsupported)
360     EqPredicate(WhereEqPredicate),
361 }
362
363 /// A type bound.
364 ///
365 /// E.g. `for<'c> Foo: Send+Clone+'c`
366 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
367 pub struct WhereBoundPredicate {
368     pub span: Span,
369     /// Any lifetimes from a `for` binding
370     pub bound_lifetimes: Vec<LifetimeDef>,
371     /// The type being bounded
372     pub bounded_ty: P<Ty>,
373     /// Trait and lifetime bounds (`Clone+Send+'static`)
374     pub bounds: TyParamBounds,
375 }
376
377 /// A lifetime predicate.
378 ///
379 /// E.g. `'a: 'b+'c`
380 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
381 pub struct WhereRegionPredicate {
382     pub span: Span,
383     pub lifetime: Lifetime,
384     pub bounds: Vec<Lifetime>,
385 }
386
387 /// An equality predicate (unsupported).
388 ///
389 /// E.g. `T=int`
390 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
391 pub struct WhereEqPredicate {
392     pub id: NodeId,
393     pub span: Span,
394     pub lhs_ty: P<Ty>,
395     pub rhs_ty: P<Ty>,
396 }
397
398 /// The set of MetaItems that define the compilation environment of the crate,
399 /// used to drive conditional compilation
400 pub type CrateConfig = HashSet<(Name, Option<Symbol>)>;
401
402 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
403 pub struct Crate {
404     pub module: Mod,
405     pub attrs: Vec<Attribute>,
406     pub span: Span,
407 }
408
409 /// A spanned compile-time attribute list item.
410 pub type NestedMetaItem = Spanned<NestedMetaItemKind>;
411
412 /// Possible values inside of compile-time attribute lists.
413 ///
414 /// E.g. the '..' in `#[name(..)]`.
415 #[derive(Clone, Eq, RustcEncodable, RustcDecodable, Hash, Debug, PartialEq)]
416 pub enum NestedMetaItemKind {
417     /// A full MetaItem, for recursive meta items.
418     MetaItem(MetaItem),
419     /// A literal.
420     ///
421     /// E.g. "foo", 64, true
422     Literal(Lit),
423 }
424
425 /// A spanned compile-time attribute item.
426 ///
427 /// E.g. `#[test]`, `#[derive(..)]` or `#[feature = "foo"]`
428 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
429 pub struct MetaItem {
430     pub name: Name,
431     pub node: MetaItemKind,
432     pub span: Span,
433 }
434
435 /// A compile-time attribute item.
436 ///
437 /// E.g. `#[test]`, `#[derive(..)]` or `#[feature = "foo"]`
438 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
439 pub enum MetaItemKind {
440     /// Word meta item.
441     ///
442     /// E.g. `test` as in `#[test]`
443     Word,
444     /// List meta item.
445     ///
446     /// E.g. `derive(..)` as in `#[derive(..)]`
447     List(Vec<NestedMetaItem>),
448     /// Name value meta item.
449     ///
450     /// E.g. `feature = "foo"` as in `#[feature = "foo"]`
451     NameValue(Lit)
452 }
453
454 /// A Block (`{ .. }`).
455 ///
456 /// E.g. `{ .. }` as in `fn foo() { .. }`
457 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
458 pub struct Block {
459     /// Statements in a block
460     pub stmts: Vec<Stmt>,
461     pub id: NodeId,
462     /// Distinguishes between `unsafe { ... }` and `{ ... }`
463     pub rules: BlockCheckMode,
464     pub span: Span,
465 }
466
467 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash)]
468 pub struct Pat {
469     pub id: NodeId,
470     pub node: PatKind,
471     pub span: Span,
472 }
473
474 impl fmt::Debug for Pat {
475     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
476         write!(f, "pat({}: {})", self.id, pprust::pat_to_string(self))
477     }
478 }
479
480 impl Pat {
481     pub fn walk<F>(&self, it: &mut F) -> bool
482         where F: FnMut(&Pat) -> bool
483     {
484         if !it(self) {
485             return false;
486         }
487
488         match self.node {
489             PatKind::Ident(_, _, Some(ref p)) => p.walk(it),
490             PatKind::Struct(_, ref fields, _) => {
491                 fields.iter().all(|field| field.node.pat.walk(it))
492             }
493             PatKind::TupleStruct(_, ref s, _) | PatKind::Tuple(ref s, _) => {
494                 s.iter().all(|p| p.walk(it))
495             }
496             PatKind::Box(ref s) | PatKind::Ref(ref s, _) => {
497                 s.walk(it)
498             }
499             PatKind::Slice(ref before, ref slice, ref after) => {
500                 before.iter().all(|p| p.walk(it)) &&
501                 slice.iter().all(|p| p.walk(it)) &&
502                 after.iter().all(|p| p.walk(it))
503             }
504             PatKind::Wild |
505             PatKind::Lit(_) |
506             PatKind::Range(..) |
507             PatKind::Ident(..) |
508             PatKind::Path(..) |
509             PatKind::Mac(_) => {
510                 true
511             }
512         }
513     }
514 }
515
516 /// A single field in a struct pattern
517 ///
518 /// Patterns like the fields of Foo `{ x, ref y, ref mut z }`
519 /// are treated the same as` x: x, y: ref y, z: ref mut z`,
520 /// except is_shorthand is true
521 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
522 pub struct FieldPat {
523     /// The identifier for the field
524     pub ident: Ident,
525     /// The pattern the field is destructured to
526     pub pat: P<Pat>,
527     pub is_shorthand: bool,
528     pub attrs: ThinVec<Attribute>,
529 }
530
531 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
532 pub enum BindingMode {
533     ByRef(Mutability),
534     ByValue(Mutability),
535 }
536
537 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
538 pub enum RangeEnd {
539     Included,
540     Excluded,
541 }
542
543 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
544 pub enum PatKind {
545     /// Represents a wildcard pattern (`_`)
546     Wild,
547
548     /// A `PatKind::Ident` may either be a new bound variable (`ref mut binding @ OPT_SUBPATTERN`),
549     /// or a unit struct/variant pattern, or a const pattern (in the last two cases the third
550     /// field must be `None`). Disambiguation cannot be done with parser alone, so it happens
551     /// during name resolution.
552     Ident(BindingMode, SpannedIdent, Option<P<Pat>>),
553
554     /// A struct or struct variant pattern, e.g. `Variant {x, y, ..}`.
555     /// The `bool` is `true` in the presence of a `..`.
556     Struct(Path, Vec<Spanned<FieldPat>>, bool),
557
558     /// A tuple struct/variant pattern `Variant(x, y, .., z)`.
559     /// If the `..` pattern fragment is present, then `Option<usize>` denotes its position.
560     /// 0 <= position <= subpats.len()
561     TupleStruct(Path, Vec<P<Pat>>, Option<usize>),
562
563     /// A possibly qualified path pattern.
564     /// Unquailfied path patterns `A::B::C` can legally refer to variants, structs, constants
565     /// or associated constants. Quailfied path patterns `<A>::B::C`/`<A as Trait>::B::C` can
566     /// only legally refer to associated constants.
567     Path(Option<QSelf>, Path),
568
569     /// A tuple pattern `(a, b)`.
570     /// If the `..` pattern fragment is present, then `Option<usize>` denotes its position.
571     /// 0 <= position <= subpats.len()
572     Tuple(Vec<P<Pat>>, Option<usize>),
573     /// A `box` pattern
574     Box(P<Pat>),
575     /// A reference pattern, e.g. `&mut (a, b)`
576     Ref(P<Pat>, Mutability),
577     /// A literal
578     Lit(P<Expr>),
579     /// A range pattern, e.g. `1...2` or `1..2`
580     Range(P<Expr>, P<Expr>, RangeEnd),
581     /// `[a, b, ..i, y, z]` is represented as:
582     ///     `PatKind::Slice(box [a, b], Some(i), box [y, z])`
583     Slice(Vec<P<Pat>>, Option<P<Pat>>, Vec<P<Pat>>),
584     /// A macro pattern; pre-expansion
585     Mac(Mac),
586 }
587
588 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
589 pub enum Mutability {
590     Mutable,
591     Immutable,
592 }
593
594 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
595 pub enum BinOpKind {
596     /// The `+` operator (addition)
597     Add,
598     /// The `-` operator (subtraction)
599     Sub,
600     /// The `*` operator (multiplication)
601     Mul,
602     /// The `/` operator (division)
603     Div,
604     /// The `%` operator (modulus)
605     Rem,
606     /// The `&&` operator (logical and)
607     And,
608     /// The `||` operator (logical or)
609     Or,
610     /// The `^` operator (bitwise xor)
611     BitXor,
612     /// The `&` operator (bitwise and)
613     BitAnd,
614     /// The `|` operator (bitwise or)
615     BitOr,
616     /// The `<<` operator (shift left)
617     Shl,
618     /// The `>>` operator (shift right)
619     Shr,
620     /// The `==` operator (equality)
621     Eq,
622     /// The `<` operator (less than)
623     Lt,
624     /// The `<=` operator (less than or equal to)
625     Le,
626     /// The `!=` operator (not equal to)
627     Ne,
628     /// The `>=` operator (greater than or equal to)
629     Ge,
630     /// The `>` operator (greater than)
631     Gt,
632 }
633
634 impl BinOpKind {
635     pub fn to_string(&self) -> &'static str {
636         use self::BinOpKind::*;
637         match *self {
638             Add => "+",
639             Sub => "-",
640             Mul => "*",
641             Div => "/",
642             Rem => "%",
643             And => "&&",
644             Or => "||",
645             BitXor => "^",
646             BitAnd => "&",
647             BitOr => "|",
648             Shl => "<<",
649             Shr => ">>",
650             Eq => "==",
651             Lt => "<",
652             Le => "<=",
653             Ne => "!=",
654             Ge => ">=",
655             Gt => ">",
656         }
657     }
658     pub fn lazy(&self) -> bool {
659         match *self {
660             BinOpKind::And | BinOpKind::Or => true,
661             _ => false
662         }
663     }
664
665     pub fn is_shift(&self) -> bool {
666         match *self {
667             BinOpKind::Shl | BinOpKind::Shr => true,
668             _ => false
669         }
670     }
671     pub fn is_comparison(&self) -> bool {
672         use self::BinOpKind::*;
673         match *self {
674             Eq | Lt | Le | Ne | Gt | Ge =>
675             true,
676             And | Or | Add | Sub | Mul | Div | Rem |
677             BitXor | BitAnd | BitOr | Shl | Shr =>
678             false,
679         }
680     }
681     /// Returns `true` if the binary operator takes its arguments by value
682     pub fn is_by_value(&self) -> bool {
683         !self.is_comparison()
684     }
685 }
686
687 pub type BinOp = Spanned<BinOpKind>;
688
689 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
690 pub enum UnOp {
691     /// The `*` operator for dereferencing
692     Deref,
693     /// The `!` operator for logical inversion
694     Not,
695     /// The `-` operator for negation
696     Neg,
697 }
698
699 impl UnOp {
700     /// Returns `true` if the unary operator takes its argument by value
701     pub fn is_by_value(u: UnOp) -> bool {
702         match u {
703             UnOp::Neg | UnOp::Not => true,
704             _ => false,
705         }
706     }
707
708     pub fn to_string(op: UnOp) -> &'static str {
709         match op {
710             UnOp::Deref => "*",
711             UnOp::Not => "!",
712             UnOp::Neg => "-",
713         }
714     }
715 }
716
717 /// A statement
718 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash)]
719 pub struct Stmt {
720     pub id: NodeId,
721     pub node: StmtKind,
722     pub span: Span,
723 }
724
725 impl Stmt {
726     pub fn add_trailing_semicolon(mut self) -> Self {
727         self.node = match self.node {
728             StmtKind::Expr(expr) => StmtKind::Semi(expr),
729             StmtKind::Mac(mac) => StmtKind::Mac(mac.map(|(mac, _style, attrs)| {
730                 (mac, MacStmtStyle::Semicolon, attrs)
731             })),
732             node => node,
733         };
734         self
735     }
736 }
737
738 impl fmt::Debug for Stmt {
739     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
740         write!(f, "stmt({}: {})", self.id.to_string(), pprust::stmt_to_string(self))
741     }
742 }
743
744
745 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash)]
746 pub enum StmtKind {
747     /// A local (let) binding.
748     Local(P<Local>),
749
750     /// An item definition.
751     Item(P<Item>),
752
753     /// Expr without trailing semi-colon.
754     Expr(P<Expr>),
755
756     Semi(P<Expr>),
757
758     Mac(P<(Mac, MacStmtStyle, ThinVec<Attribute>)>),
759 }
760
761 #[derive(Clone, Copy, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
762 pub enum MacStmtStyle {
763     /// The macro statement had a trailing semicolon, e.g. `foo! { ... };`
764     /// `foo!(...);`, `foo![...];`
765     Semicolon,
766     /// The macro statement had braces; e.g. foo! { ... }
767     Braces,
768     /// The macro statement had parentheses or brackets and no semicolon; e.g.
769     /// `foo!(...)`. All of these will end up being converted into macro
770     /// expressions.
771     NoBraces,
772 }
773
774 // FIXME (pending discussion of #1697, #2178...): local should really be
775 // a refinement on pat.
776 /// Local represents a `let` statement, e.g., `let <pat>:<ty> = <expr>;`
777 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
778 pub struct Local {
779     pub pat: P<Pat>,
780     pub ty: Option<P<Ty>>,
781     /// Initializer expression to set the value, if any
782     pub init: Option<P<Expr>>,
783     pub id: NodeId,
784     pub span: Span,
785     pub attrs: ThinVec<Attribute>,
786 }
787
788 /// An arm of a 'match'.
789 ///
790 /// E.g. `0...10 => { println!("match!") }` as in
791 ///
792 /// ```
793 /// match 123 {
794 ///     0...10 => { println!("match!") },
795 ///     _ => { println!("no match!") },
796 /// }
797 /// ```
798 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
799 pub struct Arm {
800     pub attrs: Vec<Attribute>,
801     pub pats: Vec<P<Pat>>,
802     pub guard: Option<P<Expr>>,
803     pub body: P<Expr>,
804 }
805
806 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
807 pub struct Field {
808     pub ident: SpannedIdent,
809     pub expr: P<Expr>,
810     pub span: Span,
811     pub is_shorthand: bool,
812     pub attrs: ThinVec<Attribute>,
813 }
814
815 pub type SpannedIdent = Spanned<Ident>;
816
817 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
818 pub enum BlockCheckMode {
819     Default,
820     Unsafe(UnsafeSource),
821 }
822
823 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
824 pub enum UnsafeSource {
825     CompilerGenerated,
826     UserProvided,
827 }
828
829 /// An expression
830 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash,)]
831 pub struct Expr {
832     pub id: NodeId,
833     pub node: ExprKind,
834     pub span: Span,
835     pub attrs: ThinVec<Attribute>
836 }
837
838 impl fmt::Debug for Expr {
839     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
840         write!(f, "expr({}: {})", self.id, pprust::expr_to_string(self))
841     }
842 }
843
844 /// Limit types of a range (inclusive or exclusive)
845 #[derive(Copy, Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
846 pub enum RangeLimits {
847     /// Inclusive at the beginning, exclusive at the end
848     HalfOpen,
849     /// Inclusive at the beginning and end
850     Closed,
851 }
852
853 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
854 pub enum ExprKind {
855     /// A `box x` expression.
856     Box(P<Expr>),
857     /// First expr is the place; second expr is the value.
858     InPlace(P<Expr>, P<Expr>),
859     /// An array (`[a, b, c, d]`)
860     Array(Vec<P<Expr>>),
861     /// A function call
862     ///
863     /// The first field resolves to the function itself,
864     /// and the second field is the list of arguments
865     Call(P<Expr>, Vec<P<Expr>>),
866     /// A method call (`x.foo::<'static, Bar, Baz>(a, b, c, d)`)
867     ///
868     /// The `PathSegment` represents the method name and its generic arguments
869     /// (within the angle brackets).
870     /// The first element of the vector of `Expr`s is the expression that evaluates
871     /// to the object on which the method is being called on (the receiver),
872     /// and the remaining elements are the rest of the arguments.
873     /// Thus, `x.foo::<Bar, Baz>(a, b, c, d)` is represented as
874     /// `ExprKind::MethodCall(PathSegment { foo, [Bar, Baz] }, [x, a, b, c, d])`.
875     MethodCall(PathSegment, Vec<P<Expr>>),
876     /// A tuple (`(a, b, c ,d)`)
877     Tup(Vec<P<Expr>>),
878     /// A binary operation (For example: `a + b`, `a * b`)
879     Binary(BinOp, P<Expr>, P<Expr>),
880     /// A unary operation (For example: `!x`, `*x`)
881     Unary(UnOp, P<Expr>),
882     /// A literal (For example: `1`, `"foo"`)
883     Lit(P<Lit>),
884     /// A cast (`foo as f64`)
885     Cast(P<Expr>, P<Ty>),
886     Type(P<Expr>, P<Ty>),
887     /// An `if` block, with an optional else block
888     ///
889     /// `if expr { block } else { expr }`
890     If(P<Expr>, P<Block>, Option<P<Expr>>),
891     /// An `if let` expression with an optional else block
892     ///
893     /// `if let pat = expr { block } else { expr }`
894     ///
895     /// This is desugared to a `match` expression.
896     IfLet(P<Pat>, P<Expr>, P<Block>, Option<P<Expr>>),
897     /// A while loop, with an optional label
898     ///
899     /// `'label: while expr { block }`
900     While(P<Expr>, P<Block>, Option<SpannedIdent>),
901     /// A while-let loop, with an optional label
902     ///
903     /// `'label: while let pat = expr { block }`
904     ///
905     /// This is desugared to a combination of `loop` and `match` expressions.
906     WhileLet(P<Pat>, P<Expr>, P<Block>, Option<SpannedIdent>),
907     /// A for loop, with an optional label
908     ///
909     /// `'label: for pat in expr { block }`
910     ///
911     /// This is desugared to a combination of `loop` and `match` expressions.
912     ForLoop(P<Pat>, P<Expr>, P<Block>, Option<SpannedIdent>),
913     /// Conditionless loop (can be exited with break, continue, or return)
914     ///
915     /// `'label: loop { block }`
916     Loop(P<Block>, Option<SpannedIdent>),
917     /// A `match` block.
918     Match(P<Expr>, Vec<Arm>),
919     /// A closure (for example, `move |a, b, c| a + b + c`)
920     ///
921     /// The final span is the span of the argument block `|...|`
922     Closure(CaptureBy, P<FnDecl>, P<Expr>, Span),
923     /// A block (`{ ... }`)
924     Block(P<Block>),
925     /// A catch block (`catch { ... }`)
926     Catch(P<Block>),
927
928     /// An assignment (`a = foo()`)
929     Assign(P<Expr>, P<Expr>),
930     /// An assignment with an operator
931     ///
932     /// For example, `a += 1`.
933     AssignOp(BinOp, P<Expr>, P<Expr>),
934     /// Access of a named struct field (`obj.foo`)
935     Field(P<Expr>, SpannedIdent),
936     /// Access of an unnamed field of a struct or tuple-struct
937     ///
938     /// For example, `foo.0`.
939     TupField(P<Expr>, Spanned<usize>),
940     /// An indexing operation (`foo[2]`)
941     Index(P<Expr>, P<Expr>),
942     /// A range (`1..2`, `1..`, `..2`, `1...2`, `1...`, `...2`)
943     Range(Option<P<Expr>>, Option<P<Expr>>, RangeLimits),
944
945     /// Variable reference, possibly containing `::` and/or type
946     /// parameters, e.g. foo::bar::<baz>.
947     ///
948     /// Optionally "qualified",
949     /// E.g. `<Vec<T> as SomeTrait>::SomeType`.
950     Path(Option<QSelf>, Path),
951
952     /// A referencing operation (`&a` or `&mut a`)
953     AddrOf(Mutability, P<Expr>),
954     /// A `break`, with an optional label to break, and an optional expression
955     Break(Option<SpannedIdent>, Option<P<Expr>>),
956     /// A `continue`, with an optional label
957     Continue(Option<SpannedIdent>),
958     /// A `return`, with an optional value to be returned
959     Ret(Option<P<Expr>>),
960
961     /// Output of the `asm!()` macro
962     InlineAsm(P<InlineAsm>),
963
964     /// A macro invocation; pre-expansion
965     Mac(Mac),
966
967     /// A struct literal expression.
968     ///
969     /// For example, `Foo {x: 1, y: 2}`, or
970     /// `Foo {x: 1, .. base}`, where `base` is the `Option<Expr>`.
971     Struct(Path, Vec<Field>, Option<P<Expr>>),
972
973     /// An array literal constructed from one repeated element.
974     ///
975     /// For example, `[1; 5]`. The first expression is the element
976     /// to be repeated; the second is the number of times to repeat it.
977     Repeat(P<Expr>, P<Expr>),
978
979     /// No-op: used solely so we can pretty-print faithfully
980     Paren(P<Expr>),
981
982     /// `expr?`
983     Try(P<Expr>),
984 }
985
986 /// The explicit Self type in a "qualified path". The actual
987 /// path, including the trait and the associated item, is stored
988 /// separately. `position` represents the index of the associated
989 /// item qualified with this Self type.
990 ///
991 /// ```ignore (only-for-syntax-highlight)
992 /// <Vec<T> as a::b::Trait>::AssociatedItem
993 ///  ^~~~~     ~~~~~~~~~~~~~~^
994 ///  ty        position = 3
995 ///
996 /// <Vec<T>>::AssociatedItem
997 ///  ^~~~~    ^
998 ///  ty       position = 0
999 /// ```
1000 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1001 pub struct QSelf {
1002     pub ty: P<Ty>,
1003     pub position: usize
1004 }
1005
1006 /// A capture clause
1007 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1008 pub enum CaptureBy {
1009     Value,
1010     Ref,
1011 }
1012
1013 pub type Mac = Spanned<Mac_>;
1014
1015 /// Represents a macro invocation. The Path indicates which macro
1016 /// is being invoked, and the vector of token-trees contains the source
1017 /// of the macro invocation.
1018 ///
1019 /// NB: the additional ident for a macro_rules-style macro is actually
1020 /// stored in the enclosing item. Oog.
1021 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1022 pub struct Mac_ {
1023     pub path: Path,
1024     pub tts: ThinTokenStream,
1025 }
1026
1027 impl Mac_ {
1028     pub fn stream(&self) -> TokenStream {
1029         self.tts.clone().into()
1030     }
1031 }
1032
1033 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1034 pub struct MacroDef {
1035     pub tokens: ThinTokenStream,
1036     pub legacy: bool,
1037 }
1038
1039 impl MacroDef {
1040     pub fn stream(&self) -> TokenStream {
1041         self.tokens.clone().into()
1042     }
1043 }
1044
1045 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1046 pub enum StrStyle {
1047     /// A regular string, like `"foo"`
1048     Cooked,
1049     /// A raw string, like `r##"foo"##`
1050     ///
1051     /// The uint is the number of `#` symbols used
1052     Raw(usize)
1053 }
1054
1055 /// A literal
1056 pub type Lit = Spanned<LitKind>;
1057
1058 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1059 pub enum LitIntType {
1060     Signed(IntTy),
1061     Unsigned(UintTy),
1062     Unsuffixed,
1063 }
1064
1065 /// Literal kind.
1066 ///
1067 /// E.g. `"foo"`, `42`, `12.34` or `bool`
1068 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1069 pub enum LitKind {
1070     /// A string literal (`"foo"`)
1071     Str(Symbol, StrStyle),
1072     /// A byte string (`b"foo"`)
1073     ByteStr(Rc<Vec<u8>>),
1074     /// A byte char (`b'f'`)
1075     Byte(u8),
1076     /// A character literal (`'a'`)
1077     Char(char),
1078     /// An integer literal (`1`)
1079     Int(u128, LitIntType),
1080     /// A float literal (`1f64` or `1E10f64`)
1081     Float(Symbol, FloatTy),
1082     /// A float literal without a suffix (`1.0 or 1.0E10`)
1083     FloatUnsuffixed(Symbol),
1084     /// A boolean literal
1085     Bool(bool),
1086 }
1087
1088 impl LitKind {
1089     /// Returns true if this literal is a string and false otherwise.
1090     pub fn is_str(&self) -> bool {
1091         match *self {
1092             LitKind::Str(..) => true,
1093             _ => false,
1094         }
1095     }
1096
1097     /// Returns true if this literal has no suffix. Note: this will return true
1098     /// for literals with prefixes such as raw strings and byte strings.
1099     pub fn is_unsuffixed(&self) -> bool {
1100         match *self {
1101             // unsuffixed variants
1102             LitKind::Str(..) |
1103             LitKind::ByteStr(..) |
1104             LitKind::Byte(..) |
1105             LitKind::Char(..) |
1106             LitKind::Int(_, LitIntType::Unsuffixed) |
1107             LitKind::FloatUnsuffixed(..) |
1108             LitKind::Bool(..) => true,
1109             // suffixed variants
1110             LitKind::Int(_, LitIntType::Signed(..)) |
1111             LitKind::Int(_, LitIntType::Unsigned(..)) |
1112             LitKind::Float(..) => false,
1113         }
1114     }
1115
1116     /// Returns true if this literal has a suffix.
1117     pub fn is_suffixed(&self) -> bool {
1118         !self.is_unsuffixed()
1119     }
1120 }
1121
1122 // NB: If you change this, you'll probably want to change the corresponding
1123 // type structure in middle/ty.rs as well.
1124 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1125 pub struct MutTy {
1126     pub ty: P<Ty>,
1127     pub mutbl: Mutability,
1128 }
1129
1130 /// Represents a method's signature in a trait declaration,
1131 /// or in an implementation.
1132 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1133 pub struct MethodSig {
1134     pub unsafety: Unsafety,
1135     pub constness: Spanned<Constness>,
1136     pub abi: Abi,
1137     pub decl: P<FnDecl>,
1138     pub generics: Generics,
1139 }
1140
1141 /// Represents an item declaration within a trait declaration,
1142 /// possibly including a default implementation. A trait item is
1143 /// either required (meaning it doesn't have an implementation, just a
1144 /// signature) or provided (meaning it has a default implementation).
1145 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1146 pub struct TraitItem {
1147     pub id: NodeId,
1148     pub ident: Ident,
1149     pub attrs: Vec<Attribute>,
1150     pub node: TraitItemKind,
1151     pub span: Span,
1152 }
1153
1154 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1155 pub enum TraitItemKind {
1156     Const(P<Ty>, Option<P<Expr>>),
1157     Method(MethodSig, Option<P<Block>>),
1158     Type(TyParamBounds, Option<P<Ty>>),
1159     Macro(Mac),
1160 }
1161
1162 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1163 pub struct ImplItem {
1164     pub id: NodeId,
1165     pub ident: Ident,
1166     pub vis: Visibility,
1167     pub defaultness: Defaultness,
1168     pub attrs: Vec<Attribute>,
1169     pub node: ImplItemKind,
1170     pub span: Span,
1171 }
1172
1173 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1174 pub enum ImplItemKind {
1175     Const(P<Ty>, P<Expr>),
1176     Method(MethodSig, P<Block>),
1177     Type(P<Ty>),
1178     Macro(Mac),
1179 }
1180
1181 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Copy)]
1182 pub enum IntTy {
1183     Is,
1184     I8,
1185     I16,
1186     I32,
1187     I64,
1188     I128,
1189 }
1190
1191 impl fmt::Debug for IntTy {
1192     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1193         fmt::Display::fmt(self, f)
1194     }
1195 }
1196
1197 impl fmt::Display for IntTy {
1198     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1199         write!(f, "{}", self.ty_to_string())
1200     }
1201 }
1202
1203 impl IntTy {
1204     pub fn ty_to_string(&self) -> &'static str {
1205         match *self {
1206             IntTy::Is => "isize",
1207             IntTy::I8 => "i8",
1208             IntTy::I16 => "i16",
1209             IntTy::I32 => "i32",
1210             IntTy::I64 => "i64",
1211             IntTy::I128 => "i128",
1212         }
1213     }
1214
1215     pub fn val_to_string(&self, val: i128) -> String {
1216         // cast to a u128 so we can correctly print INT128_MIN. All integral types
1217         // are parsed as u128, so we wouldn't want to print an extra negative
1218         // sign.
1219         format!("{}{}", val as u128, self.ty_to_string())
1220     }
1221
1222     pub fn bit_width(&self) -> Option<usize> {
1223         Some(match *self {
1224             IntTy::Is => return None,
1225             IntTy::I8 => 8,
1226             IntTy::I16 => 16,
1227             IntTy::I32 => 32,
1228             IntTy::I64 => 64,
1229             IntTy::I128 => 128,
1230         })
1231     }
1232 }
1233
1234 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Copy)]
1235 pub enum UintTy {
1236     Us,
1237     U8,
1238     U16,
1239     U32,
1240     U64,
1241     U128,
1242 }
1243
1244 impl UintTy {
1245     pub fn ty_to_string(&self) -> &'static str {
1246         match *self {
1247             UintTy::Us => "usize",
1248             UintTy::U8 => "u8",
1249             UintTy::U16 => "u16",
1250             UintTy::U32 => "u32",
1251             UintTy::U64 => "u64",
1252             UintTy::U128 => "u128",
1253         }
1254     }
1255
1256     pub fn val_to_string(&self, val: u128) -> String {
1257         format!("{}{}", val, self.ty_to_string())
1258     }
1259
1260     pub fn bit_width(&self) -> Option<usize> {
1261         Some(match *self {
1262             UintTy::Us => return None,
1263             UintTy::U8 => 8,
1264             UintTy::U16 => 16,
1265             UintTy::U32 => 32,
1266             UintTy::U64 => 64,
1267             UintTy::U128 => 128,
1268         })
1269     }
1270 }
1271
1272 impl fmt::Debug for UintTy {
1273     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1274         fmt::Display::fmt(self, f)
1275     }
1276 }
1277
1278 impl fmt::Display for UintTy {
1279     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1280         write!(f, "{}", self.ty_to_string())
1281     }
1282 }
1283
1284 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Copy)]
1285 pub enum FloatTy {
1286     F32,
1287     F64,
1288 }
1289
1290 impl fmt::Debug for FloatTy {
1291     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1292         fmt::Display::fmt(self, f)
1293     }
1294 }
1295
1296 impl fmt::Display for FloatTy {
1297     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1298         write!(f, "{}", self.ty_to_string())
1299     }
1300 }
1301
1302 impl FloatTy {
1303     pub fn ty_to_string(&self) -> &'static str {
1304         match *self {
1305             FloatTy::F32 => "f32",
1306             FloatTy::F64 => "f64",
1307         }
1308     }
1309
1310     pub fn bit_width(&self) -> usize {
1311         match *self {
1312             FloatTy::F32 => 32,
1313             FloatTy::F64 => 64,
1314         }
1315     }
1316 }
1317
1318 // Bind a type to an associated type: `A=Foo`.
1319 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1320 pub struct TypeBinding {
1321     pub id: NodeId,
1322     pub ident: Ident,
1323     pub ty: P<Ty>,
1324     pub span: Span,
1325 }
1326
1327 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash)]
1328 pub struct Ty {
1329     pub id: NodeId,
1330     pub node: TyKind,
1331     pub span: Span,
1332 }
1333
1334 impl fmt::Debug for Ty {
1335     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1336         write!(f, "type({})", pprust::ty_to_string(self))
1337     }
1338 }
1339
1340 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1341 pub struct BareFnTy {
1342     pub unsafety: Unsafety,
1343     pub abi: Abi,
1344     pub lifetimes: Vec<LifetimeDef>,
1345     pub decl: P<FnDecl>
1346 }
1347
1348 /// The different kinds of types recognized by the compiler
1349 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1350 pub enum TyKind {
1351     /// A variable-length slice (`[T]`)
1352     Slice(P<Ty>),
1353     /// A fixed length array (`[T; n]`)
1354     Array(P<Ty>, P<Expr>),
1355     /// A raw pointer (`*const T` or `*mut T`)
1356     Ptr(MutTy),
1357     /// A reference (`&'a T` or `&'a mut T`)
1358     Rptr(Option<Lifetime>, MutTy),
1359     /// A bare function (e.g. `fn(usize) -> bool`)
1360     BareFn(P<BareFnTy>),
1361     /// The never type (`!`)
1362     Never,
1363     /// A tuple (`(A, B, C, D,...)`)
1364     Tup(Vec<P<Ty>> ),
1365     /// A path (`module::module::...::Type`), optionally
1366     /// "qualified", e.g. `<Vec<T> as SomeTrait>::SomeType`.
1367     ///
1368     /// Type parameters are stored in the Path itself
1369     Path(Option<QSelf>, Path),
1370     /// A trait object type `Bound1 + Bound2 + Bound3`
1371     /// where `Bound` is a trait or a lifetime.
1372     TraitObject(TyParamBounds),
1373     /// An `impl Bound1 + Bound2 + Bound3` type
1374     /// where `Bound` is a trait or a lifetime.
1375     ImplTrait(TyParamBounds),
1376     /// No-op; kept solely so that we can pretty-print faithfully
1377     Paren(P<Ty>),
1378     /// Unused for now
1379     Typeof(P<Expr>),
1380     /// TyKind::Infer means the type should be inferred instead of it having been
1381     /// specified. This can appear anywhere in a type.
1382     Infer,
1383     /// Inferred type of a `self` or `&self` argument in a method.
1384     ImplicitSelf,
1385     // A macro in the type position.
1386     Mac(Mac),
1387     /// Placeholder for a kind that has failed to be defined.
1388     Err,
1389 }
1390
1391 /// Inline assembly dialect.
1392 ///
1393 /// E.g. `"intel"` as in `asm!("mov eax, 2" : "={eax}"(result) : : : "intel")``
1394 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1395 pub enum AsmDialect {
1396     Att,
1397     Intel,
1398 }
1399
1400 /// Inline assembly.
1401 ///
1402 /// E.g. `"={eax}"(result)` as in `asm!("mov eax, 2" : "={eax}"(result) : : : "intel")``
1403 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1404 pub struct InlineAsmOutput {
1405     pub constraint: Symbol,
1406     pub expr: P<Expr>,
1407     pub is_rw: bool,
1408     pub is_indirect: bool,
1409 }
1410
1411 /// Inline assembly.
1412 ///
1413 /// E.g. `asm!("NOP");`
1414 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1415 pub struct InlineAsm {
1416     pub asm: Symbol,
1417     pub asm_str_style: StrStyle,
1418     pub outputs: Vec<InlineAsmOutput>,
1419     pub inputs: Vec<(Symbol, P<Expr>)>,
1420     pub clobbers: Vec<Symbol>,
1421     pub volatile: bool,
1422     pub alignstack: bool,
1423     pub dialect: AsmDialect,
1424     pub ctxt: SyntaxContext,
1425 }
1426
1427 /// An argument in a function header.
1428 ///
1429 /// E.g. `bar: usize` as in `fn foo(bar: usize)`
1430 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1431 pub struct Arg {
1432     pub ty: P<Ty>,
1433     pub pat: P<Pat>,
1434     pub id: NodeId,
1435 }
1436
1437 /// Alternative representation for `Arg`s describing `self` parameter of methods.
1438 ///
1439 /// E.g. `&mut self` as in `fn foo(&mut self)`
1440 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1441 pub enum SelfKind {
1442     /// `self`, `mut self`
1443     Value(Mutability),
1444     /// `&'lt self`, `&'lt mut self`
1445     Region(Option<Lifetime>, Mutability),
1446     /// `self: TYPE`, `mut self: TYPE`
1447     Explicit(P<Ty>, Mutability),
1448 }
1449
1450 pub type ExplicitSelf = Spanned<SelfKind>;
1451
1452 impl Arg {
1453     pub fn to_self(&self) -> Option<ExplicitSelf> {
1454         if let PatKind::Ident(BindingMode::ByValue(mutbl), ident, _) = self.pat.node {
1455             if ident.node.name == keywords::SelfValue.name() {
1456                 return match self.ty.node {
1457                     TyKind::ImplicitSelf => Some(respan(self.pat.span, SelfKind::Value(mutbl))),
1458                     TyKind::Rptr(lt, MutTy{ref ty, mutbl}) if ty.node == TyKind::ImplicitSelf => {
1459                         Some(respan(self.pat.span, SelfKind::Region(lt, mutbl)))
1460                     }
1461                     _ => Some(respan(self.pat.span.to(self.ty.span),
1462                                      SelfKind::Explicit(self.ty.clone(), mutbl))),
1463                 }
1464             }
1465         }
1466         None
1467     }
1468
1469     pub fn is_self(&self) -> bool {
1470         if let PatKind::Ident(_, ident, _) = self.pat.node {
1471             ident.node.name == keywords::SelfValue.name()
1472         } else {
1473             false
1474         }
1475     }
1476
1477     pub fn from_self(eself: ExplicitSelf, eself_ident: SpannedIdent) -> Arg {
1478         let span = eself.span.to(eself_ident.span);
1479         let infer_ty = P(Ty {
1480             id: DUMMY_NODE_ID,
1481             node: TyKind::ImplicitSelf,
1482             span: span,
1483         });
1484         let arg = |mutbl, ty| Arg {
1485             pat: P(Pat {
1486                 id: DUMMY_NODE_ID,
1487                 node: PatKind::Ident(BindingMode::ByValue(mutbl), eself_ident, None),
1488                 span: span,
1489             }),
1490             ty: ty,
1491             id: DUMMY_NODE_ID,
1492         };
1493         match eself.node {
1494             SelfKind::Explicit(ty, mutbl) => arg(mutbl, ty),
1495             SelfKind::Value(mutbl) => arg(mutbl, infer_ty),
1496             SelfKind::Region(lt, mutbl) => arg(Mutability::Immutable, P(Ty {
1497                 id: DUMMY_NODE_ID,
1498                 node: TyKind::Rptr(lt, MutTy { ty: infer_ty, mutbl: mutbl }),
1499                 span: span,
1500             })),
1501         }
1502     }
1503 }
1504
1505 /// Header (not the body) of a function declaration.
1506 ///
1507 /// E.g. `fn foo(bar: baz)`
1508 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1509 pub struct FnDecl {
1510     pub inputs: Vec<Arg>,
1511     pub output: FunctionRetTy,
1512     pub variadic: bool
1513 }
1514
1515 impl FnDecl {
1516     pub fn get_self(&self) -> Option<ExplicitSelf> {
1517         self.inputs.get(0).and_then(Arg::to_self)
1518     }
1519     pub fn has_self(&self) -> bool {
1520         self.inputs.get(0).map(Arg::is_self).unwrap_or(false)
1521     }
1522 }
1523
1524 #[derive(Copy, Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1525 pub enum Unsafety {
1526     Unsafe,
1527     Normal,
1528 }
1529
1530 #[derive(Copy, Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1531 pub enum Constness {
1532     Const,
1533     NotConst,
1534 }
1535
1536 #[derive(Copy, Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1537 pub enum Defaultness {
1538     Default,
1539     Final,
1540 }
1541
1542 impl fmt::Display for Unsafety {
1543     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1544         fmt::Display::fmt(match *self {
1545             Unsafety::Normal => "normal",
1546             Unsafety::Unsafe => "unsafe",
1547         }, f)
1548     }
1549 }
1550
1551 #[derive(Copy, Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash)]
1552 pub enum ImplPolarity {
1553     /// `impl Trait for Type`
1554     Positive,
1555     /// `impl !Trait for Type`
1556     Negative,
1557 }
1558
1559 impl fmt::Debug for ImplPolarity {
1560     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1561         match *self {
1562             ImplPolarity::Positive => "positive".fmt(f),
1563             ImplPolarity::Negative => "negative".fmt(f),
1564         }
1565     }
1566 }
1567
1568
1569 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1570 pub enum FunctionRetTy {
1571     /// Return type is not specified.
1572     ///
1573     /// Functions default to `()` and
1574     /// closures default to inference. Span points to where return
1575     /// type would be inserted.
1576     Default(Span),
1577     /// Everything else
1578     Ty(P<Ty>),
1579 }
1580
1581 impl FunctionRetTy {
1582     pub fn span(&self) -> Span {
1583         match *self {
1584             FunctionRetTy::Default(span) => span,
1585             FunctionRetTy::Ty(ref ty) => ty.span,
1586         }
1587     }
1588 }
1589
1590 /// Module declaration.
1591 ///
1592 /// E.g. `mod foo;` or `mod foo { .. }`
1593 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1594 pub struct Mod {
1595     /// A span from the first token past `{` to the last token until `}`.
1596     /// For `mod foo;`, the inner span ranges from the first token
1597     /// to the last token in the external file.
1598     pub inner: Span,
1599     pub items: Vec<P<Item>>,
1600 }
1601
1602 /// Foreign module declaration.
1603 ///
1604 /// E.g. `extern { .. }` or `extern C { .. }`
1605 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1606 pub struct ForeignMod {
1607     pub abi: Abi,
1608     pub items: Vec<ForeignItem>,
1609 }
1610
1611 /// Global inline assembly
1612 ///
1613 /// aka module-level assembly or file-scoped assembly
1614 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1615 pub struct GlobalAsm {
1616     pub asm: Symbol,
1617     pub ctxt: SyntaxContext,
1618 }
1619
1620 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1621 pub struct EnumDef {
1622     pub variants: Vec<Variant>,
1623 }
1624
1625 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1626 pub struct Variant_ {
1627     pub name: Ident,
1628     pub attrs: Vec<Attribute>,
1629     pub data: VariantData,
1630     /// Explicit discriminant, e.g. `Foo = 1`
1631     pub disr_expr: Option<P<Expr>>,
1632 }
1633
1634 pub type Variant = Spanned<Variant_>;
1635
1636 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1637 pub struct PathListItem_ {
1638     pub name: Ident,
1639     /// renamed in list, e.g. `use foo::{bar as baz};`
1640     pub rename: Option<Ident>,
1641     pub id: NodeId,
1642 }
1643
1644 pub type PathListItem = Spanned<PathListItem_>;
1645
1646 pub type ViewPath = Spanned<ViewPath_>;
1647
1648 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1649 pub enum ViewPath_ {
1650
1651     /// `foo::bar::baz as quux`
1652     ///
1653     /// or just
1654     ///
1655     /// `foo::bar::baz` (with `as baz` implicitly on the right)
1656     ViewPathSimple(Ident, Path),
1657
1658     /// `foo::bar::*`
1659     ViewPathGlob(Path),
1660
1661     /// `foo::bar::{a,b,c}`
1662     ViewPathList(Path, Vec<PathListItem>)
1663 }
1664
1665 impl ViewPath_ {
1666     pub fn path(&self) -> &Path {
1667         match *self {
1668             ViewPathSimple(_, ref path) |
1669             ViewPathGlob (ref path) |
1670             ViewPathList(ref path, _) => path
1671         }
1672     }
1673 }
1674
1675
1676 /// Distinguishes between Attributes that decorate items and Attributes that
1677 /// are contained as statements within items. These two cases need to be
1678 /// distinguished for pretty-printing.
1679 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1680 pub enum AttrStyle {
1681     Outer,
1682     Inner,
1683 }
1684
1685 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug, Copy)]
1686 pub struct AttrId(pub usize);
1687
1688 /// Meta-data associated with an item
1689 /// Doc-comments are promoted to attributes that have is_sugared_doc = true
1690 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1691 pub struct Attribute {
1692     pub id: AttrId,
1693     pub style: AttrStyle,
1694     pub path: Path,
1695     pub tokens: TokenStream,
1696     pub is_sugared_doc: bool,
1697     pub span: Span,
1698 }
1699
1700 /// TraitRef's appear in impls.
1701 ///
1702 /// resolve maps each TraitRef's ref_id to its defining trait; that's all
1703 /// that the ref_id is for. The impl_id maps to the "self type" of this impl.
1704 /// If this impl is an ItemKind::Impl, the impl_id is redundant (it could be the
1705 /// same as the impl's node id).
1706 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1707 pub struct TraitRef {
1708     pub path: Path,
1709     pub ref_id: NodeId,
1710 }
1711
1712 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1713 pub struct PolyTraitRef {
1714     /// The `'a` in `<'a> Foo<&'a T>`
1715     pub bound_lifetimes: Vec<LifetimeDef>,
1716
1717     /// The `Foo<&'a T>` in `<'a> Foo<&'a T>`
1718     pub trait_ref: TraitRef,
1719
1720     pub span: Span,
1721 }
1722
1723 impl PolyTraitRef {
1724     pub fn new(lifetimes: Vec<LifetimeDef>, path: Path, span: Span) -> Self {
1725         PolyTraitRef {
1726             bound_lifetimes: lifetimes,
1727             trait_ref: TraitRef { path: path, ref_id: DUMMY_NODE_ID },
1728             span: span,
1729         }
1730     }
1731 }
1732
1733 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1734 pub enum Visibility {
1735     Public,
1736     Crate(Span),
1737     Restricted { path: P<Path>, id: NodeId },
1738     Inherited,
1739 }
1740
1741 /// Field of a struct.
1742 ///
1743 /// E.g. `bar: usize` as in `struct Foo { bar: usize }`
1744 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1745 pub struct StructField {
1746     pub span: Span,
1747     pub ident: Option<Ident>,
1748     pub vis: Visibility,
1749     pub id: NodeId,
1750     pub ty: P<Ty>,
1751     pub attrs: Vec<Attribute>,
1752 }
1753
1754 /// Fields and Ids of enum variants and structs
1755 ///
1756 /// For enum variants: `NodeId` represents both an Id of the variant itself (relevant for all
1757 /// variant kinds) and an Id of the variant's constructor (not relevant for `Struct`-variants).
1758 /// One shared Id can be successfully used for these two purposes.
1759 /// Id of the whole enum lives in `Item`.
1760 ///
1761 /// For structs: `NodeId` represents an Id of the structure's constructor, so it is not actually
1762 /// used for `Struct`-structs (but still presents). Structures don't have an analogue of "Id of
1763 /// the variant itself" from enum variants.
1764 /// Id of the whole struct lives in `Item`.
1765 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1766 pub enum VariantData {
1767     /// Struct variant.
1768     ///
1769     /// E.g. `Bar { .. }` as in `enum Foo { Bar { .. } }`
1770     Struct(Vec<StructField>, NodeId),
1771     /// Tuple variant.
1772     ///
1773     /// E.g. `Bar(..)` as in `enum Foo { Bar(..) }`
1774     Tuple(Vec<StructField>, NodeId),
1775     /// Unit variant.
1776     ///
1777     /// E.g. `Bar = ..` as in `enum Foo { Bar = .. }`
1778     Unit(NodeId),
1779 }
1780
1781 impl VariantData {
1782     pub fn fields(&self) -> &[StructField] {
1783         match *self {
1784             VariantData::Struct(ref fields, _) | VariantData::Tuple(ref fields, _) => fields,
1785             _ => &[],
1786         }
1787     }
1788     pub fn id(&self) -> NodeId {
1789         match *self {
1790             VariantData::Struct(_, id) | VariantData::Tuple(_, id) | VariantData::Unit(id) => id
1791         }
1792     }
1793     pub fn is_struct(&self) -> bool {
1794         if let VariantData::Struct(..) = *self { true } else { false }
1795     }
1796     pub fn is_tuple(&self) -> bool {
1797         if let VariantData::Tuple(..) = *self { true } else { false }
1798     }
1799     pub fn is_unit(&self) -> bool {
1800         if let VariantData::Unit(..) = *self { true } else { false }
1801     }
1802 }
1803
1804 /// An item
1805 ///
1806 /// The name might be a dummy name in case of anonymous items
1807 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1808 pub struct Item {
1809     pub ident: Ident,
1810     pub attrs: Vec<Attribute>,
1811     pub id: NodeId,
1812     pub node: ItemKind,
1813     pub vis: Visibility,
1814     pub span: Span,
1815 }
1816
1817 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1818 pub enum ItemKind {
1819     /// An`extern crate` item, with optional original crate name.
1820     ///
1821     /// E.g. `extern crate foo` or `extern crate foo_bar as foo`
1822     ExternCrate(Option<Name>),
1823     /// A use declaration (`use` or `pub use`) item.
1824     ///
1825     /// E.g. `use foo;`, `use foo::bar;` or `use foo::bar as FooBar;`
1826     Use(P<ViewPath>),
1827     /// A static item (`static` or `pub static`).
1828     ///
1829     /// E.g. `static FOO: i32 = 42;` or `static FOO: &'static str = "bar";`
1830     Static(P<Ty>, Mutability, P<Expr>),
1831     /// A constant item (`const` or `pub const`).
1832     ///
1833     /// E.g. `const FOO: i32 = 42;`
1834     Const(P<Ty>, P<Expr>),
1835     /// A function declaration (`fn` or `pub fn`).
1836     ///
1837     /// E.g. `fn foo(bar: usize) -> usize { .. }`
1838     Fn(P<FnDecl>, Unsafety, Spanned<Constness>, Abi, Generics, P<Block>),
1839     /// A module declaration (`mod` or `pub mod`).
1840     ///
1841     /// E.g. `mod foo;` or `mod foo { .. }`
1842     Mod(Mod),
1843     /// An external module (`extern` or `pub extern`).
1844     ///
1845     /// E.g. `extern {}` or `extern "C" {}`
1846     ForeignMod(ForeignMod),
1847     /// Module-level inline assembly (from `global_asm!()`)
1848     GlobalAsm(P<GlobalAsm>),
1849     /// A type alias (`type` or `pub type`).
1850     ///
1851     /// E.g. `type Foo = Bar<u8>;`
1852     Ty(P<Ty>, Generics),
1853     /// An enum definition (`enum` or `pub enum`).
1854     ///
1855     /// E.g. `enum Foo<A, B> { C<A>, D<B> }`
1856     Enum(EnumDef, Generics),
1857     /// A struct definition (`struct` or `pub struct`).
1858     ///
1859     /// E.g. `struct Foo<A> { x: A }`
1860     Struct(VariantData, Generics),
1861     /// A union definition (`union` or `pub union`).
1862     ///
1863     /// E.g. `union Foo<A, B> { x: A, y: B }`
1864     Union(VariantData, Generics),
1865     /// A Trait declaration (`trait` or `pub trait`).
1866     ///
1867     /// E.g. `trait Foo { .. }` or `trait Foo<T> { .. }`
1868     Trait(Unsafety, Generics, TyParamBounds, Vec<TraitItem>),
1869     // Default trait implementation.
1870     ///
1871     /// E.g. `impl Trait for .. {}` or `impl<T> Trait<T> for .. {}`
1872     DefaultImpl(Unsafety, TraitRef),
1873     /// An implementation.
1874     ///
1875     /// E.g. `impl<A> Foo<A> { .. }` or `impl<A> Trait for Foo<A> { .. }`
1876     Impl(Unsafety,
1877              ImplPolarity,
1878              Defaultness,
1879              Generics,
1880              Option<TraitRef>, // (optional) trait this impl implements
1881              P<Ty>, // self
1882              Vec<ImplItem>),
1883     /// A macro invocation.
1884     ///
1885     /// E.g. `macro_rules! foo { .. }` or `foo!(..)`
1886     Mac(Mac),
1887
1888     /// A macro definition.
1889     MacroDef(MacroDef),
1890 }
1891
1892 impl ItemKind {
1893     pub fn descriptive_variant(&self) -> &str {
1894         match *self {
1895             ItemKind::ExternCrate(..) => "extern crate",
1896             ItemKind::Use(..) => "use",
1897             ItemKind::Static(..) => "static item",
1898             ItemKind::Const(..) => "constant item",
1899             ItemKind::Fn(..) => "function",
1900             ItemKind::Mod(..) => "module",
1901             ItemKind::ForeignMod(..) => "foreign module",
1902             ItemKind::GlobalAsm(..) => "global asm",
1903             ItemKind::Ty(..) => "type alias",
1904             ItemKind::Enum(..) => "enum",
1905             ItemKind::Struct(..) => "struct",
1906             ItemKind::Union(..) => "union",
1907             ItemKind::Trait(..) => "trait",
1908             ItemKind::Mac(..) |
1909             ItemKind::MacroDef(..) |
1910             ItemKind::Impl(..) |
1911             ItemKind::DefaultImpl(..) => "item"
1912         }
1913     }
1914 }
1915
1916 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1917 pub struct ForeignItem {
1918     pub ident: Ident,
1919     pub attrs: Vec<Attribute>,
1920     pub node: ForeignItemKind,
1921     pub id: NodeId,
1922     pub span: Span,
1923     pub vis: Visibility,
1924 }
1925
1926 /// An item within an `extern` block
1927 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
1928 pub enum ForeignItemKind {
1929     /// A foreign function
1930     Fn(P<FnDecl>, Generics),
1931     /// A foreign static item (`static ext: u8`), with optional mutability
1932     /// (the boolean is true when mutable)
1933     Static(P<Ty>, bool),
1934 }
1935
1936 impl ForeignItemKind {
1937     pub fn descriptive_variant(&self) -> &str {
1938         match *self {
1939             ForeignItemKind::Fn(..) => "foreign function",
1940             ForeignItemKind::Static(..) => "foreign static item"
1941         }
1942     }
1943 }
1944
1945 #[cfg(test)]
1946 mod tests {
1947     use serialize;
1948     use super::*;
1949
1950     // are ASTs encodable?
1951     #[test]
1952     fn check_asts_encodable() {
1953         fn assert_encodable<T: serialize::Encodable>() {}
1954         assert_encodable::<Crate>();
1955     }
1956 }