blob: 2865c2c93867f62012b74bbd95bbdc0b7698d385 [file] [log] [blame]
David Tolnayf4bbbd92016-09-23 14:41:55 -07001use super::*;
2
3#[derive(Debug, Clone, Eq, PartialEq)]
4pub enum Expr {
5 /// A `box x` expression.
6 Box(Box<Expr>),
David Tolnayf4bbbd92016-09-23 14:41:55 -07007 /// An array (`[a, b, c, d]`)
8 Vec(Vec<Expr>),
9 /// A function call
10 ///
11 /// The first field resolves to the function itself,
12 /// and the second field is the list of arguments
13 Call(Box<Expr>, Vec<Expr>),
14 /// A method call (`x.foo::<Bar, Baz>(a, b, c, d)`)
15 ///
16 /// The `Ident` is the identifier for the method name.
17 /// The vector of `Ty`s are the ascripted type parameters for the method
18 /// (within the angle brackets).
19 ///
20 /// The first element of the vector of `Expr`s is the expression that evaluates
21 /// to the object on which the method is being called on (the receiver),
22 /// and the remaining elements are the rest of the arguments.
23 ///
24 /// Thus, `x.foo::<Bar, Baz>(a, b, c, d)` is represented as
25 /// `ExprKind::MethodCall(foo, [Bar, Baz], [x, a, b, c, d])`.
26 MethodCall(Ident, Vec<Ty>, Vec<Expr>),
27 /// A tuple (`(a, b, c, d)`)
28 Tup(Vec<Expr>),
29 /// A binary operation (For example: `a + b`, `a * b`)
30 Binary(BinOp, Box<Expr>, Box<Expr>),
31 /// A unary operation (For example: `!x`, `*x`)
32 Unary(UnOp, Box<Expr>),
33 /// A literal (For example: `1`, `"foo"`)
34 Lit(Lit),
35 /// A cast (`foo as f64`)
36 Cast(Box<Expr>, Box<Ty>),
David Tolnay939766a2016-09-23 23:48:12 -070037 /// Type ascription (`foo: f64`)
David Tolnayf4bbbd92016-09-23 14:41:55 -070038 Type(Box<Expr>, Box<Ty>),
39 /// An `if` block, with an optional else block
40 ///
41 /// `if expr { block } else { expr }`
David Tolnay89e05672016-10-02 14:39:42 -070042 If(Box<Expr>, Block, Option<Box<Expr>>),
David Tolnayf4bbbd92016-09-23 14:41:55 -070043 /// An `if let` expression with an optional else block
44 ///
45 /// `if let pat = expr { block } else { expr }`
46 ///
47 /// This is desugared to a `match` expression.
David Tolnay89e05672016-10-02 14:39:42 -070048 IfLet(Box<Pat>, Box<Expr>, Block, Option<Box<Expr>>),
David Tolnayf4bbbd92016-09-23 14:41:55 -070049 /// A while loop, with an optional label
50 ///
51 /// `'label: while expr { block }`
David Tolnay89e05672016-10-02 14:39:42 -070052 While(Box<Expr>, Block, Option<Ident>),
David Tolnayf4bbbd92016-09-23 14:41:55 -070053 /// A while-let loop, with an optional label
54 ///
55 /// `'label: while let pat = expr { block }`
56 ///
57 /// This is desugared to a combination of `loop` and `match` expressions.
David Tolnay89e05672016-10-02 14:39:42 -070058 WhileLet(Box<Pat>, Box<Expr>, Block, Option<Ident>),
David Tolnayf4bbbd92016-09-23 14:41:55 -070059 /// A for loop, with an optional label
60 ///
61 /// `'label: for pat in expr { block }`
62 ///
63 /// This is desugared to a combination of `loop` and `match` expressions.
David Tolnay89e05672016-10-02 14:39:42 -070064 ForLoop(Box<Pat>, Box<Expr>, Block, Option<Ident>),
David Tolnayf4bbbd92016-09-23 14:41:55 -070065 /// Conditionless loop (can be exited with break, continue, or return)
66 ///
67 /// `'label: loop { block }`
David Tolnay89e05672016-10-02 14:39:42 -070068 Loop(Block, Option<Ident>),
David Tolnayf4bbbd92016-09-23 14:41:55 -070069 /// A `match` block.
70 Match(Box<Expr>, Vec<Arm>),
71 /// A closure (for example, `move |a, b, c| {a + b + c}`)
David Tolnay89e05672016-10-02 14:39:42 -070072 Closure(CaptureBy, Box<FnDecl>, Block),
73 /// A block (`{ ... }` or `unsafe { ... }`)
74 Block(BlockCheckMode, Block),
David Tolnayf4bbbd92016-09-23 14:41:55 -070075
76 /// An assignment (`a = foo()`)
77 Assign(Box<Expr>, Box<Expr>),
78 /// An assignment with an operator
79 ///
80 /// For example, `a += 1`.
81 AssignOp(BinOp, Box<Expr>, Box<Expr>),
82 /// Access of a named struct field (`obj.foo`)
83 Field(Box<Expr>, Ident),
84 /// Access of an unnamed field of a struct or tuple-struct
85 ///
86 /// For example, `foo.0`.
87 TupField(Box<Expr>, usize),
88 /// An indexing operation (`foo[2]`)
89 Index(Box<Expr>, Box<Expr>),
90 /// A range (`1..2`, `1..`, `..2`, `1...2`, `1...`, `...2`)
91 Range(Option<Box<Expr>>, Option<Box<Expr>>, RangeLimits),
92
93 /// Variable reference, possibly containing `::` and/or type
94 /// parameters, e.g. foo::bar::<baz>.
95 ///
96 /// Optionally "qualified",
97 /// E.g. `<Vec<T> as SomeTrait>::SomeType`.
98 Path(Option<QSelf>, Path),
99
100 /// A referencing operation (`&a` or `&mut a`)
101 AddrOf(Mutability, Box<Expr>),
102 /// A `break`, with an optional label to break
103 Break(Option<Ident>),
104 /// A `continue`, with an optional label
105 Continue(Option<Ident>),
106 /// A `return`, with an optional value to be returned
107 Ret(Option<Box<Expr>>),
108
109 /// A macro invocation; pre-expansion
110 Mac(Mac),
111
112 /// A struct literal expression.
113 ///
114 /// For example, `Foo {x: 1, y: 2}`, or
115 /// `Foo {x: 1, .. base}`, where `base` is the `Option<Expr>`.
David Tolnay055a7042016-10-02 19:23:54 -0700116 Struct(Path, Vec<FieldValue>, Option<Box<Expr>>),
David Tolnayf4bbbd92016-09-23 14:41:55 -0700117
118 /// An array literal constructed from one repeated element.
119 ///
120 /// For example, `[1; 5]`. The first expression is the element
121 /// to be repeated; the second is the number of times to repeat it.
122 Repeat(Box<Expr>, Box<Expr>),
123
124 /// No-op: used solely so we can pretty-print faithfully
125 Paren(Box<Expr>),
126
127 /// `expr?`
128 Try(Box<Expr>),
129}
130
David Tolnay055a7042016-10-02 19:23:54 -0700131#[derive(Debug, Clone, Eq, PartialEq)]
132pub struct FieldValue {
133 pub ident: Ident,
134 pub expr: Expr,
135}
136
David Tolnayf4bbbd92016-09-23 14:41:55 -0700137/// A Block (`{ .. }`).
138///
139/// E.g. `{ .. }` as in `fn foo() { .. }`
140#[derive(Debug, Clone, Eq, PartialEq)]
141pub struct Block {
142 /// Statements in a block
143 pub stmts: Vec<Stmt>,
David Tolnayf4bbbd92016-09-23 14:41:55 -0700144}
145
146#[derive(Debug, Copy, Clone, Eq, PartialEq)]
147pub enum BlockCheckMode {
148 Default,
149 Unsafe,
150}
151
152#[derive(Debug, Clone, Eq, PartialEq)]
153pub enum Stmt {
154 /// A local (let) binding.
155 Local(Box<Local>),
156
157 /// An item definition.
158 Item(Box<Item>),
159
160 /// Expr without trailing semi-colon.
161 Expr(Box<Expr>),
162
163 Semi(Box<Expr>),
164
165 Mac(Box<(Mac, MacStmtStyle, Vec<Attribute>)>),
166}
167
168#[derive(Debug, Copy, Clone, Eq, PartialEq)]
169pub enum MacStmtStyle {
170 /// The macro statement had a trailing semicolon, e.g. `foo! { ... };`
171 /// `foo!(...);`, `foo![...];`
172 Semicolon,
173 /// The macro statement had braces; e.g. foo! { ... }
174 Braces,
175 /// The macro statement had parentheses or brackets and no semicolon; e.g.
176 /// `foo!(...)`. All of these will end up being converted into macro
177 /// expressions.
178 NoBraces,
179}
180
181/// Local represents a `let` statement, e.g., `let <pat>:<ty> = <expr>;`
182#[derive(Debug, Clone, Eq, PartialEq)]
183pub struct Local {
184 pub pat: Box<Pat>,
185 pub ty: Option<Box<Ty>>,
186 /// Initializer expression to set the value, if any
187 pub init: Option<Box<Expr>>,
188 pub attrs: Vec<Attribute>,
189}
190
191#[derive(Debug, Copy, Clone, Eq, PartialEq)]
192pub enum BinOp {
193 /// The `+` operator (addition)
194 Add,
195 /// The `-` operator (subtraction)
196 Sub,
197 /// The `*` operator (multiplication)
198 Mul,
199 /// The `/` operator (division)
200 Div,
201 /// The `%` operator (modulus)
202 Rem,
203 /// The `&&` operator (logical and)
204 And,
205 /// The `||` operator (logical or)
206 Or,
207 /// The `^` operator (bitwise xor)
208 BitXor,
209 /// The `&` operator (bitwise and)
210 BitAnd,
211 /// The `|` operator (bitwise or)
212 BitOr,
213 /// The `<<` operator (shift left)
214 Shl,
215 /// The `>>` operator (shift right)
216 Shr,
217 /// The `==` operator (equality)
218 Eq,
219 /// The `<` operator (less than)
220 Lt,
221 /// The `<=` operator (less than or equal to)
222 Le,
223 /// The `!=` operator (not equal to)
224 Ne,
225 /// The `>=` operator (greater than or equal to)
226 Ge,
227 /// The `>` operator (greater than)
228 Gt,
229}
230
231#[derive(Debug, Copy, Clone, Eq, PartialEq)]
232pub enum UnOp {
233 /// The `*` operator for dereferencing
234 Deref,
235 /// The `!` operator for logical inversion
236 Not,
237 /// The `-` operator for negation
238 Neg,
239}
240
241#[derive(Debug, Clone, Eq, PartialEq)]
242pub enum Pat {
243 /// Represents a wildcard pattern (`_`)
244 Wild,
245
David Tolnay432afc02016-09-24 07:37:13 -0700246 /// A `Pat::Ident` may either be a new bound variable (`ref mut binding @ OPT_SUBPATTERN`),
David Tolnayf4bbbd92016-09-23 14:41:55 -0700247 /// or a unit struct/variant pattern, or a const pattern (in the last two cases the third
248 /// field must be `None`). Disambiguation cannot be done with parser alone, so it happens
249 /// during name resolution.
250 Ident(BindingMode, Ident, Option<Box<Pat>>),
251
252 /// A struct or struct variant pattern, e.g. `Variant {x, y, ..}`.
253 /// The `bool` is `true` in the presence of a `..`.
254 Struct(Path, Vec<FieldPat>, bool),
255
256 /// A tuple struct/variant pattern `Variant(x, y, .., z)`.
257 /// If the `..` pattern fragment is present, then `Option<usize>` denotes its position.
258 /// 0 <= position <= subpats.len()
259 TupleStruct(Path, Vec<Pat>, Option<usize>),
260
261 /// A possibly qualified path pattern.
262 /// Unquailfied path patterns `A::B::C` can legally refer to variants, structs, constants
263 /// or associated constants. Quailfied path patterns `<A>::B::C`/`<A as Trait>::B::C` can
264 /// only legally refer to associated constants.
265 Path(Option<QSelf>, Path),
266
267 /// A tuple pattern `(a, b)`.
268 /// If the `..` pattern fragment is present, then `Option<usize>` denotes its position.
269 /// 0 <= position <= subpats.len()
270 Tuple(Vec<Pat>, Option<usize>),
271 /// A `box` pattern
272 Box(Box<Pat>),
273 /// A reference pattern, e.g. `&mut (a, b)`
274 Ref(Box<Pat>, Mutability),
275 /// A literal
276 Lit(Box<Expr>),
277 /// A range pattern, e.g. `1...2`
278 Range(Box<Expr>, Box<Expr>),
279 /// `[a, b, ..i, y, z]` is represented as:
David Tolnay432afc02016-09-24 07:37:13 -0700280 /// `Pat::Vec(box [a, b], Some(i), box [y, z])`
David Tolnayf4bbbd92016-09-23 14:41:55 -0700281 Vec(Vec<Pat>, Option<Box<Pat>>, Vec<Pat>),
282 /// A macro pattern; pre-expansion
283 Mac(Mac),
284}
285
David Tolnay771ecf42016-09-23 19:26:37 -0700286/// An arm of a 'match'.
287///
288/// E.g. `0...10 => { println!("match!") }` as in
289///
290/// ```rust,ignore
291/// match n {
292/// 0...10 => { println!("match!") },
293/// // ..
294/// }
295/// ```
David Tolnayf4bbbd92016-09-23 14:41:55 -0700296#[derive(Debug, Clone, Eq, PartialEq)]
297pub struct Arm {
298 pub attrs: Vec<Attribute>,
299 pub pats: Vec<Pat>,
300 pub guard: Option<Box<Expr>>,
301 pub body: Box<Expr>,
302}
303
304/// A capture clause
305#[derive(Debug, Copy, Clone, Eq, PartialEq)]
306pub enum CaptureBy {
307 Value,
308 Ref,
309}
310
311/// Limit types of a range (inclusive or exclusive)
312#[derive(Debug, Copy, Clone, Eq, PartialEq)]
313pub enum RangeLimits {
314 /// Inclusive at the beginning, exclusive at the end
315 HalfOpen,
316 /// Inclusive at the beginning and end
317 Closed,
318}
319
320/// A single field in a struct pattern
321///
322/// Patterns like the fields of Foo `{ x, ref y, ref mut z }`
David Tolnay181bac52016-09-24 00:10:05 -0700323/// are treated the same as `x: x, y: ref y, z: ref mut z`,
David Tolnayaed77b02016-09-23 20:50:31 -0700324/// except `is_shorthand` is true
David Tolnayf4bbbd92016-09-23 14:41:55 -0700325#[derive(Debug, Clone, Eq, PartialEq)]
326pub struct FieldPat {
327 /// The identifier for the field
328 pub ident: Ident,
329 /// The pattern the field is destructured to
330 pub pat: Box<Pat>,
331 pub is_shorthand: bool,
332}
333
334#[derive(Debug, Copy, Clone, Eq, PartialEq)]
335pub enum BindingMode {
336 ByRef(Mutability),
337 ByValue(Mutability),
338}
339
David Tolnayb9c8e322016-09-23 20:48:37 -0700340#[cfg(feature = "parsing")]
341pub mod parsing {
342 use super::*;
David Tolnaycfe55022016-10-02 22:02:27 -0700343 use {Delimited, DelimToken, FnArg, FnDecl, FunctionRetTy, Ident, Lifetime, TokenTree, Ty};
David Tolnayb4ad3b52016-10-01 21:58:13 -0700344 use attr::parsing::outer_attr;
Gregory Katz1b69f682016-09-27 21:06:09 -0400345 use generics::parsing::lifetime;
David Tolnayfa0edf22016-09-23 22:58:24 -0700346 use ident::parsing::ident;
David Tolnay191e0582016-10-02 18:31:09 -0700347 use item::parsing::item;
David Tolnayfa0edf22016-09-23 22:58:24 -0700348 use lit::parsing::lit;
David Tolnaycfe55022016-10-02 22:02:27 -0700349 use nom::IResult::Error;
David Tolnay055a7042016-10-02 19:23:54 -0700350 use ty::parsing::{mutability, path, qpath, ty};
David Tolnayb9c8e322016-09-23 20:48:37 -0700351
David Tolnayfa0edf22016-09-23 22:58:24 -0700352 named!(pub expr -> Expr, do_parse!(
353 mut e: alt!(
David Tolnay055a7042016-10-02 19:23:54 -0700354 expr_lit // needs to be before expr_struct
355 |
356 expr_struct // needs to be before expr_path
357 |
358 expr_paren // needs to be before expr_tup
David Tolnay89e05672016-10-02 14:39:42 -0700359 |
David Tolnay939766a2016-09-23 23:48:12 -0700360 expr_box
David Tolnayfa0edf22016-09-23 22:58:24 -0700361 |
David Tolnay939766a2016-09-23 23:48:12 -0700362 expr_vec
David Tolnayfa0edf22016-09-23 22:58:24 -0700363 |
David Tolnay939766a2016-09-23 23:48:12 -0700364 expr_tup
David Tolnayfa0edf22016-09-23 22:58:24 -0700365 |
David Tolnay939766a2016-09-23 23:48:12 -0700366 expr_unary
David Tolnayfa0edf22016-09-23 22:58:24 -0700367 |
David Tolnay939766a2016-09-23 23:48:12 -0700368 expr_if
Gregory Katz3e562cc2016-09-28 18:33:02 -0400369 |
370 expr_while
David Tolnaybb6feae2016-10-02 21:25:20 -0700371 |
372 expr_for_loop
Gregory Katze5f35682016-09-27 14:20:55 -0400373 |
374 expr_loop
David Tolnayb4ad3b52016-10-01 21:58:13 -0700375 |
376 expr_match
David Tolnay89e05672016-10-02 14:39:42 -0700377 |
378 expr_closure
David Tolnay939766a2016-09-23 23:48:12 -0700379 |
380 expr_block
David Tolnay89e05672016-10-02 14:39:42 -0700381 |
382 expr_path
David Tolnay3c2467c2016-10-02 17:55:08 -0700383 |
384 expr_addr_of
Gregory Katzfd6935d2016-09-30 22:51:25 -0400385 |
386 expr_break
387 |
388 expr_continue
389 |
390 expr_ret
David Tolnaya96a3fa2016-09-24 07:17:42 -0700391 // TODO: Mac
David Tolnay055a7042016-10-02 19:23:54 -0700392 |
393 expr_repeat
David Tolnayfa0edf22016-09-23 22:58:24 -0700394 ) >>
395 many0!(alt!(
David Tolnay939766a2016-09-23 23:48:12 -0700396 tap!(args: and_call => {
397 e = Expr::Call(Box::new(e), args);
David Tolnayfa0edf22016-09-23 22:58:24 -0700398 })
399 |
David Tolnay939766a2016-09-23 23:48:12 -0700400 tap!(more: and_method_call => {
401 let (method, ascript, mut args) = more;
David Tolnayfa0edf22016-09-23 22:58:24 -0700402 args.insert(0, e);
403 e = Expr::MethodCall(method, ascript, args);
404 })
405 |
David Tolnay939766a2016-09-23 23:48:12 -0700406 tap!(more: and_binary => {
407 let (op, other) = more;
David Tolnayfa0edf22016-09-23 22:58:24 -0700408 e = Expr::Binary(op, Box::new(e), Box::new(other));
409 })
David Tolnay939766a2016-09-23 23:48:12 -0700410 |
411 tap!(ty: and_cast => {
412 e = Expr::Cast(Box::new(e), Box::new(ty));
413 })
414 |
415 tap!(ty: and_ascription => {
416 e = Expr::Type(Box::new(e), Box::new(ty));
417 })
David Tolnaya96a3fa2016-09-24 07:17:42 -0700418 // TODO: Assign
419 // TODO: AssignOp
420 // TODO: Field
421 // TODO: TupField
422 // TODO: Index
423 // TODO: Range
David Tolnay055a7042016-10-02 19:23:54 -0700424 |
425 tap!(_try: punct!("?") => {
426 e = Expr::Try(Box::new(e));
427 })
David Tolnayfa0edf22016-09-23 22:58:24 -0700428 )) >>
429 (e)
David Tolnayb9c8e322016-09-23 20:48:37 -0700430 ));
431
David Tolnay89e05672016-10-02 14:39:42 -0700432 named!(expr_paren -> Expr, do_parse!(
433 punct!("(") >>
434 e: expr >>
435 punct!(")") >>
436 (Expr::Paren(Box::new(e)))
437 ));
438
David Tolnay939766a2016-09-23 23:48:12 -0700439 named!(expr_box -> Expr, do_parse!(
David Tolnay10413f02016-09-30 09:12:02 -0700440 keyword!("box") >>
David Tolnayb9c8e322016-09-23 20:48:37 -0700441 inner: expr >>
442 (Expr::Box(Box::new(inner)))
443 ));
David Tolnayfa0edf22016-09-23 22:58:24 -0700444
David Tolnay939766a2016-09-23 23:48:12 -0700445 named!(expr_vec -> Expr, do_parse!(
David Tolnayfa0edf22016-09-23 22:58:24 -0700446 punct!("[") >>
447 elems: separated_list!(punct!(","), expr) >>
448 punct!("]") >>
449 (Expr::Vec(elems))
450 ));
451
David Tolnay939766a2016-09-23 23:48:12 -0700452 named!(and_call -> Vec<Expr>, do_parse!(
David Tolnayfa0edf22016-09-23 22:58:24 -0700453 punct!("(") >>
454 args: separated_list!(punct!(","), expr) >>
455 punct!(")") >>
456 (args)
457 ));
458
David Tolnay939766a2016-09-23 23:48:12 -0700459 named!(and_method_call -> (Ident, Vec<Ty>, Vec<Expr>), do_parse!(
David Tolnayfa0edf22016-09-23 22:58:24 -0700460 punct!(".") >>
461 method: ident >>
462 ascript: opt_vec!(delimited!(
463 punct!("<"),
464 separated_list!(punct!(","), ty),
465 punct!(">")
466 )) >>
467 punct!("(") >>
468 args: separated_list!(punct!(","), expr) >>
469 punct!(")") >>
470 (method, ascript, args)
471 ));
472
David Tolnay939766a2016-09-23 23:48:12 -0700473 named!(expr_tup -> Expr, do_parse!(
David Tolnayfa0edf22016-09-23 22:58:24 -0700474 punct!("(") >>
475 elems: separated_list!(punct!(","), expr) >>
David Tolnay89e05672016-10-02 14:39:42 -0700476 option!(punct!(",")) >>
David Tolnayfa0edf22016-09-23 22:58:24 -0700477 punct!(")") >>
478 (Expr::Tup(elems))
479 ));
480
David Tolnay939766a2016-09-23 23:48:12 -0700481 named!(and_binary -> (BinOp, Expr), tuple!(
David Tolnayfa0edf22016-09-23 22:58:24 -0700482 alt!(
483 punct!("&&") => { |_| BinOp::And }
484 |
485 punct!("||") => { |_| BinOp::Or }
486 |
487 punct!("<<") => { |_| BinOp::Shl }
488 |
489 punct!(">>") => { |_| BinOp::Shr }
490 |
491 punct!("==") => { |_| BinOp::Eq }
492 |
493 punct!("<=") => { |_| BinOp::Le }
494 |
495 punct!("!=") => { |_| BinOp::Ne }
496 |
497 punct!(">=") => { |_| BinOp::Ge }
498 |
499 punct!("+") => { |_| BinOp::Add }
500 |
501 punct!("-") => { |_| BinOp::Sub }
502 |
503 punct!("*") => { |_| BinOp::Mul }
504 |
505 punct!("/") => { |_| BinOp::Div }
506 |
507 punct!("%") => { |_| BinOp::Rem }
508 |
509 punct!("^") => { |_| BinOp::BitXor }
510 |
511 punct!("&") => { |_| BinOp::BitAnd }
512 |
513 punct!("|") => { |_| BinOp::BitOr }
514 |
515 punct!("<") => { |_| BinOp::Lt }
516 |
517 punct!(">") => { |_| BinOp::Gt }
518 ),
519 expr
520 ));
521
David Tolnay939766a2016-09-23 23:48:12 -0700522 named!(expr_unary -> Expr, do_parse!(
David Tolnayfa0edf22016-09-23 22:58:24 -0700523 operator: alt!(
524 punct!("*") => { |_| UnOp::Deref }
525 |
526 punct!("!") => { |_| UnOp::Not }
527 |
528 punct!("-") => { |_| UnOp::Neg }
529 ) >>
530 operand: expr >>
531 (Expr::Unary(operator, Box::new(operand)))
532 ));
David Tolnay939766a2016-09-23 23:48:12 -0700533
534 named!(expr_lit -> Expr, map!(lit, Expr::Lit));
535
536 named!(and_cast -> Ty, do_parse!(
David Tolnay10413f02016-09-30 09:12:02 -0700537 keyword!("as") >>
David Tolnay939766a2016-09-23 23:48:12 -0700538 ty: ty >>
539 (ty)
540 ));
541
542 named!(and_ascription -> Ty, preceded!(punct!(":"), ty));
543
David Tolnaybb6feae2016-10-02 21:25:20 -0700544 enum Cond {
David Tolnay29f9ce12016-10-02 20:58:40 -0700545 Let(Pat, Expr),
546 Expr(Expr),
547 }
548
David Tolnaybb6feae2016-10-02 21:25:20 -0700549 named!(cond -> Cond, alt!(
550 do_parse!(
551 keyword!("let") >>
552 pat: pat >>
553 punct!("=") >>
554 value: expr >>
555 (Cond::Let(pat, value))
556 )
557 |
558 map!(expr, Cond::Expr)
559 ));
560
David Tolnay939766a2016-09-23 23:48:12 -0700561 named!(expr_if -> Expr, do_parse!(
David Tolnay10413f02016-09-30 09:12:02 -0700562 keyword!("if") >>
David Tolnaybb6feae2016-10-02 21:25:20 -0700563 cond: cond >>
David Tolnay939766a2016-09-23 23:48:12 -0700564 punct!("{") >>
565 then_block: within_block >>
566 punct!("}") >>
567 else_block: option!(preceded!(
David Tolnay10413f02016-09-30 09:12:02 -0700568 keyword!("else"),
David Tolnay939766a2016-09-23 23:48:12 -0700569 alt!(
570 expr_if
571 |
572 do_parse!(
573 punct!("{") >>
574 else_block: within_block >>
575 punct!("}") >>
David Tolnay89e05672016-10-02 14:39:42 -0700576 (Expr::Block(BlockCheckMode::Default, Block {
David Tolnay939766a2016-09-23 23:48:12 -0700577 stmts: else_block,
David Tolnay89e05672016-10-02 14:39:42 -0700578 }))
David Tolnay939766a2016-09-23 23:48:12 -0700579 )
580 )
581 )) >>
David Tolnay29f9ce12016-10-02 20:58:40 -0700582 (match cond {
David Tolnaybb6feae2016-10-02 21:25:20 -0700583 Cond::Let(pat, expr) => Expr::IfLet(
David Tolnay29f9ce12016-10-02 20:58:40 -0700584 Box::new(pat),
585 Box::new(expr),
586 Block {
587 stmts: then_block,
588 },
589 else_block.map(Box::new),
590 ),
David Tolnaybb6feae2016-10-02 21:25:20 -0700591 Cond::Expr(cond) => Expr::If(
David Tolnay29f9ce12016-10-02 20:58:40 -0700592 Box::new(cond),
593 Block {
594 stmts: then_block,
595 },
596 else_block.map(Box::new),
597 ),
598 })
David Tolnay939766a2016-09-23 23:48:12 -0700599 ));
600
David Tolnaybb6feae2016-10-02 21:25:20 -0700601 named!(expr_for_loop -> Expr, do_parse!(
602 lbl: option!(terminated!(label, punct!(":"))) >>
603 keyword!("for") >>
604 pat: pat >>
605 keyword!("in") >>
606 expr: expr >>
607 loop_block: block >>
608 (Expr::ForLoop(Box::new(pat), Box::new(expr), loop_block, lbl))
609 ));
610
Gregory Katze5f35682016-09-27 14:20:55 -0400611 named!(expr_loop -> Expr, do_parse!(
David Tolnay8b07f372016-09-30 10:28:40 -0700612 lbl: option!(terminated!(label, punct!(":"))) >>
David Tolnay10413f02016-09-30 09:12:02 -0700613 keyword!("loop") >>
Gregory Katze5f35682016-09-27 14:20:55 -0400614 loop_block: block >>
David Tolnay89e05672016-10-02 14:39:42 -0700615 (Expr::Loop(loop_block, lbl))
Gregory Katze5f35682016-09-27 14:20:55 -0400616 ));
617
David Tolnayb4ad3b52016-10-01 21:58:13 -0700618 named!(expr_match -> Expr, do_parse!(
619 keyword!("match") >>
620 obj: expr >>
621 punct!("{") >>
622 arms: many0!(do_parse!(
623 attrs: many0!(outer_attr) >>
624 pats: separated_nonempty_list!(punct!("|"), pat) >>
625 guard: option!(preceded!(keyword!("if"), expr)) >>
626 punct!("=>") >>
627 body: alt!(
628 terminated!(expr, punct!(","))
629 |
David Tolnay89e05672016-10-02 14:39:42 -0700630 map!(block, |blk| Expr::Block(BlockCheckMode::Default, blk))
David Tolnayb4ad3b52016-10-01 21:58:13 -0700631 ) >>
632 (Arm {
633 attrs: attrs,
634 pats: pats,
635 guard: guard.map(Box::new),
636 body: Box::new(body),
637 })
638 )) >>
639 punct!("}") >>
640 (Expr::Match(Box::new(obj), arms))
641 ));
642
David Tolnay89e05672016-10-02 14:39:42 -0700643 named!(expr_closure -> Expr, do_parse!(
644 capture: capture_by >>
645 punct!("|") >>
646 inputs: separated_list!(punct!(","), closure_arg) >>
647 punct!("|") >>
648 ret_and_body: alt!(
649 do_parse!(
650 punct!("->") >>
651 ty: ty >>
652 body: block >>
653 ((FunctionRetTy::Ty(ty), body))
654 )
655 |
656 map!(expr, |e| (
657 FunctionRetTy::Default,
658 Block {
659 stmts: vec![Stmt::Expr(Box::new(e))],
660 },
661 ))
662 ) >>
663 (Expr::Closure(
664 capture,
665 Box::new(FnDecl {
666 inputs: inputs,
667 output: ret_and_body.0,
668 }),
669 ret_and_body.1,
670 ))
671 ));
672
673 named!(closure_arg -> FnArg, do_parse!(
674 pat: pat >>
675 ty: option!(preceded!(punct!(":"), ty)) >>
676 (FnArg {
677 pat: pat,
678 ty: ty.unwrap_or(Ty::Infer),
679 })
680 ));
681
Gregory Katz3e562cc2016-09-28 18:33:02 -0400682 named!(expr_while -> Expr, do_parse!(
David Tolnay8b07f372016-09-30 10:28:40 -0700683 lbl: option!(terminated!(label, punct!(":"))) >>
David Tolnay57ffbde2016-09-30 09:38:04 -0700684 keyword!("while") >>
David Tolnaybb6feae2016-10-02 21:25:20 -0700685 cond: cond >>
Gregory Katz3e562cc2016-09-28 18:33:02 -0400686 while_block: block >>
David Tolnaybb6feae2016-10-02 21:25:20 -0700687 (match cond {
688 Cond::Let(pat, expr) => Expr::WhileLet(
689 Box::new(pat),
690 Box::new(expr),
691 while_block,
692 lbl,
693 ),
694 Cond::Expr(cond) => Expr::While(
695 Box::new(cond),
696 while_block,
697 lbl,
698 ),
699 })
Gregory Katz3e562cc2016-09-28 18:33:02 -0400700 ));
701
Gregory Katzfd6935d2016-09-30 22:51:25 -0400702 named!(expr_continue -> Expr, do_parse!(
703 keyword!("continue") >>
704 lbl: option!(label) >>
David Tolnay055a7042016-10-02 19:23:54 -0700705 (Expr::Continue(lbl))
Gregory Katzfd6935d2016-09-30 22:51:25 -0400706 ));
707
708 named!(expr_break -> Expr, do_parse!(
709 keyword!("break") >>
710 lbl: option!(label) >>
David Tolnay055a7042016-10-02 19:23:54 -0700711 (Expr::Break(lbl))
Gregory Katzfd6935d2016-09-30 22:51:25 -0400712 ));
713
714 named!(expr_ret -> Expr, do_parse!(
715 keyword!("return") >>
716 ret_value: option!(expr) >>
David Tolnay055a7042016-10-02 19:23:54 -0700717 (Expr::Ret(ret_value.map(Box::new)))
718 ));
719
720 named!(expr_struct -> Expr, do_parse!(
721 path: path >>
722 punct!("{") >>
723 fields: separated_list!(punct!(","), field_value) >>
724 base: option!(do_parse!(
725 cond!(!fields.is_empty(), punct!(",")) >>
726 punct!("..") >>
727 base: expr >>
728 (base)
729 )) >>
730 punct!("}") >>
731 (Expr::Struct(path, fields, base.map(Box::new)))
732 ));
733
734 named!(field_value -> FieldValue, do_parse!(
735 name: ident >>
736 punct!(":") >>
737 value: expr >>
738 (FieldValue {
739 ident: name,
740 expr: value,
741 })
742 ));
743
744 named!(expr_repeat -> Expr, do_parse!(
745 punct!("[") >>
746 value: expr >>
747 punct!(";") >>
748 times: expr >>
749 punct!("]") >>
750 (Expr::Repeat(Box::new(value), Box::new(times)))
Gregory Katzfd6935d2016-09-30 22:51:25 -0400751 ));
752
David Tolnay42602292016-10-01 22:25:45 -0700753 named!(expr_block -> Expr, do_parse!(
David Tolnay939766a2016-09-23 23:48:12 -0700754 rules: block_check_mode >>
David Tolnay42602292016-10-01 22:25:45 -0700755 b: block >>
David Tolnay89e05672016-10-02 14:39:42 -0700756 (Expr::Block(rules, Block {
David Tolnay42602292016-10-01 22:25:45 -0700757 stmts: b.stmts,
David Tolnay89e05672016-10-02 14:39:42 -0700758 }))
759 ));
760
David Tolnay9636c052016-10-02 17:11:17 -0700761 named!(expr_path -> Expr, map!(qpath, |(qself, path)| Expr::Path(qself, path)));
David Tolnay42602292016-10-01 22:25:45 -0700762
David Tolnay3c2467c2016-10-02 17:55:08 -0700763 named!(expr_addr_of -> Expr, do_parse!(
764 punct!("&") >>
765 mutability: mutability >>
766 expr: expr >>
767 (Expr::AddrOf(mutability, Box::new(expr)))
768 ));
769
David Tolnay42602292016-10-01 22:25:45 -0700770 named!(pub block -> Block, do_parse!(
David Tolnay939766a2016-09-23 23:48:12 -0700771 punct!("{") >>
772 stmts: within_block >>
773 punct!("}") >>
774 (Block {
775 stmts: stmts,
David Tolnay939766a2016-09-23 23:48:12 -0700776 })
777 ));
778
779 named!(block_check_mode -> BlockCheckMode, alt!(
David Tolnay10413f02016-09-30 09:12:02 -0700780 keyword!("unsafe") => { |_| BlockCheckMode::Unsafe }
David Tolnay939766a2016-09-23 23:48:12 -0700781 |
782 epsilon!() => { |_| BlockCheckMode::Default }
783 ));
784
785 named!(within_block -> Vec<Stmt>, do_parse!(
David Tolnaycfe55022016-10-02 22:02:27 -0700786 many0!(punct!(";")) >>
787 mut standalone: many0!(terminated!(standalone_stmt, many0!(punct!(";")))) >>
David Tolnay939766a2016-09-23 23:48:12 -0700788 last: option!(expr) >>
789 (match last {
David Tolnaycfe55022016-10-02 22:02:27 -0700790 None => standalone,
David Tolnay939766a2016-09-23 23:48:12 -0700791 Some(last) => {
David Tolnaycfe55022016-10-02 22:02:27 -0700792 standalone.push(Stmt::Expr(Box::new(last)));
793 standalone
David Tolnay939766a2016-09-23 23:48:12 -0700794 }
795 })
796 ));
797
798 named!(standalone_stmt -> Stmt, alt!(
David Tolnay191e0582016-10-02 18:31:09 -0700799 stmt_local
800 |
801 stmt_item
802 |
David Tolnaycfe55022016-10-02 22:02:27 -0700803 stmt_expr
David Tolnaya96a3fa2016-09-24 07:17:42 -0700804 // TODO: mac
David Tolnay939766a2016-09-23 23:48:12 -0700805 ));
806
David Tolnay191e0582016-10-02 18:31:09 -0700807 named!(stmt_local -> Stmt, do_parse!(
808 attrs: many0!(outer_attr) >>
809 keyword!("let") >>
810 pat: pat >>
811 ty: option!(preceded!(punct!(":"), ty)) >>
812 init: option!(preceded!(punct!("="), expr)) >>
813 punct!(";") >>
814 (Stmt::Local(Box::new(Local {
815 pat: Box::new(pat),
816 ty: ty.map(Box::new),
817 init: init.map(Box::new),
818 attrs: attrs,
819 })))
820 ));
821
822 named!(stmt_item -> Stmt, map!(item, |i| Stmt::Item(Box::new(i))));
823
David Tolnaycfe55022016-10-02 22:02:27 -0700824 fn requires_semi(e: &Expr) -> bool {
825 match *e {
826 Expr::Mac(ref mac) => {
827 let len = mac.tts.len();
828 if let TokenTree::Delimited(
829 Delimited {
830 delim: DelimToken::Brace,
831 ..
832 }
833 ) = mac.tts[len - 1] {
834 false
835 } else {
836 true
837 }
838 }
839
840 Expr::If(_, _, _) |
841 Expr::IfLet(_, _, _, _) |
842 Expr::While(_, _, _) |
843 Expr::WhileLet(_, _, _, _) |
844 Expr::ForLoop(_, _, _, _) |
845 Expr::Loop(_, _) |
846 Expr::Match(_, _) |
847 Expr::Block(_, _) => false,
848
849 _ => true,
850 }
851 }
852
853 named!(stmt_expr -> Stmt, do_parse!(
David Tolnay939766a2016-09-23 23:48:12 -0700854 e: expr >>
David Tolnaycfe55022016-10-02 22:02:27 -0700855 semi: option!(punct!(";")) >>
856 (if semi.is_some() {
857 Stmt::Semi(Box::new(e))
858 } else if requires_semi(&e) {
859 return Error;
860 } else {
861 Stmt::Expr(Box::new(e))
862 })
David Tolnay939766a2016-09-23 23:48:12 -0700863 ));
David Tolnay8b07f372016-09-30 10:28:40 -0700864
David Tolnay42602292016-10-01 22:25:45 -0700865 named!(pub pat -> Pat, alt!(
David Tolnayb4ad3b52016-10-01 21:58:13 -0700866 pat_wild
867 |
868 pat_ident
869 // TODO: Struct
870 // TODO: TupleStruct
David Tolnay9636c052016-10-02 17:11:17 -0700871 |
872 pat_path
David Tolnayb4ad3b52016-10-01 21:58:13 -0700873 // TODO: Tuple
874 // TODO: Box
875 // TODO: Ref
876 // TODO: Lit
877 // TODO: Range
878 // TODO: Vec
879 // TODO: Mac
880 ));
881
882 named!(pat_wild -> Pat, map!(keyword!("_"), |_| Pat::Wild));
883
884 named!(pat_ident -> Pat, do_parse!(
885 mode: option!(keyword!("ref")) >>
886 mutability: mutability >>
887 name: ident >>
888 subpat: option!(preceded!(punct!("@"), pat)) >>
889 (Pat::Ident(
890 if mode.is_some() {
891 BindingMode::ByRef(mutability)
892 } else {
893 BindingMode::ByValue(mutability)
894 },
895 name,
896 subpat.map(Box::new),
897 ))
898 ));
899
David Tolnay9636c052016-10-02 17:11:17 -0700900 named!(pat_path -> Pat, map!(qpath, |(qself, path)| Pat::Path(qself, path)));
901
David Tolnay89e05672016-10-02 14:39:42 -0700902 named!(capture_by -> CaptureBy, alt!(
903 keyword!("move") => { |_| CaptureBy::Value }
904 |
905 epsilon!() => { |_| CaptureBy::Ref }
906 ));
907
David Tolnay8b07f372016-09-30 10:28:40 -0700908 named!(label -> Ident, map!(lifetime, |lt: Lifetime| lt.ident));
David Tolnayb9c8e322016-09-23 20:48:37 -0700909}
910
David Tolnayf4bbbd92016-09-23 14:41:55 -0700911#[cfg(feature = "printing")]
912mod printing {
913 use super::*;
David Tolnay89e05672016-10-02 14:39:42 -0700914 use {FunctionRetTy, Mutability, Ty};
David Tolnayf4bbbd92016-09-23 14:41:55 -0700915 use quote::{Tokens, ToTokens};
916
917 impl ToTokens for Expr {
918 fn to_tokens(&self, tokens: &mut Tokens) {
919 match *self {
David Tolnaybb6feae2016-10-02 21:25:20 -0700920 Expr::Box(ref inner) => {
921 tokens.append("box");
922 inner.to_tokens(tokens);
923 }
924 Expr::Vec(ref tys) => {
925 tokens.append("[");
926 tokens.append_separated(tys, ",");
927 tokens.append("]");
928 }
David Tolnay9636c052016-10-02 17:11:17 -0700929 Expr::Call(ref func, ref args) => {
930 func.to_tokens(tokens);
931 tokens.append("(");
932 tokens.append_separated(args, ",");
933 tokens.append(")");
934 }
935 Expr::MethodCall(ref ident, ref ascript, ref args) => {
936 args[0].to_tokens(tokens);
937 tokens.append(".");
938 ident.to_tokens(tokens);
939 if ascript.len() > 0 {
940 tokens.append("::");
941 tokens.append("<");
942 tokens.append_separated(ascript, ",");
943 tokens.append(">");
944 }
945 tokens.append("(");
946 tokens.append_separated(&args[1..], ",");
947 tokens.append(")");
948 }
David Tolnay47a877c2016-10-01 16:50:55 -0700949 Expr::Tup(ref fields) => {
950 tokens.append("(");
951 tokens.append_separated(fields, ",");
952 if fields.len() == 1 {
953 tokens.append(",");
954 }
955 tokens.append(")");
956 }
David Tolnay89e05672016-10-02 14:39:42 -0700957 Expr::Binary(op, ref left, ref right) => {
958 left.to_tokens(tokens);
959 op.to_tokens(tokens);
960 right.to_tokens(tokens);
961 }
David Tolnay3c2467c2016-10-02 17:55:08 -0700962 Expr::Unary(op, ref expr) => {
963 op.to_tokens(tokens);
964 expr.to_tokens(tokens);
965 }
David Tolnayf4bbbd92016-09-23 14:41:55 -0700966 Expr::Lit(ref lit) => lit.to_tokens(tokens),
David Tolnay3c2467c2016-10-02 17:55:08 -0700967 Expr::Cast(ref expr, ref ty) => {
968 expr.to_tokens(tokens);
969 tokens.append("as");
970 ty.to_tokens(tokens);
971 }
972 Expr::Type(ref expr, ref ty) => {
973 expr.to_tokens(tokens);
974 tokens.append(":");
975 ty.to_tokens(tokens);
976 }
977 Expr::If(ref cond, ref then_block, ref else_block) => {
978 tokens.append("if");
979 cond.to_tokens(tokens);
980 then_block.to_tokens(tokens);
981 if let Some(ref else_block) = *else_block {
982 tokens.append("else");
983 else_block.to_tokens(tokens);
984 }
985 }
David Tolnay29f9ce12016-10-02 20:58:40 -0700986 Expr::IfLet(ref pat, ref expr, ref then_block, ref else_block) => {
987 tokens.append("if");
988 tokens.append("let");
989 pat.to_tokens(tokens);
990 tokens.append("=");
991 expr.to_tokens(tokens);
992 then_block.to_tokens(tokens);
993 if let Some(ref else_block) = *else_block {
994 tokens.append("else");
995 else_block.to_tokens(tokens);
996 }
997 }
David Tolnaybb6feae2016-10-02 21:25:20 -0700998 Expr::While(ref cond, ref body, ref label) => {
999 if let Some(ref label) = *label {
1000 label.to_tokens(tokens);
1001 tokens.append(":");
1002 }
1003 tokens.append("while");
1004 cond.to_tokens(tokens);
1005 body.to_tokens(tokens);
1006 }
1007 Expr::WhileLet(ref pat, ref expr, ref body, ref label) => {
1008 if let Some(ref label) = *label {
1009 label.to_tokens(tokens);
1010 tokens.append(":");
1011 }
1012 tokens.append("while");
1013 tokens.append("let");
1014 pat.to_tokens(tokens);
1015 tokens.append("=");
1016 expr.to_tokens(tokens);
1017 body.to_tokens(tokens);
1018 }
1019 Expr::ForLoop(ref pat, ref expr, ref body, ref label) => {
1020 if let Some(ref label) = *label {
1021 label.to_tokens(tokens);
1022 tokens.append(":");
1023 }
1024 tokens.append("for");
1025 pat.to_tokens(tokens);
1026 tokens.append("in");
1027 expr.to_tokens(tokens);
1028 body.to_tokens(tokens);
1029 }
1030 Expr::Loop(ref body, ref label) => {
1031 if let Some(ref label) = *label {
1032 label.to_tokens(tokens);
1033 tokens.append(":");
1034 }
1035 tokens.append("loop");
1036 body.to_tokens(tokens);
1037 }
David Tolnayb4ad3b52016-10-01 21:58:13 -07001038 Expr::Match(ref expr, ref arms) => {
1039 tokens.append("match");
1040 expr.to_tokens(tokens);
1041 tokens.append("{");
1042 tokens.append_separated(arms, ",");
1043 tokens.append("}");
1044 }
David Tolnay89e05672016-10-02 14:39:42 -07001045 Expr::Closure(capture, ref decl, ref body) => {
1046 capture.to_tokens(tokens);
1047 tokens.append("|");
1048 for (i, input) in decl.inputs.iter().enumerate() {
1049 if i > 0 {
1050 tokens.append(",");
1051 }
1052 input.pat.to_tokens(tokens);
1053 match input.ty {
1054 Ty::Infer => { /* nothing */ }
1055 _ => {
1056 tokens.append(":");
1057 input.ty.to_tokens(tokens);
1058 }
1059 }
1060 }
1061 tokens.append("|");
1062 match decl.output {
1063 FunctionRetTy::Default => {
1064 if body.stmts.len() == 1 {
1065 if let Stmt::Expr(ref expr) = body.stmts[0] {
1066 expr.to_tokens(tokens);
1067 } else {
1068 body.to_tokens(tokens);
1069 }
1070 } else {
1071 body.to_tokens(tokens);
1072 }
1073 }
1074 FunctionRetTy::Ty(ref ty) => {
1075 tokens.append("->");
1076 ty.to_tokens(tokens);
1077 body.to_tokens(tokens);
1078 }
1079 }
1080 }
1081 Expr::Block(rules, ref block) => {
1082 rules.to_tokens(tokens);
1083 block.to_tokens(tokens);
1084 }
David Tolnaybb6feae2016-10-02 21:25:20 -07001085 Expr::Assign(ref var, ref expr) => {
1086 var.to_tokens(tokens);
1087 tokens.append("=");
1088 expr.to_tokens(tokens);
1089 }
1090 Expr::AssignOp(op, ref var, ref expr) => {
1091 var.to_tokens(tokens);
1092 tokens.append(op.assign_op());
1093 expr.to_tokens(tokens);
1094 }
1095 Expr::Field(ref expr, ref field) => {
1096 expr.to_tokens(tokens);
1097 tokens.append(".");
1098 field.to_tokens(tokens);
1099 }
1100 Expr::TupField(ref expr, field) => {
1101 expr.to_tokens(tokens);
1102 tokens.append(".");
1103 tokens.append(&field.to_string());
1104 }
1105 Expr::Index(ref expr, ref index) => {
1106 expr.to_tokens(tokens);
1107 tokens.append("[");
1108 index.to_tokens(tokens);
1109 tokens.append("]");
1110 }
1111 Expr::Range(ref from, ref to, limits) => {
1112 from.to_tokens(tokens);
1113 match limits {
1114 RangeLimits::HalfOpen => tokens.append(".."),
1115 RangeLimits::Closed => tokens.append("..."),
1116 }
1117 to.to_tokens(tokens);
1118 }
David Tolnay89e05672016-10-02 14:39:42 -07001119 Expr::Path(None, ref path) => {
1120 path.to_tokens(tokens);
1121 }
1122 Expr::Path(Some(ref qself), ref path) => {
1123 tokens.append("<");
1124 qself.ty.to_tokens(tokens);
1125 if qself.position > 0 {
1126 tokens.append("as");
1127 for (i, segment) in path.segments.iter()
1128 .take(qself.position)
1129 .enumerate()
1130 {
1131 if i > 0 || path.global {
1132 tokens.append("::");
1133 }
1134 segment.to_tokens(tokens);
1135 }
1136 }
1137 tokens.append(">");
1138 for segment in path.segments.iter().skip(qself.position) {
1139 tokens.append("::");
1140 segment.to_tokens(tokens);
1141 }
1142 }
David Tolnay3c2467c2016-10-02 17:55:08 -07001143 Expr::AddrOf(mutability, ref expr) => {
1144 tokens.append("&");
1145 mutability.to_tokens(tokens);
1146 expr.to_tokens(tokens);
1147 }
1148 Expr::Break(ref opt_label) => {
1149 tokens.append("break");
1150 opt_label.to_tokens(tokens);
1151 }
1152 Expr::Continue(ref opt_label) => {
1153 tokens.append("continue");
1154 opt_label.to_tokens(tokens);
1155 }
David Tolnay42602292016-10-01 22:25:45 -07001156 Expr::Ret(ref opt_expr) => {
1157 tokens.append("return");
1158 opt_expr.to_tokens(tokens);
1159 }
David Tolnay47a877c2016-10-01 16:50:55 -07001160 Expr::Mac(ref _mac) => unimplemented!(),
David Tolnay055a7042016-10-02 19:23:54 -07001161 Expr::Struct(ref path, ref fields, ref base) => {
1162 path.to_tokens(tokens);
1163 tokens.append("{");
1164 tokens.append_separated(fields, ",");
1165 if let Some(ref base) = *base {
1166 if !fields.is_empty() {
1167 tokens.append(",");
1168 }
1169 tokens.append("..");
1170 base.to_tokens(tokens);
1171 }
1172 tokens.append("}");
1173 }
1174 Expr::Repeat(ref expr, ref times) => {
1175 tokens.append("[");
1176 expr.to_tokens(tokens);
1177 tokens.append(";");
1178 times.to_tokens(tokens);
1179 tokens.append("]");
1180 }
David Tolnay89e05672016-10-02 14:39:42 -07001181 Expr::Paren(ref expr) => {
1182 tokens.append("(");
1183 expr.to_tokens(tokens);
1184 tokens.append(")");
1185 }
David Tolnay3c2467c2016-10-02 17:55:08 -07001186 Expr::Try(ref expr) => {
1187 expr.to_tokens(tokens);
1188 tokens.append("?");
1189 }
David Tolnayf4bbbd92016-09-23 14:41:55 -07001190 }
1191 }
1192 }
David Tolnayb4ad3b52016-10-01 21:58:13 -07001193
David Tolnaybb6feae2016-10-02 21:25:20 -07001194 impl BinOp {
1195 fn op(&self) -> &'static str {
1196 match *self {
1197 BinOp::Add => "+",
1198 BinOp::Sub => "-",
1199 BinOp::Mul => "*",
1200 BinOp::Div => "/",
1201 BinOp::Rem => "%",
1202 BinOp::And => "&&",
1203 BinOp::Or => "||",
1204 BinOp::BitXor => "^",
1205 BinOp::BitAnd => "&",
1206 BinOp::BitOr => "|",
1207 BinOp::Shl => "<<",
1208 BinOp::Shr => ">>",
1209 BinOp::Eq => "==",
1210 BinOp::Lt => "<",
1211 BinOp::Le => "<=",
1212 BinOp::Ne => "!=",
1213 BinOp::Ge => ">=",
1214 BinOp::Gt => ">",
1215 }
1216 }
1217
1218 fn assign_op(&self) -> &'static str {
1219 match *self {
1220 BinOp::Add => "+=",
1221 BinOp::Sub => "-=",
1222 BinOp::Mul => "*=",
1223 BinOp::Div => "/=",
1224 BinOp::Rem => "%=",
1225 BinOp::BitXor => "^=",
1226 BinOp::BitAnd => "&=",
1227 BinOp::BitOr => "|=",
1228 BinOp::Shl => "<<=",
1229 BinOp::Shr => ">>=",
1230 _ => panic!("bad assignment operator"),
1231 }
1232 }
1233 }
1234
David Tolnay89e05672016-10-02 14:39:42 -07001235 impl ToTokens for BinOp {
1236 fn to_tokens(&self, tokens: &mut Tokens) {
David Tolnaybb6feae2016-10-02 21:25:20 -07001237 tokens.append(self.op());
1238 }
1239 }
1240
1241 impl UnOp {
1242 fn op(&self) -> &'static str {
David Tolnay89e05672016-10-02 14:39:42 -07001243 match *self {
David Tolnaybb6feae2016-10-02 21:25:20 -07001244 UnOp::Deref => "*",
1245 UnOp::Not => "!",
1246 UnOp::Neg => "-",
David Tolnay89e05672016-10-02 14:39:42 -07001247 }
1248 }
1249 }
1250
David Tolnay3c2467c2016-10-02 17:55:08 -07001251 impl ToTokens for UnOp {
1252 fn to_tokens(&self, tokens: &mut Tokens) {
David Tolnaybb6feae2016-10-02 21:25:20 -07001253 tokens.append(self.op());
David Tolnay3c2467c2016-10-02 17:55:08 -07001254 }
1255 }
1256
David Tolnay055a7042016-10-02 19:23:54 -07001257 impl ToTokens for FieldValue {
1258 fn to_tokens(&self, tokens: &mut Tokens) {
1259 self.ident.to_tokens(tokens);
1260 tokens.append(":");
1261 self.expr.to_tokens(tokens);
1262 }
1263 }
1264
David Tolnayb4ad3b52016-10-01 21:58:13 -07001265 impl ToTokens for Arm {
1266 fn to_tokens(&self, tokens: &mut Tokens) {
1267 for attr in &self.attrs {
1268 attr.to_tokens(tokens);
1269 }
1270 tokens.append_separated(&self.pats, "|");
1271 if let Some(ref guard) = self.guard {
1272 tokens.append("if");
1273 guard.to_tokens(tokens);
1274 }
1275 tokens.append("=>");
1276 self.body.to_tokens(tokens);
1277 match *self.body {
David Tolnay89e05672016-10-02 14:39:42 -07001278 Expr::Block(_, _) => { /* no comma */ }
David Tolnayb4ad3b52016-10-01 21:58:13 -07001279 _ => tokens.append(","),
1280 }
1281 }
1282 }
1283
1284 impl ToTokens for Pat {
1285 fn to_tokens(&self, tokens: &mut Tokens) {
1286 match *self {
1287 Pat::Wild => tokens.append("_"),
1288 Pat::Ident(mode, ref ident, ref subpat) => {
1289 mode.to_tokens(tokens);
1290 ident.to_tokens(tokens);
1291 if let Some(ref subpat) = *subpat {
1292 tokens.append("@");
1293 subpat.to_tokens(tokens);
1294 }
1295 }
1296 Pat::Struct(ref _path, ref _fields, _dots) => unimplemented!(),
1297 Pat::TupleStruct(ref _path, ref _pats, _dotpos) => unimplemented!(),
1298 Pat::Path(ref _qself, ref _path) => unimplemented!(),
1299 Pat::Tuple(ref _pats, _dotpos) => unimplemented!(),
1300 Pat::Box(ref _inner) => unimplemented!(),
1301 Pat::Ref(ref _target, _mutability) => unimplemented!(),
1302 Pat::Lit(ref _expr) => unimplemented!(),
1303 Pat::Range(ref _lower, ref _upper) => unimplemented!(),
1304 Pat::Vec(ref _before, ref _dots, ref _after) => unimplemented!(),
1305 Pat::Mac(ref _mac) => unimplemented!(),
1306 }
1307 }
1308 }
1309
1310 impl ToTokens for BindingMode {
1311 fn to_tokens(&self, tokens: &mut Tokens) {
1312 match *self {
1313 BindingMode::ByRef(Mutability::Immutable) => {
1314 tokens.append("ref");
1315 }
1316 BindingMode::ByRef(Mutability::Mutable) => {
1317 tokens.append("ref");
1318 tokens.append("mut");
1319 }
1320 BindingMode::ByValue(Mutability::Immutable) => {}
1321 BindingMode::ByValue(Mutability::Mutable) => {
1322 tokens.append("mut");
1323 }
1324 }
1325 }
1326 }
David Tolnay42602292016-10-01 22:25:45 -07001327
David Tolnay89e05672016-10-02 14:39:42 -07001328 impl ToTokens for CaptureBy {
1329 fn to_tokens(&self, tokens: &mut Tokens) {
1330 match *self {
1331 CaptureBy::Value => tokens.append("move"),
1332 CaptureBy::Ref => { /* nothing */ }
1333 }
1334 }
1335 }
1336
David Tolnay42602292016-10-01 22:25:45 -07001337 impl ToTokens for Block {
1338 fn to_tokens(&self, tokens: &mut Tokens) {
David Tolnay42602292016-10-01 22:25:45 -07001339 tokens.append("{");
1340 for stmt in &self.stmts {
1341 stmt.to_tokens(tokens);
1342 }
1343 tokens.append("}");
1344 }
1345 }
1346
1347 impl ToTokens for BlockCheckMode {
1348 fn to_tokens(&self, tokens: &mut Tokens) {
1349 match *self {
David Tolnay89e05672016-10-02 14:39:42 -07001350 BlockCheckMode::Default => { /* nothing */ }
David Tolnay42602292016-10-01 22:25:45 -07001351 BlockCheckMode::Unsafe => tokens.append("unsafe"),
1352 }
1353 }
1354 }
1355
1356 impl ToTokens for Stmt {
1357 fn to_tokens(&self, tokens: &mut Tokens) {
1358 match *self {
David Tolnay191e0582016-10-02 18:31:09 -07001359 Stmt::Local(ref local) => local.to_tokens(tokens),
David Tolnay42602292016-10-01 22:25:45 -07001360 Stmt::Item(ref item) => item.to_tokens(tokens),
1361 Stmt::Expr(ref expr) => expr.to_tokens(tokens),
1362 Stmt::Semi(ref expr) => {
1363 expr.to_tokens(tokens);
1364 tokens.append(";");
1365 }
1366 Stmt::Mac(ref _mac) => unimplemented!(),
1367 }
1368 }
1369 }
David Tolnay191e0582016-10-02 18:31:09 -07001370
1371 impl ToTokens for Local {
1372 fn to_tokens(&self, tokens: &mut Tokens) {
1373 tokens.append("let");
1374 self.pat.to_tokens(tokens);
1375 if let Some(ref ty) = self.ty {
1376 tokens.append(":");
1377 ty.to_tokens(tokens);
1378 }
1379 if let Some(ref init) = self.init {
1380 tokens.append("=");
1381 init.to_tokens(tokens);
1382 }
1383 tokens.append(";");
1384 }
1385 }
David Tolnayf4bbbd92016-09-23 14:41:55 -07001386}