]> git.proxmox.com Git - rustc.git/blob - src/tools/rustfmt/src/comment.rs
9959ef7fd9e8405487b521d0ea918dce35726f86
[rustc.git] / src / tools / rustfmt / src / comment.rs
1 // Formatting and tools for comments.
2
3 use std::{self, borrow::Cow, iter};
4
5 use itertools::{multipeek, MultiPeek};
6 use rustc_span::Span;
7
8 use crate::config::Config;
9 use crate::rewrite::RewriteContext;
10 use crate::shape::{Indent, Shape};
11 use crate::string::{rewrite_string, StringFormat};
12 use crate::utils::{
13 count_newlines, first_line_width, last_line_width, trim_left_preserve_layout, unicode_str_width,
14 };
15 use crate::{ErrorKind, FormattingError};
16
17 fn is_custom_comment(comment: &str) -> bool {
18 if !comment.starts_with("//") {
19 false
20 } else if let Some(c) = comment.chars().nth(2) {
21 !c.is_alphanumeric() && !c.is_whitespace()
22 } else {
23 false
24 }
25 }
26
27 #[derive(Copy, Clone, PartialEq, Eq)]
28 pub(crate) enum CommentStyle<'a> {
29 DoubleSlash,
30 TripleSlash,
31 Doc,
32 SingleBullet,
33 DoubleBullet,
34 Exclamation,
35 Custom(&'a str),
36 }
37
38 fn custom_opener(s: &str) -> &str {
39 s.lines().next().map_or("", |first_line| {
40 first_line
41 .find(' ')
42 .map_or(first_line, |space_index| &first_line[0..=space_index])
43 })
44 }
45
46 impl<'a> CommentStyle<'a> {
47 /// Returns `true` if the commenting style covers a line only.
48 pub(crate) fn is_line_comment(&self) -> bool {
49 match *self {
50 CommentStyle::DoubleSlash
51 | CommentStyle::TripleSlash
52 | CommentStyle::Doc
53 | CommentStyle::Custom(_) => true,
54 _ => false,
55 }
56 }
57
58 /// Returns `true` if the commenting style can span over multiple lines.
59 pub(crate) fn is_block_comment(&self) -> bool {
60 match *self {
61 CommentStyle::SingleBullet | CommentStyle::DoubleBullet | CommentStyle::Exclamation => {
62 true
63 }
64 _ => false,
65 }
66 }
67
68 /// Returns `true` if the commenting style is for documentation.
69 pub(crate) fn is_doc_comment(&self) -> bool {
70 match *self {
71 CommentStyle::TripleSlash | CommentStyle::Doc => true,
72 _ => false,
73 }
74 }
75
76 pub(crate) fn opener(&self) -> &'a str {
77 match *self {
78 CommentStyle::DoubleSlash => "// ",
79 CommentStyle::TripleSlash => "/// ",
80 CommentStyle::Doc => "//! ",
81 CommentStyle::SingleBullet => "/* ",
82 CommentStyle::DoubleBullet => "/** ",
83 CommentStyle::Exclamation => "/*! ",
84 CommentStyle::Custom(opener) => opener,
85 }
86 }
87
88 pub(crate) fn closer(&self) -> &'a str {
89 match *self {
90 CommentStyle::DoubleSlash
91 | CommentStyle::TripleSlash
92 | CommentStyle::Custom(..)
93 | CommentStyle::Doc => "",
94 CommentStyle::SingleBullet | CommentStyle::DoubleBullet | CommentStyle::Exclamation => {
95 " */"
96 }
97 }
98 }
99
100 pub(crate) fn line_start(&self) -> &'a str {
101 match *self {
102 CommentStyle::DoubleSlash => "// ",
103 CommentStyle::TripleSlash => "/// ",
104 CommentStyle::Doc => "//! ",
105 CommentStyle::SingleBullet | CommentStyle::DoubleBullet | CommentStyle::Exclamation => {
106 " * "
107 }
108 CommentStyle::Custom(opener) => opener,
109 }
110 }
111
112 pub(crate) fn to_str_tuplet(&self) -> (&'a str, &'a str, &'a str) {
113 (self.opener(), self.closer(), self.line_start())
114 }
115 }
116
117 pub(crate) fn comment_style(orig: &str, normalize_comments: bool) -> CommentStyle<'_> {
118 if !normalize_comments {
119 if orig.starts_with("/**") && !orig.starts_with("/**/") {
120 CommentStyle::DoubleBullet
121 } else if orig.starts_with("/*!") {
122 CommentStyle::Exclamation
123 } else if orig.starts_with("/*") {
124 CommentStyle::SingleBullet
125 } else if orig.starts_with("///") && orig.chars().nth(3).map_or(true, |c| c != '/') {
126 CommentStyle::TripleSlash
127 } else if orig.starts_with("//!") {
128 CommentStyle::Doc
129 } else if is_custom_comment(orig) {
130 CommentStyle::Custom(custom_opener(orig))
131 } else {
132 CommentStyle::DoubleSlash
133 }
134 } else if (orig.starts_with("///") && orig.chars().nth(3).map_or(true, |c| c != '/'))
135 || (orig.starts_with("/**") && !orig.starts_with("/**/"))
136 {
137 CommentStyle::TripleSlash
138 } else if orig.starts_with("//!") || orig.starts_with("/*!") {
139 CommentStyle::Doc
140 } else if is_custom_comment(orig) {
141 CommentStyle::Custom(custom_opener(orig))
142 } else {
143 CommentStyle::DoubleSlash
144 }
145 }
146
147 /// Returns true if the last line of the passed string finishes with a block-comment.
148 pub(crate) fn is_last_comment_block(s: &str) -> bool {
149 s.trim_end().ends_with("*/")
150 }
151
152 /// Combine `prev_str` and `next_str` into a single `String`. `span` may contain
153 /// comments between two strings. If there are such comments, then that will be
154 /// recovered. If `allow_extend` is true and there is no comment between the two
155 /// strings, then they will be put on a single line as long as doing so does not
156 /// exceed max width.
157 pub(crate) fn combine_strs_with_missing_comments(
158 context: &RewriteContext<'_>,
159 prev_str: &str,
160 next_str: &str,
161 span: Span,
162 shape: Shape,
163 allow_extend: bool,
164 ) -> Option<String> {
165 trace!(
166 "combine_strs_with_missing_comments `{}` `{}` {:?} {:?}",
167 prev_str,
168 next_str,
169 span,
170 shape
171 );
172
173 let mut result =
174 String::with_capacity(prev_str.len() + next_str.len() + shape.indent.width() + 128);
175 result.push_str(prev_str);
176 let mut allow_one_line = !prev_str.contains('\n') && !next_str.contains('\n');
177 let first_sep = if prev_str.is_empty() || next_str.is_empty() {
178 ""
179 } else {
180 " "
181 };
182 let mut one_line_width =
183 last_line_width(prev_str) + first_line_width(next_str) + first_sep.len();
184
185 let config = context.config;
186 let indent = shape.indent;
187 let missing_comment = rewrite_missing_comment(span, shape, context)?;
188
189 if missing_comment.is_empty() {
190 if allow_extend && prev_str.len() + first_sep.len() + next_str.len() <= shape.width {
191 result.push_str(first_sep);
192 } else if !prev_str.is_empty() {
193 result.push_str(&indent.to_string_with_newline(config))
194 }
195 result.push_str(next_str);
196 return Some(result);
197 }
198
199 // We have a missing comment between the first expression and the second expression.
200
201 // Peek the the original source code and find out whether there is a newline between the first
202 // expression and the second expression or the missing comment. We will preserve the original
203 // layout whenever possible.
204 let original_snippet = context.snippet(span);
205 let prefer_same_line = if let Some(pos) = original_snippet.find('/') {
206 !original_snippet[..pos].contains('\n')
207 } else {
208 !original_snippet.contains('\n')
209 };
210
211 one_line_width -= first_sep.len();
212 let first_sep = if prev_str.is_empty() || missing_comment.is_empty() {
213 Cow::from("")
214 } else {
215 let one_line_width = last_line_width(prev_str) + first_line_width(&missing_comment) + 1;
216 if prefer_same_line && one_line_width <= shape.width {
217 Cow::from(" ")
218 } else {
219 indent.to_string_with_newline(config)
220 }
221 };
222 result.push_str(&first_sep);
223 result.push_str(&missing_comment);
224
225 let second_sep = if missing_comment.is_empty() || next_str.is_empty() {
226 Cow::from("")
227 } else if missing_comment.starts_with("//") {
228 indent.to_string_with_newline(config)
229 } else {
230 one_line_width += missing_comment.len() + first_sep.len() + 1;
231 allow_one_line &= !missing_comment.starts_with("//") && !missing_comment.contains('\n');
232 if prefer_same_line && allow_one_line && one_line_width <= shape.width {
233 Cow::from(" ")
234 } else {
235 indent.to_string_with_newline(config)
236 }
237 };
238 result.push_str(&second_sep);
239 result.push_str(next_str);
240
241 Some(result)
242 }
243
244 pub(crate) fn rewrite_doc_comment(orig: &str, shape: Shape, config: &Config) -> Option<String> {
245 identify_comment(orig, false, shape, config, true)
246 }
247
248 pub(crate) fn rewrite_comment(
249 orig: &str,
250 block_style: bool,
251 shape: Shape,
252 config: &Config,
253 ) -> Option<String> {
254 identify_comment(orig, block_style, shape, config, false)
255 }
256
257 fn identify_comment(
258 orig: &str,
259 block_style: bool,
260 shape: Shape,
261 config: &Config,
262 is_doc_comment: bool,
263 ) -> Option<String> {
264 let style = comment_style(orig, false);
265
266 // Computes the byte length of line taking into account a newline if the line is part of a
267 // paragraph.
268 fn compute_len(orig: &str, line: &str) -> usize {
269 if orig.len() > line.len() {
270 if orig.as_bytes()[line.len()] == b'\r' {
271 line.len() + 2
272 } else {
273 line.len() + 1
274 }
275 } else {
276 line.len()
277 }
278 }
279
280 // Get the first group of line comments having the same commenting style.
281 //
282 // Returns a tuple with:
283 // - a boolean indicating if there is a blank line
284 // - a number indicating the size of the first group of comments
285 fn consume_same_line_comments(
286 style: CommentStyle<'_>,
287 orig: &str,
288 line_start: &str,
289 ) -> (bool, usize) {
290 let mut first_group_ending = 0;
291 let mut hbl = false;
292
293 for line in orig.lines() {
294 let trimmed_line = line.trim_start();
295 if trimmed_line.is_empty() {
296 hbl = true;
297 break;
298 } else if trimmed_line.starts_with(line_start)
299 || comment_style(trimmed_line, false) == style
300 {
301 first_group_ending += compute_len(&orig[first_group_ending..], line);
302 } else {
303 break;
304 }
305 }
306 (hbl, first_group_ending)
307 }
308
309 let (has_bare_lines, first_group_ending) = match style {
310 CommentStyle::DoubleSlash | CommentStyle::TripleSlash | CommentStyle::Doc => {
311 let line_start = style.line_start().trim_start();
312 consume_same_line_comments(style, orig, line_start)
313 }
314 CommentStyle::Custom(opener) => {
315 let trimmed_opener = opener.trim_end();
316 consume_same_line_comments(style, orig, trimmed_opener)
317 }
318 // for a block comment, search for the closing symbol
319 CommentStyle::DoubleBullet | CommentStyle::SingleBullet | CommentStyle::Exclamation => {
320 let closer = style.closer().trim_start();
321 let mut count = orig.matches(closer).count();
322 let mut closing_symbol_offset = 0;
323 let mut hbl = false;
324 let mut first = true;
325 for line in orig.lines() {
326 closing_symbol_offset += compute_len(&orig[closing_symbol_offset..], line);
327 let mut trimmed_line = line.trim_start();
328 if !trimmed_line.starts_with('*')
329 && !trimmed_line.starts_with("//")
330 && !trimmed_line.starts_with("/*")
331 {
332 hbl = true;
333 }
334
335 // Remove opener from consideration when searching for closer
336 if first {
337 let opener = style.opener().trim_end();
338 trimmed_line = &trimmed_line[opener.len()..];
339 first = false;
340 }
341 if trimmed_line.ends_with(closer) {
342 count -= 1;
343 if count == 0 {
344 break;
345 }
346 }
347 }
348 (hbl, closing_symbol_offset)
349 }
350 };
351
352 let (first_group, rest) = orig.split_at(first_group_ending);
353 let rewritten_first_group =
354 if !config.normalize_comments() && has_bare_lines && style.is_block_comment() {
355 trim_left_preserve_layout(first_group, shape.indent, config)?
356 } else if !config.normalize_comments()
357 && !config.wrap_comments()
358 && !config.format_code_in_doc_comments()
359 {
360 light_rewrite_comment(first_group, shape.indent, config, is_doc_comment)
361 } else {
362 rewrite_comment_inner(
363 first_group,
364 block_style,
365 style,
366 shape,
367 config,
368 is_doc_comment || style.is_doc_comment(),
369 )?
370 };
371 if rest.is_empty() {
372 Some(rewritten_first_group)
373 } else {
374 identify_comment(
375 rest.trim_start(),
376 block_style,
377 shape,
378 config,
379 is_doc_comment,
380 )
381 .map(|rest_str| {
382 format!(
383 "{}\n{}{}{}",
384 rewritten_first_group,
385 // insert back the blank line
386 if has_bare_lines && style.is_line_comment() {
387 "\n"
388 } else {
389 ""
390 },
391 shape.indent.to_string(config),
392 rest_str
393 )
394 })
395 }
396 }
397
398 /// Attributes for code blocks in rustdoc.
399 /// See https://doc.rust-lang.org/rustdoc/print.html#attributes
400 enum CodeBlockAttribute {
401 Rust,
402 Ignore,
403 Text,
404 ShouldPanic,
405 NoRun,
406 CompileFail,
407 }
408
409 impl CodeBlockAttribute {
410 fn new(attribute: &str) -> CodeBlockAttribute {
411 match attribute {
412 "rust" | "" => CodeBlockAttribute::Rust,
413 "ignore" => CodeBlockAttribute::Ignore,
414 "text" => CodeBlockAttribute::Text,
415 "should_panic" => CodeBlockAttribute::ShouldPanic,
416 "no_run" => CodeBlockAttribute::NoRun,
417 "compile_fail" => CodeBlockAttribute::CompileFail,
418 _ => CodeBlockAttribute::Text,
419 }
420 }
421 }
422
423 /// Block that is formatted as an item.
424 ///
425 /// An item starts with either a star `*` or a dash `-`. Different level of indentation are
426 /// handled by shrinking the shape accordingly.
427 struct ItemizedBlock {
428 /// the lines that are identified as part of an itemized block
429 lines: Vec<String>,
430 /// the number of whitespaces up to the item sigil
431 indent: usize,
432 /// the string that marks the start of an item
433 opener: String,
434 /// sequence of whitespaces to prefix new lines that are part of the item
435 line_start: String,
436 }
437
438 impl ItemizedBlock {
439 /// Returns `true` if the line is formatted as an item
440 fn is_itemized_line(line: &str) -> bool {
441 let trimmed = line.trim_start();
442 trimmed.starts_with("* ") || trimmed.starts_with("- ")
443 }
444
445 /// Creates a new ItemizedBlock described with the given line.
446 /// The `is_itemized_line` needs to be called first.
447 fn new(line: &str) -> ItemizedBlock {
448 let space_to_sigil = line.chars().take_while(|c| c.is_whitespace()).count();
449 let indent = space_to_sigil + 2;
450 ItemizedBlock {
451 lines: vec![line[indent..].to_string()],
452 indent,
453 opener: line[..indent].to_string(),
454 line_start: " ".repeat(indent),
455 }
456 }
457
458 /// Returns a `StringFormat` used for formatting the content of an item.
459 fn create_string_format<'a>(&'a self, fmt: &'a StringFormat<'_>) -> StringFormat<'a> {
460 StringFormat {
461 opener: "",
462 closer: "",
463 line_start: "",
464 line_end: "",
465 shape: Shape::legacy(fmt.shape.width.saturating_sub(self.indent), Indent::empty()),
466 trim_end: true,
467 config: fmt.config,
468 }
469 }
470
471 /// Returns `true` if the line is part of the current itemized block.
472 /// If it is, then it is added to the internal lines list.
473 fn add_line(&mut self, line: &str) -> bool {
474 if !ItemizedBlock::is_itemized_line(line)
475 && self.indent <= line.chars().take_while(|c| c.is_whitespace()).count()
476 {
477 self.lines.push(line.to_string());
478 return true;
479 }
480 false
481 }
482
483 /// Returns the block as a string, with each line trimmed at the start.
484 fn trimmed_block_as_string(&self) -> String {
485 self.lines
486 .iter()
487 .map(|line| format!("{} ", line.trim_start()))
488 .collect::<String>()
489 }
490
491 /// Returns the block as a string under its original form.
492 fn original_block_as_string(&self) -> String {
493 self.lines.join("\n")
494 }
495 }
496
497 struct CommentRewrite<'a> {
498 result: String,
499 code_block_buffer: String,
500 is_prev_line_multi_line: bool,
501 code_block_attr: Option<CodeBlockAttribute>,
502 item_block: Option<ItemizedBlock>,
503 comment_line_separator: String,
504 indent_str: String,
505 max_width: usize,
506 fmt_indent: Indent,
507 fmt: StringFormat<'a>,
508
509 opener: String,
510 closer: String,
511 line_start: String,
512 }
513
514 impl<'a> CommentRewrite<'a> {
515 fn new(
516 orig: &'a str,
517 block_style: bool,
518 shape: Shape,
519 config: &'a Config,
520 ) -> CommentRewrite<'a> {
521 let (opener, closer, line_start) = if block_style {
522 CommentStyle::SingleBullet.to_str_tuplet()
523 } else {
524 comment_style(orig, config.normalize_comments()).to_str_tuplet()
525 };
526
527 let max_width = shape
528 .width
529 .checked_sub(closer.len() + opener.len())
530 .unwrap_or(1);
531 let indent_str = shape.indent.to_string_with_newline(config).to_string();
532
533 let mut cr = CommentRewrite {
534 result: String::with_capacity(orig.len() * 2),
535 code_block_buffer: String::with_capacity(128),
536 is_prev_line_multi_line: false,
537 code_block_attr: None,
538 item_block: None,
539 comment_line_separator: format!("{}{}", indent_str, line_start),
540 max_width,
541 indent_str,
542 fmt_indent: shape.indent,
543
544 fmt: StringFormat {
545 opener: "",
546 closer: "",
547 line_start,
548 line_end: "",
549 shape: Shape::legacy(max_width, shape.indent),
550 trim_end: true,
551 config,
552 },
553
554 opener: opener.to_owned(),
555 closer: closer.to_owned(),
556 line_start: line_start.to_owned(),
557 };
558 cr.result.push_str(opener);
559 cr
560 }
561
562 fn join_block(s: &str, sep: &str) -> String {
563 let mut result = String::with_capacity(s.len() + 128);
564 let mut iter = s.lines().peekable();
565 while let Some(line) = iter.next() {
566 result.push_str(line);
567 result.push_str(match iter.peek() {
568 Some(next_line) if next_line.is_empty() => sep.trim_end(),
569 Some(..) => &sep,
570 None => "",
571 });
572 }
573 result
574 }
575
576 fn finish(mut self) -> String {
577 if !self.code_block_buffer.is_empty() {
578 // There is a code block that is not properly enclosed by backticks.
579 // We will leave them untouched.
580 self.result.push_str(&self.comment_line_separator);
581 self.result.push_str(&Self::join_block(
582 &trim_custom_comment_prefix(&self.code_block_buffer),
583 &self.comment_line_separator,
584 ));
585 }
586
587 if let Some(ref ib) = self.item_block {
588 // the last few lines are part of an itemized block
589 self.fmt.shape = Shape::legacy(self.max_width, self.fmt_indent);
590 let item_fmt = ib.create_string_format(&self.fmt);
591 self.result.push_str(&self.comment_line_separator);
592 self.result.push_str(&ib.opener);
593 match rewrite_string(
594 &ib.trimmed_block_as_string(),
595 &item_fmt,
596 self.max_width.saturating_sub(ib.indent),
597 ) {
598 Some(s) => self.result.push_str(&Self::join_block(
599 &s,
600 &format!("{}{}", self.comment_line_separator, ib.line_start),
601 )),
602 None => self.result.push_str(&Self::join_block(
603 &ib.original_block_as_string(),
604 &self.comment_line_separator,
605 )),
606 };
607 }
608
609 self.result.push_str(&self.closer);
610 if self.result.ends_with(&self.opener) && self.opener.ends_with(' ') {
611 // Trailing space.
612 self.result.pop();
613 }
614
615 self.result
616 }
617
618 fn handle_line(
619 &mut self,
620 orig: &'a str,
621 i: usize,
622 line: &'a str,
623 has_leading_whitespace: bool,
624 ) -> bool {
625 let is_last = i == count_newlines(orig);
626
627 if let Some(ref mut ib) = self.item_block {
628 if ib.add_line(&line) {
629 return false;
630 }
631 self.is_prev_line_multi_line = false;
632 self.fmt.shape = Shape::legacy(self.max_width, self.fmt_indent);
633 let item_fmt = ib.create_string_format(&self.fmt);
634 self.result.push_str(&self.comment_line_separator);
635 self.result.push_str(&ib.opener);
636 match rewrite_string(
637 &ib.trimmed_block_as_string(),
638 &item_fmt,
639 self.max_width.saturating_sub(ib.indent),
640 ) {
641 Some(s) => self.result.push_str(&Self::join_block(
642 &s,
643 &format!("{}{}", self.comment_line_separator, ib.line_start),
644 )),
645 None => self.result.push_str(&Self::join_block(
646 &ib.original_block_as_string(),
647 &self.comment_line_separator,
648 )),
649 };
650 } else if self.code_block_attr.is_some() {
651 if line.starts_with("```") {
652 let code_block = match self.code_block_attr.as_ref().unwrap() {
653 CodeBlockAttribute::Ignore | CodeBlockAttribute::Text => {
654 trim_custom_comment_prefix(&self.code_block_buffer)
655 }
656 _ if self.code_block_buffer.is_empty() => String::new(),
657 _ => {
658 let mut config = self.fmt.config.clone();
659 config.set().wrap_comments(false);
660 if config.format_code_in_doc_comments() {
661 if let Some(s) =
662 crate::format_code_block(&self.code_block_buffer, &config, false)
663 {
664 trim_custom_comment_prefix(&s.snippet)
665 } else {
666 trim_custom_comment_prefix(&self.code_block_buffer)
667 }
668 } else {
669 trim_custom_comment_prefix(&self.code_block_buffer)
670 }
671 }
672 };
673 if !code_block.is_empty() {
674 self.result.push_str(&self.comment_line_separator);
675 self.result
676 .push_str(&Self::join_block(&code_block, &self.comment_line_separator));
677 }
678 self.code_block_buffer.clear();
679 self.result.push_str(&self.comment_line_separator);
680 self.result.push_str(line);
681 self.code_block_attr = None;
682 } else {
683 self.code_block_buffer
684 .push_str(&hide_sharp_behind_comment(line));
685 self.code_block_buffer.push('\n');
686 }
687 return false;
688 }
689
690 self.code_block_attr = None;
691 self.item_block = None;
692 if line.starts_with("```") {
693 self.code_block_attr = Some(CodeBlockAttribute::new(&line[3..]))
694 } else if self.fmt.config.wrap_comments() && ItemizedBlock::is_itemized_line(&line) {
695 let ib = ItemizedBlock::new(&line);
696 self.item_block = Some(ib);
697 return false;
698 }
699
700 if self.result == self.opener {
701 let force_leading_whitespace = &self.opener == "/* " && count_newlines(orig) == 0;
702 if !has_leading_whitespace && !force_leading_whitespace && self.result.ends_with(' ') {
703 self.result.pop();
704 }
705 if line.is_empty() {
706 return false;
707 }
708 } else if self.is_prev_line_multi_line && !line.is_empty() {
709 self.result.push(' ')
710 } else if is_last && line.is_empty() {
711 // trailing blank lines are unwanted
712 if !self.closer.is_empty() {
713 self.result.push_str(&self.indent_str);
714 }
715 return true;
716 } else {
717 self.result.push_str(&self.comment_line_separator);
718 if !has_leading_whitespace && self.result.ends_with(' ') {
719 self.result.pop();
720 }
721 }
722
723 if self.fmt.config.wrap_comments()
724 && unicode_str_width(line) > self.fmt.shape.width
725 && !has_url(line)
726 {
727 match rewrite_string(line, &self.fmt, self.max_width) {
728 Some(ref s) => {
729 self.is_prev_line_multi_line = s.contains('\n');
730 self.result.push_str(s);
731 }
732 None if self.is_prev_line_multi_line => {
733 // We failed to put the current `line` next to the previous `line`.
734 // Remove the trailing space, then start rewrite on the next line.
735 self.result.pop();
736 self.result.push_str(&self.comment_line_separator);
737 self.fmt.shape = Shape::legacy(self.max_width, self.fmt_indent);
738 match rewrite_string(line, &self.fmt, self.max_width) {
739 Some(ref s) => {
740 self.is_prev_line_multi_line = s.contains('\n');
741 self.result.push_str(s);
742 }
743 None => {
744 self.is_prev_line_multi_line = false;
745 self.result.push_str(line);
746 }
747 }
748 }
749 None => {
750 self.is_prev_line_multi_line = false;
751 self.result.push_str(line);
752 }
753 }
754
755 self.fmt.shape = if self.is_prev_line_multi_line {
756 // 1 = " "
757 let offset = 1 + last_line_width(&self.result) - self.line_start.len();
758 Shape {
759 width: self.max_width.saturating_sub(offset),
760 indent: self.fmt_indent,
761 offset: self.fmt.shape.offset + offset,
762 }
763 } else {
764 Shape::legacy(self.max_width, self.fmt_indent)
765 };
766 } else {
767 if line.is_empty() && self.result.ends_with(' ') && !is_last {
768 // Remove space if this is an empty comment or a doc comment.
769 self.result.pop();
770 }
771 self.result.push_str(line);
772 self.fmt.shape = Shape::legacy(self.max_width, self.fmt_indent);
773 self.is_prev_line_multi_line = false;
774 }
775
776 false
777 }
778 }
779
780 fn rewrite_comment_inner(
781 orig: &str,
782 block_style: bool,
783 style: CommentStyle<'_>,
784 shape: Shape,
785 config: &Config,
786 is_doc_comment: bool,
787 ) -> Option<String> {
788 let mut rewriter = CommentRewrite::new(orig, block_style, shape, config);
789
790 let line_breaks = count_newlines(orig.trim_end());
791 let lines = orig
792 .lines()
793 .enumerate()
794 .map(|(i, mut line)| {
795 line = trim_end_unless_two_whitespaces(line.trim_start(), is_doc_comment);
796 // Drop old closer.
797 if i == line_breaks && line.ends_with("*/") && !line.starts_with("//") {
798 line = line[..(line.len() - 2)].trim_end();
799 }
800
801 line
802 })
803 .map(|s| left_trim_comment_line(s, &style))
804 .map(|(line, has_leading_whitespace)| {
805 if orig.starts_with("/*") && line_breaks == 0 {
806 (
807 line.trim_start(),
808 has_leading_whitespace || config.normalize_comments(),
809 )
810 } else {
811 (line, has_leading_whitespace || config.normalize_comments())
812 }
813 });
814
815 for (i, (line, has_leading_whitespace)) in lines.enumerate() {
816 if rewriter.handle_line(orig, i, line, has_leading_whitespace) {
817 break;
818 }
819 }
820
821 Some(rewriter.finish())
822 }
823
824 const RUSTFMT_CUSTOM_COMMENT_PREFIX: &str = "//#### ";
825
826 fn hide_sharp_behind_comment(s: &str) -> Cow<'_, str> {
827 let s_trimmed = s.trim();
828 if s_trimmed.starts_with("# ") || s_trimmed == "#" {
829 Cow::from(format!("{}{}", RUSTFMT_CUSTOM_COMMENT_PREFIX, s))
830 } else {
831 Cow::from(s)
832 }
833 }
834
835 fn trim_custom_comment_prefix(s: &str) -> String {
836 s.lines()
837 .map(|line| {
838 let left_trimmed = line.trim_start();
839 if left_trimmed.starts_with(RUSTFMT_CUSTOM_COMMENT_PREFIX) {
840 left_trimmed.trim_start_matches(RUSTFMT_CUSTOM_COMMENT_PREFIX)
841 } else {
842 line
843 }
844 })
845 .collect::<Vec<_>>()
846 .join("\n")
847 }
848
849 /// Returns `true` if the given string MAY include URLs or alike.
850 fn has_url(s: &str) -> bool {
851 // This function may return false positive, but should get its job done in most cases.
852 s.contains("https://") || s.contains("http://") || s.contains("ftp://") || s.contains("file://")
853 }
854
855 /// Given the span, rewrite the missing comment inside it if available.
856 /// Note that the given span must only include comments (or leading/trailing whitespaces).
857 pub(crate) fn rewrite_missing_comment(
858 span: Span,
859 shape: Shape,
860 context: &RewriteContext<'_>,
861 ) -> Option<String> {
862 let missing_snippet = context.snippet(span);
863 let trimmed_snippet = missing_snippet.trim();
864 // check the span starts with a comment
865 let pos = trimmed_snippet.find('/');
866 if !trimmed_snippet.is_empty() && pos.is_some() {
867 rewrite_comment(trimmed_snippet, false, shape, context.config)
868 } else {
869 Some(String::new())
870 }
871 }
872
873 /// Recover the missing comments in the specified span, if available.
874 /// The layout of the comments will be preserved as long as it does not break the code
875 /// and its total width does not exceed the max width.
876 pub(crate) fn recover_missing_comment_in_span(
877 span: Span,
878 shape: Shape,
879 context: &RewriteContext<'_>,
880 used_width: usize,
881 ) -> Option<String> {
882 let missing_comment = rewrite_missing_comment(span, shape, context)?;
883 if missing_comment.is_empty() {
884 Some(String::new())
885 } else {
886 let missing_snippet = context.snippet(span);
887 let pos = missing_snippet.find('/')?;
888 // 1 = ` `
889 let total_width = missing_comment.len() + used_width + 1;
890 let force_new_line_before_comment =
891 missing_snippet[..pos].contains('\n') || total_width > context.config.max_width();
892 let sep = if force_new_line_before_comment {
893 shape.indent.to_string_with_newline(context.config)
894 } else {
895 Cow::from(" ")
896 };
897 Some(format!("{}{}", sep, missing_comment))
898 }
899 }
900
901 /// Trim trailing whitespaces unless they consist of two or more whitespaces.
902 fn trim_end_unless_two_whitespaces(s: &str, is_doc_comment: bool) -> &str {
903 if is_doc_comment && s.ends_with(" ") {
904 s
905 } else {
906 s.trim_end()
907 }
908 }
909
910 /// Trims whitespace and aligns to indent, but otherwise does not change comments.
911 fn light_rewrite_comment(
912 orig: &str,
913 offset: Indent,
914 config: &Config,
915 is_doc_comment: bool,
916 ) -> String {
917 let lines: Vec<&str> = orig
918 .lines()
919 .map(|l| {
920 // This is basically just l.trim(), but in the case that a line starts
921 // with `*` we want to leave one space before it, so it aligns with the
922 // `*` in `/*`.
923 let first_non_whitespace = l.find(|c| !char::is_whitespace(c));
924 let left_trimmed = if let Some(fnw) = first_non_whitespace {
925 if l.as_bytes()[fnw] == b'*' && fnw > 0 {
926 &l[fnw - 1..]
927 } else {
928 &l[fnw..]
929 }
930 } else {
931 ""
932 };
933 // Preserve markdown's double-space line break syntax in doc comment.
934 trim_end_unless_two_whitespaces(left_trimmed, is_doc_comment)
935 })
936 .collect();
937 lines.join(&format!("\n{}", offset.to_string(config)))
938 }
939
940 /// Trims comment characters and possibly a single space from the left of a string.
941 /// Does not trim all whitespace. If a single space is trimmed from the left of the string,
942 /// this function returns true.
943 fn left_trim_comment_line<'a>(line: &'a str, style: &CommentStyle<'_>) -> (&'a str, bool) {
944 if line.starts_with("//! ")
945 || line.starts_with("/// ")
946 || line.starts_with("/*! ")
947 || line.starts_with("/** ")
948 {
949 (&line[4..], true)
950 } else if let CommentStyle::Custom(opener) = *style {
951 if line.starts_with(opener) {
952 (&line[opener.len()..], true)
953 } else {
954 (&line[opener.trim_end().len()..], false)
955 }
956 } else if line.starts_with("/* ")
957 || line.starts_with("// ")
958 || line.starts_with("//!")
959 || line.starts_with("///")
960 || line.starts_with("** ")
961 || line.starts_with("/*!")
962 || (line.starts_with("/**") && !line.starts_with("/**/"))
963 {
964 (&line[3..], line.chars().nth(2).unwrap() == ' ')
965 } else if line.starts_with("/*")
966 || line.starts_with("* ")
967 || line.starts_with("//")
968 || line.starts_with("**")
969 {
970 (&line[2..], line.chars().nth(1).unwrap() == ' ')
971 } else if line.starts_with('*') {
972 (&line[1..], false)
973 } else {
974 (line, line.starts_with(' '))
975 }
976 }
977
978 pub(crate) trait FindUncommented {
979 fn find_uncommented(&self, pat: &str) -> Option<usize>;
980 }
981
982 impl FindUncommented for str {
983 fn find_uncommented(&self, pat: &str) -> Option<usize> {
984 let mut needle_iter = pat.chars();
985 for (kind, (i, b)) in CharClasses::new(self.char_indices()) {
986 match needle_iter.next() {
987 None => {
988 return Some(i - pat.len());
989 }
990 Some(c) => match kind {
991 FullCodeCharKind::Normal | FullCodeCharKind::InString if b == c => {}
992 _ => {
993 needle_iter = pat.chars();
994 }
995 },
996 }
997 }
998
999 // Handle case where the pattern is a suffix of the search string
1000 match needle_iter.next() {
1001 Some(_) => None,
1002 None => Some(self.len() - pat.len()),
1003 }
1004 }
1005 }
1006
1007 // Returns the first byte position after the first comment. The given string
1008 // is expected to be prefixed by a comment, including delimiters.
1009 // Good: `/* /* inner */ outer */ code();`
1010 // Bad: `code(); // hello\n world!`
1011 pub(crate) fn find_comment_end(s: &str) -> Option<usize> {
1012 let mut iter = CharClasses::new(s.char_indices());
1013 for (kind, (i, _c)) in &mut iter {
1014 if kind == FullCodeCharKind::Normal || kind == FullCodeCharKind::InString {
1015 return Some(i);
1016 }
1017 }
1018
1019 // Handle case where the comment ends at the end of `s`.
1020 if iter.status == CharClassesStatus::Normal {
1021 Some(s.len())
1022 } else {
1023 None
1024 }
1025 }
1026
1027 /// Returns `true` if text contains any comment.
1028 pub(crate) fn contains_comment(text: &str) -> bool {
1029 CharClasses::new(text.chars()).any(|(kind, _)| kind.is_comment())
1030 }
1031
1032 pub(crate) struct CharClasses<T>
1033 where
1034 T: Iterator,
1035 T::Item: RichChar,
1036 {
1037 base: MultiPeek<T>,
1038 status: CharClassesStatus,
1039 }
1040
1041 pub(crate) trait RichChar {
1042 fn get_char(&self) -> char;
1043 }
1044
1045 impl RichChar for char {
1046 fn get_char(&self) -> char {
1047 *self
1048 }
1049 }
1050
1051 impl RichChar for (usize, char) {
1052 fn get_char(&self) -> char {
1053 self.1
1054 }
1055 }
1056
1057 #[derive(PartialEq, Eq, Debug, Clone, Copy)]
1058 enum CharClassesStatus {
1059 Normal,
1060 /// Character is within a string
1061 LitString,
1062 LitStringEscape,
1063 /// Character is within a raw string
1064 LitRawString(u32),
1065 RawStringPrefix(u32),
1066 RawStringSuffix(u32),
1067 LitChar,
1068 LitCharEscape,
1069 /// Character inside a block comment, with the integer indicating the nesting deepness of the
1070 /// comment
1071 BlockComment(u32),
1072 /// Character inside a block-commented string, with the integer indicating the nesting deepness
1073 /// of the comment
1074 StringInBlockComment(u32),
1075 /// Status when the '/' has been consumed, but not yet the '*', deepness is
1076 /// the new deepness (after the comment opening).
1077 BlockCommentOpening(u32),
1078 /// Status when the '*' has been consumed, but not yet the '/', deepness is
1079 /// the new deepness (after the comment closing).
1080 BlockCommentClosing(u32),
1081 /// Character is within a line comment
1082 LineComment,
1083 }
1084
1085 /// Distinguish between functional part of code and comments
1086 #[derive(PartialEq, Eq, Debug, Clone, Copy)]
1087 pub(crate) enum CodeCharKind {
1088 Normal,
1089 Comment,
1090 }
1091
1092 /// Distinguish between functional part of code and comments,
1093 /// describing opening and closing of comments for ease when chunking
1094 /// code from tagged characters
1095 #[derive(PartialEq, Eq, Debug, Clone, Copy)]
1096 pub(crate) enum FullCodeCharKind {
1097 Normal,
1098 /// The first character of a comment, there is only one for a comment (always '/')
1099 StartComment,
1100 /// Any character inside a comment including the second character of comment
1101 /// marks ("//", "/*")
1102 InComment,
1103 /// Last character of a comment, '\n' for a line comment, '/' for a block comment.
1104 EndComment,
1105 /// Start of a mutlitine string inside a comment
1106 StartStringCommented,
1107 /// End of a mutlitine string inside a comment
1108 EndStringCommented,
1109 /// Inside a commented string
1110 InStringCommented,
1111 /// Start of a mutlitine string
1112 StartString,
1113 /// End of a mutlitine string
1114 EndString,
1115 /// Inside a string.
1116 InString,
1117 }
1118
1119 impl FullCodeCharKind {
1120 pub(crate) fn is_comment(self) -> bool {
1121 match self {
1122 FullCodeCharKind::StartComment
1123 | FullCodeCharKind::InComment
1124 | FullCodeCharKind::EndComment
1125 | FullCodeCharKind::StartStringCommented
1126 | FullCodeCharKind::InStringCommented
1127 | FullCodeCharKind::EndStringCommented => true,
1128 _ => false,
1129 }
1130 }
1131
1132 /// Returns true if the character is inside a comment
1133 pub(crate) fn inside_comment(self) -> bool {
1134 match self {
1135 FullCodeCharKind::InComment
1136 | FullCodeCharKind::StartStringCommented
1137 | FullCodeCharKind::InStringCommented
1138 | FullCodeCharKind::EndStringCommented => true,
1139 _ => false,
1140 }
1141 }
1142
1143 pub(crate) fn is_string(self) -> bool {
1144 self == FullCodeCharKind::InString || self == FullCodeCharKind::StartString
1145 }
1146
1147 /// Returns true if the character is within a commented string
1148 pub(crate) fn is_commented_string(self) -> bool {
1149 self == FullCodeCharKind::InStringCommented
1150 || self == FullCodeCharKind::StartStringCommented
1151 }
1152
1153 fn to_codecharkind(self) -> CodeCharKind {
1154 if self.is_comment() {
1155 CodeCharKind::Comment
1156 } else {
1157 CodeCharKind::Normal
1158 }
1159 }
1160 }
1161
1162 impl<T> CharClasses<T>
1163 where
1164 T: Iterator,
1165 T::Item: RichChar,
1166 {
1167 pub(crate) fn new(base: T) -> CharClasses<T> {
1168 CharClasses {
1169 base: multipeek(base),
1170 status: CharClassesStatus::Normal,
1171 }
1172 }
1173 }
1174
1175 fn is_raw_string_suffix<T>(iter: &mut MultiPeek<T>, count: u32) -> bool
1176 where
1177 T: Iterator,
1178 T::Item: RichChar,
1179 {
1180 for _ in 0..count {
1181 match iter.peek() {
1182 Some(c) if c.get_char() == '#' => continue,
1183 _ => return false,
1184 }
1185 }
1186 true
1187 }
1188
1189 impl<T> Iterator for CharClasses<T>
1190 where
1191 T: Iterator,
1192 T::Item: RichChar,
1193 {
1194 type Item = (FullCodeCharKind, T::Item);
1195
1196 fn next(&mut self) -> Option<(FullCodeCharKind, T::Item)> {
1197 let item = self.base.next()?;
1198 let chr = item.get_char();
1199 let mut char_kind = FullCodeCharKind::Normal;
1200 self.status = match self.status {
1201 CharClassesStatus::LitRawString(sharps) => {
1202 char_kind = FullCodeCharKind::InString;
1203 match chr {
1204 '"' => {
1205 if sharps == 0 {
1206 char_kind = FullCodeCharKind::Normal;
1207 CharClassesStatus::Normal
1208 } else if is_raw_string_suffix(&mut self.base, sharps) {
1209 CharClassesStatus::RawStringSuffix(sharps)
1210 } else {
1211 CharClassesStatus::LitRawString(sharps)
1212 }
1213 }
1214 _ => CharClassesStatus::LitRawString(sharps),
1215 }
1216 }
1217 CharClassesStatus::RawStringPrefix(sharps) => {
1218 char_kind = FullCodeCharKind::InString;
1219 match chr {
1220 '#' => CharClassesStatus::RawStringPrefix(sharps + 1),
1221 '"' => CharClassesStatus::LitRawString(sharps),
1222 _ => CharClassesStatus::Normal, // Unreachable.
1223 }
1224 }
1225 CharClassesStatus::RawStringSuffix(sharps) => {
1226 match chr {
1227 '#' => {
1228 if sharps == 1 {
1229 CharClassesStatus::Normal
1230 } else {
1231 char_kind = FullCodeCharKind::InString;
1232 CharClassesStatus::RawStringSuffix(sharps - 1)
1233 }
1234 }
1235 _ => CharClassesStatus::Normal, // Unreachable
1236 }
1237 }
1238 CharClassesStatus::LitString => {
1239 char_kind = FullCodeCharKind::InString;
1240 match chr {
1241 '"' => CharClassesStatus::Normal,
1242 '\\' => CharClassesStatus::LitStringEscape,
1243 _ => CharClassesStatus::LitString,
1244 }
1245 }
1246 CharClassesStatus::LitStringEscape => {
1247 char_kind = FullCodeCharKind::InString;
1248 CharClassesStatus::LitString
1249 }
1250 CharClassesStatus::LitChar => match chr {
1251 '\\' => CharClassesStatus::LitCharEscape,
1252 '\'' => CharClassesStatus::Normal,
1253 _ => CharClassesStatus::LitChar,
1254 },
1255 CharClassesStatus::LitCharEscape => CharClassesStatus::LitChar,
1256 CharClassesStatus::Normal => match chr {
1257 'r' => match self.base.peek().map(RichChar::get_char) {
1258 Some('#') | Some('"') => {
1259 char_kind = FullCodeCharKind::InString;
1260 CharClassesStatus::RawStringPrefix(0)
1261 }
1262 _ => CharClassesStatus::Normal,
1263 },
1264 '"' => {
1265 char_kind = FullCodeCharKind::InString;
1266 CharClassesStatus::LitString
1267 }
1268 '\'' => {
1269 // HACK: Work around mut borrow.
1270 match self.base.peek() {
1271 Some(next) if next.get_char() == '\\' => {
1272 self.status = CharClassesStatus::LitChar;
1273 return Some((char_kind, item));
1274 }
1275 _ => (),
1276 }
1277
1278 match self.base.peek() {
1279 Some(next) if next.get_char() == '\'' => CharClassesStatus::LitChar,
1280 _ => CharClassesStatus::Normal,
1281 }
1282 }
1283 '/' => match self.base.peek() {
1284 Some(next) if next.get_char() == '*' => {
1285 self.status = CharClassesStatus::BlockCommentOpening(1);
1286 return Some((FullCodeCharKind::StartComment, item));
1287 }
1288 Some(next) if next.get_char() == '/' => {
1289 self.status = CharClassesStatus::LineComment;
1290 return Some((FullCodeCharKind::StartComment, item));
1291 }
1292 _ => CharClassesStatus::Normal,
1293 },
1294 _ => CharClassesStatus::Normal,
1295 },
1296 CharClassesStatus::StringInBlockComment(deepness) => {
1297 char_kind = FullCodeCharKind::InStringCommented;
1298 if chr == '"' {
1299 CharClassesStatus::BlockComment(deepness)
1300 } else {
1301 CharClassesStatus::StringInBlockComment(deepness)
1302 }
1303 }
1304 CharClassesStatus::BlockComment(deepness) => {
1305 assert_ne!(deepness, 0);
1306 char_kind = FullCodeCharKind::InComment;
1307 match self.base.peek() {
1308 Some(next) if next.get_char() == '/' && chr == '*' => {
1309 CharClassesStatus::BlockCommentClosing(deepness - 1)
1310 }
1311 Some(next) if next.get_char() == '*' && chr == '/' => {
1312 CharClassesStatus::BlockCommentOpening(deepness + 1)
1313 }
1314 _ if chr == '"' => CharClassesStatus::StringInBlockComment(deepness),
1315 _ => self.status,
1316 }
1317 }
1318 CharClassesStatus::BlockCommentOpening(deepness) => {
1319 assert_eq!(chr, '*');
1320 self.status = CharClassesStatus::BlockComment(deepness);
1321 return Some((FullCodeCharKind::InComment, item));
1322 }
1323 CharClassesStatus::BlockCommentClosing(deepness) => {
1324 assert_eq!(chr, '/');
1325 if deepness == 0 {
1326 self.status = CharClassesStatus::Normal;
1327 return Some((FullCodeCharKind::EndComment, item));
1328 } else {
1329 self.status = CharClassesStatus::BlockComment(deepness);
1330 return Some((FullCodeCharKind::InComment, item));
1331 }
1332 }
1333 CharClassesStatus::LineComment => match chr {
1334 '\n' => {
1335 self.status = CharClassesStatus::Normal;
1336 return Some((FullCodeCharKind::EndComment, item));
1337 }
1338 _ => {
1339 self.status = CharClassesStatus::LineComment;
1340 return Some((FullCodeCharKind::InComment, item));
1341 }
1342 },
1343 };
1344 Some((char_kind, item))
1345 }
1346 }
1347
1348 /// An iterator over the lines of a string, paired with the char kind at the
1349 /// end of the line.
1350 pub(crate) struct LineClasses<'a> {
1351 base: iter::Peekable<CharClasses<std::str::Chars<'a>>>,
1352 kind: FullCodeCharKind,
1353 }
1354
1355 impl<'a> LineClasses<'a> {
1356 pub(crate) fn new(s: &'a str) -> Self {
1357 LineClasses {
1358 base: CharClasses::new(s.chars()).peekable(),
1359 kind: FullCodeCharKind::Normal,
1360 }
1361 }
1362 }
1363
1364 impl<'a> Iterator for LineClasses<'a> {
1365 type Item = (FullCodeCharKind, String);
1366
1367 fn next(&mut self) -> Option<Self::Item> {
1368 self.base.peek()?;
1369
1370 let mut line = String::new();
1371
1372 let start_kind = match self.base.peek() {
1373 Some((kind, _)) => *kind,
1374 None => unreachable!(),
1375 };
1376
1377 while let Some((kind, c)) = self.base.next() {
1378 // needed to set the kind of the ending character on the last line
1379 self.kind = kind;
1380 if c == '\n' {
1381 self.kind = match (start_kind, kind) {
1382 (FullCodeCharKind::Normal, FullCodeCharKind::InString) => {
1383 FullCodeCharKind::StartString
1384 }
1385 (FullCodeCharKind::InString, FullCodeCharKind::Normal) => {
1386 FullCodeCharKind::EndString
1387 }
1388 (FullCodeCharKind::InComment, FullCodeCharKind::InStringCommented) => {
1389 FullCodeCharKind::StartStringCommented
1390 }
1391 (FullCodeCharKind::InStringCommented, FullCodeCharKind::InComment) => {
1392 FullCodeCharKind::EndStringCommented
1393 }
1394 _ => kind,
1395 };
1396 break;
1397 }
1398 line.push(c);
1399 }
1400
1401 // Workaround for CRLF newline.
1402 if line.ends_with('\r') {
1403 line.pop();
1404 }
1405
1406 Some((self.kind, line))
1407 }
1408 }
1409
1410 /// Iterator over functional and commented parts of a string. Any part of a string is either
1411 /// functional code, either *one* block comment, either *one* line comment. Whitespace between
1412 /// comments is functional code. Line comments contain their ending newlines.
1413 struct UngroupedCommentCodeSlices<'a> {
1414 slice: &'a str,
1415 iter: iter::Peekable<CharClasses<std::str::CharIndices<'a>>>,
1416 }
1417
1418 impl<'a> UngroupedCommentCodeSlices<'a> {
1419 fn new(code: &'a str) -> UngroupedCommentCodeSlices<'a> {
1420 UngroupedCommentCodeSlices {
1421 slice: code,
1422 iter: CharClasses::new(code.char_indices()).peekable(),
1423 }
1424 }
1425 }
1426
1427 impl<'a> Iterator for UngroupedCommentCodeSlices<'a> {
1428 type Item = (CodeCharKind, usize, &'a str);
1429
1430 fn next(&mut self) -> Option<Self::Item> {
1431 let (kind, (start_idx, _)) = self.iter.next()?;
1432 match kind {
1433 FullCodeCharKind::Normal | FullCodeCharKind::InString => {
1434 // Consume all the Normal code
1435 while let Some(&(char_kind, _)) = self.iter.peek() {
1436 if char_kind.is_comment() {
1437 break;
1438 }
1439 let _ = self.iter.next();
1440 }
1441 }
1442 FullCodeCharKind::StartComment => {
1443 // Consume the whole comment
1444 loop {
1445 match self.iter.next() {
1446 Some((kind, ..)) if kind.inside_comment() => continue,
1447 _ => break,
1448 }
1449 }
1450 }
1451 _ => panic!(),
1452 }
1453 let slice = match self.iter.peek() {
1454 Some(&(_, (end_idx, _))) => &self.slice[start_idx..end_idx],
1455 None => &self.slice[start_idx..],
1456 };
1457 Some((
1458 if kind.is_comment() {
1459 CodeCharKind::Comment
1460 } else {
1461 CodeCharKind::Normal
1462 },
1463 start_idx,
1464 slice,
1465 ))
1466 }
1467 }
1468
1469 /// Iterator over an alternating sequence of functional and commented parts of
1470 /// a string. The first item is always a, possibly zero length, subslice of
1471 /// functional text. Line style comments contain their ending newlines.
1472 pub(crate) struct CommentCodeSlices<'a> {
1473 slice: &'a str,
1474 last_slice_kind: CodeCharKind,
1475 last_slice_end: usize,
1476 }
1477
1478 impl<'a> CommentCodeSlices<'a> {
1479 pub(crate) fn new(slice: &'a str) -> CommentCodeSlices<'a> {
1480 CommentCodeSlices {
1481 slice,
1482 last_slice_kind: CodeCharKind::Comment,
1483 last_slice_end: 0,
1484 }
1485 }
1486 }
1487
1488 impl<'a> Iterator for CommentCodeSlices<'a> {
1489 type Item = (CodeCharKind, usize, &'a str);
1490
1491 fn next(&mut self) -> Option<Self::Item> {
1492 if self.last_slice_end == self.slice.len() {
1493 return None;
1494 }
1495
1496 let mut sub_slice_end = self.last_slice_end;
1497 let mut first_whitespace = None;
1498 let subslice = &self.slice[self.last_slice_end..];
1499 let mut iter = CharClasses::new(subslice.char_indices());
1500
1501 for (kind, (i, c)) in &mut iter {
1502 let is_comment_connector = self.last_slice_kind == CodeCharKind::Normal
1503 && &subslice[..2] == "//"
1504 && [' ', '\t'].contains(&c);
1505
1506 if is_comment_connector && first_whitespace.is_none() {
1507 first_whitespace = Some(i);
1508 }
1509
1510 if kind.to_codecharkind() == self.last_slice_kind && !is_comment_connector {
1511 let last_index = match first_whitespace {
1512 Some(j) => j,
1513 None => i,
1514 };
1515 sub_slice_end = self.last_slice_end + last_index;
1516 break;
1517 }
1518
1519 if !is_comment_connector {
1520 first_whitespace = None;
1521 }
1522 }
1523
1524 if let (None, true) = (iter.next(), sub_slice_end == self.last_slice_end) {
1525 // This was the last subslice.
1526 sub_slice_end = match first_whitespace {
1527 Some(i) => self.last_slice_end + i,
1528 None => self.slice.len(),
1529 };
1530 }
1531
1532 let kind = match self.last_slice_kind {
1533 CodeCharKind::Comment => CodeCharKind::Normal,
1534 CodeCharKind::Normal => CodeCharKind::Comment,
1535 };
1536 let res = (
1537 kind,
1538 self.last_slice_end,
1539 &self.slice[self.last_slice_end..sub_slice_end],
1540 );
1541 self.last_slice_end = sub_slice_end;
1542 self.last_slice_kind = kind;
1543
1544 Some(res)
1545 }
1546 }
1547
1548 /// Checks is `new` didn't miss any comment from `span`, if it removed any, return previous text
1549 /// (if it fits in the width/offset, else return `None`), else return `new`
1550 pub(crate) fn recover_comment_removed(
1551 new: String,
1552 span: Span,
1553 context: &RewriteContext<'_>,
1554 ) -> Option<String> {
1555 let snippet = context.snippet(span);
1556 if snippet != new && changed_comment_content(snippet, &new) {
1557 // We missed some comments. Warn and keep the original text.
1558 if context.config.error_on_unformatted() {
1559 context.report.append(
1560 context.parse_sess.span_to_filename(span),
1561 vec![FormattingError::from_span(
1562 span,
1563 &context.parse_sess,
1564 ErrorKind::LostComment,
1565 )],
1566 );
1567 }
1568 Some(snippet.to_owned())
1569 } else {
1570 Some(new)
1571 }
1572 }
1573
1574 pub(crate) fn filter_normal_code(code: &str) -> String {
1575 let mut buffer = String::with_capacity(code.len());
1576 LineClasses::new(code).for_each(|(kind, line)| match kind {
1577 FullCodeCharKind::Normal
1578 | FullCodeCharKind::StartString
1579 | FullCodeCharKind::InString
1580 | FullCodeCharKind::EndString => {
1581 buffer.push_str(&line);
1582 buffer.push('\n');
1583 }
1584 _ => (),
1585 });
1586 if !code.ends_with('\n') && buffer.ends_with('\n') {
1587 buffer.pop();
1588 }
1589 buffer
1590 }
1591
1592 /// Returns `true` if the two strings of code have the same payload of comments.
1593 /// The payload of comments is everything in the string except:
1594 /// - actual code (not comments),
1595 /// - comment start/end marks,
1596 /// - whitespace,
1597 /// - '*' at the beginning of lines in block comments.
1598 fn changed_comment_content(orig: &str, new: &str) -> bool {
1599 // Cannot write this as a fn since we cannot return types containing closures.
1600 let code_comment_content = |code| {
1601 let slices = UngroupedCommentCodeSlices::new(code);
1602 slices
1603 .filter(|&(ref kind, _, _)| *kind == CodeCharKind::Comment)
1604 .flat_map(|(_, _, s)| CommentReducer::new(s))
1605 };
1606 let res = code_comment_content(orig).ne(code_comment_content(new));
1607 debug!(
1608 "comment::changed_comment_content: {}\norig: '{}'\nnew: '{}'\nraw_old: {}\nraw_new: {}",
1609 res,
1610 orig,
1611 new,
1612 code_comment_content(orig).collect::<String>(),
1613 code_comment_content(new).collect::<String>()
1614 );
1615 res
1616 }
1617
1618 /// Iterator over the 'payload' characters of a comment.
1619 /// It skips whitespace, comment start/end marks, and '*' at the beginning of lines.
1620 /// The comment must be one comment, ie not more than one start mark (no multiple line comments,
1621 /// for example).
1622 struct CommentReducer<'a> {
1623 is_block: bool,
1624 at_start_line: bool,
1625 iter: std::str::Chars<'a>,
1626 }
1627
1628 impl<'a> CommentReducer<'a> {
1629 fn new(comment: &'a str) -> CommentReducer<'a> {
1630 let is_block = comment.starts_with("/*");
1631 let comment = remove_comment_header(comment);
1632 CommentReducer {
1633 is_block,
1634 // There are no supplementary '*' on the first line.
1635 at_start_line: false,
1636 iter: comment.chars(),
1637 }
1638 }
1639 }
1640
1641 impl<'a> Iterator for CommentReducer<'a> {
1642 type Item = char;
1643
1644 fn next(&mut self) -> Option<Self::Item> {
1645 loop {
1646 let mut c = self.iter.next()?;
1647 if self.is_block && self.at_start_line {
1648 while c.is_whitespace() {
1649 c = self.iter.next()?;
1650 }
1651 // Ignore leading '*'.
1652 if c == '*' {
1653 c = self.iter.next()?;
1654 }
1655 } else if c == '\n' {
1656 self.at_start_line = true;
1657 }
1658 if !c.is_whitespace() {
1659 return Some(c);
1660 }
1661 }
1662 }
1663 }
1664
1665 fn remove_comment_header(comment: &str) -> &str {
1666 if comment.starts_with("///") || comment.starts_with("//!") {
1667 &comment[3..]
1668 } else if comment.starts_with("//") {
1669 &comment[2..]
1670 } else if (comment.starts_with("/**") && !comment.starts_with("/**/"))
1671 || comment.starts_with("/*!")
1672 {
1673 &comment[3..comment.len() - 2]
1674 } else {
1675 assert!(
1676 comment.starts_with("/*"),
1677 format!("string '{}' is not a comment", comment)
1678 );
1679 &comment[2..comment.len() - 2]
1680 }
1681 }
1682
1683 #[cfg(test)]
1684 mod test {
1685 use super::*;
1686 use crate::shape::{Indent, Shape};
1687
1688 #[test]
1689 fn char_classes() {
1690 let mut iter = CharClasses::new("//\n\n".chars());
1691
1692 assert_eq!((FullCodeCharKind::StartComment, '/'), iter.next().unwrap());
1693 assert_eq!((FullCodeCharKind::InComment, '/'), iter.next().unwrap());
1694 assert_eq!((FullCodeCharKind::EndComment, '\n'), iter.next().unwrap());
1695 assert_eq!((FullCodeCharKind::Normal, '\n'), iter.next().unwrap());
1696 assert_eq!(None, iter.next());
1697 }
1698
1699 #[test]
1700 fn comment_code_slices() {
1701 let input = "code(); /* test */ 1 + 1";
1702 let mut iter = CommentCodeSlices::new(input);
1703
1704 assert_eq!((CodeCharKind::Normal, 0, "code(); "), iter.next().unwrap());
1705 assert_eq!(
1706 (CodeCharKind::Comment, 8, "/* test */"),
1707 iter.next().unwrap()
1708 );
1709 assert_eq!((CodeCharKind::Normal, 18, " 1 + 1"), iter.next().unwrap());
1710 assert_eq!(None, iter.next());
1711 }
1712
1713 #[test]
1714 fn comment_code_slices_two() {
1715 let input = "// comment\n test();";
1716 let mut iter = CommentCodeSlices::new(input);
1717
1718 assert_eq!((CodeCharKind::Normal, 0, ""), iter.next().unwrap());
1719 assert_eq!(
1720 (CodeCharKind::Comment, 0, "// comment\n"),
1721 iter.next().unwrap()
1722 );
1723 assert_eq!(
1724 (CodeCharKind::Normal, 11, " test();"),
1725 iter.next().unwrap()
1726 );
1727 assert_eq!(None, iter.next());
1728 }
1729
1730 #[test]
1731 fn comment_code_slices_three() {
1732 let input = "1 // comment\n // comment2\n\n";
1733 let mut iter = CommentCodeSlices::new(input);
1734
1735 assert_eq!((CodeCharKind::Normal, 0, "1 "), iter.next().unwrap());
1736 assert_eq!(
1737 (CodeCharKind::Comment, 2, "// comment\n // comment2\n"),
1738 iter.next().unwrap()
1739 );
1740 assert_eq!((CodeCharKind::Normal, 29, "\n"), iter.next().unwrap());
1741 assert_eq!(None, iter.next());
1742 }
1743
1744 #[test]
1745 #[rustfmt::skip]
1746 fn format_doc_comments() {
1747 let mut wrap_normalize_config: crate::config::Config = Default::default();
1748 wrap_normalize_config.set().wrap_comments(true);
1749 wrap_normalize_config.set().normalize_comments(true);
1750
1751 let mut wrap_config: crate::config::Config = Default::default();
1752 wrap_config.set().wrap_comments(true);
1753
1754 let comment = rewrite_comment(" //test",
1755 true,
1756 Shape::legacy(100, Indent::new(0, 100)),
1757 &wrap_normalize_config).unwrap();
1758 assert_eq!("/* test */", comment);
1759
1760 let comment = rewrite_comment("// comment on a",
1761 false,
1762 Shape::legacy(10, Indent::empty()),
1763 &wrap_normalize_config).unwrap();
1764 assert_eq!("// comment\n// on a", comment);
1765
1766 let comment = rewrite_comment("// A multi line comment\n // between args.",
1767 false,
1768 Shape::legacy(60, Indent::new(0, 12)),
1769 &wrap_normalize_config).unwrap();
1770 assert_eq!("// A multi line comment\n // between args.", comment);
1771
1772 let input = "// comment";
1773 let expected =
1774 "/* comment */";
1775 let comment = rewrite_comment(input,
1776 true,
1777 Shape::legacy(9, Indent::new(0, 69)),
1778 &wrap_normalize_config).unwrap();
1779 assert_eq!(expected, comment);
1780
1781 let comment = rewrite_comment("/* trimmed */",
1782 true,
1783 Shape::legacy(100, Indent::new(0, 100)),
1784 &wrap_normalize_config).unwrap();
1785 assert_eq!("/* trimmed */", comment);
1786
1787 // Check that different comment style are properly recognised.
1788 let comment = rewrite_comment(r#"/// test1
1789 /// test2
1790 /*
1791 * test3
1792 */"#,
1793 false,
1794 Shape::legacy(100, Indent::new(0, 0)),
1795 &wrap_normalize_config).unwrap();
1796 assert_eq!("/// test1\n/// test2\n// test3", comment);
1797
1798 // Check that the blank line marks the end of a commented paragraph.
1799 let comment = rewrite_comment(r#"// test1
1800
1801 // test2"#,
1802 false,
1803 Shape::legacy(100, Indent::new(0, 0)),
1804 &wrap_normalize_config).unwrap();
1805 assert_eq!("// test1\n\n// test2", comment);
1806
1807 // Check that the blank line marks the end of a custom-commented paragraph.
1808 let comment = rewrite_comment(r#"//@ test1
1809
1810 //@ test2"#,
1811 false,
1812 Shape::legacy(100, Indent::new(0, 0)),
1813 &wrap_normalize_config).unwrap();
1814 assert_eq!("//@ test1\n\n//@ test2", comment);
1815
1816 // Check that bare lines are just indented but otherwise left unchanged.
1817 let comment = rewrite_comment(r#"// test1
1818 /*
1819 a bare line!
1820
1821 another bare line!
1822 */"#,
1823 false,
1824 Shape::legacy(100, Indent::new(0, 0)),
1825 &wrap_config).unwrap();
1826 assert_eq!("// test1\n/*\n a bare line!\n\n another bare line!\n*/", comment);
1827 }
1828
1829 // This is probably intended to be a non-test fn, but it is not used.
1830 // We should keep this around unless it helps us test stuff to remove it.
1831 fn uncommented(text: &str) -> String {
1832 CharClasses::new(text.chars())
1833 .filter_map(|(s, c)| match s {
1834 FullCodeCharKind::Normal | FullCodeCharKind::InString => Some(c),
1835 _ => None,
1836 })
1837 .collect()
1838 }
1839
1840 #[test]
1841 fn test_uncommented() {
1842 assert_eq!(&uncommented("abc/*...*/"), "abc");
1843 assert_eq!(
1844 &uncommented("// .... /* \n../* /* *** / */ */a/* // */c\n"),
1845 "..ac\n"
1846 );
1847 assert_eq!(&uncommented("abc \" /* */\" qsdf"), "abc \" /* */\" qsdf");
1848 }
1849
1850 #[test]
1851 fn test_contains_comment() {
1852 assert_eq!(contains_comment("abc"), false);
1853 assert_eq!(contains_comment("abc // qsdf"), true);
1854 assert_eq!(contains_comment("abc /* kqsdf"), true);
1855 assert_eq!(contains_comment("abc \" /* */\" qsdf"), false);
1856 }
1857
1858 #[test]
1859 fn test_find_uncommented() {
1860 fn check(haystack: &str, needle: &str, expected: Option<usize>) {
1861 assert_eq!(expected, haystack.find_uncommented(needle));
1862 }
1863
1864 check("/*/ */test", "test", Some(6));
1865 check("//test\ntest", "test", Some(7));
1866 check("/* comment only */", "whatever", None);
1867 check(
1868 "/* comment */ some text /* more commentary */ result",
1869 "result",
1870 Some(46),
1871 );
1872 check("sup // sup", "p", Some(2));
1873 check("sup", "x", None);
1874 check(r#"π? /**/ π is nice!"#, r#"π is nice"#, Some(9));
1875 check("/*sup yo? \n sup*/ sup", "p", Some(20));
1876 check("hel/*lohello*/lo", "hello", None);
1877 check("acb", "ab", None);
1878 check(",/*A*/ ", ",", Some(0));
1879 check("abc", "abc", Some(0));
1880 check("/* abc */", "abc", None);
1881 check("/**/abc/* */", "abc", Some(4));
1882 check("\"/* abc */\"", "abc", Some(4));
1883 check("\"/* abc", "abc", Some(4));
1884 }
1885
1886 #[test]
1887 fn test_filter_normal_code() {
1888 let s = r#"
1889 fn main() {
1890 println!("hello, world");
1891 }
1892 "#;
1893 assert_eq!(s, filter_normal_code(s));
1894 let s_with_comment = r#"
1895 fn main() {
1896 // hello, world
1897 println!("hello, world");
1898 }
1899 "#;
1900 assert_eq!(s, filter_normal_code(s_with_comment));
1901 }
1902 }