]> git.lizzy.rs Git - rust.git/blob - src/chains.rs
Format non-statement if-else expressions on a single line
[rust.git] / src / chains.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 /// Formatting of chained expressions, i.e. expressions which are chained by
12 /// dots: struct and enum field access, method calls, and try shorthand (?).
13 ///
14 /// Instead of walking these subexpressions one-by-one, as is our usual strategy
15 /// for expression formatting, we collect maximal sequences of these expressions
16 /// and handle them simultaneously.
17 ///
18 /// Whenever possible, the entire chain is put on a single line. If that fails,
19 /// we put each subexpression on a separate, much like the (default) function
20 /// argument function argument strategy.
21 ///
22 /// Depends on config options: `chain_base_indent` is the indent to use for
23 /// blocks in the parent/root/base of the chain.
24 /// E.g., `let foo = { aaaa; bbb; ccc }.bar.baz();`, we would layout for the
25 /// following values of `chain_base_indent`:
26 /// Visual:
27 /// ```
28 /// let foo = {
29 ///               aaaa;
30 ///               bbb;
31 ///               ccc
32 ///           }
33 ///           .bar
34 ///           .baz();
35 /// ```
36 /// Inherit:
37 /// ```
38 /// let foo = {
39 ///     aaaa;
40 ///     bbb;
41 ///     ccc
42 /// }
43 /// .bar
44 /// .baz();
45 /// ```
46 /// Tabbed:
47 /// ```
48 /// let foo = {
49 ///         aaaa;
50 ///         bbb;
51 ///         ccc
52 ///     }
53 ///     .bar
54 ///     .baz();
55 /// ```
56 ///
57 /// `chain_indent` dictates how the rest of the chain is aligned.
58 /// If the first item in the chain is a block expression, we align the dots with
59 /// the braces.
60 /// Visual:
61 /// ```
62 /// let a = foo.bar
63 ///            .baz()
64 ///            .qux
65 /// ```
66 /// Inherit:
67 /// ```
68 /// let a = foo.bar
69 /// .baz()
70 /// .qux
71 /// ```
72 /// Tabbed:
73 /// ```
74 /// let a = foo.bar
75 ///     .baz()
76 ///     .qux
77 /// ```
78 /// `chains_overflow_last` applies only to chains where the last item is a
79 /// method call. Usually, any line break in a chain sub-expression causes the
80 /// whole chain to be split with newlines at each `.`. With `chains_overflow_last`
81 /// true, then we allow the last method call to spill over multiple lines without
82 /// forcing the rest of the chain to be split.
83
84 use Indent;
85 use rewrite::{Rewrite, RewriteContext};
86 use utils::{wrap_str, first_line_width};
87 use expr::rewrite_call;
88 use config::BlockIndentStyle;
89 use macros::convert_try_mac;
90
91 use syntax::{ast, ptr};
92 use syntax::codemap::{mk_sp, Span};
93
94 pub fn rewrite_chain(expr: &ast::Expr,
95                      context: &RewriteContext,
96                      width: usize,
97                      offset: Indent)
98                      -> Option<String> {
99     let total_span = expr.span;
100     let (parent, subexpr_list) = make_subexpr_list(expr, context);
101
102     // Parent is the first item in the chain, e.g., `foo` in `foo.bar.baz()`.
103     let parent_block_indent = chain_base_indent(context, offset);
104     let parent_context = &RewriteContext { block_indent: parent_block_indent, ..*context };
105     let parent_rewrite = try_opt!(parent.rewrite(parent_context, width, offset));
106
107     // Decide how to layout the rest of the chain. `extend` is true if we can
108     // put the first non-parent item on the same line as the parent.
109     let (indent, extend) = if !parent_rewrite.contains('\n') && is_continuable(&parent) ||
110                               parent_rewrite.len() <= context.config.tab_spaces {
111
112         let indent = if let ast::ExprKind::Try(..) = subexpr_list.last().unwrap().node {
113             parent_block_indent.block_indent(context.config)
114         } else {
115             chain_indent(context, offset + Indent::new(0, parent_rewrite.len()))
116         };
117         (indent, true)
118     } else if is_block_expr(&parent, &parent_rewrite) {
119         // The parent is a block, so align the rest of the chain with the closing
120         // brace.
121         (parent_block_indent, false)
122     } else if parent_rewrite.contains('\n') {
123         (chain_indent(context, parent_block_indent.block_indent(context.config)), false)
124     } else {
125         (chain_indent_newline(context, offset + Indent::new(0, parent_rewrite.len())), false)
126     };
127
128     let max_width = try_opt!((width + offset.width()).checked_sub(indent.width()));
129     let mut rewrites = try_opt!(subexpr_list.iter()
130         .rev()
131         .map(|e| rewrite_chain_subexpr(e, total_span, context, max_width, indent))
132         .collect::<Option<Vec<_>>>());
133
134     // Total of all items excluding the last.
135     let almost_total = rewrites[..rewrites.len() - 1]
136         .iter()
137         .fold(0, |a, b| a + first_line_width(b)) + parent_rewrite.len();
138     let total_width = almost_total + first_line_width(rewrites.last().unwrap());
139
140     let veto_single_line = if context.config.take_source_hints && subexpr_list.len() > 1 {
141         // Look at the source code. Unless all chain elements start on the same
142         // line, we won't consider putting them on a single line either.
143         let last_span = context.snippet(mk_sp(subexpr_list[1].span.hi, total_span.hi));
144         let first_span = context.snippet(subexpr_list[1].span);
145         let last_iter = last_span.chars().take_while(|c| c.is_whitespace());
146
147         first_span.chars().chain(last_iter).any(|c| c == '\n')
148     } else {
149         false
150     };
151
152     let mut fits_single_line = !veto_single_line && total_width <= width;
153     if fits_single_line {
154         let len = rewrites.len();
155         let (init, last) = rewrites.split_at_mut(len - 1);
156         fits_single_line = init.iter().all(|s| !s.contains('\n'));
157
158         if fits_single_line {
159             fits_single_line = match expr.node {
160                 ref e @ ast::ExprKind::MethodCall(..) if context.config.chains_overflow_last => {
161                     rewrite_method_call_with_overflow(e,
162                                                       &mut last[0],
163                                                       almost_total,
164                                                       width,
165                                                       total_span,
166                                                       context,
167                                                       offset)
168                 }
169                 _ => !last[0].contains('\n'),
170             }
171         }
172     }
173
174     let connector = if fits_single_line && !parent_rewrite.contains('\n') {
175         // Yay, we can put everything on one line.
176         String::new()
177     } else {
178         // Use new lines.
179         format!("\n{}", indent.to_string(context.config))
180     };
181
182     let first_connector = if extend || subexpr_list.len() == 0 {
183         ""
184     } else if let ast::ExprKind::Try(_) = subexpr_list[0].node {
185         ""
186     } else {
187         &*connector
188     };
189
190     wrap_str(format!("{}{}{}",
191                      parent_rewrite,
192                      first_connector,
193                      join_rewrites(&rewrites, &subexpr_list, &connector)),
194              context.config.max_width,
195              width,
196              offset)
197 }
198
199 fn join_rewrites(rewrites: &[String], subexps: &[ast::Expr], connector: &str) -> String {
200     let mut rewrite_iter = rewrites.iter();
201     let mut result = rewrite_iter.next().unwrap().clone();
202     let mut subexpr_iter = subexps.iter().rev();
203     subexpr_iter.next();
204
205     for (rewrite, expr) in rewrite_iter.zip(subexpr_iter) {
206         match expr.node {
207             ast::ExprKind::Try(_) => (),
208             _ => result.push_str(connector),
209         };
210         result.push_str(&rewrite[..]);
211     }
212
213     result
214 }
215
216 // States whether an expression's last line exclusively consists of closing
217 // parens, braces, and brackets in its idiomatic formatting.
218 fn is_block_expr(expr: &ast::Expr, repr: &str) -> bool {
219     match expr.node {
220         ast::ExprKind::Struct(..) |
221         ast::ExprKind::While(..) |
222         ast::ExprKind::WhileLet(..) |
223         ast::ExprKind::If(..) |
224         ast::ExprKind::IfLet(..) |
225         ast::ExprKind::Block(..) |
226         ast::ExprKind::Loop(..) |
227         ast::ExprKind::ForLoop(..) |
228         ast::ExprKind::Match(..) => repr.contains('\n'),
229         ast::ExprKind::Paren(ref expr) |
230         ast::ExprKind::Binary(_, _, ref expr) |
231         ast::ExprKind::Index(_, ref expr) |
232         ast::ExprKind::Unary(_, ref expr) => is_block_expr(expr, repr),
233         _ => false,
234     }
235 }
236
237 // Returns the root of the chain and a Vec of the prefixes of the rest of the chain.
238 // E.g., for input `a.b.c` we return (`a`, [`a.b.c`, `a.b`])
239 fn make_subexpr_list(expr: &ast::Expr, context: &RewriteContext) -> (ast::Expr, Vec<ast::Expr>) {
240     let mut subexpr_list = vec![expr.clone()];
241
242     while let Some(subexpr) = pop_expr_chain(subexpr_list.last().unwrap(), context) {
243         subexpr_list.push(subexpr.clone());
244     }
245
246     let parent = subexpr_list.pop().unwrap();
247     (parent, subexpr_list)
248 }
249
250 fn chain_base_indent(context: &RewriteContext, offset: Indent) -> Indent {
251     match context.config.chain_base_indent {
252         BlockIndentStyle::Visual => offset,
253         BlockIndentStyle::Inherit => context.block_indent,
254         BlockIndentStyle::Tabbed => context.block_indent.block_indent(context.config),
255     }
256 }
257
258 fn chain_indent(context: &RewriteContext, offset: Indent) -> Indent {
259     match context.config.chain_indent {
260         BlockIndentStyle::Visual => offset,
261         BlockIndentStyle::Inherit => context.block_indent,
262         BlockIndentStyle::Tabbed => context.block_indent.block_indent(context.config),
263     }
264 }
265
266 // Ignores visual indenting because this function should be called where it is
267 // not possible to use visual indentation because we are starting on a newline.
268 fn chain_indent_newline(context: &RewriteContext, _offset: Indent) -> Indent {
269     match context.config.chain_indent {
270         BlockIndentStyle::Inherit => context.block_indent,
271         BlockIndentStyle::Visual | BlockIndentStyle::Tabbed => {
272             context.block_indent.block_indent(context.config)
273         }
274     }
275 }
276
277 fn rewrite_method_call_with_overflow(expr_kind: &ast::ExprKind,
278                                      last: &mut String,
279                                      almost_total: usize,
280                                      width: usize,
281                                      total_span: Span,
282                                      context: &RewriteContext,
283                                      offset: Indent)
284                                      -> bool {
285     if let &ast::ExprKind::MethodCall(ref method_name, ref types, ref expressions) = expr_kind {
286         let budget = match width.checked_sub(almost_total) {
287             Some(b) => b,
288             None => return false,
289         };
290         let mut last_rewrite = rewrite_method_call(method_name.node,
291                                                    types,
292                                                    expressions,
293                                                    total_span,
294                                                    context,
295                                                    budget,
296                                                    offset + almost_total);
297
298         if let Some(ref mut s) = last_rewrite {
299             ::std::mem::swap(s, last);
300             true
301         } else {
302             false
303         }
304     } else {
305         unreachable!();
306     }
307 }
308
309 // Returns the expression's subexpression, if it exists. When the subexpr
310 // is a try! macro, we'll convert it to shorthand when the option is set.
311 fn pop_expr_chain(expr: &ast::Expr, context: &RewriteContext) -> Option<ast::Expr> {
312     match expr.node {
313         ast::ExprKind::MethodCall(_, _, ref expressions) => {
314             Some(convert_try(&expressions[0], context))
315         }
316         ast::ExprKind::TupField(ref subexpr, _) |
317         ast::ExprKind::Field(ref subexpr, _) |
318         ast::ExprKind::Try(ref subexpr) => Some(convert_try(subexpr, context)),
319         _ => None,
320     }
321 }
322
323 fn convert_try(expr: &ast::Expr, context: &RewriteContext) -> ast::Expr {
324     match expr.node {
325         ast::ExprKind::Mac(ref mac) if context.config.use_try_shorthand => {
326             if let Some(subexpr) = convert_try_mac(mac, context) {
327                 subexpr
328             } else {
329                 expr.clone()
330             }
331         }
332         _ => expr.clone(),
333     }
334 }
335
336 // Rewrite the last element in the chain `expr`. E.g., given `a.b.c` we rewrite
337 // `.c`.
338 fn rewrite_chain_subexpr(expr: &ast::Expr,
339                          span: Span,
340                          context: &RewriteContext,
341                          width: usize,
342                          offset: Indent)
343                          -> Option<String> {
344     match expr.node {
345         ast::ExprKind::MethodCall(ref method_name, ref types, ref expressions) => {
346             let inner = &RewriteContext { block_indent: offset, ..*context };
347             rewrite_method_call(method_name.node,
348                                 types,
349                                 expressions,
350                                 span,
351                                 inner,
352                                 width,
353                                 offset)
354         }
355         ast::ExprKind::Field(_, ref field) => {
356             let s = format!(".{}", field.node);
357             if s.len() <= width { Some(s) } else { None }
358         }
359         ast::ExprKind::TupField(_, ref field) => {
360             let s = format!(".{}", field.node);
361             if s.len() <= width { Some(s) } else { None }
362         }
363         ast::ExprKind::Try(_) => if width >= 1 { Some("?".into()) } else { None },
364         _ => unreachable!(),
365     }
366 }
367
368 // Determines if we can continue formatting a given expression on the same line.
369 fn is_continuable(expr: &ast::Expr) -> bool {
370     match expr.node {
371         ast::ExprKind::Path(..) => true,
372         _ => false,
373     }
374 }
375
376 fn rewrite_method_call(method_name: ast::Ident,
377                        types: &[ptr::P<ast::Ty>],
378                        args: &[ptr::P<ast::Expr>],
379                        span: Span,
380                        context: &RewriteContext,
381                        width: usize,
382                        offset: Indent)
383                        -> Option<String> {
384     let (lo, type_str) = if types.is_empty() {
385         (args[0].span.hi, String::new())
386     } else {
387         let type_list: Vec<_> = try_opt!(types.iter()
388             .map(|ty| ty.rewrite(context, width, offset))
389             .collect());
390
391         (types.last().unwrap().span.hi, format!("::<{}>", type_list.join(", ")))
392     };
393
394     let callee_str = format!(".{}{}", method_name, type_str);
395     let span = mk_sp(lo, span.hi);
396
397     rewrite_call(context, &callee_str, &args[1..], span, width, offset)
398 }