]> git.lizzy.rs Git - rust.git/blob - src/tools/clippy/clippy_dev/src/update_lints.rs
Add comments to hygiene tests
[rust.git] / src / tools / clippy / clippy_dev / src / update_lints.rs
1 use itertools::Itertools;
2 use regex::Regex;
3 use std::collections::HashMap;
4 use std::ffi::OsStr;
5 use std::fs;
6 use std::lazy::SyncLazy;
7 use std::path::Path;
8 use walkdir::WalkDir;
9
10 use crate::clippy_project_root;
11
12 const GENERATED_FILE_COMMENT: &str = "// This file was generated by `cargo dev update_lints`.\n\
13      // Use that command to update this file and do not edit by hand.\n\
14      // Manual edits will be overwritten.\n\n";
15
16 static DEC_CLIPPY_LINT_RE: SyncLazy<Regex> = SyncLazy::new(|| {
17     Regex::new(
18         r#"(?x)
19     declare_clippy_lint!\s*[\{(]
20     (?:\s+///.*)*
21     \s+pub\s+(?P<name>[A-Z_][A-Z_0-9]*)\s*,\s*
22     (?P<cat>[a-z_]+)\s*,\s*
23     "(?P<desc>(?:[^"\\]+|\\(?s).(?-s))*)"\s*[})]
24 "#,
25     )
26     .unwrap()
27 });
28
29 static DEC_DEPRECATED_LINT_RE: SyncLazy<Regex> = SyncLazy::new(|| {
30     Regex::new(
31         r#"(?x)
32     declare_deprecated_lint!\s*[{(]\s*
33     (?:\s+///.*)*
34     \s+pub\s+(?P<name>[A-Z_][A-Z_0-9]*)\s*,\s*
35     "(?P<desc>(?:[^"\\]+|\\(?s).(?-s))*)"\s*[})]
36 "#,
37     )
38     .unwrap()
39 });
40 static NL_ESCAPE_RE: SyncLazy<Regex> = SyncLazy::new(|| Regex::new(r#"\\\n\s*"#).unwrap());
41
42 static DOCS_LINK: &str = "https://rust-lang.github.io/rust-clippy/master/index.html";
43
44 #[derive(Clone, Copy, PartialEq)]
45 pub enum UpdateMode {
46     Check,
47     Change,
48 }
49
50 /// Runs the `update_lints` command.
51 ///
52 /// This updates various generated values from the lint source code.
53 ///
54 /// `update_mode` indicates if the files should be updated or if updates should be checked for.
55 ///
56 /// # Panics
57 ///
58 /// Panics if a file path could not read from or then written to
59 #[allow(clippy::too_many_lines)]
60 pub fn run(update_mode: UpdateMode) {
61     let lint_list: Vec<Lint> = gather_all().collect();
62
63     let internal_lints = Lint::internal_lints(&lint_list);
64     let deprecated_lints = Lint::deprecated_lints(&lint_list);
65     let usable_lints = Lint::usable_lints(&lint_list);
66     let mut sorted_usable_lints = usable_lints.clone();
67     sorted_usable_lints.sort_by_key(|lint| lint.name.clone());
68
69     let usable_lint_count = round_to_fifty(usable_lints.len());
70
71     let mut file_change = false;
72
73     file_change |= replace_region_in_file(
74         Path::new("README.md"),
75         &format!(
76             r#"\[There are over \d+ lints included in this crate!\]\({}\)"#,
77             DOCS_LINK
78         ),
79         "",
80         true,
81         update_mode == UpdateMode::Change,
82         || {
83             vec![format!(
84                 "[There are over {} lints included in this crate!]({})",
85                 usable_lint_count, DOCS_LINK
86             )]
87         },
88     )
89     .changed;
90
91     file_change |= replace_region_in_file(
92         Path::new("CHANGELOG.md"),
93         "<!-- begin autogenerated links to lint list -->",
94         "<!-- end autogenerated links to lint list -->",
95         false,
96         update_mode == UpdateMode::Change,
97         || gen_changelog_lint_list(usable_lints.iter().chain(deprecated_lints.iter())),
98     )
99     .changed;
100
101     // This has to be in lib.rs, otherwise rustfmt doesn't work
102     file_change |= replace_region_in_file(
103         Path::new("clippy_lints/src/lib.rs"),
104         "begin lints modules",
105         "end lints modules",
106         false,
107         update_mode == UpdateMode::Change,
108         || gen_modules_list(usable_lints.iter()),
109     )
110     .changed;
111
112     if file_change && update_mode == UpdateMode::Check {
113         exit_with_failure();
114     }
115
116     process_file(
117         "clippy_lints/src/lib.register_lints.rs",
118         update_mode,
119         &gen_register_lint_list(internal_lints.iter(), usable_lints.iter()),
120     );
121     process_file(
122         "clippy_lints/src/lib.deprecated.rs",
123         update_mode,
124         &gen_deprecated(deprecated_lints.iter()),
125     );
126
127     let all_group_lints = usable_lints.iter().filter(|l| {
128         matches!(
129             &*l.group,
130             "correctness" | "suspicious" | "style" | "complexity" | "perf"
131         )
132     });
133     let content = gen_lint_group_list("all", all_group_lints);
134     process_file("clippy_lints/src/lib.register_all.rs", update_mode, &content);
135
136     for (lint_group, lints) in Lint::by_lint_group(usable_lints.into_iter().chain(internal_lints)) {
137         let content = gen_lint_group_list(&lint_group, lints.iter());
138         process_file(
139             &format!("clippy_lints/src/lib.register_{}.rs", lint_group),
140             update_mode,
141             &content,
142         );
143     }
144 }
145
146 pub fn print_lints() {
147     let lint_list: Vec<Lint> = gather_all().collect();
148     let usable_lints = Lint::usable_lints(&lint_list);
149     let usable_lint_count = usable_lints.len();
150     let grouped_by_lint_group = Lint::by_lint_group(usable_lints.into_iter());
151
152     for (lint_group, mut lints) in grouped_by_lint_group {
153         if lint_group == "Deprecated" {
154             continue;
155         }
156         println!("\n## {}", lint_group);
157
158         lints.sort_by_key(|l| l.name.clone());
159
160         for lint in lints {
161             println!("* [{}]({}#{}) ({})", lint.name, DOCS_LINK, lint.name, lint.desc);
162         }
163     }
164
165     println!("there are {} lints", usable_lint_count);
166 }
167
168 fn round_to_fifty(count: usize) -> usize {
169     count / 50 * 50
170 }
171
172 fn process_file(path: impl AsRef<Path>, update_mode: UpdateMode, content: &str) {
173     if update_mode == UpdateMode::Check {
174         let old_content =
175             fs::read_to_string(&path).unwrap_or_else(|e| panic!("Cannot read from {}: {}", path.as_ref().display(), e));
176         if content != old_content {
177             exit_with_failure();
178         }
179     } else {
180         fs::write(&path, content.as_bytes())
181             .unwrap_or_else(|e| panic!("Cannot write to {}: {}", path.as_ref().display(), e));
182     }
183 }
184
185 fn exit_with_failure() {
186     println!(
187         "Not all lints defined properly. \
188                  Please run `cargo dev update_lints` to make sure all lints are defined properly."
189     );
190     std::process::exit(1);
191 }
192
193 /// Lint data parsed from the Clippy source code.
194 #[derive(Clone, PartialEq, Debug)]
195 struct Lint {
196     name: String,
197     group: String,
198     desc: String,
199     deprecation: Option<String>,
200     module: String,
201 }
202
203 impl Lint {
204     #[must_use]
205     fn new(name: &str, group: &str, desc: &str, deprecation: Option<&str>, module: &str) -> Self {
206         Self {
207             name: name.to_lowercase(),
208             group: group.to_string(),
209             desc: NL_ESCAPE_RE.replace(&desc.replace("\\\"", "\""), "").to_string(),
210             deprecation: deprecation.map(ToString::to_string),
211             module: module.to_string(),
212         }
213     }
214
215     /// Returns all non-deprecated lints and non-internal lints
216     #[must_use]
217     fn usable_lints(lints: &[Self]) -> Vec<Self> {
218         lints
219             .iter()
220             .filter(|l| l.deprecation.is_none() && !l.group.starts_with("internal"))
221             .cloned()
222             .collect()
223     }
224
225     /// Returns all internal lints (not `internal_warn` lints)
226     #[must_use]
227     fn internal_lints(lints: &[Self]) -> Vec<Self> {
228         lints.iter().filter(|l| l.group == "internal").cloned().collect()
229     }
230
231     /// Returns all deprecated lints
232     #[must_use]
233     fn deprecated_lints(lints: &[Self]) -> Vec<Self> {
234         lints.iter().filter(|l| l.deprecation.is_some()).cloned().collect()
235     }
236
237     /// Returns the lints in a `HashMap`, grouped by the different lint groups
238     #[must_use]
239     fn by_lint_group(lints: impl Iterator<Item = Self>) -> HashMap<String, Vec<Self>> {
240         lints.map(|lint| (lint.group.to_string(), lint)).into_group_map()
241     }
242 }
243
244 /// Generates the code for registering a group
245 fn gen_lint_group_list<'a>(group_name: &str, lints: impl Iterator<Item = &'a Lint>) -> String {
246     let mut details: Vec<_> = lints.map(|l| (&l.module, l.name.to_uppercase())).collect();
247     details.sort_unstable();
248
249     let mut output = GENERATED_FILE_COMMENT.to_string();
250
251     output.push_str(&format!(
252         "store.register_group(true, \"clippy::{0}\", Some(\"clippy_{0}\"), vec![\n",
253         group_name
254     ));
255     for (module, name) in details {
256         output.push_str(&format!("    LintId::of({}::{}),\n", module, name));
257     }
258     output.push_str("])\n");
259
260     output
261 }
262
263 /// Generates the module declarations for `lints`
264 #[must_use]
265 fn gen_modules_list<'a>(lints: impl Iterator<Item = &'a Lint>) -> Vec<String> {
266     lints
267         .map(|l| &l.module)
268         .unique()
269         .map(|module| format!("mod {};", module))
270         .sorted()
271         .collect::<Vec<String>>()
272 }
273
274 /// Generates the list of lint links at the bottom of the CHANGELOG
275 #[must_use]
276 fn gen_changelog_lint_list<'a>(lints: impl Iterator<Item = &'a Lint>) -> Vec<String> {
277     lints
278         .sorted_by_key(|l| &l.name)
279         .map(|l| format!("[`{}`]: {}#{}", l.name, DOCS_LINK, l.name))
280         .collect()
281 }
282
283 /// Generates the `register_removed` code
284 #[must_use]
285 fn gen_deprecated<'a>(lints: impl Iterator<Item = &'a Lint>) -> String {
286     let mut output = GENERATED_FILE_COMMENT.to_string();
287     output.push_str("{\n");
288     for Lint { name, deprecation, .. } in lints {
289         output.push_str(&format!(
290             concat!(
291                 "    store.register_removed(\n",
292                 "        \"clippy::{}\",\n",
293                 "        \"{}\",\n",
294                 "    );\n"
295             ),
296             name,
297             deprecation.as_ref().expect("`lints` are deprecated")
298         ));
299     }
300     output.push_str("}\n");
301
302     output
303 }
304
305 /// Generates the code for registering lints
306 #[must_use]
307 fn gen_register_lint_list<'a>(
308     internal_lints: impl Iterator<Item = &'a Lint>,
309     usable_lints: impl Iterator<Item = &'a Lint>,
310 ) -> String {
311     let mut details: Vec<_> = internal_lints
312         .map(|l| (false, &l.module, l.name.to_uppercase()))
313         .chain(usable_lints.map(|l| (true, &l.module, l.name.to_uppercase())))
314         .collect();
315     details.sort_unstable();
316
317     let mut output = GENERATED_FILE_COMMENT.to_string();
318     output.push_str("store.register_lints(&[\n");
319
320     for (is_public, module_name, lint_name) in details {
321         if !is_public {
322             output.push_str("    #[cfg(feature = \"internal-lints\")]\n");
323         }
324         output.push_str(&format!("    {}::{},\n", module_name, lint_name));
325     }
326     output.push_str("])\n");
327
328     output
329 }
330
331 /// Gathers all files in `src/clippy_lints` and gathers all lints inside
332 fn gather_all() -> impl Iterator<Item = Lint> {
333     lint_files().flat_map(|f| gather_from_file(&f))
334 }
335
336 fn gather_from_file(dir_entry: &walkdir::DirEntry) -> impl Iterator<Item = Lint> {
337     let content = fs::read_to_string(dir_entry.path()).unwrap();
338     let path = dir_entry.path();
339     let filename = path.file_stem().unwrap();
340     let path_buf = path.with_file_name(filename);
341     let mut rel_path = path_buf
342         .strip_prefix(clippy_project_root().join("clippy_lints/src"))
343         .expect("only files in `clippy_lints/src` should be looked at");
344     // If the lints are stored in mod.rs, we get the module name from
345     // the containing directory:
346     if filename == "mod" {
347         rel_path = rel_path.parent().unwrap();
348     }
349
350     let module = rel_path
351         .components()
352         .map(|c| c.as_os_str().to_str().unwrap())
353         .collect::<Vec<_>>()
354         .join("::");
355
356     parse_contents(&content, &module)
357 }
358
359 fn parse_contents(content: &str, module: &str) -> impl Iterator<Item = Lint> {
360     let lints = DEC_CLIPPY_LINT_RE
361         .captures_iter(content)
362         .map(|m| Lint::new(&m["name"], &m["cat"], &m["desc"], None, module));
363     let deprecated = DEC_DEPRECATED_LINT_RE
364         .captures_iter(content)
365         .map(|m| Lint::new(&m["name"], "Deprecated", &m["desc"], Some(&m["desc"]), module));
366     // Removing the `.collect::<Vec<Lint>>().into_iter()` causes some lifetime issues due to the map
367     lints.chain(deprecated).collect::<Vec<Lint>>().into_iter()
368 }
369
370 /// Collects all .rs files in the `clippy_lints/src` directory
371 fn lint_files() -> impl Iterator<Item = walkdir::DirEntry> {
372     // We use `WalkDir` instead of `fs::read_dir` here in order to recurse into subdirectories.
373     // Otherwise we would not collect all the lints, for example in `clippy_lints/src/methods/`.
374     let path = clippy_project_root().join("clippy_lints/src");
375     WalkDir::new(path)
376         .into_iter()
377         .filter_map(Result::ok)
378         .filter(|f| f.path().extension() == Some(OsStr::new("rs")))
379 }
380
381 /// Whether a file has had its text changed or not
382 #[derive(PartialEq, Debug)]
383 struct FileChange {
384     changed: bool,
385     new_lines: String,
386 }
387
388 /// Replaces a region in a file delimited by two lines matching regexes.
389 ///
390 /// `path` is the relative path to the file on which you want to perform the replacement.
391 ///
392 /// See `replace_region_in_text` for documentation of the other options.
393 ///
394 /// # Panics
395 ///
396 /// Panics if the path could not read or then written
397 fn replace_region_in_file<F>(
398     path: &Path,
399     start: &str,
400     end: &str,
401     replace_start: bool,
402     write_back: bool,
403     replacements: F,
404 ) -> FileChange
405 where
406     F: FnOnce() -> Vec<String>,
407 {
408     let contents = fs::read_to_string(path).unwrap_or_else(|e| panic!("Cannot read from {}: {}", path.display(), e));
409     let file_change = replace_region_in_text(&contents, start, end, replace_start, replacements);
410
411     if write_back {
412         if let Err(e) = fs::write(path, file_change.new_lines.as_bytes()) {
413             panic!("Cannot write to {}: {}", path.display(), e);
414         }
415     }
416     file_change
417 }
418
419 /// Replaces a region in a text delimited by two lines matching regexes.
420 ///
421 /// * `text` is the input text on which you want to perform the replacement
422 /// * `start` is a `&str` that describes the delimiter line before the region you want to replace.
423 ///   As the `&str` will be converted to a `Regex`, this can contain regex syntax, too.
424 /// * `end` is a `&str` that describes the delimiter line until where the replacement should happen.
425 ///   As the `&str` will be converted to a `Regex`, this can contain regex syntax, too.
426 /// * If `replace_start` is true, the `start` delimiter line is replaced as well. The `end`
427 ///   delimiter line is never replaced.
428 /// * `replacements` is a closure that has to return a `Vec<String>` which contains the new text.
429 ///
430 /// If you want to perform the replacement on files instead of already parsed text,
431 /// use `replace_region_in_file`.
432 ///
433 /// # Example
434 ///
435 /// ```ignore
436 /// let the_text = "replace_start\nsome text\nthat will be replaced\nreplace_end";
437 /// let result =
438 ///     replace_region_in_text(the_text, "replace_start", "replace_end", false, || {
439 ///         vec!["a different".to_string(), "text".to_string()]
440 ///     })
441 ///     .new_lines;
442 /// assert_eq!("replace_start\na different\ntext\nreplace_end", result);
443 /// ```
444 ///
445 /// # Panics
446 ///
447 /// Panics if start or end is not valid regex
448 fn replace_region_in_text<F>(text: &str, start: &str, end: &str, replace_start: bool, replacements: F) -> FileChange
449 where
450     F: FnOnce() -> Vec<String>,
451 {
452     let replace_it = replacements();
453     let mut in_old_region = false;
454     let mut found = false;
455     let mut new_lines = vec![];
456     let start = Regex::new(start).unwrap();
457     let end = Regex::new(end).unwrap();
458
459     for line in text.lines() {
460         if in_old_region {
461             if end.is_match(line) {
462                 in_old_region = false;
463                 new_lines.extend(replace_it.clone());
464                 new_lines.push(line.to_string());
465             }
466         } else if start.is_match(line) {
467             if !replace_start {
468                 new_lines.push(line.to_string());
469             }
470             in_old_region = true;
471             found = true;
472         } else {
473             new_lines.push(line.to_string());
474         }
475     }
476
477     if !found {
478         // This happens if the provided regex in `clippy_dev/src/main.rs` does not match in the
479         // given text or file. Most likely this is an error on the programmer's side and the Regex
480         // is incorrect.
481         eprintln!("error: regex \n{:?}\ndoesn't match. You may have to update it.", start);
482         std::process::exit(1);
483     }
484
485     let mut new_lines = new_lines.join("\n");
486     if text.ends_with('\n') {
487         new_lines.push('\n');
488     }
489     let changed = new_lines != text;
490     FileChange { changed, new_lines }
491 }
492
493 #[test]
494 fn test_parse_contents() {
495     let result: Vec<Lint> = parse_contents(
496         r#"
497 declare_clippy_lint! {
498     pub PTR_ARG,
499     style,
500     "really long \
501      text"
502 }
503
504 declare_clippy_lint!{
505     pub DOC_MARKDOWN,
506     pedantic,
507     "single line"
508 }
509
510 /// some doc comment
511 declare_deprecated_lint! {
512     pub SHOULD_ASSERT_EQ,
513     "`assert!()` will be more flexible with RFC 2011"
514 }
515     "#,
516         "module_name",
517     )
518     .collect();
519
520     let expected = vec![
521         Lint::new("ptr_arg", "style", "really long text", None, "module_name"),
522         Lint::new("doc_markdown", "pedantic", "single line", None, "module_name"),
523         Lint::new(
524             "should_assert_eq",
525             "Deprecated",
526             "`assert!()` will be more flexible with RFC 2011",
527             Some("`assert!()` will be more flexible with RFC 2011"),
528             "module_name",
529         ),
530     ];
531     assert_eq!(expected, result);
532 }
533
534 #[cfg(test)]
535 mod tests {
536     use super::*;
537
538     #[test]
539     fn test_replace_region() {
540         let text = "\nabc\n123\n789\ndef\nghi";
541         let expected = FileChange {
542             changed: true,
543             new_lines: "\nabc\nhello world\ndef\nghi".to_string(),
544         };
545         let result = replace_region_in_text(text, r#"^\s*abc$"#, r#"^\s*def"#, false, || {
546             vec!["hello world".to_string()]
547         });
548         assert_eq!(expected, result);
549     }
550
551     #[test]
552     fn test_replace_region_with_start() {
553         let text = "\nabc\n123\n789\ndef\nghi";
554         let expected = FileChange {
555             changed: true,
556             new_lines: "\nhello world\ndef\nghi".to_string(),
557         };
558         let result = replace_region_in_text(text, r#"^\s*abc$"#, r#"^\s*def"#, true, || {
559             vec!["hello world".to_string()]
560         });
561         assert_eq!(expected, result);
562     }
563
564     #[test]
565     fn test_replace_region_no_changes() {
566         let text = "123\n456\n789";
567         let expected = FileChange {
568             changed: false,
569             new_lines: "123\n456\n789".to_string(),
570         };
571         let result = replace_region_in_text(text, r#"^\s*123$"#, r#"^\s*456"#, false, Vec::new);
572         assert_eq!(expected, result);
573     }
574
575     #[test]
576     fn test_usable_lints() {
577         let lints = vec![
578             Lint::new("should_assert_eq", "Deprecated", "abc", Some("Reason"), "module_name"),
579             Lint::new("should_assert_eq2", "Not Deprecated", "abc", None, "module_name"),
580             Lint::new("should_assert_eq2", "internal", "abc", None, "module_name"),
581             Lint::new("should_assert_eq2", "internal_style", "abc", None, "module_name"),
582         ];
583         let expected = vec![Lint::new(
584             "should_assert_eq2",
585             "Not Deprecated",
586             "abc",
587             None,
588             "module_name",
589         )];
590         assert_eq!(expected, Lint::usable_lints(&lints));
591     }
592
593     #[test]
594     fn test_by_lint_group() {
595         let lints = vec![
596             Lint::new("should_assert_eq", "group1", "abc", None, "module_name"),
597             Lint::new("should_assert_eq2", "group2", "abc", None, "module_name"),
598             Lint::new("incorrect_match", "group1", "abc", None, "module_name"),
599         ];
600         let mut expected: HashMap<String, Vec<Lint>> = HashMap::new();
601         expected.insert(
602             "group1".to_string(),
603             vec![
604                 Lint::new("should_assert_eq", "group1", "abc", None, "module_name"),
605                 Lint::new("incorrect_match", "group1", "abc", None, "module_name"),
606             ],
607         );
608         expected.insert(
609             "group2".to_string(),
610             vec![Lint::new("should_assert_eq2", "group2", "abc", None, "module_name")],
611         );
612         assert_eq!(expected, Lint::by_lint_group(lints.into_iter()));
613     }
614
615     #[test]
616     fn test_gen_changelog_lint_list() {
617         let lints = vec![
618             Lint::new("should_assert_eq", "group1", "abc", None, "module_name"),
619             Lint::new("should_assert_eq2", "group2", "abc", None, "module_name"),
620         ];
621         let expected = vec![
622             format!("[`should_assert_eq`]: {}#should_assert_eq", DOCS_LINK.to_string()),
623             format!("[`should_assert_eq2`]: {}#should_assert_eq2", DOCS_LINK.to_string()),
624         ];
625         assert_eq!(expected, gen_changelog_lint_list(lints.iter()));
626     }
627
628     #[test]
629     fn test_gen_deprecated() {
630         let lints = vec![
631             Lint::new(
632                 "should_assert_eq",
633                 "group1",
634                 "abc",
635                 Some("has been superseded by should_assert_eq2"),
636                 "module_name",
637             ),
638             Lint::new(
639                 "another_deprecated",
640                 "group2",
641                 "abc",
642                 Some("will be removed"),
643                 "module_name",
644             ),
645         ];
646
647         let expected = GENERATED_FILE_COMMENT.to_string()
648             + &[
649                 "{",
650                 "    store.register_removed(",
651                 "        \"clippy::should_assert_eq\",",
652                 "        \"has been superseded by should_assert_eq2\",",
653                 "    );",
654                 "    store.register_removed(",
655                 "        \"clippy::another_deprecated\",",
656                 "        \"will be removed\",",
657                 "    );",
658                 "}",
659             ]
660             .join("\n")
661             + "\n";
662
663         assert_eq!(expected, gen_deprecated(lints.iter()));
664     }
665
666     #[test]
667     #[should_panic]
668     fn test_gen_deprecated_fail() {
669         let lints = vec![Lint::new("should_assert_eq2", "group2", "abc", None, "module_name")];
670         let _deprecated_lints = gen_deprecated(lints.iter());
671     }
672
673     #[test]
674     fn test_gen_modules_list() {
675         let lints = vec![
676             Lint::new("should_assert_eq", "group1", "abc", None, "module_name"),
677             Lint::new("incorrect_stuff", "group3", "abc", None, "another_module"),
678         ];
679         let expected = vec!["mod another_module;".to_string(), "mod module_name;".to_string()];
680         assert_eq!(expected, gen_modules_list(lints.iter()));
681     }
682
683     #[test]
684     fn test_gen_lint_group_list() {
685         let lints = vec![
686             Lint::new("abc", "group1", "abc", None, "module_name"),
687             Lint::new("should_assert_eq", "group1", "abc", None, "module_name"),
688             Lint::new("internal", "internal_style", "abc", None, "module_name"),
689         ];
690         let expected = GENERATED_FILE_COMMENT.to_string()
691             + &[
692                 "store.register_group(true, \"clippy::group1\", Some(\"clippy_group1\"), vec![",
693                 "    LintId::of(module_name::ABC),",
694                 "    LintId::of(module_name::INTERNAL),",
695                 "    LintId::of(module_name::SHOULD_ASSERT_EQ),",
696                 "])",
697             ]
698             .join("\n")
699             + "\n";
700
701         let result = gen_lint_group_list("group1", lints.iter());
702
703         assert_eq!(expected, result);
704     }
705 }