1use std::borrow::Cow;
4use std::cmp::{Ordering, max, min};
5
6use regex::Regex;
7use rustc_ast::ast;
8use rustc_ast::visit;
9use rustc_span::{BytePos, DUMMY_SP, Ident, Span, symbol};
10use tracing::debug;
11
12use crate::attr::filter_inline_attrs;
13use crate::comment::{
14 FindUncommented, combine_strs_with_missing_comments, contains_comment, is_last_comment_block,
15 recover_comment_removed, recover_missing_comment_in_span, rewrite_missing_comment,
16};
17use crate::config::lists::*;
18use crate::config::{BraceStyle, Config, IndentStyle, StyleEdition};
19use crate::expr::{
20 RhsAssignKind, RhsTactics, is_empty_block, is_simple_block_stmt, rewrite_assign_rhs,
21 rewrite_assign_rhs_with, rewrite_assign_rhs_with_comments, rewrite_else_kw_with_comments,
22 rewrite_let_else_block,
23};
24use crate::lists::{ListFormatting, Separator, definitive_tactic, itemize_list, write_list};
25use crate::macros::{MacroPosition, rewrite_macro};
26use crate::overflow;
27use crate::rewrite::{Rewrite, RewriteContext, RewriteError, RewriteErrorExt, RewriteResult};
28use crate::shape::{Indent, Shape};
29use crate::source_map::{LineRangeUtils, SpanUtils};
30use crate::spanned::Spanned;
31use crate::stmt::Stmt;
32use crate::types::opaque_ty;
33use crate::utils::*;
34use crate::vertical::rewrite_with_alignment;
35use crate::visitor::FmtVisitor;
36
37const DEFAULT_VISIBILITY: ast::Visibility = ast::Visibility {
38 kind: ast::VisibilityKind::Inherited,
39 span: DUMMY_SP,
40 tokens: None,
41};
42
43fn type_annotation_separator(config: &Config) -> &str {
44 colon_spaces(config)
45}
46
47impl Rewrite for ast::Local {
50 fn rewrite(&self, context: &RewriteContext<'_>, shape: Shape) -> Option<String> {
51 self.rewrite_result(context, shape).ok()
52 }
53
54 fn rewrite_result(&self, context: &RewriteContext<'_>, shape: Shape) -> RewriteResult {
55 debug!(
56 "Local::rewrite {:?} {} {:?}",
57 self, shape.width, shape.indent
58 );
59
60 skip_out_of_file_lines_range_err!(context, self.span);
61
62 if contains_skip(&self.attrs) {
63 return Err(RewriteError::SkipFormatting);
64 }
65
66 if self.super_.is_some() {
68 return Err(RewriteError::SkipFormatting);
69 }
70
71 let attrs_str = self.attrs.rewrite_result(context, shape)?;
72 let mut result = if attrs_str.is_empty() {
73 "let ".to_owned()
74 } else {
75 combine_strs_with_missing_comments(
76 context,
77 &attrs_str,
78 "let ",
79 mk_sp(
80 self.attrs.last().map(|a| a.span.hi()).unwrap(),
81 self.span.lo(),
82 ),
83 shape,
84 false,
85 )?
86 };
87 let let_kw_offset = result.len() - "let ".len();
88
89 let pat_shape = shape
91 .offset_left(4)
92 .max_width_error(shape.width, self.span())?;
93 let pat_shape = pat_shape
95 .sub_width(1)
96 .max_width_error(shape.width, self.span())?;
97 let pat_str = self.pat.rewrite_result(context, pat_shape)?;
98
99 result.push_str(&pat_str);
100
101 let infix = {
103 let mut infix = String::with_capacity(32);
104
105 if let Some(ref ty) = self.ty {
106 let separator = type_annotation_separator(context.config);
107 let ty_shape = if pat_str.contains('\n') {
108 shape.with_max_width(context.config)
109 } else {
110 shape
111 }
112 .offset_left(last_line_width(&result) + separator.len())
113 .max_width_error(shape.width, self.span())?
114 .sub_width(2)
116 .max_width_error(shape.width, self.span())?;
117
118 let rewrite = ty.rewrite_result(context, ty_shape)?;
119
120 infix.push_str(separator);
121 infix.push_str(&rewrite);
122 }
123
124 if self.kind.init().is_some() {
125 infix.push_str(" =");
126 }
127
128 infix
129 };
130
131 result.push_str(&infix);
132
133 if let Some((init, else_block)) = self.kind.init_else_opt() {
134 let nested_shape = shape
136 .sub_width(1)
137 .max_width_error(shape.width, self.span())?;
138
139 result = rewrite_assign_rhs(
140 context,
141 result,
142 init,
143 &RhsAssignKind::Expr(&init.kind, init.span),
144 nested_shape,
145 )?;
146
147 if let Some(block) = else_block {
148 let else_kw_span = init.span.between(block.span);
149 let style_edition = context.config.style_edition();
152 let init_str = if style_edition >= StyleEdition::Edition2024 {
153 &result[let_kw_offset..]
154 } else {
155 result.as_str()
156 };
157 let force_newline_else = pat_str.contains('\n')
158 || !same_line_else_kw_and_brace(init_str, context, else_kw_span, nested_shape);
159 let else_kw = rewrite_else_kw_with_comments(
160 force_newline_else,
161 true,
162 context,
163 else_kw_span,
164 shape,
165 );
166 result.push_str(&else_kw);
167
168 let max_width =
173 std::cmp::min(shape.width, context.config.single_line_let_else_max_width());
174
175 let style_edition = context.config.style_edition();
177 let assign_str_with_else_kw = if style_edition >= StyleEdition::Edition2024 {
178 &result[let_kw_offset..]
179 } else {
180 result.as_str()
181 };
182 let available_space = max_width.saturating_sub(assign_str_with_else_kw.len());
183
184 let allow_single_line = !force_newline_else
185 && available_space > 0
186 && allow_single_line_let_else_block(assign_str_with_else_kw, block);
187
188 let mut rw_else_block =
189 rewrite_let_else_block(block, allow_single_line, context, shape)?;
190
191 let single_line_else = !rw_else_block.contains('\n');
192 let else_block_exceeds_width = rw_else_block.len() + 1 > available_space;
194
195 if allow_single_line && single_line_else && else_block_exceeds_width {
196 rw_else_block = rewrite_let_else_block(block, false, context, shape)?;
199 }
200
201 result.push_str(&rw_else_block);
202 };
203 }
204
205 result.push(';');
206 Ok(result)
207 }
208}
209
210fn same_line_else_kw_and_brace(
219 init_str: &str,
220 context: &RewriteContext<'_>,
221 else_kw_span: Span,
222 init_shape: Shape,
223) -> bool {
224 if !init_str.contains('\n') {
225 return init_shape.width.saturating_sub(init_str.len()) >= 7;
229 }
230
231 if !init_str.ends_with([')', ']', '}']) {
233 return false;
234 }
235
236 let else_kw_snippet = context.snippet(else_kw_span).trim();
239 if else_kw_snippet != "else" {
240 return false;
241 }
242
243 let indent = init_shape.indent.to_string(context.config);
245 init_str
246 .lines()
247 .last()
248 .expect("initializer expression is multi-lined")
249 .strip_prefix(indent.as_ref())
250 .map_or(false, |l| !l.starts_with(char::is_whitespace))
251}
252
253fn allow_single_line_let_else_block(result: &str, block: &ast::Block) -> bool {
254 if result.contains('\n') {
255 return false;
256 }
257
258 if block.stmts.len() <= 1 {
259 return true;
260 }
261
262 false
263}
264
265#[allow(dead_code)]
268#[derive(Debug)]
269struct Item<'a> {
270 safety: ast::Safety,
271 abi: Cow<'static, str>,
272 vis: Option<&'a ast::Visibility>,
273 body: Vec<BodyElement<'a>>,
274 span: Span,
275}
276
277impl<'a> Item<'a> {
278 fn from_foreign_mod(fm: &'a ast::ForeignMod, span: Span, config: &Config) -> Item<'a> {
279 Item {
280 safety: fm.safety,
281 abi: format_extern(
282 ast::Extern::from_abi(fm.abi, DUMMY_SP),
283 config.force_explicit_abi(),
284 ),
285 vis: None,
286 body: fm
287 .items
288 .iter()
289 .map(|i| BodyElement::ForeignItem(i))
290 .collect(),
291 span,
292 }
293 }
294}
295
296#[derive(Debug)]
297enum BodyElement<'a> {
298 ForeignItem(&'a ast::ForeignItem),
303}
304
305pub(crate) struct FnSig<'a> {
307 decl: &'a ast::FnDecl,
308 generics: &'a ast::Generics,
309 ext: ast::Extern,
310 coroutine_kind: Cow<'a, Option<ast::CoroutineKind>>,
311 constness: ast::Const,
312 defaultness: ast::Defaultness,
313 safety: ast::Safety,
314 visibility: &'a ast::Visibility,
315}
316
317impl<'a> FnSig<'a> {
318 pub(crate) fn from_method_sig(
319 method_sig: &'a ast::FnSig,
320 generics: &'a ast::Generics,
321 visibility: &'a ast::Visibility,
322 ) -> FnSig<'a> {
323 FnSig {
324 safety: method_sig.header.safety,
325 coroutine_kind: Cow::Borrowed(&method_sig.header.coroutine_kind),
326 constness: method_sig.header.constness,
327 defaultness: ast::Defaultness::Final,
328 ext: method_sig.header.ext,
329 decl: &*method_sig.decl,
330 generics,
331 visibility,
332 }
333 }
334
335 pub(crate) fn from_fn_kind(
336 fn_kind: &'a visit::FnKind<'_>,
337 decl: &'a ast::FnDecl,
338 defaultness: ast::Defaultness,
339 ) -> FnSig<'a> {
340 match *fn_kind {
341 visit::FnKind::Fn(visit::FnCtxt::Assoc(..), vis, ast::Fn { sig, generics, .. }) => {
342 let mut fn_sig = FnSig::from_method_sig(sig, generics, vis);
343 fn_sig.defaultness = defaultness;
344 fn_sig
345 }
346 visit::FnKind::Fn(_, vis, ast::Fn { sig, generics, .. }) => FnSig {
347 decl,
348 generics,
349 ext: sig.header.ext,
350 constness: sig.header.constness,
351 coroutine_kind: Cow::Borrowed(&sig.header.coroutine_kind),
352 defaultness,
353 safety: sig.header.safety,
354 visibility: vis,
355 },
356 _ => unreachable!(),
357 }
358 }
359
360 fn to_str(&self, context: &RewriteContext<'_>) -> String {
361 let mut result = String::with_capacity(128);
362 result.push_str(&*format_visibility(context, self.visibility));
364 result.push_str(format_defaultness(self.defaultness));
365 result.push_str(format_constness(self.constness));
366 self.coroutine_kind
367 .map(|coroutine_kind| result.push_str(format_coro(&coroutine_kind)));
368 result.push_str(format_safety(self.safety));
369 result.push_str(&format_extern(
370 self.ext,
371 context.config.force_explicit_abi(),
372 ));
373 result
374 }
375}
376
377impl<'a> FmtVisitor<'a> {
378 fn format_item(&mut self, item: &Item<'_>) {
379 self.buffer.push_str(format_safety(item.safety));
380 self.buffer.push_str(&item.abi);
381
382 let snippet = self.snippet(item.span);
383 let brace_pos = snippet.find_uncommented("{").unwrap();
384
385 self.push_str("{");
386 if !item.body.is_empty() || contains_comment(&snippet[brace_pos..]) {
387 self.last_pos = item.span.lo() + BytePos(brace_pos as u32 + 1);
390 self.block_indent = self.block_indent.block_indent(self.config);
391
392 if !item.body.is_empty() {
393 for item in &item.body {
394 self.format_body_element(item);
395 }
396 }
397
398 self.format_missing_no_indent(item.span.hi() - BytePos(1));
399 self.block_indent = self.block_indent.block_unindent(self.config);
400 let indent_str = self.block_indent.to_string(self.config);
401 self.push_str(&indent_str);
402 }
403
404 self.push_str("}");
405 self.last_pos = item.span.hi();
406 }
407
408 fn format_body_element(&mut self, element: &BodyElement<'_>) {
409 match *element {
410 BodyElement::ForeignItem(item) => self.format_foreign_item(item),
411 }
412 }
413
414 pub(crate) fn format_foreign_mod(&mut self, fm: &ast::ForeignMod, span: Span) {
415 let item = Item::from_foreign_mod(fm, span, self.config);
416 self.format_item(&item);
417 }
418
419 fn format_foreign_item(&mut self, item: &ast::ForeignItem) {
420 let rewrite = item.rewrite(&self.get_context(), self.shape());
421 let hi = item.span.hi();
422 let span = if item.attrs.is_empty() {
423 item.span
424 } else {
425 mk_sp(item.attrs[0].span.lo(), hi)
426 };
427 self.push_rewrite(span, rewrite);
428 self.last_pos = hi;
429 }
430
431 pub(crate) fn rewrite_fn_before_block(
432 &mut self,
433 indent: Indent,
434 ident: symbol::Ident,
435 fn_sig: &FnSig<'_>,
436 span: Span,
437 ) -> Option<(String, FnBraceStyle)> {
438 let context = self.get_context();
439
440 let mut fn_brace_style = newline_for_brace(self.config, &fn_sig.generics.where_clause);
441 let (result, _, force_newline_brace) =
442 rewrite_fn_base(&context, indent, ident, fn_sig, span, fn_brace_style).ok()?;
443
444 if self.config.brace_style() == BraceStyle::AlwaysNextLine
446 || force_newline_brace
447 || last_line_width(&result) + 2 > self.shape().width
448 {
449 fn_brace_style = FnBraceStyle::NextLine
450 }
451
452 Some((result, fn_brace_style))
453 }
454
455 pub(crate) fn rewrite_required_fn(
456 &mut self,
457 indent: Indent,
458 ident: symbol::Ident,
459 sig: &ast::FnSig,
460 vis: &ast::Visibility,
461 generics: &ast::Generics,
462 span: Span,
463 ) -> RewriteResult {
464 let span = mk_sp(span.lo(), span.hi() - BytePos(1));
466 let context = self.get_context();
467
468 let (mut result, ends_with_comment, _) = rewrite_fn_base(
469 &context,
470 indent,
471 ident,
472 &FnSig::from_method_sig(sig, generics, vis),
473 span,
474 FnBraceStyle::None,
475 )?;
476
477 if ends_with_comment {
479 result.push_str(&indent.to_string_with_newline(context.config));
480 }
481
482 result.push(';');
484
485 Ok(result)
486 }
487
488 pub(crate) fn single_line_fn(
489 &self,
490 fn_str: &str,
491 block: &ast::Block,
492 inner_attrs: Option<&[ast::Attribute]>,
493 ) -> Option<String> {
494 if fn_str.contains('\n') || inner_attrs.map_or(false, |a| !a.is_empty()) {
495 return None;
496 }
497
498 let context = self.get_context();
499
500 if self.config.empty_item_single_line()
501 && is_empty_block(&context, block, None)
502 && self.block_indent.width() + fn_str.len() + 3 <= self.config.max_width()
503 && !last_line_contains_single_line_comment(fn_str)
504 {
505 return Some(format!("{fn_str} {{}}"));
506 }
507
508 if !self.config.fn_single_line() || !is_simple_block_stmt(&context, block, None) {
509 return None;
510 }
511
512 let res = Stmt::from_ast_node(block.stmts.first()?, true)
513 .rewrite(&self.get_context(), self.shape())?;
514
515 let width = self.block_indent.width() + fn_str.len() + res.len() + 5;
516 if !res.contains('\n') && width <= self.config.max_width() {
517 Some(format!("{fn_str} {{ {res} }}"))
518 } else {
519 None
520 }
521 }
522
523 pub(crate) fn visit_static(&mut self, static_parts: &StaticParts<'_>) {
524 let rewrite = rewrite_static(&self.get_context(), static_parts, self.block_indent);
525 self.push_rewrite(static_parts.span, rewrite);
526 }
527
528 pub(crate) fn visit_struct(&mut self, struct_parts: &StructParts<'_>) {
529 let is_tuple = match struct_parts.def {
530 ast::VariantData::Tuple(..) => true,
531 _ => false,
532 };
533 let rewrite = format_struct(&self.get_context(), struct_parts, self.block_indent, None)
534 .map(|s| if is_tuple { s + ";" } else { s });
535 self.push_rewrite(struct_parts.span, rewrite);
536 }
537
538 pub(crate) fn visit_enum(
539 &mut self,
540 ident: symbol::Ident,
541 vis: &ast::Visibility,
542 enum_def: &ast::EnumDef,
543 generics: &ast::Generics,
544 span: Span,
545 ) {
546 let enum_header =
547 format_header(&self.get_context(), "enum ", ident, vis, self.block_indent);
548 self.push_str(&enum_header);
549
550 let enum_snippet = self.snippet(span);
551 let brace_pos = enum_snippet.find_uncommented("{").unwrap();
552 let body_start = span.lo() + BytePos(brace_pos as u32 + 1);
553 let generics_str = format_generics(
554 &self.get_context(),
555 generics,
556 self.config.brace_style(),
557 if enum_def.variants.is_empty() {
558 BracePos::ForceSameLine
559 } else {
560 BracePos::Auto
561 },
562 self.block_indent,
563 mk_sp(ident.span.hi(), body_start),
565 last_line_width(&enum_header),
566 )
567 .unwrap();
568 self.push_str(&generics_str);
569
570 self.last_pos = body_start;
571
572 match self.format_variant_list(enum_def, body_start, span.hi()) {
573 Some(ref s) if enum_def.variants.is_empty() => self.push_str(s),
574 rw => {
575 self.push_rewrite(mk_sp(body_start, span.hi()), rw);
576 self.block_indent = self.block_indent.block_unindent(self.config);
577 }
578 }
579 }
580
581 fn format_variant_list(
583 &mut self,
584 enum_def: &ast::EnumDef,
585 body_lo: BytePos,
586 body_hi: BytePos,
587 ) -> Option<String> {
588 if enum_def.variants.is_empty() {
589 let mut buffer = String::with_capacity(128);
590 let span = mk_sp(body_lo, body_hi - BytePos(1));
592 format_empty_struct_or_tuple(
593 &self.get_context(),
594 span,
595 self.block_indent,
596 &mut buffer,
597 "",
598 "}",
599 );
600 return Some(buffer);
601 }
602 let mut result = String::with_capacity(1024);
603 let original_offset = self.block_indent;
604 self.block_indent = self.block_indent.block_indent(self.config);
605
606 let align_threshold: usize = self.config.enum_discrim_align_threshold();
609 let discr_ident_lens: Vec<usize> = enum_def
610 .variants
611 .iter()
612 .filter(|var| var.disr_expr.is_some())
613 .map(|var| rewrite_ident(&self.get_context(), var.ident).len())
614 .collect();
615 let pad_discrim_ident_to = *discr_ident_lens
618 .iter()
619 .filter(|&l| *l <= align_threshold)
620 .max()
621 .unwrap_or(&0);
622
623 let itemize_list_with = |one_line_width: usize| {
624 itemize_list(
625 self.snippet_provider,
626 enum_def.variants.iter(),
627 "}",
628 ",",
629 |f| {
630 if !f.attrs.is_empty() {
631 f.attrs[0].span.lo()
632 } else {
633 f.span.lo()
634 }
635 },
636 |f| f.span.hi(),
637 |f| {
638 self.format_variant(f, one_line_width, pad_discrim_ident_to)
639 .unknown_error()
640 },
641 body_lo,
642 body_hi,
643 false,
644 )
645 .collect()
646 };
647 let mut items: Vec<_> = itemize_list_with(self.config.struct_variant_width());
648
649 let has_multiline_variant = items.iter().any(|item| item.inner_as_ref().contains('\n'));
651 let has_single_line_variant = items.iter().any(|item| !item.inner_as_ref().contains('\n'));
652 if has_multiline_variant && has_single_line_variant {
653 items = itemize_list_with(0);
654 }
655
656 let shape = self.shape().sub_width(2)?;
657 let fmt = ListFormatting::new(shape, self.config)
658 .trailing_separator(self.config.trailing_comma())
659 .preserve_newline(true);
660
661 let list = write_list(&items, &fmt).ok()?;
662 result.push_str(&list);
663 result.push_str(&original_offset.to_string_with_newline(self.config));
664 result.push('}');
665 Some(result)
666 }
667
668 fn format_variant(
670 &self,
671 field: &ast::Variant,
672 one_line_width: usize,
673 pad_discrim_ident_to: usize,
674 ) -> Option<String> {
675 if contains_skip(&field.attrs) {
676 let lo = field.attrs[0].span.lo();
677 let span = mk_sp(lo, field.span.hi());
678 return Some(self.snippet(span).to_owned());
679 }
680
681 let context = self.get_context();
682 let shape = self.shape();
683 let attrs_str = if context.config.style_edition() >= StyleEdition::Edition2024 {
684 field.attrs.rewrite(&context, shape)?
685 } else {
686 field.attrs.rewrite(&context, shape.sub_width(1)?)?
688 };
689 let shape = shape.sub_width(1)?;
691
692 let lo = field
693 .attrs
694 .last()
695 .map_or(field.span.lo(), |attr| attr.span.hi());
696 let span = mk_sp(lo, field.span.lo());
697
698 let variant_body = match field.data {
699 ast::VariantData::Tuple(..) | ast::VariantData::Struct { .. } => format_struct(
700 &context,
701 &StructParts::from_variant(field, &context),
702 self.block_indent,
703 Some(one_line_width),
704 )?,
705 ast::VariantData::Unit(..) => rewrite_ident(&context, field.ident).to_owned(),
706 };
707
708 let variant_body = if let Some(ref expr) = field.disr_expr {
709 let lhs = format!("{variant_body:pad_discrim_ident_to$} =");
710 let ex = &*expr.value;
711 rewrite_assign_rhs_with(
712 &context,
713 lhs,
714 ex,
715 shape,
716 &RhsAssignKind::Expr(&ex.kind, ex.span),
717 RhsTactics::AllowOverflow,
718 )
719 .ok()?
720 } else {
721 variant_body
722 };
723
724 combine_strs_with_missing_comments(&context, &attrs_str, &variant_body, span, shape, false)
725 .ok()
726 }
727
728 fn visit_impl_items(&mut self, items: &[Box<ast::AssocItem>]) {
729 if self.get_context().config.reorder_impl_items() {
730 type TyOpt = Option<Box<ast::Ty>>;
731 use crate::ast::AssocItemKind::*;
732 let is_type = |ty: &TyOpt| opaque_ty(ty).is_none();
733 let is_opaque = |ty: &TyOpt| opaque_ty(ty).is_some();
734 let both_type = |l: &TyOpt, r: &TyOpt| is_type(l) && is_type(r);
735 let both_opaque = |l: &TyOpt, r: &TyOpt| is_opaque(l) && is_opaque(r);
736 let need_empty_line = |a: &ast::AssocItemKind, b: &ast::AssocItemKind| match (a, b) {
737 (Type(lty), Type(rty))
738 if both_type(<y.ty, &rty.ty) || both_opaque(<y.ty, &rty.ty) =>
739 {
740 false
741 }
742 (Const(..), Const(..)) => false,
743 _ => true,
744 };
745
746 let mut buffer = vec![];
748 for item in items {
749 self.visit_impl_item(item);
750 buffer.push((self.buffer.clone(), item.clone()));
751 self.buffer.clear();
752 }
753
754 buffer.sort_by(|(_, a), (_, b)| match (&a.kind, &b.kind) {
755 (Type(lty), Type(rty))
756 if both_type(<y.ty, &rty.ty) || both_opaque(<y.ty, &rty.ty) =>
757 {
758 lty.ident.as_str().cmp(rty.ident.as_str())
759 }
760 (Const(ca), Const(cb)) => ca.ident.as_str().cmp(cb.ident.as_str()),
761 (MacCall(..), MacCall(..)) => Ordering::Equal,
762 (Fn(..), Fn(..)) | (Delegation(..), Delegation(..)) => {
763 a.span.lo().cmp(&b.span.lo())
764 }
765 (Type(ty), _) if is_type(&ty.ty) => Ordering::Less,
766 (_, Type(ty)) if is_type(&ty.ty) => Ordering::Greater,
767 (Type(..), _) => Ordering::Less,
768 (_, Type(..)) => Ordering::Greater,
769 (Const(..), _) => Ordering::Less,
770 (_, Const(..)) => Ordering::Greater,
771 (MacCall(..), _) => Ordering::Less,
772 (_, MacCall(..)) => Ordering::Greater,
773 (Delegation(..), _) | (DelegationMac(..), _) => Ordering::Less,
774 (_, Delegation(..)) | (_, DelegationMac(..)) => Ordering::Greater,
775 });
776 let mut prev_kind = None;
777 for (buf, item) in buffer {
778 if prev_kind
781 .as_ref()
782 .map_or(false, |prev_kind| need_empty_line(prev_kind, &item.kind))
783 {
784 self.push_str("\n");
785 }
786 let indent_str = self.block_indent.to_string_with_newline(self.config);
787 self.push_str(&indent_str);
788 self.push_str(buf.trim());
789 prev_kind = Some(item.kind.clone());
790 }
791 } else {
792 for item in items {
793 self.visit_impl_item(item);
794 }
795 }
796 }
797}
798
799pub(crate) fn format_impl(
800 context: &RewriteContext<'_>,
801 item: &ast::Item,
802 iimpl: &ast::Impl,
803 offset: Indent,
804) -> Option<String> {
805 let ast::Impl {
806 generics,
807 self_ty,
808 items,
809 ..
810 } = iimpl;
811 let mut result = String::with_capacity(128);
812 let ref_and_type = format_impl_ref_and_type(context, item, iimpl, offset)?;
813 let sep = offset.to_string_with_newline(context.config);
814 result.push_str(&ref_and_type);
815
816 let where_budget = if result.contains('\n') {
817 context.config.max_width()
818 } else {
819 context.budget(last_line_width(&result))
820 };
821
822 let mut option = WhereClauseOption::snuggled(&ref_and_type);
823 let snippet = context.snippet(item.span);
824 let open_pos = snippet.find_uncommented("{")? + 1;
825 if !contains_comment(&snippet[open_pos..])
826 && items.is_empty()
827 && generics.where_clause.predicates.len() == 1
828 && !result.contains('\n')
829 {
830 option.suppress_comma();
831 option.snuggle();
832 option.allow_single_line();
833 }
834
835 let missing_span = mk_sp(self_ty.span.hi(), item.span.hi());
836 let where_span_end = context.snippet_provider.opt_span_before(missing_span, "{");
837 let where_clause_str = rewrite_where_clause(
838 context,
839 &generics.where_clause,
840 context.config.brace_style(),
841 Shape::legacy(where_budget, offset.block_only()),
842 false,
843 "{",
844 where_span_end,
845 self_ty.span.hi(),
846 option,
847 )
848 .ok()?;
849
850 if generics.where_clause.predicates.is_empty() {
853 if let Some(hi) = where_span_end {
854 match recover_missing_comment_in_span(
855 mk_sp(self_ty.span.hi(), hi),
856 Shape::indented(offset, context.config),
857 context,
858 last_line_width(&result),
859 ) {
860 Ok(ref missing_comment) if !missing_comment.is_empty() => {
861 result.push_str(missing_comment);
862 }
863 _ => (),
864 }
865 }
866 }
867
868 if is_impl_single_line(context, items.as_slice(), &result, &where_clause_str, item)? {
869 result.push_str(&where_clause_str);
870 if where_clause_str.contains('\n') {
871 if generics.where_clause.predicates.len() == 1 {
875 result.push(',');
876 }
877 }
878 if where_clause_str.contains('\n') || last_line_contains_single_line_comment(&result) {
879 result.push_str(&format!("{sep}{{{sep}}}"));
880 } else {
881 result.push_str(" {}");
882 }
883 return Some(result);
884 }
885
886 result.push_str(&where_clause_str);
887
888 let need_newline = last_line_contains_single_line_comment(&result) || result.contains('\n');
889 match context.config.brace_style() {
890 _ if need_newline => result.push_str(&sep),
891 BraceStyle::AlwaysNextLine => result.push_str(&sep),
892 BraceStyle::PreferSameLine => result.push(' '),
893 BraceStyle::SameLineWhere => {
894 if !where_clause_str.is_empty() {
895 result.push_str(&sep);
896 } else {
897 result.push(' ');
898 }
899 }
900 }
901
902 result.push('{');
903 let lo = max(self_ty.span.hi(), generics.where_clause.span.hi());
905 let snippet = context.snippet(mk_sp(lo, item.span.hi()));
906 let open_pos = snippet.find_uncommented("{")? + 1;
907
908 if !items.is_empty() || contains_comment(&snippet[open_pos..]) {
909 let mut visitor = FmtVisitor::from_context(context);
910 let item_indent = offset.block_only().block_indent(context.config);
911 visitor.block_indent = item_indent;
912 visitor.last_pos = lo + BytePos(open_pos as u32);
913
914 visitor.visit_attrs(&item.attrs, ast::AttrStyle::Inner);
915 visitor.visit_impl_items(items);
916
917 visitor.format_missing(item.span.hi() - BytePos(1));
918
919 let inner_indent_str = visitor.block_indent.to_string_with_newline(context.config);
920 let outer_indent_str = offset.block_only().to_string_with_newline(context.config);
921
922 result.push_str(&inner_indent_str);
923 result.push_str(visitor.buffer.trim());
924 result.push_str(&outer_indent_str);
925 } else if need_newline || !context.config.empty_item_single_line() {
926 result.push_str(&sep);
927 }
928
929 result.push('}');
930
931 Some(result)
932}
933
934fn is_impl_single_line(
935 context: &RewriteContext<'_>,
936 items: &[Box<ast::AssocItem>],
937 result: &str,
938 where_clause_str: &str,
939 item: &ast::Item,
940) -> Option<bool> {
941 let snippet = context.snippet(item.span);
942 let open_pos = snippet.find_uncommented("{")? + 1;
943
944 Some(
945 context.config.empty_item_single_line()
946 && items.is_empty()
947 && !result.contains('\n')
948 && result.len() + where_clause_str.len() <= context.config.max_width()
949 && !contains_comment(&snippet[open_pos..]),
950 )
951}
952
953fn format_impl_ref_and_type(
954 context: &RewriteContext<'_>,
955 item: &ast::Item,
956 iimpl: &ast::Impl,
957 offset: Indent,
958) -> Option<String> {
959 let ast::Impl {
960 generics,
961 of_trait,
962 self_ty,
963 items: _,
964 constness,
965 } = iimpl;
966 let mut result = String::with_capacity(128);
967
968 result.push_str(&format_visibility(context, &item.vis));
969
970 if let Some(of_trait) = of_trait.as_deref() {
971 result.push_str(format_defaultness(of_trait.defaultness));
972 result.push_str(format_safety(of_trait.safety));
973 } else {
974 result.push_str(format_constness(*constness));
975 }
976
977 let shape = if context.config.style_edition() >= StyleEdition::Edition2024 {
978 Shape::indented(offset + last_line_width(&result), context.config)
979 } else {
980 generics_shape_from_config(
981 context.config,
982 Shape::indented(offset + last_line_width(&result), context.config),
983 0,
984 )?
985 };
986 let generics_str = rewrite_generics(context, "impl", generics, shape).ok()?;
987 result.push_str(&generics_str);
988
989 let trait_ref_overhead;
990 if let Some(of_trait) = of_trait.as_deref() {
991 result.push_str(format_constness_right(*constness));
992 let polarity_str = match of_trait.polarity {
993 ast::ImplPolarity::Negative(_) => "!",
994 ast::ImplPolarity::Positive => "",
995 };
996 let result_len = last_line_width(&result);
997 result.push_str(&rewrite_trait_ref(
998 context,
999 &of_trait.trait_ref,
1000 offset,
1001 polarity_str,
1002 result_len,
1003 )?);
1004 trait_ref_overhead = " for".len();
1005 } else {
1006 trait_ref_overhead = 0;
1007 }
1008
1009 let curly_brace_overhead = if generics.where_clause.predicates.is_empty() {
1011 match context.config.brace_style() {
1014 BraceStyle::AlwaysNextLine => 0,
1015 _ => 2,
1016 }
1017 } else {
1018 0
1019 };
1020 let used_space = last_line_width(&result) + trait_ref_overhead + curly_brace_overhead;
1021 let budget = context.budget(used_space + 1);
1023 if let Some(self_ty_str) = self_ty.rewrite(context, Shape::legacy(budget, offset)) {
1024 if !self_ty_str.contains('\n') {
1025 if of_trait.is_some() {
1026 result.push_str(" for ");
1027 } else {
1028 result.push(' ');
1029 }
1030 result.push_str(&self_ty_str);
1031 return Some(result);
1032 }
1033 }
1034
1035 result.push('\n');
1037 let new_line_offset = offset.block_indent(context.config);
1039 result.push_str(&new_line_offset.to_string(context.config));
1040 if of_trait.is_some() {
1041 result.push_str("for ");
1042 }
1043 let budget = context.budget(last_line_width(&result));
1044 let type_offset = match context.config.indent_style() {
1045 IndentStyle::Visual => new_line_offset + trait_ref_overhead,
1046 IndentStyle::Block => new_line_offset,
1047 };
1048 result.push_str(&*self_ty.rewrite(context, Shape::legacy(budget, type_offset))?);
1049 Some(result)
1050}
1051
1052fn rewrite_trait_ref(
1053 context: &RewriteContext<'_>,
1054 trait_ref: &ast::TraitRef,
1055 offset: Indent,
1056 polarity_str: &str,
1057 result_len: usize,
1058) -> Option<String> {
1059 let used_space = 1 + polarity_str.len() + result_len;
1061 let shape = Shape::indented(offset + used_space, context.config);
1062 if let Some(trait_ref_str) = trait_ref.rewrite(context, shape) {
1063 if !trait_ref_str.contains('\n') {
1064 return Some(format!(" {polarity_str}{trait_ref_str}"));
1065 }
1066 }
1067 let offset = offset.block_indent(context.config);
1069 let shape = Shape::indented(offset, context.config);
1070 let trait_ref_str = trait_ref.rewrite(context, shape)?;
1071 Some(format!(
1072 "{}{}{}",
1073 offset.to_string_with_newline(context.config),
1074 polarity_str,
1075 trait_ref_str
1076 ))
1077}
1078
1079pub(crate) struct StructParts<'a> {
1080 prefix: &'a str,
1081 ident: symbol::Ident,
1082 vis: &'a ast::Visibility,
1083 def: &'a ast::VariantData,
1084 generics: Option<&'a ast::Generics>,
1085 span: Span,
1086}
1087
1088impl<'a> StructParts<'a> {
1089 fn format_header(&self, context: &RewriteContext<'_>, offset: Indent) -> String {
1090 format_header(context, self.prefix, self.ident, self.vis, offset)
1091 }
1092
1093 fn from_variant(variant: &'a ast::Variant, context: &RewriteContext<'_>) -> Self {
1094 StructParts {
1095 prefix: "",
1096 ident: variant.ident,
1097 vis: &DEFAULT_VISIBILITY,
1098 def: &variant.data,
1099 generics: None,
1100 span: enum_variant_span(variant, context),
1101 }
1102 }
1103
1104 pub(crate) fn from_item(item: &'a ast::Item) -> Self {
1105 let (prefix, def, ident, generics) = match item.kind {
1106 ast::ItemKind::Struct(ident, ref generics, ref def) => {
1107 ("struct ", def, ident, generics)
1108 }
1109 ast::ItemKind::Union(ident, ref generics, ref def) => ("union ", def, ident, generics),
1110 _ => unreachable!(),
1111 };
1112 StructParts {
1113 prefix,
1114 ident,
1115 vis: &item.vis,
1116 def,
1117 generics: Some(generics),
1118 span: item.span,
1119 }
1120 }
1121}
1122
1123fn enum_variant_span(variant: &ast::Variant, context: &RewriteContext<'_>) -> Span {
1124 use ast::VariantData::*;
1125 if let Some(ref anon_const) = variant.disr_expr {
1126 let span_before_consts = variant.span.until(anon_const.value.span);
1127 let hi = match &variant.data {
1128 Struct { .. } => context
1129 .snippet_provider
1130 .span_after_last(span_before_consts, "}"),
1131 Tuple(..) => context
1132 .snippet_provider
1133 .span_after_last(span_before_consts, ")"),
1134 Unit(..) => variant.ident.span.hi(),
1135 };
1136 mk_sp(span_before_consts.lo(), hi)
1137 } else {
1138 variant.span
1139 }
1140}
1141
1142fn format_struct(
1143 context: &RewriteContext<'_>,
1144 struct_parts: &StructParts<'_>,
1145 offset: Indent,
1146 one_line_width: Option<usize>,
1147) -> Option<String> {
1148 match struct_parts.def {
1149 ast::VariantData::Unit(..) => format_unit_struct(context, struct_parts, offset),
1150 ast::VariantData::Tuple(fields, _) => {
1151 format_tuple_struct(context, struct_parts, fields, offset)
1152 }
1153 ast::VariantData::Struct { fields, .. } => {
1154 format_struct_struct(context, struct_parts, fields, offset, one_line_width)
1155 }
1156 }
1157}
1158
1159pub(crate) fn format_trait(
1160 context: &RewriteContext<'_>,
1161 item: &ast::Item,
1162 offset: Indent,
1163) -> Option<String> {
1164 let ast::ItemKind::Trait(trait_kind) = &item.kind else {
1165 unreachable!();
1166 };
1167 let ast::Trait {
1168 constness,
1169 is_auto,
1170 safety,
1171 ident,
1172 ref generics,
1173 ref bounds,
1174 ref items,
1175 } = **trait_kind;
1176
1177 let mut result = String::with_capacity(128);
1178 let header = format!(
1179 "{}{}{}{}trait ",
1180 format_visibility(context, &item.vis),
1181 format_constness(constness),
1182 format_safety(safety),
1183 format_auto(is_auto),
1184 );
1185 result.push_str(&header);
1186
1187 let body_lo = context.snippet_provider.span_after(item.span, "{");
1188
1189 let shape = Shape::indented(offset, context.config).offset_left(result.len())?;
1190 let generics_str =
1191 rewrite_generics(context, rewrite_ident(context, ident), generics, shape).ok()?;
1192 result.push_str(&generics_str);
1193
1194 if !bounds.is_empty() {
1196 let source_ident = context.snippet(ident.span);
1198 let ident_hi = context.snippet_provider.span_after(item.span, source_ident);
1199 let bound_hi = bounds.last().unwrap().span().hi();
1200 let snippet = context.snippet(mk_sp(ident_hi, bound_hi));
1201 if contains_comment(snippet) {
1202 return None;
1203 }
1204
1205 result = rewrite_assign_rhs_with(
1206 context,
1207 result + ":",
1208 bounds,
1209 shape,
1210 &RhsAssignKind::Bounds,
1211 RhsTactics::ForceNextLineWithoutIndent,
1212 )
1213 .ok()?;
1214 }
1215
1216 if !generics.where_clause.predicates.is_empty() {
1218 let where_on_new_line = context.config.indent_style() != IndentStyle::Block;
1219
1220 let where_budget = context.budget(last_line_width(&result));
1221 let pos_before_where = if bounds.is_empty() {
1222 generics.where_clause.span.lo()
1223 } else {
1224 bounds[bounds.len() - 1].span().hi()
1225 };
1226 let option = WhereClauseOption::snuggled(&generics_str);
1227 let where_clause_str = rewrite_where_clause(
1228 context,
1229 &generics.where_clause,
1230 context.config.brace_style(),
1231 Shape::legacy(where_budget, offset.block_only()),
1232 where_on_new_line,
1233 "{",
1234 None,
1235 pos_before_where,
1236 option,
1237 )
1238 .ok()?;
1239 if !where_clause_str.contains('\n')
1242 && last_line_width(&result) + where_clause_str.len() + offset.width()
1243 > context.config.comment_width()
1244 {
1245 let width = offset.block_indent + context.config.tab_spaces() - 1;
1246 let where_indent = Indent::new(0, width);
1247 result.push_str(&where_indent.to_string_with_newline(context.config));
1248 }
1249 result.push_str(&where_clause_str);
1250 } else {
1251 let item_snippet = context.snippet(item.span);
1252 if let Some(lo) = item_snippet.find('/') {
1253 let comment_hi = if generics.params.len() > 0 {
1255 generics.span.lo() - BytePos(1)
1256 } else {
1257 body_lo - BytePos(1)
1258 };
1259 let comment_lo = item.span.lo() + BytePos(lo as u32);
1260 if comment_lo < comment_hi {
1261 match recover_missing_comment_in_span(
1262 mk_sp(comment_lo, comment_hi),
1263 Shape::indented(offset, context.config),
1264 context,
1265 last_line_width(&result),
1266 ) {
1267 Ok(ref missing_comment) if !missing_comment.is_empty() => {
1268 result.push_str(missing_comment);
1269 }
1270 _ => (),
1271 }
1272 }
1273 }
1274 }
1275
1276 let block_span = mk_sp(generics.where_clause.span.hi(), item.span.hi());
1277 let snippet = context.snippet(block_span);
1278 let open_pos = snippet.find_uncommented("{")? + 1;
1279
1280 match context.config.brace_style() {
1281 _ if last_line_contains_single_line_comment(&result)
1282 || last_line_width(&result) + 2 > context.budget(offset.width()) =>
1283 {
1284 result.push_str(&offset.to_string_with_newline(context.config));
1285 }
1286 _ if context.config.empty_item_single_line()
1287 && items.is_empty()
1288 && !result.contains('\n')
1289 && !contains_comment(&snippet[open_pos..]) =>
1290 {
1291 result.push_str(" {}");
1292 return Some(result);
1293 }
1294 BraceStyle::AlwaysNextLine => {
1295 result.push_str(&offset.to_string_with_newline(context.config));
1296 }
1297 BraceStyle::PreferSameLine => result.push(' '),
1298 BraceStyle::SameLineWhere => {
1299 if result.contains('\n')
1300 || (!generics.where_clause.predicates.is_empty() && !items.is_empty())
1301 {
1302 result.push_str(&offset.to_string_with_newline(context.config));
1303 } else {
1304 result.push(' ');
1305 }
1306 }
1307 }
1308 result.push('{');
1309
1310 let outer_indent_str = offset.block_only().to_string_with_newline(context.config);
1311
1312 if !items.is_empty() || contains_comment(&snippet[open_pos..]) {
1313 let mut visitor = FmtVisitor::from_context(context);
1314 visitor.block_indent = offset.block_only().block_indent(context.config);
1315 visitor.last_pos = block_span.lo() + BytePos(open_pos as u32);
1316
1317 for item in items {
1318 visitor.visit_trait_item(item);
1319 }
1320
1321 visitor.format_missing(item.span.hi() - BytePos(1));
1322
1323 let inner_indent_str = visitor.block_indent.to_string_with_newline(context.config);
1324
1325 result.push_str(&inner_indent_str);
1326 result.push_str(visitor.buffer.trim());
1327 result.push_str(&outer_indent_str);
1328 } else if result.contains('\n') {
1329 result.push_str(&outer_indent_str);
1330 }
1331
1332 result.push('}');
1333 Some(result)
1334}
1335
1336pub(crate) struct TraitAliasBounds<'a> {
1337 generic_bounds: &'a ast::GenericBounds,
1338 generics: &'a ast::Generics,
1339}
1340
1341impl<'a> Rewrite for TraitAliasBounds<'a> {
1342 fn rewrite(&self, context: &RewriteContext<'_>, shape: Shape) -> Option<String> {
1343 self.rewrite_result(context, shape).ok()
1344 }
1345
1346 fn rewrite_result(&self, context: &RewriteContext<'_>, shape: Shape) -> RewriteResult {
1347 let generic_bounds_str = self.generic_bounds.rewrite_result(context, shape)?;
1348
1349 let mut option = WhereClauseOption::new(true, WhereClauseSpace::None);
1350 option.allow_single_line();
1351
1352 let where_str = rewrite_where_clause(
1353 context,
1354 &self.generics.where_clause,
1355 context.config.brace_style(),
1356 shape,
1357 false,
1358 ";",
1359 None,
1360 self.generics.where_clause.span.lo(),
1361 option,
1362 )?;
1363
1364 let fits_single_line = !generic_bounds_str.contains('\n')
1365 && !where_str.contains('\n')
1366 && generic_bounds_str.len() + where_str.len() < shape.width;
1367 let space = if generic_bounds_str.is_empty() || where_str.is_empty() {
1368 Cow::from("")
1369 } else if fits_single_line {
1370 Cow::from(" ")
1371 } else {
1372 shape.indent.to_string_with_newline(context.config)
1373 };
1374
1375 Ok(format!("{generic_bounds_str}{space}{where_str}"))
1376 }
1377}
1378
1379pub(crate) fn format_trait_alias(
1380 context: &RewriteContext<'_>,
1381 ta: &ast::TraitAlias,
1382 vis: &ast::Visibility,
1383 shape: Shape,
1384) -> Option<String> {
1385 let alias = rewrite_ident(context, ta.ident);
1386 let g_shape = shape.offset_left(6)?.sub_width(2)?;
1388 let generics_str = rewrite_generics(context, alias, &ta.generics, g_shape).ok()?;
1389 let vis_str = format_visibility(context, vis);
1390 let constness = format_constness(ta.constness);
1391 let lhs = format!("{vis_str}{constness}trait {generics_str} =");
1392 let trait_alias_bounds = TraitAliasBounds {
1394 generic_bounds: &ta.bounds,
1395 generics: &ta.generics,
1396 };
1397 rewrite_assign_rhs(
1398 context,
1399 lhs,
1400 &trait_alias_bounds,
1401 &RhsAssignKind::Bounds,
1402 shape.sub_width(1)?,
1403 )
1404 .map(|s| s + ";")
1405 .ok()
1406}
1407
1408fn format_unit_struct(
1409 context: &RewriteContext<'_>,
1410 p: &StructParts<'_>,
1411 offset: Indent,
1412) -> Option<String> {
1413 let header_str = format_header(context, p.prefix, p.ident, p.vis, offset);
1414 let generics_str = if let Some(generics) = p.generics {
1415 let hi = context.snippet_provider.span_before_last(p.span, ";");
1416 format_generics(
1417 context,
1418 generics,
1419 context.config.brace_style(),
1420 BracePos::None,
1421 offset,
1422 mk_sp(p.ident.span.hi(), hi),
1424 last_line_width(&header_str),
1425 )?
1426 } else {
1427 String::new()
1428 };
1429 Some(format!("{header_str}{generics_str};"))
1430}
1431
1432pub(crate) fn format_struct_struct(
1433 context: &RewriteContext<'_>,
1434 struct_parts: &StructParts<'_>,
1435 fields: &[ast::FieldDef],
1436 offset: Indent,
1437 one_line_width: Option<usize>,
1438) -> Option<String> {
1439 let mut result = String::with_capacity(1024);
1440 let span = struct_parts.span;
1441
1442 let header_str = struct_parts.format_header(context, offset);
1443 result.push_str(&header_str);
1444
1445 let header_hi = struct_parts.ident.span.hi();
1446 let body_lo = if let Some(generics) = struct_parts.generics {
1447 let span = span.with_lo(generics.where_clause.span.hi());
1449 context.snippet_provider.span_after(span, "{")
1450 } else {
1451 context.snippet_provider.span_after(span, "{")
1452 };
1453
1454 let generics_str = match struct_parts.generics {
1455 Some(g) => format_generics(
1456 context,
1457 g,
1458 context.config.brace_style(),
1459 if fields.is_empty() {
1460 BracePos::ForceSameLine
1461 } else {
1462 BracePos::Auto
1463 },
1464 offset,
1465 mk_sp(header_hi, body_lo),
1467 last_line_width(&result),
1468 )?,
1469 None => {
1470 let overhead = if fields.is_empty() { 3 } else { 2 };
1472 if (context.config.brace_style() == BraceStyle::AlwaysNextLine && !fields.is_empty())
1473 || context.config.max_width() < overhead + result.len()
1474 {
1475 format!("\n{}{{", offset.block_only().to_string(context.config))
1476 } else {
1477 " {".to_owned()
1478 }
1479 }
1480 };
1481 let overhead = if fields.is_empty() { 1 } else { 0 };
1483 let total_width = result.len() + generics_str.len() + overhead;
1484 if !generics_str.is_empty()
1485 && !generics_str.contains('\n')
1486 && total_width > context.config.max_width()
1487 {
1488 result.push('\n');
1489 result.push_str(&offset.to_string(context.config));
1490 result.push_str(generics_str.trim_start());
1491 } else {
1492 result.push_str(&generics_str);
1493 }
1494
1495 if fields.is_empty() {
1496 let inner_span = mk_sp(body_lo, span.hi() - BytePos(1));
1497 format_empty_struct_or_tuple(context, inner_span, offset, &mut result, "", "}");
1498 return Some(result);
1499 }
1500
1501 let one_line_budget = context.budget(result.len() + 3 + offset.width());
1503 let one_line_budget =
1504 one_line_width.map_or(0, |one_line_width| min(one_line_width, one_line_budget));
1505
1506 let items_str = rewrite_with_alignment(
1507 fields,
1508 context,
1509 Shape::indented(offset.block_indent(context.config), context.config).sub_width(1)?,
1510 mk_sp(body_lo, span.hi()),
1511 one_line_budget,
1512 )?;
1513
1514 if !items_str.contains('\n')
1515 && !result.contains('\n')
1516 && items_str.len() <= one_line_budget
1517 && !last_line_contains_single_line_comment(&items_str)
1518 {
1519 Some(format!("{result} {items_str} }}"))
1520 } else {
1521 Some(format!(
1522 "{}\n{}{}\n{}}}",
1523 result,
1524 offset
1525 .block_indent(context.config)
1526 .to_string(context.config),
1527 items_str,
1528 offset.to_string(context.config)
1529 ))
1530 }
1531}
1532
1533fn get_bytepos_after_visibility(vis: &ast::Visibility, default_span: Span) -> BytePos {
1534 match vis.kind {
1535 ast::VisibilityKind::Restricted { .. } => vis.span.hi(),
1536 _ => default_span.lo(),
1537 }
1538}
1539
1540fn format_empty_struct_or_tuple(
1543 context: &RewriteContext<'_>,
1544 span: Span,
1545 offset: Indent,
1546 result: &mut String,
1547 opener: &str,
1548 closer: &str,
1549) {
1550 let used_width = last_line_used_width(result, offset.width()) + 3;
1552 if used_width > context.config.max_width() {
1553 result.push_str(&offset.to_string_with_newline(context.config))
1554 }
1555 result.push_str(opener);
1556
1557 let shape = Shape::indented(offset.block_indent(context.config), context.config);
1559 match rewrite_missing_comment(span, shape, context) {
1560 Ok(ref s) if s.is_empty() => (),
1561 Ok(ref s) => {
1562 let is_multi_line = !is_single_line(s);
1563 if is_multi_line || first_line_contains_single_line_comment(s) {
1564 let nested_indent_str = offset
1565 .block_indent(context.config)
1566 .to_string_with_newline(context.config);
1567 result.push_str(&nested_indent_str);
1568 }
1569 result.push_str(s);
1570 if is_multi_line || last_line_contains_single_line_comment(s) {
1571 result.push_str(&offset.to_string_with_newline(context.config));
1572 }
1573 }
1574 Err(_) => result.push_str(context.snippet(span)),
1575 }
1576 result.push_str(closer);
1577}
1578
1579fn format_tuple_struct(
1580 context: &RewriteContext<'_>,
1581 struct_parts: &StructParts<'_>,
1582 fields: &[ast::FieldDef],
1583 offset: Indent,
1584) -> Option<String> {
1585 let mut result = String::with_capacity(1024);
1586 let span = struct_parts.span;
1587
1588 let header_str = struct_parts.format_header(context, offset);
1589 result.push_str(&header_str);
1590
1591 let body_lo = if fields.is_empty() {
1592 let lo = get_bytepos_after_visibility(struct_parts.vis, span);
1593 context
1594 .snippet_provider
1595 .span_after(mk_sp(lo, span.hi()), "(")
1596 } else {
1597 fields[0].span.lo()
1598 };
1599 let body_hi = if fields.is_empty() {
1600 context
1601 .snippet_provider
1602 .span_after(mk_sp(body_lo, span.hi()), ")")
1603 } else {
1604 let last_arg_span = fields[fields.len() - 1].span;
1606 context
1607 .snippet_provider
1608 .opt_span_after(mk_sp(last_arg_span.hi(), span.hi()), ")")
1609 .unwrap_or_else(|| last_arg_span.hi())
1610 };
1611
1612 let where_clause_str = match struct_parts.generics {
1613 Some(generics) => {
1614 let budget = context.budget(last_line_width(&header_str));
1615 let shape = Shape::legacy(budget, offset);
1616 let generics_str = rewrite_generics(context, "", generics, shape).ok()?;
1617 result.push_str(&generics_str);
1618
1619 let where_budget = context.budget(last_line_width(&result));
1620 let option = WhereClauseOption::new(true, WhereClauseSpace::Newline);
1621 rewrite_where_clause(
1622 context,
1623 &generics.where_clause,
1624 context.config.brace_style(),
1625 Shape::legacy(where_budget, offset.block_only()),
1626 false,
1627 ";",
1628 None,
1629 body_hi,
1630 option,
1631 )
1632 .ok()?
1633 }
1634 None => "".to_owned(),
1635 };
1636
1637 if fields.is_empty() {
1638 let body_hi = context
1639 .snippet_provider
1640 .span_before(mk_sp(body_lo, span.hi()), ")");
1641 let inner_span = mk_sp(body_lo, body_hi);
1642 format_empty_struct_or_tuple(context, inner_span, offset, &mut result, "(", ")");
1643 } else {
1644 let shape = Shape::indented(offset, context.config).sub_width(1)?;
1645 let lo = if let Some(generics) = struct_parts.generics {
1646 generics.span.hi()
1647 } else {
1648 struct_parts.ident.span.hi()
1649 };
1650 result = overflow::rewrite_with_parens(
1651 context,
1652 &result,
1653 fields.iter(),
1654 shape,
1655 mk_sp(lo, span.hi()),
1656 context.config.fn_call_width(),
1657 None,
1658 )
1659 .ok()?;
1660 }
1661
1662 if !where_clause_str.is_empty()
1663 && !where_clause_str.contains('\n')
1664 && (result.contains('\n')
1665 || offset.block_indent + result.len() + where_clause_str.len() + 1
1666 > context.config.max_width())
1667 {
1668 result.push('\n');
1671 result.push_str(
1672 &(offset.block_only() + (context.config.tab_spaces() - 1)).to_string(context.config),
1673 );
1674 }
1675 result.push_str(&where_clause_str);
1676
1677 Some(result)
1678}
1679
1680#[derive(Clone, Copy)]
1681pub(crate) enum ItemVisitorKind {
1682 Item,
1683 AssocTraitItem,
1684 AssocImplItem,
1685 ForeignItem,
1686}
1687
1688struct TyAliasRewriteInfo<'c, 'g>(
1689 &'c RewriteContext<'c>,
1690 Indent,
1691 &'g ast::Generics,
1692 &'g ast::WhereClause,
1693 symbol::Ident,
1694 Span,
1695);
1696
1697pub(crate) fn rewrite_type_alias<'a>(
1698 ty_alias_kind: &ast::TyAlias,
1699 vis: &ast::Visibility,
1700 context: &RewriteContext<'a>,
1701 indent: Indent,
1702 visitor_kind: ItemVisitorKind,
1703 span: Span,
1704) -> RewriteResult {
1705 use ItemVisitorKind::*;
1706
1707 let ast::TyAlias {
1708 defaultness,
1709 ident,
1710 ref generics,
1711 ref bounds,
1712 ref ty,
1713 ref after_where_clause,
1714 } = *ty_alias_kind;
1715 let ty_opt = ty.as_ref();
1716 let rhs_hi = ty
1717 .as_ref()
1718 .map_or(generics.where_clause.span.hi(), |ty| ty.span.hi());
1719 let rw_info = &TyAliasRewriteInfo(context, indent, generics, after_where_clause, ident, span);
1720 let op_ty = opaque_ty(ty);
1721 match (visitor_kind, &op_ty) {
1726 (Item | AssocTraitItem | ForeignItem, Some(op_bounds)) => {
1727 let op = OpaqueType { bounds: op_bounds };
1728 rewrite_ty(rw_info, Some(bounds), Some(&op), rhs_hi, vis)
1729 }
1730 (Item | AssocTraitItem | ForeignItem, None) => {
1731 rewrite_ty(rw_info, Some(bounds), ty_opt, rhs_hi, vis)
1732 }
1733 (AssocImplItem, _) => {
1734 let result = if let Some(op_bounds) = op_ty {
1735 let op = OpaqueType { bounds: op_bounds };
1736 rewrite_ty(
1737 rw_info,
1738 Some(bounds),
1739 Some(&op),
1740 rhs_hi,
1741 &DEFAULT_VISIBILITY,
1742 )
1743 } else {
1744 rewrite_ty(rw_info, Some(bounds), ty_opt, rhs_hi, vis)
1745 }?;
1746 match defaultness {
1747 ast::Defaultness::Default(..) => Ok(format!("default {result}")),
1748 _ => Ok(result),
1749 }
1750 }
1751 }
1752}
1753
1754fn rewrite_ty<R: Rewrite>(
1755 rw_info: &TyAliasRewriteInfo<'_, '_>,
1756 generic_bounds_opt: Option<&ast::GenericBounds>,
1757 rhs: Option<&R>,
1758 rhs_hi: BytePos,
1760 vis: &ast::Visibility,
1761) -> RewriteResult {
1762 let mut result = String::with_capacity(128);
1763 let TyAliasRewriteInfo(context, indent, generics, after_where_clause, ident, span) = *rw_info;
1764 result.push_str(&format!("{}type ", format_visibility(context, vis)));
1765 let ident_str = rewrite_ident(context, ident);
1766
1767 if generics.params.is_empty() {
1768 result.push_str(ident_str)
1769 } else {
1770 let g_shape = Shape::indented(indent, context.config);
1772 let g_shape = g_shape
1773 .offset_left(result.len())
1774 .and_then(|s| s.sub_width(2))
1775 .max_width_error(g_shape.width, span)?;
1776 let generics_str = rewrite_generics(context, ident_str, generics, g_shape)?;
1777 result.push_str(&generics_str);
1778 }
1779
1780 if let Some(bounds) = generic_bounds_opt {
1781 if !bounds.is_empty() {
1782 let shape = Shape::indented(indent, context.config);
1784 let shape = shape
1785 .offset_left(result.len() + 2)
1786 .max_width_error(shape.width, span)?;
1787 let type_bounds = bounds
1788 .rewrite_result(context, shape)
1789 .map(|s| format!(": {}", s))?;
1790 result.push_str(&type_bounds);
1791 }
1792 }
1793
1794 let where_budget = context.budget(last_line_width(&result));
1795 let mut option = WhereClauseOption::snuggled(&result);
1796 if rhs.is_none() {
1797 option.suppress_comma();
1798 }
1799 let before_where_clause_str = rewrite_where_clause(
1800 context,
1801 &generics.where_clause,
1802 context.config.brace_style(),
1803 Shape::legacy(where_budget, indent),
1804 false,
1805 "=",
1806 None,
1807 generics.span.hi(),
1808 option,
1809 )?;
1810 result.push_str(&before_where_clause_str);
1811
1812 let mut result = if let Some(ty) = rhs {
1813 if !generics.where_clause.predicates.is_empty() {
1817 result.push_str(&indent.to_string_with_newline(context.config));
1818 } else if !after_where_clause.predicates.is_empty() {
1819 result.push_str(
1820 &indent
1821 .block_indent(context.config)
1822 .to_string_with_newline(context.config),
1823 );
1824 } else {
1825 result.push(' ');
1826 }
1827
1828 let comment_span = context
1829 .snippet_provider
1830 .opt_span_before(span, "=")
1831 .map(|op_lo| mk_sp(generics.where_clause.span.hi(), op_lo));
1832
1833 let lhs = match comment_span {
1834 Some(comment_span)
1835 if contains_comment(
1836 context
1837 .snippet_provider
1838 .span_to_snippet(comment_span)
1839 .unknown_error()?,
1840 ) =>
1841 {
1842 let comment_shape = if !generics.where_clause.predicates.is_empty() {
1843 Shape::indented(indent, context.config)
1844 } else {
1845 let shape = Shape::indented(indent, context.config);
1846 shape
1847 .block_left(context.config.tab_spaces())
1848 .max_width_error(shape.width, span)?
1849 };
1850
1851 combine_strs_with_missing_comments(
1852 context,
1853 result.trim_end(),
1854 "=",
1855 comment_span,
1856 comment_shape,
1857 true,
1858 )?
1859 }
1860 _ => format!("{result}="),
1861 };
1862
1863 let shape = Shape::indented(indent, context.config);
1865 let shape = if after_where_clause.predicates.is_empty() {
1866 Shape::indented(indent, context.config)
1867 .sub_width(1)
1868 .max_width_error(shape.width, span)?
1869 } else {
1870 shape
1871 };
1872 rewrite_assign_rhs(context, lhs, &*ty, &RhsAssignKind::Ty, shape)?
1873 } else {
1874 result
1875 };
1876
1877 if !after_where_clause.predicates.is_empty() {
1878 let option = WhereClauseOption::new(true, WhereClauseSpace::Newline);
1879 let after_where_clause_str = rewrite_where_clause(
1880 context,
1881 &after_where_clause,
1882 context.config.brace_style(),
1883 Shape::indented(indent, context.config),
1884 false,
1885 ";",
1886 None,
1887 rhs_hi,
1888 option,
1889 )?;
1890 result.push_str(&after_where_clause_str);
1891 }
1892
1893 result += ";";
1894 Ok(result)
1895}
1896
1897fn type_annotation_spacing(config: &Config) -> (&str, &str) {
1898 (
1899 if config.space_before_colon() { " " } else { "" },
1900 if config.space_after_colon() { " " } else { "" },
1901 )
1902}
1903
1904pub(crate) fn rewrite_struct_field_prefix(
1905 context: &RewriteContext<'_>,
1906 field: &ast::FieldDef,
1907) -> RewriteResult {
1908 let vis = format_visibility(context, &field.vis);
1909 let safety = format_safety(field.safety);
1910 let type_annotation_spacing = type_annotation_spacing(context.config);
1911 Ok(match field.ident {
1912 Some(name) => format!(
1913 "{vis}{safety}{}{}:",
1914 rewrite_ident(context, name),
1915 type_annotation_spacing.0
1916 ),
1917 None => format!("{vis}{safety}"),
1918 })
1919}
1920
1921impl Rewrite for ast::FieldDef {
1922 fn rewrite(&self, context: &RewriteContext<'_>, shape: Shape) -> Option<String> {
1923 self.rewrite_result(context, shape).ok()
1924 }
1925
1926 fn rewrite_result(&self, context: &RewriteContext<'_>, shape: Shape) -> RewriteResult {
1927 rewrite_struct_field(context, self, shape, 0)
1928 }
1929}
1930
1931pub(crate) fn rewrite_struct_field(
1932 context: &RewriteContext<'_>,
1933 field: &ast::FieldDef,
1934 shape: Shape,
1935 lhs_max_width: usize,
1936) -> RewriteResult {
1937 if field.default.is_some() {
1939 return Err(RewriteError::Unknown);
1940 }
1941
1942 if contains_skip(&field.attrs) {
1943 return Ok(context.snippet(field.span()).to_owned());
1944 }
1945
1946 let type_annotation_spacing = type_annotation_spacing(context.config);
1947 let prefix = rewrite_struct_field_prefix(context, field)?;
1948
1949 let attrs_str = field.attrs.rewrite_result(context, shape)?;
1950 let attrs_extendable = field.ident.is_none() && is_attributes_extendable(&attrs_str);
1951 let missing_span = if field.attrs.is_empty() {
1952 mk_sp(field.span.lo(), field.span.lo())
1953 } else {
1954 mk_sp(field.attrs.last().unwrap().span.hi(), field.span.lo())
1955 };
1956 let mut spacing = String::from(if field.ident.is_some() {
1957 type_annotation_spacing.1
1958 } else {
1959 ""
1960 });
1961 let attr_prefix = combine_strs_with_missing_comments(
1963 context,
1964 &attrs_str,
1965 &prefix,
1966 missing_span,
1967 shape,
1968 attrs_extendable,
1969 )?;
1970 let overhead = trimmed_last_line_width(&attr_prefix);
1971 let lhs_offset = lhs_max_width.saturating_sub(overhead);
1972 for _ in 0..lhs_offset {
1973 spacing.push(' ');
1974 }
1975 if prefix.is_empty() && !attrs_str.is_empty() && attrs_extendable && spacing.is_empty() {
1977 spacing.push(' ');
1978 }
1979
1980 let orig_ty = shape
1981 .offset_left(overhead + spacing.len())
1982 .and_then(|ty_shape| field.ty.rewrite_result(context, ty_shape).ok());
1983
1984 if let Some(ref ty) = orig_ty {
1985 if !ty.contains('\n') && !contains_comment(context.snippet(missing_span)) {
1986 return Ok(attr_prefix + &spacing + ty);
1987 }
1988 }
1989
1990 let is_prefix_empty = prefix.is_empty();
1991 let field_str = rewrite_assign_rhs(context, prefix, &*field.ty, &RhsAssignKind::Ty, shape)?;
1993 let field_str = if is_prefix_empty {
1995 field_str.trim_start()
1996 } else {
1997 &field_str
1998 };
1999 combine_strs_with_missing_comments(context, &attrs_str, field_str, missing_span, shape, false)
2000}
2001
2002pub(crate) struct StaticParts<'a> {
2003 prefix: &'a str,
2004 safety: ast::Safety,
2005 vis: &'a ast::Visibility,
2006 ident: symbol::Ident,
2007 generics: Option<&'a ast::Generics>,
2008 ty: &'a ast::Ty,
2009 mutability: ast::Mutability,
2010 expr_opt: Option<&'a ast::Expr>,
2011 defaultness: Option<ast::Defaultness>,
2012 span: Span,
2013}
2014
2015impl<'a> StaticParts<'a> {
2016 pub(crate) fn from_item(item: &'a ast::Item) -> Self {
2017 let (defaultness, prefix, safety, ident, ty, mutability, expr_opt, generics) =
2018 match &item.kind {
2019 ast::ItemKind::Static(s) => (
2020 None,
2021 "static",
2022 s.safety,
2023 s.ident,
2024 &s.ty,
2025 s.mutability,
2026 s.expr.as_deref(),
2027 None,
2028 ),
2029 ast::ItemKind::Const(c) => (
2030 Some(c.defaultness),
2031 if c.rhs_kind.is_type_const() {
2032 "type const"
2033 } else {
2034 "const"
2035 },
2036 ast::Safety::Default,
2037 c.ident,
2038 &c.ty,
2039 ast::Mutability::Not,
2040 c.rhs_kind.expr(),
2041 Some(&c.generics),
2042 ),
2043 _ => unreachable!(),
2044 };
2045 StaticParts {
2046 prefix,
2047 safety,
2048 vis: &item.vis,
2049 ident,
2050 generics,
2051 ty,
2052 mutability,
2053 expr_opt,
2054 defaultness,
2055 span: item.span,
2056 }
2057 }
2058
2059 pub(crate) fn from_trait_item(ti: &'a ast::AssocItem, ident: Ident) -> Self {
2060 let (defaultness, ty, expr_opt, generics, prefix) = match &ti.kind {
2061 ast::AssocItemKind::Const(c) => {
2062 let prefix = if c.rhs_kind.is_type_const() {
2063 "type const"
2064 } else {
2065 "const"
2066 };
2067 (
2068 c.defaultness,
2069 &c.ty,
2070 c.rhs_kind.expr(),
2071 Some(&c.generics),
2072 prefix,
2073 )
2074 }
2075 _ => unreachable!(),
2076 };
2077 StaticParts {
2078 prefix,
2079 safety: ast::Safety::Default,
2080 vis: &ti.vis,
2081 ident,
2082 generics,
2083 ty,
2084 mutability: ast::Mutability::Not,
2085 expr_opt,
2086 defaultness: Some(defaultness),
2087 span: ti.span,
2088 }
2089 }
2090
2091 pub(crate) fn from_impl_item(ii: &'a ast::AssocItem, ident: Ident) -> Self {
2092 let (defaultness, ty, expr_opt, generics, prefix) = match &ii.kind {
2093 ast::AssocItemKind::Const(c) => {
2094 let prefix = if c.rhs_kind.is_type_const() {
2095 "type const"
2096 } else {
2097 "const"
2098 };
2099 (
2100 c.defaultness,
2101 &c.ty,
2102 c.rhs_kind.expr(),
2103 Some(&c.generics),
2104 prefix,
2105 )
2106 }
2107 _ => unreachable!(),
2108 };
2109 StaticParts {
2110 prefix,
2111 safety: ast::Safety::Default,
2112 vis: &ii.vis,
2113 ident,
2114 generics,
2115 ty,
2116 mutability: ast::Mutability::Not,
2117 expr_opt,
2118 defaultness: Some(defaultness),
2119 span: ii.span,
2120 }
2121 }
2122}
2123
2124fn rewrite_static(
2125 context: &RewriteContext<'_>,
2126 static_parts: &StaticParts<'_>,
2127 offset: Indent,
2128) -> Option<String> {
2129 if static_parts
2131 .generics
2132 .is_some_and(|g| !g.params.is_empty() || !g.where_clause.is_empty())
2133 {
2134 return None;
2135 }
2136
2137 let colon = colon_spaces(context.config);
2138 let mut prefix = format!(
2139 "{}{}{}{} {}{}{}",
2140 format_visibility(context, static_parts.vis),
2141 static_parts.defaultness.map_or("", format_defaultness),
2142 format_safety(static_parts.safety),
2143 static_parts.prefix,
2144 format_mutability(static_parts.mutability),
2145 rewrite_ident(context, static_parts.ident),
2146 colon,
2147 );
2148 let ty_shape =
2150 Shape::indented(offset.block_only(), context.config).offset_left(prefix.len() + 2)?;
2151 let ty_str = match static_parts.ty.rewrite(context, ty_shape) {
2152 Some(ty_str) => ty_str,
2153 None => {
2154 if prefix.ends_with(' ') {
2155 prefix.pop();
2156 }
2157 let nested_indent = offset.block_indent(context.config);
2158 let nested_shape = Shape::indented(nested_indent, context.config);
2159 let ty_str = static_parts.ty.rewrite(context, nested_shape)?;
2160 format!(
2161 "{}{}",
2162 nested_indent.to_string_with_newline(context.config),
2163 ty_str
2164 )
2165 }
2166 };
2167
2168 if let Some(expr) = static_parts.expr_opt {
2169 let comments_lo = context.snippet_provider.span_after(static_parts.span, "=");
2170 let expr_lo = expr.span.lo();
2171 let comments_span = mk_sp(comments_lo, expr_lo);
2172
2173 let lhs = format!("{prefix}{ty_str} =");
2174
2175 let remaining_width = context.budget(offset.block_indent + 1);
2177 rewrite_assign_rhs_with_comments(
2178 context,
2179 &lhs,
2180 expr,
2181 Shape::legacy(remaining_width, offset.block_only()),
2182 &RhsAssignKind::Expr(&expr.kind, expr.span),
2183 RhsTactics::Default,
2184 comments_span,
2185 true,
2186 )
2187 .ok()
2188 .map(|res| recover_comment_removed(res, static_parts.span, context))
2189 .map(|s| if s.ends_with(';') { s } else { s + ";" })
2190 } else {
2191 Some(format!("{prefix}{ty_str};"))
2192 }
2193}
2194
2195struct OpaqueType<'a> {
2201 bounds: &'a ast::GenericBounds,
2202}
2203
2204impl<'a> Rewrite for OpaqueType<'a> {
2205 fn rewrite(&self, context: &RewriteContext<'_>, shape: Shape) -> Option<String> {
2206 let shape = shape.offset_left(5)?; self.bounds
2208 .rewrite(context, shape)
2209 .map(|s| format!("impl {}", s))
2210 }
2211}
2212
2213impl Rewrite for ast::FnRetTy {
2214 fn rewrite(&self, context: &RewriteContext<'_>, shape: Shape) -> Option<String> {
2215 self.rewrite_result(context, shape).ok()
2216 }
2217
2218 fn rewrite_result(&self, context: &RewriteContext<'_>, shape: Shape) -> RewriteResult {
2219 match *self {
2220 ast::FnRetTy::Default(_) => Ok(String::new()),
2221 ast::FnRetTy::Ty(ref ty) => {
2222 let arrow_width = "-> ".len();
2223 if context.config.style_edition() <= StyleEdition::Edition2021
2224 || context.config.indent_style() == IndentStyle::Visual
2225 {
2226 let inner_width = shape
2227 .width
2228 .checked_sub(arrow_width)
2229 .max_width_error(shape.width, self.span())?;
2230 return ty
2231 .rewrite_result(
2232 context,
2233 Shape::legacy(inner_width, shape.indent + arrow_width),
2234 )
2235 .map(|r| format!("-> {}", r));
2236 }
2237
2238 let shape = shape
2239 .offset_left(arrow_width)
2240 .max_width_error(shape.width, self.span())?;
2241
2242 ty.rewrite_result(context, shape)
2243 .map(|s| format!("-> {}", s))
2244 }
2245 }
2246 }
2247}
2248
2249fn is_empty_infer(ty: &ast::Ty, pat_span: Span) -> bool {
2250 match ty.kind {
2251 ast::TyKind::Infer => ty.span.hi() == pat_span.hi(),
2252 _ => false,
2253 }
2254}
2255
2256fn get_missing_param_comments(
2263 context: &RewriteContext<'_>,
2264 pat_span: Span,
2265 ty_span: Span,
2266 shape: Shape,
2267) -> (String, String) {
2268 let missing_comment_span = mk_sp(pat_span.hi(), ty_span.lo());
2269
2270 let span_before_colon = {
2271 let missing_comment_span_hi = context
2272 .snippet_provider
2273 .span_before(missing_comment_span, ":");
2274 mk_sp(pat_span.hi(), missing_comment_span_hi)
2275 };
2276 let span_after_colon = {
2277 let missing_comment_span_lo = context
2278 .snippet_provider
2279 .span_after(missing_comment_span, ":");
2280 mk_sp(missing_comment_span_lo, ty_span.lo())
2281 };
2282
2283 let comment_before_colon = rewrite_missing_comment(span_before_colon, shape, context)
2284 .ok()
2285 .filter(|comment| !comment.is_empty())
2286 .map_or(String::new(), |comment| format!(" {}", comment));
2287 let comment_after_colon = rewrite_missing_comment(span_after_colon, shape, context)
2288 .ok()
2289 .filter(|comment| !comment.is_empty())
2290 .map_or(String::new(), |comment| format!("{} ", comment));
2291 (comment_before_colon, comment_after_colon)
2292}
2293
2294impl Rewrite for ast::Param {
2295 fn rewrite(&self, context: &RewriteContext<'_>, shape: Shape) -> Option<String> {
2296 self.rewrite_result(context, shape).ok()
2297 }
2298
2299 fn rewrite_result(&self, context: &RewriteContext<'_>, shape: Shape) -> RewriteResult {
2300 let param_attrs_result = self
2301 .attrs
2302 .rewrite_result(context, Shape::legacy(shape.width, shape.indent))?;
2303 let (span, has_multiple_attr_lines, has_doc_comments) = if !self.attrs.is_empty() {
2306 let num_attrs = self.attrs.len();
2307 (
2308 mk_sp(self.attrs[num_attrs - 1].span.hi(), self.pat.span.lo()),
2309 param_attrs_result.contains('\n'),
2310 self.attrs.iter().any(|a| a.is_doc_comment()),
2311 )
2312 } else {
2313 (mk_sp(self.span.lo(), self.span.lo()), false, false)
2314 };
2315
2316 if let Some(ref explicit_self) = self.to_self() {
2317 rewrite_explicit_self(
2318 context,
2319 explicit_self,
2320 ¶m_attrs_result,
2321 span,
2322 shape,
2323 has_multiple_attr_lines,
2324 )
2325 } else if is_named_param(self) {
2326 let param_name = &self
2327 .pat
2328 .rewrite_result(context, Shape::legacy(shape.width, shape.indent))?;
2329 let mut result = combine_strs_with_missing_comments(
2330 context,
2331 ¶m_attrs_result,
2332 param_name,
2333 span,
2334 shape,
2335 !has_multiple_attr_lines && !has_doc_comments,
2336 )?;
2337
2338 if !is_empty_infer(&*self.ty, self.pat.span) {
2339 let (before_comment, after_comment) =
2340 get_missing_param_comments(context, self.pat.span, self.ty.span, shape);
2341 result.push_str(&before_comment);
2342 result.push_str(colon_spaces(context.config));
2343 result.push_str(&after_comment);
2344 let overhead = last_line_width(&result);
2345 let max_width = shape
2346 .width
2347 .checked_sub(overhead)
2348 .max_width_error(shape.width, self.span())?;
2349 if let Ok(ty_str) = self
2350 .ty
2351 .rewrite_result(context, Shape::legacy(max_width, shape.indent))
2352 {
2353 result.push_str(&ty_str);
2354 } else {
2355 let prev_str = if param_attrs_result.is_empty() {
2356 param_attrs_result
2357 } else {
2358 param_attrs_result + &shape.to_string_with_newline(context.config)
2359 };
2360
2361 result = combine_strs_with_missing_comments(
2362 context,
2363 &prev_str,
2364 param_name,
2365 span,
2366 shape,
2367 !has_multiple_attr_lines,
2368 )?;
2369 result.push_str(&before_comment);
2370 result.push_str(colon_spaces(context.config));
2371 result.push_str(&after_comment);
2372 let overhead = last_line_width(&result);
2373 let max_width = shape
2374 .width
2375 .checked_sub(overhead)
2376 .max_width_error(shape.width, self.span())?;
2377 let ty_str = self
2378 .ty
2379 .rewrite_result(context, Shape::legacy(max_width, shape.indent))?;
2380 result.push_str(&ty_str);
2381 }
2382 }
2383
2384 Ok(result)
2385 } else {
2386 self.ty.rewrite_result(context, shape)
2387 }
2388 }
2389}
2390
2391fn rewrite_opt_lifetime(
2392 context: &RewriteContext<'_>,
2393 lifetime: Option<ast::Lifetime>,
2394) -> RewriteResult {
2395 let Some(l) = lifetime else {
2396 return Ok(String::new());
2397 };
2398 let mut result = l.rewrite_result(
2399 context,
2400 Shape::legacy(context.config.max_width(), Indent::empty()),
2401 )?;
2402 result.push(' ');
2403 Ok(result)
2404}
2405
2406fn rewrite_explicit_self(
2407 context: &RewriteContext<'_>,
2408 explicit_self: &ast::ExplicitSelf,
2409 param_attrs: &str,
2410 span: Span,
2411 shape: Shape,
2412 has_multiple_attr_lines: bool,
2413) -> RewriteResult {
2414 let self_str = match explicit_self.node {
2415 ast::SelfKind::Region(lt, m) => {
2416 let mut_str = format_mutability(m);
2417 let lifetime_str = rewrite_opt_lifetime(context, lt)?;
2418 format!("&{lifetime_str}{mut_str}self")
2419 }
2420 ast::SelfKind::Pinned(lt, m) => {
2421 let mut_str = m.ptr_str();
2422 let lifetime_str = rewrite_opt_lifetime(context, lt)?;
2423 format!("&{lifetime_str}pin {mut_str} self")
2424 }
2425 ast::SelfKind::Explicit(ref ty, mutability) => {
2426 let type_str = ty.rewrite_result(
2427 context,
2428 Shape::legacy(context.config.max_width(), Indent::empty()),
2429 )?;
2430 format!("{}self: {}", format_mutability(mutability), type_str)
2431 }
2432 ast::SelfKind::Value(mutability) => format!("{}self", format_mutability(mutability)),
2433 };
2434 Ok(combine_strs_with_missing_comments(
2435 context,
2436 param_attrs,
2437 &self_str,
2438 span,
2439 shape,
2440 !has_multiple_attr_lines,
2441 )?)
2442}
2443
2444pub(crate) fn span_lo_for_param(param: &ast::Param) -> BytePos {
2445 if param.attrs.is_empty() {
2446 if is_named_param(param) {
2447 param.pat.span.lo()
2448 } else {
2449 param.ty.span.lo()
2450 }
2451 } else {
2452 param.attrs[0].span.lo()
2453 }
2454}
2455
2456pub(crate) fn span_hi_for_param(context: &RewriteContext<'_>, param: &ast::Param) -> BytePos {
2457 match param.ty.kind {
2458 ast::TyKind::Infer if context.snippet(param.ty.span) == "_" => param.ty.span.hi(),
2459 ast::TyKind::Infer if is_named_param(param) => param.pat.span.hi(),
2460 _ => param.ty.span.hi(),
2461 }
2462}
2463
2464pub(crate) fn is_named_param(param: &ast::Param) -> bool {
2465 !matches!(param.pat.kind, ast::PatKind::Missing)
2466}
2467
2468#[derive(Copy, Clone, Debug, PartialEq, Eq)]
2469pub(crate) enum FnBraceStyle {
2470 SameLine,
2471 NextLine,
2472 None,
2473}
2474
2475fn rewrite_fn_base(
2477 context: &RewriteContext<'_>,
2478 indent: Indent,
2479 ident: symbol::Ident,
2480 fn_sig: &FnSig<'_>,
2481 span: Span,
2482 fn_brace_style: FnBraceStyle,
2483) -> Result<(String, bool, bool), RewriteError> {
2484 let mut force_new_line_for_brace = false;
2485
2486 let where_clause = &fn_sig.generics.where_clause;
2487
2488 let mut result = String::with_capacity(1024);
2489 result.push_str(&fn_sig.to_str(context));
2490
2491 result.push_str("fn ");
2493
2494 let overhead = if let FnBraceStyle::SameLine = fn_brace_style {
2496 4
2498 } else {
2499 2
2501 };
2502 let used_width = last_line_used_width(&result, indent.width());
2503 let one_line_budget = context.budget(used_width + overhead);
2504 let shape = Shape {
2505 width: one_line_budget,
2506 indent,
2507 offset: used_width,
2508 };
2509 let fd = fn_sig.decl;
2510 let generics_str = rewrite_generics(
2511 context,
2512 rewrite_ident(context, ident),
2513 &fn_sig.generics,
2514 shape,
2515 )?;
2516 result.push_str(&generics_str);
2517
2518 let snuggle_angle_bracket = generics_str
2519 .lines()
2520 .last()
2521 .map_or(false, |l| l.trim_start().len() == 1);
2522
2523 let ret_str = fd
2526 .output
2527 .rewrite_result(context, Shape::indented(indent, context.config))?;
2528
2529 let multi_line_ret_str = ret_str.contains('\n');
2530 let ret_str_len = if multi_line_ret_str { 0 } else { ret_str.len() };
2531
2532 let (one_line_budget, multi_line_budget, mut param_indent) = compute_budgets_for_params(
2534 context,
2535 &result,
2536 indent,
2537 ret_str_len,
2538 fn_brace_style,
2539 multi_line_ret_str,
2540 );
2541
2542 debug!(
2543 "rewrite_fn_base: one_line_budget: {}, multi_line_budget: {}, param_indent: {:?}",
2544 one_line_budget, multi_line_budget, param_indent
2545 );
2546
2547 result.push('(');
2548 if one_line_budget == 0
2550 && !snuggle_angle_bracket
2551 && context.config.indent_style() == IndentStyle::Visual
2552 {
2553 result.push_str(¶m_indent.to_string_with_newline(context.config));
2554 }
2555
2556 let params_end = if fd.inputs.is_empty() {
2557 context
2558 .snippet_provider
2559 .span_after(mk_sp(fn_sig.generics.span.hi(), span.hi()), ")")
2560 } else {
2561 let last_span = mk_sp(fd.inputs[fd.inputs.len() - 1].span().hi(), span.hi());
2562 context.snippet_provider.span_after(last_span, ")")
2563 };
2564 let params_span = mk_sp(
2565 context
2566 .snippet_provider
2567 .span_after(mk_sp(fn_sig.generics.span.hi(), span.hi()), "("),
2568 params_end,
2569 );
2570 let param_str = rewrite_params(
2571 context,
2572 &fd.inputs,
2573 one_line_budget,
2574 multi_line_budget,
2575 indent,
2576 param_indent,
2577 params_span,
2578 fd.c_variadic(),
2579 )?;
2580
2581 let put_params_in_block = match context.config.indent_style() {
2582 IndentStyle::Block => param_str.contains('\n') || param_str.len() > one_line_budget,
2583 _ => false,
2584 } && !fd.inputs.is_empty();
2585
2586 let mut params_last_line_contains_comment = false;
2587 let mut no_params_and_over_max_width = false;
2588
2589 if put_params_in_block {
2590 param_indent = indent.block_indent(context.config);
2591 result.push_str(¶m_indent.to_string_with_newline(context.config));
2592 result.push_str(¶m_str);
2593 result.push_str(&indent.to_string_with_newline(context.config));
2594 result.push(')');
2595 } else {
2596 result.push_str(¶m_str);
2597 let used_width = last_line_used_width(&result, indent.width()) + first_line_width(&ret_str);
2598 let closing_paren_overflow_max_width =
2601 fd.inputs.is_empty() && used_width + 1 > context.config.max_width();
2602 params_last_line_contains_comment = param_str
2605 .lines()
2606 .last()
2607 .map_or(false, |last_line| last_line.contains("//"));
2608
2609 if context.config.style_edition() >= StyleEdition::Edition2024 {
2610 if closing_paren_overflow_max_width {
2611 result.push(')');
2612 result.push_str(&indent.to_string_with_newline(context.config));
2613 no_params_and_over_max_width = true;
2614 } else if params_last_line_contains_comment {
2615 result.push_str(&indent.to_string_with_newline(context.config));
2616 result.push(')');
2617 no_params_and_over_max_width = true;
2618 } else {
2619 result.push(')');
2620 }
2621 } else {
2622 if closing_paren_overflow_max_width || params_last_line_contains_comment {
2623 result.push_str(&indent.to_string_with_newline(context.config));
2624 }
2625 result.push(')');
2626 }
2627 }
2628
2629 if let ast::FnRetTy::Ty(..) = fd.output {
2631 let ret_should_indent = match context.config.indent_style() {
2632 IndentStyle::Block if put_params_in_block || fd.inputs.is_empty() => false,
2634 _ if params_last_line_contains_comment => false,
2635 _ if result.contains('\n') || multi_line_ret_str => true,
2636 _ => {
2637 let mut sig_length = result.len() + indent.width() + ret_str_len + 1;
2641
2642 if where_clause.predicates.is_empty() {
2645 sig_length += 2;
2646 }
2647
2648 sig_length > context.config.max_width()
2649 }
2650 };
2651 let ret_shape = if ret_should_indent {
2652 if context.config.style_edition() <= StyleEdition::Edition2021
2653 || context.config.indent_style() == IndentStyle::Visual
2654 {
2655 let indent = if param_str.is_empty() {
2656 force_new_line_for_brace = true;
2658 indent + 4
2659 } else {
2660 param_indent
2664 };
2665
2666 result.push_str(&indent.to_string_with_newline(context.config));
2667 Shape::indented(indent, context.config)
2668 } else {
2669 let mut ret_shape = Shape::indented(indent, context.config);
2670 if param_str.is_empty() {
2671 force_new_line_for_brace = true;
2673 ret_shape = if context.use_block_indent() {
2674 ret_shape.offset_left(4).unwrap_or(ret_shape)
2675 } else {
2676 ret_shape.indent = ret_shape.indent + 4;
2677 ret_shape
2678 };
2679 }
2680
2681 result.push_str(&ret_shape.indent.to_string_with_newline(context.config));
2682 ret_shape
2683 }
2684 } else {
2685 if context.config.style_edition() >= StyleEdition::Edition2024 {
2686 if !param_str.is_empty() || !no_params_and_over_max_width {
2687 result.push(' ');
2688 }
2689 } else {
2690 result.push(' ');
2691 }
2692
2693 let ret_shape = Shape::indented(indent, context.config);
2694 ret_shape
2695 .offset_left(last_line_width(&result))
2696 .unwrap_or(ret_shape)
2697 };
2698
2699 if multi_line_ret_str || ret_should_indent {
2700 let ret_str = fd.output.rewrite_result(context, ret_shape)?;
2703 result.push_str(&ret_str);
2704 } else {
2705 result.push_str(&ret_str);
2706 }
2707
2708 let snippet_lo = fd.output.span().hi();
2710 if where_clause.predicates.is_empty() {
2711 let snippet_hi = span.hi();
2712 let snippet = context.snippet(mk_sp(snippet_lo, snippet_hi));
2713 let original_starts_with_newline = snippet
2715 .find(|c| c != ' ')
2716 .map_or(false, |i| starts_with_newline(&snippet[i..]));
2717 let original_ends_with_newline = snippet
2718 .rfind(|c| c != ' ')
2719 .map_or(false, |i| snippet[i..].ends_with('\n'));
2720 let snippet = snippet.trim();
2721 if !snippet.is_empty() {
2722 result.push(if original_starts_with_newline {
2723 '\n'
2724 } else {
2725 ' '
2726 });
2727 result.push_str(snippet);
2728 if original_ends_with_newline {
2729 force_new_line_for_brace = true;
2730 }
2731 }
2732 }
2733 }
2734
2735 let pos_before_where = match fd.output {
2736 ast::FnRetTy::Default(..) => params_span.hi(),
2737 ast::FnRetTy::Ty(ref ty) => ty.span.hi(),
2738 };
2739
2740 let is_params_multi_lined = param_str.contains('\n');
2741
2742 let space = if put_params_in_block && ret_str.is_empty() {
2743 WhereClauseSpace::Space
2744 } else {
2745 WhereClauseSpace::Newline
2746 };
2747 let mut option = WhereClauseOption::new(fn_brace_style == FnBraceStyle::None, space);
2748 if is_params_multi_lined {
2749 option.veto_single_line();
2750 }
2751 let where_clause_str = rewrite_where_clause(
2752 context,
2753 &where_clause,
2754 context.config.brace_style(),
2755 Shape::indented(indent, context.config),
2756 true,
2757 "{",
2758 Some(span.hi()),
2759 pos_before_where,
2760 option,
2761 )?;
2762 if where_clause_str.is_empty() {
2765 if let ast::FnRetTy::Default(ret_span) = fd.output {
2766 match recover_missing_comment_in_span(
2767 mk_sp(ret_span.lo(), span.hi()),
2769 shape,
2770 context,
2771 last_line_width(&result),
2772 ) {
2773 Ok(ref missing_comment) if !missing_comment.is_empty() => {
2774 result.push_str(missing_comment);
2775 force_new_line_for_brace = true;
2776 }
2777 _ => (),
2778 }
2779 }
2780 }
2781
2782 result.push_str(&where_clause_str);
2783
2784 let ends_with_comment = last_line_contains_single_line_comment(&result);
2785 force_new_line_for_brace |= ends_with_comment;
2786 force_new_line_for_brace |=
2787 is_params_multi_lined && context.config.where_single_line() && !where_clause_str.is_empty();
2788 Ok((result, ends_with_comment, force_new_line_for_brace))
2789}
2790
2791#[derive(Copy, Clone)]
2793enum WhereClauseSpace {
2794 Space,
2796 Newline,
2798 None,
2800}
2801
2802#[derive(Copy, Clone)]
2803struct WhereClauseOption {
2804 suppress_comma: bool, snuggle: WhereClauseSpace,
2806 allow_single_line: bool, veto_single_line: bool, }
2809
2810impl WhereClauseOption {
2811 fn new(suppress_comma: bool, snuggle: WhereClauseSpace) -> WhereClauseOption {
2812 WhereClauseOption {
2813 suppress_comma,
2814 snuggle,
2815 allow_single_line: false,
2816 veto_single_line: false,
2817 }
2818 }
2819
2820 fn snuggled(current: &str) -> WhereClauseOption {
2821 WhereClauseOption {
2822 suppress_comma: false,
2823 snuggle: if last_line_width(current) == 1 {
2824 WhereClauseSpace::Space
2825 } else {
2826 WhereClauseSpace::Newline
2827 },
2828 allow_single_line: false,
2829 veto_single_line: false,
2830 }
2831 }
2832
2833 fn suppress_comma(&mut self) {
2834 self.suppress_comma = true
2835 }
2836
2837 fn allow_single_line(&mut self) {
2838 self.allow_single_line = true
2839 }
2840
2841 fn snuggle(&mut self) {
2842 self.snuggle = WhereClauseSpace::Space
2843 }
2844
2845 fn veto_single_line(&mut self) {
2846 self.veto_single_line = true;
2847 }
2848}
2849
2850fn rewrite_params(
2851 context: &RewriteContext<'_>,
2852 params: &[ast::Param],
2853 one_line_budget: usize,
2854 multi_line_budget: usize,
2855 indent: Indent,
2856 param_indent: Indent,
2857 span: Span,
2858 variadic: bool,
2859) -> RewriteResult {
2860 if params.is_empty() {
2861 let comment = context
2862 .snippet(mk_sp(
2863 span.lo(),
2864 span.hi() - BytePos(1),
2866 ))
2867 .trim();
2868 return Ok(comment.to_owned());
2869 }
2870 let param_items: Vec<_> = itemize_list(
2871 context.snippet_provider,
2872 params.iter(),
2873 ")",
2874 ",",
2875 |param| span_lo_for_param(param),
2876 |param| param.ty.span.hi(),
2877 |param| {
2878 param
2879 .rewrite_result(context, Shape::legacy(multi_line_budget, param_indent))
2880 .or_else(|_| Ok(context.snippet(param.span()).to_owned()))
2881 },
2882 span.lo(),
2883 span.hi(),
2884 false,
2885 )
2886 .collect();
2887
2888 let tactic = definitive_tactic(
2889 ¶m_items,
2890 context
2891 .config
2892 .fn_params_layout()
2893 .to_list_tactic(param_items.len()),
2894 Separator::Comma,
2895 one_line_budget,
2896 );
2897 let budget = match tactic {
2898 DefinitiveListTactic::Horizontal => one_line_budget,
2899 _ => multi_line_budget,
2900 };
2901 let indent = match context.config.indent_style() {
2902 IndentStyle::Block => indent.block_indent(context.config),
2903 IndentStyle::Visual => param_indent,
2904 };
2905 let trailing_separator = if variadic {
2906 SeparatorTactic::Never
2907 } else {
2908 match context.config.indent_style() {
2909 IndentStyle::Block => context.config.trailing_comma(),
2910 IndentStyle::Visual => SeparatorTactic::Never,
2911 }
2912 };
2913 let fmt = ListFormatting::new(Shape::legacy(budget, indent), context.config)
2914 .tactic(tactic)
2915 .trailing_separator(trailing_separator)
2916 .ends_with_newline(tactic.ends_with_newline(context.config.indent_style()))
2917 .preserve_newline(true);
2918 write_list(¶m_items, &fmt)
2919}
2920
2921fn compute_budgets_for_params(
2922 context: &RewriteContext<'_>,
2923 result: &str,
2924 indent: Indent,
2925 ret_str_len: usize,
2926 fn_brace_style: FnBraceStyle,
2927 force_vertical_layout: bool,
2928) -> (usize, usize, Indent) {
2929 debug!(
2930 "compute_budgets_for_params {} {:?}, {}, {:?}",
2931 result.len(),
2932 indent,
2933 ret_str_len,
2934 fn_brace_style,
2935 );
2936 if !result.contains('\n') && !force_vertical_layout {
2938 let overhead = if ret_str_len == 0 { 2 } else { 3 };
2940 let mut used_space = indent.width() + result.len() + ret_str_len + overhead;
2941 match fn_brace_style {
2942 FnBraceStyle::None => used_space += 1, FnBraceStyle::SameLine => used_space += 2, FnBraceStyle::NextLine => (),
2945 }
2946 let one_line_budget = context.budget(used_space);
2947
2948 if one_line_budget > 0 {
2949 let (indent, multi_line_budget) = match context.config.indent_style() {
2951 IndentStyle::Block => {
2952 let indent = indent.block_indent(context.config);
2953 (indent, context.budget(indent.width() + 1))
2954 }
2955 IndentStyle::Visual => {
2956 let indent = indent + result.len() + 1;
2957 let multi_line_overhead = match fn_brace_style {
2958 FnBraceStyle::SameLine => 4,
2959 _ => 2,
2960 } + indent.width();
2961 (indent, context.budget(multi_line_overhead))
2962 }
2963 };
2964
2965 return (one_line_budget, multi_line_budget, indent);
2966 }
2967 }
2968
2969 let new_indent = indent.block_indent(context.config);
2971 let used_space = match context.config.indent_style() {
2972 IndentStyle::Block => new_indent.width() + 1,
2974 IndentStyle::Visual => new_indent.width() + if ret_str_len == 0 { 1 } else { 3 },
2976 };
2977 (0, context.budget(used_space), new_indent)
2978}
2979
2980fn newline_for_brace(config: &Config, where_clause: &ast::WhereClause) -> FnBraceStyle {
2981 let predicate_count = where_clause.predicates.len();
2982
2983 if config.where_single_line() && predicate_count == 1 {
2984 return FnBraceStyle::SameLine;
2985 }
2986 let brace_style = config.brace_style();
2987
2988 let use_next_line = brace_style == BraceStyle::AlwaysNextLine
2989 || (brace_style == BraceStyle::SameLineWhere && predicate_count > 0);
2990 if use_next_line {
2991 FnBraceStyle::NextLine
2992 } else {
2993 FnBraceStyle::SameLine
2994 }
2995}
2996
2997fn rewrite_generics(
2998 context: &RewriteContext<'_>,
2999 ident: &str,
3000 generics: &ast::Generics,
3001 shape: Shape,
3002) -> RewriteResult {
3003 if generics.params.is_empty() {
3007 return Ok(ident.to_owned());
3008 }
3009
3010 let params = generics.params.iter();
3011 overflow::rewrite_with_angle_brackets(context, ident, params, shape, generics.span)
3012}
3013
3014fn generics_shape_from_config(config: &Config, shape: Shape, offset: usize) -> Option<Shape> {
3015 match config.indent_style() {
3016 IndentStyle::Visual => shape.visual_indent(1 + offset).sub_width(offset + 2),
3017 IndentStyle::Block => {
3018 shape
3020 .block()
3021 .block_indent(config.tab_spaces())
3022 .with_max_width(config)
3023 .sub_width(1)
3024 }
3025 }
3026}
3027
3028fn rewrite_where_clause_rfc_style(
3029 context: &RewriteContext<'_>,
3030 predicates: &[ast::WherePredicate],
3031 where_span: Span,
3032 shape: Shape,
3033 terminator: &str,
3034 span_end: Option<BytePos>,
3035 span_end_before_where: BytePos,
3036 where_clause_option: WhereClauseOption,
3037) -> RewriteResult {
3038 let (where_keyword, allow_single_line) = rewrite_where_keyword(
3039 context,
3040 predicates,
3041 where_span,
3042 shape,
3043 span_end_before_where,
3044 where_clause_option,
3045 )?;
3046
3047 let clause_shape = shape
3049 .block()
3050 .with_max_width(context.config)
3051 .block_left(context.config.tab_spaces())
3052 .and_then(|s| s.sub_width(1))
3053 .max_width_error(shape.width, where_span)?;
3054 let force_single_line = context.config.where_single_line()
3055 && predicates.len() == 1
3056 && !where_clause_option.veto_single_line;
3057
3058 let preds_str = rewrite_bounds_on_where_clause(
3059 context,
3060 predicates,
3061 clause_shape,
3062 terminator,
3063 span_end,
3064 where_clause_option,
3065 force_single_line,
3066 )?;
3067
3068 let clause_sep =
3070 if allow_single_line && !preds_str.contains('\n') && 6 + preds_str.len() <= shape.width
3071 || force_single_line
3072 {
3073 Cow::from(" ")
3074 } else {
3075 clause_shape.indent.to_string_with_newline(context.config)
3076 };
3077
3078 Ok(format!("{where_keyword}{clause_sep}{preds_str}"))
3079}
3080
3081fn rewrite_where_keyword(
3083 context: &RewriteContext<'_>,
3084 predicates: &[ast::WherePredicate],
3085 where_span: Span,
3086 shape: Shape,
3087 span_end_before_where: BytePos,
3088 where_clause_option: WhereClauseOption,
3089) -> Result<(String, bool), RewriteError> {
3090 let block_shape = shape.block().with_max_width(context.config);
3091 let clause_shape = block_shape
3093 .block_left(context.config.tab_spaces())
3094 .and_then(|s| s.sub_width(1))
3095 .max_width_error(block_shape.width, where_span)?;
3096
3097 let comment_separator = |comment: &str, shape: Shape| {
3098 if comment.is_empty() {
3099 Cow::from("")
3100 } else {
3101 shape.indent.to_string_with_newline(context.config)
3102 }
3103 };
3104
3105 let (span_before, span_after) =
3106 missing_span_before_after_where(span_end_before_where, predicates, where_span);
3107 let (comment_before, comment_after) =
3108 rewrite_comments_before_after_where(context, span_before, span_after, shape)?;
3109
3110 let starting_newline = match where_clause_option.snuggle {
3111 WhereClauseSpace::Space if comment_before.is_empty() => Cow::from(" "),
3112 WhereClauseSpace::None => Cow::from(""),
3113 _ => block_shape.indent.to_string_with_newline(context.config),
3114 };
3115
3116 let newline_before_where = comment_separator(&comment_before, shape);
3117 let newline_after_where = comment_separator(&comment_after, clause_shape);
3118 let result = format!(
3119 "{starting_newline}{comment_before}{newline_before_where}where\
3120{newline_after_where}{comment_after}"
3121 );
3122 let allow_single_line = where_clause_option.allow_single_line
3123 && comment_before.is_empty()
3124 && comment_after.is_empty();
3125
3126 Ok((result, allow_single_line))
3127}
3128
3129fn rewrite_bounds_on_where_clause(
3131 context: &RewriteContext<'_>,
3132 predicates: &[ast::WherePredicate],
3133 shape: Shape,
3134 terminator: &str,
3135 span_end: Option<BytePos>,
3136 where_clause_option: WhereClauseOption,
3137 force_single_line: bool,
3138) -> RewriteResult {
3139 let span_start = predicates[0].span().lo();
3140 let len = predicates.len();
3143 let end_of_preds = predicates[len - 1].span().hi();
3144 let span_end = span_end.unwrap_or(end_of_preds);
3145 let items = itemize_list(
3146 context.snippet_provider,
3147 predicates.iter(),
3148 terminator,
3149 ",",
3150 |pred| pred.span().lo(),
3151 |pred| pred.span().hi(),
3152 |pred| pred.rewrite_result(context, shape),
3153 span_start,
3154 span_end,
3155 false,
3156 );
3157 let comma_tactic = if where_clause_option.suppress_comma || force_single_line {
3158 SeparatorTactic::Never
3159 } else {
3160 context.config.trailing_comma()
3161 };
3162
3163 let shape_tactic = if force_single_line {
3166 DefinitiveListTactic::Horizontal
3167 } else {
3168 DefinitiveListTactic::Vertical
3169 };
3170
3171 let preserve_newline = context.config.style_edition() <= StyleEdition::Edition2021;
3172
3173 let fmt = ListFormatting::new(shape, context.config)
3174 .tactic(shape_tactic)
3175 .trailing_separator(comma_tactic)
3176 .preserve_newline(preserve_newline);
3177 write_list(&items.collect::<Vec<_>>(), &fmt)
3178}
3179
3180fn rewrite_where_clause(
3181 context: &RewriteContext<'_>,
3182 where_clause: &ast::WhereClause,
3183 brace_style: BraceStyle,
3184 shape: Shape,
3185 on_new_line: bool,
3186 terminator: &str,
3187 span_end: Option<BytePos>,
3188 span_end_before_where: BytePos,
3189 where_clause_option: WhereClauseOption,
3190) -> RewriteResult {
3191 let ast::WhereClause {
3192 ref predicates,
3193 span: where_span,
3194 has_where_token: _,
3195 } = *where_clause;
3196
3197 if predicates.is_empty() {
3198 return Ok(String::new());
3199 }
3200
3201 if context.config.indent_style() == IndentStyle::Block {
3202 return rewrite_where_clause_rfc_style(
3203 context,
3204 predicates,
3205 where_span,
3206 shape,
3207 terminator,
3208 span_end,
3209 span_end_before_where,
3210 where_clause_option,
3211 );
3212 }
3213
3214 let extra_indent = Indent::new(context.config.tab_spaces(), 0);
3215
3216 let offset = match context.config.indent_style() {
3217 IndentStyle::Block => shape.indent + extra_indent.block_indent(context.config),
3218 IndentStyle::Visual => shape.indent + extra_indent + 6,
3220 };
3221 let budget = context.config.max_width() - offset.width();
3225 let span_start = predicates[0].span().lo();
3226 let len = predicates.len();
3229 let end_of_preds = predicates[len - 1].span().hi();
3230 let span_end = span_end.unwrap_or(end_of_preds);
3231 let items = itemize_list(
3232 context.snippet_provider,
3233 predicates.iter(),
3234 terminator,
3235 ",",
3236 |pred| pred.span().lo(),
3237 |pred| pred.span().hi(),
3238 |pred| pred.rewrite_result(context, Shape::legacy(budget, offset)),
3239 span_start,
3240 span_end,
3241 false,
3242 );
3243 let item_vec = items.collect::<Vec<_>>();
3244 let tactic = definitive_tactic(&item_vec, ListTactic::Vertical, Separator::Comma, budget);
3246
3247 let mut comma_tactic = context.config.trailing_comma();
3248 if comma_tactic == SeparatorTactic::Vertical || where_clause_option.suppress_comma {
3250 comma_tactic = SeparatorTactic::Never;
3251 }
3252
3253 let fmt = ListFormatting::new(Shape::legacy(budget, offset), context.config)
3254 .tactic(tactic)
3255 .trailing_separator(comma_tactic)
3256 .ends_with_newline(tactic.ends_with_newline(context.config.indent_style()))
3257 .preserve_newline(true);
3258 let preds_str = write_list(&item_vec, &fmt)?;
3259
3260 let end_length = if terminator == "{" {
3261 match brace_style {
3264 BraceStyle::AlwaysNextLine | BraceStyle::SameLineWhere => 0,
3265 BraceStyle::PreferSameLine => 2,
3266 }
3267 } else if terminator == "=" {
3268 2
3269 } else {
3270 terminator.len()
3271 };
3272 if on_new_line
3273 || preds_str.contains('\n')
3274 || shape.indent.width() + " where ".len() + preds_str.len() + end_length > shape.width
3275 {
3276 Ok(format!(
3277 "\n{}where {}",
3278 (shape.indent + extra_indent).to_string(context.config),
3279 preds_str
3280 ))
3281 } else {
3282 Ok(format!(" where {preds_str}"))
3283 }
3284}
3285
3286fn missing_span_before_after_where(
3287 before_item_span_end: BytePos,
3288 predicates: &[ast::WherePredicate],
3289 where_span: Span,
3290) -> (Span, Span) {
3291 let missing_span_before = mk_sp(before_item_span_end, where_span.lo());
3292 let pos_after_where = where_span.lo() + BytePos(5);
3294 let missing_span_after = mk_sp(pos_after_where, predicates[0].span().lo());
3295 (missing_span_before, missing_span_after)
3296}
3297
3298fn rewrite_comments_before_after_where(
3299 context: &RewriteContext<'_>,
3300 span_before_where: Span,
3301 span_after_where: Span,
3302 shape: Shape,
3303) -> Result<(String, String), RewriteError> {
3304 let before_comment = rewrite_missing_comment(span_before_where, shape, context)?;
3305 let after_comment = rewrite_missing_comment(
3306 span_after_where,
3307 shape.block_indent(context.config.tab_spaces()),
3308 context,
3309 )?;
3310 Ok((before_comment, after_comment))
3311}
3312
3313fn format_header(
3314 context: &RewriteContext<'_>,
3315 item_name: &str,
3316 ident: symbol::Ident,
3317 vis: &ast::Visibility,
3318 offset: Indent,
3319) -> String {
3320 let mut result = String::with_capacity(128);
3321 let shape = Shape::indented(offset, context.config);
3322
3323 result.push_str(format_visibility(context, vis).trim());
3324
3325 let after_vis = vis.span.hi();
3327 if let Some(before_item_name) = context
3328 .snippet_provider
3329 .opt_span_before(mk_sp(vis.span.lo(), ident.span.hi()), item_name.trim())
3330 {
3331 let missing_span = mk_sp(after_vis, before_item_name);
3332 if let Ok(result_with_comment) = combine_strs_with_missing_comments(
3333 context,
3334 &result,
3335 item_name,
3336 missing_span,
3337 shape,
3338 true,
3339 ) {
3340 result = result_with_comment;
3341 }
3342 }
3343
3344 result.push_str(rewrite_ident(context, ident));
3345
3346 result
3347}
3348
3349#[derive(PartialEq, Eq, Clone, Copy)]
3350enum BracePos {
3351 None,
3352 Auto,
3353 ForceSameLine,
3354}
3355
3356fn format_generics(
3357 context: &RewriteContext<'_>,
3358 generics: &ast::Generics,
3359 brace_style: BraceStyle,
3360 brace_pos: BracePos,
3361 offset: Indent,
3362 span: Span,
3363 used_width: usize,
3364) -> Option<String> {
3365 let shape = Shape::legacy(context.budget(used_width + offset.width()), offset);
3366 let mut result = rewrite_generics(context, "", generics, shape).ok()?;
3367
3368 let span_end_before_where = if !generics.params.is_empty() {
3371 generics.span.hi()
3372 } else {
3373 span.lo()
3374 };
3375 let (same_line_brace, missed_comments) = if !generics.where_clause.predicates.is_empty() {
3376 let budget = context.budget(last_line_used_width(&result, offset.width()));
3377 let mut option = WhereClauseOption::snuggled(&result);
3378 if brace_pos == BracePos::None {
3379 option.suppress_comma = true;
3380 }
3381 let where_clause_str = rewrite_where_clause(
3382 context,
3383 &generics.where_clause,
3384 brace_style,
3385 Shape::legacy(budget, offset.block_only()),
3386 true,
3387 "{",
3388 Some(span.hi()),
3389 span_end_before_where,
3390 option,
3391 )
3392 .ok()?;
3393 result.push_str(&where_clause_str);
3394 (
3395 brace_pos == BracePos::ForceSameLine || brace_style == BraceStyle::PreferSameLine,
3396 None,
3398 )
3399 } else {
3400 (
3401 brace_pos == BracePos::ForceSameLine
3402 || (result.contains('\n') && brace_style == BraceStyle::PreferSameLine
3403 || brace_style != BraceStyle::AlwaysNextLine)
3404 || trimmed_last_line_width(&result) == 1,
3405 rewrite_missing_comment(
3406 mk_sp(
3407 span_end_before_where,
3408 if brace_pos == BracePos::None {
3409 span.hi()
3410 } else {
3411 context.snippet_provider.span_before_last(span, "{")
3412 },
3413 ),
3414 shape,
3415 context,
3416 )
3417 .ok(),
3418 )
3419 };
3420 let missed_line_comments = missed_comments
3422 .filter(|missed_comments| !missed_comments.is_empty())
3423 .map_or(false, |missed_comments| {
3424 let is_block = is_last_comment_block(&missed_comments);
3425 let sep = if is_block { " " } else { "\n" };
3426 result.push_str(sep);
3427 result.push_str(&missed_comments);
3428 !is_block
3429 });
3430 if brace_pos == BracePos::None {
3431 return Some(result);
3432 }
3433 let total_used_width = last_line_used_width(&result, used_width);
3434 let remaining_budget = context.budget(total_used_width);
3435 let overhead = if brace_pos == BracePos::ForceSameLine {
3439 3
3441 } else {
3442 2
3444 };
3445 let forbid_same_line_brace = missed_line_comments || overhead > remaining_budget;
3446 if !forbid_same_line_brace && same_line_brace {
3447 result.push(' ');
3448 } else {
3449 result.push('\n');
3450 result.push_str(&offset.block_only().to_string(context.config));
3451 }
3452 result.push('{');
3453
3454 Some(result)
3455}
3456
3457impl Rewrite for ast::ForeignItem {
3458 fn rewrite(&self, context: &RewriteContext<'_>, shape: Shape) -> Option<String> {
3459 self.rewrite_result(context, shape).ok()
3460 }
3461
3462 fn rewrite_result(&self, context: &RewriteContext<'_>, shape: Shape) -> RewriteResult {
3463 let attrs_str = self.attrs.rewrite_result(context, shape)?;
3464 let span = mk_sp(self.span.lo(), self.span.hi() - BytePos(1));
3467
3468 let item_str = match self.kind {
3469 ast::ForeignItemKind::Fn(ref fn_kind) => {
3470 let ast::Fn {
3471 defaultness,
3472 ref sig,
3473 ident,
3474 ref generics,
3475 ref body,
3476 ..
3477 } = **fn_kind;
3478 if body.is_some() {
3479 let mut visitor = FmtVisitor::from_context(context);
3480 visitor.block_indent = shape.indent;
3481 visitor.last_pos = self.span.lo();
3482 let inner_attrs = inner_attributes(&self.attrs);
3483 let fn_ctxt = visit::FnCtxt::Foreign;
3484 visitor.visit_fn(
3485 ident,
3486 visit::FnKind::Fn(fn_ctxt, &self.vis, fn_kind),
3487 &sig.decl,
3488 self.span,
3489 defaultness,
3490 Some(&inner_attrs),
3491 );
3492 Ok(visitor.buffer.to_owned())
3493 } else {
3494 rewrite_fn_base(
3495 context,
3496 shape.indent,
3497 ident,
3498 &FnSig::from_method_sig(sig, generics, &self.vis),
3499 span,
3500 FnBraceStyle::None,
3501 )
3502 .map(|(s, _, _)| format!("{};", s))
3503 }
3504 }
3505 ast::ForeignItemKind::Static(ref static_foreign_item) => {
3506 let vis = format_visibility(context, &self.vis);
3509 let safety = format_safety(static_foreign_item.safety);
3510 let mut_str = format_mutability(static_foreign_item.mutability);
3511 let prefix = format!(
3512 "{}{}static {}{}:",
3513 vis,
3514 safety,
3515 mut_str,
3516 rewrite_ident(context, static_foreign_item.ident)
3517 );
3518 rewrite_assign_rhs(
3520 context,
3521 prefix,
3522 &static_foreign_item.ty,
3523 &RhsAssignKind::Ty,
3524 shape
3525 .sub_width(1)
3526 .max_width_error(shape.width, static_foreign_item.ty.span)?,
3527 )
3528 .map(|s| s + ";")
3529 }
3530 ast::ForeignItemKind::TyAlias(ref ty_alias) => {
3531 let kind = ItemVisitorKind::ForeignItem;
3532 rewrite_type_alias(ty_alias, &self.vis, context, shape.indent, kind, self.span)
3533 }
3534 ast::ForeignItemKind::MacCall(ref mac) => {
3535 rewrite_macro(mac, context, shape, MacroPosition::Item)
3536 }
3537 }?;
3538
3539 let missing_span = if self.attrs.is_empty() {
3540 mk_sp(self.span.lo(), self.span.lo())
3541 } else {
3542 mk_sp(self.attrs[self.attrs.len() - 1].span.hi(), self.span.lo())
3543 };
3544 combine_strs_with_missing_comments(
3545 context,
3546 &attrs_str,
3547 &item_str,
3548 missing_span,
3549 shape,
3550 false,
3551 )
3552 }
3553}
3554
3555fn rewrite_attrs(
3557 context: &RewriteContext<'_>,
3558 item: &ast::Item,
3559 item_str: &str,
3560 shape: Shape,
3561) -> Option<String> {
3562 let attrs = filter_inline_attrs(&item.attrs, item.span());
3563 let attrs_str = attrs.rewrite(context, shape)?;
3564
3565 let missed_span = if attrs.is_empty() {
3566 mk_sp(item.span.lo(), item.span.lo())
3567 } else {
3568 mk_sp(attrs[attrs.len() - 1].span.hi(), item.span.lo())
3569 };
3570
3571 let allow_extend = if attrs.len() == 1 {
3572 let line_len = attrs_str.len() + 1 + item_str.len();
3573 !attrs.first().unwrap().is_doc_comment()
3574 && context.config.inline_attribute_width() >= line_len
3575 } else {
3576 false
3577 };
3578
3579 combine_strs_with_missing_comments(
3580 context,
3581 &attrs_str,
3582 item_str,
3583 missed_span,
3584 shape,
3585 allow_extend,
3586 )
3587 .ok()
3588}
3589
3590pub(crate) fn rewrite_mod(
3593 context: &RewriteContext<'_>,
3594 item: &ast::Item,
3595 ident: Ident,
3596 attrs_shape: Shape,
3597) -> Option<String> {
3598 let mut result = String::with_capacity(32);
3599 result.push_str(&*format_visibility(context, &item.vis));
3600 result.push_str("mod ");
3601 result.push_str(rewrite_ident(context, ident));
3602 result.push(';');
3603 rewrite_attrs(context, item, &result, attrs_shape)
3604}
3605
3606pub(crate) fn rewrite_extern_crate(
3609 context: &RewriteContext<'_>,
3610 item: &ast::Item,
3611 attrs_shape: Shape,
3612) -> Option<String> {
3613 assert!(is_extern_crate(item));
3614 let new_str = context.snippet(item.span);
3615 let item_str = if contains_comment(new_str) {
3616 new_str.to_owned()
3617 } else {
3618 let no_whitespace = &new_str.split_whitespace().collect::<Vec<&str>>().join(" ");
3619 String::from(&*Regex::new(r"\s;").unwrap().replace(no_whitespace, ";"))
3620 };
3621 rewrite_attrs(context, item, &item_str, attrs_shape)
3622}
3623
3624pub(crate) fn is_mod_decl(item: &ast::Item) -> bool {
3626 !matches!(
3627 item.kind,
3628 ast::ItemKind::Mod(_, _, ast::ModKind::Loaded(_, ast::Inline::Yes, _))
3629 )
3630}
3631
3632pub(crate) fn is_use_item(item: &ast::Item) -> bool {
3633 matches!(item.kind, ast::ItemKind::Use(_))
3634}
3635
3636pub(crate) fn is_extern_crate(item: &ast::Item) -> bool {
3637 matches!(item.kind, ast::ItemKind::ExternCrate(..))
3638}