rust/src/items.rs

2938 lines
98 KiB
Rust
Raw Normal View History

// Copyright 2015 The Rust Project Developers. See the COPYRIGHT
// file at the top-level directory of this distribution and at
// http://rust-lang.org/COPYRIGHT.
//
// Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
// http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
// <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
// option. This file may not be copied, modified, or distributed
// except according to those terms.
2015-05-24 18:03:26 -05:00
// Formatting top-level items - functions, structs, enums, traits, impls.
2017-09-29 01:08:48 -05:00
use std::borrow::Cow;
use std::cmp::min;
use syntax::{abi, ast, ptr, symbol};
use syntax::ast::{CrateSugar, ImplItem};
use syntax::codemap::{BytePos, Span};
2017-09-28 22:45:42 -05:00
use syntax::visit;
2017-09-17 01:32:00 -05:00
use spanned::Spanned;
2017-07-28 22:51:45 -05:00
use codemap::{LineRangeUtils, SpanUtils};
use comment::{combine_strs_with_missing_comments, contains_comment, recover_comment_removed,
recover_missing_comment_in_span, rewrite_missing_comment, FindUncommented};
use config::{BraceStyle, Config, Density, IndentStyle, ReturnIndent};
use expr::{format_expr, is_empty_block, is_simple_block_stmt, rewrite_assign_rhs,
rewrite_call_inner, ExprType};
use lists::{definitive_tactic, itemize_list, write_list, DefinitiveListTactic, ListFormatting,
ListItem, ListTactic, Separator, SeparatorPlace, SeparatorTactic};
2015-09-08 13:56:33 -05:00
use rewrite::{Rewrite, RewriteContext};
use shape::{Indent, Shape};
use types::join_bounds;
2017-08-01 08:23:12 -05:00
use utils::{colon_spaces, contains_skip, end_typaram, first_line_width, format_abi,
format_constness, format_defaultness, format_mutability, format_unsafety,
format_visibility, is_attributes_extendable, last_line_contains_single_line_comment,
2017-10-04 10:23:17 -05:00
last_line_used_width, last_line_width, mk_sp, semicolon_for_expr, starts_with_newline,
stmt_expr, trim_newlines, trimmed_last_line_width};
use vertical::rewrite_with_alignment;
use visitor::FmtVisitor;
fn type_annotation_separator(config: &Config) -> &str {
colon_spaces(
config.space_before_type_annotation(),
config.space_after_type_annotation_colon(),
)
}
// Statements of the form
// let pat: ty = init;
impl Rewrite for ast::Local {
fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
debug!(
"Local::rewrite {:?} {} {:?}",
self,
shape.width,
shape.indent
);
2017-07-28 22:51:45 -05:00
skip_out_of_file_lines_range!(context, self.span);
if contains_skip(&self.attrs) {
return None;
}
let attrs_str = self.attrs.rewrite(context, shape)?;
let mut result = if attrs_str.is_empty() {
"let ".to_owned()
} else {
combine_strs_with_missing_comments(
context,
&attrs_str,
"let ",
2017-08-30 21:11:52 -05:00
mk_sp(
self.attrs.last().map(|a| a.span.hi()).unwrap(),
self.span.lo(),
),
shape,
false,
)?
};
2017-04-19 08:48:45 -05:00
// 4 = "let ".len()
let pat_shape = shape.offset_left(4)?;
// 1 = ;
let pat_shape = pat_shape.sub_width(1)?;
let pat_str = self.pat.rewrite(context, pat_shape)?;
result.push_str(&pat_str);
// String that is placed within the assignment pattern and expression.
let infix = {
let mut infix = String::with_capacity(32);
if let Some(ref ty) = self.ty {
let separator = type_annotation_separator(context.config);
let indent = shape.indent + last_line_width(&result) + separator.len();
// 1 = ;
let budget = shape.width.checked_sub(indent.width() + 1)?;
let rewrite = ty.rewrite(context, Shape::legacy(budget, indent))?;
infix.push_str(separator);
infix.push_str(&rewrite);
2015-08-21 06:31:09 -05:00
}
if self.init.is_some() {
infix.push_str(" =");
2015-08-21 06:31:09 -05:00
}
infix
2015-08-21 06:31:09 -05:00
};
result.push_str(&infix);
if let Some(ref ex) = self.init {
2017-01-26 14:14:26 -06:00
// 1 = trailing semicolon;
let nested_shape = shape.sub_width(1)?;
result = rewrite_assign_rhs(context, result, ex, nested_shape)?;
}
result.push(';');
Some(result)
2015-08-21 06:31:09 -05:00
}
}
2015-08-21 06:31:09 -05:00
2017-01-12 19:07:42 -06:00
// TODO convert to using rewrite style rather than visitor
// TODO format modules in this style
2017-01-26 12:42:34 -06:00
#[allow(dead_code)]
2017-01-12 19:07:42 -06:00
struct Item<'a> {
keyword: &'static str,
2017-09-29 01:08:48 -05:00
abi: Cow<'static, str>,
2017-01-12 19:07:42 -06:00
vis: Option<&'a ast::Visibility>,
body: Vec<BodyElement<'a>>,
span: Span,
}
impl<'a> Item<'a> {
fn from_foreign_mod(fm: &'a ast::ForeignMod, span: Span, config: &Config) -> Item<'a> {
Item {
keyword: "",
2017-09-29 01:08:48 -05:00
abi: format_abi(fm.abi, config.force_explicit_abi(), true),
2017-01-12 19:07:42 -06:00
vis: None,
body: fm.items
.iter()
.map(|i| BodyElement::ForeignItem(i))
.collect(),
2017-01-12 19:07:42 -06:00
span: span,
}
}
}
enum BodyElement<'a> {
// Stmt(&'a ast::Stmt),
// Field(&'a ast::Field),
// Variant(&'a ast::Variant),
// Item(&'a ast::Item),
ForeignItem(&'a ast::ForeignItem),
}
2017-09-28 22:45:42 -05:00
/// Represents a fn's signature.
pub struct FnSig<'a> {
decl: &'a ast::FnDecl,
generics: &'a ast::Generics,
abi: abi::Abi,
constness: ast::Constness,
defaultness: ast::Defaultness,
unsafety: ast::Unsafety,
visibility: ast::Visibility,
}
impl<'a> FnSig<'a> {
pub fn new(
decl: &'a ast::FnDecl,
generics: &'a ast::Generics,
vis: ast::Visibility,
) -> FnSig<'a> {
FnSig {
decl: decl,
generics: generics,
abi: abi::Abi::Rust,
constness: ast::Constness::NotConst,
defaultness: ast::Defaultness::Final,
unsafety: ast::Unsafety::Normal,
visibility: vis,
}
}
pub fn from_method_sig(
method_sig: &'a ast::MethodSig,
generics: &'a ast::Generics,
) -> FnSig<'a> {
2017-09-28 22:45:42 -05:00
FnSig {
unsafety: method_sig.unsafety,
constness: method_sig.constness.node,
defaultness: ast::Defaultness::Final,
abi: method_sig.abi,
decl: &*method_sig.decl,
generics: generics,
2017-09-28 22:45:42 -05:00
visibility: ast::Visibility::Inherited,
}
}
pub fn from_fn_kind(
fn_kind: &'a visit::FnKind,
generics: &'a ast::Generics,
2017-09-28 22:45:42 -05:00
decl: &'a ast::FnDecl,
defualtness: ast::Defaultness,
) -> FnSig<'a> {
match *fn_kind {
visit::FnKind::ItemFn(_, unsafety, constness, abi, visibility, _) => FnSig {
2017-09-28 22:45:42 -05:00
decl: decl,
generics: generics,
abi: abi,
constness: constness.node,
defaultness: defualtness,
unsafety: unsafety,
visibility: visibility.clone(),
},
2017-10-26 02:54:41 -05:00
visit::FnKind::Method(_, method_sig, vis, _) => {
let mut fn_sig = FnSig::from_method_sig(method_sig, generics);
2017-09-28 22:45:42 -05:00
fn_sig.defaultness = defualtness;
if let Some(vis) = vis {
fn_sig.visibility = vis.clone();
}
fn_sig
}
_ => unreachable!(),
}
}
2017-09-29 01:09:13 -05:00
fn to_str(&self, context: &RewriteContext) -> String {
let mut result = String::with_capacity(128);
// Vis defaultness constness unsafety abi.
result.push_str(&*format_visibility(&self.visibility));
result.push_str(format_defaultness(self.defaultness));
result.push_str(format_constness(self.constness));
result.push_str(format_unsafety(self.unsafety));
result.push_str(&format_abi(
self.abi,
context.config.force_explicit_abi(),
false,
));
result
}
2017-09-28 22:45:42 -05:00
}
impl<'a> FmtVisitor<'a> {
2017-01-12 19:07:42 -06:00
fn format_item(&mut self, item: Item) {
self.buffer.push_str(&item.abi);
2015-09-21 13:02:45 -05:00
2017-01-12 19:07:42 -06:00
let snippet = self.snippet(item.span);
let brace_pos = snippet.find_uncommented("{").unwrap();
2016-08-23 07:00:43 -05:00
self.buffer.push_str("{");
2017-01-12 19:07:42 -06:00
if !item.body.is_empty() || contains_comment(&snippet[brace_pos..]) {
// FIXME: this skips comments between the extern keyword and the opening
// brace.
2017-08-19 13:47:40 -05:00
self.last_pos = item.span.lo() + BytePos(brace_pos as u32 + 1);
self.block_indent = self.block_indent.block_indent(self.config);
2017-01-12 19:07:42 -06:00
if item.body.is_empty() {
2017-08-19 13:47:40 -05:00
self.format_missing_no_indent(item.span.hi() - BytePos(1));
2016-08-23 07:00:43 -05:00
self.block_indent = self.block_indent.block_unindent(self.config);
2017-06-15 18:49:49 -05:00
self.buffer
.push_str(&self.block_indent.to_string(self.config));
2016-08-23 07:00:43 -05:00
} else {
2017-01-12 19:07:42 -06:00
for item in &item.body {
self.format_body_element(item);
2016-08-23 07:00:43 -05:00
}
2015-09-21 13:02:45 -05:00
2016-08-23 07:00:43 -05:00
self.block_indent = self.block_indent.block_unindent(self.config);
2017-08-19 13:47:40 -05:00
self.format_missing_with_indent(item.span.hi() - BytePos(1));
2016-08-23 07:00:43 -05:00
}
2015-09-21 13:02:45 -05:00
}
self.buffer.push_str("}");
2017-08-19 13:47:40 -05:00
self.last_pos = item.span.hi();
2017-01-12 19:07:42 -06:00
}
fn format_body_element(&mut self, element: &BodyElement) {
match *element {
2017-08-29 08:16:04 -05:00
BodyElement::ForeignItem(item) => self.format_foreign_item(item),
2017-01-12 19:07:42 -06:00
}
}
pub fn format_foreign_mod(&mut self, fm: &ast::ForeignMod, span: Span) {
let item = Item::from_foreign_mod(fm, span, self.config);
self.format_item(item);
2015-09-21 13:02:45 -05:00
}
fn format_foreign_item(&mut self, item: &ast::ForeignItem) {
2017-08-30 05:26:45 -05:00
let rewrite = item.rewrite(&self.get_context(), self.shape());
self.push_rewrite(item.span(), rewrite);
2017-08-19 13:47:40 -05:00
self.last_pos = item.span.hi();
2015-09-21 13:02:45 -05:00
}
pub fn rewrite_fn(
&mut self,
indent: Indent,
ident: ast::Ident,
fn_sig: &FnSig,
span: Span,
block: &ast::Block,
) -> Option<String> {
let context = self.get_context();
2017-09-28 22:51:06 -05:00
let has_body =
!is_empty_block(block, self.codemap) || !context.config.fn_empty_single_line();
let mut newline_brace =
newline_for_brace(self.config, &fn_sig.generics.where_clause, has_body);
let (mut result, force_newline_brace) =
rewrite_fn_base(&context, indent, ident, fn_sig, span, newline_brace, true)?;
2015-05-03 17:12:39 -05:00
2017-11-05 00:03:30 -05:00
// 2 = ` {`
if self.config.brace_style() == BraceStyle::AlwaysNextLine || force_newline_brace
2017-11-05 00:03:30 -05:00
|| last_line_width(&result) + 2 > self.shape().width
{
newline_brace = true;
} else if !result.contains('\n') {
newline_brace = false;
}
2015-08-21 06:31:09 -05:00
// Prepare for the function body by possibly adding a newline and
// indent.
// FIXME we'll miss anything between the end of the signature and the
// start of the body, but we need more spans from the compiler to solve
// this.
2015-05-03 17:12:39 -05:00
if newline_brace {
result.push('\n');
result.push_str(&indent.to_string(self.config));
2015-05-03 17:12:39 -05:00
} else {
result.push(' ');
}
2017-05-02 21:26:25 -05:00
self.single_line_fn(&result, block).or_else(|| Some(result))
2015-05-03 17:12:39 -05:00
}
pub fn rewrite_required_fn(
&mut self,
indent: Indent,
ident: ast::Ident,
sig: &ast::MethodSig,
generics: &ast::Generics,
span: Span,
) -> Option<String> {
// Drop semicolon or it will be interpreted as comment.
2017-08-19 13:47:40 -05:00
let span = mk_sp(span.lo(), span.hi() - BytePos(1));
let context = self.get_context();
2015-05-03 17:12:39 -05:00
let (mut result, _) = rewrite_fn_base(
&context,
indent,
ident,
&FnSig::from_method_sig(sig, generics),
span,
false,
false,
)?;
2015-05-03 17:12:39 -05:00
// Re-attach semicolon
result.push(';');
2015-09-04 11:09:05 -05:00
Some(result)
2015-05-03 17:12:39 -05:00
}
fn single_line_fn(&self, fn_str: &str, block: &ast::Block) -> Option<String> {
if fn_str.contains('\n') {
return None;
}
let codemap = self.get_context().codemap;
2017-09-14 22:10:58 -05:00
if self.config.fn_empty_single_line() && is_empty_block(block, codemap)
&& self.block_indent.width() + fn_str.len() + 2 <= self.config.max_width()
{
return Some(format!("{}{{}}", fn_str));
}
if self.config.fn_single_line() && is_simple_block_stmt(block, codemap) {
let rewrite = {
2017-08-29 08:16:04 -05:00
if let Some(stmt) = block.stmts.first() {
match stmt_expr(stmt) {
Some(e) => {
let suffix = if semicolon_for_expr(&self.get_context(), e) {
";"
} else {
""
};
2017-09-15 03:09:30 -05:00
format_expr(e, ExprType::Statement, &self.get_context(), self.shape())
2017-08-30 05:26:45 -05:00
.map(|s| s + suffix)
.or_else(|| Some(self.snippet(e.span)))
}
2017-08-30 05:26:45 -05:00
None => stmt.rewrite(&self.get_context(), self.shape()),
}
} else {
None
}
};
if let Some(res) = rewrite {
let width = self.block_indent.width() + fn_str.len() + res.len() + 4;
if !res.contains('\n') && width <= self.config.max_width() {
return Some(format!("{}{{ {} }}", fn_str, res));
}
}
}
None
}
2017-11-05 06:59:33 -06:00
pub fn visit_static(&mut self, static_parts: &StaticParts) {
let rewrite = rewrite_static(&self.get_context(), static_parts, self.block_indent);
self.push_rewrite(static_parts.span, rewrite);
}
pub fn visit_struct(&mut self, struct_parts: &StructParts) {
let is_tuple = struct_parts.def.is_tuple();
let rewrite = format_struct(&self.get_context(), struct_parts, self.block_indent, None)
.map(|s| if is_tuple { s + ";" } else { s });
self.push_rewrite(struct_parts.span, rewrite);
}
pub fn visit_enum(
&mut self,
ident: ast::Ident,
vis: &ast::Visibility,
enum_def: &ast::EnumDef,
generics: &ast::Generics,
span: Span,
) {
2017-06-24 05:45:22 -05:00
let enum_header = format_header("enum ", ident, vis);
self.buffer.push_str(&enum_header);
2015-05-29 05:41:26 -05:00
let enum_snippet = self.snippet(span);
2016-08-23 07:00:43 -05:00
let brace_pos = enum_snippet.find_uncommented("{").unwrap();
2017-08-19 13:47:40 -05:00
let body_start = span.lo() + BytePos(brace_pos as u32 + 1);
let generics_str = format_generics(
&self.get_context(),
generics,
self.config.brace_style(),
2017-11-12 20:06:53 -06:00
if enum_def.variants.is_empty() {
BracePos::ForceSameLine
} else {
BracePos::Auto
},
self.block_indent,
2017-08-19 13:47:40 -05:00
mk_sp(span.lo(), body_start),
2017-06-24 05:45:22 -05:00
last_line_width(&enum_header),
).unwrap();
2015-07-26 07:05:43 -05:00
self.buffer.push_str(&generics_str);
2015-05-29 05:41:26 -05:00
self.last_pos = body_start;
self.block_indent = self.block_indent.block_indent(self.config);
2017-08-19 13:47:40 -05:00
let variant_list = self.format_variant_list(enum_def, body_start, span.hi() - BytePos(1));
match variant_list {
2016-08-23 09:14:45 -05:00
Some(ref body_str) => self.buffer.push_str(body_str),
2017-07-11 07:53:10 -05:00
None => if contains_comment(&enum_snippet[brace_pos..]) {
2017-08-19 13:47:40 -05:00
self.format_missing_no_indent(span.hi() - BytePos(1))
2017-07-11 07:53:10 -05:00
},
2015-05-29 05:41:26 -05:00
}
self.block_indent = self.block_indent.block_unindent(self.config);
2015-05-29 05:41:26 -05:00
2016-08-23 07:00:43 -05:00
if variant_list.is_some() || contains_comment(&enum_snippet[brace_pos..]) {
2017-06-15 18:49:49 -05:00
self.buffer
.push_str(&self.block_indent.to_string(self.config));
}
2015-07-26 07:05:43 -05:00
self.buffer.push_str("}");
2017-08-19 13:47:40 -05:00
self.last_pos = span.hi();
}
// Format the body of an enum definition
fn format_variant_list(
&self,
enum_def: &ast::EnumDef,
body_lo: BytePos,
body_hi: BytePos,
) -> Option<String> {
if enum_def.variants.is_empty() {
return None;
}
let mut result = String::with_capacity(1024);
result.push('\n');
let indentation = self.block_indent.to_string(self.config);
result.push_str(&indentation);
let items = itemize_list(
self.codemap,
enum_def.variants.iter(),
"}",
|f| if !f.node.attrs.is_empty() {
2017-08-19 13:47:40 -05:00
f.node.attrs[0].span.lo()
} else {
2017-08-19 13:47:40 -05:00
f.span.lo()
},
2017-08-19 13:47:40 -05:00
|f| f.span.hi(),
|f| self.format_variant(f),
body_lo,
body_hi,
2017-08-07 03:29:55 -05:00
false,
);
2017-08-30 05:26:45 -05:00
let shape = self.shape().sub_width(2).unwrap();
let fmt = ListFormatting {
tactic: DefinitiveListTactic::Vertical,
separator: ",",
trailing_separator: self.config.trailing_comma(),
separator_place: SeparatorPlace::Back,
2017-05-07 17:24:12 -05:00
shape: shape,
ends_with_newline: true,
preserve_newline: true,
config: self.config,
};
let list = write_list(&items.collect::<Vec<_>>(), &fmt)?;
result.push_str(&list);
result.push('\n');
Some(result)
2015-05-29 05:41:26 -05:00
}
2015-09-21 13:02:45 -05:00
// Variant of an enum.
fn format_variant(&self, field: &ast::Variant) -> Option<String> {
if contains_skip(&field.node.attrs) {
2017-08-19 13:47:40 -05:00
let lo = field.node.attrs[0].span.lo();
let span = mk_sp(lo, field.span.hi());
return Some(self.snippet(span));
2015-05-29 05:41:26 -05:00
}
let context = self.get_context();
let indent = self.block_indent;
2017-08-30 05:26:45 -05:00
let shape = self.shape();
let attrs_str = field.node.attrs.rewrite(&context, shape)?;
let lo = field
.node
.attrs
.last()
2017-08-19 13:47:40 -05:00
.map_or(field.span.lo(), |attr| attr.span.hi());
let span = mk_sp(lo, field.span.lo());
2015-05-29 05:41:26 -05:00
2015-11-12 14:38:41 -06:00
let variant_body = match field.node.data {
2017-07-09 12:24:59 -05:00
ast::VariantData::Tuple(..) | ast::VariantData::Struct(..) => {
// FIXME: Should limit the width, as we have a trailing comma
format_struct(
&context,
&StructParts::from_variant(field),
indent,
Some(self.config.struct_variant_width()),
)?
2015-05-29 05:41:26 -05:00
}
ast::VariantData::Unit(..) => if let Some(ref expr) = field.node.disr_expr {
let lhs = format!("{} =", field.node.name);
// 1 = ','
rewrite_assign_rhs(&context, lhs, expr, shape.sub_width(1)?)?
} else {
2017-10-26 02:57:45 -05:00
field.node.name.to_string()
},
};
2017-09-14 22:10:58 -05:00
let attrs_extendable = attrs_str.is_empty()
|| (context.config.attributes_on_same_line_as_variant()
&& is_attributes_extendable(&attrs_str));
combine_strs_with_missing_comments(
&context,
&attrs_str,
&variant_body,
span,
shape,
attrs_extendable,
)
2015-06-23 08:58:58 -05:00
}
}
2015-05-29 05:41:26 -05:00
2017-06-12 21:49:47 -05:00
pub fn format_impl(
context: &RewriteContext,
item: &ast::Item,
offset: Indent,
where_span_end: Option<BytePos>,
) -> Option<String> {
if let ast::ItemKind::Impl(_, _, _, ref generics, _, ref self_ty, ref items) = item.node {
let mut result = String::with_capacity(128);
let ref_and_type = format_impl_ref_and_type(context, item, offset)?;
let indent_str = offset.to_string(context.config);
let sep = format!("\n{}", &indent_str);
result.push_str(&ref_and_type);
let where_budget = if result.contains('\n') {
context.config.max_width()
} else {
2017-08-29 01:19:56 -05:00
context.budget(last_line_width(&result))
};
let option = WhereClauseOption::snuggled(&ref_and_type);
let where_clause_str = rewrite_where_clause(
2017-06-12 21:49:47 -05:00
context,
&generics.where_clause,
context.config.brace_style(),
2017-06-12 21:49:47 -05:00
Shape::legacy(where_budget, offset.block_only()),
context.config.where_density(),
"{",
where_span_end,
2017-08-19 13:47:40 -05:00
self_ty.span.hi(),
option,
false,
)?;
2017-06-12 21:49:47 -05:00
// If there is no where clause, we may have missing comments between the trait name and
// the opening brace.
if generics.where_clause.predicates.is_empty() {
if let Some(hi) = where_span_end {
match recover_missing_comment_in_span(
2017-08-30 21:11:52 -05:00
mk_sp(self_ty.span.hi(), hi),
Shape::indented(offset, context.config),
context,
last_line_width(&result),
) {
Some(ref missing_comment) if !missing_comment.is_empty() => {
result.push_str(missing_comment);
}
_ => (),
}
}
}
if is_impl_single_line(context, items, &result, &where_clause_str, item)? {
result.push_str(&where_clause_str);
if where_clause_str.contains('\n') || last_line_contains_single_line_comment(&result) {
result.push_str(&format!("{}{{{}}}", &sep, &sep));
} else {
result.push_str(" {}");
}
return Some(result);
}
if !where_clause_str.is_empty() && !where_clause_str.contains('\n') {
result.push('\n');
let width = offset.block_indent + context.config.tab_spaces() - 1;
let where_indent = Indent::new(0, width);
result.push_str(&where_indent.to_string(context.config));
}
result.push_str(&where_clause_str);
match context.config.brace_style() {
_ if last_line_contains_single_line_comment(&result) => result.push_str(&sep),
BraceStyle::AlwaysNextLine => result.push_str(&sep),
BraceStyle::PreferSameLine => result.push(' '),
2017-07-11 07:53:10 -05:00
BraceStyle::SameLineWhere => if !where_clause_str.is_empty() {
result.push_str(&sep);
2017-07-11 07:53:10 -05:00
} else {
result.push(' ');
},
}
result.push('{');
2015-11-23 22:54:44 -06:00
let snippet = context.snippet(item.span);
let open_pos = snippet.find_uncommented("{")? + 1;
2015-11-23 22:54:44 -06:00
if !items.is_empty() || contains_comment(&snippet[open_pos..]) {
let mut visitor = FmtVisitor::from_codemap(context.parse_session, context.config);
2017-03-27 17:25:59 -05:00
visitor.block_indent = offset.block_only().block_indent(context.config);
2017-08-19 13:47:40 -05:00
visitor.last_pos = item.span.lo() + BytePos(open_pos as u32);
visitor.visit_attrs(&item.attrs, ast::AttrStyle::Inner);
for item in items {
2016-08-23 09:14:45 -05:00
visitor.visit_impl_item(item);
}
2017-08-19 13:47:40 -05:00
visitor.format_missing(item.span.hi() - BytePos(1));
2015-11-23 22:54:44 -06:00
let inner_indent_str = visitor.block_indent.to_string(context.config);
2017-02-20 19:43:43 -06:00
let outer_indent_str = offset.block_only().to_string(context.config);
2015-11-23 22:54:44 -06:00
2015-11-22 20:49:21 -06:00
result.push('\n');
2015-11-23 22:54:44 -06:00
result.push_str(&inner_indent_str);
2016-08-23 09:14:45 -05:00
result.push_str(trim_newlines(visitor.buffer.to_string().trim()));
result.push('\n');
2015-11-23 22:54:44 -06:00
result.push_str(&outer_indent_str);
}
if result.ends_with('{') {
result.push_str(&sep);
}
2015-11-23 22:54:44 -06:00
result.push('}');
Some(result)
} else {
unreachable!();
}
}
fn is_impl_single_line(
context: &RewriteContext,
items: &[ImplItem],
result: &str,
where_clause_str: &str,
item: &ast::Item,
) -> Option<bool> {
let snippet = context.snippet(item.span);
let open_pos = snippet.find_uncommented("{")? + 1;
Some(
2017-09-14 22:10:58 -05:00
context.config.impl_empty_single_line() && items.is_empty() && !result.contains('\n')
&& result.len() + where_clause_str.len() <= context.config.max_width()
&& !contains_comment(&snippet[open_pos..]),
)
}
2017-06-12 21:49:47 -05:00
fn format_impl_ref_and_type(
context: &RewriteContext,
item: &ast::Item,
offset: Indent,
) -> Option<String> {
2017-06-15 02:26:41 -05:00
if let ast::ItemKind::Impl(
unsafety,
polarity,
2017-07-26 19:43:35 -05:00
defaultness,
2017-06-15 02:26:41 -05:00
ref generics,
ref trait_ref,
ref self_ty,
_,
) = item.node
{
let mut result = String::with_capacity(128);
result.push_str(&format_visibility(&item.vis));
2017-08-29 08:16:04 -05:00
result.push_str(format_defaultness(defaultness));
result.push_str(format_unsafety(unsafety));
result.push_str("impl");
let lo = context.codemap.span_after(item.span, "impl");
let hi = match *trait_ref {
2017-08-19 13:47:40 -05:00
Some(ref tr) => tr.path.span.lo(),
None => self_ty.span.lo(),
};
let shape = generics_shape_from_config(
2017-06-12 21:49:47 -05:00
context.config,
Shape::indented(offset + last_line_width(&result), context.config),
0,
)?;
let one_line_budget = shape.width.checked_sub(last_line_width(&result) + 2)?;
let generics_str =
rewrite_generics_inner(context, generics, shape, one_line_budget, mk_sp(lo, hi))?;
2017-06-11 00:32:44 -05:00
let polarity_str = if polarity == ast::ImplPolarity::Negative {
"!"
} else {
""
};
if let Some(ref trait_ref) = *trait_ref {
let result_len = result.len();
2017-07-09 12:24:59 -05:00
if let Some(trait_ref_str) = rewrite_trait_ref(
context,
2017-08-29 08:16:04 -05:00
trait_ref,
2017-07-09 12:24:59 -05:00
offset,
&generics_str,
true,
polarity_str,
result_len,
) {
result.push_str(&trait_ref_str);
} else {
let generics_str =
rewrite_generics_inner(context, generics, shape, 0, mk_sp(lo, hi))?;
result.push_str(&rewrite_trait_ref(
2017-06-12 21:49:47 -05:00
context,
2017-08-29 08:16:04 -05:00
trait_ref,
2017-06-12 21:49:47 -05:00
offset,
&generics_str,
false,
polarity_str,
result_len,
)?);
}
} else {
result.push_str(&generics_str);
}
2017-06-11 00:32:44 -05:00
// Try to put the self type in a single line.
// ` for`
let trait_ref_overhead = if trait_ref.is_some() { 4 } else { 0 };
let curly_brace_overhead = if generics.where_clause.predicates.is_empty() {
// If there is no where clause adapt budget for type formatting to take space and curly
// brace into account.
match context.config.brace_style() {
2017-06-11 00:32:44 -05:00
BraceStyle::AlwaysNextLine => 0,
_ => 2,
}
2017-06-11 00:32:44 -05:00
} else {
0
};
let used_space = last_line_width(&result) + trait_ref_overhead + curly_brace_overhead;
// 1 = space before the type.
2017-08-29 01:19:56 -05:00
let budget = context.budget(used_space + 1);
2017-06-11 00:32:44 -05:00
if let Some(self_ty_str) = self_ty.rewrite(context, Shape::legacy(budget, offset)) {
if !self_ty_str.contains('\n') {
if trait_ref.is_some() {
result.push_str(" for ");
} else {
result.push(' ');
}
result.push_str(&self_ty_str);
return Some(result);
}
}
2017-06-11 00:32:44 -05:00
// Couldn't fit the self type on a single line, put it on a new line.
result.push('\n');
// Add indentation of one additional tab.
let new_line_offset = offset.block_indent(context.config);
result.push_str(&new_line_offset.to_string(context.config));
if trait_ref.is_some() {
result.push_str("for ");
}
2017-08-29 01:19:56 -05:00
let budget = context.budget(last_line_width(&result));
let type_offset = match context.config.indent_style() {
IndentStyle::Visual => new_line_offset + trait_ref_overhead,
IndentStyle::Block => new_line_offset,
2017-06-11 00:32:44 -05:00
};
result.push_str(&*self_ty
.rewrite(context, Shape::legacy(budget, type_offset))?);
Some(result)
} else {
unreachable!();
}
}
2017-06-12 21:49:47 -05:00
fn rewrite_trait_ref(
context: &RewriteContext,
trait_ref: &ast::TraitRef,
offset: Indent,
generics_str: &str,
retry: bool,
polarity_str: &str,
result_len: usize,
) -> Option<String> {
2017-06-11 00:32:44 -05:00
// 1 = space between generics and trait_ref
2017-08-01 08:23:12 -05:00
let used_space = 1 + polarity_str.len() + last_line_used_width(generics_str, result_len);
2017-06-11 00:32:44 -05:00
let shape = Shape::indented(offset + used_space, context.config);
if let Some(trait_ref_str) = trait_ref.rewrite(context, shape) {
if !(retry && trait_ref_str.contains('\n')) {
2017-06-12 21:49:47 -05:00
return Some(format!(
"{} {}{}",
generics_str,
polarity_str,
&trait_ref_str
));
}
}
2017-06-11 00:32:44 -05:00
// We could not make enough space for trait_ref, so put it on new line.
if !retry {
let offset = offset.block_indent(context.config);
let shape = Shape::indented(offset, context.config);
let trait_ref_str = trait_ref.rewrite(context, shape)?;
2017-06-12 21:49:47 -05:00
Some(format!(
"{}\n{}{}{}",
generics_str,
&offset.to_string(context.config),
polarity_str,
&trait_ref_str
))
} else {
None
}
}
pub struct StructParts<'a> {
prefix: &'a str,
2017-06-12 21:49:47 -05:00
ident: ast::Ident,
vis: &'a ast::Visibility,
def: &'a ast::VariantData,
generics: Option<&'a ast::Generics>,
2017-06-12 21:49:47 -05:00
span: Span,
}
impl<'a> StructParts<'a> {
fn format_header(&self) -> String {
format_header(self.prefix, self.ident, self.vis)
}
fn from_variant(variant: &'a ast::Variant) -> Self {
StructParts {
prefix: "",
ident: variant.node.name,
vis: &ast::Visibility::Inherited,
def: &variant.node.data,
generics: None,
span: variant.span,
}
}
pub fn from_item(item: &'a ast::Item) -> Self {
let (prefix, def, generics) = match item.node {
ast::ItemKind::Struct(ref def, ref generics) => ("struct ", def, generics),
ast::ItemKind::Union(ref def, ref generics) => ("union ", def, generics),
_ => unreachable!(),
};
StructParts {
prefix: prefix,
ident: item.ident,
vis: &item.vis,
def: def,
generics: Some(generics),
span: item.span,
}
}
}
fn format_struct(
context: &RewriteContext,
struct_parts: &StructParts,
2017-06-12 21:49:47 -05:00
offset: Indent,
one_line_width: Option<usize>,
) -> Option<String> {
match *struct_parts.def {
2017-11-12 17:02:06 -06:00
ast::VariantData::Unit(..) => format_unit_struct(context, struct_parts, offset),
ast::VariantData::Tuple(ref fields, _) => {
format_tuple_struct(context, struct_parts, fields, offset)
}
ast::VariantData::Struct(ref fields, _) => {
format_struct_struct(context, struct_parts, fields, offset, one_line_width)
}
}
}
pub fn format_trait(context: &RewriteContext, item: &ast::Item, offset: Indent) -> Option<String> {
if let ast::ItemKind::Trait(_, unsafety, ref generics, ref type_param_bounds, ref trait_items) =
item.node
{
let mut result = String::with_capacity(128);
let header = format!(
"{}{}trait {}",
format_visibility(&item.vis),
format_unsafety(unsafety),
item.ident
);
result.push_str(&header);
2016-03-14 21:51:41 -05:00
let body_lo = context.codemap.span_after(item.span, "{");
2017-11-10 06:21:06 -06:00
let shape = Shape::indented(offset, context.config);
let generics_str =
rewrite_generics(context, generics, shape, mk_sp(item.span.lo(), body_lo))?;
result.push_str(&generics_str);
// FIXME(#2055): rustfmt fails to format when there are comments between trait bounds.
if !type_param_bounds.is_empty() {
let ident_hi = context.codemap.span_after(item.span, &format!("{}", item.ident));
let bound_hi = type_param_bounds.last().unwrap().span().hi();
let snippet = context.snippet(mk_sp(ident_hi, bound_hi));
if contains_comment(&snippet) {
return None;
}
}
let trait_bound_str = rewrite_trait_bounds(
context,
type_param_bounds,
Shape::indented(offset, context.config),
)?;
// If the trait, generics, and trait bound cannot fit on the same line,
// put the trait bounds on an indented new line
2017-09-14 22:10:58 -05:00
if offset.width() + last_line_width(&result) + trait_bound_str.len()
> context.config.comment_width()
{
result.push('\n');
2017-03-27 17:25:59 -05:00
let trait_indent = offset.block_only().block_indent(context.config);
result.push_str(&trait_indent.to_string(context.config));
}
result.push_str(&trait_bound_str);
let has_body = !trait_items.is_empty();
2017-09-14 22:10:58 -05:00
let where_density = if (context.config.where_density() == Density::Compressed
&& (!result.contains('\n') || context.config.indent_style() == IndentStyle::Block))
|| (context.config.indent_style() == IndentStyle::Block && result.is_empty())
2017-09-14 22:10:58 -05:00
|| (context.config.where_density() == Density::CompressedIfEmpty && !has_body
&& !result.contains('\n'))
{
Density::Compressed
} else {
Density::Tall
};
2017-08-29 01:19:56 -05:00
let where_budget = context.budget(last_line_width(&result));
let pos_before_where = if type_param_bounds.is_empty() {
2017-08-19 13:47:40 -05:00
generics.where_clause.span.lo()
} else {
2017-08-19 13:47:40 -05:00
type_param_bounds[type_param_bounds.len() - 1].span().hi()
};
let option = WhereClauseOption::snuggled(&generics_str);
let where_clause_str = rewrite_where_clause(
context,
&generics.where_clause,
context.config.brace_style(),
Shape::legacy(where_budget, offset.block_only()),
where_density,
"{",
None,
pos_before_where,
option,
false,
)?;
// If the where clause cannot fit on the same line,
// put the where clause on a new line
2017-09-14 22:10:58 -05:00
if !where_clause_str.contains('\n')
&& last_line_width(&result) + where_clause_str.len() + offset.width()
> context.config.comment_width()
{
2016-03-11 15:49:11 -06:00
result.push('\n');
let width = offset.block_indent + context.config.tab_spaces() - 1;
2016-03-11 15:49:11 -06:00
let where_indent = Indent::new(0, width);
result.push_str(&where_indent.to_string(context.config));
}
result.push_str(&where_clause_str);
if generics.where_clause.predicates.is_empty() {
let item_snippet = context.snippet(item.span);
if let Some(lo) = item_snippet.chars().position(|c| c == '/') {
// 1 = `{`
let comment_hi = body_lo - BytePos(1);
2017-08-30 21:11:52 -05:00
let comment_lo = item.span.lo() + BytePos(lo as u32);
if comment_lo < comment_hi {
match recover_missing_comment_in_span(
mk_sp(comment_lo, comment_hi),
Shape::indented(offset, context.config),
context,
last_line_width(&result),
) {
Some(ref missing_comment) if !missing_comment.is_empty() => {
result.push_str(missing_comment);
}
_ => (),
}
}
}
}
match context.config.brace_style() {
_ if last_line_contains_single_line_comment(&result) => {
result.push('\n');
result.push_str(&offset.to_string(context.config));
}
BraceStyle::AlwaysNextLine => {
result.push('\n');
result.push_str(&offset.to_string(context.config));
2016-03-11 23:41:22 -06:00
}
BraceStyle::PreferSameLine => result.push(' '),
2017-09-14 22:10:58 -05:00
BraceStyle::SameLineWhere => if !where_clause_str.is_empty()
&& (!trait_items.is_empty() || result.contains('\n'))
2017-07-11 07:53:10 -05:00
{
result.push('\n');
result.push_str(&offset.to_string(context.config));
} else {
result.push(' ');
},
}
result.push('{');
let snippet = context.snippet(item.span);
let open_pos = snippet.find_uncommented("{")? + 1;
if !trait_items.is_empty() || contains_comment(&snippet[open_pos..]) {
2016-03-12 12:09:27 -06:00
let mut visitor = FmtVisitor::from_codemap(context.parse_session, context.config);
2017-03-27 17:25:59 -05:00
visitor.block_indent = offset.block_only().block_indent(context.config);
2017-08-19 13:47:40 -05:00
visitor.last_pos = item.span.lo() + BytePos(open_pos as u32);
for item in trait_items {
2016-08-23 09:14:45 -05:00
visitor.visit_trait_item(item);
}
2017-08-19 13:47:40 -05:00
visitor.format_missing(item.span.hi() - BytePos(1));
let inner_indent_str = visitor.block_indent.to_string(context.config);
2017-02-20 19:43:43 -06:00
let outer_indent_str = offset.block_only().to_string(context.config);
result.push('\n');
result.push_str(&inner_indent_str);
2016-08-23 09:14:45 -05:00
result.push_str(trim_newlines(visitor.buffer.to_string().trim()));
result.push('\n');
result.push_str(&outer_indent_str);
} else if result.contains('\n') {
result.push('\n');
}
result.push('}');
Some(result)
} else {
unreachable!();
}
}
2017-11-12 17:02:06 -06:00
fn format_unit_struct(context: &RewriteContext, p: &StructParts, offset: Indent) -> Option<String> {
let header_str = format_header(p.prefix, p.ident, p.vis);
let generics_str = if let Some(generics) = p.generics {
2017-11-12 20:07:09 -06:00
let hi = if generics.where_clause.predicates.is_empty() {
generics.span.hi()
} else {
generics.where_clause.span.hi()
};
format_generics(
context,
generics,
context.config.brace_style(),
2017-11-12 20:07:09 -06:00
BracePos::None,
offset,
mk_sp(generics.span.lo(), hi),
last_line_width(&header_str),
)?
2017-11-12 17:02:06 -06:00
} else {
String::new()
};
Some(format!("{}{};", header_str, generics_str))
}
2015-10-18 17:25:38 -05:00
2017-07-10 03:26:55 -05:00
pub fn format_struct_struct(
context: &RewriteContext,
struct_parts: &StructParts,
fields: &[ast::StructField],
offset: Indent,
one_line_width: Option<usize>,
) -> Option<String> {
let mut result = String::with_capacity(1024);
let span = struct_parts.span;
let header_str = struct_parts.format_header();
result.push_str(&header_str);
let header_hi = span.lo() + BytePos(header_str.len() as u32);
let body_lo = context.codemap.span_after(span, "{");
let generics_str = match struct_parts.generics {
Some(g) => format_generics(
2017-07-11 07:53:10 -05:00
context,
g,
context.config.brace_style(),
2017-11-12 20:06:53 -06:00
if fields.is_empty() {
BracePos::ForceSameLine
} else {
BracePos::Auto
},
2017-07-11 07:53:10 -05:00
offset,
mk_sp(header_hi, body_lo),
2017-07-11 07:53:10 -05:00
last_line_width(&result),
)?,
None => {
2017-06-24 05:45:22 -05:00
// 3 = ` {}`, 2 = ` {`.
let overhead = if fields.is_empty() { 3 } else { 2 };
if (context.config.brace_style() == BraceStyle::AlwaysNextLine && !fields.is_empty())
2017-09-14 22:10:58 -05:00
|| context.config.max_width() < overhead + result.len()
{
2017-02-20 19:43:43 -06:00
format!("\n{}{{", offset.block_only().to_string(context.config))
2015-11-19 00:34:14 -06:00
} else {
" {".to_owned()
2015-11-19 00:34:14 -06:00
}
2015-05-29 05:41:26 -05:00
}
};
2017-06-24 05:45:22 -05:00
// 1 = `}`
let overhead = if fields.is_empty() { 1 } else { 0 };
let total_width = result.len() + generics_str.len() + overhead;
2017-09-14 22:10:58 -05:00
if !generics_str.is_empty() && !generics_str.contains('\n')
&& total_width > context.config.max_width()
{
2017-06-24 05:45:22 -05:00
result.push('\n');
result.push_str(&offset.to_string(context.config));
2017-08-29 08:16:04 -05:00
result.push_str(generics_str.trim_left());
2017-06-24 05:45:22 -05:00
} else {
result.push_str(&generics_str);
}
2015-05-24 18:03:26 -05:00
if fields.is_empty() {
2017-08-19 13:47:40 -05:00
let snippet = context.snippet(mk_sp(body_lo, span.hi() - BytePos(1)));
if snippet.trim().is_empty() {
// `struct S {}`
2017-05-02 21:26:25 -05:00
} else if snippet.trim_right_matches(&[' ', '\t'][..]).ends_with('\n') {
// fix indent
2017-08-29 08:16:04 -05:00
result.push_str(snippet.trim_right());
result.push('\n');
result.push_str(&offset.to_string(context.config));
} else {
result.push_str(&snippet);
}
result.push('}');
return Some(result);
2015-04-21 05:50:43 -05:00
}
// 3 = ` ` and ` }`
2017-08-29 01:19:56 -05:00
let one_line_budget = context.budget(result.len() + 3 + offset.width());
let one_line_budget =
one_line_width.map_or(0, |one_line_width| min(one_line_width, one_line_budget));
let items_str = rewrite_with_alignment(
fields,
context,
Shape::indented(offset, context.config),
2017-08-19 13:47:40 -05:00
mk_sp(body_lo, span.hi()),
one_line_budget,
)?;
if !items_str.contains('\n') && !result.contains('\n') && items_str.len() <= one_line_budget {
Some(format!("{} {} }}", result, items_str))
} else {
Some(format!(
"{}\n{}{}\n{}}}",
result,
2017-06-15 18:49:49 -05:00
offset
.block_indent(context.config)
.to_string(context.config),
items_str,
offset.to_string(context.config)
))
}
}
2017-11-03 09:51:19 -05:00
/// Returns a bytepos that is after that of `(` in `pub(..)`. If the given visibility does not
/// contain `pub(..)`, then return the `lo` of the `defualt_span`. Yeah, but for what? Well, we need
/// to bypass the `(` in the visibility when creating a span of tuple's body or fn's args.
fn get_bytepos_after_visibility(
context: &RewriteContext,
vis: &ast::Visibility,
default_span: Span,
terminator: &str,
) -> BytePos {
match *vis {
ast::Visibility::Crate(s, CrateSugar::PubCrate) => context
.codemap
.span_after(mk_sp(s.hi(), default_span.hi()), terminator),
ast::Visibility::Crate(s, CrateSugar::JustCrate) => s.hi(),
ast::Visibility::Restricted { ref path, .. } => path.span.hi(),
_ => default_span.lo(),
}
}
fn format_tuple_struct(
context: &RewriteContext,
struct_parts: &StructParts,
fields: &[ast::StructField],
offset: Indent,
) -> Option<String> {
let mut result = String::with_capacity(1024);
let span = struct_parts.span;
let header_str = struct_parts.format_header();
result.push_str(&header_str);
let body_lo = if fields.is_empty() {
2017-11-06 06:46:45 -06:00
let lo = get_bytepos_after_visibility(context, struct_parts.vis, span, ")");
context.codemap.span_after(mk_sp(lo, span.hi()), "(")
} else {
2017-08-19 13:47:40 -05:00
fields[0].span.lo()
};
let body_hi = if fields.is_empty() {
context.codemap.span_after(mk_sp(body_lo, span.hi()), ")")
} else {
// This is a dirty hack to work around a missing `)` from the span of the last field.
let last_arg_span = fields[fields.len() - 1].span;
2017-08-29 08:16:04 -05:00
if context.snippet(last_arg_span).ends_with(')') {
2017-08-19 13:47:40 -05:00
last_arg_span.hi()
} else {
context
.codemap
2017-08-19 13:47:40 -05:00
.span_after(mk_sp(last_arg_span.hi(), span.hi()), ")")
}
};
let where_clause_str = match struct_parts.generics {
2016-08-23 09:14:45 -05:00
Some(generics) => {
2017-06-24 05:45:22 -05:00
let budget = context.budget(last_line_width(&header_str));
let shape = Shape::legacy(budget, offset);
2017-08-19 13:47:40 -05:00
let g_span = mk_sp(span.lo(), body_lo);
let generics_str = rewrite_generics(context, generics, shape, g_span)?;
result.push_str(&generics_str);
2017-06-24 05:45:22 -05:00
let where_budget = context.budget(last_line_width(&result));
let option = WhereClauseOption::new(true, false);
rewrite_where_clause(
context,
&generics.where_clause,
context.config.brace_style(),
Shape::legacy(where_budget, offset.block_only()),
Density::Compressed,
";",
None,
body_hi,
option,
false,
)?
}
None => "".to_owned(),
};
2017-04-14 06:25:47 -05:00
if fields.is_empty() {
2017-06-24 05:45:22 -05:00
// 3 = `();`
2017-08-01 08:23:12 -05:00
let used_width = last_line_used_width(&result, offset.width()) + 3;
2017-06-24 05:45:22 -05:00
if used_width > context.config.max_width() {
result.push('\n');
result.push_str(&offset
.block_indent(context.config)
.to_string(context.config))
}
result.push('(');
let snippet = context.snippet(mk_sp(
body_lo,
context.codemap.span_before(mk_sp(body_lo, span.hi()), ")"),
));
2017-04-14 06:25:47 -05:00
if snippet.is_empty() {
// `struct S ()`
2017-05-02 21:26:25 -05:00
} else if snippet.trim_right_matches(&[' ', '\t'][..]).ends_with('\n') {
2017-08-29 08:16:04 -05:00
result.push_str(snippet.trim_right());
2017-04-14 06:25:47 -05:00
result.push('\n');
result.push_str(&offset.to_string(context.config));
} else {
result.push_str(&snippet);
}
2017-04-14 06:25:47 -05:00
result.push(')');
} else {
2017-11-07 20:53:13 -06:00
let shape = Shape::indented(offset, context.config);
let fields = &fields.iter().map(|field| field).collect::<Vec<_>>()[..];
let one_line_width = context.config.fn_call_width();
result = rewrite_call_inner(context, &result, fields, span, shape, one_line_width, false)?;
}
2017-09-14 22:10:58 -05:00
if !where_clause_str.is_empty() && !where_clause_str.contains('\n')
&& (result.contains('\n')
|| offset.block_indent + result.len() + where_clause_str.len() + 1
> context.config.max_width())
{
// We need to put the where clause on a new line, but we didn't
// know that earlier, so the where clause will not be indented properly.
result.push('\n');
result.push_str(&(offset.block_only() + (context.config.tab_spaces() - 1))
.to_string(context.config));
2015-04-21 02:59:48 -05:00
}
result.push_str(&where_clause_str);
Some(result)
2015-09-08 13:56:33 -05:00
}
2015-04-21 02:59:48 -05:00
pub fn rewrite_type_alias(
context: &RewriteContext,
indent: Indent,
ident: ast::Ident,
ty: &ast::Ty,
generics: &ast::Generics,
vis: &ast::Visibility,
span: Span,
) -> Option<String> {
let mut result = String::with_capacity(128);
2015-11-22 12:21:01 -06:00
2016-08-23 09:14:45 -05:00
result.push_str(&format_visibility(vis));
2015-11-22 12:21:01 -06:00
result.push_str("type ");
result.push_str(&ident.to_string());
// 2 = `= `
let shape = Shape::indented(indent + result.len(), context.config).sub_width(2)?;
2017-08-19 13:47:40 -05:00
let g_span = mk_sp(context.codemap.span_after(span, "type"), ty.span.lo());
let generics_str = rewrite_generics(context, generics, shape, g_span)?;
2015-11-22 12:21:01 -06:00
result.push_str(&generics_str);
2017-08-29 01:19:56 -05:00
let where_budget = context.budget(last_line_width(&result));
let option = WhereClauseOption::snuggled(&result);
let where_clause_str = rewrite_where_clause(
context,
&generics.where_clause,
context.config.brace_style(),
Shape::legacy(where_budget, indent),
context.config.where_density(),
"=",
2017-08-19 13:47:40 -05:00
Some(span.hi()),
generics.span.hi(),
option,
false,
)?;
result.push_str(&where_clause_str);
if where_clause_str.is_empty() {
result.push_str(" = ");
} else {
result.push_str(&format!("\n{}= ", indent.to_string(context.config)));
}
2015-11-22 12:21:01 -06:00
let line_width = last_line_width(&result);
// This checked_sub may fail as the extra space after '=' is not taken into account
// In that case the budget is set to 0 which will make ty.rewrite retry on a new line
2017-08-29 01:19:56 -05:00
let budget = context.budget(indent.width() + line_width + ";".len());
let type_indent = indent + line_width;
2015-11-22 12:21:01 -06:00
// Try to fit the type on the same line
let ty_str = ty.rewrite(context, Shape::legacy(budget, type_indent))
.or_else(|| {
// The line was too short, try to put the type on the next line
// Remove the space after '='
result.pop();
let type_indent = indent.block_indent(context.config);
result.push('\n');
result.push_str(&type_indent.to_string(context.config));
let budget = context.budget(type_indent.width() + ";".len());
ty.rewrite(context, Shape::legacy(budget, type_indent))
})?;
2015-11-22 12:21:01 -06:00
result.push_str(&ty_str);
result.push_str(";");
Some(result)
}
2016-09-16 18:44:51 -05:00
fn type_annotation_spacing(config: &Config) -> (&str, &str) {
(
if config.space_before_type_annotation() {
" "
} else {
""
},
if config.space_after_type_annotation_colon() {
" "
} else {
""
},
)
}
pub fn rewrite_struct_field_prefix(
context: &RewriteContext,
field: &ast::StructField,
) -> Option<String> {
let vis = format_visibility(&field.vis);
let type_annotation_spacing = type_annotation_spacing(context.config);
Some(match field.ident {
Some(name) => format!("{}{}{}:", vis, name, type_annotation_spacing.0),
None => format!("{}", vis),
})
}
2015-10-18 17:25:38 -05:00
2017-06-24 05:49:01 -05:00
impl Rewrite for ast::StructField {
fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
rewrite_struct_field(context, self, shape, 0)
}
}
2015-10-18 17:25:38 -05:00
pub fn rewrite_struct_field(
context: &RewriteContext,
field: &ast::StructField,
shape: Shape,
lhs_max_width: usize,
) -> Option<String> {
if contains_skip(&field.attrs) {
2017-09-18 21:40:20 -05:00
return Some(context.snippet(mk_sp(field.attrs[0].span.lo(), field.span.hi())));
}
let type_annotation_spacing = type_annotation_spacing(context.config);
let prefix = rewrite_struct_field_prefix(context, field)?;
let attrs_str = field.attrs.rewrite(context, shape)?;
2017-09-14 22:10:58 -05:00
let attrs_extendable = attrs_str.is_empty()
|| (context.config.attributes_on_same_line_as_field()
&& is_attributes_extendable(&attrs_str));
let missing_span = if field.attrs.is_empty() {
2017-08-19 13:47:40 -05:00
mk_sp(field.span.lo(), field.span.lo())
} else {
2017-08-19 13:47:40 -05:00
mk_sp(field.attrs.last().unwrap().span.hi(), field.span.lo())
};
let mut spacing = String::from(if field.ident.is_some() {
type_annotation_spacing.1
} else {
""
});
// Try to put everything on a single line.
let attr_prefix = combine_strs_with_missing_comments(
context,
&attrs_str,
&prefix,
missing_span,
shape,
attrs_extendable,
)?;
let overhead = last_line_width(&attr_prefix);
let lhs_offset = lhs_max_width.checked_sub(overhead).unwrap_or(0);
for _ in 0..lhs_offset {
spacing.push(' ');
}
// In this extreme case we will be missing a space betweeen an attribute and a field.
if prefix.is_empty() && !attrs_str.is_empty() && attrs_extendable && spacing.is_empty() {
spacing.push(' ');
}
2017-10-08 08:35:45 -05:00
let ty_shape = shape.offset_left(overhead + spacing.len())?;
if let Some(ref ty) = field.ty.rewrite(context, ty_shape) {
if !ty.contains('\n') {
2017-10-08 08:35:45 -05:00
return Some(attr_prefix + &spacing + ty);
}
}
// We must use multiline.
let new_shape = shape.with_max_width(context.config);
let ty_rewritten = field.ty.rewrite(context, new_shape)?;
let field_str = if prefix.is_empty() {
ty_rewritten
} else if prefix.len() + first_line_width(&ty_rewritten) + 1 <= shape.width {
prefix + " " + &ty_rewritten
} else {
let type_offset = shape.indent.block_indent(context.config);
let nested_shape = Shape::indented(type_offset, context.config);
let nested_ty = field.ty.rewrite(context, nested_shape)?;
prefix + "\n" + &type_offset.to_string(context.config) + &nested_ty
};
combine_strs_with_missing_comments(
context,
&attrs_str,
&field_str,
missing_span,
shape,
attrs_extendable,
)
2015-10-18 17:25:38 -05:00
}
pub struct StaticParts<'a> {
2017-11-05 06:59:33 -06:00
prefix: &'a str,
vis: &'a ast::Visibility,
ident: ast::Ident,
ty: &'a ast::Ty,
mutability: ast::Mutability,
expr_opt: Option<&'a ptr::P<ast::Expr>>,
2017-11-05 06:59:33 -06:00
span: Span,
}
impl<'a> StaticParts<'a> {
2017-11-05 06:59:33 -06:00
pub fn from_item(item: &'a ast::Item) -> Self {
let (prefix, ty, mutability, expr) = match item.node {
ast::ItemKind::Static(ref ty, mutability, ref expr) => ("static", ty, mutability, expr),
ast::ItemKind::Const(ref ty, ref expr) => {
("const", ty, ast::Mutability::Immutable, expr)
}
_ => unreachable!(),
};
StaticParts {
2017-11-05 06:59:33 -06:00
prefix: prefix,
vis: &item.vis,
ident: item.ident,
ty: ty,
mutability: mutability,
expr_opt: Some(expr),
span: item.span,
}
}
pub fn from_trait_item(ti: &'a ast::TraitItem) -> Self {
let (ty, expr_opt) = match ti.node {
ast::TraitItemKind::Const(ref ty, ref expr_opt) => (ty, expr_opt),
_ => unreachable!(),
};
StaticParts {
prefix: "const",
vis: &ast::Visibility::Inherited,
ident: ti.ident,
ty: ty,
mutability: ast::Mutability::Immutable,
expr_opt: expr_opt.as_ref(),
span: ti.span,
}
}
pub fn from_impl_item(ii: &'a ast::ImplItem) -> Self {
let (ty, expr) = match ii.node {
ast::ImplItemKind::Const(ref ty, ref expr) => (ty, expr),
_ => unreachable!(),
};
StaticParts {
prefix: "const",
vis: &ii.vis,
ident: ii.ident,
ty: ty,
mutability: ast::Mutability::Immutable,
expr_opt: Some(expr),
span: ii.span,
}
}
}
2017-11-05 06:59:33 -06:00
fn rewrite_static(
context: &RewriteContext,
static_parts: &StaticParts,
offset: Indent,
) -> Option<String> {
2017-07-05 04:25:50 -05:00
let colon = colon_spaces(
context.config.space_before_type_annotation(),
context.config.space_after_type_annotation_colon(),
);
let prefix = format!(
2017-07-05 04:25:50 -05:00
"{}{} {}{}{}",
2017-11-06 06:46:45 -06:00
format_visibility(static_parts.vis),
static_parts.prefix,
format_mutability(static_parts.mutability),
static_parts.ident,
2017-07-05 04:25:50 -05:00
colon,
);
2015-10-18 14:25:30 -05:00
// 2 = " =".len()
2017-11-06 06:46:45 -06:00
let ty_shape =
Shape::indented(offset.block_only(), context.config).offset_left(prefix.len() + 2)?;
let ty_str = static_parts.ty.rewrite(context, ty_shape)?;
2015-10-18 14:25:30 -05:00
2017-11-06 06:46:45 -06:00
if let Some(expr) = static_parts.expr_opt {
let lhs = format!("{}{} =", prefix, ty_str);
// 1 = ;
2017-08-29 01:19:56 -05:00
let remaining_width = context.budget(offset.block_indent + 1);
rewrite_assign_rhs(
context,
lhs,
expr,
Shape::legacy(remaining_width, offset.block_only()),
2017-11-06 06:46:45 -06:00
).and_then(|res| {
recover_comment_removed(res, static_parts.span, context)
})
.map(|s| if s.ends_with(';') { s } else { s + ";" })
} else {
2017-07-05 04:25:50 -05:00
Some(format!("{}{};", prefix, ty_str))
}
2015-10-18 14:25:30 -05:00
}
pub fn rewrite_associated_type(
ident: ast::Ident,
ty_opt: Option<&ptr::P<ast::Ty>>,
ty_param_bounds_opt: Option<&ast::TyParamBounds>,
context: &RewriteContext,
indent: Indent,
) -> Option<String> {
let prefix = format!("type {}", ident);
2017-05-23 08:13:29 -05:00
let type_bounds_str = if let Some(ty_param_bounds) = ty_param_bounds_opt {
// 2 = ": ".len()
let shape = Shape::indented(indent, context.config).offset_left(prefix.len() + 2)?;
2017-05-23 08:13:29 -05:00
let bounds: &[_] = ty_param_bounds;
let bound_str = bounds
.iter()
.map(|ty_bound| ty_bound.rewrite(context, shape))
.collect::<Option<Vec<_>>>()?;
2017-08-29 08:16:04 -05:00
if !bounds.is_empty() {
format!(": {}", join_bounds(context, shape, &bound_str))
} else {
String::new()
2017-05-23 08:13:29 -05:00
}
} else {
String::new()
};
if let Some(ty) = ty_opt {
let ty_str = ty.rewrite(
context,
Shape::legacy(
2017-08-29 01:19:56 -05:00
context.budget(indent.block_indent + prefix.len() + 2),
indent.block_only(),
),
)?;
2017-07-27 16:27:34 -05:00
Some(format!("{}{} = {};", prefix, type_bounds_str, ty_str))
} else {
Some(format!("{}{};", prefix, type_bounds_str))
}
}
pub fn rewrite_associated_impl_type(
ident: ast::Ident,
defaultness: ast::Defaultness,
ty_opt: Option<&ptr::P<ast::Ty>>,
ty_param_bounds_opt: Option<&ast::TyParamBounds>,
context: &RewriteContext,
indent: Indent,
) -> Option<String> {
let result = rewrite_associated_type(ident, ty_opt, ty_param_bounds_opt, context, indent)?;
match defaultness {
ast::Defaultness::Default => Some(format!("default {}", result)),
_ => Some(result),
}
}
2015-09-08 13:56:33 -05:00
impl Rewrite for ast::FunctionRetTy {
fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
2015-09-08 13:56:33 -05:00
match *self {
2016-03-01 16:27:19 -06:00
ast::FunctionRetTy::Default(_) => Some(String::new()),
ast::FunctionRetTy::Ty(ref ty) => {
let inner_width = shape.width.checked_sub(3)?;
2017-03-27 17:14:47 -05:00
ty.rewrite(context, Shape::legacy(inner_width, shape.indent + 3))
.map(|r| format!("-> {}", r))
2015-09-02 15:57:22 -05:00
}
2015-04-23 01:10:43 -05:00
}
2015-04-21 02:59:48 -05:00
}
2015-08-19 15:39:45 -05:00
}
2015-04-21 02:59:48 -05:00
fn is_empty_infer(context: &RewriteContext, ty: &ast::Ty) -> bool {
match ty.node {
ast::TyKind::Infer => {
let original = context.snippet(ty.span);
original != "_"
}
_ => false,
}
}
2015-09-11 05:24:13 -05:00
impl Rewrite for ast::Arg {
fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
2015-09-11 05:24:13 -05:00
if is_named_arg(self) {
let mut result = self.pat
.rewrite(context, Shape::legacy(shape.width, shape.indent))?;
2015-12-25 13:59:46 -06:00
if !is_empty_infer(context, &*self.ty) {
if context.config.space_before_type_annotation() {
result.push_str(" ");
}
2016-09-16 18:44:51 -05:00
result.push_str(":");
if context.config.space_after_type_annotation_colon() {
2016-09-16 18:44:51 -05:00
result.push_str(" ");
}
2017-09-25 21:20:47 -05:00
let overhead = last_line_width(&result);
let max_width = shape.width.checked_sub(overhead)?;
let ty_str = self.ty
.rewrite(context, Shape::legacy(max_width, shape.indent))?;
2015-09-11 05:24:13 -05:00
result.push_str(&ty_str);
}
2015-12-25 13:59:46 -06:00
Some(result)
2015-07-19 07:33:02 -05:00
} else {
self.ty.rewrite(context, shape)
2015-07-19 07:33:02 -05:00
}
}
}
fn rewrite_explicit_self(
explicit_self: &ast::ExplicitSelf,
args: &[ast::Arg],
context: &RewriteContext,
) -> Option<String> {
match explicit_self.node {
ast::SelfKind::Region(lt, m) => {
let mut_str = format_mutability(m);
match lt {
2015-12-25 13:59:46 -06:00
Some(ref l) => {
let lifetime_str = l.rewrite(
context,
2017-06-13 10:06:48 -05:00
Shape::legacy(context.config.max_width(), Indent::empty()),
)?;
2015-12-25 13:59:46 -06:00
Some(format!("&{} {}self", lifetime_str, mut_str))
}
None => Some(format!("&{}self", mut_str)),
}
}
2016-03-01 16:27:19 -06:00
ast::SelfKind::Explicit(ref ty, _) => {
assert!(!args.is_empty(), "&[ast::Arg] shouldn't be empty.");
let mutability = explicit_self_mutability(&args[0]);
let type_str = ty.rewrite(
context,
2017-06-13 10:06:48 -05:00
Shape::legacy(context.config.max_width(), Indent::empty()),
)?;
Some(format!(
"{}self: {}",
format_mutability(mutability),
type_str
))
}
2016-03-01 16:27:19 -06:00
ast::SelfKind::Value(_) => {
assert!(!args.is_empty(), "&[ast::Arg] shouldn't be empty.");
let mutability = explicit_self_mutability(&args[0]);
Some(format!("{}self", format_mutability(mutability)))
}
}
}
// Hacky solution caused by absence of `Mutability` in `SelfValue` and
// `SelfExplicit` variants of `ast::ExplicitSelf_`.
fn explicit_self_mutability(arg: &ast::Arg) -> ast::Mutability {
2016-03-01 16:27:19 -06:00
if let ast::PatKind::Ident(ast::BindingMode::ByValue(mutability), _, _) = arg.pat.node {
mutability
} else {
unreachable!()
}
}
2015-08-19 15:39:45 -05:00
pub fn span_lo_for_arg(arg: &ast::Arg) -> BytePos {
2015-07-19 07:33:02 -05:00
if is_named_arg(arg) {
2017-08-19 13:47:40 -05:00
arg.pat.span.lo()
2015-07-19 07:33:02 -05:00
} else {
2017-08-19 13:47:40 -05:00
arg.ty.span.lo()
2015-07-19 07:33:02 -05:00
}
}
pub fn span_hi_for_arg(context: &RewriteContext, arg: &ast::Arg) -> BytePos {
2015-08-19 15:39:45 -05:00
match arg.ty.node {
2017-08-19 13:47:40 -05:00
ast::TyKind::Infer if context.snippet(arg.ty.span) == "_" => arg.ty.span.hi(),
ast::TyKind::Infer if is_named_arg(arg) => arg.pat.span.hi(),
_ => arg.ty.span.hi(),
2015-08-19 15:39:45 -05:00
}
}
pub fn is_named_arg(arg: &ast::Arg) -> bool {
2016-03-01 16:27:19 -06:00
if let ast::PatKind::Ident(_, ident, _) = arg.pat.node {
ident.node != symbol::keywords::Invalid.ident()
2015-07-19 07:33:02 -05:00
} else {
true
}
}
2015-04-21 05:50:43 -05:00
// Return type is (result, force_new_line_for_brace)
fn rewrite_fn_base(
context: &RewriteContext,
indent: Indent,
ident: ast::Ident,
fn_sig: &FnSig,
span: Span,
newline_brace: bool,
has_body: bool,
) -> Option<(String, bool)> {
let mut force_new_line_for_brace = false;
let where_clause = &fn_sig.generics.where_clause;
let mut result = String::with_capacity(1024);
2017-09-29 01:09:13 -05:00
result.push_str(&fn_sig.to_str(context));
// fn foo
result.push_str("fn ");
result.push_str(&ident.to_string());
// Generics.
2017-09-28 22:50:35 -05:00
let overhead = if has_body && !newline_brace {
2017-06-14 06:37:54 -05:00
// 4 = `() {`
4
} else {
// 2 = `()`
2
};
2017-08-01 08:23:12 -05:00
let used_width = last_line_used_width(&result, indent.width());
2017-08-29 01:19:56 -05:00
let one_line_budget = context.budget(used_width + overhead);
2017-08-01 08:23:12 -05:00
let shape = Shape {
width: one_line_budget,
indent: indent,
offset: used_width,
};
let fd = fn_sig.decl;
2017-08-19 13:47:40 -05:00
let g_span = mk_sp(span.lo(), fd.output.span().lo());
let generics_str = rewrite_generics(context, fn_sig.generics, shape, g_span)?;
result.push_str(&generics_str);
2017-06-17 02:56:54 -05:00
let snuggle_angle_bracket = generics_str
.lines()
.last()
.map_or(false, |l| l.trim_left().len() == 1);
// Note that the width and indent don't really matter, we'll re-layout the
// return type later anyway.
let ret_str = fd.output
.rewrite(context, Shape::indented(indent, context.config))?;
let multi_line_ret_str = ret_str.contains('\n');
let ret_str_len = if multi_line_ret_str { 0 } else { ret_str.len() };
// Args.
let (one_line_budget, multi_line_budget, mut arg_indent) = compute_budgets_for_args(
2017-08-01 08:25:26 -05:00
context,
&result,
indent,
ret_str_len,
newline_brace,
2017-09-28 22:50:35 -05:00
has_body,
2017-08-01 08:25:26 -05:00
multi_line_ret_str,
)?;
debug!(
"rewrite_fn_base: one_line_budget: {}, multi_line_budget: {}, arg_indent: {:?}",
one_line_budget,
multi_line_budget,
arg_indent
);
2017-01-25 20:44:54 -06:00
// Check if vertical layout was forced.
if one_line_budget == 0 {
if snuggle_angle_bracket {
result.push('(');
2017-08-29 08:16:04 -05:00
} else if context.config.fn_args_paren_newline() {
result.push('\n');
result.push_str(&arg_indent.to_string(context.config));
if context.config.indent_style() == IndentStyle::Visual {
2017-08-29 08:16:04 -05:00
arg_indent = arg_indent + 1; // extra space for `(`
}
result.push('(');
} else {
2017-08-29 08:16:04 -05:00
result.push_str("(");
if context.config.indent_style() == IndentStyle::Visual {
result.push('\n');
result.push_str(&arg_indent.to_string(context.config));
}
}
} else {
result.push('(');
}
2017-08-29 08:16:04 -05:00
if context.config.spaces_within_parens() && !fd.inputs.is_empty() && result.ends_with('(') {
result.push(' ')
}
// Skip `pub(crate)`.
2017-11-03 09:53:38 -05:00
let lo_after_visibility = get_bytepos_after_visibility(context, &fn_sig.visibility, span, ")");
// A conservative estimation, to goal is to be over all parens in generics
let args_start = fn_sig
.generics
2017-06-17 02:56:54 -05:00
.ty_params
.last()
.map_or(lo_after_visibility, |tp| end_typaram(tp));
let args_end = if fd.inputs.is_empty() {
2017-08-19 13:47:40 -05:00
context
.codemap
.span_after(mk_sp(args_start, span.hi()), ")")
} else {
2017-08-19 13:47:40 -05:00
let last_span = mk_sp(fd.inputs[fd.inputs.len() - 1].span().hi(), span.hi());
context.codemap.span_after(last_span, ")")
};
let args_span = mk_sp(
2017-08-19 13:47:40 -05:00
context
.codemap
.span_after(mk_sp(args_start, span.hi()), "("),
args_end,
);
let arg_str = rewrite_args(
context,
&fd.inputs,
fd.get_self().as_ref(),
one_line_budget,
multi_line_budget,
indent,
arg_indent,
args_span,
fd.variadic,
generics_str.contains('\n'),
)?;
let put_args_in_block = match context.config.indent_style() {
2017-08-01 08:25:26 -05:00
IndentStyle::Block => arg_str.contains('\n') || arg_str.len() > one_line_budget,
_ => false,
} && !fd.inputs.is_empty();
let mut args_last_line_contains_comment = false;
2016-04-07 14:01:16 -05:00
if put_args_in_block {
arg_indent = indent.block_indent(context.config);
result.push('\n');
result.push_str(&arg_indent.to_string(context.config));
result.push_str(&arg_str);
result.push('\n');
result.push_str(&indent.to_string(context.config));
result.push(')');
} else {
result.push_str(&arg_str);
2017-08-01 08:25:26 -05:00
let used_width = last_line_used_width(&result, indent.width()) + first_line_width(&ret_str);
// Put the closing brace on the next line if it overflows the max width.
// 1 = `)`
2017-08-29 08:16:04 -05:00
if fd.inputs.is_empty() && used_width + 1 > context.config.max_width() {
2017-08-01 08:25:26 -05:00
result.push('\n');
}
2017-08-29 08:16:04 -05:00
if context.config.spaces_within_parens() && !fd.inputs.is_empty() {
result.push(' ')
}
// If the last line of args contains comment, we cannot put the closing paren
// on the same line.
2017-06-17 02:56:54 -05:00
if arg_str
.lines()
.last()
.map_or(false, |last_line| last_line.contains("//"))
{
args_last_line_contains_comment = true;
result.push('\n');
result.push_str(&arg_indent.to_string(context.config));
}
result.push(')');
}
// Return type.
2017-08-01 08:25:26 -05:00
if let ast::FunctionRetTy::Ty(..) = fd.output {
let ret_should_indent = match context.config.indent_style() {
2016-04-07 14:47:43 -05:00
// If our args are block layout then we surely must have space.
2017-08-29 08:16:04 -05:00
IndentStyle::Block if put_args_in_block || fd.inputs.is_empty() => false,
2017-08-01 08:25:26 -05:00
_ if args_last_line_contains_comment => false,
_ if result.contains('\n') || multi_line_ret_str => true,
2016-04-07 14:01:16 -05:00
_ => {
2017-08-01 08:25:26 -05:00
// If the return type would push over the max width, then put the return type on
// a new line. With the +1 for the signature length an additional space between
// the closing parenthesis of the argument and the arrow '->' is considered.
let mut sig_length = result.len() + indent.width() + ret_str_len + 1;
// If there is no where clause, take into account the space after the return type
// and the brace.
if where_clause.predicates.is_empty() {
sig_length += 2;
}
2017-08-01 08:25:26 -05:00
sig_length > context.config.max_width()
2016-04-07 14:01:16 -05:00
}
};
let ret_indent = if ret_should_indent {
let indent = match context.config.fn_return_indent() {
ReturnIndent::WithWhereClause => indent + 4,
// Aligning with non-existent args looks silly.
2015-11-25 00:39:15 -06:00
_ if arg_str.is_empty() => {
force_new_line_for_brace = true;
indent + 4
}
// FIXME: we might want to check that using the arg indent
// doesn't blow our budget, and if it does, then fallback to
// the where clause indent.
_ => arg_indent,
};
result.push('\n');
result.push_str(&indent.to_string(context.config));
indent
} else {
result.push(' ');
Indent::new(indent.block_indent, last_line_width(&result))
};
if multi_line_ret_str || ret_should_indent {
// Now that we know the proper indent and width, we need to
// re-layout the return type.
let ret_str = fd.output
.rewrite(context, Shape::indented(ret_indent, context.config))?;
result.push_str(&ret_str);
} else {
result.push_str(&ret_str);
}
// Comment between return type and the end of the decl.
2017-08-19 13:47:40 -05:00
let snippet_lo = fd.output.span().hi();
if where_clause.predicates.is_empty() {
2017-08-19 13:47:40 -05:00
let snippet_hi = span.hi();
let snippet = context.snippet(mk_sp(snippet_lo, snippet_hi));
// Try to preserve the layout of the original snippet.
2017-06-17 02:56:54 -05:00
let original_starts_with_newline = snippet
.find(|c| c != ' ')
2017-10-04 10:23:17 -05:00
.map_or(false, |i| starts_with_newline(&snippet[i..]));
2017-06-17 02:56:54 -05:00
let original_ends_with_newline = snippet
.rfind(|c| c != ' ')
.map_or(false, |i| snippet[i..].ends_with('\n'));
let snippet = snippet.trim();
if !snippet.is_empty() {
2017-06-11 23:01:41 -05:00
result.push(if original_starts_with_newline {
'\n'
} else {
' '
});
result.push_str(snippet);
if original_ends_with_newline {
force_new_line_for_brace = true;
}
}
}
}
let should_compress_where = match context.config.where_density() {
Density::Compressed => !result.contains('\n'),
2016-04-07 14:01:16 -05:00
Density::CompressedIfEmpty => !has_body && !result.contains('\n'),
_ => false,
};
2016-04-07 14:01:16 -05:00
let pos_before_where = match fd.output {
2017-08-19 13:47:40 -05:00
ast::FunctionRetTy::Default(..) => args_span.hi(),
ast::FunctionRetTy::Ty(ref ty) => ty.span.hi(),
};
let is_args_multi_lined = arg_str.contains('\n');
if where_clause.predicates.len() == 1 && should_compress_where {
2017-08-29 01:19:56 -05:00
let budget = context.budget(last_line_used_width(&result, indent.width()));
2017-07-09 12:24:59 -05:00
if let Some(where_clause_str) = rewrite_where_clause(
context,
where_clause,
context.config.brace_style(),
2017-07-09 12:24:59 -05:00
Shape::legacy(budget, indent),
Density::Compressed,
"{",
2017-08-19 13:47:40 -05:00
Some(span.hi()),
pos_before_where,
WhereClauseOption::compressed(),
is_args_multi_lined,
2017-07-09 12:24:59 -05:00
) {
result.push_str(&where_clause_str);
force_new_line_for_brace |= last_line_contains_single_line_comment(&result);
return Some((result, force_new_line_for_brace));
}
}
2017-09-28 22:50:35 -05:00
let option = WhereClauseOption::new(!has_body, put_args_in_block && ret_str.is_empty());
let where_clause_str = rewrite_where_clause(
context,
where_clause,
context.config.brace_style(),
Shape::indented(indent, context.config),
Density::Tall,
"{",
2017-08-19 13:47:40 -05:00
Some(span.hi()),
pos_before_where,
option,
is_args_multi_lined,
)?;
// If there are neither where clause nor return type, we may be missing comments between
// args and `{`.
if where_clause_str.is_empty() {
if let ast::FunctionRetTy::Default(ret_span) = fd.output {
match recover_missing_comment_in_span(
2017-08-19 13:47:40 -05:00
mk_sp(args_span.hi(), ret_span.hi()),
shape,
context,
last_line_width(&result),
) {
Some(ref missing_comment) if !missing_comment.is_empty() => {
result.push_str(missing_comment);
force_new_line_for_brace = true;
}
_ => (),
}
}
}
result.push_str(&where_clause_str);
force_new_line_for_brace |= last_line_contains_single_line_comment(&result);
force_new_line_for_brace |= is_args_multi_lined && context.config.where_single_line();
2017-08-29 08:16:04 -05:00
Some((result, force_new_line_for_brace))
}
2017-08-29 08:16:04 -05:00
#[derive(Copy, Clone)]
struct WhereClauseOption {
suppress_comma: bool, // Force no trailing comma
snuggle: bool, // Do not insert newline before `where`
compress_where: bool, // Try single line where clause instead of vertical layout
}
impl WhereClauseOption {
pub fn new(suppress_comma: bool, snuggle: bool) -> WhereClauseOption {
WhereClauseOption {
suppress_comma: suppress_comma,
snuggle: snuggle,
compress_where: false,
}
}
pub fn compressed() -> WhereClauseOption {
WhereClauseOption {
suppress_comma: true,
snuggle: false,
compress_where: true,
}
}
pub fn snuggled(current: &str) -> WhereClauseOption {
WhereClauseOption {
suppress_comma: false,
snuggle: trimmed_last_line_width(current) == 1,
compress_where: false,
}
}
}
fn rewrite_args(
context: &RewriteContext,
args: &[ast::Arg],
explicit_self: Option<&ast::ExplicitSelf>,
one_line_budget: usize,
multi_line_budget: usize,
indent: Indent,
arg_indent: Indent,
span: Span,
variadic: bool,
generics_str_contains_newline: bool,
) -> Option<String> {
let mut arg_item_strs = args.iter()
2017-11-07 17:25:42 -06:00
.map(|arg| {
arg.rewrite(context, Shape::legacy(multi_line_budget, arg_indent))
})
.collect::<Option<Vec<_>>>()?;
// Account for sugary self.
// FIXME: the comment for the self argument is dropped. This is blocked
// on rust issue #27522.
2017-03-27 16:58:41 -05:00
let min_args = explicit_self
.and_then(|explicit_self| {
rewrite_explicit_self(explicit_self, args, context)
})
2017-03-27 16:58:41 -05:00
.map_or(1, |self_str| {
arg_item_strs[0] = self_str;
2
});
// Comments between args.
let mut arg_items = Vec::new();
if min_args == 2 {
arg_items.push(ListItem::from_str(""));
}
// FIXME(#21): if there are no args, there might still be a comment, but
// without spans for the comment or parens, there is no chance of
// getting it right. You also don't get to put a comment on self, unless
// it is explicit.
if args.len() >= min_args || variadic {
let comment_span_start = if min_args == 2 {
2016-03-27 06:07:28 -05:00
let second_arg_start = if arg_has_pattern(&args[1]) {
2017-08-19 13:47:40 -05:00
args[1].pat.span.lo()
2016-03-27 06:07:28 -05:00
} else {
2017-08-19 13:47:40 -05:00
args[1].ty.span.lo()
2016-03-27 06:07:28 -05:00
};
2017-08-19 13:47:40 -05:00
let reduced_span = mk_sp(span.lo(), second_arg_start);
2016-03-27 06:07:28 -05:00
2017-03-27 17:25:59 -05:00
context.codemap.span_after_last(reduced_span, ",")
} else {
2017-08-19 13:47:40 -05:00
span.lo()
};
enum ArgumentKind<'a> {
Regular(&'a ast::Arg),
Variadic(BytePos),
}
let variadic_arg = if variadic {
2017-08-19 13:47:40 -05:00
let variadic_span = mk_sp(args.last().unwrap().ty.span.hi(), span.hi());
2017-03-27 17:25:59 -05:00
let variadic_start = context.codemap.span_after(variadic_span, "...") - BytePos(3);
Some(ArgumentKind::Variadic(variadic_start))
} else {
None
};
let more_items = itemize_list(
context.codemap,
args[min_args - 1..]
.iter()
.map(ArgumentKind::Regular)
.chain(variadic_arg),
")",
|arg| match *arg {
ArgumentKind::Regular(arg) => span_lo_for_arg(arg),
ArgumentKind::Variadic(start) => start,
},
|arg| match *arg {
2017-08-19 13:47:40 -05:00
ArgumentKind::Regular(arg) => arg.ty.span.hi(),
ArgumentKind::Variadic(start) => start + BytePos(3),
},
|arg| match *arg {
ArgumentKind::Regular(..) => None,
ArgumentKind::Variadic(..) => Some("...".to_owned()),
},
comment_span_start,
2017-08-19 13:47:40 -05:00
span.hi(),
2017-08-07 03:29:55 -05:00
false,
);
arg_items.extend(more_items);
}
2017-09-14 22:10:58 -05:00
let fits_in_one_line = !generics_str_contains_newline
&& (arg_items.is_empty()
|| arg_items.len() == 1 && arg_item_strs[0].len() <= one_line_budget);
for (item, arg) in arg_items.iter_mut().zip(arg_item_strs) {
item.item = Some(arg);
}
let last_line_ends_with_comment = arg_items
.iter()
.last()
.and_then(|item| item.post_comment.as_ref())
.map_or(false, |s| s.trim().starts_with("//"));
let (indent, trailing_comma) = match context.config.indent_style() {
IndentStyle::Block if fits_in_one_line => {
(indent.block_indent(context.config), SeparatorTactic::Never)
}
2017-07-11 07:53:10 -05:00
IndentStyle::Block => (
indent.block_indent(context.config),
context.config.trailing_comma(),
),
IndentStyle::Visual if last_line_ends_with_comment => {
(arg_indent, context.config.trailing_comma())
}
IndentStyle::Visual => (arg_indent, SeparatorTactic::Never),
};
let tactic = definitive_tactic(
&arg_items,
context.config.fn_args_density().to_list_tactic(),
Separator::Comma,
one_line_budget,
);
let budget = match tactic {
DefinitiveListTactic::Horizontal => one_line_budget,
_ => multi_line_budget,
};
2016-04-07 14:24:30 -05:00
debug!("rewrite_args: budget: {}, tactic: {:?}", budget, tactic);
let fmt = ListFormatting {
tactic: tactic,
separator: ",",
trailing_separator: if variadic {
SeparatorTactic::Never
} else {
trailing_comma
},
separator_place: SeparatorPlace::Back,
shape: Shape::legacy(budget, indent),
ends_with_newline: tactic.ends_with_newline(context.config.indent_style()),
preserve_newline: true,
config: context.config,
};
write_list(&arg_items, &fmt)
}
2016-03-27 06:07:28 -05:00
fn arg_has_pattern(arg: &ast::Arg) -> bool {
if let ast::PatKind::Ident(_, ident, _) = arg.pat.node {
ident.node != symbol::keywords::Invalid.ident()
2016-03-27 06:07:28 -05:00
} else {
true
}
}
fn compute_budgets_for_args(
context: &RewriteContext,
result: &str,
indent: Indent,
ret_str_len: usize,
newline_brace: bool,
has_braces: bool,
2017-08-01 08:25:26 -05:00
force_vertical_layout: bool,
) -> Option<((usize, usize, Indent))> {
debug!(
"compute_budgets_for_args {} {:?}, {}, {}",
result.len(),
indent,
ret_str_len,
newline_brace
);
// Try keeping everything on the same line.
2017-08-01 08:25:26 -05:00
if !result.contains('\n') && !force_vertical_layout {
// 2 = `()`, 3 = `() `, space is before ret_string.
let overhead = if ret_str_len == 0 { 2 } else { 3 };
let mut used_space = indent.width() + result.len() + ret_str_len + overhead;
if has_braces {
if !newline_brace {
// 2 = `{}`
used_space += 2;
}
} else {
// 1 = `;`
used_space += 1;
}
2017-08-29 01:19:56 -05:00
let one_line_budget = context.budget(used_space);
if one_line_budget > 0 {
// 4 = "() {".len()
let (indent, multi_line_budget) = match context.config.indent_style() {
2017-08-01 08:25:26 -05:00
IndentStyle::Block => {
let indent = indent.block_indent(context.config);
2017-08-29 01:19:56 -05:00
(indent, context.budget(indent.width() + 1))
2017-08-01 08:25:26 -05:00
}
IndentStyle::Visual => {
let indent = indent + result.len() + 1;
let multi_line_overhead = indent.width() + if newline_brace { 2 } else { 4 };
2017-08-29 01:19:56 -05:00
(indent, context.budget(multi_line_overhead))
2017-08-01 08:25:26 -05:00
}
};
return Some((one_line_budget, multi_line_budget, indent));
}
}
// Didn't work. we must force vertical layout and put args on a newline.
let new_indent = indent.block_indent(context.config);
let used_space = match context.config.indent_style() {
2017-08-01 08:25:26 -05:00
// 1 = `,`
IndentStyle::Block => new_indent.width() + 1,
// Account for `)` and possibly ` {`.
IndentStyle::Visual => new_indent.width() + if ret_str_len == 0 { 1 } else { 3 },
};
2017-08-29 01:19:56 -05:00
Some((0, context.budget(used_space), new_indent))
}
2017-08-01 08:25:26 -05:00
fn newline_for_brace(config: &Config, where_clause: &ast::WhereClause, has_body: bool) -> bool {
let predicate_count = where_clause.predicates.len();
if config.where_single_line() && predicate_count == 1 {
return false;
}
match (config.brace_style(), config.where_density()) {
2017-08-01 08:25:26 -05:00
(BraceStyle::AlwaysNextLine, _) => true,
(_, Density::Compressed) if predicate_count == 1 => false,
(_, Density::CompressedIfEmpty) if predicate_count == 1 && !has_body => false,
(BraceStyle::SameLineWhere, _) if predicate_count > 0 => true,
_ => false,
}
}
2017-06-12 21:49:47 -05:00
fn rewrite_generics(
context: &RewriteContext,
generics: &ast::Generics,
shape: Shape,
span: Span,
) -> Option<String> {
let g_shape = generics_shape_from_config(context.config, shape, 0)?;
let one_line_width = shape.width.checked_sub(2).unwrap_or(0);
rewrite_generics_inner(context, generics, g_shape, one_line_width, span).or_else(|| {
rewrite_generics_inner(context, generics, g_shape, 0, span)
})
}
2017-06-12 21:49:47 -05:00
fn rewrite_generics_inner(
context: &RewriteContext,
generics: &ast::Generics,
shape: Shape,
one_line_width: usize,
span: Span,
) -> Option<String> {
// FIXME: convert bounds to where clauses where they get too big or if
// there is a where clause at all.
2017-09-04 11:04:08 -05:00
// Wrapper type
enum GenericsArg<'a> {
Lifetime(&'a ast::LifetimeDef),
TyParam(&'a ast::TyParam),
}
impl<'a> Rewrite for GenericsArg<'a> {
fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
match *self {
2017-10-26 02:54:41 -05:00
GenericsArg::Lifetime(lifetime) => lifetime.rewrite(context, shape),
GenericsArg::TyParam(ty) => ty.rewrite(context, shape),
2017-09-04 11:04:08 -05:00
}
}
}
impl<'a> Spanned for GenericsArg<'a> {
fn span(&self) -> Span {
match *self {
2017-10-26 02:54:41 -05:00
GenericsArg::Lifetime(lifetime) => lifetime.span(),
GenericsArg::TyParam(ty) => ty.span(),
2017-09-04 11:04:08 -05:00
}
}
}
2017-09-04 11:04:08 -05:00
if generics.lifetimes.is_empty() && generics.ty_params.is_empty() {
return Some(String::new());
}
2017-09-04 11:04:08 -05:00
let generics_args = generics
.lifetimes
.iter()
.map(|lt| GenericsArg::Lifetime(lt))
.chain(generics.ty_params.iter().map(|ty| GenericsArg::TyParam(ty)));
2017-06-12 21:49:47 -05:00
let items = itemize_list(
context.codemap,
2017-09-04 11:04:08 -05:00
generics_args,
2017-06-12 21:49:47 -05:00
">",
2017-09-04 11:04:08 -05:00
|arg| arg.span().lo(),
|arg| arg.span().hi(),
|arg| arg.rewrite(context, shape),
2017-06-12 21:49:47 -05:00
context.codemap.span_after(span, "<"),
2017-08-19 13:47:40 -05:00
span.hi(),
2017-08-07 03:29:55 -05:00
false,
2017-06-12 21:49:47 -05:00
);
format_generics_item_list(context, items, shape, one_line_width)
2017-06-10 04:24:23 -05:00
}
pub fn generics_shape_from_config(config: &Config, shape: Shape, offset: usize) -> Option<Shape> {
match config.indent_style() {
IndentStyle::Visual => shape.visual_indent(1 + offset).sub_width(offset + 2),
IndentStyle::Block => {
// 1 = ","
shape
.block()
.block_indent(config.tab_spaces())
.with_max_width(config)
.sub_width(1)
}
2017-06-10 04:24:23 -05:00
}
}
2017-06-12 21:49:47 -05:00
pub fn format_generics_item_list<I>(
context: &RewriteContext,
items: I,
shape: Shape,
one_line_budget: usize,
) -> Option<String>
where
I: Iterator<Item = ListItem>,
2017-06-10 04:24:23 -05:00
{
let item_vec = items.collect::<Vec<_>>();
let tactic = definitive_tactic(
&item_vec,
ListTactic::HorizontalVertical,
Separator::Comma,
one_line_budget,
);
2017-06-10 04:24:23 -05:00
let fmt = ListFormatting {
tactic: tactic,
2017-06-10 04:24:23 -05:00
separator: ",",
trailing_separator: if context.config.indent_style() == IndentStyle::Visual {
2017-06-10 04:24:23 -05:00
SeparatorTactic::Never
} else {
context.config.trailing_comma()
},
separator_place: SeparatorPlace::Back,
2017-06-10 04:24:23 -05:00
shape: shape,
ends_with_newline: tactic.ends_with_newline(context.config.indent_style()),
preserve_newline: true,
2017-06-10 04:24:23 -05:00
config: context.config,
};
let list_str = write_list(&item_vec, &fmt)?;
2017-06-10 04:24:23 -05:00
2017-06-12 21:49:47 -05:00
Some(wrap_generics_with_angle_brackets(
context,
&list_str,
shape.indent,
))
2017-06-10 04:24:23 -05:00
}
2017-06-12 21:49:47 -05:00
pub fn wrap_generics_with_angle_brackets(
context: &RewriteContext,
list_str: &str,
list_offset: Indent,
) -> String {
if context.config.indent_style() == IndentStyle::Block
2017-09-14 22:10:58 -05:00
&& (list_str.contains('\n') || list_str.ends_with(','))
2017-06-12 21:49:47 -05:00
{
format!(
"<\n{}{}\n{}>",
list_offset.to_string(context.config),
list_str,
2017-06-15 18:49:49 -05:00
list_offset
.block_unindent(context.config)
.to_string(context.config)
2017-06-12 21:49:47 -05:00
)
} else if context.config.spaces_within_angle_brackets() {
format!("< {} >", list_str)
} else {
format!("<{}>", list_str)
2017-06-10 04:24:23 -05:00
}
}
fn rewrite_trait_bounds(
context: &RewriteContext,
type_param_bounds: &ast::TyParamBounds,
shape: Shape,
) -> Option<String> {
2016-08-23 09:14:45 -05:00
let bounds: &[_] = type_param_bounds;
if bounds.is_empty() {
return Some(String::new());
}
let bound_str = bounds
.iter()
.map(|ty_bound| ty_bound.rewrite(context, shape))
.collect::<Option<Vec<_>>>()?;
Some(format!(": {}", join_bounds(context, shape, &bound_str)))
}
fn rewrite_where_clause_rfc_style(
context: &RewriteContext,
where_clause: &ast::WhereClause,
shape: Shape,
terminator: &str,
span_end: Option<BytePos>,
span_end_before_where: BytePos,
where_clause_option: WhereClauseOption,
is_args_multi_line: bool,
) -> Option<String> {
let block_shape = shape.block().with_max_width(context.config);
2017-03-08 19:21:20 -06:00
let (span_before, span_after) =
2017-08-01 04:36:36 -05:00
missing_span_before_after_where(span_end_before_where, where_clause);
let (comment_before, comment_after) =
rewrite_comments_before_after_where(context, span_before, span_after, shape)?;
let starting_newline = if where_clause_option.snuggle && comment_before.is_empty() {
2017-03-08 19:21:20 -06:00
" ".to_owned()
} else {
"\n".to_owned() + &block_shape.indent.to_string(context.config)
};
let clause_shape = block_shape.block_left(context.config.tab_spaces())?;
// 1 = `,`
let clause_shape = clause_shape.sub_width(1)?;
2017-03-08 19:21:20 -06:00
// each clause on one line, trailing comma (except if suppress_comma)
2017-08-19 13:47:40 -05:00
let span_start = where_clause.predicates[0].span().lo();
2017-03-08 19:21:20 -06:00
// If we don't have the start of the next span, then use the end of the
// predicates, but that means we miss comments.
let len = where_clause.predicates.len();
2017-08-19 13:47:40 -05:00
let end_of_preds = where_clause.predicates[len - 1].span().hi();
2017-03-08 19:21:20 -06:00
let span_end = span_end.unwrap_or(end_of_preds);
2017-06-12 21:49:47 -05:00
let items = itemize_list(
context.codemap,
where_clause.predicates.iter(),
terminator,
2017-08-19 13:47:40 -05:00
|pred| pred.span().lo(),
|pred| pred.span().hi(),
|pred| pred.rewrite(context, clause_shape),
2017-06-12 21:49:47 -05:00
span_start,
span_end,
2017-08-07 03:29:55 -05:00
false,
2017-06-12 21:49:47 -05:00
);
let where_single_line = context.config.where_single_line() && len == 1 && !is_args_multi_line;
let comma_tactic = if where_clause_option.suppress_comma || where_single_line {
2017-03-08 19:21:20 -06:00
SeparatorTactic::Never
} else {
context.config.trailing_comma()
2017-03-08 19:21:20 -06:00
};
// shape should be vertical only and only if we have `where_single_line` option enabled
// and the number of items of the where clause is equal to 1
let shape_tactic = if where_single_line {
DefinitiveListTactic::Horizontal
} else {
DefinitiveListTactic::Vertical
};
2017-03-08 19:21:20 -06:00
let fmt = ListFormatting {
tactic: shape_tactic,
2017-03-08 19:21:20 -06:00
separator: ",",
trailing_separator: comma_tactic,
separator_place: SeparatorPlace::Back,
2017-03-08 19:21:20 -06:00
shape: clause_shape,
ends_with_newline: true,
preserve_newline: true,
2017-03-08 19:21:20 -06:00
config: context.config,
};
let preds_str = write_list(&items.collect::<Vec<_>>(), &fmt)?;
2017-03-08 19:21:20 -06:00
2017-08-02 09:27:19 -05:00
let comment_separator = |comment: &str, shape: Shape| if comment.is_empty() {
String::new()
} else {
2017-08-02 09:27:19 -05:00
format!("\n{}", shape.indent.to_string(context.config))
};
2017-08-02 09:27:19 -05:00
let newline_before_where = comment_separator(&comment_before, shape);
let newline_after_where = comment_separator(&comment_after, clause_shape);
// 6 = `where `
2017-09-14 22:10:58 -05:00
let clause_sep = if where_clause_option.compress_where && comment_before.is_empty()
&& comment_after.is_empty() && !preds_str.contains('\n')
&& 6 + preds_str.len() <= shape.width || where_single_line
{
String::from(" ")
} else {
format!("\n{}", clause_shape.indent.to_string(context.config))
};
Some(format!(
"{}{}{}where{}{}{}{}",
starting_newline,
comment_before,
newline_before_where,
newline_after_where,
comment_after,
clause_sep,
preds_str
))
2017-03-08 19:21:20 -06:00
}
fn rewrite_where_clause(
context: &RewriteContext,
where_clause: &ast::WhereClause,
brace_style: BraceStyle,
shape: Shape,
density: Density,
terminator: &str,
span_end: Option<BytePos>,
span_end_before_where: BytePos,
where_clause_option: WhereClauseOption,
is_args_multi_line: bool,
) -> Option<String> {
if where_clause.predicates.is_empty() {
return Some(String::new());
}
if context.config.indent_style() == IndentStyle::Block {
return rewrite_where_clause_rfc_style(
context,
where_clause,
shape,
terminator,
span_end,
span_end_before_where,
where_clause_option,
is_args_multi_line,
);
2017-03-08 19:21:20 -06:00
}
let extra_indent = Indent::new(context.config.tab_spaces(), 0);
let offset = match context.config.indent_style() {
IndentStyle::Block => shape.indent + extra_indent.block_indent(context.config),
// 6 = "where ".len()
IndentStyle::Visual => shape.indent + extra_indent + 6,
};
// FIXME: if indent_style != Visual, then the budgets below might
// be out by a char or two.
let budget = context.config.max_width() - offset.width();
2017-08-19 13:47:40 -05:00
let span_start = where_clause.predicates[0].span().lo();
// If we don't have the start of the next span, then use the end of the
// predicates, but that means we miss comments.
let len = where_clause.predicates.len();
2017-08-19 13:47:40 -05:00
let end_of_preds = where_clause.predicates[len - 1].span().hi();
let span_end = span_end.unwrap_or(end_of_preds);
let items = itemize_list(
context.codemap,
where_clause.predicates.iter(),
terminator,
2017-08-19 13:47:40 -05:00
|pred| pred.span().lo(),
|pred| pred.span().hi(),
|pred| pred.rewrite(context, Shape::legacy(budget, offset)),
span_start,
span_end,
2017-08-07 03:29:55 -05:00
false,
);
let item_vec = items.collect::<Vec<_>>();
// FIXME: we don't need to collect here if the where_layout isn't
// HorizontalVertical.
let tactic = definitive_tactic(
&item_vec,
context.config.where_layout(),
Separator::Comma,
budget,
);
2017-02-23 15:31:23 -06:00
let mut comma_tactic = context.config.trailing_comma();
2017-02-23 15:31:23 -06:00
// Kind of a hack because we don't usually have trailing commas in where clauses.
if comma_tactic == SeparatorTactic::Vertical || where_clause_option.suppress_comma {
2017-02-23 15:31:23 -06:00
comma_tactic = SeparatorTactic::Never;
}
let fmt = ListFormatting {
tactic: tactic,
separator: ",",
2017-02-23 15:31:23 -06:00
trailing_separator: comma_tactic,
separator_place: SeparatorPlace::Back,
shape: Shape::legacy(budget, offset),
ends_with_newline: tactic.ends_with_newline(context.config.indent_style()),
preserve_newline: true,
config: context.config,
};
let preds_str = write_list(&item_vec, &fmt)?;
let end_length = if terminator == "{" {
// If the brace is on the next line we don't need to count it otherwise it needs two
// characters " {"
match brace_style {
2017-07-09 12:24:59 -05:00
BraceStyle::AlwaysNextLine | BraceStyle::SameLineWhere => 0,
2016-08-23 09:14:45 -05:00
BraceStyle::PreferSameLine => 2,
}
} else if terminator == "=" {
2
} else {
terminator.len()
};
2017-09-14 22:10:58 -05:00
if density == Density::Tall || preds_str.contains('\n')
|| shape.indent.width() + " where ".len() + preds_str.len() + end_length > shape.width
{
Some(format!(
"\n{}where {}",
(shape.indent + extra_indent).to_string(context.config),
preds_str
))
} else {
Some(format!(" where {}", preds_str))
}
}
fn missing_span_before_after_where(
before_item_span_end: BytePos,
where_clause: &ast::WhereClause,
) -> (Span, Span) {
2017-08-19 13:47:40 -05:00
let missing_span_before = mk_sp(before_item_span_end, where_clause.span.lo());
// 5 = `where`
2017-08-19 13:47:40 -05:00
let pos_after_where = where_clause.span.lo() + BytePos(5);
let missing_span_after = mk_sp(pos_after_where, where_clause.predicates[0].span().lo());
(missing_span_before, missing_span_after)
}
fn rewrite_comments_before_after_where(
context: &RewriteContext,
span_before_where: Span,
span_after_where: Span,
shape: Shape,
) -> Option<(String, String)> {
let before_comment = rewrite_missing_comment(span_before_where, shape, context)?;
let after_comment = rewrite_missing_comment(
span_after_where,
shape.block_indent(context.config.tab_spaces()),
context,
)?;
Some((before_comment, after_comment))
}
fn format_header(item_name: &str, ident: ast::Ident, vis: &ast::Visibility) -> String {
format!("{}{}{}", format_visibility(vis), item_name, ident)
}
2017-11-12 20:06:53 -06:00
#[derive(PartialEq, Eq)]
enum BracePos {
None,
Auto,
ForceSameLine,
}
fn format_generics(
context: &RewriteContext,
generics: &ast::Generics,
brace_style: BraceStyle,
2017-11-12 20:06:53 -06:00
brace_pos: BracePos,
offset: Indent,
span: Span,
used_width: usize,
) -> Option<String> {
let shape = Shape::legacy(context.budget(used_width + offset.width()), offset);
let mut result = rewrite_generics(context, generics, shape, span)?;
2017-07-26 02:30:58 -05:00
let same_line_brace = if !generics.where_clause.predicates.is_empty() || result.contains('\n') {
2017-08-29 01:19:56 -05:00
let budget = context.budget(last_line_used_width(&result, offset.width()));
2017-11-12 20:06:53 -06:00
let mut option = WhereClauseOption::snuggled(&result);
if brace_pos == BracePos::None {
option.suppress_comma = true;
}
// If the generics are not parameterized then generics.span.hi() == 0,
// so we use span.lo(), which is the position after `struct Foo`.
let span_end_before_where = if generics.is_parameterized() {
generics.span.hi()
} else {
span.lo()
};
let where_clause_str = rewrite_where_clause(
context,
&generics.where_clause,
brace_style,
Shape::legacy(budget, offset.block_only()),
Density::Tall,
"{",
2017-08-19 13:47:40 -05:00
Some(span.hi()),
span_end_before_where,
option,
false,
)?;
result.push_str(&where_clause_str);
2017-11-12 20:06:53 -06:00
brace_pos == BracePos::ForceSameLine || brace_style == BraceStyle::PreferSameLine
2017-09-14 22:10:58 -05:00
|| (generics.where_clause.predicates.is_empty()
&& trimmed_last_line_width(&result) == 1)
} else {
2017-11-12 20:06:53 -06:00
brace_pos == BracePos::ForceSameLine || trimmed_last_line_width(&result) == 1
2017-09-14 22:10:58 -05:00
|| brace_style != BraceStyle::AlwaysNextLine
};
2017-11-12 20:06:53 -06:00
if brace_pos == BracePos::None {
return Some(result);
}
2017-08-01 08:23:12 -05:00
let total_used_width = last_line_used_width(&result, used_width);
2017-08-29 01:19:56 -05:00
let remaining_budget = context.budget(total_used_width);
// If the same line brace if forced, it indicates that we are rewriting an item with empty body,
// and hence we take the closer into account as well for one line budget.
// We assume that the closer has the same length as the opener.
2017-11-12 20:06:53 -06:00
let overhead = if brace_pos == BracePos::ForceSameLine {
// 3 = ` {}`
3
} else {
// 2 = ` {`
2
};
let forbid_same_line_brace = overhead > remaining_budget;
if !forbid_same_line_brace && same_line_brace {
result.push(' ');
} else {
result.push('\n');
result.push_str(&offset.block_only().to_string(context.config));
}
result.push('{');
Some(result)
}
impl Rewrite for ast::ForeignItem {
fn rewrite(&self, context: &RewriteContext, shape: Shape) -> Option<String> {
let attrs_str = self.attrs.rewrite(context, shape)?;
// Drop semicolon or it will be interpreted as comment.
// FIXME: this may be a faulty span from libsyntax.
2017-08-19 13:47:40 -05:00
let span = mk_sp(self.span.lo(), self.span.hi() - BytePos(1));
let item_str = match self.node {
2017-11-07 17:25:42 -06:00
ast::ForeignItemKind::Fn(ref fn_decl, ref generics) => {
rewrite_fn_base(
context,
shape.indent,
self.ident,
&FnSig::new(fn_decl, generics, self.vis.clone()),
span,
false,
false,
).map(|(s, _)| format!("{};", s))
}
ast::ForeignItemKind::Static(ref ty, is_mutable) => {
// FIXME(#21): we're dropping potential comments in between the
// function keywords here.
let vis = format_visibility(&self.vis);
let mut_str = if is_mutable { "mut " } else { "" };
let prefix = format!("{}static {}{}:", vis, mut_str, self.ident);
// 1 = ;
let shape = shape.sub_width(1)?;
ty.rewrite(context, shape).map(|ty_str| {
// 1 = space between prefix and type.
let sep = if prefix.len() + ty_str.len() + 1 <= shape.width {
String::from(" ")
} else {
let nested_indent = shape.indent.block_indent(context.config);
format!("\n{}", nested_indent.to_string(context.config))
};
format!("{}{}{};", prefix, sep, ty_str)
})
}
ast::ForeignItemKind::Ty => {
let vis = format_visibility(&self.vis);
Some(format!("{}type {};", vis, self.ident))
}
}?;
let missing_span = if self.attrs.is_empty() {
2017-08-19 13:47:40 -05:00
mk_sp(self.span.lo(), self.span.lo())
} else {
2017-08-19 13:47:40 -05:00
mk_sp(self.attrs[self.attrs.len() - 1].span.hi(), self.span.lo())
};
combine_strs_with_missing_comments(
context,
&attrs_str,
&item_str,
missing_span,
shape,
false,
)
}
}