]> git.lizzy.rs Git - rust.git/blob - src/expr.rs
05020a419a90f26f220639a3ed60e8f04145931c
[rust.git] / src / expr.rs
1 // Copyright 2015 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 use std::borrow::Cow;
12 use std::cmp::min;
13
14 use config::lists::*;
15 use syntax::codemap::{BytePos, CodeMap, Span};
16 use syntax::parse::token::DelimToken;
17 use syntax::{ast, ptr};
18
19 use chains::rewrite_chain;
20 use closures;
21 use codemap::{LineRangeUtils, SpanUtils};
22 use comment::{
23     combine_strs_with_missing_comments, contains_comment, recover_comment_removed, rewrite_comment,
24     rewrite_missing_comment, CharClasses, FindUncommented,
25 };
26 use config::{Config, ControlBraceStyle, IndentStyle};
27 use lists::{
28     definitive_tactic, itemize_list, shape_for_tactic, struct_lit_formatting, struct_lit_shape,
29     struct_lit_tactic, write_list, ListFormatting, ListItem, Separator,
30 };
31 use macros::{rewrite_macro, MacroArg, MacroPosition};
32 use matches::rewrite_match;
33 use overflow;
34 use pairs::{rewrite_all_pairs, rewrite_pair, PairParts};
35 use patterns::{can_be_overflowed_pat, is_short_pattern, TuplePatField};
36 use rewrite::{Rewrite, RewriteContext};
37 use shape::{Indent, Shape};
38 use spanned::Spanned;
39 use string::{rewrite_string, StringFormat};
40 use types::{can_be_overflowed_type, rewrite_path, PathContext};
41 use utils::{
42     colon_spaces, contains_skip, count_newlines, first_line_ends_with, first_line_width,
43     inner_attributes, last_line_extendable, last_line_width, mk_sp, outer_attributes,
44     ptr_vec_to_ref_vec, semicolon_for_stmt, wrap_str,
45 };
46 use vertical::rewrite_with_alignment;
47 use visitor::FmtVisitor;
48
49 impl Rewrite for ast::Expr {
50     fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
51         format_expr(self, ExprType::SubExpression, context, shape)
52     }
53 }
54
55 #[derive(Copy, Clone, PartialEq)]
56 pub enum ExprType {
57     Statement,
58     SubExpression,
59 }
60
61 pub fn format_expr(
62     expr: &ast::Expr,
63     expr_type: ExprType,
64     context: &RewriteContext,
65     shape: Shape,
66 ) -> Option<String> {
67     skip_out_of_file_lines_range!(context, expr.span);
68
69     if contains_skip(&*expr.attrs) {
70         return Some(context.snippet(expr.span()).to_owned());
71     }
72
73     let expr_rw = match expr.node {
74         ast::ExprKind::Array(ref expr_vec) => rewrite_array(
75             "",
76             &ptr_vec_to_ref_vec(expr_vec),
77             expr.span,
78             context,
79             shape,
80             choose_separator_tactic(context, expr.span),
81             None,
82         ),
83         ast::ExprKind::Lit(ref l) => rewrite_literal(context, l, shape),
84         ast::ExprKind::Call(ref callee, ref args) => {
85             let inner_span = mk_sp(callee.span.hi(), expr.span.hi());
86             let callee_str = callee.rewrite(context, shape)?;
87             rewrite_call(context, &callee_str, args, inner_span, shape)
88         }
89         ast::ExprKind::Paren(ref subexpr) => rewrite_paren(context, subexpr, shape, expr.span),
90         ast::ExprKind::Binary(op, ref lhs, ref rhs) => {
91             // FIXME: format comments between operands and operator
92             rewrite_all_pairs(expr, shape, context).or_else(|| {
93                 rewrite_pair(
94                     &**lhs,
95                     &**rhs,
96                     PairParts::infix(&format!(" {} ", context.snippet(op.span))),
97                     context,
98                     shape,
99                     context.config.binop_separator(),
100                 )
101             })
102         }
103         ast::ExprKind::Unary(ref op, ref subexpr) => rewrite_unary_op(context, op, subexpr, shape),
104         ast::ExprKind::Struct(ref path, ref fields, ref base) => rewrite_struct_lit(
105             context,
106             path,
107             fields,
108             base.as_ref().map(|e| &**e),
109             expr.span,
110             shape,
111         ),
112         ast::ExprKind::Tup(ref items) => {
113             rewrite_tuple(context, &ptr_vec_to_ref_vec(items), expr.span, shape)
114         }
115         ast::ExprKind::If(..)
116         | ast::ExprKind::IfLet(..)
117         | ast::ExprKind::ForLoop(..)
118         | ast::ExprKind::Loop(..)
119         | ast::ExprKind::While(..)
120         | ast::ExprKind::WhileLet(..) => to_control_flow(expr, expr_type)
121             .and_then(|control_flow| control_flow.rewrite(context, shape)),
122         ast::ExprKind::Block(ref block, opt_label) => {
123             match expr_type {
124                 ExprType::Statement => {
125                     if is_unsafe_block(block) {
126                         rewrite_block(block, Some(&expr.attrs), opt_label, context, shape)
127                     } else if let rw @ Some(_) =
128                         rewrite_empty_block(context, block, Some(&expr.attrs), opt_label, "", shape)
129                     {
130                         // Rewrite block without trying to put it in a single line.
131                         rw
132                     } else {
133                         let prefix = block_prefix(context, block, shape)?;
134
135                         rewrite_block_with_visitor(
136                             context,
137                             &prefix,
138                             block,
139                             Some(&expr.attrs),
140                             opt_label,
141                             shape,
142                             true,
143                         )
144                     }
145                 }
146                 ExprType::SubExpression => {
147                     rewrite_block(block, Some(&expr.attrs), opt_label, context, shape)
148                 }
149             }
150         }
151         ast::ExprKind::Match(ref cond, ref arms) => {
152             rewrite_match(context, cond, arms, shape, expr.span, &expr.attrs)
153         }
154         ast::ExprKind::Path(ref qself, ref path) => {
155             rewrite_path(context, PathContext::Expr, qself.as_ref(), path, shape)
156         }
157         ast::ExprKind::Assign(ref lhs, ref rhs) => {
158             rewrite_assignment(context, lhs, rhs, None, shape)
159         }
160         ast::ExprKind::AssignOp(ref op, ref lhs, ref rhs) => {
161             rewrite_assignment(context, lhs, rhs, Some(op), shape)
162         }
163         ast::ExprKind::Continue(ref opt_label) => {
164             let id_str = match *opt_label {
165                 Some(label) => format!(" {}", label.ident),
166                 None => String::new(),
167             };
168             Some(format!("continue{}", id_str))
169         }
170         ast::ExprKind::Break(ref opt_label, ref opt_expr) => {
171             let id_str = match *opt_label {
172                 Some(label) => format!(" {}", label.ident),
173                 None => String::new(),
174             };
175
176             if let Some(ref expr) = *opt_expr {
177                 rewrite_unary_prefix(context, &format!("break{} ", id_str), &**expr, shape)
178             } else {
179                 Some(format!("break{}", id_str))
180             }
181         }
182         ast::ExprKind::Yield(ref opt_expr) => if let Some(ref expr) = *opt_expr {
183             rewrite_unary_prefix(context, "yield ", &**expr, shape)
184         } else {
185             Some("yield".to_string())
186         },
187         ast::ExprKind::Closure(capture, asyncness, movability, ref fn_decl, ref body, _) => {
188             closures::rewrite_closure(
189                 capture, asyncness, movability, fn_decl, body, expr.span, context, shape,
190             )
191         }
192         ast::ExprKind::Try(..) | ast::ExprKind::Field(..) | ast::ExprKind::MethodCall(..) => {
193             rewrite_chain(expr, context, shape)
194         }
195         ast::ExprKind::Mac(ref mac) => {
196             rewrite_macro(mac, None, context, shape, MacroPosition::Expression).or_else(|| {
197                 wrap_str(
198                     context.snippet(expr.span).to_owned(),
199                     context.config.max_width(),
200                     shape,
201                 )
202             })
203         }
204         ast::ExprKind::Ret(None) => Some("return".to_owned()),
205         ast::ExprKind::Ret(Some(ref expr)) => {
206             rewrite_unary_prefix(context, "return ", &**expr, shape)
207         }
208         ast::ExprKind::Box(ref expr) => rewrite_unary_prefix(context, "box ", &**expr, shape),
209         ast::ExprKind::AddrOf(mutability, ref expr) => {
210             rewrite_expr_addrof(context, mutability, expr, shape)
211         }
212         ast::ExprKind::Cast(ref expr, ref ty) => rewrite_pair(
213             &**expr,
214             &**ty,
215             PairParts::infix(" as "),
216             context,
217             shape,
218             SeparatorPlace::Front,
219         ),
220         ast::ExprKind::Type(ref expr, ref ty) => rewrite_pair(
221             &**expr,
222             &**ty,
223             PairParts::infix(": "),
224             context,
225             shape,
226             SeparatorPlace::Back,
227         ),
228         ast::ExprKind::Index(ref expr, ref index) => {
229             rewrite_index(&**expr, &**index, context, shape)
230         }
231         ast::ExprKind::Repeat(ref expr, ref repeats) => rewrite_pair(
232             &**expr,
233             &*repeats.value,
234             PairParts::new("[", "; ", "]"),
235             context,
236             shape,
237             SeparatorPlace::Back,
238         ),
239         ast::ExprKind::Range(ref lhs, ref rhs, limits) => {
240             let delim = match limits {
241                 ast::RangeLimits::HalfOpen => "..",
242                 ast::RangeLimits::Closed => "..=",
243             };
244
245             fn needs_space_before_range(context: &RewriteContext, lhs: &ast::Expr) -> bool {
246                 match lhs.node {
247                     ast::ExprKind::Lit(ref lit) => match lit.node {
248                         ast::LitKind::FloatUnsuffixed(..) => {
249                             context.snippet(lit.span).ends_with('.')
250                         }
251                         _ => false,
252                     },
253                     _ => false,
254                 }
255             }
256
257             fn needs_space_after_range(rhs: &ast::Expr) -> bool {
258                 match rhs.node {
259                     // Don't format `.. ..` into `....`, which is invalid.
260                     //
261                     // This check is unnecessary for `lhs`, because a range
262                     // starting from another range needs parentheses as `(x ..) ..`
263                     // (`x .. ..` is a range from `x` to `..`).
264                     ast::ExprKind::Range(None, _, _) => true,
265                     _ => false,
266                 }
267             }
268
269             let default_sp_delim = |lhs: Option<&ast::Expr>, rhs: Option<&ast::Expr>| {
270                 let space_if = |b: bool| if b { " " } else { "" };
271
272                 format!(
273                     "{}{}{}",
274                     lhs.map(|lhs| space_if(needs_space_before_range(context, lhs)))
275                         .unwrap_or(""),
276                     delim,
277                     rhs.map(|rhs| space_if(needs_space_after_range(rhs)))
278                         .unwrap_or(""),
279                 )
280             };
281
282             match (lhs.as_ref().map(|x| &**x), rhs.as_ref().map(|x| &**x)) {
283                 (Some(lhs), Some(rhs)) => {
284                     let sp_delim = if context.config.spaces_around_ranges() {
285                         format!(" {} ", delim)
286                     } else {
287                         default_sp_delim(Some(lhs), Some(rhs))
288                     };
289                     rewrite_pair(
290                         &*lhs,
291                         &*rhs,
292                         PairParts::infix(&sp_delim),
293                         context,
294                         shape,
295                         context.config.binop_separator(),
296                     )
297                 }
298                 (None, Some(rhs)) => {
299                     let sp_delim = if context.config.spaces_around_ranges() {
300                         format!("{} ", delim)
301                     } else {
302                         default_sp_delim(None, Some(rhs))
303                     };
304                     rewrite_unary_prefix(context, &sp_delim, &*rhs, shape)
305                 }
306                 (Some(lhs), None) => {
307                     let sp_delim = if context.config.spaces_around_ranges() {
308                         format!(" {}", delim)
309                     } else {
310                         default_sp_delim(Some(lhs), None)
311                     };
312                     rewrite_unary_suffix(context, &sp_delim, &*lhs, shape)
313                 }
314                 (None, None) => Some(delim.to_owned()),
315             }
316         }
317         // We do not format these expressions yet, but they should still
318         // satisfy our width restrictions.
319         ast::ExprKind::InlineAsm(..) => Some(context.snippet(expr.span).to_owned()),
320         ast::ExprKind::Catch(ref block) => {
321             if let rw @ Some(_) = rewrite_single_line_block(
322                 context,
323                 "do catch ",
324                 block,
325                 Some(&expr.attrs),
326                 None,
327                 shape,
328             ) {
329                 rw
330             } else {
331                 // 9 = `do catch `
332                 let budget = shape.width.saturating_sub(9);
333                 Some(format!(
334                     "{}{}",
335                     "do catch ",
336                     rewrite_block(
337                         block,
338                         Some(&expr.attrs),
339                         None,
340                         context,
341                         Shape::legacy(budget, shape.indent)
342                     )?
343                 ))
344             }
345         }
346         // FIXME(#2743)
347         ast::ExprKind::ObsoleteInPlace(..) => unimplemented!(),
348         ast::ExprKind::Async(_capture_by, _node_id, ref block) => {
349             if let rw @ Some(_) =
350                 rewrite_single_line_block(context, "async ", block, Some(&expr.attrs), None, shape)
351             {
352                 rw
353             } else {
354                 // 6 = `async `
355                 let budget = shape.width.saturating_sub(6);
356                 Some(format!(
357                     "{}{}",
358                     "async ",
359                     rewrite_block(
360                         block,
361                         Some(&expr.attrs),
362                         None,
363                         context,
364                         Shape::legacy(budget, shape.indent)
365                     )?
366                 ))
367             }
368         }
369     };
370
371     expr_rw
372         .and_then(|expr_str| recover_comment_removed(expr_str, expr.span, context))
373         .and_then(|expr_str| {
374             let attrs = outer_attributes(&expr.attrs);
375             let attrs_str = attrs.rewrite(context, shape)?;
376             let span = mk_sp(
377                 attrs.last().map_or(expr.span.lo(), |attr| attr.span.hi()),
378                 expr.span.lo(),
379             );
380             combine_strs_with_missing_comments(context, &attrs_str, &expr_str, span, shape, false)
381         })
382 }
383
384 pub fn rewrite_array<T: Rewrite + Spanned + ToExpr>(
385     name: &str,
386     exprs: &[&T],
387     span: Span,
388     context: &RewriteContext,
389     shape: Shape,
390     force_separator_tactic: Option<SeparatorTactic>,
391     delim_token: Option<DelimToken>,
392 ) -> Option<String> {
393     overflow::rewrite_with_square_brackets(
394         context,
395         name,
396         exprs,
397         shape,
398         span,
399         force_separator_tactic,
400         delim_token,
401     )
402 }
403
404 fn rewrite_empty_block(
405     context: &RewriteContext,
406     block: &ast::Block,
407     attrs: Option<&[ast::Attribute]>,
408     label: Option<ast::Label>,
409     prefix: &str,
410     shape: Shape,
411 ) -> Option<String> {
412     let label_str = rewrite_label(label);
413     if attrs.map_or(false, |a| !inner_attributes(a).is_empty()) {
414         return None;
415     }
416
417     if block.stmts.is_empty() && !block_contains_comment(block, context.codemap) && shape.width >= 2
418     {
419         return Some(format!("{}{}{{}}", prefix, label_str));
420     }
421
422     // If a block contains only a single-line comment, then leave it on one line.
423     let user_str = context.snippet(block.span);
424     let user_str = user_str.trim();
425     if user_str.starts_with('{') && user_str.ends_with('}') {
426         let comment_str = user_str[1..user_str.len() - 1].trim();
427         if block.stmts.is_empty()
428             && !comment_str.contains('\n')
429             && !comment_str.starts_with("//")
430             && comment_str.len() + 4 <= shape.width
431         {
432             return Some(format!("{}{}{{ {} }}", prefix, label_str, comment_str));
433         }
434     }
435
436     None
437 }
438
439 fn block_prefix(context: &RewriteContext, block: &ast::Block, shape: Shape) -> Option<String> {
440     Some(match block.rules {
441         ast::BlockCheckMode::Unsafe(..) => {
442             let snippet = context.snippet(block.span);
443             let open_pos = snippet.find_uncommented("{")?;
444             // Extract comment between unsafe and block start.
445             let trimmed = &snippet[6..open_pos].trim();
446
447             if !trimmed.is_empty() {
448                 // 9 = "unsafe  {".len(), 7 = "unsafe ".len()
449                 let budget = shape.width.checked_sub(9)?;
450                 format!(
451                     "unsafe {} ",
452                     rewrite_comment(
453                         trimmed,
454                         true,
455                         Shape::legacy(budget, shape.indent + 7),
456                         context.config,
457                     )?
458                 )
459             } else {
460                 "unsafe ".to_owned()
461             }
462         }
463         ast::BlockCheckMode::Default => String::new(),
464     })
465 }
466
467 fn rewrite_single_line_block(
468     context: &RewriteContext,
469     prefix: &str,
470     block: &ast::Block,
471     attrs: Option<&[ast::Attribute]>,
472     label: Option<ast::Label>,
473     shape: Shape,
474 ) -> Option<String> {
475     if is_simple_block(block, attrs, context.codemap) {
476         let expr_shape = shape.offset_left(last_line_width(prefix))?;
477         let expr_str = block.stmts[0].rewrite(context, expr_shape)?;
478         let label_str = rewrite_label(label);
479         let result = format!("{}{}{{ {} }}", prefix, label_str, expr_str);
480         if result.len() <= shape.width && !result.contains('\n') {
481             return Some(result);
482         }
483     }
484     None
485 }
486
487 pub fn rewrite_block_with_visitor(
488     context: &RewriteContext,
489     prefix: &str,
490     block: &ast::Block,
491     attrs: Option<&[ast::Attribute]>,
492     label: Option<ast::Label>,
493     shape: Shape,
494     has_braces: bool,
495 ) -> Option<String> {
496     if let rw @ Some(_) = rewrite_empty_block(context, block, attrs, label, prefix, shape) {
497         return rw;
498     }
499
500     let mut visitor = FmtVisitor::from_context(context);
501     visitor.block_indent = shape.indent;
502     visitor.is_if_else_block = context.is_if_else_block();
503     match block.rules {
504         ast::BlockCheckMode::Unsafe(..) => {
505             let snippet = context.snippet(block.span);
506             let open_pos = snippet.find_uncommented("{")?;
507             visitor.last_pos = block.span.lo() + BytePos(open_pos as u32)
508         }
509         ast::BlockCheckMode::Default => visitor.last_pos = block.span.lo(),
510     }
511
512     let inner_attrs = attrs.map(inner_attributes);
513     let label_str = rewrite_label(label);
514     visitor.visit_block(block, inner_attrs.as_ref().map(|a| &**a), has_braces);
515     Some(format!("{}{}{}", prefix, label_str, visitor.buffer))
516 }
517
518 impl Rewrite for ast::Block {
519     fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
520         rewrite_block(self, None, None, context, shape)
521     }
522 }
523
524 fn rewrite_block(
525     block: &ast::Block,
526     attrs: Option<&[ast::Attribute]>,
527     label: Option<ast::Label>,
528     context: &RewriteContext,
529     shape: Shape,
530 ) -> Option<String> {
531     let prefix = block_prefix(context, block, shape)?;
532
533     // shape.width is used only for the single line case: either the empty block `{}`,
534     // or an unsafe expression `unsafe { e }`.
535     if let rw @ Some(_) = rewrite_empty_block(context, block, attrs, label, &prefix, shape) {
536         return rw;
537     }
538
539     let result = rewrite_block_with_visitor(context, &prefix, block, attrs, label, shape, true);
540     if let Some(ref result_str) = result {
541         if result_str.lines().count() <= 3 {
542             if let rw @ Some(_) =
543                 rewrite_single_line_block(context, &prefix, block, attrs, label, shape)
544             {
545                 return rw;
546             }
547         }
548     }
549
550     result
551 }
552
553 impl Rewrite for ast::Stmt {
554     fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
555         skip_out_of_file_lines_range!(context, self.span());
556
557         let result = match self.node {
558             ast::StmtKind::Local(ref local) => local.rewrite(context, shape),
559             ast::StmtKind::Expr(ref ex) | ast::StmtKind::Semi(ref ex) => {
560                 let suffix = if semicolon_for_stmt(context, self) {
561                     ";"
562                 } else {
563                     ""
564                 };
565
566                 let shape = shape.sub_width(suffix.len())?;
567                 format_expr(ex, ExprType::Statement, context, shape).map(|s| s + suffix)
568             }
569             ast::StmtKind::Mac(..) | ast::StmtKind::Item(..) => None,
570         };
571         result.and_then(|res| recover_comment_removed(res, self.span(), context))
572     }
573 }
574
575 // Rewrite condition if the given expression has one.
576 pub fn rewrite_cond(context: &RewriteContext, expr: &ast::Expr, shape: Shape) -> Option<String> {
577     match expr.node {
578         ast::ExprKind::Match(ref cond, _) => {
579             // `match `cond` {`
580             let cond_shape = match context.config.indent_style() {
581                 IndentStyle::Visual => shape.shrink_left(6).and_then(|s| s.sub_width(2))?,
582                 IndentStyle::Block => shape.offset_left(8)?,
583             };
584             cond.rewrite(context, cond_shape)
585         }
586         _ => to_control_flow(expr, ExprType::SubExpression).and_then(|control_flow| {
587             let alt_block_sep =
588                 String::from("\n") + &shape.indent.block_only().to_string(context.config);
589             control_flow
590                 .rewrite_cond(context, shape, &alt_block_sep)
591                 .and_then(|rw| Some(rw.0))
592         }),
593     }
594 }
595
596 // Abstraction over control flow expressions
597 #[derive(Debug)]
598 struct ControlFlow<'a> {
599     cond: Option<&'a ast::Expr>,
600     block: &'a ast::Block,
601     else_block: Option<&'a ast::Expr>,
602     label: Option<ast::Label>,
603     pats: Vec<&'a ast::Pat>,
604     keyword: &'a str,
605     matcher: &'a str,
606     connector: &'a str,
607     allow_single_line: bool,
608     // True if this is an `if` expression in an `else if` :-( hacky
609     nested_if: bool,
610     span: Span,
611 }
612
613 fn to_control_flow(expr: &ast::Expr, expr_type: ExprType) -> Option<ControlFlow> {
614     match expr.node {
615         ast::ExprKind::If(ref cond, ref if_block, ref else_block) => Some(ControlFlow::new_if(
616             cond,
617             vec![],
618             if_block,
619             else_block.as_ref().map(|e| &**e),
620             expr_type == ExprType::SubExpression,
621             false,
622             expr.span,
623         )),
624         ast::ExprKind::IfLet(ref pat, ref cond, ref if_block, ref else_block) => {
625             Some(ControlFlow::new_if(
626                 cond,
627                 ptr_vec_to_ref_vec(pat),
628                 if_block,
629                 else_block.as_ref().map(|e| &**e),
630                 expr_type == ExprType::SubExpression,
631                 false,
632                 expr.span,
633             ))
634         }
635         ast::ExprKind::ForLoop(ref pat, ref cond, ref block, label) => {
636             Some(ControlFlow::new_for(pat, cond, block, label, expr.span))
637         }
638         ast::ExprKind::Loop(ref block, label) => {
639             Some(ControlFlow::new_loop(block, label, expr.span))
640         }
641         ast::ExprKind::While(ref cond, ref block, label) => Some(ControlFlow::new_while(
642             vec![],
643             cond,
644             block,
645             label,
646             expr.span,
647         )),
648         ast::ExprKind::WhileLet(ref pat, ref cond, ref block, label) => Some(
649             ControlFlow::new_while(ptr_vec_to_ref_vec(pat), cond, block, label, expr.span),
650         ),
651         _ => None,
652     }
653 }
654
655 fn choose_matcher(pats: &[&ast::Pat]) -> &'static str {
656     if pats.is_empty() {
657         ""
658     } else {
659         "let"
660     }
661 }
662
663 impl<'a> ControlFlow<'a> {
664     fn new_if(
665         cond: &'a ast::Expr,
666         pats: Vec<&'a ast::Pat>,
667         block: &'a ast::Block,
668         else_block: Option<&'a ast::Expr>,
669         allow_single_line: bool,
670         nested_if: bool,
671         span: Span,
672     ) -> ControlFlow<'a> {
673         let matcher = choose_matcher(&pats);
674         ControlFlow {
675             cond: Some(cond),
676             block,
677             else_block,
678             label: None,
679             pats,
680             keyword: "if",
681             matcher,
682             connector: " =",
683             allow_single_line,
684             nested_if,
685             span,
686         }
687     }
688
689     fn new_loop(block: &'a ast::Block, label: Option<ast::Label>, span: Span) -> ControlFlow<'a> {
690         ControlFlow {
691             cond: None,
692             block,
693             else_block: None,
694             label,
695             pats: vec![],
696             keyword: "loop",
697             matcher: "",
698             connector: "",
699             allow_single_line: false,
700             nested_if: false,
701             span,
702         }
703     }
704
705     fn new_while(
706         pats: Vec<&'a ast::Pat>,
707         cond: &'a ast::Expr,
708         block: &'a ast::Block,
709         label: Option<ast::Label>,
710         span: Span,
711     ) -> ControlFlow<'a> {
712         let matcher = choose_matcher(&pats);
713         ControlFlow {
714             cond: Some(cond),
715             block,
716             else_block: None,
717             label,
718             pats,
719             keyword: "while",
720             matcher,
721             connector: " =",
722             allow_single_line: false,
723             nested_if: false,
724             span,
725         }
726     }
727
728     fn new_for(
729         pat: &'a ast::Pat,
730         cond: &'a ast::Expr,
731         block: &'a ast::Block,
732         label: Option<ast::Label>,
733         span: Span,
734     ) -> ControlFlow<'a> {
735         ControlFlow {
736             cond: Some(cond),
737             block,
738             else_block: None,
739             label,
740             pats: vec![pat],
741             keyword: "for",
742             matcher: "",
743             connector: " in",
744             allow_single_line: false,
745             nested_if: false,
746             span,
747         }
748     }
749
750     fn rewrite_single_line(
751         &self,
752         pat_expr_str: &str,
753         context: &RewriteContext,
754         width: usize,
755     ) -> Option<String> {
756         assert!(self.allow_single_line);
757         let else_block = self.else_block?;
758         let fixed_cost = self.keyword.len() + "  {  } else {  }".len();
759
760         if let ast::ExprKind::Block(ref else_node, _) = else_block.node {
761             if !is_simple_block(self.block, None, context.codemap)
762                 || !is_simple_block(else_node, None, context.codemap)
763                 || pat_expr_str.contains('\n')
764             {
765                 return None;
766             }
767
768             let new_width = width.checked_sub(pat_expr_str.len() + fixed_cost)?;
769             let expr = &self.block.stmts[0];
770             let if_str = expr.rewrite(context, Shape::legacy(new_width, Indent::empty()))?;
771
772             let new_width = new_width.checked_sub(if_str.len())?;
773             let else_expr = &else_node.stmts[0];
774             let else_str = else_expr.rewrite(context, Shape::legacy(new_width, Indent::empty()))?;
775
776             if if_str.contains('\n') || else_str.contains('\n') {
777                 return None;
778             }
779
780             let result = format!(
781                 "{} {} {{ {} }} else {{ {} }}",
782                 self.keyword, pat_expr_str, if_str, else_str
783             );
784
785             if result.len() <= width {
786                 return Some(result);
787             }
788         }
789
790         None
791     }
792 }
793
794 impl<'a> ControlFlow<'a> {
795     fn rewrite_pat_expr(
796         &self,
797         context: &RewriteContext,
798         expr: &ast::Expr,
799         shape: Shape,
800         offset: usize,
801     ) -> Option<String> {
802         debug!("rewrite_pat_expr {:?} {:?} {:?}", shape, self.pats, expr);
803
804         let cond_shape = shape.offset_left(offset)?;
805         if !self.pats.is_empty() {
806             let matcher = if self.matcher.is_empty() {
807                 self.matcher.to_owned()
808             } else {
809                 format!("{} ", self.matcher)
810             };
811             let pat_shape = cond_shape
812                 .offset_left(matcher.len())?
813                 .sub_width(self.connector.len())?;
814             let pat_string = rewrite_multiple_patterns(context, &self.pats, pat_shape)?;
815             let result = format!("{}{}{}", matcher, pat_string, self.connector);
816             return rewrite_assign_rhs(context, result, expr, cond_shape);
817         }
818
819         let expr_rw = expr.rewrite(context, cond_shape);
820         // The expression may (partially) fit on the current line.
821         // We do not allow splitting between `if` and condition.
822         if self.keyword == "if" || expr_rw.is_some() {
823             return expr_rw;
824         }
825
826         // The expression won't fit on the current line, jump to next.
827         let nested_shape = shape
828             .block_indent(context.config.tab_spaces())
829             .with_max_width(context.config);
830         let nested_indent_str = nested_shape.indent.to_string_with_newline(context.config);
831         expr.rewrite(context, nested_shape)
832             .map(|expr_rw| format!("{}{}", nested_indent_str, expr_rw))
833     }
834
835     fn rewrite_cond(
836         &self,
837         context: &RewriteContext,
838         shape: Shape,
839         alt_block_sep: &str,
840     ) -> Option<(String, usize)> {
841         // Do not take the rhs overhead from the upper expressions into account
842         // when rewriting pattern.
843         let new_width = context.budget(shape.used_width());
844         let fresh_shape = Shape {
845             width: new_width,
846             ..shape
847         };
848         let constr_shape = if self.nested_if {
849             // We are part of an if-elseif-else chain. Our constraints are tightened.
850             // 7 = "} else " .len()
851             fresh_shape.offset_left(7)?
852         } else {
853             fresh_shape
854         };
855
856         let label_string = rewrite_label(self.label);
857         // 1 = space after keyword.
858         let offset = self.keyword.len() + label_string.len() + 1;
859
860         let pat_expr_string = match self.cond {
861             Some(cond) => self.rewrite_pat_expr(context, cond, constr_shape, offset)?,
862             None => String::new(),
863         };
864
865         let brace_overhead =
866             if context.config.control_brace_style() != ControlBraceStyle::AlwaysNextLine {
867                 // 2 = ` {`
868                 2
869             } else {
870                 0
871             };
872         let one_line_budget = context
873             .config
874             .max_width()
875             .saturating_sub(constr_shape.used_width() + offset + brace_overhead);
876         let force_newline_brace = (pat_expr_string.contains('\n')
877             || pat_expr_string.len() > one_line_budget)
878             && !last_line_extendable(&pat_expr_string);
879
880         // Try to format if-else on single line.
881         if self.allow_single_line
882             && context
883                 .config
884                 .width_heuristics()
885                 .single_line_if_else_max_width
886                 > 0
887         {
888             let trial = self.rewrite_single_line(&pat_expr_string, context, shape.width);
889
890             if let Some(cond_str) = trial {
891                 if cond_str.len() <= context
892                     .config
893                     .width_heuristics()
894                     .single_line_if_else_max_width
895                 {
896                     return Some((cond_str, 0));
897                 }
898             }
899         }
900
901         let cond_span = if let Some(cond) = self.cond {
902             cond.span
903         } else {
904             mk_sp(self.block.span.lo(), self.block.span.lo())
905         };
906
907         // `for event in event`
908         // Do not include label in the span.
909         let lo = self
910             .label
911             .map_or(self.span.lo(), |label| label.ident.span.hi());
912         let between_kwd_cond = mk_sp(
913             context
914                 .snippet_provider
915                 .span_after(mk_sp(lo, self.span.hi()), self.keyword.trim()),
916             if self.pats.is_empty() {
917                 cond_span.lo()
918             } else if self.matcher.is_empty() {
919                 self.pats[0].span.lo()
920             } else {
921                 context
922                     .snippet_provider
923                     .span_before(self.span, self.matcher.trim())
924             },
925         );
926
927         let between_kwd_cond_comment = extract_comment(between_kwd_cond, context, shape);
928
929         let after_cond_comment =
930             extract_comment(mk_sp(cond_span.hi(), self.block.span.lo()), context, shape);
931
932         let block_sep = if self.cond.is_none() && between_kwd_cond_comment.is_some() {
933             ""
934         } else if context.config.control_brace_style() == ControlBraceStyle::AlwaysNextLine
935             || force_newline_brace
936         {
937             alt_block_sep
938         } else {
939             " "
940         };
941
942         let used_width = if pat_expr_string.contains('\n') {
943             last_line_width(&pat_expr_string)
944         } else {
945             // 2 = spaces after keyword and condition.
946             label_string.len() + self.keyword.len() + pat_expr_string.len() + 2
947         };
948
949         Some((
950             format!(
951                 "{}{}{}{}{}",
952                 label_string,
953                 self.keyword,
954                 between_kwd_cond_comment.as_ref().map_or(
955                     if pat_expr_string.is_empty() || pat_expr_string.starts_with('\n') {
956                         ""
957                     } else {
958                         " "
959                     },
960                     |s| &**s,
961                 ),
962                 pat_expr_string,
963                 after_cond_comment.as_ref().map_or(block_sep, |s| &**s)
964             ),
965             used_width,
966         ))
967     }
968 }
969
970 impl<'a> Rewrite for ControlFlow<'a> {
971     fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
972         debug!("ControlFlow::rewrite {:?} {:?}", self, shape);
973
974         let alt_block_sep = &shape.indent.to_string_with_newline(context.config);
975         let (cond_str, used_width) = self.rewrite_cond(context, shape, alt_block_sep)?;
976         // If `used_width` is 0, it indicates that whole control flow is written in a single line.
977         if used_width == 0 {
978             return Some(cond_str);
979         }
980
981         let block_width = shape.width.saturating_sub(used_width);
982         // This is used only for the empty block case: `{}`. So, we use 1 if we know
983         // we should avoid the single line case.
984         let block_width = if self.else_block.is_some() || self.nested_if {
985             min(1, block_width)
986         } else {
987             block_width
988         };
989         let block_shape = Shape {
990             width: block_width,
991             ..shape
992         };
993         let block_str = {
994             let old_val = context.is_if_else_block.replace(self.else_block.is_some());
995             let result =
996                 rewrite_block_with_visitor(context, "", self.block, None, None, block_shape, true);
997             context.is_if_else_block.replace(old_val);
998             result?
999         };
1000
1001         let mut result = format!("{}{}", cond_str, block_str);
1002
1003         if let Some(else_block) = self.else_block {
1004             let shape = Shape::indented(shape.indent, context.config);
1005             let mut last_in_chain = false;
1006             let rewrite = match else_block.node {
1007                 // If the else expression is another if-else expression, prevent it
1008                 // from being formatted on a single line.
1009                 // Note how we're passing the original shape, as the
1010                 // cost of "else" should not cascade.
1011                 ast::ExprKind::IfLet(ref pat, ref cond, ref if_block, ref next_else_block) => {
1012                     ControlFlow::new_if(
1013                         cond,
1014                         ptr_vec_to_ref_vec(pat),
1015                         if_block,
1016                         next_else_block.as_ref().map(|e| &**e),
1017                         false,
1018                         true,
1019                         mk_sp(else_block.span.lo(), self.span.hi()),
1020                     ).rewrite(context, shape)
1021                 }
1022                 ast::ExprKind::If(ref cond, ref if_block, ref next_else_block) => {
1023                     ControlFlow::new_if(
1024                         cond,
1025                         vec![],
1026                         if_block,
1027                         next_else_block.as_ref().map(|e| &**e),
1028                         false,
1029                         true,
1030                         mk_sp(else_block.span.lo(), self.span.hi()),
1031                     ).rewrite(context, shape)
1032                 }
1033                 _ => {
1034                     last_in_chain = true;
1035                     // When rewriting a block, the width is only used for single line
1036                     // blocks, passing 1 lets us avoid that.
1037                     let else_shape = Shape {
1038                         width: min(1, shape.width),
1039                         ..shape
1040                     };
1041                     format_expr(else_block, ExprType::Statement, context, else_shape)
1042                 }
1043             };
1044
1045             let between_kwd_else_block = mk_sp(
1046                 self.block.span.hi(),
1047                 context
1048                     .snippet_provider
1049                     .span_before(mk_sp(self.block.span.hi(), else_block.span.lo()), "else"),
1050             );
1051             let between_kwd_else_block_comment =
1052                 extract_comment(between_kwd_else_block, context, shape);
1053
1054             let after_else = mk_sp(
1055                 context
1056                     .snippet_provider
1057                     .span_after(mk_sp(self.block.span.hi(), else_block.span.lo()), "else"),
1058                 else_block.span.lo(),
1059             );
1060             let after_else_comment = extract_comment(after_else, context, shape);
1061
1062             let between_sep = match context.config.control_brace_style() {
1063                 ControlBraceStyle::AlwaysNextLine | ControlBraceStyle::ClosingNextLine => {
1064                     &*alt_block_sep
1065                 }
1066                 ControlBraceStyle::AlwaysSameLine => " ",
1067             };
1068             let after_sep = match context.config.control_brace_style() {
1069                 ControlBraceStyle::AlwaysNextLine if last_in_chain => &*alt_block_sep,
1070                 _ => " ",
1071             };
1072
1073             result.push_str(&format!(
1074                 "{}else{}",
1075                 between_kwd_else_block_comment
1076                     .as_ref()
1077                     .map_or(between_sep, |s| &**s),
1078                 after_else_comment.as_ref().map_or(after_sep, |s| &**s),
1079             ));
1080             result.push_str(&rewrite?);
1081         }
1082
1083         Some(result)
1084     }
1085 }
1086
1087 fn rewrite_label(opt_label: Option<ast::Label>) -> Cow<'static, str> {
1088     match opt_label {
1089         Some(label) => Cow::from(format!("{}: ", label.ident)),
1090         None => Cow::from(""),
1091     }
1092 }
1093
1094 fn extract_comment(span: Span, context: &RewriteContext, shape: Shape) -> Option<String> {
1095     match rewrite_missing_comment(span, shape, context) {
1096         Some(ref comment) if !comment.is_empty() => Some(format!(
1097             "{indent}{}{indent}",
1098             comment,
1099             indent = shape.indent.to_string_with_newline(context.config)
1100         )),
1101         _ => None,
1102     }
1103 }
1104
1105 pub fn block_contains_comment(block: &ast::Block, codemap: &CodeMap) -> bool {
1106     let snippet = codemap.span_to_snippet(block.span).unwrap();
1107     contains_comment(&snippet)
1108 }
1109
1110 // Checks that a block contains no statements, an expression and no comments or
1111 // attributes.
1112 // FIXME: incorrectly returns false when comment is contained completely within
1113 // the expression.
1114 pub fn is_simple_block(
1115     block: &ast::Block,
1116     attrs: Option<&[ast::Attribute]>,
1117     codemap: &CodeMap,
1118 ) -> bool {
1119     (block.stmts.len() == 1
1120         && stmt_is_expr(&block.stmts[0])
1121         && !block_contains_comment(block, codemap)
1122         && attrs.map_or(true, |a| a.is_empty()))
1123 }
1124
1125 /// Checks whether a block contains at most one statement or expression, and no
1126 /// comments or attributes.
1127 pub fn is_simple_block_stmt(
1128     block: &ast::Block,
1129     attrs: Option<&[ast::Attribute]>,
1130     codemap: &CodeMap,
1131 ) -> bool {
1132     block.stmts.len() <= 1
1133         && !block_contains_comment(block, codemap)
1134         && attrs.map_or(true, |a| a.is_empty())
1135 }
1136
1137 /// Checks whether a block contains no statements, expressions, comments, or
1138 /// inner attributes.
1139 pub fn is_empty_block(
1140     block: &ast::Block,
1141     attrs: Option<&[ast::Attribute]>,
1142     codemap: &CodeMap,
1143 ) -> bool {
1144     block.stmts.is_empty()
1145         && !block_contains_comment(block, codemap)
1146         && attrs.map_or(true, |a| inner_attributes(a).is_empty())
1147 }
1148
1149 pub fn stmt_is_expr(stmt: &ast::Stmt) -> bool {
1150     match stmt.node {
1151         ast::StmtKind::Expr(..) => true,
1152         _ => false,
1153     }
1154 }
1155
1156 pub fn is_unsafe_block(block: &ast::Block) -> bool {
1157     if let ast::BlockCheckMode::Unsafe(..) = block.rules {
1158         true
1159     } else {
1160         false
1161     }
1162 }
1163
1164 pub fn rewrite_multiple_patterns(
1165     context: &RewriteContext,
1166     pats: &[&ast::Pat],
1167     shape: Shape,
1168 ) -> Option<String> {
1169     let pat_strs = pats
1170         .iter()
1171         .map(|p| p.rewrite(context, shape))
1172         .collect::<Option<Vec<_>>>()?;
1173
1174     let use_mixed_layout = pats
1175         .iter()
1176         .zip(pat_strs.iter())
1177         .all(|(pat, pat_str)| is_short_pattern(pat, pat_str));
1178     let items: Vec<_> = pat_strs.into_iter().map(ListItem::from_str).collect();
1179     let tactic = if use_mixed_layout {
1180         DefinitiveListTactic::Mixed
1181     } else {
1182         definitive_tactic(
1183             &items,
1184             ListTactic::HorizontalVertical,
1185             Separator::VerticalBar,
1186             shape.width,
1187         )
1188     };
1189     let fmt = ListFormatting {
1190         tactic,
1191         separator: " |",
1192         trailing_separator: SeparatorTactic::Never,
1193         separator_place: context.config.binop_separator(),
1194         shape,
1195         ends_with_newline: false,
1196         preserve_newline: false,
1197         nested: false,
1198         config: context.config,
1199     };
1200     write_list(&items, &fmt)
1201 }
1202
1203 pub fn rewrite_literal(context: &RewriteContext, l: &ast::Lit, shape: Shape) -> Option<String> {
1204     match l.node {
1205         ast::LitKind::Str(_, ast::StrStyle::Cooked) => rewrite_string_lit(context, l.span, shape),
1206         _ => wrap_str(
1207             context.snippet(l.span).to_owned(),
1208             context.config.max_width(),
1209             shape,
1210         ),
1211     }
1212 }
1213
1214 fn rewrite_string_lit(context: &RewriteContext, span: Span, shape: Shape) -> Option<String> {
1215     let string_lit = context.snippet(span);
1216
1217     if !context.config.format_strings() {
1218         if string_lit
1219             .lines()
1220             .rev()
1221             .skip(1)
1222             .all(|line| line.ends_with('\\'))
1223         {
1224             let new_indent = shape.visual_indent(1).indent;
1225             let indented_string_lit = String::from(
1226                 string_lit
1227                     .lines()
1228                     .map(|line| {
1229                         format!(
1230                             "{}{}",
1231                             new_indent.to_string(context.config),
1232                             line.trim_left()
1233                         )
1234                     }).collect::<Vec<_>>()
1235                     .join("\n")
1236                     .trim_left(),
1237             );
1238             return wrap_str(indented_string_lit, context.config.max_width(), shape);
1239         } else {
1240             return wrap_str(string_lit.to_owned(), context.config.max_width(), shape);
1241         }
1242     }
1243
1244     // Remove the quote characters.
1245     let str_lit = &string_lit[1..string_lit.len() - 1];
1246
1247     rewrite_string(
1248         str_lit,
1249         &StringFormat::new(shape.visual_indent(0), context.config),
1250     )
1251 }
1252
1253 /// In case special-case style is required, returns an offset from which we start horizontal layout.
1254 pub fn maybe_get_args_offset<T: ToExpr>(callee_str: &str, args: &[&T]) -> Option<(bool, usize)> {
1255     if let Some(&(_, num_args_before)) = SPECIAL_MACRO_WHITELIST
1256         .iter()
1257         .find(|&&(s, _)| s == callee_str)
1258     {
1259         let all_simple = args.len() > num_args_before && is_every_expr_simple(args);
1260
1261         Some((all_simple, num_args_before))
1262     } else {
1263         None
1264     }
1265 }
1266
1267 /// A list of `format!`-like macros, that take a long format string and a list of arguments to
1268 /// format.
1269 ///
1270 /// Organized as a list of `(&str, usize)` tuples, giving the name of the macro and the number of
1271 /// arguments before the format string (none for `format!("format", ...)`, one for `assert!(result,
1272 /// "format", ...)`, two for `assert_eq!(left, right, "format", ...)`).
1273 const SPECIAL_MACRO_WHITELIST: &[(&str, usize)] = &[
1274     // format! like macros
1275     // From the Rust Standard Library.
1276     ("eprint!", 0),
1277     ("eprintln!", 0),
1278     ("format!", 0),
1279     ("format_args!", 0),
1280     ("print!", 0),
1281     ("println!", 0),
1282     ("panic!", 0),
1283     ("unreachable!", 0),
1284     // From the `log` crate.
1285     ("debug!", 0),
1286     ("error!", 0),
1287     ("info!", 0),
1288     ("warn!", 0),
1289     // write! like macros
1290     ("assert!", 1),
1291     ("debug_assert!", 1),
1292     ("write!", 1),
1293     ("writeln!", 1),
1294     // assert_eq! like macros
1295     ("assert_eq!", 2),
1296     ("assert_ne!", 2),
1297     ("debug_assert_eq!", 2),
1298     ("debug_assert_ne!", 2),
1299 ];
1300
1301 fn choose_separator_tactic(context: &RewriteContext, span: Span) -> Option<SeparatorTactic> {
1302     if context.inside_macro() {
1303         if span_ends_with_comma(context, span) {
1304             Some(SeparatorTactic::Always)
1305         } else {
1306             Some(SeparatorTactic::Never)
1307         }
1308     } else {
1309         None
1310     }
1311 }
1312
1313 pub fn rewrite_call(
1314     context: &RewriteContext,
1315     callee: &str,
1316     args: &[ptr::P<ast::Expr>],
1317     span: Span,
1318     shape: Shape,
1319 ) -> Option<String> {
1320     overflow::rewrite_with_parens(
1321         context,
1322         callee,
1323         &ptr_vec_to_ref_vec(args),
1324         shape,
1325         span,
1326         context.config.width_heuristics().fn_call_width,
1327         choose_separator_tactic(context, span),
1328     )
1329 }
1330
1331 fn is_simple_expr(expr: &ast::Expr) -> bool {
1332     match expr.node {
1333         ast::ExprKind::Lit(..) => true,
1334         ast::ExprKind::Path(ref qself, ref path) => qself.is_none() && path.segments.len() <= 1,
1335         ast::ExprKind::AddrOf(_, ref expr)
1336         | ast::ExprKind::Box(ref expr)
1337         | ast::ExprKind::Cast(ref expr, _)
1338         | ast::ExprKind::Field(ref expr, _)
1339         | ast::ExprKind::Try(ref expr)
1340         | ast::ExprKind::Unary(_, ref expr) => is_simple_expr(expr),
1341         ast::ExprKind::Index(ref lhs, ref rhs) => is_simple_expr(lhs) && is_simple_expr(rhs),
1342         ast::ExprKind::Repeat(ref lhs, ref rhs) => {
1343             is_simple_expr(lhs) && is_simple_expr(&*rhs.value)
1344         }
1345         _ => false,
1346     }
1347 }
1348
1349 pub fn is_every_expr_simple<T: ToExpr>(lists: &[&T]) -> bool {
1350     lists
1351         .iter()
1352         .all(|arg| arg.to_expr().map_or(false, is_simple_expr))
1353 }
1354
1355 pub fn can_be_overflowed_expr(context: &RewriteContext, expr: &ast::Expr, args_len: usize) -> bool {
1356     match expr.node {
1357         ast::ExprKind::Match(..) => {
1358             (context.use_block_indent() && args_len == 1)
1359                 || (context.config.indent_style() == IndentStyle::Visual && args_len > 1)
1360         }
1361         ast::ExprKind::If(..)
1362         | ast::ExprKind::IfLet(..)
1363         | ast::ExprKind::ForLoop(..)
1364         | ast::ExprKind::Loop(..)
1365         | ast::ExprKind::While(..)
1366         | ast::ExprKind::WhileLet(..) => {
1367             context.config.combine_control_expr() && context.use_block_indent() && args_len == 1
1368         }
1369         ast::ExprKind::Block(..) | ast::ExprKind::Closure(..) => {
1370             context.use_block_indent()
1371                 || context.config.indent_style() == IndentStyle::Visual && args_len > 1
1372         }
1373         ast::ExprKind::Array(..)
1374         | ast::ExprKind::Call(..)
1375         | ast::ExprKind::Mac(..)
1376         | ast::ExprKind::MethodCall(..)
1377         | ast::ExprKind::Struct(..)
1378         | ast::ExprKind::Tup(..) => context.use_block_indent() && args_len == 1,
1379         ast::ExprKind::AddrOf(_, ref expr)
1380         | ast::ExprKind::Box(ref expr)
1381         | ast::ExprKind::Try(ref expr)
1382         | ast::ExprKind::Unary(_, ref expr)
1383         | ast::ExprKind::Cast(ref expr, _) => can_be_overflowed_expr(context, expr, args_len),
1384         _ => false,
1385     }
1386 }
1387
1388 pub fn is_nested_call(expr: &ast::Expr) -> bool {
1389     match expr.node {
1390         ast::ExprKind::Call(..) | ast::ExprKind::Mac(..) => true,
1391         ast::ExprKind::AddrOf(_, ref expr)
1392         | ast::ExprKind::Box(ref expr)
1393         | ast::ExprKind::Try(ref expr)
1394         | ast::ExprKind::Unary(_, ref expr)
1395         | ast::ExprKind::Cast(ref expr, _) => is_nested_call(expr),
1396         _ => false,
1397     }
1398 }
1399
1400 /// Return true if a function call or a method call represented by the given span ends with a
1401 /// trailing comma. This function is used when rewriting macro, as adding or removing a trailing
1402 /// comma from macro can potentially break the code.
1403 pub fn span_ends_with_comma(context: &RewriteContext, span: Span) -> bool {
1404     let mut result: bool = Default::default();
1405     let mut prev_char: char = Default::default();
1406     let closing_delimiters = &[')', '}', ']'];
1407
1408     for (kind, c) in CharClasses::new(context.snippet(span).chars()) {
1409         match c {
1410             _ if kind.is_comment() || c.is_whitespace() => continue,
1411             c if closing_delimiters.contains(&c) => {
1412                 result &= !closing_delimiters.contains(&prev_char);
1413             }
1414             ',' => result = true,
1415             _ => result = false,
1416         }
1417         prev_char = c;
1418     }
1419
1420     result
1421 }
1422
1423 fn rewrite_paren(
1424     context: &RewriteContext,
1425     mut subexpr: &ast::Expr,
1426     shape: Shape,
1427     mut span: Span,
1428 ) -> Option<String> {
1429     debug!("rewrite_paren, shape: {:?}", shape);
1430
1431     // Extract comments within parens.
1432     let mut pre_comment;
1433     let mut post_comment;
1434     let remove_nested_parens = context.config.remove_nested_parens();
1435     loop {
1436         // 1 = "(" or ")"
1437         let pre_span = mk_sp(span.lo() + BytePos(1), subexpr.span.lo());
1438         let post_span = mk_sp(subexpr.span.hi(), span.hi() - BytePos(1));
1439         pre_comment = rewrite_missing_comment(pre_span, shape, context)?;
1440         post_comment = rewrite_missing_comment(post_span, shape, context)?;
1441
1442         // Remove nested parens if there are no comments.
1443         if let ast::ExprKind::Paren(ref subsubexpr) = subexpr.node {
1444             if remove_nested_parens && pre_comment.is_empty() && post_comment.is_empty() {
1445                 span = subexpr.span;
1446                 subexpr = subsubexpr;
1447                 continue;
1448             }
1449         }
1450
1451         break;
1452     }
1453
1454     // 1 `(`
1455     let sub_shape = shape.offset_left(1).and_then(|s| s.sub_width(1))?;
1456
1457     let subexpr_str = subexpr.rewrite(context, sub_shape)?;
1458     debug!("rewrite_paren, subexpr_str: `{:?}`", subexpr_str);
1459
1460     // 2 = `()`
1461     if subexpr_str.contains('\n') || first_line_width(&subexpr_str) + 2 <= shape.width {
1462         Some(format!("({}{}{})", pre_comment, &subexpr_str, post_comment))
1463     } else {
1464         None
1465     }
1466 }
1467
1468 fn rewrite_index(
1469     expr: &ast::Expr,
1470     index: &ast::Expr,
1471     context: &RewriteContext,
1472     shape: Shape,
1473 ) -> Option<String> {
1474     let expr_str = expr.rewrite(context, shape)?;
1475
1476     let offset = last_line_width(&expr_str) + 1;
1477     let rhs_overhead = shape.rhs_overhead(context.config);
1478     let index_shape = if expr_str.contains('\n') {
1479         Shape::legacy(context.config.max_width(), shape.indent)
1480             .offset_left(offset)
1481             .and_then(|shape| shape.sub_width(1 + rhs_overhead))
1482     } else {
1483         shape.visual_indent(offset).sub_width(offset + 1)
1484     };
1485     let orig_index_rw = index_shape.and_then(|s| index.rewrite(context, s));
1486
1487     // Return if index fits in a single line.
1488     match orig_index_rw {
1489         Some(ref index_str) if !index_str.contains('\n') => {
1490             return Some(format!("{}[{}]", expr_str, index_str));
1491         }
1492         _ => (),
1493     }
1494
1495     // Try putting index on the next line and see if it fits in a single line.
1496     let indent = shape.indent.block_indent(context.config);
1497     let index_shape = Shape::indented(indent, context.config).offset_left(1)?;
1498     let index_shape = index_shape.sub_width(1 + rhs_overhead)?;
1499     let new_index_rw = index.rewrite(context, index_shape);
1500     match (orig_index_rw, new_index_rw) {
1501         (_, Some(ref new_index_str)) if !new_index_str.contains('\n') => Some(format!(
1502             "{}{}[{}]",
1503             expr_str,
1504             indent.to_string_with_newline(context.config),
1505             new_index_str,
1506         )),
1507         (None, Some(ref new_index_str)) => Some(format!(
1508             "{}{}[{}]",
1509             expr_str,
1510             indent.to_string_with_newline(context.config),
1511             new_index_str,
1512         )),
1513         (Some(ref index_str), _) => Some(format!("{}[{}]", expr_str, index_str)),
1514         _ => None,
1515     }
1516 }
1517
1518 fn struct_lit_can_be_aligned(fields: &[ast::Field], base: &Option<&ast::Expr>) -> bool {
1519     if base.is_some() {
1520         return false;
1521     }
1522
1523     fields.iter().all(|field| !field.is_shorthand)
1524 }
1525
1526 fn rewrite_struct_lit<'a>(
1527     context: &RewriteContext,
1528     path: &ast::Path,
1529     fields: &'a [ast::Field],
1530     base: Option<&'a ast::Expr>,
1531     span: Span,
1532     shape: Shape,
1533 ) -> Option<String> {
1534     debug!("rewrite_struct_lit: shape {:?}", shape);
1535
1536     enum StructLitField<'a> {
1537         Regular(&'a ast::Field),
1538         Base(&'a ast::Expr),
1539     }
1540
1541     // 2 = " {".len()
1542     let path_shape = shape.sub_width(2)?;
1543     let path_str = rewrite_path(context, PathContext::Expr, None, path, path_shape)?;
1544
1545     if fields.is_empty() && base.is_none() {
1546         return Some(format!("{} {{}}", path_str));
1547     }
1548
1549     // Foo { a: Foo } - indent is +3, width is -5.
1550     let (h_shape, v_shape) = struct_lit_shape(shape, context, path_str.len() + 3, 2)?;
1551
1552     let one_line_width = h_shape.map_or(0, |shape| shape.width);
1553     let body_lo = context.snippet_provider.span_after(span, "{");
1554     let fields_str = if struct_lit_can_be_aligned(fields, &base)
1555         && context.config.struct_field_align_threshold() > 0
1556     {
1557         rewrite_with_alignment(
1558             fields,
1559             context,
1560             shape,
1561             mk_sp(body_lo, span.hi()),
1562             one_line_width,
1563         )?
1564     } else {
1565         let field_iter = fields
1566             .into_iter()
1567             .map(StructLitField::Regular)
1568             .chain(base.into_iter().map(StructLitField::Base));
1569
1570         let span_lo = |item: &StructLitField| match *item {
1571             StructLitField::Regular(field) => field.span().lo(),
1572             StructLitField::Base(expr) => {
1573                 let last_field_hi = fields.last().map_or(span.lo(), |field| field.span.hi());
1574                 let snippet = context.snippet(mk_sp(last_field_hi, expr.span.lo()));
1575                 let pos = snippet.find_uncommented("..").unwrap();
1576                 last_field_hi + BytePos(pos as u32)
1577             }
1578         };
1579         let span_hi = |item: &StructLitField| match *item {
1580             StructLitField::Regular(field) => field.span().hi(),
1581             StructLitField::Base(expr) => expr.span.hi(),
1582         };
1583         let rewrite = |item: &StructLitField| match *item {
1584             StructLitField::Regular(field) => {
1585                 // The 1 taken from the v_budget is for the comma.
1586                 rewrite_field(context, field, v_shape.sub_width(1)?, 0)
1587             }
1588             StructLitField::Base(expr) => {
1589                 // 2 = ..
1590                 expr.rewrite(context, v_shape.offset_left(2)?)
1591                     .map(|s| format!("..{}", s))
1592             }
1593         };
1594
1595         let items = itemize_list(
1596             context.snippet_provider,
1597             field_iter,
1598             "}",
1599             ",",
1600             span_lo,
1601             span_hi,
1602             rewrite,
1603             body_lo,
1604             span.hi(),
1605             false,
1606         );
1607         let item_vec = items.collect::<Vec<_>>();
1608
1609         let tactic = struct_lit_tactic(h_shape, context, &item_vec);
1610         let nested_shape = shape_for_tactic(tactic, h_shape, v_shape);
1611
1612         let ends_with_comma = span_ends_with_comma(context, span);
1613         let force_no_trailing_comma = context.inside_macro() && !ends_with_comma;
1614
1615         let fmt = struct_lit_formatting(
1616             nested_shape,
1617             tactic,
1618             context,
1619             force_no_trailing_comma || base.is_some(),
1620         );
1621
1622         write_list(&item_vec, &fmt)?
1623     };
1624
1625     let fields_str = wrap_struct_field(context, &fields_str, shape, v_shape, one_line_width);
1626     Some(format!("{} {{{}}}", path_str, fields_str))
1627
1628     // FIXME if context.config.indent_style() == Visual, but we run out
1629     // of space, we should fall back to BlockIndent.
1630 }
1631
1632 pub fn wrap_struct_field(
1633     context: &RewriteContext,
1634     fields_str: &str,
1635     shape: Shape,
1636     nested_shape: Shape,
1637     one_line_width: usize,
1638 ) -> String {
1639     if context.config.indent_style() == IndentStyle::Block
1640         && (fields_str.contains('\n')
1641             || !context.config.struct_lit_single_line()
1642             || fields_str.len() > one_line_width)
1643     {
1644         format!(
1645             "{}{}{}",
1646             nested_shape.indent.to_string_with_newline(context.config),
1647             fields_str,
1648             shape.indent.to_string_with_newline(context.config)
1649         )
1650     } else {
1651         // One liner or visual indent.
1652         format!(" {} ", fields_str)
1653     }
1654 }
1655
1656 pub fn struct_lit_field_separator(config: &Config) -> &str {
1657     colon_spaces(config.space_before_colon(), config.space_after_colon())
1658 }
1659
1660 pub fn rewrite_field(
1661     context: &RewriteContext,
1662     field: &ast::Field,
1663     shape: Shape,
1664     prefix_max_width: usize,
1665 ) -> Option<String> {
1666     if contains_skip(&field.attrs) {
1667         return Some(context.snippet(field.span()).to_owned());
1668     }
1669     let mut attrs_str = field.attrs.rewrite(context, shape)?;
1670     if !attrs_str.is_empty() {
1671         attrs_str.push_str(&shape.indent.to_string_with_newline(context.config));
1672     };
1673     let name = &field.ident.name.to_string();
1674     if field.is_shorthand {
1675         Some(attrs_str + &name)
1676     } else {
1677         let mut separator = String::from(struct_lit_field_separator(context.config));
1678         for _ in 0..prefix_max_width.saturating_sub(name.len()) {
1679             separator.push(' ');
1680         }
1681         let overhead = name.len() + separator.len();
1682         let expr_shape = shape.offset_left(overhead)?;
1683         let expr = field.expr.rewrite(context, expr_shape);
1684
1685         match expr {
1686             Some(ref e) if e.as_str() == name && context.config.use_field_init_shorthand() => {
1687                 Some(attrs_str + &name)
1688             }
1689             Some(e) => Some(format!("{}{}{}{}", attrs_str, name, separator, e)),
1690             None => {
1691                 let expr_offset = shape.indent.block_indent(context.config);
1692                 let expr = field
1693                     .expr
1694                     .rewrite(context, Shape::indented(expr_offset, context.config));
1695                 expr.map(|s| {
1696                     format!(
1697                         "{}{}:\n{}{}",
1698                         attrs_str,
1699                         name,
1700                         expr_offset.to_string(context.config),
1701                         s
1702                     )
1703                 })
1704             }
1705         }
1706     }
1707 }
1708
1709 fn rewrite_tuple_in_visual_indent_style<'a, T>(
1710     context: &RewriteContext,
1711     items: &[&T],
1712     span: Span,
1713     shape: Shape,
1714 ) -> Option<String>
1715 where
1716     T: Rewrite + Spanned + ToExpr + 'a,
1717 {
1718     let mut items = items.iter();
1719     // In case of length 1, need a trailing comma
1720     debug!("rewrite_tuple_in_visual_indent_style {:?}", shape);
1721     if items.len() == 1 {
1722         // 3 = "(" + ",)"
1723         let nested_shape = shape.sub_width(3)?.visual_indent(1);
1724         return items
1725             .next()
1726             .unwrap()
1727             .rewrite(context, nested_shape)
1728             .map(|s| format!("({},)", s));
1729     }
1730
1731     let list_lo = context.snippet_provider.span_after(span, "(");
1732     let nested_shape = shape.sub_width(2)?.visual_indent(1);
1733     let items = itemize_list(
1734         context.snippet_provider,
1735         items,
1736         ")",
1737         ",",
1738         |item| item.span().lo(),
1739         |item| item.span().hi(),
1740         |item| item.rewrite(context, nested_shape),
1741         list_lo,
1742         span.hi() - BytePos(1),
1743         false,
1744     );
1745     let item_vec: Vec<_> = items.collect();
1746     let tactic = definitive_tactic(
1747         &item_vec,
1748         ListTactic::HorizontalVertical,
1749         Separator::Comma,
1750         nested_shape.width,
1751     );
1752     let fmt = ListFormatting {
1753         tactic,
1754         separator: ",",
1755         trailing_separator: SeparatorTactic::Never,
1756         separator_place: SeparatorPlace::Back,
1757         shape,
1758         ends_with_newline: false,
1759         preserve_newline: false,
1760         nested: false,
1761         config: context.config,
1762     };
1763     let list_str = write_list(&item_vec, &fmt)?;
1764
1765     Some(format!("({})", list_str))
1766 }
1767
1768 pub fn rewrite_tuple<'a, T>(
1769     context: &RewriteContext,
1770     items: &[&T],
1771     span: Span,
1772     shape: Shape,
1773 ) -> Option<String>
1774 where
1775     T: Rewrite + Spanned + ToExpr + 'a,
1776 {
1777     debug!("rewrite_tuple {:?}", shape);
1778     if context.use_block_indent() {
1779         // We use the same rule as function calls for rewriting tuples.
1780         let force_tactic = if context.inside_macro() {
1781             if span_ends_with_comma(context, span) {
1782                 Some(SeparatorTactic::Always)
1783             } else {
1784                 Some(SeparatorTactic::Never)
1785             }
1786         } else if items.len() == 1 {
1787             Some(SeparatorTactic::Always)
1788         } else {
1789             None
1790         };
1791         overflow::rewrite_with_parens(
1792             context,
1793             "",
1794             items,
1795             shape,
1796             span,
1797             context.config.width_heuristics().fn_call_width,
1798             force_tactic,
1799         )
1800     } else {
1801         rewrite_tuple_in_visual_indent_style(context, items, span, shape)
1802     }
1803 }
1804
1805 pub fn rewrite_unary_prefix<R: Rewrite>(
1806     context: &RewriteContext,
1807     prefix: &str,
1808     rewrite: &R,
1809     shape: Shape,
1810 ) -> Option<String> {
1811     rewrite
1812         .rewrite(context, shape.offset_left(prefix.len())?)
1813         .map(|r| format!("{}{}", prefix, r))
1814 }
1815
1816 // FIXME: this is probably not correct for multi-line Rewrites. we should
1817 // subtract suffix.len() from the last line budget, not the first!
1818 pub fn rewrite_unary_suffix<R: Rewrite>(
1819     context: &RewriteContext,
1820     suffix: &str,
1821     rewrite: &R,
1822     shape: Shape,
1823 ) -> Option<String> {
1824     rewrite
1825         .rewrite(context, shape.sub_width(suffix.len())?)
1826         .map(|mut r| {
1827             r.push_str(suffix);
1828             r
1829         })
1830 }
1831
1832 fn rewrite_unary_op(
1833     context: &RewriteContext,
1834     op: &ast::UnOp,
1835     expr: &ast::Expr,
1836     shape: Shape,
1837 ) -> Option<String> {
1838     // For some reason, an UnOp is not spanned like BinOp!
1839     let operator_str = match *op {
1840         ast::UnOp::Deref => "*",
1841         ast::UnOp::Not => "!",
1842         ast::UnOp::Neg => "-",
1843     };
1844     rewrite_unary_prefix(context, operator_str, expr, shape)
1845 }
1846
1847 fn rewrite_assignment(
1848     context: &RewriteContext,
1849     lhs: &ast::Expr,
1850     rhs: &ast::Expr,
1851     op: Option<&ast::BinOp>,
1852     shape: Shape,
1853 ) -> Option<String> {
1854     let operator_str = match op {
1855         Some(op) => context.snippet(op.span),
1856         None => "=",
1857     };
1858
1859     // 1 = space between lhs and operator.
1860     let lhs_shape = shape.sub_width(operator_str.len() + 1)?;
1861     let lhs_str = format!("{} {}", lhs.rewrite(context, lhs_shape)?, operator_str);
1862
1863     rewrite_assign_rhs(context, lhs_str, rhs, shape)
1864 }
1865
1866 /// Controls where to put the rhs.
1867 #[derive(Debug, Copy, Clone, PartialEq, Eq)]
1868 pub enum RhsTactics {
1869     /// Use heuristics.
1870     Default,
1871     /// Put the rhs on the next line if it uses multiple line, without extra indentation.
1872     ForceNextLineWithoutIndent,
1873 }
1874
1875 // The left hand side must contain everything up to, and including, the
1876 // assignment operator.
1877 pub fn rewrite_assign_rhs<S: Into<String>, R: Rewrite>(
1878     context: &RewriteContext,
1879     lhs: S,
1880     ex: &R,
1881     shape: Shape,
1882 ) -> Option<String> {
1883     rewrite_assign_rhs_with(context, lhs, ex, shape, RhsTactics::Default)
1884 }
1885
1886 pub fn rewrite_assign_rhs_with<S: Into<String>, R: Rewrite>(
1887     context: &RewriteContext,
1888     lhs: S,
1889     ex: &R,
1890     shape: Shape,
1891     rhs_tactics: RhsTactics,
1892 ) -> Option<String> {
1893     let lhs = lhs.into();
1894     let last_line_width = last_line_width(&lhs).saturating_sub(if lhs.contains('\n') {
1895         shape.indent.width()
1896     } else {
1897         0
1898     });
1899     // 1 = space between operator and rhs.
1900     let orig_shape = shape.offset_left(last_line_width + 1).unwrap_or(Shape {
1901         width: 0,
1902         offset: shape.offset + last_line_width + 1,
1903         ..shape
1904     });
1905     let rhs = choose_rhs(
1906         context,
1907         ex,
1908         orig_shape,
1909         ex.rewrite(context, orig_shape),
1910         rhs_tactics,
1911     )?;
1912     Some(lhs + &rhs)
1913 }
1914
1915 fn choose_rhs<R: Rewrite>(
1916     context: &RewriteContext,
1917     expr: &R,
1918     shape: Shape,
1919     orig_rhs: Option<String>,
1920     rhs_tactics: RhsTactics,
1921 ) -> Option<String> {
1922     match orig_rhs {
1923         Some(ref new_str) if !new_str.contains('\n') && new_str.len() <= shape.width => {
1924             Some(format!(" {}", new_str))
1925         }
1926         _ => {
1927             // Expression did not fit on the same line as the identifier.
1928             // Try splitting the line and see if that works better.
1929             let new_shape = shape_from_rhs_tactic(context, shape, rhs_tactics)?;
1930             let new_rhs = expr.rewrite(context, new_shape);
1931             let new_indent_str = &shape
1932                 .indent
1933                 .block_indent(context.config)
1934                 .to_string_with_newline(context.config);
1935
1936             match (orig_rhs, new_rhs) {
1937                 (Some(ref orig_rhs), Some(ref new_rhs))
1938                     if wrap_str(new_rhs.clone(), context.config.max_width(), new_shape)
1939                         .is_none() =>
1940                 {
1941                     Some(format!(" {}", orig_rhs))
1942                 }
1943                 (Some(ref orig_rhs), Some(ref new_rhs))
1944                     if prefer_next_line(orig_rhs, new_rhs, rhs_tactics) =>
1945                 {
1946                     Some(format!("{}{}", new_indent_str, new_rhs))
1947                 }
1948                 (None, Some(ref new_rhs)) => Some(format!("{}{}", new_indent_str, new_rhs)),
1949                 (None, None) => None,
1950                 (Some(orig_rhs), _) => Some(format!(" {}", orig_rhs)),
1951             }
1952         }
1953     }
1954 }
1955
1956 fn shape_from_rhs_tactic(
1957     context: &RewriteContext,
1958     shape: Shape,
1959     rhs_tactic: RhsTactics,
1960 ) -> Option<Shape> {
1961     match rhs_tactic {
1962         RhsTactics::ForceNextLineWithoutIndent => Some(shape.with_max_width(context.config)),
1963         RhsTactics::Default => {
1964             Shape::indented(shape.indent.block_indent(context.config), context.config)
1965                 .sub_width(shape.rhs_overhead(context.config))
1966         }
1967     }
1968 }
1969
1970 pub fn prefer_next_line(orig_rhs: &str, next_line_rhs: &str, rhs_tactics: RhsTactics) -> bool {
1971     rhs_tactics == RhsTactics::ForceNextLineWithoutIndent
1972         || !next_line_rhs.contains('\n')
1973         || count_newlines(orig_rhs) > count_newlines(next_line_rhs) + 1
1974         || first_line_ends_with(orig_rhs, '(') && !first_line_ends_with(next_line_rhs, '(')
1975         || first_line_ends_with(orig_rhs, '{') && !first_line_ends_with(next_line_rhs, '{')
1976         || first_line_ends_with(orig_rhs, '[') && !first_line_ends_with(next_line_rhs, '[')
1977 }
1978
1979 fn rewrite_expr_addrof(
1980     context: &RewriteContext,
1981     mutability: ast::Mutability,
1982     expr: &ast::Expr,
1983     shape: Shape,
1984 ) -> Option<String> {
1985     let operator_str = match mutability {
1986         ast::Mutability::Immutable => "&",
1987         ast::Mutability::Mutable => "&mut ",
1988     };
1989     rewrite_unary_prefix(context, operator_str, expr, shape)
1990 }
1991
1992 pub trait ToExpr {
1993     fn to_expr(&self) -> Option<&ast::Expr>;
1994     fn can_be_overflowed(&self, context: &RewriteContext, len: usize) -> bool;
1995 }
1996
1997 impl ToExpr for ast::Expr {
1998     fn to_expr(&self) -> Option<&ast::Expr> {
1999         Some(self)
2000     }
2001
2002     fn can_be_overflowed(&self, context: &RewriteContext, len: usize) -> bool {
2003         can_be_overflowed_expr(context, self, len)
2004     }
2005 }
2006
2007 impl ToExpr for ast::Ty {
2008     fn to_expr(&self) -> Option<&ast::Expr> {
2009         None
2010     }
2011
2012     fn can_be_overflowed(&self, context: &RewriteContext, len: usize) -> bool {
2013         can_be_overflowed_type(context, self, len)
2014     }
2015 }
2016
2017 impl<'a> ToExpr for TuplePatField<'a> {
2018     fn to_expr(&self) -> Option<&ast::Expr> {
2019         None
2020     }
2021
2022     fn can_be_overflowed(&self, context: &RewriteContext, len: usize) -> bool {
2023         can_be_overflowed_pat(context, self, len)
2024     }
2025 }
2026
2027 impl<'a> ToExpr for ast::StructField {
2028     fn to_expr(&self) -> Option<&ast::Expr> {
2029         None
2030     }
2031
2032     fn can_be_overflowed(&self, _: &RewriteContext, _: usize) -> bool {
2033         false
2034     }
2035 }
2036
2037 impl<'a> ToExpr for MacroArg {
2038     fn to_expr(&self) -> Option<&ast::Expr> {
2039         match *self {
2040             MacroArg::Expr(ref expr) => Some(expr),
2041             _ => None,
2042         }
2043     }
2044
2045     fn can_be_overflowed(&self, context: &RewriteContext, len: usize) -> bool {
2046         match *self {
2047             MacroArg::Expr(ref expr) => can_be_overflowed_expr(context, expr, len),
2048             MacroArg::Ty(ref ty) => can_be_overflowed_type(context, ty, len),
2049             MacroArg::Pat(..) => false,
2050             MacroArg::Item(..) => len == 1,
2051         }
2052     }
2053 }
2054
2055 impl ToExpr for ast::GenericParam {
2056     fn to_expr(&self) -> Option<&ast::Expr> {
2057         None
2058     }
2059
2060     fn can_be_overflowed(&self, _: &RewriteContext, _: usize) -> bool {
2061         false
2062     }
2063 }
2064
2065 pub fn is_method_call(expr: &ast::Expr) -> bool {
2066     match expr.node {
2067         ast::ExprKind::MethodCall(..) => true,
2068         ast::ExprKind::AddrOf(_, ref expr)
2069         | ast::ExprKind::Box(ref expr)
2070         | ast::ExprKind::Cast(ref expr, _)
2071         | ast::ExprKind::Try(ref expr)
2072         | ast::ExprKind::Unary(_, ref expr) => is_method_call(expr),
2073         _ => false,
2074     }
2075 }