1use std::ffi::OsStr;
21use std::path::Path;
22use std::sync::LazyLock;
23
24use regex::RegexSetBuilder;
25use rustc_hash::FxHashMap;
26
27use crate::diagnostics::{CheckId, TidyCtx};
28use crate::walk::{filter_dirs, walk};
29
30#[cfg(test)]
31mod tests;
32
33const ERROR_CODE_COLS: usize = 80;
36const COLS: usize = 100;
37const GOML_COLS: usize = 120;
38
39const LINES: usize = 3000;
40
41const UNEXPLAINED_IGNORE_DOCTEST_INFO: &str = r#"unexplained "```ignore" doctest; try one:
42
43* make the test actually pass, by adding necessary imports and declarations, or
44* use "```text", if the code is not Rust code, or
45* use "```compile_fail,Ennnn", if the code is expected to fail at compile time, or
46* use "```should_panic", if the code is expected to fail at run time, or
47* use "```no_run", if the code should type-check but not necessary linkable/runnable, or
48* explain it like "```ignore (cannot-test-this-because-xxxx)", if the annotation cannot be avoided.
49
50"#;
51
52const LLVM_UNREACHABLE_INFO: &str = r"\
53C++ code used llvm_unreachable, which triggers undefined behavior
54when executed when assertions are disabled.
55Use llvm::report_fatal_error for increased robustness.";
56
57const DOUBLE_SPACE_AFTER_DOT: &str = r"\
58Use a single space after dots in comments.";
59
60const ANNOTATIONS_TO_IGNORE: &[&str] = &[
61 "// @!has",
62 "// @has",
63 "// @matches",
64 "// CHECK",
65 "// EMIT_MIR",
66 "// compile-flags",
67 "//@ compile-flags",
68 "// error-pattern",
69 "//@ error-pattern",
70 "//@ gdb",
71 "//@ lldb",
72 "//@ cdb",
73 "//@ normalize-stderr",
74];
75
76const LINELENGTH_CHECK: &str = "linelength";
77
78const CONFIGURABLE_CHECKS: [&str; 11] = [
80 "cr",
81 "undocumented-unsafe",
82 "tab",
83 LINELENGTH_CHECK,
84 "filelength",
85 "end-whitespace",
86 "trailing-newlines",
87 "leading-newlines",
88 "copyright",
89 "dbg",
90 "odd-backticks",
91];
92
93fn generate_problems<'a>(
94 consts: &'a [u32],
95 letter_digit: &'a FxHashMap<char, char>,
96) -> impl Iterator<Item = u32> + 'a {
97 consts.iter().flat_map(move |const_value| {
98 let problem = letter_digit.iter().fold(format!("{const_value:X}"), |acc, (key, value)| {
99 acc.replace(&value.to_string(), &key.to_string())
100 });
101 let indexes: Vec<usize> = problem
102 .chars()
103 .enumerate()
104 .filter_map(|(index, c)| if letter_digit.contains_key(&c) { Some(index) } else { None })
105 .collect();
106 (0..1 << indexes.len()).map(move |i| {
107 u32::from_str_radix(
108 &problem
109 .chars()
110 .enumerate()
111 .map(|(index, c)| {
112 if let Some(pos) = indexes.iter().position(|&x| x == index) {
113 if (i >> pos) & 1 == 1 { letter_digit[&c] } else { c }
114 } else {
115 c
116 }
117 })
118 .collect::<String>(),
119 0x10,
120 )
121 .unwrap()
122 })
123 })
124}
125
126const ROOT_PROBLEMATIC_CONSTS: &[u32] = &[
128 184594741, 2880289470, 2881141438, 2965027518, 2976579765, 3203381950, 3405691582, 3405697037,
129 3735927486, 3735932941, 4027431614, 4276992702, 195934910, 252707358, 762133, 179681982,
130 173390526, 721077,
131];
132
133const LETTER_DIGIT: &[(char, char)] = &[('A', '4'), ('B', '8'), ('E', '3')];
134
135fn generate_problematic_strings(
137 consts: &[u32],
138 letter_digit: &FxHashMap<char, char>,
139) -> Vec<String> {
140 generate_problems(consts, letter_digit)
141 .flat_map(|v| vec![v.to_string(), format!("{:X}", v)])
142 .collect()
143}
144
145static PROBLEMATIC_CONSTS_STRINGS: LazyLock<Vec<String>> = LazyLock::new(|| {
146 generate_problematic_strings(ROOT_PROBLEMATIC_CONSTS, &LETTER_DIGIT.iter().cloned().collect())
147});
148
149fn contains_problematic_const(trimmed: &str) -> bool {
150 PROBLEMATIC_CONSTS_STRINGS.iter().any(|s| trimmed.to_uppercase().contains(s))
151}
152
153const INTERNAL_COMPILER_DOCS_LINE: &str = "#### This error code is internal to the compiler and will not be emitted with normal Rust code.";
154
155#[derive(Clone, Copy, PartialEq)]
157#[allow(non_camel_case_types)]
158enum LIUState {
159 EXP_COMMENT_START,
160 EXP_LINK_LABEL_OR_URL,
161 EXP_URL,
162 EXP_END,
163}
164
165fn line_is_url(is_error_code: bool, columns: usize, line: &str) -> bool {
172 if is_error_code {
174 return line.starts_with('[') && line.contains("]:") && line.contains("http");
175 }
176
177 use self::LIUState::*;
178 let mut state: LIUState = EXP_COMMENT_START;
179 let is_url = |w: &str| w.starts_with("http://") || w.starts_with("https://");
180
181 for tok in line.split_whitespace() {
182 match (state, tok) {
183 (EXP_COMMENT_START, "//") | (EXP_COMMENT_START, "///") | (EXP_COMMENT_START, "//!") => {
184 state = EXP_LINK_LABEL_OR_URL
185 }
186
187 (EXP_LINK_LABEL_OR_URL, w)
188 if w.len() >= 4 && w.starts_with('[') && w.ends_with("]:") =>
189 {
190 state = EXP_URL
191 }
192
193 (EXP_LINK_LABEL_OR_URL, w) if is_url(w) => state = EXP_END,
194
195 (EXP_URL, w) if is_url(w) || w.starts_with("../") => state = EXP_END,
196
197 (_, w) if w.len() > columns && is_url(w) => state = EXP_END,
198
199 (_, _) => {}
200 }
201 }
202
203 state == EXP_END
204}
205
206fn should_ignore(line: &str) -> bool {
209 static_regex!("\\s*//(\\[.*\\])?~.*").is_match(line)
213 || ANNOTATIONS_TO_IGNORE.iter().any(|a| line.contains(a))
214
215 || static_regex!("\\s*//@(\\[.*\\]) (compile-flags|normalize-stderr|error-pattern).*")
219 .is_match(line)
220 || static_regex!(
223 "\\s*//@ \\!?(count|files|has|has-dir|hasraw|matches|matchesraw|snapshot)\\s.*"
224 ).is_match(line)
225}
226
227fn long_line_is_ok(extension: &str, is_error_code: bool, max_columns: usize, line: &str) -> bool {
229 match extension {
230 "ftl" => true,
232 "md" if !is_error_code => true,
234 "md" if line == INTERNAL_COMPILER_DOCS_LINE => true,
236 _ => line_is_url(is_error_code, max_columns, line) || should_ignore(line),
237 }
238}
239
240#[derive(Clone, Copy)]
241enum Directive {
242 Deny,
244
245 Ignore(bool),
250}
251
252fn contains_ignore_directives<const N: usize>(
255 path_str: &str,
256 can_contain: bool,
257 contents: &str,
258 checks: [&str; N],
259) -> [Directive; N] {
260 let always_ignore_linelength = path_str.contains("rustdoc-json");
263
264 if !can_contain && !always_ignore_linelength {
265 return [Directive::Deny; N];
266 }
267
268 checks.map(|check| {
269 if check == LINELENGTH_CHECK && always_ignore_linelength {
270 return Directive::Ignore(false);
271 }
272
273 if contents.contains(&format!("// ignore-tidy-{check}"))
275 || contents.contains(&format!("# ignore-tidy-{check}"))
276 || contents.contains(&format!("/* ignore-tidy-{check} */"))
277 || contents.contains(&format!("<!-- ignore-tidy-{check} -->"))
278 {
279 Directive::Ignore(false)
280 } else {
281 Directive::Deny
282 }
283 })
284}
285
286macro_rules! suppressible_tidy_err {
287 ($err:ident, $skip:ident, $msg:literal) => {
288 if let Directive::Deny = $skip {
289 $err(&format!($msg));
290 } else {
291 $skip = Directive::Ignore(true);
292 }
293 };
294}
295
296pub fn is_in(full_path: &Path, parent_folder_to_find: &str, folder_to_find: &str) -> bool {
297 if let Some(parent) = full_path.parent() {
298 if parent.file_name().map_or_else(
299 || false,
300 |f| {
301 f == folder_to_find
302 && parent
303 .parent()
304 .and_then(|f| f.file_name())
305 .map_or_else(|| false, |f| f == parent_folder_to_find)
306 },
307 ) {
308 true
309 } else {
310 is_in(parent, parent_folder_to_find, folder_to_find)
311 }
312 } else {
313 false
314 }
315}
316
317fn skip_markdown_path(path: &Path) -> bool {
318 const SKIP_MD: &[&str] = &[
320 "src/doc/edition-guide",
321 "src/doc/embedded-book",
322 "src/doc/nomicon",
323 "src/doc/reference",
324 "src/doc/rust-by-example",
325 "src/doc/rustc-dev-guide",
326 ];
327 SKIP_MD.iter().any(|p| path.ends_with(p))
328}
329
330fn is_unexplained_ignore(extension: &str, line: &str) -> bool {
331 if !line.ends_with("```ignore") && !line.ends_with("```rust,ignore") {
332 return false;
333 }
334 if extension == "md" && line.trim().starts_with("//") {
335 return false;
338 }
339 true
340}
341
342pub fn check(path: &Path, tidy_ctx: TidyCtx) {
343 let mut check = tidy_ctx.start_check(CheckId::new("style").path(path));
344
345 fn skip(path: &Path, is_dir: bool) -> bool {
346 if path.file_name().is_some_and(|name| name.to_string_lossy().starts_with(".#")) {
347 return true;
349 }
350
351 if filter_dirs(path) || skip_markdown_path(path) {
352 return true;
353 }
354
355 if is_dir {
357 return false;
358 }
359
360 let extensions = ["rs", "py", "js", "sh", "c", "cpp", "h", "md", "css", "ftl", "goml"];
361
362 if path.extension().is_none_or(|ext| !extensions.iter().any(|e| ext == OsStr::new(e))) {
364 return true;
365 }
366
367 path.extension().is_some_and(|e| e == "css") && !is_in(path, "src", "librustdoc")
369 }
370
371 let problematic_regex = RegexSetBuilder::new(PROBLEMATIC_CONSTS_STRINGS.as_slice())
374 .case_insensitive(true)
375 .build()
376 .unwrap();
377
378 let this_file = Path::new(file!());
381
382 walk(path, skip, &mut |entry, contents| {
383 let file = entry.path();
384 let path_str = file.to_string_lossy();
385 let filename = file.file_name().unwrap().to_string_lossy();
386
387 let is_css_file = filename.ends_with(".css");
388 let under_rustfmt = filename.ends_with(".rs") &&
389 !file.ancestors().any(|a| {
392 (a.ends_with("tests") && a.join("COMPILER_TESTS.md").exists()) ||
393 a.ends_with("src/doc/book")
394 });
395
396 if contents.is_empty() {
397 check.error(format!("{}: empty file", file.display()));
398 }
399
400 let extension = file.extension().unwrap().to_string_lossy();
401 let is_error_code = extension == "md" && is_in(file, "src", "error_codes");
402 let is_goml_code = extension == "goml";
403
404 let max_columns = if is_error_code {
405 ERROR_CODE_COLS
406 } else if is_goml_code {
407 GOML_COLS
408 } else {
409 COLS
410 };
411
412 let can_contain = contents.contains("// ignore-tidy-")
414 || contents.contains("# ignore-tidy-")
415 || contents.contains("/* ignore-tidy-")
416 || contents.contains("<!-- ignore-tidy-");
417 if filename.contains("ignore-tidy") {
420 return;
421 }
422 if let Some(p) = file.parent()
424 && p.ends_with(Path::new("src/etc/completions"))
425 {
426 return;
427 }
428 let [
429 mut skip_cr,
430 mut skip_undocumented_unsafe,
431 mut skip_tab,
432 mut skip_line_length,
433 mut skip_file_length,
434 mut skip_end_whitespace,
435 mut skip_trailing_newlines,
436 mut skip_leading_newlines,
437 mut skip_copyright,
438 mut skip_dbg,
439 mut skip_odd_backticks,
440 ] = contains_ignore_directives(&path_str, can_contain, contents, CONFIGURABLE_CHECKS);
441 let mut leading_new_lines = false;
442 let mut trailing_new_lines = 0;
443 let mut lines = 0;
444 let mut last_safety_comment = false;
445 let mut comment_block: Option<(usize, usize)> = None;
446 let is_test = file.components().any(|c| c.as_os_str() == "tests")
447 || file.file_stem().unwrap() == "tests";
448 let is_codegen_test = is_test && file.components().any(|c| c.as_os_str() == "codegen-llvm");
449 let is_this_file = file.ends_with(this_file) || this_file.ends_with(file);
450 let is_test_for_this_file =
451 is_test && file.parent().unwrap().ends_with(this_file.with_extension(""));
452 let any_problematic_line =
455 !is_this_file && !is_test_for_this_file && problematic_regex.is_match(contents);
456 for (i, line) in contents.split('\n').enumerate() {
457 if line.is_empty() {
458 if i == 0 {
459 leading_new_lines = true;
460 }
461 trailing_new_lines += 1;
462 continue;
463 } else {
464 trailing_new_lines = 0;
465 }
466
467 let trimmed = line.trim();
468
469 if !trimmed.starts_with("//") {
470 lines += 1;
471 }
472
473 let mut err = |msg: &str| {
474 check.error(format!("{}:{}: {msg}", file.display(), i + 1));
475 };
476
477 if trimmed.contains("dbg!")
478 && !trimmed.starts_with("//")
479 && !file.ancestors().any(|a| {
480 (a.ends_with("tests") && a.join("COMPILER_TESTS.md").exists())
481 || a.ends_with("library/alloctests")
482 })
483 && filename != "tests.rs"
484 {
485 suppressible_tidy_err!(
486 err,
487 skip_dbg,
488 "`dbg!` macro is intended as a debugging tool. It should not be in version control."
489 )
490 }
491
492 if is_codegen_test && trimmed.contains("CHECK") && trimmed.ends_with(": br") {
493 err("`CHECK: br` and `CHECK-NOT: br` in codegen tests are fragile to false \
494 positives in mangled symbols. Try using `br {{.*}}` instead.")
495 }
496
497 if !under_rustfmt
498 && line.chars().count() > max_columns
499 && !long_line_is_ok(&extension, is_error_code, max_columns, line)
500 {
501 suppressible_tidy_err!(
502 err,
503 skip_line_length,
504 "line longer than {max_columns} chars"
505 );
506 }
507 if !is_css_file && line.contains('\t') {
508 suppressible_tidy_err!(err, skip_tab, "tab character");
509 }
510 if line.ends_with(' ') || line.ends_with('\t') {
511 suppressible_tidy_err!(err, skip_end_whitespace, "trailing whitespace");
512 }
513 if is_css_file && line.starts_with(' ') {
514 err("CSS files use tabs for indent");
515 }
516 if line.contains('\r') {
517 suppressible_tidy_err!(err, skip_cr, "CR character");
518 }
519 if !is_this_file {
520 let directive_line_starts = ["// ", "# ", "/* ", "<!-- "];
521 let possible_line_start =
522 directive_line_starts.into_iter().any(|s| line.starts_with(s));
523 let contains_potential_directive =
524 possible_line_start && (line.contains("-tidy") || line.contains("tidy-"));
525 let has_recognized_ignore_directive =
526 contains_ignore_directives(&path_str, can_contain, line, CONFIGURABLE_CHECKS)
527 .into_iter()
528 .any(|directive| matches!(directive, Directive::Ignore(_)));
529 let has_alphabetical_directive = line.contains("tidy-alphabetical-start")
530 || line.contains("tidy-alphabetical-end");
531 let has_other_tidy_ignore_directive =
532 line.contains("ignore-tidy-target-specific-tests");
533 let has_recognized_directive = has_recognized_ignore_directive
534 || has_alphabetical_directive
535 || has_other_tidy_ignore_directive;
536 if contains_potential_directive && (!has_recognized_directive) {
537 err("Unrecognized tidy directive")
538 }
539 if trimmed.contains("TODO") && !trimmed.contains("ignore-tidy-todo") {
542 err(
543 "TODO is used for tasks that should be done before merging a PR; If you want to leave a message in the codebase use FIXME",
544 )
545 }
546 if trimmed.contains("//") && trimmed.contains(" XXX") {
547 err("Instead of XXX use FIXME")
548 }
549 if any_problematic_line && contains_problematic_const(trimmed) {
550 err("Don't use magic numbers that spell things (consider 0x12345678)");
551 }
552 }
553 if trimmed.contains("unsafe {")
555 && !trimmed.starts_with("//")
556 && !last_safety_comment
557 && file.components().any(|c| c.as_os_str() == "core")
558 && !is_test
559 {
560 suppressible_tidy_err!(err, skip_undocumented_unsafe, "undocumented unsafe");
561 }
562 if trimmed.contains("// SAFETY:") {
563 last_safety_comment = true;
564 } else if trimmed.starts_with("//") || trimmed.is_empty() {
565 } else {
567 last_safety_comment = false;
568 }
569 if (line.starts_with("// Copyright")
570 || line.starts_with("# Copyright")
571 || line.starts_with("Copyright"))
572 && (trimmed.contains("Rust Developers")
573 || trimmed.contains("Rust Project Developers"))
574 {
575 suppressible_tidy_err!(
576 err,
577 skip_copyright,
578 "copyright notices attributed to the Rust Project Developers are deprecated"
579 );
580 }
581 if !file.components().any(|c| c.as_os_str() == "rustc_baked_icu_data")
582 && is_unexplained_ignore(&extension, line)
583 {
584 err(UNEXPLAINED_IGNORE_DOCTEST_INFO);
585 }
586
587 if filename.ends_with(".cpp") && line.contains("llvm_unreachable") {
588 err(LLVM_UNREACHABLE_INFO);
589 }
590
591 let is_compiler = || file.components().any(|c| c.as_os_str() == "compiler");
593
594 if is_compiler() {
595 if line.contains("//")
596 && line
597 .chars()
598 .collect::<Vec<_>>()
599 .windows(4)
600 .any(|cs| matches!(cs, ['.', ' ', ' ', last] if last.is_alphabetic()))
601 {
602 err(DOUBLE_SPACE_AFTER_DOT)
603 }
604
605 if filename.ends_with(".ftl") {
606 let line_backticks = trimmed.chars().filter(|ch| *ch == '`').count();
607 if line_backticks % 2 == 1 {
608 suppressible_tidy_err!(err, skip_odd_backticks, "odd number of backticks");
609 }
610 } else if trimmed.contains("//") {
611 let (start_line, mut backtick_count) = comment_block.unwrap_or((i + 1, 0));
612 let line_backticks = trimmed.chars().filter(|ch| *ch == '`').count();
613 let comment_text = trimmed.split("//").nth(1).unwrap();
614 if line_backticks % 2 == 1 {
616 backtick_count += comment_text.chars().filter(|ch| *ch == '`').count();
617 }
618 comment_block = Some((start_line, backtick_count));
619 } else if let Some((start_line, backtick_count)) = comment_block.take()
620 && backtick_count % 2 == 1
621 {
622 let mut err = |msg: &str| {
623 check.error(format!("{}:{start_line}: {msg}", file.display()));
624 };
625 let block_len = (i + 1) - start_line;
626 if block_len == 1 {
627 suppressible_tidy_err!(
628 err,
629 skip_odd_backticks,
630 "comment with odd number of backticks"
631 );
632 } else {
633 suppressible_tidy_err!(
634 err,
635 skip_odd_backticks,
636 "{block_len}-line comment block with odd number of backticks"
637 );
638 }
639 }
640 }
641 }
642 if leading_new_lines {
643 let mut err = |_| {
644 check.error(format!("{}: leading newline", file.display()));
645 };
646 suppressible_tidy_err!(err, skip_leading_newlines, "missing leading newline");
647 }
648 let mut err = |msg: &str| {
649 check.error(format!("{}: {}", file.display(), msg));
650 };
651 match trailing_new_lines {
652 0 => suppressible_tidy_err!(err, skip_trailing_newlines, "missing trailing newline"),
653 1 => {}
654 n => suppressible_tidy_err!(
655 err,
656 skip_trailing_newlines,
657 "too many trailing newlines ({n})"
658 ),
659 };
660 if lines > LINES {
661 let mut err = |_| {
662 check.error(format!(
663 "{}: too many lines ({lines}) (add `// \
664 ignore-tidy-filelength` to the file to suppress this error)",
665 file.display(),
666 ));
667 };
668 suppressible_tidy_err!(err, skip_file_length, "");
669 }
670
671 if let Directive::Ignore(false) = skip_cr {
672 check.error(format!("{}: ignoring CR characters unnecessarily", file.display()));
673 }
674 if let Directive::Ignore(false) = skip_tab {
675 check.error(format!("{}: ignoring tab characters unnecessarily", file.display()));
676 }
677 if let Directive::Ignore(false) = skip_end_whitespace {
678 check.error(format!("{}: ignoring trailing whitespace unnecessarily", file.display()));
679 }
680 if let Directive::Ignore(false) = skip_trailing_newlines {
681 check.error(format!("{}: ignoring trailing newlines unnecessarily", file.display()));
682 }
683 if let Directive::Ignore(false) = skip_leading_newlines {
684 check.error(format!("{}: ignoring leading newlines unnecessarily", file.display()));
685 }
686 if let Directive::Ignore(false) = skip_copyright {
687 check.error(format!("{}: ignoring copyright unnecessarily", file.display()));
688 }
689 let _unused = skip_line_length;
692 let _unused = skip_file_length;
693 });
694}