]> git.lizzy.rs Git - rust.git/blob - src/types.rs
Merge pull request #2700 from Pazzaz/master
[rust.git] / src / types.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::iter::ExactSizeIterator;
12 use std::ops::Deref;
13
14 use config::lists::*;
15 use syntax::ast::{self, FunctionRetTy, Mutability};
16 use syntax::codemap::{self, BytePos, Span};
17 use syntax::symbol::keywords;
18
19 use codemap::SpanUtils;
20 use config::{IndentStyle, TypeDensity};
21 use expr::{
22     rewrite_assign_rhs, rewrite_pair, rewrite_tuple, rewrite_unary_prefix, PairParts, ToExpr,
23 };
24 use lists::{definitive_tactic, itemize_list, write_list, ListFormatting, Separator};
25 use macros::{rewrite_macro, MacroPosition};
26 use overflow;
27 use rewrite::{Rewrite, RewriteContext};
28 use shape::Shape;
29 use spanned::Spanned;
30 use utils::{
31     colon_spaces, extra_offset, first_line_width, format_abi, format_mutability, last_line_width,
32     mk_sp,
33 };
34
35 #[derive(Copy, Clone, Debug, Eq, PartialEq)]
36 pub enum PathContext {
37     Expr,
38     Type,
39     Import,
40 }
41
42 // Does not wrap on simple segments.
43 pub fn rewrite_path(
44     context: &RewriteContext,
45     path_context: PathContext,
46     qself: Option<&ast::QSelf>,
47     path: &ast::Path,
48     shape: Shape,
49 ) -> Option<String> {
50     let skip_count = qself.map_or(0, |x| x.position);
51
52     let mut result = if path.is_global() && qself.is_none() && path_context != PathContext::Import {
53         "::".to_owned()
54     } else {
55         String::new()
56     };
57
58     let mut span_lo = path.span.lo();
59
60     if let Some(qself) = qself {
61         result.push('<');
62         if context.config.spaces_within_parens_and_brackets() {
63             result.push_str(" ")
64         }
65
66         let fmt_ty = qself.ty.rewrite(context, shape)?;
67         result.push_str(&fmt_ty);
68
69         if skip_count > 0 {
70             result.push_str(" as ");
71             if path.is_global() && path_context != PathContext::Import {
72                 result.push_str("::");
73             }
74
75             // 3 = ">::".len()
76             let shape = shape.sub_width(3)?;
77
78             result = rewrite_path_segments(
79                 PathContext::Type,
80                 result,
81                 path.segments.iter().take(skip_count),
82                 span_lo,
83                 path.span.hi(),
84                 context,
85                 shape,
86             )?;
87         }
88
89         if context.config.spaces_within_parens_and_brackets() {
90             result.push_str(" ")
91         }
92
93         result.push_str(">::");
94         span_lo = qself.ty.span.hi() + BytePos(1);
95     }
96
97     rewrite_path_segments(
98         path_context,
99         result,
100         path.segments.iter().skip(skip_count),
101         span_lo,
102         path.span.hi(),
103         context,
104         shape,
105     )
106 }
107
108 fn rewrite_path_segments<'a, I>(
109     path_context: PathContext,
110     mut buffer: String,
111     iter: I,
112     mut span_lo: BytePos,
113     span_hi: BytePos,
114     context: &RewriteContext,
115     shape: Shape,
116 ) -> Option<String>
117 where
118     I: Iterator<Item = &'a ast::PathSegment>,
119 {
120     let mut first = true;
121     let shape = shape.visual_indent(0);
122
123     for segment in iter {
124         // Indicates a global path, shouldn't be rendered.
125         if segment.ident.name == keywords::CrateRoot.name() {
126             continue;
127         }
128         if first {
129             first = false;
130         } else {
131             buffer.push_str("::");
132         }
133
134         let extra_offset = extra_offset(&buffer, shape);
135         let new_shape = shape.shrink_left(extra_offset)?;
136         let segment_string = rewrite_segment(
137             path_context,
138             segment,
139             &mut span_lo,
140             span_hi,
141             context,
142             new_shape,
143         )?;
144
145         buffer.push_str(&segment_string);
146     }
147
148     Some(buffer)
149 }
150
151 #[derive(Debug)]
152 enum SegmentParam<'a> {
153     LifeTime(&'a ast::Lifetime),
154     Type(&'a ast::Ty),
155     Binding(&'a ast::TypeBinding),
156 }
157
158 impl<'a> Spanned for SegmentParam<'a> {
159     fn span(&self) -> Span {
160         match *self {
161             SegmentParam::LifeTime(lt) => lt.ident.span,
162             SegmentParam::Type(ty) => ty.span,
163             SegmentParam::Binding(binding) => binding.span,
164         }
165     }
166 }
167
168 impl<'a> ToExpr for SegmentParam<'a> {
169     fn to_expr(&self) -> Option<&ast::Expr> {
170         None
171     }
172
173     fn can_be_overflowed(&self, context: &RewriteContext, len: usize) -> bool {
174         match *self {
175             SegmentParam::Type(ty) => ty.can_be_overflowed(context, len),
176             _ => false,
177         }
178     }
179 }
180
181 impl<'a> Rewrite for SegmentParam<'a> {
182     fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
183         match *self {
184             SegmentParam::LifeTime(lt) => lt.rewrite(context, shape),
185             SegmentParam::Type(ty) => ty.rewrite(context, shape),
186             SegmentParam::Binding(binding) => {
187                 let mut result = match context.config.type_punctuation_density() {
188                     TypeDensity::Wide => format!("{} = ", binding.ident),
189                     TypeDensity::Compressed => format!("{}=", binding.ident),
190                 };
191                 let budget = shape.width.checked_sub(result.len())?;
192                 let rewrite = binding
193                     .ty
194                     .rewrite(context, Shape::legacy(budget, shape.indent + result.len()))?;
195                 result.push_str(&rewrite);
196                 Some(result)
197             }
198         }
199     }
200 }
201
202 // Formats a path segment. There are some hacks involved to correctly determine
203 // the segment's associated span since it's not part of the AST.
204 //
205 // The span_lo is assumed to be greater than the end of any previous segment's
206 // parameters and lesser or equal than the start of current segment.
207 //
208 // span_hi is assumed equal to the end of the entire path.
209 //
210 // When the segment contains a positive number of parameters, we update span_lo
211 // so that invariants described above will hold for the next segment.
212 fn rewrite_segment(
213     path_context: PathContext,
214     segment: &ast::PathSegment,
215     span_lo: &mut BytePos,
216     span_hi: BytePos,
217     context: &RewriteContext,
218     shape: Shape,
219 ) -> Option<String> {
220     let mut result = String::with_capacity(128);
221     result.push_str(&segment.ident.name.as_str());
222
223     let ident_len = result.len();
224     let shape = if context.use_block_indent() {
225         shape.offset_left(ident_len)?
226     } else {
227         shape.shrink_left(ident_len)?
228     };
229
230     if let Some(ref params) = segment.parameters {
231         match **params {
232             ast::PathParameters::AngleBracketed(ref data)
233                 if !data.lifetimes.is_empty()
234                     || !data.types.is_empty()
235                     || !data.bindings.is_empty() =>
236             {
237                 let param_list = data
238                     .lifetimes
239                     .iter()
240                     .map(SegmentParam::LifeTime)
241                     .chain(data.types.iter().map(|x| SegmentParam::Type(&*x)))
242                     .chain(data.bindings.iter().map(|x| SegmentParam::Binding(&*x)))
243                     .collect::<Vec<_>>();
244
245                 let separator = if path_context == PathContext::Expr {
246                     "::"
247                 } else {
248                     ""
249                 };
250                 result.push_str(separator);
251
252                 let generics_str = overflow::rewrite_with_angle_brackets(
253                     context,
254                     "",
255                     &param_list.iter().map(|e| &*e).collect::<Vec<_>>(),
256                     shape,
257                     mk_sp(*span_lo, span_hi),
258                 )?;
259
260                 // Update position of last bracket.
261                 *span_lo = context
262                     .snippet_provider
263                     .span_after(mk_sp(*span_lo, span_hi), "<");
264
265                 result.push_str(&generics_str)
266             }
267             ast::PathParameters::Parenthesized(ref data) => {
268                 let output = match data.output {
269                     Some(ref ty) => FunctionRetTy::Ty(ty.clone()),
270                     None => FunctionRetTy::Default(codemap::DUMMY_SP),
271                 };
272                 result.push_str(&format_function_type(
273                     data.inputs.iter().map(|x| &**x),
274                     &output,
275                     false,
276                     data.span,
277                     context,
278                     shape,
279                 )?);
280             }
281             _ => (),
282         }
283     }
284
285     Some(result)
286 }
287
288 fn format_function_type<'a, I>(
289     inputs: I,
290     output: &FunctionRetTy,
291     variadic: bool,
292     span: Span,
293     context: &RewriteContext,
294     shape: Shape,
295 ) -> Option<String>
296 where
297     I: ExactSizeIterator,
298     <I as Iterator>::Item: Deref,
299     <I::Item as Deref>::Target: Rewrite + Spanned + 'a,
300 {
301     // Code for handling variadics is somewhat duplicated for items, but they
302     // are different enough to need some serious refactoring to share code.
303     enum ArgumentKind<T>
304     where
305         T: Deref,
306         <T as Deref>::Target: Rewrite + Spanned,
307     {
308         Regular(T),
309         Variadic(BytePos),
310     }
311
312     let variadic_arg = if variadic {
313         let variadic_start = context.snippet_provider.span_before(span, "...");
314         Some(ArgumentKind::Variadic(variadic_start))
315     } else {
316         None
317     };
318
319     // 2 for ()
320     let budget = shape.width.checked_sub(2)?;
321     // 1 for (
322     let offset = match context.config.indent_style() {
323         IndentStyle::Block => {
324             shape
325                 .block()
326                 .block_indent(context.config.tab_spaces())
327                 .indent
328         }
329         IndentStyle::Visual => shape.indent + 1,
330     };
331     let list_shape = Shape::legacy(budget, offset);
332     let list_lo = context.snippet_provider.span_after(span, "(");
333     let items = itemize_list(
334         context.snippet_provider,
335         inputs.map(ArgumentKind::Regular).chain(variadic_arg),
336         ")",
337         ",",
338         |arg| match *arg {
339             ArgumentKind::Regular(ref ty) => ty.span().lo(),
340             ArgumentKind::Variadic(start) => start,
341         },
342         |arg| match *arg {
343             ArgumentKind::Regular(ref ty) => ty.span().hi(),
344             ArgumentKind::Variadic(start) => start + BytePos(3),
345         },
346         |arg| match *arg {
347             ArgumentKind::Regular(ref ty) => ty.rewrite(context, list_shape),
348             ArgumentKind::Variadic(_) => Some("...".to_owned()),
349         },
350         list_lo,
351         span.hi(),
352         false,
353     );
354
355     let item_vec: Vec<_> = items.collect();
356
357     let tactic = definitive_tactic(
358         &*item_vec,
359         ListTactic::HorizontalVertical,
360         Separator::Comma,
361         budget,
362     );
363
364     let fmt = ListFormatting {
365         tactic,
366         separator: ",",
367         trailing_separator: if !context.use_block_indent() || variadic {
368             SeparatorTactic::Never
369         } else {
370             context.config.trailing_comma()
371         },
372         separator_place: SeparatorPlace::Back,
373         shape: list_shape,
374         ends_with_newline: tactic.ends_with_newline(context.config.indent_style()),
375         preserve_newline: true,
376         config: context.config,
377     };
378
379     let list_str = write_list(&item_vec, &fmt)?;
380
381     let ty_shape = match context.config.indent_style() {
382         // 4 = " -> "
383         IndentStyle::Block => shape.offset_left(4)?,
384         IndentStyle::Visual => shape.block_left(4)?,
385     };
386     let output = match *output {
387         FunctionRetTy::Ty(ref ty) => {
388             let type_str = ty.rewrite(context, ty_shape)?;
389             format!(" -> {}", type_str)
390         }
391         FunctionRetTy::Default(..) => String::new(),
392     };
393
394     let args = if (!list_str.contains('\n') || list_str.is_empty()) && !output.contains('\n')
395         || !context.use_block_indent()
396     {
397         format!("({})", list_str)
398     } else {
399         format!(
400             "({}{}{})",
401             offset.to_string_with_newline(context.config),
402             list_str,
403             shape.block().indent.to_string_with_newline(context.config),
404         )
405     };
406     if last_line_width(&args) + first_line_width(&output) <= shape.width {
407         Some(format!("{}{}", args, output))
408     } else {
409         Some(format!(
410             "{}\n{}{}",
411             args,
412             offset.to_string(context.config),
413             output.trim_left()
414         ))
415     }
416 }
417
418 fn type_bound_colon(context: &RewriteContext) -> &'static str {
419     colon_spaces(
420         context.config.space_before_colon(),
421         context.config.space_after_colon(),
422     )
423 }
424
425 impl Rewrite for ast::WherePredicate {
426     fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
427         // TODO: dead spans?
428         let result = match *self {
429             ast::WherePredicate::BoundPredicate(ast::WhereBoundPredicate {
430                 ref bound_generic_params,
431                 ref bounded_ty,
432                 ref bounds,
433                 ..
434             }) => {
435                 let type_str = bounded_ty.rewrite(context, shape)?;
436                 let colon = type_bound_colon(context).trim_right();
437                 let lhs = if let Some(lifetime_str) =
438                     rewrite_lifetime_param(context, shape, bound_generic_params)
439                 {
440                     if context.config.spaces_within_parens_and_brackets()
441                         && !lifetime_str.is_empty()
442                     {
443                         format!("for< {} > {}{}", lifetime_str, type_str, colon)
444                     } else {
445                         format!("for<{}> {}{}", lifetime_str, type_str, colon)
446                     }
447                 } else {
448                     format!("{}{}", type_str, colon)
449                 };
450
451                 rewrite_assign_rhs(context, lhs, bounds, shape)?
452             }
453             ast::WherePredicate::RegionPredicate(ast::WhereRegionPredicate {
454                 ref lifetime,
455                 ref bounds,
456                 ..
457             }) => rewrite_bounded_lifetime(lifetime, bounds, context, shape)?,
458             ast::WherePredicate::EqPredicate(ast::WhereEqPredicate {
459                 ref lhs_ty,
460                 ref rhs_ty,
461                 ..
462             }) => {
463                 let lhs_ty_str = lhs_ty.rewrite(context, shape).map(|lhs| lhs + " =")?;
464                 rewrite_assign_rhs(context, lhs_ty_str, &**rhs_ty, shape)?
465             }
466         };
467
468         Some(result)
469     }
470 }
471
472 impl Rewrite for ast::LifetimeDef {
473     fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
474         rewrite_bounded_lifetime(&self.lifetime, &self.bounds, context, shape)
475     }
476 }
477
478 fn rewrite_bounded_lifetime(
479     lt: &ast::Lifetime,
480     bounds: &[ast::Lifetime],
481     context: &RewriteContext,
482     shape: Shape,
483 ) -> Option<String> {
484     let result = lt.rewrite(context, shape)?;
485
486     if bounds.is_empty() {
487         Some(result)
488     } else {
489         let colon = type_bound_colon(context);
490         let overhead = last_line_width(&result) + colon.len();
491         let result = format!(
492             "{}{}{}",
493             result,
494             colon,
495             join_bounds(context, shape.sub_width(overhead)?, bounds, true)?
496         );
497         Some(result)
498     }
499 }
500
501 impl Rewrite for ast::TyParamBound {
502     fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
503         match *self {
504             ast::TyParamBound::TraitTyParamBound(ref tref, ast::TraitBoundModifier::None) => {
505                 tref.rewrite(context, shape)
506             }
507             ast::TyParamBound::TraitTyParamBound(ref tref, ast::TraitBoundModifier::Maybe) => Some(
508                 format!("?{}", tref.rewrite(context, shape.offset_left(1)?)?),
509             ),
510             ast::TyParamBound::RegionTyParamBound(ref l) => l.rewrite(context, shape),
511         }
512     }
513 }
514
515 impl Rewrite for ast::Lifetime {
516     fn rewrite(&self, _: &RewriteContext, _: Shape) -> Option<String> {
517         Some(self.ident.to_string())
518     }
519 }
520
521 /// A simple wrapper over type param bounds in trait.
522 #[derive(new)]
523 pub struct TraitTyParamBounds<'a> {
524     inner: &'a ast::TyParamBounds,
525 }
526
527 impl<'a> Rewrite for TraitTyParamBounds<'a> {
528     fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
529         join_bounds(context, shape, self.inner, false)
530     }
531 }
532
533 impl Rewrite for ast::TyParamBounds {
534     fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
535         join_bounds(context, shape, self, true)
536     }
537 }
538
539 impl Rewrite for ast::TyParam {
540     fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
541         let mut result = String::with_capacity(128);
542         // FIXME: If there are more than one attributes, this will force multiline.
543         match self.attrs.rewrite(context, shape) {
544             Some(ref rw) if !rw.is_empty() => result.push_str(&format!("{} ", rw)),
545             _ => (),
546         }
547         result.push_str(&self.ident.to_string());
548         if !self.bounds.is_empty() {
549             result.push_str(type_bound_colon(context));
550             result.push_str(&self.bounds.rewrite(context, shape)?)
551         }
552         if let Some(ref def) = self.default {
553             let eq_str = match context.config.type_punctuation_density() {
554                 TypeDensity::Compressed => "=",
555                 TypeDensity::Wide => " = ",
556             };
557             result.push_str(eq_str);
558             let budget = shape.width.checked_sub(result.len())?;
559             let rewrite = def.rewrite(context, Shape::legacy(budget, shape.indent + result.len()))?;
560             result.push_str(&rewrite);
561         }
562
563         Some(result)
564     }
565 }
566
567 impl Rewrite for ast::PolyTraitRef {
568     fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
569         if let Some(lifetime_str) =
570             rewrite_lifetime_param(context, shape, &self.bound_generic_params)
571         {
572             // 6 is "for<> ".len()
573             let extra_offset = lifetime_str.len() + 6;
574             let path_str = self
575                 .trait_ref
576                 .rewrite(context, shape.offset_left(extra_offset)?)?;
577
578             Some(
579                 if context.config.spaces_within_parens_and_brackets() && !lifetime_str.is_empty() {
580                     format!("for< {} > {}", lifetime_str, path_str)
581                 } else {
582                     format!("for<{}> {}", lifetime_str, path_str)
583                 },
584             )
585         } else {
586             self.trait_ref.rewrite(context, shape)
587         }
588     }
589 }
590
591 impl Rewrite for ast::TraitRef {
592     fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
593         rewrite_path(context, PathContext::Type, None, &self.path, shape)
594     }
595 }
596
597 impl Rewrite for ast::Ty {
598     fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
599         match self.node {
600             ast::TyKind::TraitObject(ref bounds, tobj_syntax) => {
601                 // we have to consider 'dyn' keyword is used or not!!!
602                 let is_dyn = tobj_syntax == ast::TraitObjectSyntax::Dyn;
603                 // 4 is length of 'dyn '
604                 let shape = if is_dyn { shape.offset_left(4)? } else { shape };
605                 let res = bounds.rewrite(context, shape)?;
606                 if is_dyn {
607                     Some(format!("dyn {}", res))
608                 } else {
609                     Some(res)
610                 }
611             }
612             ast::TyKind::Ptr(ref mt) => {
613                 let prefix = match mt.mutbl {
614                     Mutability::Mutable => "*mut ",
615                     Mutability::Immutable => "*const ",
616                 };
617
618                 rewrite_unary_prefix(context, prefix, &*mt.ty, shape)
619             }
620             ast::TyKind::Rptr(ref lifetime, ref mt) => {
621                 let mut_str = format_mutability(mt.mutbl);
622                 let mut_len = mut_str.len();
623                 Some(match *lifetime {
624                     Some(ref lifetime) => {
625                         let lt_budget = shape.width.checked_sub(2 + mut_len)?;
626                         let lt_str = lifetime.rewrite(
627                             context,
628                             Shape::legacy(lt_budget, shape.indent + 2 + mut_len),
629                         )?;
630                         let lt_len = lt_str.len();
631                         let budget = shape.width.checked_sub(2 + mut_len + lt_len)?;
632                         format!(
633                             "&{} {}{}",
634                             lt_str,
635                             mut_str,
636                             mt.ty.rewrite(
637                                 context,
638                                 Shape::legacy(budget, shape.indent + 2 + mut_len + lt_len)
639                             )?
640                         )
641                     }
642                     None => {
643                         let budget = shape.width.checked_sub(1 + mut_len)?;
644                         format!(
645                             "&{}{}",
646                             mut_str,
647                             mt.ty.rewrite(
648                                 context,
649                                 Shape::legacy(budget, shape.indent + 1 + mut_len)
650                             )?
651                         )
652                     }
653                 })
654             }
655             // FIXME: we drop any comments here, even though it's a silly place to put
656             // comments.
657             ast::TyKind::Paren(ref ty) => {
658                 let budget = shape.width.checked_sub(2)?;
659                 ty.rewrite(context, Shape::legacy(budget, shape.indent + 1))
660                     .map(|ty_str| {
661                         if context.config.spaces_within_parens_and_brackets() {
662                             format!("( {} )", ty_str)
663                         } else {
664                             format!("({})", ty_str)
665                         }
666                     })
667             }
668             ast::TyKind::Slice(ref ty) => {
669                 let budget = if context.config.spaces_within_parens_and_brackets() {
670                     shape.width.checked_sub(4)?
671                 } else {
672                     shape.width.checked_sub(2)?
673                 };
674                 ty.rewrite(context, Shape::legacy(budget, shape.indent + 1))
675                     .map(|ty_str| {
676                         if context.config.spaces_within_parens_and_brackets() {
677                             format!("[ {} ]", ty_str)
678                         } else {
679                             format!("[{}]", ty_str)
680                         }
681                     })
682             }
683             ast::TyKind::Tup(ref items) => rewrite_tuple(
684                 context,
685                 &::utils::ptr_vec_to_ref_vec(items),
686                 self.span,
687                 shape,
688             ),
689             ast::TyKind::Path(ref q_self, ref path) => {
690                 rewrite_path(context, PathContext::Type, q_self.as_ref(), path, shape)
691             }
692             ast::TyKind::Array(ref ty, ref repeats) => {
693                 let use_spaces = context.config.spaces_within_parens_and_brackets();
694                 let lbr = if use_spaces { "[ " } else { "[" };
695                 let rbr = if use_spaces { " ]" } else { "]" };
696                 rewrite_pair(
697                     &**ty,
698                     &**repeats,
699                     PairParts::new(lbr, "; ", rbr),
700                     context,
701                     shape,
702                     SeparatorPlace::Back,
703                 )
704             }
705             ast::TyKind::Infer => {
706                 if shape.width >= 1 {
707                     Some("_".to_owned())
708                 } else {
709                     None
710                 }
711             }
712             ast::TyKind::BareFn(ref bare_fn) => rewrite_bare_fn(bare_fn, self.span, context, shape),
713             ast::TyKind::Never => Some(String::from("!")),
714             ast::TyKind::Mac(ref mac) => {
715                 rewrite_macro(mac, None, context, shape, MacroPosition::Expression)
716             }
717             ast::TyKind::ImplicitSelf => Some(String::from("")),
718             ast::TyKind::ImplTrait(ref it) => it
719                 .rewrite(context, shape)
720                 .map(|it_str| format!("impl {}", it_str)),
721             ast::TyKind::Err | ast::TyKind::Typeof(..) => unreachable!(),
722         }
723     }
724 }
725
726 fn rewrite_bare_fn(
727     bare_fn: &ast::BareFnTy,
728     span: Span,
729     context: &RewriteContext,
730     shape: Shape,
731 ) -> Option<String> {
732     let mut result = String::with_capacity(128);
733
734     if let Some(ref lifetime_str) = rewrite_lifetime_param(context, shape, &bare_fn.generic_params)
735     {
736         result.push_str("for<");
737         // 6 = "for<> ".len(), 4 = "for<".
738         // This doesn't work out so nicely for multiline situation with lots of
739         // rightward drift. If that is a problem, we could use the list stuff.
740         result.push_str(lifetime_str);
741         result.push_str("> ");
742     }
743
744     result.push_str(::utils::format_unsafety(bare_fn.unsafety));
745
746     result.push_str(&format_abi(
747         bare_fn.abi,
748         context.config.force_explicit_abi(),
749         false,
750     ));
751
752     result.push_str("fn");
753
754     let func_ty_shape = shape.offset_left(result.len())?;
755
756     let rewrite = format_function_type(
757         bare_fn.decl.inputs.iter(),
758         &bare_fn.decl.output,
759         bare_fn.decl.variadic,
760         span,
761         context,
762         func_ty_shape,
763     )?;
764
765     result.push_str(&rewrite);
766
767     Some(result)
768 }
769
770 fn join_bounds<T>(
771     context: &RewriteContext,
772     shape: Shape,
773     items: &[T],
774     need_indent: bool,
775 ) -> Option<String>
776 where
777     T: Rewrite,
778 {
779     // Try to join types in a single line
780     let joiner = match context.config.type_punctuation_density() {
781         TypeDensity::Compressed => "+",
782         TypeDensity::Wide => " + ",
783     };
784     let type_strs = items
785         .iter()
786         .map(|item| item.rewrite(context, shape))
787         .collect::<Option<Vec<_>>>()?;
788     let result = type_strs.join(joiner);
789     if items.len() == 1 || (!result.contains('\n') && result.len() <= shape.width) {
790         return Some(result);
791     }
792
793     // We need to use multiple lines.
794     let (type_strs, offset) = if need_indent {
795         // Rewrite with additional indentation.
796         let nested_shape = shape.block_indent(context.config.tab_spaces());
797         let type_strs = items
798             .iter()
799             .map(|item| item.rewrite(context, nested_shape))
800             .collect::<Option<Vec<_>>>()?;
801         (type_strs, nested_shape.indent)
802     } else {
803         (type_strs, shape.indent)
804     };
805
806     let joiner = format!("{}+ ", offset.to_string_with_newline(context.config));
807     Some(type_strs.join(&joiner))
808 }
809
810 pub fn can_be_overflowed_type(context: &RewriteContext, ty: &ast::Ty, len: usize) -> bool {
811     match ty.node {
812         ast::TyKind::Tup(..) => context.use_block_indent() && len == 1,
813         ast::TyKind::Rptr(_, ref mutty) | ast::TyKind::Ptr(ref mutty) => {
814             can_be_overflowed_type(context, &*mutty.ty, len)
815         }
816         _ => false,
817     }
818 }
819
820 /// Returns `None` if there is no `LifetimeDef` in the given generic parameters.
821 fn rewrite_lifetime_param(
822     context: &RewriteContext,
823     shape: Shape,
824     generic_params: &[ast::GenericParam],
825 ) -> Option<String> {
826     let result = generic_params
827         .iter()
828         .filter(|p| p.is_lifetime_param())
829         .map(|lt| lt.rewrite(context, shape))
830         .collect::<Option<Vec<_>>>()?
831         .join(", ");
832     if result.is_empty() {
833         None
834     } else {
835         Some(result)
836     }
837 }