]> git.lizzy.rs Git - rust.git/blob - src/closures.rs
Update to the latest libsyntax changes
[rust.git] / src / closures.rs
1 // Copyright 2017 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 syntax::{ast, ptr};
12 use syntax::codemap::Span;
13 use syntax::parse::classify;
14
15 use codemap::SpanUtils;
16 use expr::{block_contains_comment, is_simple_block, is_unsafe_block, rewrite_cond, ToExpr};
17 use items::{span_hi_for_arg, span_lo_for_arg};
18 use lists::{definitive_tactic, itemize_list, write_list, DefinitiveListTactic, ListFormatting,
19             ListTactic, Separator, SeparatorPlace, SeparatorTactic};
20 use rewrite::{Rewrite, RewriteContext};
21 use shape::Shape;
22 use utils::{last_line_width, left_most_sub_expr, stmt_expr};
23
24 // This module is pretty messy because of the rules around closures and blocks:
25 // FIXME - the below is probably no longer true in full.
26 //   * if there is a return type, then there must be braces,
27 //   * given a closure with braces, whether that is parsed to give an inner block
28 //     or not depends on if there is a return type and if there are statements
29 //     in that block,
30 //   * if the first expression in the body ends with a block (i.e., is a
31 //     statement without needing a semi-colon), then adding or removing braces
32 //     can change whether it is treated as an expression or statement.
33
34 pub fn rewrite_closure(
35     capture: ast::CaptureBy,
36     fn_decl: &ast::FnDecl,
37     body: &ast::Expr,
38     span: Span,
39     context: &RewriteContext,
40     shape: Shape,
41 ) -> Option<String> {
42     debug!("rewrite_closure {:?}", body);
43
44     let (prefix, extra_offset) =
45         rewrite_closure_fn_decl(capture, fn_decl, body, span, context, shape)?;
46     // 1 = space between `|...|` and body.
47     let body_shape = shape.offset_left(extra_offset)?;
48
49     if let ast::ExprKind::Block(ref block) = body.node {
50         // The body of the closure is an empty block.
51         if block.stmts.is_empty() && !block_contains_comment(block, context.codemap) {
52             return Some(format!("{} {{}}", prefix));
53         }
54
55         let result = match fn_decl.output {
56             ast::FunctionRetTy::Default(_) => {
57                 try_rewrite_without_block(body, &prefix, context, shape, body_shape)
58             }
59             _ => None,
60         };
61
62         result.or_else(|| {
63             // Either we require a block, or tried without and failed.
64             rewrite_closure_block(block, &prefix, context, body_shape)
65         })
66     } else {
67         rewrite_closure_expr(body, &prefix, context, body_shape).or_else(|| {
68             // The closure originally had a non-block expression, but we can't fit on
69             // one line, so we'll insert a block.
70             rewrite_closure_with_block(body, &prefix, context, body_shape)
71         })
72     }
73 }
74
75 fn try_rewrite_without_block(
76     expr: &ast::Expr,
77     prefix: &str,
78     context: &RewriteContext,
79     shape: Shape,
80     body_shape: Shape,
81 ) -> Option<String> {
82     let expr = get_inner_expr(expr, prefix, context);
83
84     if is_block_closure_forced(context, expr) {
85         rewrite_closure_with_block(expr, prefix, context, shape)
86     } else {
87         rewrite_closure_expr(expr, prefix, context, body_shape)
88     }
89 }
90
91 fn get_inner_expr<'a>(
92     expr: &'a ast::Expr,
93     prefix: &str,
94     context: &RewriteContext,
95 ) -> &'a ast::Expr {
96     if let ast::ExprKind::Block(ref block) = expr.node {
97         if !needs_block(block, prefix, context) {
98             // block.stmts.len() == 1
99             if let Some(expr) = stmt_expr(&block.stmts[0]) {
100                 return get_inner_expr(expr, prefix, context);
101             }
102         }
103     }
104
105     expr
106 }
107
108 // Figure out if a block is necessary.
109 fn needs_block(block: &ast::Block, prefix: &str, context: &RewriteContext) -> bool {
110     is_unsafe_block(block) || block.stmts.len() > 1
111         || block_contains_comment(block, context.codemap) || prefix.contains('\n')
112 }
113
114 // Rewrite closure with a single expression wrapping its body with block.
115 fn rewrite_closure_with_block(
116     body: &ast::Expr,
117     prefix: &str,
118     context: &RewriteContext,
119     shape: Shape,
120 ) -> Option<String> {
121     let left_most = left_most_sub_expr(body);
122     let veto_block = left_most != body && !classify::expr_requires_semi_to_be_stmt(left_most);
123     if veto_block {
124         return None;
125     }
126
127     let block = ast::Block {
128         stmts: vec![
129             ast::Stmt {
130                 id: ast::NodeId::new(0),
131                 node: ast::StmtKind::Expr(ptr::P(body.clone())),
132                 span: body.span,
133             },
134         ],
135         id: ast::NodeId::new(0),
136         rules: ast::BlockCheckMode::Default,
137         span: body.span,
138         recovered: false,
139     };
140     let block = ::expr::rewrite_block_with_visitor(context, "", &block, shape, false)?;
141     Some(format!("{} {}", prefix, block))
142 }
143
144 // Rewrite closure with a single expression without wrapping its body with block.
145 fn rewrite_closure_expr(
146     expr: &ast::Expr,
147     prefix: &str,
148     context: &RewriteContext,
149     shape: Shape,
150 ) -> Option<String> {
151     fn allow_multi_line(expr: &ast::Expr) -> bool {
152         match expr.node {
153             ast::ExprKind::Match(..)
154             | ast::ExprKind::Block(..)
155             | ast::ExprKind::Catch(..)
156             | ast::ExprKind::Loop(..)
157             | ast::ExprKind::Struct(..) => true,
158
159             ast::ExprKind::AddrOf(_, ref expr)
160             | ast::ExprKind::Box(ref expr)
161             | ast::ExprKind::Try(ref expr)
162             | ast::ExprKind::Unary(_, ref expr)
163             | ast::ExprKind::Cast(ref expr, _) => allow_multi_line(expr),
164
165             _ => false,
166         }
167     }
168
169     // When rewriting closure's body without block, we require it to fit in a single line
170     // unless it is a block-like expression or we are inside macro call.
171     let veto_multiline = (!allow_multi_line(expr) && !context.inside_macro)
172         || context.config.force_multiline_blocks();
173     expr.rewrite(context, shape)
174         .and_then(|rw| {
175             if veto_multiline && rw.contains('\n') {
176                 None
177             } else {
178                 Some(rw)
179             }
180         })
181         .map(|rw| format!("{} {}", prefix, rw))
182 }
183
184 // Rewrite closure whose body is block.
185 fn rewrite_closure_block(
186     block: &ast::Block,
187     prefix: &str,
188     context: &RewriteContext,
189     shape: Shape,
190 ) -> Option<String> {
191     Some(format!("{} {}", prefix, block.rewrite(context, shape)?))
192 }
193
194 // Return type is (prefix, extra_offset)
195 fn rewrite_closure_fn_decl(
196     capture: ast::CaptureBy,
197     fn_decl: &ast::FnDecl,
198     body: &ast::Expr,
199     span: Span,
200     context: &RewriteContext,
201     shape: Shape,
202 ) -> Option<(String, usize)> {
203     let mover = if capture == ast::CaptureBy::Value {
204         "move "
205     } else {
206         ""
207     };
208     // 4 = "|| {".len(), which is overconservative when the closure consists of
209     // a single expression.
210     let nested_shape = shape.shrink_left(mover.len())?.sub_width(4)?;
211
212     // 1 = |
213     let argument_offset = nested_shape.indent + 1;
214     let arg_shape = nested_shape.offset_left(1)?.visual_indent(0);
215     let ret_str = fn_decl.output.rewrite(context, arg_shape)?;
216
217     let arg_items = itemize_list(
218         context.codemap,
219         fn_decl.inputs.iter(),
220         "|",
221         ",",
222         |arg| span_lo_for_arg(arg),
223         |arg| span_hi_for_arg(context, arg),
224         |arg| arg.rewrite(context, arg_shape),
225         context.codemap.span_after(span, "|"),
226         body.span.lo(),
227         false,
228     );
229     let item_vec = arg_items.collect::<Vec<_>>();
230     // 1 = space between arguments and return type.
231     let horizontal_budget = nested_shape
232         .width
233         .checked_sub(ret_str.len() + 1)
234         .unwrap_or(0);
235     let tactic = definitive_tactic(
236         &item_vec,
237         ListTactic::HorizontalVertical,
238         Separator::Comma,
239         horizontal_budget,
240     );
241     let arg_shape = match tactic {
242         DefinitiveListTactic::Horizontal => arg_shape.sub_width(ret_str.len() + 1)?,
243         _ => arg_shape,
244     };
245
246     let fmt = ListFormatting {
247         tactic: tactic,
248         separator: ",",
249         trailing_separator: SeparatorTactic::Never,
250         separator_place: SeparatorPlace::Back,
251         shape: arg_shape,
252         ends_with_newline: false,
253         preserve_newline: true,
254         config: context.config,
255     };
256     let list_str = write_list(&item_vec, &fmt)?;
257     let mut prefix = format!("{}|{}|", mover, list_str);
258
259     if !ret_str.is_empty() {
260         if prefix.contains('\n') {
261             prefix.push('\n');
262             prefix.push_str(&argument_offset.to_string(context.config));
263         } else {
264             prefix.push(' ');
265         }
266         prefix.push_str(&ret_str);
267     }
268     // 1 = space between `|...|` and body.
269     let extra_offset = last_line_width(&prefix) + 1;
270
271     Some((prefix, extra_offset))
272 }
273
274 // Rewriting closure which is placed at the end of the function call's arg.
275 // Returns `None` if the reformatted closure 'looks bad'.
276 pub fn rewrite_last_closure(
277     context: &RewriteContext,
278     expr: &ast::Expr,
279     shape: Shape,
280 ) -> Option<String> {
281     if let ast::ExprKind::Closure(capture, _, ref fn_decl, ref body, _) = expr.node {
282         let body = match body.node {
283             ast::ExprKind::Block(ref block)
284                 if !is_unsafe_block(block) && is_simple_block(block, context.codemap) =>
285             {
286                 stmt_expr(&block.stmts[0]).unwrap_or(body)
287             }
288             _ => body,
289         };
290         let (prefix, extra_offset) =
291             rewrite_closure_fn_decl(capture, fn_decl, body, expr.span, context, shape)?;
292         // If the closure goes multi line before its body, do not overflow the closure.
293         if prefix.contains('\n') {
294             return None;
295         }
296
297         let body_shape = shape.offset_left(extra_offset)?;
298
299         // We force to use block for the body of the closure for certain kinds of expressions.
300         if is_block_closure_forced(context, body) {
301             return rewrite_closure_with_block(body, &prefix, context, body_shape).and_then(
302                 |body_str| {
303                     // If the expression can fit in a single line, we need not force block closure.
304                     if body_str.lines().count() <= 7 {
305                         match rewrite_closure_expr(body, &prefix, context, shape) {
306                             Some(ref single_line_body_str)
307                                 if !single_line_body_str.contains('\n') =>
308                             {
309                                 Some(single_line_body_str.clone())
310                             }
311                             _ => Some(body_str),
312                         }
313                     } else {
314                         Some(body_str)
315                     }
316                 },
317             );
318         }
319
320         // When overflowing the closure which consists of a single control flow expression,
321         // force to use block if its condition uses multi line.
322         let is_multi_lined_cond = rewrite_cond(context, body, body_shape)
323             .map(|cond| cond.contains('\n') || cond.len() > body_shape.width)
324             .unwrap_or(false);
325         if is_multi_lined_cond {
326             return rewrite_closure_with_block(body, &prefix, context, body_shape);
327         }
328
329         // Seems fine, just format the closure in usual manner.
330         return expr.rewrite(context, shape);
331     }
332     None
333 }
334
335 /// Returns true if the given vector of arguments has more than one `ast::ExprKind::Closure`.
336 pub fn args_have_many_closure<T>(args: &[&T]) -> bool
337 where
338     T: ToExpr,
339 {
340     args.iter()
341         .filter(|arg| {
342             arg.to_expr()
343                 .map(|e| match e.node {
344                     ast::ExprKind::Closure(..) => true,
345                     _ => false,
346                 })
347                 .unwrap_or(false)
348         })
349         .count() > 1
350 }
351
352 fn is_block_closure_forced(context: &RewriteContext, expr: &ast::Expr) -> bool {
353     // If we are inside macro, we do not want to add or remove block from closure body.
354     if context.inside_macro {
355         false
356     } else {
357         is_block_closure_forced_inner(expr)
358     }
359 }
360
361 fn is_block_closure_forced_inner(expr: &ast::Expr) -> bool {
362     match expr.node {
363         ast::ExprKind::If(..)
364         | ast::ExprKind::IfLet(..)
365         | ast::ExprKind::While(..)
366         | ast::ExprKind::WhileLet(..)
367         | ast::ExprKind::ForLoop(..) => true,
368         ast::ExprKind::AddrOf(_, ref expr)
369         | ast::ExprKind::Box(ref expr)
370         | ast::ExprKind::Try(ref expr)
371         | ast::ExprKind::Unary(_, ref expr)
372         | ast::ExprKind::Cast(ref expr, _) => is_block_closure_forced_inner(expr),
373         _ => false,
374     }
375 }