]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/empty_enum.rs
Merge branch 'master' into fix-3739
[rust.git] / clippy_lints / src / empty_enum.rs
1 //! lint when there is an enum with no variants
2
3 use crate::utils::span_lint_and_then;
4 use rustc::hir::*;
5 use rustc::lint::{LateContext, LateLintPass, LintArray, LintPass};
6 use rustc::{declare_tool_lint, lint_array};
7
8 declare_clippy_lint! {
9     /// **What it does:** Checks for `enum`s with no variants.
10     ///
11     /// **Why is this bad?** Enum's with no variants should be replaced with `!`,
12     /// the uninhabited type,
13     /// or a wrapper around it.
14     ///
15     /// **Known problems:** None.
16     ///
17     /// **Example:**
18     /// ```rust
19     /// enum Test {}
20     /// ```
21     pub EMPTY_ENUM,
22     pedantic,
23     "enum with no variants"
24 }
25
26 #[derive(Copy, Clone)]
27 pub struct EmptyEnum;
28
29 impl LintPass for EmptyEnum {
30     fn get_lints(&self) -> LintArray {
31         lint_array!(EMPTY_ENUM)
32     }
33
34     fn name(&self) -> &'static str {
35         "EmptyEnum"
36     }
37 }
38
39 impl<'a, 'tcx> LateLintPass<'a, 'tcx> for EmptyEnum {
40     fn check_item(&mut self, cx: &LateContext<'_, '_>, item: &Item) {
41         let did = cx.tcx.hir().local_def_id_from_hir_id(item.hir_id);
42         if let ItemKind::Enum(..) = item.node {
43             let ty = cx.tcx.type_of(did);
44             let adt = ty.ty_adt_def().expect("already checked whether this is an enum");
45             if adt.variants.is_empty() {
46                 span_lint_and_then(cx, EMPTY_ENUM, item.span, "enum with no variants", |db| {
47                     db.span_help(
48                         item.span,
49                         "consider using the uninhabited type `!` or a wrapper around it",
50                     );
51                 });
52             }
53         }
54     }
55 }