]> git.lizzy.rs Git - rust.git/blob - src/lib.rs
Merge pull request #928 from oli-obk/unnecessary_operation
[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         let run = 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             .success();
131         assert!(run, "cargo rustc failed");
132     } else {
133         let args: Vec<String> = if env::args().any(|s| s == "--sysroot") {
134             env::args().collect()
135         } else {
136             env::args().chain(Some("--sysroot".to_owned())).chain(Some(sys_root)).collect()
137         };
138         rustc_driver::run_compiler(&args, &mut ClippyCompilerCalls::new());
139     }
140 }
141
142 fn wrap_args<P, I>(old_args: I, dep_path: P, sysroot: String) -> Vec<String>
143     where P: AsRef<Path>, I: Iterator<Item=String> {
144
145     let mut args = vec!["rustc".to_owned()];
146
147     let mut found_dashes = false;
148     for arg in old_args {
149         found_dashes |= arg == "--";
150         args.push(arg);
151     }
152     if !found_dashes {
153         args.push("--".to_owned());
154     }
155     args.push("-L".to_owned());
156     args.push(dep_path.as_ref().to_string_lossy().into_owned());
157     args.push(String::from("--sysroot"));
158     args.push(sysroot);
159     args.push("-Zno-trans".to_owned());
160     args
161 }
162
163 #[macro_use]
164 extern crate syntax;
165 #[macro_use]
166 extern crate rustc;
167
168 extern crate toml;
169
170 // Only for the compile time checking of paths
171 extern crate core;
172 extern crate collections;
173
174 // for unicode nfc normalization
175 extern crate unicode_normalization;
176
177 // for semver check in attrs.rs
178 extern crate semver;
179
180 // for regex checking
181 extern crate regex_syntax;
182
183 // for finding minimal boolean expressions
184 extern crate quine_mc_cluskey;
185
186 extern crate rustc_plugin;
187 extern crate rustc_const_eval;
188 extern crate rustc_const_math;
189 use rustc_plugin::Registry;
190
191 macro_rules! declare_restriction_lint {
192     { pub $name:tt, $description:tt } => {
193         declare_lint! { pub $name, Allow, $description }
194     };
195 }
196
197 pub mod consts;
198 #[macro_use]
199 pub mod utils;
200
201 // begin lints modules, do not remove this comment, it’s used in `update_lints`
202 pub mod approx_const;
203 pub mod arithmetic;
204 pub mod array_indexing;
205 pub mod assign_ops;
206 pub mod attrs;
207 pub mod bit_mask;
208 pub mod blacklisted_name;
209 pub mod block_in_if_condition;
210 pub mod booleans;
211 pub mod collapsible_if;
212 pub mod copies;
213 pub mod cyclomatic_complexity;
214 pub mod derive;
215 pub mod doc;
216 pub mod drop_ref;
217 pub mod entry;
218 pub mod enum_clike;
219 pub mod enum_glob_use;
220 pub mod enum_variants;
221 pub mod eq_op;
222 pub mod escape;
223 pub mod eta_reduction;
224 pub mod format;
225 pub mod formatting;
226 pub mod functions;
227 pub mod identity_op;
228 pub mod if_not_else;
229 pub mod items_after_statements;
230 pub mod len_zero;
231 pub mod lifetimes;
232 pub mod loops;
233 pub mod map_clone;
234 pub mod matches;
235 pub mod mem_forget;
236 pub mod methods;
237 pub mod minmax;
238 pub mod misc;
239 pub mod misc_early;
240 pub mod mut_mut;
241 pub mod mut_reference;
242 pub mod mutex_atomic;
243 pub mod needless_bool;
244 pub mod needless_borrow;
245 pub mod needless_update;
246 pub mod neg_multiply;
247 pub mod new_without_default;
248 pub mod no_effect;
249 pub mod non_expressive_names;
250 pub mod open_options;
251 pub mod overflow_check_conditional;
252 pub mod panic;
253 pub mod precedence;
254 pub mod print;
255 pub mod ptr_arg;
256 pub mod ranges;
257 pub mod regex;
258 pub mod returns;
259 pub mod shadow;
260 pub mod strings;
261 pub mod swap;
262 pub mod temporary_assignment;
263 pub mod transmute;
264 pub mod types;
265 pub mod unicode;
266 pub mod unsafe_removed_from_name;
267 pub mod unused_label;
268 pub mod vec;
269 pub mod zero_div_zero;
270 // end lints modules, do not remove this comment, it’s used in `update_lints`
271
272 mod reexport {
273     pub use syntax::ast::{Name, NodeId};
274 }
275
276 #[plugin_registrar]
277 #[cfg_attr(rustfmt, rustfmt_skip)]
278 pub fn plugin_registrar(reg: &mut Registry) {
279     let conf = match utils::conf::conf_file(reg.args()) {
280         Ok(file_name) => {
281             // if the user specified a file, it must exist, otherwise default to `clippy.toml` but
282             // do not require the file to exist
283             let (ref file_name, must_exist) = if let Some(ref file_name) = file_name {
284                 (&**file_name, true)
285             } else {
286                 ("clippy.toml", false)
287             };
288
289             let (conf, errors) = utils::conf::read_conf(file_name, must_exist);
290
291             // all conf errors are non-fatal, we just use the default conf in case of error
292             for error in errors {
293                 reg.sess.struct_err(&format!("error reading Clippy's configuration file: {}", error)).emit();
294             }
295
296             conf
297         }
298         Err((err, span)) => {
299             reg.sess.struct_span_err(span, err)
300                     .span_note(span, "Clippy will use default configuration")
301                     .emit();
302             utils::conf::Conf::default()
303         }
304     };
305
306     let mut store = reg.sess.lint_store.borrow_mut();
307     store.register_removed("unstable_as_slice", "`Vec::as_slice` has been stabilized in 1.7");
308     store.register_removed("unstable_as_mut_slice", "`Vec::as_mut_slice` has been stabilized in 1.7");
309     store.register_removed("str_to_string", "using `str::to_string` is common even today and specialization will likely happen soon");
310     store.register_removed("string_to_string", "using `string::to_string` is common even today and specialization will likely happen soon");
311     // end deprecated lints, do not remove this comment, it’s used in `update_lints`
312
313     reg.register_late_lint_pass(box types::TypePass);
314     reg.register_late_lint_pass(box booleans::NonminimalBool);
315     reg.register_late_lint_pass(box misc::TopLevelRefPass);
316     reg.register_late_lint_pass(box misc::CmpNan);
317     reg.register_late_lint_pass(box eq_op::EqOp);
318     reg.register_early_lint_pass(box enum_variants::EnumVariantNames);
319     reg.register_late_lint_pass(box enum_glob_use::EnumGlobUse);
320     reg.register_late_lint_pass(box enum_clike::EnumClikeUnportableVariant);
321     reg.register_late_lint_pass(box bit_mask::BitMask);
322     reg.register_late_lint_pass(box ptr_arg::PtrArg);
323     reg.register_late_lint_pass(box needless_bool::NeedlessBool);
324     reg.register_late_lint_pass(box needless_bool::BoolComparison);
325     reg.register_late_lint_pass(box approx_const::ApproxConstant);
326     reg.register_late_lint_pass(box misc::FloatCmp);
327     reg.register_early_lint_pass(box precedence::Precedence);
328     reg.register_late_lint_pass(box eta_reduction::EtaPass);
329     reg.register_late_lint_pass(box identity_op::IdentityOp);
330     reg.register_early_lint_pass(box items_after_statements::ItemsAfterStatements);
331     reg.register_late_lint_pass(box mut_mut::MutMut);
332     reg.register_late_lint_pass(box mut_reference::UnnecessaryMutPassed);
333     reg.register_late_lint_pass(box len_zero::LenZero);
334     reg.register_late_lint_pass(box misc::CmpOwned);
335     reg.register_late_lint_pass(box attrs::AttrPass);
336     reg.register_late_lint_pass(box collapsible_if::CollapsibleIf);
337     reg.register_late_lint_pass(box block_in_if_condition::BlockInIfCondition);
338     reg.register_late_lint_pass(box misc::ModuloOne);
339     reg.register_late_lint_pass(box unicode::Unicode);
340     reg.register_late_lint_pass(box strings::StringAdd);
341     reg.register_early_lint_pass(box returns::ReturnPass);
342     reg.register_late_lint_pass(box methods::MethodsPass);
343     reg.register_late_lint_pass(box shadow::ShadowPass);
344     reg.register_late_lint_pass(box types::LetPass);
345     reg.register_late_lint_pass(box types::UnitCmp);
346     reg.register_late_lint_pass(box loops::LoopsPass);
347     reg.register_late_lint_pass(box lifetimes::LifetimePass);
348     reg.register_late_lint_pass(box entry::HashMapLint);
349     reg.register_late_lint_pass(box ranges::StepByZero);
350     reg.register_late_lint_pass(box types::CastPass);
351     reg.register_late_lint_pass(box types::TypeComplexityPass::new(conf.type_complexity_threshold));
352     reg.register_late_lint_pass(box matches::MatchPass);
353     reg.register_late_lint_pass(box misc::PatternPass);
354     reg.register_late_lint_pass(box minmax::MinMaxPass);
355     reg.register_late_lint_pass(box open_options::NonSensicalOpenOptions);
356     reg.register_late_lint_pass(box zero_div_zero::ZeroDivZeroPass);
357     reg.register_late_lint_pass(box mutex_atomic::MutexAtomic);
358     reg.register_late_lint_pass(box needless_update::NeedlessUpdatePass);
359     reg.register_late_lint_pass(box needless_borrow::NeedlessBorrow);
360     reg.register_late_lint_pass(box no_effect::NoEffectPass);
361     reg.register_late_lint_pass(box map_clone::MapClonePass);
362     reg.register_late_lint_pass(box temporary_assignment::TemporaryAssignmentPass);
363     reg.register_late_lint_pass(box transmute::Transmute);
364     reg.register_late_lint_pass(box cyclomatic_complexity::CyclomaticComplexity::new(conf.cyclomatic_complexity_threshold));
365     reg.register_late_lint_pass(box escape::EscapePass);
366     reg.register_early_lint_pass(box misc_early::MiscEarly);
367     reg.register_late_lint_pass(box misc::UsedUnderscoreBinding);
368     reg.register_late_lint_pass(box array_indexing::ArrayIndexing);
369     reg.register_late_lint_pass(box panic::PanicPass);
370     reg.register_late_lint_pass(box strings::StringLitAsBytes);
371     reg.register_late_lint_pass(box derive::Derive);
372     reg.register_late_lint_pass(box types::CharLitAsU8);
373     reg.register_late_lint_pass(box print::PrintLint);
374     reg.register_late_lint_pass(box vec::UselessVec);
375     reg.register_early_lint_pass(box non_expressive_names::NonExpressiveNames {
376         max_single_char_names: conf.max_single_char_names,
377     });
378     reg.register_late_lint_pass(box drop_ref::DropRefPass);
379     reg.register_late_lint_pass(box types::AbsurdExtremeComparisons);
380     reg.register_late_lint_pass(box types::InvalidUpcastComparisons);
381     reg.register_late_lint_pass(box regex::RegexPass::default());
382     reg.register_late_lint_pass(box copies::CopyAndPaste);
383     reg.register_late_lint_pass(box format::FormatMacLint);
384     reg.register_early_lint_pass(box formatting::Formatting);
385     reg.register_late_lint_pass(box swap::Swap);
386     reg.register_early_lint_pass(box if_not_else::IfNotElse);
387     reg.register_late_lint_pass(box overflow_check_conditional::OverflowCheckConditional);
388     reg.register_late_lint_pass(box unused_label::UnusedLabel);
389     reg.register_late_lint_pass(box new_without_default::NewWithoutDefault);
390     reg.register_late_lint_pass(box blacklisted_name::BlackListedName::new(conf.blacklisted_names));
391     reg.register_late_lint_pass(box functions::Functions::new(conf.too_many_arguments_threshold));
392     reg.register_early_lint_pass(box doc::Doc::new(conf.doc_valid_idents));
393     reg.register_late_lint_pass(box neg_multiply::NegMultiply);
394     reg.register_late_lint_pass(box unsafe_removed_from_name::UnsafeNameRemoval);
395     reg.register_late_lint_pass(box mem_forget::MemForget);
396     reg.register_late_lint_pass(box arithmetic::Arithmetic::default());
397     reg.register_late_lint_pass(box assign_ops::AssignOps);
398
399     reg.register_lint_group("clippy_restrictions", vec![
400         arithmetic::FLOAT_ARITHMETIC,
401         arithmetic::INTEGER_ARITHMETIC,
402         assign_ops::ASSIGN_OPS,
403     ]);
404
405     reg.register_lint_group("clippy_pedantic", vec![
406         array_indexing::INDEXING_SLICING,
407         booleans::NONMINIMAL_BOOL,
408         enum_glob_use::ENUM_GLOB_USE,
409         if_not_else::IF_NOT_ELSE,
410         items_after_statements::ITEMS_AFTER_STATEMENTS,
411         matches::SINGLE_MATCH_ELSE,
412         mem_forget::MEM_FORGET,
413         methods::OPTION_UNWRAP_USED,
414         methods::RESULT_UNWRAP_USED,
415         methods::WRONG_PUB_SELF_CONVENTION,
416         mut_mut::MUT_MUT,
417         mutex_atomic::MUTEX_INTEGER,
418         non_expressive_names::SIMILAR_NAMES,
419         print::PRINT_STDOUT,
420         print::USE_DEBUG,
421         shadow::SHADOW_REUSE,
422         shadow::SHADOW_SAME,
423         shadow::SHADOW_UNRELATED,
424         strings::STRING_ADD,
425         strings::STRING_ADD_ASSIGN,
426         types::CAST_POSSIBLE_TRUNCATION,
427         types::CAST_POSSIBLE_WRAP,
428         types::CAST_PRECISION_LOSS,
429         types::CAST_SIGN_LOSS,
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::USED_UNDERSCORE_BINDING,
510         misc_early::DUPLICATE_UNDERSCORE_ARGUMENT,
511         misc_early::REDUNDANT_CLOSURE_CALL,
512         misc_early::UNNEEDED_FIELD_PATTERN,
513         mut_reference::UNNECESSARY_MUT_PASSED,
514         mutex_atomic::MUTEX_ATOMIC,
515         needless_bool::BOOL_COMPARISON,
516         needless_bool::NEEDLESS_BOOL,
517         needless_borrow::NEEDLESS_BORROW,
518         needless_update::NEEDLESS_UPDATE,
519         neg_multiply::NEG_MULTIPLY,
520         new_without_default::NEW_WITHOUT_DEFAULT,
521         no_effect::NO_EFFECT,
522         no_effect::UNNECESSARY_OPERATION,
523         non_expressive_names::MANY_SINGLE_CHAR_NAMES,
524         open_options::NONSENSICAL_OPEN_OPTIONS,
525         overflow_check_conditional::OVERFLOW_CHECK_CONDITIONAL,
526         panic::PANIC_PARAMS,
527         precedence::PRECEDENCE,
528         ptr_arg::PTR_ARG,
529         ranges::RANGE_STEP_BY_ZERO,
530         ranges::RANGE_ZIP_WITH_LEN,
531         regex::INVALID_REGEX,
532         regex::REGEX_MACRO,
533         regex::TRIVIAL_REGEX,
534         returns::LET_AND_RETURN,
535         returns::NEEDLESS_RETURN,
536         strings::STRING_LIT_AS_BYTES,
537         swap::ALMOST_SWAPPED,
538         swap::MANUAL_SWAP,
539         temporary_assignment::TEMPORARY_ASSIGNMENT,
540         transmute::CROSSPOINTER_TRANSMUTE,
541         transmute::TRANSMUTE_PTR_TO_REF,
542         transmute::USELESS_TRANSMUTE,
543         types::ABSURD_EXTREME_COMPARISONS,
544         types::BOX_VEC,
545         types::CHAR_LIT_AS_U8,
546         types::INVALID_UPCAST_COMPARISONS,
547         types::LET_UNIT_VALUE,
548         types::LINKEDLIST,
549         types::TYPE_COMPLEXITY,
550         types::UNIT_CMP,
551         unicode::ZERO_WIDTH_SPACE,
552         unsafe_removed_from_name::UNSAFE_REMOVED_FROM_NAME,
553         unused_label::UNUSED_LABEL,
554         vec::USELESS_VEC,
555         zero_div_zero::ZERO_DIVIDED_BY_ZERO,
556     ]);
557 }