]> git.lizzy.rs Git - rust.git/blob - src/lib.rs
Merge pull request #944 from Manishearth/rustup
[rust.git] / src / lib.rs
1 #![feature(type_macros)]
2 #![feature(plugin_registrar, box_syntax)]
3 #![feature(rustc_private, collections)]
4 #![feature(iter_arith)]
5 #![feature(custom_attribute)]
6 #![feature(slice_patterns)]
7 #![feature(question_mark)]
8 #![feature(stmt_expr_attributes)]
9 #![allow(indexing_slicing, shadow_reuse, unknown_lints)]
10
11 extern crate rustc_driver;
12 extern crate getopts;
13
14 use rustc_driver::{driver, CompilerCalls, RustcDefaultCalls, Compilation};
15 use rustc::session::{config, Session};
16 use rustc::session::config::{Input, ErrorOutputType};
17 use syntax::diagnostics;
18 use std::path::PathBuf;
19 use std::process::Command;
20
21 struct ClippyCompilerCalls(RustcDefaultCalls);
22
23 impl std::default::Default for ClippyCompilerCalls {
24     fn default() -> Self {
25         Self::new()
26     }
27 }
28
29 impl ClippyCompilerCalls {
30     fn new() -> Self {
31         ClippyCompilerCalls(RustcDefaultCalls)
32     }
33 }
34
35 impl<'a> CompilerCalls<'a> for ClippyCompilerCalls {
36     fn early_callback(&mut self,
37                       matches: &getopts::Matches,
38                       sopts: &config::Options,
39                       descriptions: &diagnostics::registry::Registry,
40                       output: ErrorOutputType)
41                       -> Compilation {
42         self.0.early_callback(matches, sopts, descriptions, output)
43     }
44     fn no_input(&mut self,
45                 matches: &getopts::Matches,
46                 sopts: &config::Options,
47                 odir: &Option<PathBuf>,
48                 ofile: &Option<PathBuf>,
49                 descriptions: &diagnostics::registry::Registry)
50                 -> Option<(Input, Option<PathBuf>)> {
51         self.0.no_input(matches, sopts, odir, ofile, descriptions)
52     }
53     fn late_callback(&mut self,
54                      matches: &getopts::Matches,
55                      sess: &Session,
56                      input: &Input,
57                      odir: &Option<PathBuf>,
58                      ofile: &Option<PathBuf>)
59                      -> Compilation {
60         self.0.late_callback(matches, sess, input, odir, ofile)
61     }
62     fn build_controller(&mut self, sess: &Session, matches: &getopts::Matches) -> driver::CompileController<'a> {
63         let mut control = self.0.build_controller(sess, matches);
64
65         let old = std::mem::replace(&mut control.after_parse.callback, box |_| {});
66         control.after_parse.callback = Box::new(move |state| {
67             {
68                 let mut registry = rustc_plugin::registry::Registry::new(state.session, state.krate.as_ref().expect("at this compilation stage the krate must be parsed"));
69                 registry.args_hidden = Some(Vec::new());
70                 plugin_registrar(&mut registry);
71
72                 let rustc_plugin::registry::Registry { early_lint_passes, late_lint_passes, lint_groups, llvm_passes, attributes, mir_passes, .. } = registry;
73                 let sess = &state.session;
74                 let mut ls = sess.lint_store.borrow_mut();
75                 for pass in early_lint_passes {
76                     ls.register_early_pass(Some(sess), true, pass);
77                 }
78                 for pass in late_lint_passes {
79                     ls.register_late_pass(Some(sess), true, pass);
80                 }
81
82                 for (name, to) in lint_groups {
83                     ls.register_group(Some(sess), true, name, to);
84                 }
85
86                 sess.plugin_llvm_passes.borrow_mut().extend(llvm_passes);
87                 sess.mir_passes.borrow_mut().extend(mir_passes);
88                 sess.plugin_attributes.borrow_mut().extend(attributes);
89             }
90             old(state);
91         });
92
93         control
94     }
95 }
96
97 use std::path::Path;
98
99 pub fn main() {
100     use std::env;
101
102     if env::var("CLIPPY_DOGFOOD").map(|_| true).unwrap_or(false) {
103         return;
104     }
105
106     let dep_path = env::current_dir().expect("current dir is not readable").join("target").join("debug").join("deps");
107
108     let home = option_env!("RUSTUP_HOME").or(option_env!("MULTIRUST_HOME"));
109     let toolchain = option_env!("RUSTUP_TOOLCHAIN").or(option_env!("MULTIRUST_TOOLCHAIN"));
110     let sys_root = match (home, toolchain) {
111         (Some(home), Some(toolchain)) => format!("{}/toolchains/{}", home, toolchain),
112         _ => option_env!("SYSROOT").map(|s| s.to_owned())
113                                    .or(Command::new("rustc").arg("--print")
114                                                             .arg("sysroot")
115                                                             .output().ok()
116                                                             .and_then(|out| String::from_utf8(out.stdout).ok())
117                                                             .map(|s| s.trim().to_owned())
118                                                             )
119                 .expect("need to specify SYSROOT env var during clippy compilation, or use rustup or multirust"),
120     };
121
122     if let Some("clippy") = std::env::args().nth(1).as_ref().map(AsRef::as_ref) {
123         let args = wrap_args(std::env::args().skip(2), dep_path, sys_root);
124         let path = std::env::current_exe().expect("current executable path invalid");
125         std::process::Command::new("cargo")
126             .args(&args)
127             .env("RUSTC", path)
128             .spawn().expect("could not run cargo")
129             .wait().expect("failed to wait for cargo?");
130     } else {
131         let args: Vec<String> = if env::args().any(|s| s == "--sysroot") {
132             env::args().collect()
133         } else {
134             env::args().chain(Some("--sysroot".to_owned())).chain(Some(sys_root)).collect()
135         };
136         rustc_driver::run_compiler(&args, &mut ClippyCompilerCalls::new());
137     }
138 }
139
140 fn wrap_args<P, I>(old_args: I, dep_path: P, sysroot: String) -> Vec<String>
141     where P: AsRef<Path>, I: Iterator<Item=String> {
142
143     let mut args = vec!["rustc".to_owned()];
144
145     let mut found_dashes = false;
146     for arg in old_args {
147         found_dashes |= arg == "--";
148         args.push(arg);
149     }
150     if !found_dashes {
151         args.push("--".to_owned());
152     }
153     args.push("-L".to_owned());
154     args.push(dep_path.as_ref().to_string_lossy().into_owned());
155     args.push(String::from("--sysroot"));
156     args.push(sysroot);
157     args.push("-Zno-trans".to_owned());
158     args
159 }
160
161 #[macro_use]
162 extern crate syntax;
163 #[macro_use]
164 extern crate rustc;
165
166 extern crate toml;
167
168 // Only for the compile time checking of paths
169 extern crate core;
170 extern crate collections;
171
172 // for unicode nfc normalization
173 extern crate unicode_normalization;
174
175 // for semver check in attrs.rs
176 extern crate semver;
177
178 // for regex checking
179 extern crate regex_syntax;
180
181 // for finding minimal boolean expressions
182 extern crate quine_mc_cluskey;
183
184 extern crate rustc_plugin;
185 extern crate rustc_const_eval;
186 extern crate rustc_const_math;
187 use rustc_plugin::Registry;
188
189 macro_rules! declare_restriction_lint {
190     { pub $name:tt, $description:tt } => {
191         declare_lint! { pub $name, Allow, $description }
192     };
193 }
194
195 pub mod consts;
196 #[macro_use]
197 pub mod utils;
198
199 // begin lints modules, do not remove this comment, it’s used in `update_lints`
200 pub mod approx_const;
201 pub mod arithmetic;
202 pub mod array_indexing;
203 pub mod assign_ops;
204 pub mod attrs;
205 pub mod bit_mask;
206 pub mod blacklisted_name;
207 pub mod block_in_if_condition;
208 pub mod booleans;
209 pub mod collapsible_if;
210 pub mod copies;
211 pub mod cyclomatic_complexity;
212 pub mod derive;
213 pub mod doc;
214 pub mod drop_ref;
215 pub mod entry;
216 pub mod enum_clike;
217 pub mod enum_glob_use;
218 pub mod enum_variants;
219 pub mod eq_op;
220 pub mod escape;
221 pub mod eta_reduction;
222 pub mod format;
223 pub mod formatting;
224 pub mod functions;
225 pub mod identity_op;
226 pub mod if_not_else;
227 pub mod items_after_statements;
228 pub mod len_zero;
229 pub mod lifetimes;
230 pub mod loops;
231 pub mod map_clone;
232 pub mod matches;
233 pub mod mem_forget;
234 pub mod methods;
235 pub mod minmax;
236 pub mod misc;
237 pub mod misc_early;
238 pub mod mut_mut;
239 pub mod mut_reference;
240 pub mod mutex_atomic;
241 pub mod needless_bool;
242 pub mod needless_borrow;
243 pub mod needless_update;
244 pub mod neg_multiply;
245 pub mod new_without_default;
246 pub mod no_effect;
247 pub mod non_expressive_names;
248 pub mod open_options;
249 pub mod overflow_check_conditional;
250 pub mod panic;
251 pub mod precedence;
252 pub mod print;
253 pub mod ptr_arg;
254 pub mod ranges;
255 pub mod regex;
256 pub mod returns;
257 pub mod shadow;
258 pub mod strings;
259 pub mod swap;
260 pub mod temporary_assignment;
261 pub mod transmute;
262 pub mod types;
263 pub mod unicode;
264 pub mod unsafe_removed_from_name;
265 pub mod unused_label;
266 pub mod vec;
267 pub mod zero_div_zero;
268 // end lints modules, do not remove this comment, it’s used in `update_lints`
269
270 mod reexport {
271     pub use syntax::ast::{Name, NodeId};
272 }
273
274 #[plugin_registrar]
275 #[cfg_attr(rustfmt, rustfmt_skip)]
276 pub fn plugin_registrar(reg: &mut Registry) {
277     let conf = match utils::conf::conf_file(reg.args()) {
278         Ok(file_name) => {
279             // if the user specified a file, it must exist, otherwise default to `clippy.toml` but
280             // do not require the file to exist
281             let (ref file_name, must_exist) = if let Some(ref file_name) = file_name {
282                 (&**file_name, true)
283             } else {
284                 ("clippy.toml", false)
285             };
286
287             let (conf, errors) = utils::conf::read_conf(file_name, must_exist);
288
289             // all conf errors are non-fatal, we just use the default conf in case of error
290             for error in errors {
291                 reg.sess.struct_err(&format!("error reading Clippy's configuration file: {}", error)).emit();
292             }
293
294             conf
295         }
296         Err((err, span)) => {
297             reg.sess.struct_span_err(span, err)
298                     .span_note(span, "Clippy will use default configuration")
299                     .emit();
300             utils::conf::Conf::default()
301         }
302     };
303
304     let mut store = reg.sess.lint_store.borrow_mut();
305     store.register_removed("unstable_as_slice", "`Vec::as_slice` has been stabilized in 1.7");
306     store.register_removed("unstable_as_mut_slice", "`Vec::as_mut_slice` has been stabilized in 1.7");
307     store.register_removed("str_to_string", "using `str::to_string` is common even today and specialization will likely happen soon");
308     store.register_removed("string_to_string", "using `string::to_string` is common even today and specialization will likely happen soon");
309     // end deprecated lints, do not remove this comment, it’s used in `update_lints`
310
311     reg.register_late_lint_pass(box types::TypePass);
312     reg.register_late_lint_pass(box booleans::NonminimalBool);
313     reg.register_late_lint_pass(box misc::TopLevelRefPass);
314     reg.register_late_lint_pass(box misc::CmpNan);
315     reg.register_late_lint_pass(box eq_op::EqOp);
316     reg.register_early_lint_pass(box enum_variants::EnumVariantNames);
317     reg.register_late_lint_pass(box enum_glob_use::EnumGlobUse);
318     reg.register_late_lint_pass(box enum_clike::EnumClikeUnportableVariant);
319     reg.register_late_lint_pass(box bit_mask::BitMask);
320     reg.register_late_lint_pass(box ptr_arg::PtrArg);
321     reg.register_late_lint_pass(box needless_bool::NeedlessBool);
322     reg.register_late_lint_pass(box needless_bool::BoolComparison);
323     reg.register_late_lint_pass(box approx_const::ApproxConstant);
324     reg.register_late_lint_pass(box misc::FloatCmp);
325     reg.register_early_lint_pass(box precedence::Precedence);
326     reg.register_late_lint_pass(box eta_reduction::EtaPass);
327     reg.register_late_lint_pass(box identity_op::IdentityOp);
328     reg.register_early_lint_pass(box items_after_statements::ItemsAfterStatements);
329     reg.register_late_lint_pass(box mut_mut::MutMut);
330     reg.register_late_lint_pass(box mut_reference::UnnecessaryMutPassed);
331     reg.register_late_lint_pass(box len_zero::LenZero);
332     reg.register_late_lint_pass(box misc::CmpOwned);
333     reg.register_late_lint_pass(box attrs::AttrPass);
334     reg.register_late_lint_pass(box collapsible_if::CollapsibleIf);
335     reg.register_late_lint_pass(box block_in_if_condition::BlockInIfCondition);
336     reg.register_late_lint_pass(box misc::ModuloOne);
337     reg.register_late_lint_pass(box unicode::Unicode);
338     reg.register_late_lint_pass(box strings::StringAdd);
339     reg.register_early_lint_pass(box returns::ReturnPass);
340     reg.register_late_lint_pass(box methods::MethodsPass);
341     reg.register_late_lint_pass(box shadow::ShadowPass);
342     reg.register_late_lint_pass(box types::LetPass);
343     reg.register_late_lint_pass(box types::UnitCmp);
344     reg.register_late_lint_pass(box loops::LoopsPass);
345     reg.register_late_lint_pass(box lifetimes::LifetimePass);
346     reg.register_late_lint_pass(box entry::HashMapLint);
347     reg.register_late_lint_pass(box ranges::StepByZero);
348     reg.register_late_lint_pass(box types::CastPass);
349     reg.register_late_lint_pass(box types::TypeComplexityPass::new(conf.type_complexity_threshold));
350     reg.register_late_lint_pass(box matches::MatchPass);
351     reg.register_late_lint_pass(box misc::PatternPass);
352     reg.register_late_lint_pass(box minmax::MinMaxPass);
353     reg.register_late_lint_pass(box open_options::NonSensicalOpenOptions);
354     reg.register_late_lint_pass(box zero_div_zero::ZeroDivZeroPass);
355     reg.register_late_lint_pass(box mutex_atomic::MutexAtomic);
356     reg.register_late_lint_pass(box needless_update::NeedlessUpdatePass);
357     reg.register_late_lint_pass(box needless_borrow::NeedlessBorrow);
358     reg.register_late_lint_pass(box no_effect::NoEffectPass);
359     reg.register_late_lint_pass(box map_clone::MapClonePass);
360     reg.register_late_lint_pass(box temporary_assignment::TemporaryAssignmentPass);
361     reg.register_late_lint_pass(box transmute::Transmute);
362     reg.register_late_lint_pass(box cyclomatic_complexity::CyclomaticComplexity::new(conf.cyclomatic_complexity_threshold));
363     reg.register_late_lint_pass(box escape::EscapePass);
364     reg.register_early_lint_pass(box misc_early::MiscEarly);
365     reg.register_late_lint_pass(box misc::UsedUnderscoreBinding);
366     reg.register_late_lint_pass(box array_indexing::ArrayIndexing);
367     reg.register_late_lint_pass(box panic::PanicPass);
368     reg.register_late_lint_pass(box strings::StringLitAsBytes);
369     reg.register_late_lint_pass(box derive::Derive);
370     reg.register_late_lint_pass(box types::CharLitAsU8);
371     reg.register_late_lint_pass(box print::PrintLint);
372     reg.register_late_lint_pass(box vec::UselessVec);
373     reg.register_early_lint_pass(box non_expressive_names::NonExpressiveNames {
374         max_single_char_names: conf.max_single_char_names,
375     });
376     reg.register_late_lint_pass(box drop_ref::DropRefPass);
377     reg.register_late_lint_pass(box types::AbsurdExtremeComparisons);
378     reg.register_late_lint_pass(box types::InvalidUpcastComparisons);
379     reg.register_late_lint_pass(box regex::RegexPass::default());
380     reg.register_late_lint_pass(box copies::CopyAndPaste);
381     reg.register_late_lint_pass(box format::FormatMacLint);
382     reg.register_early_lint_pass(box formatting::Formatting);
383     reg.register_late_lint_pass(box swap::Swap);
384     reg.register_early_lint_pass(box if_not_else::IfNotElse);
385     reg.register_late_lint_pass(box overflow_check_conditional::OverflowCheckConditional);
386     reg.register_late_lint_pass(box unused_label::UnusedLabel);
387     reg.register_late_lint_pass(box new_without_default::NewWithoutDefault);
388     reg.register_late_lint_pass(box blacklisted_name::BlackListedName::new(conf.blacklisted_names));
389     reg.register_late_lint_pass(box functions::Functions::new(conf.too_many_arguments_threshold));
390     reg.register_early_lint_pass(box doc::Doc::new(conf.doc_valid_idents));
391     reg.register_late_lint_pass(box neg_multiply::NegMultiply);
392     reg.register_late_lint_pass(box unsafe_removed_from_name::UnsafeNameRemoval);
393     reg.register_late_lint_pass(box mem_forget::MemForget);
394     reg.register_late_lint_pass(box arithmetic::Arithmetic::default());
395     reg.register_late_lint_pass(box assign_ops::AssignOps);
396
397     reg.register_lint_group("clippy_restrictions", vec![
398         arithmetic::FLOAT_ARITHMETIC,
399         arithmetic::INTEGER_ARITHMETIC,
400         assign_ops::ASSIGN_OPS,
401     ]);
402
403     reg.register_lint_group("clippy_pedantic", vec![
404         array_indexing::INDEXING_SLICING,
405         booleans::NONMINIMAL_BOOL,
406         enum_glob_use::ENUM_GLOB_USE,
407         if_not_else::IF_NOT_ELSE,
408         items_after_statements::ITEMS_AFTER_STATEMENTS,
409         matches::SINGLE_MATCH_ELSE,
410         mem_forget::MEM_FORGET,
411         methods::OPTION_UNWRAP_USED,
412         methods::RESULT_UNWRAP_USED,
413         methods::WRONG_PUB_SELF_CONVENTION,
414         misc::USED_UNDERSCORE_BINDING,
415         mut_mut::MUT_MUT,
416         mutex_atomic::MUTEX_INTEGER,
417         non_expressive_names::SIMILAR_NAMES,
418         print::PRINT_STDOUT,
419         print::USE_DEBUG,
420         shadow::SHADOW_REUSE,
421         shadow::SHADOW_SAME,
422         shadow::SHADOW_UNRELATED,
423         strings::STRING_ADD,
424         strings::STRING_ADD_ASSIGN,
425         types::CAST_POSSIBLE_TRUNCATION,
426         types::CAST_POSSIBLE_WRAP,
427         types::CAST_PRECISION_LOSS,
428         types::CAST_SIGN_LOSS,
429         types::INVALID_UPCAST_COMPARISONS,
430         unicode::NON_ASCII_LITERAL,
431         unicode::UNICODE_NOT_NFC,
432     ]);
433
434     reg.register_lint_group("clippy", vec![
435         approx_const::APPROX_CONSTANT,
436         array_indexing::OUT_OF_BOUNDS_INDEXING,
437         assign_ops::ASSIGN_OP_PATTERN,
438         attrs::DEPRECATED_SEMVER,
439         attrs::INLINE_ALWAYS,
440         bit_mask::BAD_BIT_MASK,
441         bit_mask::INEFFECTIVE_BIT_MASK,
442         blacklisted_name::BLACKLISTED_NAME,
443         block_in_if_condition::BLOCK_IN_IF_CONDITION_EXPR,
444         block_in_if_condition::BLOCK_IN_IF_CONDITION_STMT,
445         booleans::LOGIC_BUG,
446         collapsible_if::COLLAPSIBLE_IF,
447         copies::IF_SAME_THEN_ELSE,
448         copies::IFS_SAME_COND,
449         copies::MATCH_SAME_ARMS,
450         cyclomatic_complexity::CYCLOMATIC_COMPLEXITY,
451         derive::DERIVE_HASH_XOR_EQ,
452         derive::EXPL_IMPL_CLONE_ON_COPY,
453         doc::DOC_MARKDOWN,
454         drop_ref::DROP_REF,
455         entry::MAP_ENTRY,
456         enum_clike::ENUM_CLIKE_UNPORTABLE_VARIANT,
457         enum_variants::ENUM_VARIANT_NAMES,
458         eq_op::EQ_OP,
459         escape::BOXED_LOCAL,
460         eta_reduction::REDUNDANT_CLOSURE,
461         format::USELESS_FORMAT,
462         formatting::SUSPICIOUS_ASSIGNMENT_FORMATTING,
463         formatting::SUSPICIOUS_ELSE_FORMATTING,
464         functions::TOO_MANY_ARGUMENTS,
465         identity_op::IDENTITY_OP,
466         len_zero::LEN_WITHOUT_IS_EMPTY,
467         len_zero::LEN_ZERO,
468         lifetimes::NEEDLESS_LIFETIMES,
469         lifetimes::UNUSED_LIFETIMES,
470         loops::EMPTY_LOOP,
471         loops::EXPLICIT_COUNTER_LOOP,
472         loops::EXPLICIT_ITER_LOOP,
473         loops::FOR_KV_MAP,
474         loops::FOR_LOOP_OVER_OPTION,
475         loops::FOR_LOOP_OVER_RESULT,
476         loops::ITER_NEXT_LOOP,
477         loops::NEEDLESS_RANGE_LOOP,
478         loops::REVERSE_RANGE_LOOP,
479         loops::UNUSED_COLLECT,
480         loops::WHILE_LET_LOOP,
481         loops::WHILE_LET_ON_ITERATOR,
482         map_clone::MAP_CLONE,
483         matches::MATCH_BOOL,
484         matches::MATCH_OVERLAPPING_ARM,
485         matches::MATCH_REF_PATS,
486         matches::SINGLE_MATCH,
487         methods::CHARS_NEXT_CMP,
488         methods::CLONE_DOUBLE_REF,
489         methods::CLONE_ON_COPY,
490         methods::EXTEND_FROM_SLICE,
491         methods::FILTER_NEXT,
492         methods::NEW_RET_NO_SELF,
493         methods::OK_EXPECT,
494         methods::OPTION_MAP_UNWRAP_OR,
495         methods::OPTION_MAP_UNWRAP_OR_ELSE,
496         methods::OR_FUN_CALL,
497         methods::SEARCH_IS_SOME,
498         methods::SHOULD_IMPLEMENT_TRAIT,
499         methods::SINGLE_CHAR_PATTERN,
500         methods::TEMPORARY_CSTRING_AS_PTR,
501         methods::WRONG_SELF_CONVENTION,
502         minmax::MIN_MAX,
503         misc::CMP_NAN,
504         misc::CMP_OWNED,
505         misc::FLOAT_CMP,
506         misc::MODULO_ONE,
507         misc::REDUNDANT_PATTERN,
508         misc::TOPLEVEL_REF_ARG,
509         misc_early::DUPLICATE_UNDERSCORE_ARGUMENT,
510         misc_early::REDUNDANT_CLOSURE_CALL,
511         misc_early::UNNEEDED_FIELD_PATTERN,
512         mut_reference::UNNECESSARY_MUT_PASSED,
513         mutex_atomic::MUTEX_ATOMIC,
514         needless_bool::BOOL_COMPARISON,
515         needless_bool::NEEDLESS_BOOL,
516         needless_borrow::NEEDLESS_BORROW,
517         needless_update::NEEDLESS_UPDATE,
518         neg_multiply::NEG_MULTIPLY,
519         new_without_default::NEW_WITHOUT_DEFAULT,
520         no_effect::NO_EFFECT,
521         no_effect::UNNECESSARY_OPERATION,
522         non_expressive_names::MANY_SINGLE_CHAR_NAMES,
523         open_options::NONSENSICAL_OPEN_OPTIONS,
524         overflow_check_conditional::OVERFLOW_CHECK_CONDITIONAL,
525         panic::PANIC_PARAMS,
526         precedence::PRECEDENCE,
527         ptr_arg::PTR_ARG,
528         ranges::RANGE_STEP_BY_ZERO,
529         ranges::RANGE_ZIP_WITH_LEN,
530         regex::INVALID_REGEX,
531         regex::REGEX_MACRO,
532         regex::TRIVIAL_REGEX,
533         returns::LET_AND_RETURN,
534         returns::NEEDLESS_RETURN,
535         strings::STRING_LIT_AS_BYTES,
536         swap::ALMOST_SWAPPED,
537         swap::MANUAL_SWAP,
538         temporary_assignment::TEMPORARY_ASSIGNMENT,
539         transmute::CROSSPOINTER_TRANSMUTE,
540         transmute::TRANSMUTE_PTR_TO_REF,
541         transmute::USELESS_TRANSMUTE,
542         types::ABSURD_EXTREME_COMPARISONS,
543         types::BOX_VEC,
544         types::CHAR_LIT_AS_U8,
545         types::LET_UNIT_VALUE,
546         types::LINKEDLIST,
547         types::TYPE_COMPLEXITY,
548         types::UNIT_CMP,
549         unicode::ZERO_WIDTH_SPACE,
550         unsafe_removed_from_name::UNSAFE_REMOVED_FROM_NAME,
551         unused_label::UNUSED_LABEL,
552         vec::USELESS_VEC,
553         zero_div_zero::ZERO_DIVIDED_BY_ZERO,
554     ]);
555 }