]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/lib.rs
Merge remote-tracking branch 'upstream/master' into rustup
[rust.git] / clippy_lints / src / lib.rs
1 // error-pattern:cargo-clippy
2
3 #![feature(bindings_after_at)]
4 #![feature(box_patterns)]
5 #![feature(box_syntax)]
6 #![feature(concat_idents)]
7 #![feature(crate_visibility_modifier)]
8 #![feature(drain_filter)]
9 #![feature(in_band_lifetimes)]
10 #![feature(once_cell)]
11 #![feature(or_patterns)]
12 #![feature(rustc_private)]
13 #![feature(stmt_expr_attributes)]
14 #![feature(control_flow_enum)]
15 #![recursion_limit = "512"]
16 #![cfg_attr(feature = "deny-warnings", deny(warnings))]
17 #![allow(clippy::missing_docs_in_private_items, clippy::must_use_candidate)]
18 #![warn(trivial_casts, trivial_numeric_casts)]
19 // warn on lints, that are included in `rust-lang/rust`s bootstrap
20 #![warn(rust_2018_idioms, unused_lifetimes)]
21 // warn on rustc internal lints
22 #![deny(rustc::internal)]
23
24 // FIXME: switch to something more ergonomic here, once available.
25 // (Currently there is no way to opt into sysroot crates without `extern crate`.)
26 extern crate rustc_ast;
27 extern crate rustc_ast_pretty;
28 extern crate rustc_attr;
29 extern crate rustc_data_structures;
30 extern crate rustc_driver;
31 extern crate rustc_errors;
32 extern crate rustc_hir;
33 extern crate rustc_hir_pretty;
34 extern crate rustc_index;
35 extern crate rustc_infer;
36 extern crate rustc_lexer;
37 extern crate rustc_lint;
38 extern crate rustc_middle;
39 extern crate rustc_mir;
40 extern crate rustc_parse;
41 extern crate rustc_parse_format;
42 extern crate rustc_session;
43 extern crate rustc_span;
44 extern crate rustc_target;
45 extern crate rustc_trait_selection;
46 extern crate rustc_typeck;
47
48 use crate::utils::parse_msrv;
49 use rustc_data_structures::fx::FxHashSet;
50 use rustc_lint::LintId;
51 use rustc_session::Session;
52
53 /// Macro used to declare a Clippy lint.
54 ///
55 /// Every lint declaration consists of 4 parts:
56 ///
57 /// 1. The documentation, which is used for the website
58 /// 2. The `LINT_NAME`. See [lint naming][lint_naming] on lint naming conventions.
59 /// 3. The `lint_level`, which is a mapping from *one* of our lint groups to `Allow`, `Warn` or
60 ///    `Deny`. The lint level here has nothing to do with what lint groups the lint is a part of.
61 /// 4. The `description` that contains a short explanation on what's wrong with code where the
62 ///    lint is triggered.
63 ///
64 /// Currently the categories `style`, `correctness`, `complexity` and `perf` are enabled by default.
65 /// As said in the README.md of this repository, if the lint level mapping changes, please update
66 /// README.md.
67 ///
68 /// # Example
69 ///
70 /// ```
71 /// #![feature(rustc_private)]
72 /// extern crate rustc_session;
73 /// use rustc_session::declare_tool_lint;
74 /// use clippy_lints::declare_clippy_lint;
75 ///
76 /// declare_clippy_lint! {
77 ///     /// **What it does:** Checks for ... (describe what the lint matches).
78 ///     ///
79 ///     /// **Why is this bad?** Supply the reason for linting the code.
80 ///     ///
81 ///     /// **Known problems:** None. (Or describe where it could go wrong.)
82 ///     ///
83 ///     /// **Example:**
84 ///     ///
85 ///     /// ```rust
86 ///     /// // Bad
87 ///     /// Insert a short example of code that triggers the lint
88 ///     ///
89 ///     /// // Good
90 ///     /// Insert a short example of improved code that doesn't trigger the lint
91 ///     /// ```
92 ///     pub LINT_NAME,
93 ///     pedantic,
94 ///     "description"
95 /// }
96 /// ```
97 /// [lint_naming]: https://rust-lang.github.io/rfcs/0344-conventions-galore.html#lints
98 #[macro_export]
99 macro_rules! declare_clippy_lint {
100     { $(#[$attr:meta])* pub $name:tt, style, $description:tt } => {
101         declare_tool_lint! {
102             $(#[$attr])* pub clippy::$name, Warn, $description, report_in_external_macro: true
103         }
104     };
105     { $(#[$attr:meta])* pub $name:tt, correctness, $description:tt } => {
106         declare_tool_lint! {
107             $(#[$attr])* pub clippy::$name, Deny, $description, report_in_external_macro: true
108         }
109     };
110     { $(#[$attr:meta])* pub $name:tt, complexity, $description:tt } => {
111         declare_tool_lint! {
112             $(#[$attr])* pub clippy::$name, Warn, $description, report_in_external_macro: true
113         }
114     };
115     { $(#[$attr:meta])* pub $name:tt, perf, $description:tt } => {
116         declare_tool_lint! {
117             $(#[$attr])* pub clippy::$name, Warn, $description, report_in_external_macro: true
118         }
119     };
120     { $(#[$attr:meta])* pub $name:tt, pedantic, $description:tt } => {
121         declare_tool_lint! {
122             $(#[$attr])* pub clippy::$name, Allow, $description, report_in_external_macro: true
123         }
124     };
125     { $(#[$attr:meta])* pub $name:tt, restriction, $description:tt } => {
126         declare_tool_lint! {
127             $(#[$attr])* pub clippy::$name, Allow, $description, report_in_external_macro: true
128         }
129     };
130     { $(#[$attr:meta])* pub $name:tt, cargo, $description:tt } => {
131         declare_tool_lint! {
132             $(#[$attr])* pub clippy::$name, Allow, $description, report_in_external_macro: true
133         }
134     };
135     { $(#[$attr:meta])* pub $name:tt, nursery, $description:tt } => {
136         declare_tool_lint! {
137             $(#[$attr])* pub clippy::$name, Allow, $description, report_in_external_macro: true
138         }
139     };
140     { $(#[$attr:meta])* pub $name:tt, internal, $description:tt } => {
141         declare_tool_lint! {
142             $(#[$attr])* pub clippy::$name, Allow, $description, report_in_external_macro: true
143         }
144     };
145     { $(#[$attr:meta])* pub $name:tt, internal_warn, $description:tt } => {
146         declare_tool_lint! {
147             $(#[$attr])* pub clippy::$name, Warn, $description, report_in_external_macro: true
148         }
149     };
150 }
151
152 mod consts;
153 #[macro_use]
154 mod utils;
155
156 // begin lints modules, do not remove this comment, it’s used in `update_lints`
157 mod approx_const;
158 mod arithmetic;
159 mod as_conversions;
160 mod asm_syntax;
161 mod assertions_on_constants;
162 mod assign_ops;
163 mod async_yields_async;
164 mod atomic_ordering;
165 mod attrs;
166 mod await_holding_invalid;
167 mod bit_mask;
168 mod blacklisted_name;
169 mod blocks_in_if_conditions;
170 mod booleans;
171 mod bytecount;
172 mod cargo_common_metadata;
173 mod case_sensitive_file_extension_comparisons;
174 mod checked_conversions;
175 mod cognitive_complexity;
176 mod collapsible_if;
177 mod collapsible_match;
178 mod comparison_chain;
179 mod copies;
180 mod copy_iterator;
181 mod create_dir;
182 mod dbg_macro;
183 mod default;
184 mod dereference;
185 mod derive;
186 mod disallowed_method;
187 mod doc;
188 mod double_comparison;
189 mod double_parens;
190 mod drop_forget_ref;
191 mod duration_subsec;
192 mod else_if_without_else;
193 mod empty_enum;
194 mod entry;
195 mod enum_clike;
196 mod enum_variants;
197 mod eq_op;
198 mod erasing_op;
199 mod escape;
200 mod eta_reduction;
201 mod eval_order_dependence;
202 mod excessive_bools;
203 mod exhaustive_items;
204 mod exit;
205 mod explicit_write;
206 mod fallible_impl_from;
207 mod float_equality_without_abs;
208 mod float_literal;
209 mod floating_point_arithmetic;
210 mod format;
211 mod formatting;
212 mod from_over_into;
213 mod functions;
214 mod future_not_send;
215 mod get_last_with_len;
216 mod identity_op;
217 mod if_let_mutex;
218 mod if_let_some_result;
219 mod if_not_else;
220 mod implicit_return;
221 mod implicit_saturating_sub;
222 mod indexing_slicing;
223 mod infinite_iter;
224 mod inherent_impl;
225 mod inherent_to_string;
226 mod inline_fn_without_body;
227 mod int_plus_one;
228 mod integer_division;
229 mod items_after_statements;
230 mod large_const_arrays;
231 mod large_enum_variant;
232 mod large_stack_arrays;
233 mod len_zero;
234 mod let_if_seq;
235 mod let_underscore;
236 mod lifetimes;
237 mod literal_representation;
238 mod loops;
239 mod macro_use;
240 mod main_recursion;
241 mod manual_async_fn;
242 mod manual_non_exhaustive;
243 mod manual_ok_or;
244 mod manual_strip;
245 mod manual_unwrap_or;
246 mod map_clone;
247 mod map_err_ignore;
248 mod map_identity;
249 mod map_unit_fn;
250 mod match_on_vec_items;
251 mod matches;
252 mod mem_discriminant;
253 mod mem_forget;
254 mod mem_replace;
255 mod methods;
256 mod minmax;
257 mod misc;
258 mod misc_early;
259 mod missing_const_for_fn;
260 mod missing_doc;
261 mod missing_inline;
262 mod modulo_arithmetic;
263 mod multiple_crate_versions;
264 mod mut_key;
265 mod mut_mut;
266 mod mut_mutex_lock;
267 mod mut_reference;
268 mod mutable_debug_assertion;
269 mod mutex_atomic;
270 mod needless_arbitrary_self_type;
271 mod needless_bool;
272 mod needless_borrow;
273 mod needless_borrowed_ref;
274 mod needless_continue;
275 mod needless_pass_by_value;
276 mod needless_question_mark;
277 mod needless_update;
278 mod neg_cmp_op_on_partial_ord;
279 mod neg_multiply;
280 mod new_without_default;
281 mod no_effect;
282 mod non_copy_const;
283 mod non_expressive_names;
284 mod open_options;
285 mod option_env_unwrap;
286 mod option_if_let_else;
287 mod overflow_check_conditional;
288 mod panic_in_result_fn;
289 mod panic_unimplemented;
290 mod partialeq_ne_impl;
291 mod pass_by_ref_or_value;
292 mod path_buf_push_overwrite;
293 mod pattern_type_mismatch;
294 mod precedence;
295 mod ptr;
296 mod ptr_eq;
297 mod ptr_offset_with_cast;
298 mod question_mark;
299 mod ranges;
300 mod redundant_clone;
301 mod redundant_closure_call;
302 mod redundant_else;
303 mod redundant_field_names;
304 mod redundant_pub_crate;
305 mod redundant_slicing;
306 mod redundant_static_lifetimes;
307 mod ref_option_ref;
308 mod reference;
309 mod regex;
310 mod repeat_once;
311 mod returns;
312 mod self_assignment;
313 mod semicolon_if_nothing_returned;
314 mod serde_api;
315 mod shadow;
316 mod single_component_path_imports;
317 mod size_of_in_element_count;
318 mod slow_vector_initialization;
319 mod stable_sort_primitive;
320 mod strings;
321 mod suspicious_operation_groupings;
322 mod suspicious_trait_impl;
323 mod swap;
324 mod tabs_in_doc_comments;
325 mod temporary_assignment;
326 mod to_digit_is_some;
327 mod to_string_in_display;
328 mod trait_bounds;
329 mod transmute;
330 mod transmuting_null;
331 mod try_err;
332 mod types;
333 mod undropped_manually_drops;
334 mod unicode;
335 mod unit_return_expecting_ord;
336 mod unnamed_address;
337 mod unnecessary_sort_by;
338 mod unnecessary_wraps;
339 mod unnested_or_patterns;
340 mod unsafe_removed_from_name;
341 mod unused_io_amount;
342 mod unused_self;
343 mod unused_unit;
344 mod unwrap;
345 mod unwrap_in_result;
346 mod upper_case_acronyms;
347 mod use_self;
348 mod useless_conversion;
349 mod vec;
350 mod vec_init_then_push;
351 mod vec_resize_to_zero;
352 mod verbose_file_reads;
353 mod wildcard_dependencies;
354 mod wildcard_imports;
355 mod write;
356 mod zero_div_zero;
357 mod zero_sized_map_values;
358 // end lints modules, do not remove this comment, it’s used in `update_lints`
359
360 pub use crate::utils::conf::Conf;
361
362 /// Register all pre expansion lints
363 ///
364 /// Pre-expansion lints run before any macro expansion has happened.
365 ///
366 /// Note that due to the architecture of the compiler, currently `cfg_attr` attributes on crate
367 /// level (i.e `#![cfg_attr(...)]`) will still be expanded even when using a pre-expansion pass.
368 ///
369 /// Used in `./src/driver.rs`.
370 pub fn register_pre_expansion_lints(store: &mut rustc_lint::LintStore) {
371     store.register_pre_expansion_pass(|| box write::Write::default());
372     store.register_pre_expansion_pass(|| box attrs::EarlyAttributes);
373     store.register_pre_expansion_pass(|| box dbg_macro::DbgMacro);
374 }
375
376 #[doc(hidden)]
377 pub fn read_conf(args: &[rustc_ast::NestedMetaItem], sess: &Session) -> Conf {
378     use std::path::Path;
379     match utils::conf::file_from_args(args) {
380         Ok(file_name) => {
381             // if the user specified a file, it must exist, otherwise default to `clippy.toml` but
382             // do not require the file to exist
383             let file_name = match file_name {
384                 Some(file_name) => file_name,
385                 None => match utils::conf::lookup_conf_file() {
386                     Ok(Some(path)) => path,
387                     Ok(None) => return Conf::default(),
388                     Err(error) => {
389                         sess.struct_err(&format!("error finding Clippy's configuration file: {}", error))
390                             .emit();
391                         return Conf::default();
392                     },
393                 },
394             };
395
396             let file_name = if file_name.is_relative() {
397                 sess.local_crate_source_file
398                     .as_deref()
399                     .and_then(Path::parent)
400                     .unwrap_or_else(|| Path::new(""))
401                     .join(file_name)
402             } else {
403                 file_name
404             };
405
406             let (conf, errors) = utils::conf::read(&file_name);
407
408             // all conf errors are non-fatal, we just use the default conf in case of error
409             for error in errors {
410                 sess.struct_err(&format!(
411                     "error reading Clippy's configuration file `{}`: {}",
412                     file_name.display(),
413                     error
414                 ))
415                 .emit();
416             }
417
418             conf
419         },
420         Err((err, span)) => {
421             sess.struct_span_err(span, err)
422                 .span_note(span, "Clippy will use default configuration")
423                 .emit();
424             Conf::default()
425         },
426     }
427 }
428
429 /// Register all lints and lint groups with the rustc plugin registry
430 ///
431 /// Used in `./src/driver.rs`.
432 #[allow(clippy::too_many_lines)]
433 #[rustfmt::skip]
434 pub fn register_plugins(store: &mut rustc_lint::LintStore, sess: &Session, conf: &Conf) {
435     register_removed_non_tool_lints(store);
436
437     // begin deprecated lints, do not remove this comment, it’s used in `update_lints`
438     store.register_removed(
439         "clippy::should_assert_eq",
440         "`assert!()` will be more flexible with RFC 2011",
441     );
442     store.register_removed(
443         "clippy::extend_from_slice",
444         "`.extend_from_slice(_)` is a faster way to extend a Vec by a slice",
445     );
446     store.register_removed(
447         "clippy::range_step_by_zero",
448         "`iterator.step_by(0)` panics nowadays",
449     );
450     store.register_removed(
451         "clippy::unstable_as_slice",
452         "`Vec::as_slice` has been stabilized in 1.7",
453     );
454     store.register_removed(
455         "clippy::unstable_as_mut_slice",
456         "`Vec::as_mut_slice` has been stabilized in 1.7",
457     );
458     store.register_removed(
459         "clippy::misaligned_transmute",
460         "this lint has been split into cast_ptr_alignment and transmute_ptr_to_ptr",
461     );
462     store.register_removed(
463         "clippy::assign_ops",
464         "using compound assignment operators (e.g., `+=`) is harmless",
465     );
466     store.register_removed(
467         "clippy::if_let_redundant_pattern_matching",
468         "this lint has been changed to redundant_pattern_matching",
469     );
470     store.register_removed(
471         "clippy::unsafe_vector_initialization",
472         "the replacement suggested by this lint had substantially different behavior",
473     );
474     store.register_removed(
475         "clippy::invalid_ref",
476         "superseded by rustc lint `invalid_value`",
477     );
478     store.register_removed(
479         "clippy::unused_collect",
480         "`collect` has been marked as #[must_use] in rustc and that covers all cases of this lint",
481     );
482     store.register_removed(
483         "clippy::into_iter_on_array",
484         "this lint has been uplifted to rustc and is now called `array_into_iter`",
485     );
486     store.register_removed(
487         "clippy::unused_label",
488         "this lint has been uplifted to rustc and is now called `unused_labels`",
489     );
490     store.register_removed(
491         "clippy::replace_consts",
492         "associated-constants `MIN`/`MAX` of integers are preferred to `{min,max}_value()` and module constants",
493     );
494     store.register_removed(
495         "clippy::regex_macro",
496         "the regex! macro has been removed from the regex crate in 2018",
497     );
498     store.register_removed(
499         "clippy::drop_bounds",
500         "this lint has been uplifted to rustc and is now called `drop_bounds`",
501     );
502     store.register_removed(
503         "clippy::temporary_cstring_as_ptr",
504         "this lint has been uplifted to rustc and is now called `temporary_cstring_as_ptr`",
505     );
506     store.register_removed(
507         "clippy::panic_params",
508         "this lint has been uplifted to rustc and is now called `panic_fmt`",
509     );
510     store.register_removed(
511         "clippy::unknown_clippy_lints",
512         "this lint has been integrated into the `unknown_lints` rustc lint",
513     );
514     store.register_removed(
515         "clippy::find_map",
516         "this lint has been replaced by `manual_find_map`, a more specific lint",
517     );
518     // end deprecated lints, do not remove this comment, it’s used in `update_lints`
519
520     // begin register lints, do not remove this comment, it’s used in `update_lints`
521     store.register_lints(&[
522         #[cfg(feature = "internal-lints")]
523         &utils::internal_lints::CLIPPY_LINTS_INTERNAL,
524         #[cfg(feature = "internal-lints")]
525         &utils::internal_lints::COLLAPSIBLE_SPAN_LINT_CALLS,
526         #[cfg(feature = "internal-lints")]
527         &utils::internal_lints::COMPILER_LINT_FUNCTIONS,
528         #[cfg(feature = "internal-lints")]
529         &utils::internal_lints::DEFAULT_LINT,
530         #[cfg(feature = "internal-lints")]
531         &utils::internal_lints::INTERNING_DEFINED_SYMBOL,
532         #[cfg(feature = "internal-lints")]
533         &utils::internal_lints::INVALID_PATHS,
534         #[cfg(feature = "internal-lints")]
535         &utils::internal_lints::LINT_WITHOUT_LINT_PASS,
536         #[cfg(feature = "internal-lints")]
537         &utils::internal_lints::MATCH_TYPE_ON_DIAGNOSTIC_ITEM,
538         #[cfg(feature = "internal-lints")]
539         &utils::internal_lints::OUTER_EXPN_EXPN_DATA,
540         #[cfg(feature = "internal-lints")]
541         &utils::internal_lints::PRODUCE_ICE,
542         #[cfg(feature = "internal-lints")]
543         &utils::internal_lints::UNNECESSARY_SYMBOL_STR,
544         &approx_const::APPROX_CONSTANT,
545         &arithmetic::FLOAT_ARITHMETIC,
546         &arithmetic::INTEGER_ARITHMETIC,
547         &as_conversions::AS_CONVERSIONS,
548         &asm_syntax::INLINE_ASM_X86_ATT_SYNTAX,
549         &asm_syntax::INLINE_ASM_X86_INTEL_SYNTAX,
550         &assertions_on_constants::ASSERTIONS_ON_CONSTANTS,
551         &assign_ops::ASSIGN_OP_PATTERN,
552         &assign_ops::MISREFACTORED_ASSIGN_OP,
553         &async_yields_async::ASYNC_YIELDS_ASYNC,
554         &atomic_ordering::INVALID_ATOMIC_ORDERING,
555         &attrs::BLANKET_CLIPPY_RESTRICTION_LINTS,
556         &attrs::DEPRECATED_CFG_ATTR,
557         &attrs::DEPRECATED_SEMVER,
558         &attrs::EMPTY_LINE_AFTER_OUTER_ATTR,
559         &attrs::INLINE_ALWAYS,
560         &attrs::MISMATCHED_TARGET_OS,
561         &attrs::USELESS_ATTRIBUTE,
562         &await_holding_invalid::AWAIT_HOLDING_LOCK,
563         &await_holding_invalid::AWAIT_HOLDING_REFCELL_REF,
564         &bit_mask::BAD_BIT_MASK,
565         &bit_mask::INEFFECTIVE_BIT_MASK,
566         &bit_mask::VERBOSE_BIT_MASK,
567         &blacklisted_name::BLACKLISTED_NAME,
568         &blocks_in_if_conditions::BLOCKS_IN_IF_CONDITIONS,
569         &booleans::LOGIC_BUG,
570         &booleans::NONMINIMAL_BOOL,
571         &bytecount::NAIVE_BYTECOUNT,
572         &cargo_common_metadata::CARGO_COMMON_METADATA,
573         &case_sensitive_file_extension_comparisons::CASE_SENSITIVE_FILE_EXTENSION_COMPARISONS,
574         &checked_conversions::CHECKED_CONVERSIONS,
575         &cognitive_complexity::COGNITIVE_COMPLEXITY,
576         &collapsible_if::COLLAPSIBLE_ELSE_IF,
577         &collapsible_if::COLLAPSIBLE_IF,
578         &collapsible_match::COLLAPSIBLE_MATCH,
579         &comparison_chain::COMPARISON_CHAIN,
580         &copies::IFS_SAME_COND,
581         &copies::IF_SAME_THEN_ELSE,
582         &copies::SAME_FUNCTIONS_IN_IF_CONDITION,
583         &copy_iterator::COPY_ITERATOR,
584         &create_dir::CREATE_DIR,
585         &dbg_macro::DBG_MACRO,
586         &default::DEFAULT_TRAIT_ACCESS,
587         &default::FIELD_REASSIGN_WITH_DEFAULT,
588         &dereference::EXPLICIT_DEREF_METHODS,
589         &derive::DERIVE_HASH_XOR_EQ,
590         &derive::DERIVE_ORD_XOR_PARTIAL_ORD,
591         &derive::EXPL_IMPL_CLONE_ON_COPY,
592         &derive::UNSAFE_DERIVE_DESERIALIZE,
593         &disallowed_method::DISALLOWED_METHOD,
594         &doc::DOC_MARKDOWN,
595         &doc::MISSING_ERRORS_DOC,
596         &doc::MISSING_PANICS_DOC,
597         &doc::MISSING_SAFETY_DOC,
598         &doc::NEEDLESS_DOCTEST_MAIN,
599         &double_comparison::DOUBLE_COMPARISONS,
600         &double_parens::DOUBLE_PARENS,
601         &drop_forget_ref::DROP_COPY,
602         &drop_forget_ref::DROP_REF,
603         &drop_forget_ref::FORGET_COPY,
604         &drop_forget_ref::FORGET_REF,
605         &duration_subsec::DURATION_SUBSEC,
606         &else_if_without_else::ELSE_IF_WITHOUT_ELSE,
607         &empty_enum::EMPTY_ENUM,
608         &entry::MAP_ENTRY,
609         &enum_clike::ENUM_CLIKE_UNPORTABLE_VARIANT,
610         &enum_variants::ENUM_VARIANT_NAMES,
611         &enum_variants::MODULE_INCEPTION,
612         &enum_variants::MODULE_NAME_REPETITIONS,
613         &enum_variants::PUB_ENUM_VARIANT_NAMES,
614         &eq_op::EQ_OP,
615         &eq_op::OP_REF,
616         &erasing_op::ERASING_OP,
617         &escape::BOXED_LOCAL,
618         &eta_reduction::REDUNDANT_CLOSURE,
619         &eta_reduction::REDUNDANT_CLOSURE_FOR_METHOD_CALLS,
620         &eval_order_dependence::DIVERGING_SUB_EXPRESSION,
621         &eval_order_dependence::EVAL_ORDER_DEPENDENCE,
622         &excessive_bools::FN_PARAMS_EXCESSIVE_BOOLS,
623         &excessive_bools::STRUCT_EXCESSIVE_BOOLS,
624         &exhaustive_items::EXHAUSTIVE_ENUMS,
625         &exhaustive_items::EXHAUSTIVE_STRUCTS,
626         &exit::EXIT,
627         &explicit_write::EXPLICIT_WRITE,
628         &fallible_impl_from::FALLIBLE_IMPL_FROM,
629         &float_equality_without_abs::FLOAT_EQUALITY_WITHOUT_ABS,
630         &float_literal::EXCESSIVE_PRECISION,
631         &float_literal::LOSSY_FLOAT_LITERAL,
632         &floating_point_arithmetic::IMPRECISE_FLOPS,
633         &floating_point_arithmetic::SUBOPTIMAL_FLOPS,
634         &format::USELESS_FORMAT,
635         &formatting::POSSIBLE_MISSING_COMMA,
636         &formatting::SUSPICIOUS_ASSIGNMENT_FORMATTING,
637         &formatting::SUSPICIOUS_ELSE_FORMATTING,
638         &formatting::SUSPICIOUS_UNARY_OP_FORMATTING,
639         &from_over_into::FROM_OVER_INTO,
640         &functions::DOUBLE_MUST_USE,
641         &functions::MUST_USE_CANDIDATE,
642         &functions::MUST_USE_UNIT,
643         &functions::NOT_UNSAFE_PTR_ARG_DEREF,
644         &functions::RESULT_UNIT_ERR,
645         &functions::TOO_MANY_ARGUMENTS,
646         &functions::TOO_MANY_LINES,
647         &future_not_send::FUTURE_NOT_SEND,
648         &get_last_with_len::GET_LAST_WITH_LEN,
649         &identity_op::IDENTITY_OP,
650         &if_let_mutex::IF_LET_MUTEX,
651         &if_let_some_result::IF_LET_SOME_RESULT,
652         &if_not_else::IF_NOT_ELSE,
653         &implicit_return::IMPLICIT_RETURN,
654         &implicit_saturating_sub::IMPLICIT_SATURATING_SUB,
655         &indexing_slicing::INDEXING_SLICING,
656         &indexing_slicing::OUT_OF_BOUNDS_INDEXING,
657         &infinite_iter::INFINITE_ITER,
658         &infinite_iter::MAYBE_INFINITE_ITER,
659         &inherent_impl::MULTIPLE_INHERENT_IMPL,
660         &inherent_to_string::INHERENT_TO_STRING,
661         &inherent_to_string::INHERENT_TO_STRING_SHADOW_DISPLAY,
662         &inline_fn_without_body::INLINE_FN_WITHOUT_BODY,
663         &int_plus_one::INT_PLUS_ONE,
664         &integer_division::INTEGER_DIVISION,
665         &items_after_statements::ITEMS_AFTER_STATEMENTS,
666         &large_const_arrays::LARGE_CONST_ARRAYS,
667         &large_enum_variant::LARGE_ENUM_VARIANT,
668         &large_stack_arrays::LARGE_STACK_ARRAYS,
669         &len_zero::COMPARISON_TO_EMPTY,
670         &len_zero::LEN_WITHOUT_IS_EMPTY,
671         &len_zero::LEN_ZERO,
672         &let_if_seq::USELESS_LET_IF_SEQ,
673         &let_underscore::LET_UNDERSCORE_DROP,
674         &let_underscore::LET_UNDERSCORE_LOCK,
675         &let_underscore::LET_UNDERSCORE_MUST_USE,
676         &lifetimes::EXTRA_UNUSED_LIFETIMES,
677         &lifetimes::NEEDLESS_LIFETIMES,
678         &literal_representation::DECIMAL_LITERAL_REPRESENTATION,
679         &literal_representation::INCONSISTENT_DIGIT_GROUPING,
680         &literal_representation::LARGE_DIGIT_GROUPS,
681         &literal_representation::MISTYPED_LITERAL_SUFFIXES,
682         &literal_representation::UNREADABLE_LITERAL,
683         &literal_representation::UNUSUAL_BYTE_GROUPINGS,
684         &loops::EMPTY_LOOP,
685         &loops::EXPLICIT_COUNTER_LOOP,
686         &loops::EXPLICIT_INTO_ITER_LOOP,
687         &loops::EXPLICIT_ITER_LOOP,
688         &loops::FOR_KV_MAP,
689         &loops::FOR_LOOPS_OVER_FALLIBLES,
690         &loops::ITER_NEXT_LOOP,
691         &loops::MANUAL_FLATTEN,
692         &loops::MANUAL_MEMCPY,
693         &loops::MUT_RANGE_BOUND,
694         &loops::NEEDLESS_COLLECT,
695         &loops::NEEDLESS_RANGE_LOOP,
696         &loops::NEVER_LOOP,
697         &loops::SAME_ITEM_PUSH,
698         &loops::SINGLE_ELEMENT_LOOP,
699         &loops::WHILE_IMMUTABLE_CONDITION,
700         &loops::WHILE_LET_LOOP,
701         &loops::WHILE_LET_ON_ITERATOR,
702         &macro_use::MACRO_USE_IMPORTS,
703         &main_recursion::MAIN_RECURSION,
704         &manual_async_fn::MANUAL_ASYNC_FN,
705         &manual_non_exhaustive::MANUAL_NON_EXHAUSTIVE,
706         &manual_ok_or::MANUAL_OK_OR,
707         &manual_strip::MANUAL_STRIP,
708         &manual_unwrap_or::MANUAL_UNWRAP_OR,
709         &map_clone::MAP_CLONE,
710         &map_err_ignore::MAP_ERR_IGNORE,
711         &map_identity::MAP_IDENTITY,
712         &map_unit_fn::OPTION_MAP_UNIT_FN,
713         &map_unit_fn::RESULT_MAP_UNIT_FN,
714         &match_on_vec_items::MATCH_ON_VEC_ITEMS,
715         &matches::INFALLIBLE_DESTRUCTURING_MATCH,
716         &matches::MATCH_AS_REF,
717         &matches::MATCH_BOOL,
718         &matches::MATCH_LIKE_MATCHES_MACRO,
719         &matches::MATCH_OVERLAPPING_ARM,
720         &matches::MATCH_REF_PATS,
721         &matches::MATCH_SAME_ARMS,
722         &matches::MATCH_SINGLE_BINDING,
723         &matches::MATCH_WILDCARD_FOR_SINGLE_VARIANTS,
724         &matches::MATCH_WILD_ERR_ARM,
725         &matches::REDUNDANT_PATTERN_MATCHING,
726         &matches::REST_PAT_IN_FULLY_BOUND_STRUCTS,
727         &matches::SINGLE_MATCH,
728         &matches::SINGLE_MATCH_ELSE,
729         &matches::WILDCARD_ENUM_MATCH_ARM,
730         &matches::WILDCARD_IN_OR_PATTERNS,
731         &mem_discriminant::MEM_DISCRIMINANT_NON_ENUM,
732         &mem_forget::MEM_FORGET,
733         &mem_replace::MEM_REPLACE_OPTION_WITH_NONE,
734         &mem_replace::MEM_REPLACE_WITH_DEFAULT,
735         &mem_replace::MEM_REPLACE_WITH_UNINIT,
736         &methods::BIND_INSTEAD_OF_MAP,
737         &methods::BYTES_NTH,
738         &methods::CHARS_LAST_CMP,
739         &methods::CHARS_NEXT_CMP,
740         &methods::CLONE_DOUBLE_REF,
741         &methods::CLONE_ON_COPY,
742         &methods::CLONE_ON_REF_PTR,
743         &methods::EXPECT_FUN_CALL,
744         &methods::EXPECT_USED,
745         &methods::FILETYPE_IS_FILE,
746         &methods::FILTER_MAP,
747         &methods::FILTER_MAP_IDENTITY,
748         &methods::FILTER_MAP_NEXT,
749         &methods::FILTER_NEXT,
750         &methods::FLAT_MAP_IDENTITY,
751         &methods::FROM_ITER_INSTEAD_OF_COLLECT,
752         &methods::GET_UNWRAP,
753         &methods::INEFFICIENT_TO_STRING,
754         &methods::INSPECT_FOR_EACH,
755         &methods::INTO_ITER_ON_REF,
756         &methods::ITERATOR_STEP_BY_ZERO,
757         &methods::ITER_CLONED_COLLECT,
758         &methods::ITER_NEXT_SLICE,
759         &methods::ITER_NTH,
760         &methods::ITER_NTH_ZERO,
761         &methods::ITER_SKIP_NEXT,
762         &methods::MANUAL_FILTER_MAP,
763         &methods::MANUAL_FIND_MAP,
764         &methods::MANUAL_SATURATING_ARITHMETIC,
765         &methods::MAP_COLLECT_RESULT_UNIT,
766         &methods::MAP_FLATTEN,
767         &methods::MAP_UNWRAP_OR,
768         &methods::NEW_RET_NO_SELF,
769         &methods::OK_EXPECT,
770         &methods::OPTION_AS_REF_DEREF,
771         &methods::OPTION_MAP_OR_NONE,
772         &methods::OR_FUN_CALL,
773         &methods::RESULT_MAP_OR_INTO_OPTION,
774         &methods::SEARCH_IS_SOME,
775         &methods::SHOULD_IMPLEMENT_TRAIT,
776         &methods::SINGLE_CHAR_ADD_STR,
777         &methods::SINGLE_CHAR_PATTERN,
778         &methods::SKIP_WHILE_NEXT,
779         &methods::STRING_EXTEND_CHARS,
780         &methods::SUSPICIOUS_MAP,
781         &methods::UNINIT_ASSUMED_INIT,
782         &methods::UNNECESSARY_FILTER_MAP,
783         &methods::UNNECESSARY_FOLD,
784         &methods::UNNECESSARY_LAZY_EVALUATIONS,
785         &methods::UNWRAP_USED,
786         &methods::USELESS_ASREF,
787         &methods::WRONG_PUB_SELF_CONVENTION,
788         &methods::WRONG_SELF_CONVENTION,
789         &methods::ZST_OFFSET,
790         &minmax::MIN_MAX,
791         &misc::CMP_NAN,
792         &misc::CMP_OWNED,
793         &misc::FLOAT_CMP,
794         &misc::FLOAT_CMP_CONST,
795         &misc::MODULO_ONE,
796         &misc::SHORT_CIRCUIT_STATEMENT,
797         &misc::TOPLEVEL_REF_ARG,
798         &misc::USED_UNDERSCORE_BINDING,
799         &misc::ZERO_PTR,
800         &misc_early::BUILTIN_TYPE_SHADOW,
801         &misc_early::DOUBLE_NEG,
802         &misc_early::DUPLICATE_UNDERSCORE_ARGUMENT,
803         &misc_early::MIXED_CASE_HEX_LITERALS,
804         &misc_early::REDUNDANT_PATTERN,
805         &misc_early::UNNEEDED_FIELD_PATTERN,
806         &misc_early::UNNEEDED_WILDCARD_PATTERN,
807         &misc_early::UNSEPARATED_LITERAL_SUFFIX,
808         &misc_early::ZERO_PREFIXED_LITERAL,
809         &missing_const_for_fn::MISSING_CONST_FOR_FN,
810         &missing_doc::MISSING_DOCS_IN_PRIVATE_ITEMS,
811         &missing_inline::MISSING_INLINE_IN_PUBLIC_ITEMS,
812         &modulo_arithmetic::MODULO_ARITHMETIC,
813         &multiple_crate_versions::MULTIPLE_CRATE_VERSIONS,
814         &mut_key::MUTABLE_KEY_TYPE,
815         &mut_mut::MUT_MUT,
816         &mut_mutex_lock::MUT_MUTEX_LOCK,
817         &mut_reference::UNNECESSARY_MUT_PASSED,
818         &mutable_debug_assertion::DEBUG_ASSERT_WITH_MUT_CALL,
819         &mutex_atomic::MUTEX_ATOMIC,
820         &mutex_atomic::MUTEX_INTEGER,
821         &needless_arbitrary_self_type::NEEDLESS_ARBITRARY_SELF_TYPE,
822         &needless_bool::BOOL_COMPARISON,
823         &needless_bool::NEEDLESS_BOOL,
824         &needless_borrow::NEEDLESS_BORROW,
825         &needless_borrowed_ref::NEEDLESS_BORROWED_REFERENCE,
826         &needless_continue::NEEDLESS_CONTINUE,
827         &needless_pass_by_value::NEEDLESS_PASS_BY_VALUE,
828         &needless_question_mark::NEEDLESS_QUESTION_MARK,
829         &needless_update::NEEDLESS_UPDATE,
830         &neg_cmp_op_on_partial_ord::NEG_CMP_OP_ON_PARTIAL_ORD,
831         &neg_multiply::NEG_MULTIPLY,
832         &new_without_default::NEW_WITHOUT_DEFAULT,
833         &no_effect::NO_EFFECT,
834         &no_effect::UNNECESSARY_OPERATION,
835         &non_copy_const::BORROW_INTERIOR_MUTABLE_CONST,
836         &non_copy_const::DECLARE_INTERIOR_MUTABLE_CONST,
837         &non_expressive_names::JUST_UNDERSCORES_AND_DIGITS,
838         &non_expressive_names::MANY_SINGLE_CHAR_NAMES,
839         &non_expressive_names::SIMILAR_NAMES,
840         &open_options::NONSENSICAL_OPEN_OPTIONS,
841         &option_env_unwrap::OPTION_ENV_UNWRAP,
842         &option_if_let_else::OPTION_IF_LET_ELSE,
843         &overflow_check_conditional::OVERFLOW_CHECK_CONDITIONAL,
844         &panic_in_result_fn::PANIC_IN_RESULT_FN,
845         &panic_unimplemented::PANIC,
846         &panic_unimplemented::TODO,
847         &panic_unimplemented::UNIMPLEMENTED,
848         &panic_unimplemented::UNREACHABLE,
849         &partialeq_ne_impl::PARTIALEQ_NE_IMPL,
850         &pass_by_ref_or_value::LARGE_TYPES_PASSED_BY_VALUE,
851         &pass_by_ref_or_value::TRIVIALLY_COPY_PASS_BY_REF,
852         &path_buf_push_overwrite::PATH_BUF_PUSH_OVERWRITE,
853         &pattern_type_mismatch::PATTERN_TYPE_MISMATCH,
854         &precedence::PRECEDENCE,
855         &ptr::CMP_NULL,
856         &ptr::MUT_FROM_REF,
857         &ptr::PTR_ARG,
858         &ptr_eq::PTR_EQ,
859         &ptr_offset_with_cast::PTR_OFFSET_WITH_CAST,
860         &question_mark::QUESTION_MARK,
861         &ranges::MANUAL_RANGE_CONTAINS,
862         &ranges::RANGE_MINUS_ONE,
863         &ranges::RANGE_PLUS_ONE,
864         &ranges::RANGE_ZIP_WITH_LEN,
865         &ranges::REVERSED_EMPTY_RANGES,
866         &redundant_clone::REDUNDANT_CLONE,
867         &redundant_closure_call::REDUNDANT_CLOSURE_CALL,
868         &redundant_else::REDUNDANT_ELSE,
869         &redundant_field_names::REDUNDANT_FIELD_NAMES,
870         &redundant_pub_crate::REDUNDANT_PUB_CRATE,
871         &redundant_slicing::REDUNDANT_SLICING,
872         &redundant_static_lifetimes::REDUNDANT_STATIC_LIFETIMES,
873         &ref_option_ref::REF_OPTION_REF,
874         &reference::DEREF_ADDROF,
875         &reference::REF_IN_DEREF,
876         &regex::INVALID_REGEX,
877         &regex::TRIVIAL_REGEX,
878         &repeat_once::REPEAT_ONCE,
879         &returns::LET_AND_RETURN,
880         &returns::NEEDLESS_RETURN,
881         &self_assignment::SELF_ASSIGNMENT,
882         &semicolon_if_nothing_returned::SEMICOLON_IF_NOTHING_RETURNED,
883         &serde_api::SERDE_API_MISUSE,
884         &shadow::SHADOW_REUSE,
885         &shadow::SHADOW_SAME,
886         &shadow::SHADOW_UNRELATED,
887         &single_component_path_imports::SINGLE_COMPONENT_PATH_IMPORTS,
888         &size_of_in_element_count::SIZE_OF_IN_ELEMENT_COUNT,
889         &slow_vector_initialization::SLOW_VECTOR_INITIALIZATION,
890         &stable_sort_primitive::STABLE_SORT_PRIMITIVE,
891         &strings::STRING_ADD,
892         &strings::STRING_ADD_ASSIGN,
893         &strings::STRING_FROM_UTF8_AS_BYTES,
894         &strings::STRING_LIT_AS_BYTES,
895         &strings::STRING_TO_STRING,
896         &strings::STR_TO_STRING,
897         &suspicious_operation_groupings::SUSPICIOUS_OPERATION_GROUPINGS,
898         &suspicious_trait_impl::SUSPICIOUS_ARITHMETIC_IMPL,
899         &suspicious_trait_impl::SUSPICIOUS_OP_ASSIGN_IMPL,
900         &swap::ALMOST_SWAPPED,
901         &swap::MANUAL_SWAP,
902         &tabs_in_doc_comments::TABS_IN_DOC_COMMENTS,
903         &temporary_assignment::TEMPORARY_ASSIGNMENT,
904         &to_digit_is_some::TO_DIGIT_IS_SOME,
905         &to_string_in_display::TO_STRING_IN_DISPLAY,
906         &trait_bounds::TRAIT_DUPLICATION_IN_BOUNDS,
907         &trait_bounds::TYPE_REPETITION_IN_BOUNDS,
908         &transmute::CROSSPOINTER_TRANSMUTE,
909         &transmute::TRANSMUTES_EXPRESSIBLE_AS_PTR_CASTS,
910         &transmute::TRANSMUTE_BYTES_TO_STR,
911         &transmute::TRANSMUTE_FLOAT_TO_INT,
912         &transmute::TRANSMUTE_INT_TO_BOOL,
913         &transmute::TRANSMUTE_INT_TO_CHAR,
914         &transmute::TRANSMUTE_INT_TO_FLOAT,
915         &transmute::TRANSMUTE_PTR_TO_PTR,
916         &transmute::TRANSMUTE_PTR_TO_REF,
917         &transmute::UNSOUND_COLLECTION_TRANSMUTE,
918         &transmute::USELESS_TRANSMUTE,
919         &transmute::WRONG_TRANSMUTE,
920         &transmuting_null::TRANSMUTING_NULL,
921         &try_err::TRY_ERR,
922         &types::ABSURD_EXTREME_COMPARISONS,
923         &types::BORROWED_BOX,
924         &types::BOX_VEC,
925         &types::CAST_LOSSLESS,
926         &types::CAST_POSSIBLE_TRUNCATION,
927         &types::CAST_POSSIBLE_WRAP,
928         &types::CAST_PRECISION_LOSS,
929         &types::CAST_PTR_ALIGNMENT,
930         &types::CAST_REF_TO_MUT,
931         &types::CAST_SIGN_LOSS,
932         &types::CHAR_LIT_AS_U8,
933         &types::FN_TO_NUMERIC_CAST,
934         &types::FN_TO_NUMERIC_CAST_WITH_TRUNCATION,
935         &types::IMPLICIT_HASHER,
936         &types::INVALID_UPCAST_COMPARISONS,
937         &types::LET_UNIT_VALUE,
938         &types::LINKEDLIST,
939         &types::OPTION_OPTION,
940         &types::PTR_AS_PTR,
941         &types::RC_BUFFER,
942         &types::REDUNDANT_ALLOCATION,
943         &types::TYPE_COMPLEXITY,
944         &types::UNIT_ARG,
945         &types::UNIT_CMP,
946         &types::UNNECESSARY_CAST,
947         &types::VEC_BOX,
948         &undropped_manually_drops::UNDROPPED_MANUALLY_DROPS,
949         &unicode::INVISIBLE_CHARACTERS,
950         &unicode::NON_ASCII_LITERAL,
951         &unicode::UNICODE_NOT_NFC,
952         &unit_return_expecting_ord::UNIT_RETURN_EXPECTING_ORD,
953         &unnamed_address::FN_ADDRESS_COMPARISONS,
954         &unnamed_address::VTABLE_ADDRESS_COMPARISONS,
955         &unnecessary_sort_by::UNNECESSARY_SORT_BY,
956         &unnecessary_wraps::UNNECESSARY_WRAPS,
957         &unnested_or_patterns::UNNESTED_OR_PATTERNS,
958         &unsafe_removed_from_name::UNSAFE_REMOVED_FROM_NAME,
959         &unused_io_amount::UNUSED_IO_AMOUNT,
960         &unused_self::UNUSED_SELF,
961         &unused_unit::UNUSED_UNIT,
962         &unwrap::PANICKING_UNWRAP,
963         &unwrap::UNNECESSARY_UNWRAP,
964         &unwrap_in_result::UNWRAP_IN_RESULT,
965         &upper_case_acronyms::UPPER_CASE_ACRONYMS,
966         &use_self::USE_SELF,
967         &useless_conversion::USELESS_CONVERSION,
968         &vec::USELESS_VEC,
969         &vec_init_then_push::VEC_INIT_THEN_PUSH,
970         &vec_resize_to_zero::VEC_RESIZE_TO_ZERO,
971         &verbose_file_reads::VERBOSE_FILE_READS,
972         &wildcard_dependencies::WILDCARD_DEPENDENCIES,
973         &wildcard_imports::ENUM_GLOB_USE,
974         &wildcard_imports::WILDCARD_IMPORTS,
975         &write::PRINTLN_EMPTY_STRING,
976         &write::PRINT_LITERAL,
977         &write::PRINT_STDERR,
978         &write::PRINT_STDOUT,
979         &write::PRINT_WITH_NEWLINE,
980         &write::USE_DEBUG,
981         &write::WRITELN_EMPTY_STRING,
982         &write::WRITE_LITERAL,
983         &write::WRITE_WITH_NEWLINE,
984         &zero_div_zero::ZERO_DIVIDED_BY_ZERO,
985         &zero_sized_map_values::ZERO_SIZED_MAP_VALUES,
986     ]);
987     // end register lints, do not remove this comment, it’s used in `update_lints`
988
989     // all the internal lints
990     #[cfg(feature = "internal-lints")]
991     {
992         store.register_early_pass(|| box utils::internal_lints::ClippyLintsInternal);
993         store.register_early_pass(|| box utils::internal_lints::ProduceIce);
994         store.register_late_pass(|| box utils::inspector::DeepCodeInspector);
995         store.register_late_pass(|| box utils::internal_lints::CollapsibleCalls);
996         store.register_late_pass(|| box utils::internal_lints::CompilerLintFunctions::new());
997         store.register_late_pass(|| box utils::internal_lints::InvalidPaths);
998         store.register_late_pass(|| box utils::internal_lints::InterningDefinedSymbol::default());
999         store.register_late_pass(|| box utils::internal_lints::LintWithoutLintPass::default());
1000         store.register_late_pass(|| box utils::internal_lints::MatchTypeOnDiagItem);
1001         store.register_late_pass(|| box utils::internal_lints::OuterExpnDataPass);
1002     }
1003     store.register_late_pass(|| box utils::author::Author);
1004     store.register_late_pass(|| box await_holding_invalid::AwaitHolding);
1005     store.register_late_pass(|| box serde_api::SerdeApi);
1006     let vec_box_size_threshold = conf.vec_box_size_threshold;
1007     store.register_late_pass(move || box types::Types::new(vec_box_size_threshold));
1008     store.register_late_pass(|| box booleans::NonminimalBool);
1009     store.register_late_pass(|| box eq_op::EqOp);
1010     store.register_late_pass(|| box enum_clike::UnportableVariant);
1011     store.register_late_pass(|| box float_literal::FloatLiteral);
1012     let verbose_bit_mask_threshold = conf.verbose_bit_mask_threshold;
1013     store.register_late_pass(move || box bit_mask::BitMask::new(verbose_bit_mask_threshold));
1014     store.register_late_pass(|| box ptr::Ptr);
1015     store.register_late_pass(|| box ptr_eq::PtrEq);
1016     store.register_late_pass(|| box needless_bool::NeedlessBool);
1017     store.register_late_pass(|| box needless_bool::BoolComparison);
1018     store.register_late_pass(|| box approx_const::ApproxConstant);
1019     store.register_late_pass(|| box misc::MiscLints);
1020     store.register_late_pass(|| box eta_reduction::EtaReduction);
1021     store.register_late_pass(|| box identity_op::IdentityOp);
1022     store.register_late_pass(|| box erasing_op::ErasingOp);
1023     store.register_late_pass(|| box mut_mut::MutMut);
1024     store.register_late_pass(|| box mut_reference::UnnecessaryMutPassed);
1025     store.register_late_pass(|| box len_zero::LenZero);
1026     store.register_late_pass(|| box attrs::Attributes);
1027     store.register_late_pass(|| box blocks_in_if_conditions::BlocksInIfConditions);
1028     store.register_late_pass(|| box collapsible_match::CollapsibleMatch);
1029     store.register_late_pass(|| box unicode::Unicode);
1030     store.register_late_pass(|| box unit_return_expecting_ord::UnitReturnExpectingOrd);
1031     store.register_late_pass(|| box strings::StringAdd);
1032     store.register_late_pass(|| box implicit_return::ImplicitReturn);
1033     store.register_late_pass(|| box implicit_saturating_sub::ImplicitSaturatingSub);
1034
1035     let msrv = conf.msrv.as_ref().and_then(|s| {
1036         parse_msrv(s, None, None).or_else(|| {
1037             sess.err(&format!("error reading Clippy's configuration file. `{}` is not a valid Rust version", s));
1038             None
1039         })
1040     });
1041
1042     store.register_late_pass(move || box methods::Methods::new(msrv));
1043     store.register_late_pass(move || box matches::Matches::new(msrv));
1044     store.register_early_pass(move || box manual_non_exhaustive::ManualNonExhaustive::new(msrv));
1045     store.register_late_pass(move || box manual_strip::ManualStrip::new(msrv));
1046     store.register_early_pass(move || box redundant_static_lifetimes::RedundantStaticLifetimes::new(msrv));
1047     store.register_early_pass(move || box redundant_field_names::RedundantFieldNames::new(msrv));
1048     store.register_late_pass(move || box checked_conversions::CheckedConversions::new(msrv));
1049     store.register_late_pass(move || box mem_replace::MemReplace::new(msrv));
1050     store.register_late_pass(move || box ranges::Ranges::new(msrv));
1051     store.register_late_pass(move || box from_over_into::FromOverInto::new(msrv));
1052     store.register_late_pass(move || box use_self::UseSelf::new(msrv));
1053     store.register_late_pass(move || box missing_const_for_fn::MissingConstForFn::new(msrv));
1054     store.register_late_pass(move || box needless_question_mark::NeedlessQuestionMark::new(msrv));
1055
1056     store.register_late_pass(|| box size_of_in_element_count::SizeOfInElementCount);
1057     store.register_late_pass(|| box map_clone::MapClone);
1058     store.register_late_pass(|| box map_err_ignore::MapErrIgnore);
1059     store.register_late_pass(|| box shadow::Shadow);
1060     store.register_late_pass(|| box types::LetUnitValue);
1061     store.register_late_pass(|| box types::UnitCmp);
1062     store.register_late_pass(|| box loops::Loops);
1063     store.register_late_pass(|| box main_recursion::MainRecursion::default());
1064     store.register_late_pass(|| box lifetimes::Lifetimes);
1065     store.register_late_pass(|| box entry::HashMapPass);
1066     store.register_late_pass(|| box types::Casts);
1067     let type_complexity_threshold = conf.type_complexity_threshold;
1068     store.register_late_pass(move || box types::TypeComplexity::new(type_complexity_threshold));
1069     store.register_late_pass(|| box minmax::MinMaxPass);
1070     store.register_late_pass(|| box open_options::OpenOptions);
1071     store.register_late_pass(|| box zero_div_zero::ZeroDiv);
1072     store.register_late_pass(|| box mutex_atomic::Mutex);
1073     store.register_late_pass(|| box needless_update::NeedlessUpdate);
1074     store.register_late_pass(|| box needless_borrow::NeedlessBorrow::default());
1075     store.register_late_pass(|| box needless_borrowed_ref::NeedlessBorrowedRef);
1076     store.register_late_pass(|| box no_effect::NoEffect);
1077     store.register_late_pass(|| box temporary_assignment::TemporaryAssignment);
1078     store.register_late_pass(|| box transmute::Transmute);
1079     let cognitive_complexity_threshold = conf.cognitive_complexity_threshold;
1080     store.register_late_pass(move || box cognitive_complexity::CognitiveComplexity::new(cognitive_complexity_threshold));
1081     let too_large_for_stack = conf.too_large_for_stack;
1082     store.register_late_pass(move || box escape::BoxedLocal{too_large_for_stack});
1083     store.register_late_pass(move || box vec::UselessVec{too_large_for_stack});
1084     store.register_late_pass(|| box panic_unimplemented::PanicUnimplemented);
1085     store.register_late_pass(|| box strings::StringLitAsBytes);
1086     store.register_late_pass(|| box derive::Derive);
1087     store.register_late_pass(|| box types::CharLitAsU8);
1088     store.register_late_pass(|| box get_last_with_len::GetLastWithLen);
1089     store.register_late_pass(|| box drop_forget_ref::DropForgetRef);
1090     store.register_late_pass(|| box empty_enum::EmptyEnum);
1091     store.register_late_pass(|| box types::AbsurdExtremeComparisons);
1092     store.register_late_pass(|| box types::InvalidUpcastComparisons);
1093     store.register_late_pass(|| box regex::Regex::default());
1094     store.register_late_pass(|| box copies::CopyAndPaste);
1095     store.register_late_pass(|| box copy_iterator::CopyIterator);
1096     store.register_late_pass(|| box format::UselessFormat);
1097     store.register_late_pass(|| box swap::Swap);
1098     store.register_late_pass(|| box overflow_check_conditional::OverflowCheckConditional);
1099     store.register_late_pass(|| box new_without_default::NewWithoutDefault::default());
1100     let blacklisted_names = conf.blacklisted_names.iter().cloned().collect::<FxHashSet<_>>();
1101     store.register_late_pass(move || box blacklisted_name::BlacklistedName::new(blacklisted_names.clone()));
1102     let too_many_arguments_threshold1 = conf.too_many_arguments_threshold;
1103     let too_many_lines_threshold2 = conf.too_many_lines_threshold;
1104     store.register_late_pass(move || box functions::Functions::new(too_many_arguments_threshold1, too_many_lines_threshold2));
1105     let doc_valid_idents = conf.doc_valid_idents.iter().cloned().collect::<FxHashSet<_>>();
1106     store.register_late_pass(move || box doc::DocMarkdown::new(doc_valid_idents.clone()));
1107     store.register_late_pass(|| box neg_multiply::NegMultiply);
1108     store.register_late_pass(|| box mem_discriminant::MemDiscriminant);
1109     store.register_late_pass(|| box mem_forget::MemForget);
1110     store.register_late_pass(|| box arithmetic::Arithmetic::default());
1111     store.register_late_pass(|| box assign_ops::AssignOps);
1112     store.register_late_pass(|| box let_if_seq::LetIfSeq);
1113     store.register_late_pass(|| box eval_order_dependence::EvalOrderDependence);
1114     store.register_late_pass(|| box missing_doc::MissingDoc::new());
1115     store.register_late_pass(|| box missing_inline::MissingInline);
1116     store.register_late_pass(move || box exhaustive_items::ExhaustiveItems);
1117     store.register_late_pass(|| box if_let_some_result::OkIfLet);
1118     store.register_late_pass(|| box partialeq_ne_impl::PartialEqNeImpl);
1119     store.register_late_pass(|| box unused_io_amount::UnusedIoAmount);
1120     let enum_variant_size_threshold = conf.enum_variant_size_threshold;
1121     store.register_late_pass(move || box large_enum_variant::LargeEnumVariant::new(enum_variant_size_threshold));
1122     store.register_late_pass(|| box explicit_write::ExplicitWrite);
1123     store.register_late_pass(|| box needless_pass_by_value::NeedlessPassByValue);
1124     let pass_by_ref_or_value = pass_by_ref_or_value::PassByRefOrValue::new(
1125         conf.trivial_copy_size_limit,
1126         conf.pass_by_value_size_limit,
1127         &sess.target,
1128     );
1129     store.register_late_pass(move || box pass_by_ref_or_value);
1130     store.register_late_pass(|| box ref_option_ref::RefOptionRef);
1131     store.register_late_pass(|| box try_err::TryErr);
1132     store.register_late_pass(|| box bytecount::ByteCount);
1133     store.register_late_pass(|| box infinite_iter::InfiniteIter);
1134     store.register_late_pass(|| box inline_fn_without_body::InlineFnWithoutBody);
1135     store.register_late_pass(|| box useless_conversion::UselessConversion::default());
1136     store.register_late_pass(|| box types::ImplicitHasher);
1137     store.register_late_pass(|| box fallible_impl_from::FallibleImplFrom);
1138     store.register_late_pass(|| box types::UnitArg);
1139     store.register_late_pass(|| box double_comparison::DoubleComparisons);
1140     store.register_late_pass(|| box question_mark::QuestionMark);
1141     store.register_early_pass(|| box suspicious_operation_groupings::SuspiciousOperationGroupings);
1142     store.register_late_pass(|| box suspicious_trait_impl::SuspiciousImpl);
1143     store.register_late_pass(|| box map_unit_fn::MapUnit);
1144     store.register_late_pass(|| box inherent_impl::MultipleInherentImpl::default());
1145     store.register_late_pass(|| box neg_cmp_op_on_partial_ord::NoNegCompOpForPartialOrd);
1146     store.register_late_pass(|| box unwrap::Unwrap);
1147     store.register_late_pass(|| box duration_subsec::DurationSubsec);
1148     store.register_late_pass(|| box indexing_slicing::IndexingSlicing);
1149     store.register_late_pass(|| box non_copy_const::NonCopyConst);
1150     store.register_late_pass(|| box ptr_offset_with_cast::PtrOffsetWithCast);
1151     store.register_late_pass(|| box redundant_clone::RedundantClone);
1152     store.register_late_pass(|| box slow_vector_initialization::SlowVectorInit);
1153     store.register_late_pass(|| box unnecessary_sort_by::UnnecessarySortBy);
1154     store.register_late_pass(|| box unnecessary_wraps::UnnecessaryWraps);
1155     store.register_late_pass(|| box types::RefToMut);
1156     store.register_late_pass(|| box assertions_on_constants::AssertionsOnConstants);
1157     store.register_late_pass(|| box transmuting_null::TransmutingNull);
1158     store.register_late_pass(|| box path_buf_push_overwrite::PathBufPushOverwrite);
1159     store.register_late_pass(|| box integer_division::IntegerDivision);
1160     store.register_late_pass(|| box inherent_to_string::InherentToString);
1161     let max_trait_bounds = conf.max_trait_bounds;
1162     store.register_late_pass(move || box trait_bounds::TraitBounds::new(max_trait_bounds));
1163     store.register_late_pass(|| box comparison_chain::ComparisonChain);
1164     store.register_late_pass(|| box mut_key::MutableKeyType);
1165     store.register_late_pass(|| box modulo_arithmetic::ModuloArithmetic);
1166     store.register_early_pass(|| box reference::DerefAddrOf);
1167     store.register_early_pass(|| box reference::RefInDeref);
1168     store.register_early_pass(|| box double_parens::DoubleParens);
1169     store.register_late_pass(|| box to_string_in_display::ToStringInDisplay::new());
1170     store.register_early_pass(|| box unsafe_removed_from_name::UnsafeNameRemoval);
1171     store.register_early_pass(|| box if_not_else::IfNotElse);
1172     store.register_early_pass(|| box else_if_without_else::ElseIfWithoutElse);
1173     store.register_early_pass(|| box int_plus_one::IntPlusOne);
1174     store.register_early_pass(|| box formatting::Formatting);
1175     store.register_early_pass(|| box misc_early::MiscEarlyLints);
1176     store.register_early_pass(|| box redundant_closure_call::RedundantClosureCall);
1177     store.register_late_pass(|| box redundant_closure_call::RedundantClosureCall);
1178     store.register_early_pass(|| box unused_unit::UnusedUnit);
1179     store.register_late_pass(|| box returns::Return);
1180     store.register_early_pass(|| box collapsible_if::CollapsibleIf);
1181     store.register_early_pass(|| box items_after_statements::ItemsAfterStatements);
1182     store.register_early_pass(|| box precedence::Precedence);
1183     store.register_early_pass(|| box needless_continue::NeedlessContinue);
1184     store.register_early_pass(|| box redundant_else::RedundantElse);
1185     store.register_late_pass(|| box create_dir::CreateDir);
1186     store.register_early_pass(|| box needless_arbitrary_self_type::NeedlessArbitrarySelfType);
1187     let cargo_ignore_publish = conf.cargo_ignore_publish;
1188     store.register_late_pass(move || box cargo_common_metadata::CargoCommonMetadata::new(cargo_ignore_publish));
1189     store.register_late_pass(|| box multiple_crate_versions::MultipleCrateVersions);
1190     store.register_late_pass(|| box wildcard_dependencies::WildcardDependencies);
1191     let literal_representation_lint_fraction_readability = conf.unreadable_literal_lint_fractions;
1192     store.register_early_pass(move || box literal_representation::LiteralDigitGrouping::new(literal_representation_lint_fraction_readability));
1193     let literal_representation_threshold = conf.literal_representation_threshold;
1194     store.register_early_pass(move || box literal_representation::DecimalLiteralRepresentation::new(literal_representation_threshold));
1195     let enum_variant_name_threshold = conf.enum_variant_name_threshold;
1196     store.register_early_pass(move || box enum_variants::EnumVariantNames::new(enum_variant_name_threshold));
1197     store.register_early_pass(|| box tabs_in_doc_comments::TabsInDocComments);
1198     store.register_early_pass(|| box upper_case_acronyms::UpperCaseAcronyms);
1199     store.register_late_pass(|| box default::Default::default());
1200     store.register_late_pass(|| box unused_self::UnusedSelf);
1201     store.register_late_pass(|| box mutable_debug_assertion::DebugAssertWithMutCall);
1202     store.register_late_pass(|| box exit::Exit);
1203     store.register_late_pass(|| box to_digit_is_some::ToDigitIsSome);
1204     let array_size_threshold = conf.array_size_threshold;
1205     store.register_late_pass(move || box large_stack_arrays::LargeStackArrays::new(array_size_threshold));
1206     store.register_late_pass(move || box large_const_arrays::LargeConstArrays::new(array_size_threshold));
1207     store.register_late_pass(|| box floating_point_arithmetic::FloatingPointArithmetic);
1208     store.register_early_pass(|| box as_conversions::AsConversions);
1209     store.register_late_pass(|| box let_underscore::LetUnderscore);
1210     store.register_late_pass(|| box atomic_ordering::AtomicOrdering);
1211     store.register_early_pass(|| box single_component_path_imports::SingleComponentPathImports);
1212     let max_fn_params_bools = conf.max_fn_params_bools;
1213     let max_struct_bools = conf.max_struct_bools;
1214     store.register_early_pass(move || box excessive_bools::ExcessiveBools::new(max_struct_bools, max_fn_params_bools));
1215     store.register_early_pass(|| box option_env_unwrap::OptionEnvUnwrap);
1216     let warn_on_all_wildcard_imports = conf.warn_on_all_wildcard_imports;
1217     store.register_late_pass(move || box wildcard_imports::WildcardImports::new(warn_on_all_wildcard_imports));
1218     store.register_late_pass(|| box verbose_file_reads::VerboseFileReads);
1219     store.register_late_pass(|| box redundant_pub_crate::RedundantPubCrate::default());
1220     store.register_late_pass(|| box unnamed_address::UnnamedAddress);
1221     store.register_late_pass(|| box dereference::Dereferencing);
1222     store.register_late_pass(|| box option_if_let_else::OptionIfLetElse);
1223     store.register_late_pass(|| box future_not_send::FutureNotSend);
1224     store.register_late_pass(|| box if_let_mutex::IfLetMutex);
1225     store.register_late_pass(|| box mut_mutex_lock::MutMutexLock);
1226     store.register_late_pass(|| box match_on_vec_items::MatchOnVecItems);
1227     store.register_late_pass(|| box manual_async_fn::ManualAsyncFn);
1228     store.register_late_pass(|| box vec_resize_to_zero::VecResizeToZero);
1229     store.register_late_pass(|| box panic_in_result_fn::PanicInResultFn);
1230     let single_char_binding_names_threshold = conf.single_char_binding_names_threshold;
1231     store.register_early_pass(move || box non_expressive_names::NonExpressiveNames {
1232         single_char_binding_names_threshold,
1233     });
1234     store.register_early_pass(|| box unnested_or_patterns::UnnestedOrPatterns);
1235     store.register_late_pass(|| box macro_use::MacroUseImports::default());
1236     store.register_late_pass(|| box map_identity::MapIdentity);
1237     store.register_late_pass(|| box pattern_type_mismatch::PatternTypeMismatch);
1238     store.register_late_pass(|| box stable_sort_primitive::StableSortPrimitive);
1239     store.register_late_pass(|| box repeat_once::RepeatOnce);
1240     store.register_late_pass(|| box unwrap_in_result::UnwrapInResult);
1241     store.register_late_pass(|| box self_assignment::SelfAssignment);
1242     store.register_late_pass(|| box manual_unwrap_or::ManualUnwrapOr);
1243     store.register_late_pass(|| box manual_ok_or::ManualOkOr);
1244     store.register_late_pass(|| box float_equality_without_abs::FloatEqualityWithoutAbs);
1245     store.register_late_pass(|| box semicolon_if_nothing_returned::SemicolonIfNothingReturned);
1246     store.register_late_pass(|| box async_yields_async::AsyncYieldsAsync);
1247     let disallowed_methods = conf.disallowed_methods.iter().cloned().collect::<FxHashSet<_>>();
1248     store.register_late_pass(move || box disallowed_method::DisallowedMethod::new(&disallowed_methods));
1249     store.register_early_pass(|| box asm_syntax::InlineAsmX86AttSyntax);
1250     store.register_early_pass(|| box asm_syntax::InlineAsmX86IntelSyntax);
1251     store.register_late_pass(|| box undropped_manually_drops::UndroppedManuallyDrops);
1252     store.register_late_pass(|| box strings::StrToString);
1253     store.register_late_pass(|| box strings::StringToString);
1254     store.register_late_pass(|| box zero_sized_map_values::ZeroSizedMapValues);
1255     store.register_late_pass(|| box vec_init_then_push::VecInitThenPush::default());
1256     store.register_late_pass(move || box types::PtrAsPtr::new(msrv));
1257     store.register_late_pass(|| box case_sensitive_file_extension_comparisons::CaseSensitiveFileExtensionComparisons);
1258     store.register_late_pass(|| box redundant_slicing::RedundantSlicing);
1259
1260     store.register_group(true, "clippy::restriction", Some("clippy_restriction"), vec![
1261         LintId::of(&arithmetic::FLOAT_ARITHMETIC),
1262         LintId::of(&arithmetic::INTEGER_ARITHMETIC),
1263         LintId::of(&as_conversions::AS_CONVERSIONS),
1264         LintId::of(&asm_syntax::INLINE_ASM_X86_ATT_SYNTAX),
1265         LintId::of(&asm_syntax::INLINE_ASM_X86_INTEL_SYNTAX),
1266         LintId::of(&create_dir::CREATE_DIR),
1267         LintId::of(&dbg_macro::DBG_MACRO),
1268         LintId::of(&else_if_without_else::ELSE_IF_WITHOUT_ELSE),
1269         LintId::of(&exhaustive_items::EXHAUSTIVE_ENUMS),
1270         LintId::of(&exhaustive_items::EXHAUSTIVE_STRUCTS),
1271         LintId::of(&exit::EXIT),
1272         LintId::of(&float_literal::LOSSY_FLOAT_LITERAL),
1273         LintId::of(&implicit_return::IMPLICIT_RETURN),
1274         LintId::of(&indexing_slicing::INDEXING_SLICING),
1275         LintId::of(&inherent_impl::MULTIPLE_INHERENT_IMPL),
1276         LintId::of(&integer_division::INTEGER_DIVISION),
1277         LintId::of(&let_underscore::LET_UNDERSCORE_MUST_USE),
1278         LintId::of(&literal_representation::DECIMAL_LITERAL_REPRESENTATION),
1279         LintId::of(&map_err_ignore::MAP_ERR_IGNORE),
1280         LintId::of(&matches::REST_PAT_IN_FULLY_BOUND_STRUCTS),
1281         LintId::of(&matches::WILDCARD_ENUM_MATCH_ARM),
1282         LintId::of(&mem_forget::MEM_FORGET),
1283         LintId::of(&methods::CLONE_ON_REF_PTR),
1284         LintId::of(&methods::EXPECT_USED),
1285         LintId::of(&methods::FILETYPE_IS_FILE),
1286         LintId::of(&methods::GET_UNWRAP),
1287         LintId::of(&methods::UNWRAP_USED),
1288         LintId::of(&methods::WRONG_PUB_SELF_CONVENTION),
1289         LintId::of(&misc::FLOAT_CMP_CONST),
1290         LintId::of(&misc_early::UNNEEDED_FIELD_PATTERN),
1291         LintId::of(&missing_doc::MISSING_DOCS_IN_PRIVATE_ITEMS),
1292         LintId::of(&missing_inline::MISSING_INLINE_IN_PUBLIC_ITEMS),
1293         LintId::of(&modulo_arithmetic::MODULO_ARITHMETIC),
1294         LintId::of(&panic_in_result_fn::PANIC_IN_RESULT_FN),
1295         LintId::of(&panic_unimplemented::PANIC),
1296         LintId::of(&panic_unimplemented::TODO),
1297         LintId::of(&panic_unimplemented::UNIMPLEMENTED),
1298         LintId::of(&panic_unimplemented::UNREACHABLE),
1299         LintId::of(&pattern_type_mismatch::PATTERN_TYPE_MISMATCH),
1300         LintId::of(&semicolon_if_nothing_returned::SEMICOLON_IF_NOTHING_RETURNED),
1301         LintId::of(&shadow::SHADOW_REUSE),
1302         LintId::of(&shadow::SHADOW_SAME),
1303         LintId::of(&strings::STRING_ADD),
1304         LintId::of(&strings::STRING_TO_STRING),
1305         LintId::of(&strings::STR_TO_STRING),
1306         LintId::of(&types::RC_BUFFER),
1307         LintId::of(&unwrap_in_result::UNWRAP_IN_RESULT),
1308         LintId::of(&verbose_file_reads::VERBOSE_FILE_READS),
1309         LintId::of(&write::PRINT_STDERR),
1310         LintId::of(&write::PRINT_STDOUT),
1311         LintId::of(&write::USE_DEBUG),
1312     ]);
1313
1314     store.register_group(true, "clippy::pedantic", Some("clippy_pedantic"), vec![
1315         LintId::of(&attrs::INLINE_ALWAYS),
1316         LintId::of(&await_holding_invalid::AWAIT_HOLDING_LOCK),
1317         LintId::of(&await_holding_invalid::AWAIT_HOLDING_REFCELL_REF),
1318         LintId::of(&bit_mask::VERBOSE_BIT_MASK),
1319         LintId::of(&case_sensitive_file_extension_comparisons::CASE_SENSITIVE_FILE_EXTENSION_COMPARISONS),
1320         LintId::of(&checked_conversions::CHECKED_CONVERSIONS),
1321         LintId::of(&copies::SAME_FUNCTIONS_IN_IF_CONDITION),
1322         LintId::of(&copy_iterator::COPY_ITERATOR),
1323         LintId::of(&default::DEFAULT_TRAIT_ACCESS),
1324         LintId::of(&dereference::EXPLICIT_DEREF_METHODS),
1325         LintId::of(&derive::EXPL_IMPL_CLONE_ON_COPY),
1326         LintId::of(&derive::UNSAFE_DERIVE_DESERIALIZE),
1327         LintId::of(&doc::DOC_MARKDOWN),
1328         LintId::of(&doc::MISSING_ERRORS_DOC),
1329         LintId::of(&doc::MISSING_PANICS_DOC),
1330         LintId::of(&empty_enum::EMPTY_ENUM),
1331         LintId::of(&enum_variants::MODULE_NAME_REPETITIONS),
1332         LintId::of(&enum_variants::PUB_ENUM_VARIANT_NAMES),
1333         LintId::of(&eta_reduction::REDUNDANT_CLOSURE_FOR_METHOD_CALLS),
1334         LintId::of(&excessive_bools::FN_PARAMS_EXCESSIVE_BOOLS),
1335         LintId::of(&excessive_bools::STRUCT_EXCESSIVE_BOOLS),
1336         LintId::of(&functions::MUST_USE_CANDIDATE),
1337         LintId::of(&functions::TOO_MANY_LINES),
1338         LintId::of(&if_not_else::IF_NOT_ELSE),
1339         LintId::of(&implicit_saturating_sub::IMPLICIT_SATURATING_SUB),
1340         LintId::of(&infinite_iter::MAYBE_INFINITE_ITER),
1341         LintId::of(&items_after_statements::ITEMS_AFTER_STATEMENTS),
1342         LintId::of(&large_stack_arrays::LARGE_STACK_ARRAYS),
1343         LintId::of(&let_underscore::LET_UNDERSCORE_DROP),
1344         LintId::of(&literal_representation::LARGE_DIGIT_GROUPS),
1345         LintId::of(&literal_representation::UNREADABLE_LITERAL),
1346         LintId::of(&loops::EXPLICIT_INTO_ITER_LOOP),
1347         LintId::of(&loops::EXPLICIT_ITER_LOOP),
1348         LintId::of(&macro_use::MACRO_USE_IMPORTS),
1349         LintId::of(&manual_ok_or::MANUAL_OK_OR),
1350         LintId::of(&match_on_vec_items::MATCH_ON_VEC_ITEMS),
1351         LintId::of(&matches::MATCH_BOOL),
1352         LintId::of(&matches::MATCH_SAME_ARMS),
1353         LintId::of(&matches::MATCH_WILDCARD_FOR_SINGLE_VARIANTS),
1354         LintId::of(&matches::MATCH_WILD_ERR_ARM),
1355         LintId::of(&matches::SINGLE_MATCH_ELSE),
1356         LintId::of(&methods::FILTER_MAP),
1357         LintId::of(&methods::FILTER_MAP_NEXT),
1358         LintId::of(&methods::INEFFICIENT_TO_STRING),
1359         LintId::of(&methods::MAP_FLATTEN),
1360         LintId::of(&methods::MAP_UNWRAP_OR),
1361         LintId::of(&misc::USED_UNDERSCORE_BINDING),
1362         LintId::of(&misc_early::UNSEPARATED_LITERAL_SUFFIX),
1363         LintId::of(&mut_mut::MUT_MUT),
1364         LintId::of(&needless_continue::NEEDLESS_CONTINUE),
1365         LintId::of(&needless_pass_by_value::NEEDLESS_PASS_BY_VALUE),
1366         LintId::of(&non_expressive_names::SIMILAR_NAMES),
1367         LintId::of(&option_if_let_else::OPTION_IF_LET_ELSE),
1368         LintId::of(&pass_by_ref_or_value::LARGE_TYPES_PASSED_BY_VALUE),
1369         LintId::of(&pass_by_ref_or_value::TRIVIALLY_COPY_PASS_BY_REF),
1370         LintId::of(&ranges::RANGE_MINUS_ONE),
1371         LintId::of(&ranges::RANGE_PLUS_ONE),
1372         LintId::of(&redundant_else::REDUNDANT_ELSE),
1373         LintId::of(&ref_option_ref::REF_OPTION_REF),
1374         LintId::of(&shadow::SHADOW_UNRELATED),
1375         LintId::of(&strings::STRING_ADD_ASSIGN),
1376         LintId::of(&trait_bounds::TRAIT_DUPLICATION_IN_BOUNDS),
1377         LintId::of(&trait_bounds::TYPE_REPETITION_IN_BOUNDS),
1378         LintId::of(&types::CAST_LOSSLESS),
1379         LintId::of(&types::CAST_POSSIBLE_TRUNCATION),
1380         LintId::of(&types::CAST_POSSIBLE_WRAP),
1381         LintId::of(&types::CAST_PRECISION_LOSS),
1382         LintId::of(&types::CAST_PTR_ALIGNMENT),
1383         LintId::of(&types::CAST_SIGN_LOSS),
1384         LintId::of(&types::IMPLICIT_HASHER),
1385         LintId::of(&types::INVALID_UPCAST_COMPARISONS),
1386         LintId::of(&types::LET_UNIT_VALUE),
1387         LintId::of(&types::LINKEDLIST),
1388         LintId::of(&types::OPTION_OPTION),
1389         LintId::of(&types::PTR_AS_PTR),
1390         LintId::of(&unicode::NON_ASCII_LITERAL),
1391         LintId::of(&unicode::UNICODE_NOT_NFC),
1392         LintId::of(&unnested_or_patterns::UNNESTED_OR_PATTERNS),
1393         LintId::of(&unused_self::UNUSED_SELF),
1394         LintId::of(&wildcard_imports::ENUM_GLOB_USE),
1395         LintId::of(&wildcard_imports::WILDCARD_IMPORTS),
1396         LintId::of(&zero_sized_map_values::ZERO_SIZED_MAP_VALUES),
1397     ]);
1398
1399     #[cfg(feature = "internal-lints")]
1400     store.register_group(true, "clippy::internal", Some("clippy_internal"), vec![
1401         LintId::of(&utils::internal_lints::CLIPPY_LINTS_INTERNAL),
1402         LintId::of(&utils::internal_lints::COLLAPSIBLE_SPAN_LINT_CALLS),
1403         LintId::of(&utils::internal_lints::COMPILER_LINT_FUNCTIONS),
1404         LintId::of(&utils::internal_lints::DEFAULT_LINT),
1405         LintId::of(&utils::internal_lints::INTERNING_DEFINED_SYMBOL),
1406         LintId::of(&utils::internal_lints::INVALID_PATHS),
1407         LintId::of(&utils::internal_lints::LINT_WITHOUT_LINT_PASS),
1408         LintId::of(&utils::internal_lints::MATCH_TYPE_ON_DIAGNOSTIC_ITEM),
1409         LintId::of(&utils::internal_lints::OUTER_EXPN_EXPN_DATA),
1410         LintId::of(&utils::internal_lints::PRODUCE_ICE),
1411         LintId::of(&utils::internal_lints::UNNECESSARY_SYMBOL_STR),
1412     ]);
1413
1414     store.register_group(true, "clippy::all", Some("clippy"), vec![
1415         LintId::of(&approx_const::APPROX_CONSTANT),
1416         LintId::of(&assertions_on_constants::ASSERTIONS_ON_CONSTANTS),
1417         LintId::of(&assign_ops::ASSIGN_OP_PATTERN),
1418         LintId::of(&assign_ops::MISREFACTORED_ASSIGN_OP),
1419         LintId::of(&async_yields_async::ASYNC_YIELDS_ASYNC),
1420         LintId::of(&atomic_ordering::INVALID_ATOMIC_ORDERING),
1421         LintId::of(&attrs::BLANKET_CLIPPY_RESTRICTION_LINTS),
1422         LintId::of(&attrs::DEPRECATED_CFG_ATTR),
1423         LintId::of(&attrs::DEPRECATED_SEMVER),
1424         LintId::of(&attrs::MISMATCHED_TARGET_OS),
1425         LintId::of(&attrs::USELESS_ATTRIBUTE),
1426         LintId::of(&bit_mask::BAD_BIT_MASK),
1427         LintId::of(&bit_mask::INEFFECTIVE_BIT_MASK),
1428         LintId::of(&blacklisted_name::BLACKLISTED_NAME),
1429         LintId::of(&blocks_in_if_conditions::BLOCKS_IN_IF_CONDITIONS),
1430         LintId::of(&booleans::LOGIC_BUG),
1431         LintId::of(&booleans::NONMINIMAL_BOOL),
1432         LintId::of(&bytecount::NAIVE_BYTECOUNT),
1433         LintId::of(&collapsible_if::COLLAPSIBLE_ELSE_IF),
1434         LintId::of(&collapsible_if::COLLAPSIBLE_IF),
1435         LintId::of(&collapsible_match::COLLAPSIBLE_MATCH),
1436         LintId::of(&comparison_chain::COMPARISON_CHAIN),
1437         LintId::of(&copies::IFS_SAME_COND),
1438         LintId::of(&copies::IF_SAME_THEN_ELSE),
1439         LintId::of(&default::FIELD_REASSIGN_WITH_DEFAULT),
1440         LintId::of(&derive::DERIVE_HASH_XOR_EQ),
1441         LintId::of(&derive::DERIVE_ORD_XOR_PARTIAL_ORD),
1442         LintId::of(&doc::MISSING_SAFETY_DOC),
1443         LintId::of(&doc::NEEDLESS_DOCTEST_MAIN),
1444         LintId::of(&double_comparison::DOUBLE_COMPARISONS),
1445         LintId::of(&double_parens::DOUBLE_PARENS),
1446         LintId::of(&drop_forget_ref::DROP_COPY),
1447         LintId::of(&drop_forget_ref::DROP_REF),
1448         LintId::of(&drop_forget_ref::FORGET_COPY),
1449         LintId::of(&drop_forget_ref::FORGET_REF),
1450         LintId::of(&duration_subsec::DURATION_SUBSEC),
1451         LintId::of(&entry::MAP_ENTRY),
1452         LintId::of(&enum_clike::ENUM_CLIKE_UNPORTABLE_VARIANT),
1453         LintId::of(&enum_variants::ENUM_VARIANT_NAMES),
1454         LintId::of(&enum_variants::MODULE_INCEPTION),
1455         LintId::of(&eq_op::EQ_OP),
1456         LintId::of(&eq_op::OP_REF),
1457         LintId::of(&erasing_op::ERASING_OP),
1458         LintId::of(&escape::BOXED_LOCAL),
1459         LintId::of(&eta_reduction::REDUNDANT_CLOSURE),
1460         LintId::of(&eval_order_dependence::DIVERGING_SUB_EXPRESSION),
1461         LintId::of(&eval_order_dependence::EVAL_ORDER_DEPENDENCE),
1462         LintId::of(&explicit_write::EXPLICIT_WRITE),
1463         LintId::of(&float_equality_without_abs::FLOAT_EQUALITY_WITHOUT_ABS),
1464         LintId::of(&float_literal::EXCESSIVE_PRECISION),
1465         LintId::of(&format::USELESS_FORMAT),
1466         LintId::of(&formatting::POSSIBLE_MISSING_COMMA),
1467         LintId::of(&formatting::SUSPICIOUS_ASSIGNMENT_FORMATTING),
1468         LintId::of(&formatting::SUSPICIOUS_ELSE_FORMATTING),
1469         LintId::of(&formatting::SUSPICIOUS_UNARY_OP_FORMATTING),
1470         LintId::of(&from_over_into::FROM_OVER_INTO),
1471         LintId::of(&functions::DOUBLE_MUST_USE),
1472         LintId::of(&functions::MUST_USE_UNIT),
1473         LintId::of(&functions::NOT_UNSAFE_PTR_ARG_DEREF),
1474         LintId::of(&functions::RESULT_UNIT_ERR),
1475         LintId::of(&functions::TOO_MANY_ARGUMENTS),
1476         LintId::of(&get_last_with_len::GET_LAST_WITH_LEN),
1477         LintId::of(&identity_op::IDENTITY_OP),
1478         LintId::of(&if_let_mutex::IF_LET_MUTEX),
1479         LintId::of(&if_let_some_result::IF_LET_SOME_RESULT),
1480         LintId::of(&indexing_slicing::OUT_OF_BOUNDS_INDEXING),
1481         LintId::of(&infinite_iter::INFINITE_ITER),
1482         LintId::of(&inherent_to_string::INHERENT_TO_STRING),
1483         LintId::of(&inherent_to_string::INHERENT_TO_STRING_SHADOW_DISPLAY),
1484         LintId::of(&inline_fn_without_body::INLINE_FN_WITHOUT_BODY),
1485         LintId::of(&int_plus_one::INT_PLUS_ONE),
1486         LintId::of(&large_const_arrays::LARGE_CONST_ARRAYS),
1487         LintId::of(&large_enum_variant::LARGE_ENUM_VARIANT),
1488         LintId::of(&len_zero::COMPARISON_TO_EMPTY),
1489         LintId::of(&len_zero::LEN_WITHOUT_IS_EMPTY),
1490         LintId::of(&len_zero::LEN_ZERO),
1491         LintId::of(&let_underscore::LET_UNDERSCORE_LOCK),
1492         LintId::of(&lifetimes::EXTRA_UNUSED_LIFETIMES),
1493         LintId::of(&lifetimes::NEEDLESS_LIFETIMES),
1494         LintId::of(&literal_representation::INCONSISTENT_DIGIT_GROUPING),
1495         LintId::of(&literal_representation::MISTYPED_LITERAL_SUFFIXES),
1496         LintId::of(&literal_representation::UNUSUAL_BYTE_GROUPINGS),
1497         LintId::of(&loops::EMPTY_LOOP),
1498         LintId::of(&loops::EXPLICIT_COUNTER_LOOP),
1499         LintId::of(&loops::FOR_KV_MAP),
1500         LintId::of(&loops::FOR_LOOPS_OVER_FALLIBLES),
1501         LintId::of(&loops::ITER_NEXT_LOOP),
1502         LintId::of(&loops::MANUAL_FLATTEN),
1503         LintId::of(&loops::MANUAL_MEMCPY),
1504         LintId::of(&loops::MUT_RANGE_BOUND),
1505         LintId::of(&loops::NEEDLESS_COLLECT),
1506         LintId::of(&loops::NEEDLESS_RANGE_LOOP),
1507         LintId::of(&loops::NEVER_LOOP),
1508         LintId::of(&loops::SAME_ITEM_PUSH),
1509         LintId::of(&loops::SINGLE_ELEMENT_LOOP),
1510         LintId::of(&loops::WHILE_IMMUTABLE_CONDITION),
1511         LintId::of(&loops::WHILE_LET_LOOP),
1512         LintId::of(&loops::WHILE_LET_ON_ITERATOR),
1513         LintId::of(&main_recursion::MAIN_RECURSION),
1514         LintId::of(&manual_async_fn::MANUAL_ASYNC_FN),
1515         LintId::of(&manual_non_exhaustive::MANUAL_NON_EXHAUSTIVE),
1516         LintId::of(&manual_strip::MANUAL_STRIP),
1517         LintId::of(&manual_unwrap_or::MANUAL_UNWRAP_OR),
1518         LintId::of(&map_clone::MAP_CLONE),
1519         LintId::of(&map_identity::MAP_IDENTITY),
1520         LintId::of(&map_unit_fn::OPTION_MAP_UNIT_FN),
1521         LintId::of(&map_unit_fn::RESULT_MAP_UNIT_FN),
1522         LintId::of(&matches::INFALLIBLE_DESTRUCTURING_MATCH),
1523         LintId::of(&matches::MATCH_AS_REF),
1524         LintId::of(&matches::MATCH_LIKE_MATCHES_MACRO),
1525         LintId::of(&matches::MATCH_OVERLAPPING_ARM),
1526         LintId::of(&matches::MATCH_REF_PATS),
1527         LintId::of(&matches::MATCH_SINGLE_BINDING),
1528         LintId::of(&matches::REDUNDANT_PATTERN_MATCHING),
1529         LintId::of(&matches::SINGLE_MATCH),
1530         LintId::of(&matches::WILDCARD_IN_OR_PATTERNS),
1531         LintId::of(&mem_discriminant::MEM_DISCRIMINANT_NON_ENUM),
1532         LintId::of(&mem_replace::MEM_REPLACE_OPTION_WITH_NONE),
1533         LintId::of(&mem_replace::MEM_REPLACE_WITH_DEFAULT),
1534         LintId::of(&mem_replace::MEM_REPLACE_WITH_UNINIT),
1535         LintId::of(&methods::BIND_INSTEAD_OF_MAP),
1536         LintId::of(&methods::BYTES_NTH),
1537         LintId::of(&methods::CHARS_LAST_CMP),
1538         LintId::of(&methods::CHARS_NEXT_CMP),
1539         LintId::of(&methods::CLONE_DOUBLE_REF),
1540         LintId::of(&methods::CLONE_ON_COPY),
1541         LintId::of(&methods::EXPECT_FUN_CALL),
1542         LintId::of(&methods::FILTER_MAP_IDENTITY),
1543         LintId::of(&methods::FILTER_NEXT),
1544         LintId::of(&methods::FLAT_MAP_IDENTITY),
1545         LintId::of(&methods::FROM_ITER_INSTEAD_OF_COLLECT),
1546         LintId::of(&methods::INSPECT_FOR_EACH),
1547         LintId::of(&methods::INTO_ITER_ON_REF),
1548         LintId::of(&methods::ITERATOR_STEP_BY_ZERO),
1549         LintId::of(&methods::ITER_CLONED_COLLECT),
1550         LintId::of(&methods::ITER_NEXT_SLICE),
1551         LintId::of(&methods::ITER_NTH),
1552         LintId::of(&methods::ITER_NTH_ZERO),
1553         LintId::of(&methods::ITER_SKIP_NEXT),
1554         LintId::of(&methods::MANUAL_FILTER_MAP),
1555         LintId::of(&methods::MANUAL_FIND_MAP),
1556         LintId::of(&methods::MANUAL_SATURATING_ARITHMETIC),
1557         LintId::of(&methods::MAP_COLLECT_RESULT_UNIT),
1558         LintId::of(&methods::NEW_RET_NO_SELF),
1559         LintId::of(&methods::OK_EXPECT),
1560         LintId::of(&methods::OPTION_AS_REF_DEREF),
1561         LintId::of(&methods::OPTION_MAP_OR_NONE),
1562         LintId::of(&methods::OR_FUN_CALL),
1563         LintId::of(&methods::RESULT_MAP_OR_INTO_OPTION),
1564         LintId::of(&methods::SEARCH_IS_SOME),
1565         LintId::of(&methods::SHOULD_IMPLEMENT_TRAIT),
1566         LintId::of(&methods::SINGLE_CHAR_ADD_STR),
1567         LintId::of(&methods::SINGLE_CHAR_PATTERN),
1568         LintId::of(&methods::SKIP_WHILE_NEXT),
1569         LintId::of(&methods::STRING_EXTEND_CHARS),
1570         LintId::of(&methods::SUSPICIOUS_MAP),
1571         LintId::of(&methods::UNINIT_ASSUMED_INIT),
1572         LintId::of(&methods::UNNECESSARY_FILTER_MAP),
1573         LintId::of(&methods::UNNECESSARY_FOLD),
1574         LintId::of(&methods::UNNECESSARY_LAZY_EVALUATIONS),
1575         LintId::of(&methods::USELESS_ASREF),
1576         LintId::of(&methods::WRONG_SELF_CONVENTION),
1577         LintId::of(&methods::ZST_OFFSET),
1578         LintId::of(&minmax::MIN_MAX),
1579         LintId::of(&misc::CMP_NAN),
1580         LintId::of(&misc::CMP_OWNED),
1581         LintId::of(&misc::FLOAT_CMP),
1582         LintId::of(&misc::MODULO_ONE),
1583         LintId::of(&misc::SHORT_CIRCUIT_STATEMENT),
1584         LintId::of(&misc::TOPLEVEL_REF_ARG),
1585         LintId::of(&misc::ZERO_PTR),
1586         LintId::of(&misc_early::BUILTIN_TYPE_SHADOW),
1587         LintId::of(&misc_early::DOUBLE_NEG),
1588         LintId::of(&misc_early::DUPLICATE_UNDERSCORE_ARGUMENT),
1589         LintId::of(&misc_early::MIXED_CASE_HEX_LITERALS),
1590         LintId::of(&misc_early::REDUNDANT_PATTERN),
1591         LintId::of(&misc_early::UNNEEDED_WILDCARD_PATTERN),
1592         LintId::of(&misc_early::ZERO_PREFIXED_LITERAL),
1593         LintId::of(&mut_key::MUTABLE_KEY_TYPE),
1594         LintId::of(&mut_mutex_lock::MUT_MUTEX_LOCK),
1595         LintId::of(&mut_reference::UNNECESSARY_MUT_PASSED),
1596         LintId::of(&mutex_atomic::MUTEX_ATOMIC),
1597         LintId::of(&needless_arbitrary_self_type::NEEDLESS_ARBITRARY_SELF_TYPE),
1598         LintId::of(&needless_bool::BOOL_COMPARISON),
1599         LintId::of(&needless_bool::NEEDLESS_BOOL),
1600         LintId::of(&needless_borrowed_ref::NEEDLESS_BORROWED_REFERENCE),
1601         LintId::of(&needless_question_mark::NEEDLESS_QUESTION_MARK),
1602         LintId::of(&needless_update::NEEDLESS_UPDATE),
1603         LintId::of(&neg_cmp_op_on_partial_ord::NEG_CMP_OP_ON_PARTIAL_ORD),
1604         LintId::of(&neg_multiply::NEG_MULTIPLY),
1605         LintId::of(&new_without_default::NEW_WITHOUT_DEFAULT),
1606         LintId::of(&no_effect::NO_EFFECT),
1607         LintId::of(&no_effect::UNNECESSARY_OPERATION),
1608         LintId::of(&non_copy_const::BORROW_INTERIOR_MUTABLE_CONST),
1609         LintId::of(&non_copy_const::DECLARE_INTERIOR_MUTABLE_CONST),
1610         LintId::of(&non_expressive_names::JUST_UNDERSCORES_AND_DIGITS),
1611         LintId::of(&non_expressive_names::MANY_SINGLE_CHAR_NAMES),
1612         LintId::of(&open_options::NONSENSICAL_OPEN_OPTIONS),
1613         LintId::of(&option_env_unwrap::OPTION_ENV_UNWRAP),
1614         LintId::of(&overflow_check_conditional::OVERFLOW_CHECK_CONDITIONAL),
1615         LintId::of(&partialeq_ne_impl::PARTIALEQ_NE_IMPL),
1616         LintId::of(&precedence::PRECEDENCE),
1617         LintId::of(&ptr::CMP_NULL),
1618         LintId::of(&ptr::MUT_FROM_REF),
1619         LintId::of(&ptr::PTR_ARG),
1620         LintId::of(&ptr_eq::PTR_EQ),
1621         LintId::of(&ptr_offset_with_cast::PTR_OFFSET_WITH_CAST),
1622         LintId::of(&question_mark::QUESTION_MARK),
1623         LintId::of(&ranges::MANUAL_RANGE_CONTAINS),
1624         LintId::of(&ranges::RANGE_ZIP_WITH_LEN),
1625         LintId::of(&ranges::REVERSED_EMPTY_RANGES),
1626         LintId::of(&redundant_clone::REDUNDANT_CLONE),
1627         LintId::of(&redundant_closure_call::REDUNDANT_CLOSURE_CALL),
1628         LintId::of(&redundant_field_names::REDUNDANT_FIELD_NAMES),
1629         LintId::of(&redundant_slicing::REDUNDANT_SLICING),
1630         LintId::of(&redundant_static_lifetimes::REDUNDANT_STATIC_LIFETIMES),
1631         LintId::of(&reference::DEREF_ADDROF),
1632         LintId::of(&reference::REF_IN_DEREF),
1633         LintId::of(&regex::INVALID_REGEX),
1634         LintId::of(&repeat_once::REPEAT_ONCE),
1635         LintId::of(&returns::LET_AND_RETURN),
1636         LintId::of(&returns::NEEDLESS_RETURN),
1637         LintId::of(&self_assignment::SELF_ASSIGNMENT),
1638         LintId::of(&serde_api::SERDE_API_MISUSE),
1639         LintId::of(&single_component_path_imports::SINGLE_COMPONENT_PATH_IMPORTS),
1640         LintId::of(&size_of_in_element_count::SIZE_OF_IN_ELEMENT_COUNT),
1641         LintId::of(&slow_vector_initialization::SLOW_VECTOR_INITIALIZATION),
1642         LintId::of(&stable_sort_primitive::STABLE_SORT_PRIMITIVE),
1643         LintId::of(&strings::STRING_FROM_UTF8_AS_BYTES),
1644         LintId::of(&suspicious_operation_groupings::SUSPICIOUS_OPERATION_GROUPINGS),
1645         LintId::of(&suspicious_trait_impl::SUSPICIOUS_ARITHMETIC_IMPL),
1646         LintId::of(&suspicious_trait_impl::SUSPICIOUS_OP_ASSIGN_IMPL),
1647         LintId::of(&swap::ALMOST_SWAPPED),
1648         LintId::of(&swap::MANUAL_SWAP),
1649         LintId::of(&tabs_in_doc_comments::TABS_IN_DOC_COMMENTS),
1650         LintId::of(&temporary_assignment::TEMPORARY_ASSIGNMENT),
1651         LintId::of(&to_digit_is_some::TO_DIGIT_IS_SOME),
1652         LintId::of(&to_string_in_display::TO_STRING_IN_DISPLAY),
1653         LintId::of(&transmute::CROSSPOINTER_TRANSMUTE),
1654         LintId::of(&transmute::TRANSMUTES_EXPRESSIBLE_AS_PTR_CASTS),
1655         LintId::of(&transmute::TRANSMUTE_BYTES_TO_STR),
1656         LintId::of(&transmute::TRANSMUTE_FLOAT_TO_INT),
1657         LintId::of(&transmute::TRANSMUTE_INT_TO_BOOL),
1658         LintId::of(&transmute::TRANSMUTE_INT_TO_CHAR),
1659         LintId::of(&transmute::TRANSMUTE_INT_TO_FLOAT),
1660         LintId::of(&transmute::TRANSMUTE_PTR_TO_PTR),
1661         LintId::of(&transmute::TRANSMUTE_PTR_TO_REF),
1662         LintId::of(&transmute::UNSOUND_COLLECTION_TRANSMUTE),
1663         LintId::of(&transmute::WRONG_TRANSMUTE),
1664         LintId::of(&transmuting_null::TRANSMUTING_NULL),
1665         LintId::of(&try_err::TRY_ERR),
1666         LintId::of(&types::ABSURD_EXTREME_COMPARISONS),
1667         LintId::of(&types::BORROWED_BOX),
1668         LintId::of(&types::BOX_VEC),
1669         LintId::of(&types::CAST_REF_TO_MUT),
1670         LintId::of(&types::CHAR_LIT_AS_U8),
1671         LintId::of(&types::FN_TO_NUMERIC_CAST),
1672         LintId::of(&types::FN_TO_NUMERIC_CAST_WITH_TRUNCATION),
1673         LintId::of(&types::REDUNDANT_ALLOCATION),
1674         LintId::of(&types::TYPE_COMPLEXITY),
1675         LintId::of(&types::UNIT_ARG),
1676         LintId::of(&types::UNIT_CMP),
1677         LintId::of(&types::UNNECESSARY_CAST),
1678         LintId::of(&types::VEC_BOX),
1679         LintId::of(&undropped_manually_drops::UNDROPPED_MANUALLY_DROPS),
1680         LintId::of(&unicode::INVISIBLE_CHARACTERS),
1681         LintId::of(&unit_return_expecting_ord::UNIT_RETURN_EXPECTING_ORD),
1682         LintId::of(&unnamed_address::FN_ADDRESS_COMPARISONS),
1683         LintId::of(&unnamed_address::VTABLE_ADDRESS_COMPARISONS),
1684         LintId::of(&unnecessary_sort_by::UNNECESSARY_SORT_BY),
1685         LintId::of(&unnecessary_wraps::UNNECESSARY_WRAPS),
1686         LintId::of(&unsafe_removed_from_name::UNSAFE_REMOVED_FROM_NAME),
1687         LintId::of(&unused_io_amount::UNUSED_IO_AMOUNT),
1688         LintId::of(&unused_unit::UNUSED_UNIT),
1689         LintId::of(&unwrap::PANICKING_UNWRAP),
1690         LintId::of(&unwrap::UNNECESSARY_UNWRAP),
1691         LintId::of(&upper_case_acronyms::UPPER_CASE_ACRONYMS),
1692         LintId::of(&useless_conversion::USELESS_CONVERSION),
1693         LintId::of(&vec::USELESS_VEC),
1694         LintId::of(&vec_init_then_push::VEC_INIT_THEN_PUSH),
1695         LintId::of(&vec_resize_to_zero::VEC_RESIZE_TO_ZERO),
1696         LintId::of(&write::PRINTLN_EMPTY_STRING),
1697         LintId::of(&write::PRINT_LITERAL),
1698         LintId::of(&write::PRINT_WITH_NEWLINE),
1699         LintId::of(&write::WRITELN_EMPTY_STRING),
1700         LintId::of(&write::WRITE_LITERAL),
1701         LintId::of(&write::WRITE_WITH_NEWLINE),
1702         LintId::of(&zero_div_zero::ZERO_DIVIDED_BY_ZERO),
1703     ]);
1704
1705     store.register_group(true, "clippy::style", Some("clippy_style"), vec![
1706         LintId::of(&assertions_on_constants::ASSERTIONS_ON_CONSTANTS),
1707         LintId::of(&assign_ops::ASSIGN_OP_PATTERN),
1708         LintId::of(&attrs::BLANKET_CLIPPY_RESTRICTION_LINTS),
1709         LintId::of(&blacklisted_name::BLACKLISTED_NAME),
1710         LintId::of(&blocks_in_if_conditions::BLOCKS_IN_IF_CONDITIONS),
1711         LintId::of(&collapsible_if::COLLAPSIBLE_ELSE_IF),
1712         LintId::of(&collapsible_if::COLLAPSIBLE_IF),
1713         LintId::of(&collapsible_match::COLLAPSIBLE_MATCH),
1714         LintId::of(&comparison_chain::COMPARISON_CHAIN),
1715         LintId::of(&default::FIELD_REASSIGN_WITH_DEFAULT),
1716         LintId::of(&doc::MISSING_SAFETY_DOC),
1717         LintId::of(&doc::NEEDLESS_DOCTEST_MAIN),
1718         LintId::of(&enum_variants::ENUM_VARIANT_NAMES),
1719         LintId::of(&enum_variants::MODULE_INCEPTION),
1720         LintId::of(&eq_op::OP_REF),
1721         LintId::of(&eta_reduction::REDUNDANT_CLOSURE),
1722         LintId::of(&float_literal::EXCESSIVE_PRECISION),
1723         LintId::of(&formatting::SUSPICIOUS_ASSIGNMENT_FORMATTING),
1724         LintId::of(&formatting::SUSPICIOUS_ELSE_FORMATTING),
1725         LintId::of(&formatting::SUSPICIOUS_UNARY_OP_FORMATTING),
1726         LintId::of(&from_over_into::FROM_OVER_INTO),
1727         LintId::of(&functions::DOUBLE_MUST_USE),
1728         LintId::of(&functions::MUST_USE_UNIT),
1729         LintId::of(&functions::RESULT_UNIT_ERR),
1730         LintId::of(&if_let_some_result::IF_LET_SOME_RESULT),
1731         LintId::of(&inherent_to_string::INHERENT_TO_STRING),
1732         LintId::of(&len_zero::COMPARISON_TO_EMPTY),
1733         LintId::of(&len_zero::LEN_WITHOUT_IS_EMPTY),
1734         LintId::of(&len_zero::LEN_ZERO),
1735         LintId::of(&literal_representation::INCONSISTENT_DIGIT_GROUPING),
1736         LintId::of(&literal_representation::UNUSUAL_BYTE_GROUPINGS),
1737         LintId::of(&loops::EMPTY_LOOP),
1738         LintId::of(&loops::FOR_KV_MAP),
1739         LintId::of(&loops::NEEDLESS_RANGE_LOOP),
1740         LintId::of(&loops::SAME_ITEM_PUSH),
1741         LintId::of(&loops::WHILE_LET_ON_ITERATOR),
1742         LintId::of(&main_recursion::MAIN_RECURSION),
1743         LintId::of(&manual_async_fn::MANUAL_ASYNC_FN),
1744         LintId::of(&manual_non_exhaustive::MANUAL_NON_EXHAUSTIVE),
1745         LintId::of(&map_clone::MAP_CLONE),
1746         LintId::of(&matches::INFALLIBLE_DESTRUCTURING_MATCH),
1747         LintId::of(&matches::MATCH_LIKE_MATCHES_MACRO),
1748         LintId::of(&matches::MATCH_OVERLAPPING_ARM),
1749         LintId::of(&matches::MATCH_REF_PATS),
1750         LintId::of(&matches::REDUNDANT_PATTERN_MATCHING),
1751         LintId::of(&matches::SINGLE_MATCH),
1752         LintId::of(&mem_replace::MEM_REPLACE_OPTION_WITH_NONE),
1753         LintId::of(&mem_replace::MEM_REPLACE_WITH_DEFAULT),
1754         LintId::of(&methods::BYTES_NTH),
1755         LintId::of(&methods::CHARS_LAST_CMP),
1756         LintId::of(&methods::CHARS_NEXT_CMP),
1757         LintId::of(&methods::FROM_ITER_INSTEAD_OF_COLLECT),
1758         LintId::of(&methods::INTO_ITER_ON_REF),
1759         LintId::of(&methods::ITER_CLONED_COLLECT),
1760         LintId::of(&methods::ITER_NEXT_SLICE),
1761         LintId::of(&methods::ITER_NTH_ZERO),
1762         LintId::of(&methods::ITER_SKIP_NEXT),
1763         LintId::of(&methods::MANUAL_SATURATING_ARITHMETIC),
1764         LintId::of(&methods::MAP_COLLECT_RESULT_UNIT),
1765         LintId::of(&methods::NEW_RET_NO_SELF),
1766         LintId::of(&methods::OK_EXPECT),
1767         LintId::of(&methods::OPTION_MAP_OR_NONE),
1768         LintId::of(&methods::RESULT_MAP_OR_INTO_OPTION),
1769         LintId::of(&methods::SHOULD_IMPLEMENT_TRAIT),
1770         LintId::of(&methods::SINGLE_CHAR_ADD_STR),
1771         LintId::of(&methods::STRING_EXTEND_CHARS),
1772         LintId::of(&methods::UNNECESSARY_FOLD),
1773         LintId::of(&methods::UNNECESSARY_LAZY_EVALUATIONS),
1774         LintId::of(&methods::WRONG_SELF_CONVENTION),
1775         LintId::of(&misc::TOPLEVEL_REF_ARG),
1776         LintId::of(&misc::ZERO_PTR),
1777         LintId::of(&misc_early::BUILTIN_TYPE_SHADOW),
1778         LintId::of(&misc_early::DOUBLE_NEG),
1779         LintId::of(&misc_early::DUPLICATE_UNDERSCORE_ARGUMENT),
1780         LintId::of(&misc_early::MIXED_CASE_HEX_LITERALS),
1781         LintId::of(&misc_early::REDUNDANT_PATTERN),
1782         LintId::of(&mut_mutex_lock::MUT_MUTEX_LOCK),
1783         LintId::of(&mut_reference::UNNECESSARY_MUT_PASSED),
1784         LintId::of(&neg_multiply::NEG_MULTIPLY),
1785         LintId::of(&new_without_default::NEW_WITHOUT_DEFAULT),
1786         LintId::of(&non_copy_const::BORROW_INTERIOR_MUTABLE_CONST),
1787         LintId::of(&non_copy_const::DECLARE_INTERIOR_MUTABLE_CONST),
1788         LintId::of(&non_expressive_names::JUST_UNDERSCORES_AND_DIGITS),
1789         LintId::of(&non_expressive_names::MANY_SINGLE_CHAR_NAMES),
1790         LintId::of(&ptr::CMP_NULL),
1791         LintId::of(&ptr::PTR_ARG),
1792         LintId::of(&ptr_eq::PTR_EQ),
1793         LintId::of(&question_mark::QUESTION_MARK),
1794         LintId::of(&ranges::MANUAL_RANGE_CONTAINS),
1795         LintId::of(&redundant_field_names::REDUNDANT_FIELD_NAMES),
1796         LintId::of(&redundant_static_lifetimes::REDUNDANT_STATIC_LIFETIMES),
1797         LintId::of(&returns::LET_AND_RETURN),
1798         LintId::of(&returns::NEEDLESS_RETURN),
1799         LintId::of(&single_component_path_imports::SINGLE_COMPONENT_PATH_IMPORTS),
1800         LintId::of(&suspicious_operation_groupings::SUSPICIOUS_OPERATION_GROUPINGS),
1801         LintId::of(&tabs_in_doc_comments::TABS_IN_DOC_COMMENTS),
1802         LintId::of(&to_digit_is_some::TO_DIGIT_IS_SOME),
1803         LintId::of(&try_err::TRY_ERR),
1804         LintId::of(&types::FN_TO_NUMERIC_CAST),
1805         LintId::of(&types::FN_TO_NUMERIC_CAST_WITH_TRUNCATION),
1806         LintId::of(&unsafe_removed_from_name::UNSAFE_REMOVED_FROM_NAME),
1807         LintId::of(&unused_unit::UNUSED_UNIT),
1808         LintId::of(&upper_case_acronyms::UPPER_CASE_ACRONYMS),
1809         LintId::of(&write::PRINTLN_EMPTY_STRING),
1810         LintId::of(&write::PRINT_LITERAL),
1811         LintId::of(&write::PRINT_WITH_NEWLINE),
1812         LintId::of(&write::WRITELN_EMPTY_STRING),
1813         LintId::of(&write::WRITE_LITERAL),
1814         LintId::of(&write::WRITE_WITH_NEWLINE),
1815     ]);
1816
1817     store.register_group(true, "clippy::complexity", Some("clippy_complexity"), vec![
1818         LintId::of(&assign_ops::MISREFACTORED_ASSIGN_OP),
1819         LintId::of(&attrs::DEPRECATED_CFG_ATTR),
1820         LintId::of(&booleans::NONMINIMAL_BOOL),
1821         LintId::of(&double_comparison::DOUBLE_COMPARISONS),
1822         LintId::of(&double_parens::DOUBLE_PARENS),
1823         LintId::of(&duration_subsec::DURATION_SUBSEC),
1824         LintId::of(&eval_order_dependence::DIVERGING_SUB_EXPRESSION),
1825         LintId::of(&eval_order_dependence::EVAL_ORDER_DEPENDENCE),
1826         LintId::of(&explicit_write::EXPLICIT_WRITE),
1827         LintId::of(&format::USELESS_FORMAT),
1828         LintId::of(&functions::TOO_MANY_ARGUMENTS),
1829         LintId::of(&get_last_with_len::GET_LAST_WITH_LEN),
1830         LintId::of(&identity_op::IDENTITY_OP),
1831         LintId::of(&int_plus_one::INT_PLUS_ONE),
1832         LintId::of(&lifetimes::EXTRA_UNUSED_LIFETIMES),
1833         LintId::of(&lifetimes::NEEDLESS_LIFETIMES),
1834         LintId::of(&loops::EXPLICIT_COUNTER_LOOP),
1835         LintId::of(&loops::MANUAL_FLATTEN),
1836         LintId::of(&loops::MUT_RANGE_BOUND),
1837         LintId::of(&loops::SINGLE_ELEMENT_LOOP),
1838         LintId::of(&loops::WHILE_LET_LOOP),
1839         LintId::of(&manual_strip::MANUAL_STRIP),
1840         LintId::of(&manual_unwrap_or::MANUAL_UNWRAP_OR),
1841         LintId::of(&map_identity::MAP_IDENTITY),
1842         LintId::of(&map_unit_fn::OPTION_MAP_UNIT_FN),
1843         LintId::of(&map_unit_fn::RESULT_MAP_UNIT_FN),
1844         LintId::of(&matches::MATCH_AS_REF),
1845         LintId::of(&matches::MATCH_SINGLE_BINDING),
1846         LintId::of(&matches::WILDCARD_IN_OR_PATTERNS),
1847         LintId::of(&methods::BIND_INSTEAD_OF_MAP),
1848         LintId::of(&methods::CLONE_ON_COPY),
1849         LintId::of(&methods::FILTER_MAP_IDENTITY),
1850         LintId::of(&methods::FILTER_NEXT),
1851         LintId::of(&methods::FLAT_MAP_IDENTITY),
1852         LintId::of(&methods::INSPECT_FOR_EACH),
1853         LintId::of(&methods::MANUAL_FILTER_MAP),
1854         LintId::of(&methods::MANUAL_FIND_MAP),
1855         LintId::of(&methods::OPTION_AS_REF_DEREF),
1856         LintId::of(&methods::SEARCH_IS_SOME),
1857         LintId::of(&methods::SKIP_WHILE_NEXT),
1858         LintId::of(&methods::SUSPICIOUS_MAP),
1859         LintId::of(&methods::UNNECESSARY_FILTER_MAP),
1860         LintId::of(&methods::USELESS_ASREF),
1861         LintId::of(&misc::SHORT_CIRCUIT_STATEMENT),
1862         LintId::of(&misc_early::UNNEEDED_WILDCARD_PATTERN),
1863         LintId::of(&misc_early::ZERO_PREFIXED_LITERAL),
1864         LintId::of(&needless_arbitrary_self_type::NEEDLESS_ARBITRARY_SELF_TYPE),
1865         LintId::of(&needless_bool::BOOL_COMPARISON),
1866         LintId::of(&needless_bool::NEEDLESS_BOOL),
1867         LintId::of(&needless_borrowed_ref::NEEDLESS_BORROWED_REFERENCE),
1868         LintId::of(&needless_question_mark::NEEDLESS_QUESTION_MARK),
1869         LintId::of(&needless_update::NEEDLESS_UPDATE),
1870         LintId::of(&neg_cmp_op_on_partial_ord::NEG_CMP_OP_ON_PARTIAL_ORD),
1871         LintId::of(&no_effect::NO_EFFECT),
1872         LintId::of(&no_effect::UNNECESSARY_OPERATION),
1873         LintId::of(&overflow_check_conditional::OVERFLOW_CHECK_CONDITIONAL),
1874         LintId::of(&partialeq_ne_impl::PARTIALEQ_NE_IMPL),
1875         LintId::of(&precedence::PRECEDENCE),
1876         LintId::of(&ptr_offset_with_cast::PTR_OFFSET_WITH_CAST),
1877         LintId::of(&ranges::RANGE_ZIP_WITH_LEN),
1878         LintId::of(&redundant_closure_call::REDUNDANT_CLOSURE_CALL),
1879         LintId::of(&redundant_slicing::REDUNDANT_SLICING),
1880         LintId::of(&reference::DEREF_ADDROF),
1881         LintId::of(&reference::REF_IN_DEREF),
1882         LintId::of(&repeat_once::REPEAT_ONCE),
1883         LintId::of(&strings::STRING_FROM_UTF8_AS_BYTES),
1884         LintId::of(&swap::MANUAL_SWAP),
1885         LintId::of(&temporary_assignment::TEMPORARY_ASSIGNMENT),
1886         LintId::of(&transmute::CROSSPOINTER_TRANSMUTE),
1887         LintId::of(&transmute::TRANSMUTES_EXPRESSIBLE_AS_PTR_CASTS),
1888         LintId::of(&transmute::TRANSMUTE_BYTES_TO_STR),
1889         LintId::of(&transmute::TRANSMUTE_FLOAT_TO_INT),
1890         LintId::of(&transmute::TRANSMUTE_INT_TO_BOOL),
1891         LintId::of(&transmute::TRANSMUTE_INT_TO_CHAR),
1892         LintId::of(&transmute::TRANSMUTE_INT_TO_FLOAT),
1893         LintId::of(&transmute::TRANSMUTE_PTR_TO_PTR),
1894         LintId::of(&transmute::TRANSMUTE_PTR_TO_REF),
1895         LintId::of(&types::BORROWED_BOX),
1896         LintId::of(&types::CHAR_LIT_AS_U8),
1897         LintId::of(&types::TYPE_COMPLEXITY),
1898         LintId::of(&types::UNIT_ARG),
1899         LintId::of(&types::UNNECESSARY_CAST),
1900         LintId::of(&types::VEC_BOX),
1901         LintId::of(&unnecessary_sort_by::UNNECESSARY_SORT_BY),
1902         LintId::of(&unnecessary_wraps::UNNECESSARY_WRAPS),
1903         LintId::of(&unwrap::UNNECESSARY_UNWRAP),
1904         LintId::of(&useless_conversion::USELESS_CONVERSION),
1905         LintId::of(&zero_div_zero::ZERO_DIVIDED_BY_ZERO),
1906     ]);
1907
1908     store.register_group(true, "clippy::correctness", Some("clippy_correctness"), vec![
1909         LintId::of(&approx_const::APPROX_CONSTANT),
1910         LintId::of(&async_yields_async::ASYNC_YIELDS_ASYNC),
1911         LintId::of(&atomic_ordering::INVALID_ATOMIC_ORDERING),
1912         LintId::of(&attrs::DEPRECATED_SEMVER),
1913         LintId::of(&attrs::MISMATCHED_TARGET_OS),
1914         LintId::of(&attrs::USELESS_ATTRIBUTE),
1915         LintId::of(&bit_mask::BAD_BIT_MASK),
1916         LintId::of(&bit_mask::INEFFECTIVE_BIT_MASK),
1917         LintId::of(&booleans::LOGIC_BUG),
1918         LintId::of(&copies::IFS_SAME_COND),
1919         LintId::of(&copies::IF_SAME_THEN_ELSE),
1920         LintId::of(&derive::DERIVE_HASH_XOR_EQ),
1921         LintId::of(&derive::DERIVE_ORD_XOR_PARTIAL_ORD),
1922         LintId::of(&drop_forget_ref::DROP_COPY),
1923         LintId::of(&drop_forget_ref::DROP_REF),
1924         LintId::of(&drop_forget_ref::FORGET_COPY),
1925         LintId::of(&drop_forget_ref::FORGET_REF),
1926         LintId::of(&enum_clike::ENUM_CLIKE_UNPORTABLE_VARIANT),
1927         LintId::of(&eq_op::EQ_OP),
1928         LintId::of(&erasing_op::ERASING_OP),
1929         LintId::of(&float_equality_without_abs::FLOAT_EQUALITY_WITHOUT_ABS),
1930         LintId::of(&formatting::POSSIBLE_MISSING_COMMA),
1931         LintId::of(&functions::NOT_UNSAFE_PTR_ARG_DEREF),
1932         LintId::of(&if_let_mutex::IF_LET_MUTEX),
1933         LintId::of(&indexing_slicing::OUT_OF_BOUNDS_INDEXING),
1934         LintId::of(&infinite_iter::INFINITE_ITER),
1935         LintId::of(&inherent_to_string::INHERENT_TO_STRING_SHADOW_DISPLAY),
1936         LintId::of(&inline_fn_without_body::INLINE_FN_WITHOUT_BODY),
1937         LintId::of(&let_underscore::LET_UNDERSCORE_LOCK),
1938         LintId::of(&literal_representation::MISTYPED_LITERAL_SUFFIXES),
1939         LintId::of(&loops::FOR_LOOPS_OVER_FALLIBLES),
1940         LintId::of(&loops::ITER_NEXT_LOOP),
1941         LintId::of(&loops::NEVER_LOOP),
1942         LintId::of(&loops::WHILE_IMMUTABLE_CONDITION),
1943         LintId::of(&mem_discriminant::MEM_DISCRIMINANT_NON_ENUM),
1944         LintId::of(&mem_replace::MEM_REPLACE_WITH_UNINIT),
1945         LintId::of(&methods::CLONE_DOUBLE_REF),
1946         LintId::of(&methods::ITERATOR_STEP_BY_ZERO),
1947         LintId::of(&methods::UNINIT_ASSUMED_INIT),
1948         LintId::of(&methods::ZST_OFFSET),
1949         LintId::of(&minmax::MIN_MAX),
1950         LintId::of(&misc::CMP_NAN),
1951         LintId::of(&misc::FLOAT_CMP),
1952         LintId::of(&misc::MODULO_ONE),
1953         LintId::of(&mut_key::MUTABLE_KEY_TYPE),
1954         LintId::of(&open_options::NONSENSICAL_OPEN_OPTIONS),
1955         LintId::of(&option_env_unwrap::OPTION_ENV_UNWRAP),
1956         LintId::of(&ptr::MUT_FROM_REF),
1957         LintId::of(&ranges::REVERSED_EMPTY_RANGES),
1958         LintId::of(&regex::INVALID_REGEX),
1959         LintId::of(&self_assignment::SELF_ASSIGNMENT),
1960         LintId::of(&serde_api::SERDE_API_MISUSE),
1961         LintId::of(&size_of_in_element_count::SIZE_OF_IN_ELEMENT_COUNT),
1962         LintId::of(&suspicious_trait_impl::SUSPICIOUS_ARITHMETIC_IMPL),
1963         LintId::of(&suspicious_trait_impl::SUSPICIOUS_OP_ASSIGN_IMPL),
1964         LintId::of(&swap::ALMOST_SWAPPED),
1965         LintId::of(&to_string_in_display::TO_STRING_IN_DISPLAY),
1966         LintId::of(&transmute::UNSOUND_COLLECTION_TRANSMUTE),
1967         LintId::of(&transmute::WRONG_TRANSMUTE),
1968         LintId::of(&transmuting_null::TRANSMUTING_NULL),
1969         LintId::of(&types::ABSURD_EXTREME_COMPARISONS),
1970         LintId::of(&types::CAST_REF_TO_MUT),
1971         LintId::of(&types::UNIT_CMP),
1972         LintId::of(&undropped_manually_drops::UNDROPPED_MANUALLY_DROPS),
1973         LintId::of(&unicode::INVISIBLE_CHARACTERS),
1974         LintId::of(&unit_return_expecting_ord::UNIT_RETURN_EXPECTING_ORD),
1975         LintId::of(&unnamed_address::FN_ADDRESS_COMPARISONS),
1976         LintId::of(&unnamed_address::VTABLE_ADDRESS_COMPARISONS),
1977         LintId::of(&unused_io_amount::UNUSED_IO_AMOUNT),
1978         LintId::of(&unwrap::PANICKING_UNWRAP),
1979         LintId::of(&vec_resize_to_zero::VEC_RESIZE_TO_ZERO),
1980     ]);
1981
1982     store.register_group(true, "clippy::perf", Some("clippy_perf"), vec![
1983         LintId::of(&bytecount::NAIVE_BYTECOUNT),
1984         LintId::of(&entry::MAP_ENTRY),
1985         LintId::of(&escape::BOXED_LOCAL),
1986         LintId::of(&large_const_arrays::LARGE_CONST_ARRAYS),
1987         LintId::of(&large_enum_variant::LARGE_ENUM_VARIANT),
1988         LintId::of(&loops::MANUAL_MEMCPY),
1989         LintId::of(&loops::NEEDLESS_COLLECT),
1990         LintId::of(&methods::EXPECT_FUN_CALL),
1991         LintId::of(&methods::ITER_NTH),
1992         LintId::of(&methods::OR_FUN_CALL),
1993         LintId::of(&methods::SINGLE_CHAR_PATTERN),
1994         LintId::of(&misc::CMP_OWNED),
1995         LintId::of(&mutex_atomic::MUTEX_ATOMIC),
1996         LintId::of(&redundant_clone::REDUNDANT_CLONE),
1997         LintId::of(&slow_vector_initialization::SLOW_VECTOR_INITIALIZATION),
1998         LintId::of(&stable_sort_primitive::STABLE_SORT_PRIMITIVE),
1999         LintId::of(&types::BOX_VEC),
2000         LintId::of(&types::REDUNDANT_ALLOCATION),
2001         LintId::of(&vec::USELESS_VEC),
2002         LintId::of(&vec_init_then_push::VEC_INIT_THEN_PUSH),
2003     ]);
2004
2005     store.register_group(true, "clippy::cargo", Some("clippy_cargo"), vec![
2006         LintId::of(&cargo_common_metadata::CARGO_COMMON_METADATA),
2007         LintId::of(&multiple_crate_versions::MULTIPLE_CRATE_VERSIONS),
2008         LintId::of(&wildcard_dependencies::WILDCARD_DEPENDENCIES),
2009     ]);
2010
2011     store.register_group(true, "clippy::nursery", Some("clippy_nursery"), vec![
2012         LintId::of(&attrs::EMPTY_LINE_AFTER_OUTER_ATTR),
2013         LintId::of(&cognitive_complexity::COGNITIVE_COMPLEXITY),
2014         LintId::of(&disallowed_method::DISALLOWED_METHOD),
2015         LintId::of(&fallible_impl_from::FALLIBLE_IMPL_FROM),
2016         LintId::of(&floating_point_arithmetic::IMPRECISE_FLOPS),
2017         LintId::of(&floating_point_arithmetic::SUBOPTIMAL_FLOPS),
2018         LintId::of(&future_not_send::FUTURE_NOT_SEND),
2019         LintId::of(&let_if_seq::USELESS_LET_IF_SEQ),
2020         LintId::of(&missing_const_for_fn::MISSING_CONST_FOR_FN),
2021         LintId::of(&mutable_debug_assertion::DEBUG_ASSERT_WITH_MUT_CALL),
2022         LintId::of(&mutex_atomic::MUTEX_INTEGER),
2023         LintId::of(&needless_borrow::NEEDLESS_BORROW),
2024         LintId::of(&path_buf_push_overwrite::PATH_BUF_PUSH_OVERWRITE),
2025         LintId::of(&redundant_pub_crate::REDUNDANT_PUB_CRATE),
2026         LintId::of(&regex::TRIVIAL_REGEX),
2027         LintId::of(&strings::STRING_LIT_AS_BYTES),
2028         LintId::of(&transmute::USELESS_TRANSMUTE),
2029         LintId::of(&use_self::USE_SELF),
2030     ]);
2031 }
2032
2033 #[rustfmt::skip]
2034 fn register_removed_non_tool_lints(store: &mut rustc_lint::LintStore) {
2035     store.register_removed(
2036         "should_assert_eq",
2037         "`assert!()` will be more flexible with RFC 2011",
2038     );
2039     store.register_removed(
2040         "extend_from_slice",
2041         "`.extend_from_slice(_)` is a faster way to extend a Vec by a slice",
2042     );
2043     store.register_removed(
2044         "range_step_by_zero",
2045         "`iterator.step_by(0)` panics nowadays",
2046     );
2047     store.register_removed(
2048         "unstable_as_slice",
2049         "`Vec::as_slice` has been stabilized in 1.7",
2050     );
2051     store.register_removed(
2052         "unstable_as_mut_slice",
2053         "`Vec::as_mut_slice` has been stabilized in 1.7",
2054     );
2055     store.register_removed(
2056         "misaligned_transmute",
2057         "this lint has been split into cast_ptr_alignment and transmute_ptr_to_ptr",
2058     );
2059     store.register_removed(
2060         "assign_ops",
2061         "using compound assignment operators (e.g., `+=`) is harmless",
2062     );
2063     store.register_removed(
2064         "if_let_redundant_pattern_matching",
2065         "this lint has been changed to redundant_pattern_matching",
2066     );
2067     store.register_removed(
2068         "unsafe_vector_initialization",
2069         "the replacement suggested by this lint had substantially different behavior",
2070     );
2071     store.register_removed(
2072         "reverse_range_loop",
2073         "this lint is now included in reversed_empty_ranges",
2074     );
2075 }
2076
2077 /// Register renamed lints.
2078 ///
2079 /// Used in `./src/driver.rs`.
2080 pub fn register_renamed(ls: &mut rustc_lint::LintStore) {
2081     ls.register_renamed("clippy::stutter", "clippy::module_name_repetitions");
2082     ls.register_renamed("clippy::new_without_default_derive", "clippy::new_without_default");
2083     ls.register_renamed("clippy::cyclomatic_complexity", "clippy::cognitive_complexity");
2084     ls.register_renamed("clippy::const_static_lifetime", "clippy::redundant_static_lifetimes");
2085     ls.register_renamed("clippy::option_and_then_some", "clippy::bind_instead_of_map");
2086     ls.register_renamed("clippy::block_in_if_condition_expr", "clippy::blocks_in_if_conditions");
2087     ls.register_renamed("clippy::block_in_if_condition_stmt", "clippy::blocks_in_if_conditions");
2088     ls.register_renamed("clippy::option_map_unwrap_or", "clippy::map_unwrap_or");
2089     ls.register_renamed("clippy::option_map_unwrap_or_else", "clippy::map_unwrap_or");
2090     ls.register_renamed("clippy::result_map_unwrap_or_else", "clippy::map_unwrap_or");
2091     ls.register_renamed("clippy::option_unwrap_used", "clippy::unwrap_used");
2092     ls.register_renamed("clippy::result_unwrap_used", "clippy::unwrap_used");
2093     ls.register_renamed("clippy::option_expect_used", "clippy::expect_used");
2094     ls.register_renamed("clippy::result_expect_used", "clippy::expect_used");
2095     ls.register_renamed("clippy::for_loop_over_option", "clippy::for_loops_over_fallibles");
2096     ls.register_renamed("clippy::for_loop_over_result", "clippy::for_loops_over_fallibles");
2097     ls.register_renamed("clippy::identity_conversion", "clippy::useless_conversion");
2098     ls.register_renamed("clippy::zero_width_space", "clippy::invisible_characters");
2099     ls.register_renamed("clippy::single_char_push_str", "clippy::single_char_add_str");
2100 }
2101
2102 // only exists to let the dogfood integration test works.
2103 // Don't run clippy as an executable directly
2104 #[allow(dead_code)]
2105 fn main() {
2106     panic!("Please use the cargo-clippy executable");
2107 }