blob: 18249228a1695f9033a925b12388214f61005318 [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 }`
42 If(Box<Expr>, Box<Block>, Option<Box<Expr>>),
43 /// 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.
48 IfLet(Box<Pat>, Box<Expr>, Box<Block>, Option<Box<Expr>>),
49 /// A while loop, with an optional label
50 ///
51 /// `'label: while expr { block }`
52 While(Box<Expr>, Box<Block>, Option<Ident>),
53 /// 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.
58 WhileLet(Box<Pat>, Box<Expr>, Box<Block>, Option<Ident>),
59 /// 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.
64 ForLoop(Box<Pat>, Box<Expr>, Box<Block>, Option<Ident>),
65 /// Conditionless loop (can be exited with break, continue, or return)
66 ///
67 /// `'label: loop { block }`
68 Loop(Box<Block>, Option<Ident>),
69 /// A `match` block.
70 Match(Box<Expr>, Vec<Arm>),
71 /// A closure (for example, `move |a, b, c| {a + b + c}`)
72 Closure(CaptureBy, Box<FnDecl>, Box<Block>),
73 /// A block (`{ ... }`)
74 Block(Box<Block>),
75
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>`.
116 Struct(Path, Vec<Field>, Option<Box<Expr>>),
117
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
131/// A Block (`{ .. }`).
132///
133/// E.g. `{ .. }` as in `fn foo() { .. }`
134#[derive(Debug, Clone, Eq, PartialEq)]
135pub struct Block {
136 /// Statements in a block
137 pub stmts: Vec<Stmt>,
138 /// Distinguishes between `unsafe { ... }` and `{ ... }`
139 pub rules: BlockCheckMode,
140}
141
142#[derive(Debug, Copy, Clone, Eq, PartialEq)]
143pub enum BlockCheckMode {
144 Default,
145 Unsafe,
146}
147
148#[derive(Debug, Clone, Eq, PartialEq)]
149pub enum Stmt {
150 /// A local (let) binding.
151 Local(Box<Local>),
152
153 /// An item definition.
154 Item(Box<Item>),
155
156 /// Expr without trailing semi-colon.
157 Expr(Box<Expr>),
158
159 Semi(Box<Expr>),
160
161 Mac(Box<(Mac, MacStmtStyle, Vec<Attribute>)>),
162}
163
164#[derive(Debug, Copy, Clone, Eq, PartialEq)]
165pub enum MacStmtStyle {
166 /// The macro statement had a trailing semicolon, e.g. `foo! { ... };`
167 /// `foo!(...);`, `foo![...];`
168 Semicolon,
169 /// The macro statement had braces; e.g. foo! { ... }
170 Braces,
171 /// The macro statement had parentheses or brackets and no semicolon; e.g.
172 /// `foo!(...)`. All of these will end up being converted into macro
173 /// expressions.
174 NoBraces,
175}
176
177/// Local represents a `let` statement, e.g., `let <pat>:<ty> = <expr>;`
178#[derive(Debug, Clone, Eq, PartialEq)]
179pub struct Local {
180 pub pat: Box<Pat>,
181 pub ty: Option<Box<Ty>>,
182 /// Initializer expression to set the value, if any
183 pub init: Option<Box<Expr>>,
184 pub attrs: Vec<Attribute>,
185}
186
187#[derive(Debug, Copy, Clone, Eq, PartialEq)]
188pub enum BinOp {
189 /// The `+` operator (addition)
190 Add,
191 /// The `-` operator (subtraction)
192 Sub,
193 /// The `*` operator (multiplication)
194 Mul,
195 /// The `/` operator (division)
196 Div,
197 /// The `%` operator (modulus)
198 Rem,
199 /// The `&&` operator (logical and)
200 And,
201 /// The `||` operator (logical or)
202 Or,
203 /// The `^` operator (bitwise xor)
204 BitXor,
205 /// The `&` operator (bitwise and)
206 BitAnd,
207 /// The `|` operator (bitwise or)
208 BitOr,
209 /// The `<<` operator (shift left)
210 Shl,
211 /// The `>>` operator (shift right)
212 Shr,
213 /// The `==` operator (equality)
214 Eq,
215 /// The `<` operator (less than)
216 Lt,
217 /// The `<=` operator (less than or equal to)
218 Le,
219 /// The `!=` operator (not equal to)
220 Ne,
221 /// The `>=` operator (greater than or equal to)
222 Ge,
223 /// The `>` operator (greater than)
224 Gt,
225}
226
227#[derive(Debug, Copy, Clone, Eq, PartialEq)]
228pub enum UnOp {
229 /// The `*` operator for dereferencing
230 Deref,
231 /// The `!` operator for logical inversion
232 Not,
233 /// The `-` operator for negation
234 Neg,
235}
236
237#[derive(Debug, Clone, Eq, PartialEq)]
238pub enum Pat {
239 /// Represents a wildcard pattern (`_`)
240 Wild,
241
David Tolnay432afc02016-09-24 07:37:13 -0700242 /// A `Pat::Ident` may either be a new bound variable (`ref mut binding @ OPT_SUBPATTERN`),
David Tolnayf4bbbd92016-09-23 14:41:55 -0700243 /// or a unit struct/variant pattern, or a const pattern (in the last two cases the third
244 /// field must be `None`). Disambiguation cannot be done with parser alone, so it happens
245 /// during name resolution.
246 Ident(BindingMode, Ident, Option<Box<Pat>>),
247
248 /// A struct or struct variant pattern, e.g. `Variant {x, y, ..}`.
249 /// The `bool` is `true` in the presence of a `..`.
250 Struct(Path, Vec<FieldPat>, bool),
251
252 /// A tuple struct/variant pattern `Variant(x, y, .., z)`.
253 /// If the `..` pattern fragment is present, then `Option<usize>` denotes its position.
254 /// 0 <= position <= subpats.len()
255 TupleStruct(Path, Vec<Pat>, Option<usize>),
256
257 /// A possibly qualified path pattern.
258 /// Unquailfied path patterns `A::B::C` can legally refer to variants, structs, constants
259 /// or associated constants. Quailfied path patterns `<A>::B::C`/`<A as Trait>::B::C` can
260 /// only legally refer to associated constants.
261 Path(Option<QSelf>, Path),
262
263 /// A tuple pattern `(a, b)`.
264 /// If the `..` pattern fragment is present, then `Option<usize>` denotes its position.
265 /// 0 <= position <= subpats.len()
266 Tuple(Vec<Pat>, Option<usize>),
267 /// A `box` pattern
268 Box(Box<Pat>),
269 /// A reference pattern, e.g. `&mut (a, b)`
270 Ref(Box<Pat>, Mutability),
271 /// A literal
272 Lit(Box<Expr>),
273 /// A range pattern, e.g. `1...2`
274 Range(Box<Expr>, Box<Expr>),
275 /// `[a, b, ..i, y, z]` is represented as:
David Tolnay432afc02016-09-24 07:37:13 -0700276 /// `Pat::Vec(box [a, b], Some(i), box [y, z])`
David Tolnayf4bbbd92016-09-23 14:41:55 -0700277 Vec(Vec<Pat>, Option<Box<Pat>>, Vec<Pat>),
278 /// A macro pattern; pre-expansion
279 Mac(Mac),
280}
281
David Tolnay771ecf42016-09-23 19:26:37 -0700282/// An arm of a 'match'.
283///
284/// E.g. `0...10 => { println!("match!") }` as in
285///
286/// ```rust,ignore
287/// match n {
288/// 0...10 => { println!("match!") },
289/// // ..
290/// }
291/// ```
David Tolnayf4bbbd92016-09-23 14:41:55 -0700292#[derive(Debug, Clone, Eq, PartialEq)]
293pub struct Arm {
294 pub attrs: Vec<Attribute>,
295 pub pats: Vec<Pat>,
296 pub guard: Option<Box<Expr>>,
297 pub body: Box<Expr>,
298}
299
300/// A capture clause
301#[derive(Debug, Copy, Clone, Eq, PartialEq)]
302pub enum CaptureBy {
303 Value,
304 Ref,
305}
306
307/// Limit types of a range (inclusive or exclusive)
308#[derive(Debug, Copy, Clone, Eq, PartialEq)]
309pub enum RangeLimits {
310 /// Inclusive at the beginning, exclusive at the end
311 HalfOpen,
312 /// Inclusive at the beginning and end
313 Closed,
314}
315
316/// A single field in a struct pattern
317///
318/// Patterns like the fields of Foo `{ x, ref y, ref mut z }`
David Tolnay181bac52016-09-24 00:10:05 -0700319/// are treated the same as `x: x, y: ref y, z: ref mut z`,
David Tolnayaed77b02016-09-23 20:50:31 -0700320/// except `is_shorthand` is true
David Tolnayf4bbbd92016-09-23 14:41:55 -0700321#[derive(Debug, Clone, Eq, PartialEq)]
322pub struct FieldPat {
323 /// The identifier for the field
324 pub ident: Ident,
325 /// The pattern the field is destructured to
326 pub pat: Box<Pat>,
327 pub is_shorthand: bool,
328}
329
330#[derive(Debug, Copy, Clone, Eq, PartialEq)]
331pub enum BindingMode {
332 ByRef(Mutability),
333 ByValue(Mutability),
334}
335
David Tolnayb9c8e322016-09-23 20:48:37 -0700336#[cfg(feature = "parsing")]
337pub mod parsing {
338 use super::*;
David Tolnay8b07f372016-09-30 10:28:40 -0700339 use {Ident, Lifetime, Ty};
David Tolnayb4ad3b52016-10-01 21:58:13 -0700340 use attr::parsing::outer_attr;
Gregory Katz1b69f682016-09-27 21:06:09 -0400341 use generics::parsing::lifetime;
David Tolnayfa0edf22016-09-23 22:58:24 -0700342 use ident::parsing::ident;
343 use lit::parsing::lit;
David Tolnayb4ad3b52016-10-01 21:58:13 -0700344 use ty::parsing::{mutability, ty};
David Tolnayb9c8e322016-09-23 20:48:37 -0700345
David Tolnayfa0edf22016-09-23 22:58:24 -0700346 named!(pub expr -> Expr, do_parse!(
347 mut e: alt!(
David Tolnay939766a2016-09-23 23:48:12 -0700348 expr_box
David Tolnayfa0edf22016-09-23 22:58:24 -0700349 |
David Tolnay939766a2016-09-23 23:48:12 -0700350 expr_vec
David Tolnayfa0edf22016-09-23 22:58:24 -0700351 |
David Tolnay939766a2016-09-23 23:48:12 -0700352 expr_tup
David Tolnayfa0edf22016-09-23 22:58:24 -0700353 |
David Tolnay939766a2016-09-23 23:48:12 -0700354 expr_unary
David Tolnayfa0edf22016-09-23 22:58:24 -0700355 |
David Tolnay939766a2016-09-23 23:48:12 -0700356 expr_lit
357 |
358 expr_if
David Tolnaya96a3fa2016-09-24 07:17:42 -0700359 // TODO: IfLet
Gregory Katz3e562cc2016-09-28 18:33:02 -0400360 |
361 expr_while
David Tolnaya96a3fa2016-09-24 07:17:42 -0700362 // TODO: WhileLet
363 // TODO: ForLoop
364 // TODO: Loop
365 // TODO: ForLoop
Gregory Katze5f35682016-09-27 14:20:55 -0400366 |
367 expr_loop
David Tolnayb4ad3b52016-10-01 21:58:13 -0700368 |
369 expr_match
David Tolnaya96a3fa2016-09-24 07:17:42 -0700370 // TODO: Closure
David Tolnay939766a2016-09-23 23:48:12 -0700371 |
372 expr_block
David Tolnaya96a3fa2016-09-24 07:17:42 -0700373 // TODO: Path
374 // TODO: AddrOf
Gregory Katzfd6935d2016-09-30 22:51:25 -0400375 |
376 expr_break
377 |
378 expr_continue
379 |
380 expr_ret
David Tolnaya96a3fa2016-09-24 07:17:42 -0700381 // TODO: Mac
382 // TODO: Struct
383 // TODO: Repeat
384 // TODO: Pparen
David Tolnayfa0edf22016-09-23 22:58:24 -0700385 ) >>
386 many0!(alt!(
David Tolnay939766a2016-09-23 23:48:12 -0700387 tap!(args: and_call => {
388 e = Expr::Call(Box::new(e), args);
David Tolnayfa0edf22016-09-23 22:58:24 -0700389 })
390 |
David Tolnay939766a2016-09-23 23:48:12 -0700391 tap!(more: and_method_call => {
392 let (method, ascript, mut args) = more;
David Tolnayfa0edf22016-09-23 22:58:24 -0700393 args.insert(0, e);
394 e = Expr::MethodCall(method, ascript, args);
395 })
396 |
David Tolnay939766a2016-09-23 23:48:12 -0700397 tap!(more: and_binary => {
398 let (op, other) = more;
David Tolnayfa0edf22016-09-23 22:58:24 -0700399 e = Expr::Binary(op, Box::new(e), Box::new(other));
400 })
David Tolnay939766a2016-09-23 23:48:12 -0700401 |
402 tap!(ty: and_cast => {
403 e = Expr::Cast(Box::new(e), Box::new(ty));
404 })
405 |
406 tap!(ty: and_ascription => {
407 e = Expr::Type(Box::new(e), Box::new(ty));
408 })
David Tolnaya96a3fa2016-09-24 07:17:42 -0700409 // TODO: Assign
410 // TODO: AssignOp
411 // TODO: Field
412 // TODO: TupField
413 // TODO: Index
414 // TODO: Range
415 // TODO: Try
David Tolnayfa0edf22016-09-23 22:58:24 -0700416 )) >>
417 (e)
David Tolnayb9c8e322016-09-23 20:48:37 -0700418 ));
419
David Tolnay939766a2016-09-23 23:48:12 -0700420 named!(expr_box -> Expr, do_parse!(
David Tolnay10413f02016-09-30 09:12:02 -0700421 keyword!("box") >>
David Tolnayb9c8e322016-09-23 20:48:37 -0700422 inner: expr >>
423 (Expr::Box(Box::new(inner)))
424 ));
David Tolnayfa0edf22016-09-23 22:58:24 -0700425
David Tolnay939766a2016-09-23 23:48:12 -0700426 named!(expr_vec -> Expr, do_parse!(
David Tolnayfa0edf22016-09-23 22:58:24 -0700427 punct!("[") >>
428 elems: separated_list!(punct!(","), expr) >>
429 punct!("]") >>
430 (Expr::Vec(elems))
431 ));
432
David Tolnay939766a2016-09-23 23:48:12 -0700433 named!(and_call -> Vec<Expr>, do_parse!(
David Tolnayfa0edf22016-09-23 22:58:24 -0700434 punct!("(") >>
435 args: separated_list!(punct!(","), expr) >>
436 punct!(")") >>
437 (args)
438 ));
439
David Tolnay939766a2016-09-23 23:48:12 -0700440 named!(and_method_call -> (Ident, Vec<Ty>, Vec<Expr>), do_parse!(
David Tolnayfa0edf22016-09-23 22:58:24 -0700441 punct!(".") >>
442 method: ident >>
443 ascript: opt_vec!(delimited!(
444 punct!("<"),
445 separated_list!(punct!(","), ty),
446 punct!(">")
447 )) >>
448 punct!("(") >>
449 args: separated_list!(punct!(","), expr) >>
450 punct!(")") >>
451 (method, ascript, args)
452 ));
453
David Tolnay939766a2016-09-23 23:48:12 -0700454 named!(expr_tup -> Expr, do_parse!(
David Tolnayfa0edf22016-09-23 22:58:24 -0700455 punct!("(") >>
456 elems: separated_list!(punct!(","), expr) >>
457 punct!(")") >>
458 (Expr::Tup(elems))
459 ));
460
David Tolnay939766a2016-09-23 23:48:12 -0700461 named!(and_binary -> (BinOp, Expr), tuple!(
David Tolnayfa0edf22016-09-23 22:58:24 -0700462 alt!(
463 punct!("&&") => { |_| BinOp::And }
464 |
465 punct!("||") => { |_| BinOp::Or }
466 |
467 punct!("<<") => { |_| BinOp::Shl }
468 |
469 punct!(">>") => { |_| BinOp::Shr }
470 |
471 punct!("==") => { |_| BinOp::Eq }
472 |
473 punct!("<=") => { |_| BinOp::Le }
474 |
475 punct!("!=") => { |_| BinOp::Ne }
476 |
477 punct!(">=") => { |_| BinOp::Ge }
478 |
479 punct!("+") => { |_| BinOp::Add }
480 |
481 punct!("-") => { |_| BinOp::Sub }
482 |
483 punct!("*") => { |_| BinOp::Mul }
484 |
485 punct!("/") => { |_| BinOp::Div }
486 |
487 punct!("%") => { |_| BinOp::Rem }
488 |
489 punct!("^") => { |_| BinOp::BitXor }
490 |
491 punct!("&") => { |_| BinOp::BitAnd }
492 |
493 punct!("|") => { |_| BinOp::BitOr }
494 |
495 punct!("<") => { |_| BinOp::Lt }
496 |
497 punct!(">") => { |_| BinOp::Gt }
498 ),
499 expr
500 ));
501
David Tolnay939766a2016-09-23 23:48:12 -0700502 named!(expr_unary -> Expr, do_parse!(
David Tolnayfa0edf22016-09-23 22:58:24 -0700503 operator: alt!(
504 punct!("*") => { |_| UnOp::Deref }
505 |
506 punct!("!") => { |_| UnOp::Not }
507 |
508 punct!("-") => { |_| UnOp::Neg }
509 ) >>
510 operand: expr >>
511 (Expr::Unary(operator, Box::new(operand)))
512 ));
David Tolnay939766a2016-09-23 23:48:12 -0700513
514 named!(expr_lit -> Expr, map!(lit, Expr::Lit));
515
516 named!(and_cast -> Ty, do_parse!(
David Tolnay10413f02016-09-30 09:12:02 -0700517 keyword!("as") >>
David Tolnay939766a2016-09-23 23:48:12 -0700518 ty: ty >>
519 (ty)
520 ));
521
522 named!(and_ascription -> Ty, preceded!(punct!(":"), ty));
523
524 named!(expr_if -> Expr, do_parse!(
David Tolnay10413f02016-09-30 09:12:02 -0700525 keyword!("if") >>
David Tolnay939766a2016-09-23 23:48:12 -0700526 cond: expr >>
527 punct!("{") >>
528 then_block: within_block >>
529 punct!("}") >>
530 else_block: option!(preceded!(
David Tolnay10413f02016-09-30 09:12:02 -0700531 keyword!("else"),
David Tolnay939766a2016-09-23 23:48:12 -0700532 alt!(
533 expr_if
534 |
535 do_parse!(
536 punct!("{") >>
537 else_block: within_block >>
538 punct!("}") >>
539 (Expr::Block(Box::new(Block {
540 stmts: else_block,
541 rules: BlockCheckMode::Default,
542 })))
543 )
544 )
545 )) >>
546 (Expr::If(
547 Box::new(cond),
548 Box::new(Block {
549 stmts: then_block,
550 rules: BlockCheckMode::Default,
551 }),
552 else_block.map(Box::new),
553 ))
554 ));
555
Gregory Katze5f35682016-09-27 14:20:55 -0400556 named!(expr_loop -> Expr, do_parse!(
David Tolnay8b07f372016-09-30 10:28:40 -0700557 lbl: option!(terminated!(label, punct!(":"))) >>
David Tolnay10413f02016-09-30 09:12:02 -0700558 keyword!("loop") >>
Gregory Katze5f35682016-09-27 14:20:55 -0400559 loop_block: block >>
560 (Expr::Loop(
561 Box::new(loop_block),
David Tolnay8b07f372016-09-30 10:28:40 -0700562 lbl,
Gregory Katze5f35682016-09-27 14:20:55 -0400563 ))
564 ));
565
David Tolnayb4ad3b52016-10-01 21:58:13 -0700566 named!(expr_match -> Expr, do_parse!(
567 keyword!("match") >>
568 obj: expr >>
569 punct!("{") >>
570 arms: many0!(do_parse!(
571 attrs: many0!(outer_attr) >>
572 pats: separated_nonempty_list!(punct!("|"), pat) >>
573 guard: option!(preceded!(keyword!("if"), expr)) >>
574 punct!("=>") >>
575 body: alt!(
576 terminated!(expr, punct!(","))
577 |
578 map!(block, |blk| Expr::Block(Box::new(blk)))
579 ) >>
580 (Arm {
581 attrs: attrs,
582 pats: pats,
583 guard: guard.map(Box::new),
584 body: Box::new(body),
585 })
586 )) >>
587 punct!("}") >>
588 (Expr::Match(Box::new(obj), arms))
589 ));
590
Gregory Katz3e562cc2016-09-28 18:33:02 -0400591 named!(expr_while -> Expr, do_parse!(
David Tolnay8b07f372016-09-30 10:28:40 -0700592 lbl: option!(terminated!(label, punct!(":"))) >>
David Tolnay57ffbde2016-09-30 09:38:04 -0700593 keyword!("while") >>
Gregory Katz3e562cc2016-09-28 18:33:02 -0400594 cond: expr >>
595 while_block: block >>
596 (Expr::While(
597 Box::new(cond),
598 Box::new(while_block),
David Tolnay8b07f372016-09-30 10:28:40 -0700599 lbl,
Gregory Katz3e562cc2016-09-28 18:33:02 -0400600 ))
601 ));
602
Gregory Katzfd6935d2016-09-30 22:51:25 -0400603 named!(expr_continue -> Expr, do_parse!(
604 keyword!("continue") >>
605 lbl: option!(label) >>
606 (Expr::Continue(
607 lbl,
608 ))
609 ));
610
611 named!(expr_break -> Expr, do_parse!(
612 keyword!("break") >>
613 lbl: option!(label) >>
614 (Expr::Break(
615 lbl,
616 ))
617 ));
618
619 named!(expr_ret -> Expr, do_parse!(
620 keyword!("return") >>
621 ret_value: option!(expr) >>
622 (Expr::Ret(
623 ret_value.map(Box::new),
624 ))
625 ));
626
David Tolnay939766a2016-09-23 23:48:12 -0700627 named!(expr_block -> Expr, map!(block, |b| Expr::Block(Box::new(b))));
628
629 named!(block -> Block, do_parse!(
630 rules: block_check_mode >>
631 punct!("{") >>
632 stmts: within_block >>
633 punct!("}") >>
634 (Block {
635 stmts: stmts,
636 rules: rules,
637 })
638 ));
639
640 named!(block_check_mode -> BlockCheckMode, alt!(
David Tolnay10413f02016-09-30 09:12:02 -0700641 keyword!("unsafe") => { |_| BlockCheckMode::Unsafe }
David Tolnay939766a2016-09-23 23:48:12 -0700642 |
643 epsilon!() => { |_| BlockCheckMode::Default }
644 ));
645
646 named!(within_block -> Vec<Stmt>, do_parse!(
David Tolnay181bac52016-09-24 00:10:05 -0700647 mut most: many0!(standalone_stmt) >>
David Tolnay939766a2016-09-23 23:48:12 -0700648 last: option!(expr) >>
649 (match last {
650 None => most,
651 Some(last) => {
David Tolnay939766a2016-09-23 23:48:12 -0700652 most.push(Stmt::Expr(Box::new(last)));
653 most
654 }
655 })
656 ));
657
658 named!(standalone_stmt -> Stmt, alt!(
David Tolnaya96a3fa2016-09-24 07:17:42 -0700659 // TODO: local
660 // TODO: item
661 // TODO: expr
David Tolnay939766a2016-09-23 23:48:12 -0700662 stmt_semi
David Tolnaya96a3fa2016-09-24 07:17:42 -0700663 // TODO: mac
David Tolnay939766a2016-09-23 23:48:12 -0700664 ));
665
666 named!(stmt_semi -> Stmt, do_parse!(
667 e: expr >>
668 punct!(";") >>
669 (Stmt::Semi(Box::new(e)))
670 ));
David Tolnay8b07f372016-09-30 10:28:40 -0700671
David Tolnayb4ad3b52016-10-01 21:58:13 -0700672 named!(pat -> Pat, alt!(
673 pat_wild
674 |
675 pat_ident
676 // TODO: Struct
677 // TODO: TupleStruct
678 // TODO: Path
679 // TODO: Tuple
680 // TODO: Box
681 // TODO: Ref
682 // TODO: Lit
683 // TODO: Range
684 // TODO: Vec
685 // TODO: Mac
686 ));
687
688 named!(pat_wild -> Pat, map!(keyword!("_"), |_| Pat::Wild));
689
690 named!(pat_ident -> Pat, do_parse!(
691 mode: option!(keyword!("ref")) >>
692 mutability: mutability >>
693 name: ident >>
694 subpat: option!(preceded!(punct!("@"), pat)) >>
695 (Pat::Ident(
696 if mode.is_some() {
697 BindingMode::ByRef(mutability)
698 } else {
699 BindingMode::ByValue(mutability)
700 },
701 name,
702 subpat.map(Box::new),
703 ))
704 ));
705
David Tolnay8b07f372016-09-30 10:28:40 -0700706 named!(label -> Ident, map!(lifetime, |lt: Lifetime| lt.ident));
David Tolnayb9c8e322016-09-23 20:48:37 -0700707}
708
David Tolnayf4bbbd92016-09-23 14:41:55 -0700709#[cfg(feature = "printing")]
710mod printing {
711 use super::*;
David Tolnayb4ad3b52016-10-01 21:58:13 -0700712 use Mutability;
David Tolnayf4bbbd92016-09-23 14:41:55 -0700713 use quote::{Tokens, ToTokens};
714
715 impl ToTokens for Expr {
716 fn to_tokens(&self, tokens: &mut Tokens) {
717 match *self {
David Tolnay47a877c2016-10-01 16:50:55 -0700718 Expr::Box(ref _inner) => unimplemented!(),
719 Expr::Vec(ref _inner) => unimplemented!(),
720 Expr::Call(ref _func, ref _args) => unimplemented!(),
721 Expr::MethodCall(ref _ident, ref _ascript, ref _args) => unimplemented!(),
722 Expr::Tup(ref fields) => {
723 tokens.append("(");
724 tokens.append_separated(fields, ",");
725 if fields.len() == 1 {
726 tokens.append(",");
727 }
728 tokens.append(")");
729 }
730 Expr::Binary(_op, ref _left, ref _right) => unimplemented!(),
731 Expr::Unary(_op, ref _expr) => unimplemented!(),
David Tolnayf4bbbd92016-09-23 14:41:55 -0700732 Expr::Lit(ref lit) => lit.to_tokens(tokens),
David Tolnay47a877c2016-10-01 16:50:55 -0700733 Expr::Cast(ref _expr, ref _ty) => unimplemented!(),
734 Expr::Type(ref _expr, ref _ty) => unimplemented!(),
735 Expr::If(ref _cond, ref _then_block, ref _else_block) => unimplemented!(),
736 Expr::IfLet(ref _pat, ref _expr, ref _then_block, ref _else_block) => unimplemented!(),
737 Expr::While(ref _cond, ref _body, ref _label) => unimplemented!(),
738 Expr::WhileLet(ref _pat, ref _expr, ref _body, ref _label) => unimplemented!(),
739 Expr::ForLoop(ref _pat, ref _expr, ref _body, ref _label) => unimplemented!(),
740 Expr::Loop(ref _body, ref _label) => unimplemented!(),
David Tolnayb4ad3b52016-10-01 21:58:13 -0700741 Expr::Match(ref expr, ref arms) => {
742 tokens.append("match");
743 expr.to_tokens(tokens);
744 tokens.append("{");
745 tokens.append_separated(arms, ",");
746 tokens.append("}");
747 }
David Tolnay47a877c2016-10-01 16:50:55 -0700748 Expr::Closure(_capture, ref _decl, ref _body) => unimplemented!(),
749 Expr::Block(ref _block) => unimplemented!(),
750 Expr::Assign(ref _var, ref _expr) => unimplemented!(),
751 Expr::AssignOp(_op, ref _var, ref _expr) => unimplemented!(),
752 Expr::Field(ref _expr, ref _field) => unimplemented!(),
753 Expr::TupField(ref _expr, _field) => unimplemented!(),
754 Expr::Index(ref _expr, ref _index) => unimplemented!(),
755 Expr::Range(ref _from, ref _to, _limits) => unimplemented!(),
756 Expr::Path(ref _qself, ref _path) => unimplemented!(),
757 Expr::AddrOf(_mutability, ref _expr) => unimplemented!(),
758 Expr::Break(ref _label) => unimplemented!(),
759 Expr::Continue(ref _label) => unimplemented!(),
760 Expr::Ret(ref _expr) => unimplemented!(),
761 Expr::Mac(ref _mac) => unimplemented!(),
762 Expr::Struct(ref _path, ref _fields, ref _base) => unimplemented!(),
763 Expr::Repeat(ref _expr, ref _times) => unimplemented!(),
764 Expr::Paren(ref _inner) => unimplemented!(),
765 Expr::Try(ref _expr) => unimplemented!(),
David Tolnayf4bbbd92016-09-23 14:41:55 -0700766 }
767 }
768 }
David Tolnayb4ad3b52016-10-01 21:58:13 -0700769
770 impl ToTokens for Arm {
771 fn to_tokens(&self, tokens: &mut Tokens) {
772 for attr in &self.attrs {
773 attr.to_tokens(tokens);
774 }
775 tokens.append_separated(&self.pats, "|");
776 if let Some(ref guard) = self.guard {
777 tokens.append("if");
778 guard.to_tokens(tokens);
779 }
780 tokens.append("=>");
781 self.body.to_tokens(tokens);
782 match *self.body {
783 Expr::Block(_) => { /* no comma */ }
784 _ => tokens.append(","),
785 }
786 }
787 }
788
789 impl ToTokens for Pat {
790 fn to_tokens(&self, tokens: &mut Tokens) {
791 match *self {
792 Pat::Wild => tokens.append("_"),
793 Pat::Ident(mode, ref ident, ref subpat) => {
794 mode.to_tokens(tokens);
795 ident.to_tokens(tokens);
796 if let Some(ref subpat) = *subpat {
797 tokens.append("@");
798 subpat.to_tokens(tokens);
799 }
800 }
801 Pat::Struct(ref _path, ref _fields, _dots) => unimplemented!(),
802 Pat::TupleStruct(ref _path, ref _pats, _dotpos) => unimplemented!(),
803 Pat::Path(ref _qself, ref _path) => unimplemented!(),
804 Pat::Tuple(ref _pats, _dotpos) => unimplemented!(),
805 Pat::Box(ref _inner) => unimplemented!(),
806 Pat::Ref(ref _target, _mutability) => unimplemented!(),
807 Pat::Lit(ref _expr) => unimplemented!(),
808 Pat::Range(ref _lower, ref _upper) => unimplemented!(),
809 Pat::Vec(ref _before, ref _dots, ref _after) => unimplemented!(),
810 Pat::Mac(ref _mac) => unimplemented!(),
811 }
812 }
813 }
814
815 impl ToTokens for BindingMode {
816 fn to_tokens(&self, tokens: &mut Tokens) {
817 match *self {
818 BindingMode::ByRef(Mutability::Immutable) => {
819 tokens.append("ref");
820 }
821 BindingMode::ByRef(Mutability::Mutable) => {
822 tokens.append("ref");
823 tokens.append("mut");
824 }
825 BindingMode::ByValue(Mutability::Immutable) => {}
826 BindingMode::ByValue(Mutability::Mutable) => {
827 tokens.append("mut");
828 }
829 }
830 }
831 }
David Tolnayf4bbbd92016-09-23 14:41:55 -0700832}