]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/attrs.rs
Auto merge of #4110 - rust-lang:symbolic_wasteland, r=oli-obk
[rust.git] / clippy_lints / src / attrs.rs
1 //! checks for attributes
2
3 use crate::reexport::*;
4 use crate::utils::{
5     in_macro_or_desugar, is_present_in_source, last_line_of_span, match_def_path, paths, snippet_opt, span_lint,
6     span_lint_and_sugg, span_lint_and_then, without_block_comments,
7 };
8 use if_chain::if_chain;
9 use rustc::hir::*;
10 use rustc::lint::{
11     in_external_macro, CheckLintNameResult, EarlyContext, EarlyLintPass, LateContext, LateLintPass, LintArray,
12     LintContext, LintPass,
13 };
14 use rustc::ty;
15 use rustc::{declare_lint_pass, declare_tool_lint};
16 use rustc_errors::Applicability;
17 use semver::Version;
18 use syntax::ast::{AttrStyle, Attribute, Lit, LitKind, MetaItemKind, NestedMetaItem};
19 use syntax::source_map::Span;
20 use syntax_pos::symbol::Symbol;
21
22 declare_clippy_lint! {
23     /// **What it does:** Checks for items annotated with `#[inline(always)]`,
24     /// unless the annotated function is empty or simply panics.
25     ///
26     /// **Why is this bad?** While there are valid uses of this annotation (and once
27     /// you know when to use it, by all means `allow` this lint), it's a common
28     /// newbie-mistake to pepper one's code with it.
29     ///
30     /// As a rule of thumb, before slapping `#[inline(always)]` on a function,
31     /// measure if that additional function call really affects your runtime profile
32     /// sufficiently to make up for the increase in compile time.
33     ///
34     /// **Known problems:** False positives, big time. This lint is meant to be
35     /// deactivated by everyone doing serious performance work. This means having
36     /// done the measurement.
37     ///
38     /// **Example:**
39     /// ```ignore
40     /// #[inline(always)]
41     /// fn not_quite_hot_code(..) { ... }
42     /// ```
43     pub INLINE_ALWAYS,
44     pedantic,
45     "use of `#[inline(always)]`"
46 }
47
48 declare_clippy_lint! {
49     /// **What it does:** Checks for `extern crate` and `use` items annotated with
50     /// lint attributes.
51     ///
52     /// This lint whitelists `#[allow(unused_imports)]` and `#[allow(deprecated)]` on
53     /// `use` items and `#[allow(unused_imports)]` on `extern crate` items with a
54     /// `#[macro_use]` attribute.
55     ///
56     /// **Why is this bad?** Lint attributes have no effect on crate imports. Most
57     /// likely a `!` was forgotten.
58     ///
59     /// **Known problems:** None.
60     ///
61     /// **Example:**
62     /// ```ignore
63     /// // Bad
64     /// #[deny(dead_code)]
65     /// extern crate foo;
66     /// #[forbid(dead_code)]
67     /// use foo::bar;
68     ///
69     /// // Ok
70     /// #[allow(unused_imports)]
71     /// use foo::baz;
72     /// #[allow(unused_imports)]
73     /// #[macro_use]
74     /// extern crate baz;
75     /// ```
76     pub USELESS_ATTRIBUTE,
77     correctness,
78     "use of lint attributes on `extern crate` items"
79 }
80
81 declare_clippy_lint! {
82     /// **What it does:** Checks for `#[deprecated]` annotations with a `since`
83     /// field that is not a valid semantic version.
84     ///
85     /// **Why is this bad?** For checking the version of the deprecation, it must be
86     /// a valid semver. Failing that, the contained information is useless.
87     ///
88     /// **Known problems:** None.
89     ///
90     /// **Example:**
91     /// ```rust
92     /// #[deprecated(since = "forever")]
93     /// fn something_else() { /* ... */ }
94     /// ```
95     pub DEPRECATED_SEMVER,
96     correctness,
97     "use of `#[deprecated(since = \"x\")]` where x is not semver"
98 }
99
100 declare_clippy_lint! {
101     /// **What it does:** Checks for empty lines after outer attributes
102     ///
103     /// **Why is this bad?**
104     /// Most likely the attribute was meant to be an inner attribute using a '!'.
105     /// If it was meant to be an outer attribute, then the following item
106     /// should not be separated by empty lines.
107     ///
108     /// **Known problems:** Can cause false positives.
109     ///
110     /// From the clippy side it's difficult to detect empty lines between an attributes and the
111     /// following item because empty lines and comments are not part of the AST. The parsing
112     /// currently works for basic cases but is not perfect.
113     ///
114     /// **Example:**
115     /// ```rust
116     /// // Bad
117     /// #[inline(always)]
118     ///
119     /// fn not_quite_good_code(..) { ... }
120     ///
121     /// // Good (as inner attribute)
122     /// #![inline(always)]
123     ///
124     /// fn this_is_fine(..) { ... }
125     ///
126     /// // Good (as outer attribute)
127     /// #[inline(always)]
128     /// fn this_is_fine_too(..) { ... }
129     /// ```
130     pub EMPTY_LINE_AFTER_OUTER_ATTR,
131     nursery,
132     "empty line after outer attribute"
133 }
134
135 declare_clippy_lint! {
136     /// **What it does:** Checks for `allow`/`warn`/`deny`/`forbid` attributes with scoped clippy
137     /// lints and if those lints exist in clippy. If there is a uppercase letter in the lint name
138     /// (not the tool name) and a lowercase version of this lint exists, it will suggest to lowercase
139     /// the lint name.
140     ///
141     /// **Why is this bad?** A lint attribute with a mistyped lint name won't have an effect.
142     ///
143     /// **Known problems:** None.
144     ///
145     /// **Example:**
146     /// Bad:
147     /// ```rust
148     /// #![warn(if_not_els)]
149     /// #![deny(clippy::All)]
150     /// ```
151     ///
152     /// Good:
153     /// ```rust
154     /// #![warn(if_not_else)]
155     /// #![deny(clippy::all)]
156     /// ```
157     pub UNKNOWN_CLIPPY_LINTS,
158     style,
159     "unknown_lints for scoped Clippy lints"
160 }
161
162 declare_clippy_lint! {
163     /// **What it does:** Checks for `#[cfg_attr(rustfmt, rustfmt_skip)]` and suggests to replace it
164     /// with `#[rustfmt::skip]`.
165     ///
166     /// **Why is this bad?** Since tool_attributes ([rust-lang/rust#44690](https://github.com/rust-lang/rust/issues/44690))
167     /// are stable now, they should be used instead of the old `cfg_attr(rustfmt)` attributes.
168     ///
169     /// **Known problems:** This lint doesn't detect crate level inner attributes, because they get
170     /// processed before the PreExpansionPass lints get executed. See
171     /// [#3123](https://github.com/rust-lang/rust-clippy/pull/3123#issuecomment-422321765)
172     ///
173     /// **Example:**
174     ///
175     /// Bad:
176     /// ```rust
177     /// #[cfg_attr(rustfmt, rustfmt_skip)]
178     /// fn main() { }
179     /// ```
180     ///
181     /// Good:
182     /// ```rust
183     /// #[rustfmt::skip]
184     /// fn main() { }
185     /// ```
186     pub DEPRECATED_CFG_ATTR,
187     complexity,
188     "usage of `cfg_attr(rustfmt)` instead of `tool_attributes`"
189 }
190
191 declare_lint_pass!(Attributes => [
192     INLINE_ALWAYS,
193     DEPRECATED_SEMVER,
194     USELESS_ATTRIBUTE,
195     EMPTY_LINE_AFTER_OUTER_ATTR,
196     UNKNOWN_CLIPPY_LINTS,
197 ]);
198
199 impl<'a, 'tcx> LateLintPass<'a, 'tcx> for Attributes {
200     fn check_attribute(&mut self, cx: &LateContext<'a, 'tcx>, attr: &'tcx Attribute) {
201         if let Some(items) = &attr.meta_item_list() {
202             if let Some(ident) = attr.ident() {
203                 match &*ident.as_str() {
204                     "allow" | "warn" | "deny" | "forbid" => {
205                         check_clippy_lint_names(cx, items);
206                     },
207                     _ => {},
208                 }
209                 if items.is_empty() || !attr.check_name(sym!(deprecated)) {
210                     return;
211                 }
212                 for item in items {
213                     if_chain! {
214                         if let NestedMetaItem::MetaItem(mi) = &item;
215                         if let MetaItemKind::NameValue(lit) = &mi.node;
216                         if mi.check_name(sym!(since));
217                         then {
218                             check_semver(cx, item.span(), lit);
219                         }
220                     }
221                 }
222             }
223         }
224     }
225
226     fn check_item(&mut self, cx: &LateContext<'a, 'tcx>, item: &'tcx Item) {
227         if is_relevant_item(cx, item) {
228             check_attrs(cx, item.span, item.ident.name, &item.attrs)
229         }
230         match item.node {
231             ItemKind::ExternCrate(..) | ItemKind::Use(..) => {
232                 let skip_unused_imports = item.attrs.iter().any(|attr| attr.check_name(sym!(macro_use)));
233
234                 for attr in &item.attrs {
235                     if in_external_macro(cx.sess(), attr.span) {
236                         return;
237                     }
238                     if let Some(lint_list) = &attr.meta_item_list() {
239                         if let Some(ident) = attr.ident() {
240                             match &*ident.as_str() {
241                                 "allow" | "warn" | "deny" | "forbid" => {
242                                     // whitelist `unused_imports` and `deprecated` for `use` items
243                                     // and `unused_imports` for `extern crate` items with `macro_use`
244                                     for lint in lint_list {
245                                         match item.node {
246                                             ItemKind::Use(..) => {
247                                                 if is_word(lint, sym!(unused_imports))
248                                                     || is_word(lint, sym!(deprecated))
249                                                 {
250                                                     return;
251                                                 }
252                                             },
253                                             ItemKind::ExternCrate(..) => {
254                                                 if is_word(lint, sym!(unused_imports)) && skip_unused_imports {
255                                                     return;
256                                                 }
257                                                 if is_word(lint, sym!(unused_extern_crates)) {
258                                                     return;
259                                                 }
260                                             },
261                                             _ => {},
262                                         }
263                                     }
264                                     let line_span = last_line_of_span(cx, attr.span);
265
266                                     if let Some(mut sugg) = snippet_opt(cx, line_span) {
267                                         if sugg.contains("#[") {
268                                             span_lint_and_then(
269                                                 cx,
270                                                 USELESS_ATTRIBUTE,
271                                                 line_span,
272                                                 "useless lint attribute",
273                                                 |db| {
274                                                     sugg = sugg.replacen("#[", "#![", 1);
275                                                     db.span_suggestion(
276                                                         line_span,
277                                                         "if you just forgot a `!`, use",
278                                                         sugg,
279                                                         Applicability::MachineApplicable,
280                                                     );
281                                                 },
282                                             );
283                                         }
284                                     }
285                                 },
286                                 _ => {},
287                             }
288                         }
289                     }
290                 }
291             },
292             _ => {},
293         }
294     }
295
296     fn check_impl_item(&mut self, cx: &LateContext<'a, 'tcx>, item: &'tcx ImplItem) {
297         if is_relevant_impl(cx, item) {
298             check_attrs(cx, item.span, item.ident.name, &item.attrs)
299         }
300     }
301
302     fn check_trait_item(&mut self, cx: &LateContext<'a, 'tcx>, item: &'tcx TraitItem) {
303         if is_relevant_trait(cx, item) {
304             check_attrs(cx, item.span, item.ident.name, &item.attrs)
305         }
306     }
307 }
308
309 #[allow(clippy::single_match_else)]
310 fn check_clippy_lint_names(cx: &LateContext<'_, '_>, items: &[NestedMetaItem]) {
311     let lint_store = cx.lints();
312     for lint in items {
313         if_chain! {
314             if let Some(meta_item) = lint.meta_item();
315             if meta_item.path.segments.len() > 1;
316             if let tool_name = meta_item.path.segments[0].ident;
317             if tool_name.as_str() == "clippy";
318             let name = meta_item.path.segments.last().unwrap().ident.name;
319             if let CheckLintNameResult::Tool(Err((None, _))) = lint_store.check_lint_name(
320                 &name.as_str(),
321                 Some(tool_name.as_str()),
322             );
323             then {
324                 span_lint_and_then(
325                     cx,
326                     UNKNOWN_CLIPPY_LINTS,
327                     lint.span(),
328                     &format!("unknown clippy lint: clippy::{}", name),
329                     |db| {
330                         if name.as_str().chars().any(char::is_uppercase) {
331                             let name_lower = name.as_str().to_lowercase();
332                             match lint_store.check_lint_name(
333                                 &name_lower,
334                                 Some(tool_name.as_str())
335                             ) {
336                                 // FIXME: can we suggest similar lint names here?
337                                 // https://github.com/rust-lang/rust/pull/56992
338                                 CheckLintNameResult::NoLint(None) => (),
339                                 _ => {
340                                     db.span_suggestion(
341                                         lint.span(),
342                                         "lowercase the lint name",
343                                         name_lower,
344                                         Applicability::MaybeIncorrect,
345                                     );
346                                 }
347                             }
348                         }
349                     }
350                 );
351             }
352         };
353     }
354 }
355
356 fn is_relevant_item(cx: &LateContext<'_, '_>, item: &Item) -> bool {
357     if let ItemKind::Fn(_, _, _, eid) = item.node {
358         is_relevant_expr(cx, cx.tcx.body_tables(eid), &cx.tcx.hir().body(eid).value)
359     } else {
360         true
361     }
362 }
363
364 fn is_relevant_impl(cx: &LateContext<'_, '_>, item: &ImplItem) -> bool {
365     match item.node {
366         ImplItemKind::Method(_, eid) => is_relevant_expr(cx, cx.tcx.body_tables(eid), &cx.tcx.hir().body(eid).value),
367         _ => false,
368     }
369 }
370
371 fn is_relevant_trait(cx: &LateContext<'_, '_>, item: &TraitItem) -> bool {
372     match item.node {
373         TraitItemKind::Method(_, TraitMethod::Required(_)) => true,
374         TraitItemKind::Method(_, TraitMethod::Provided(eid)) => {
375             is_relevant_expr(cx, cx.tcx.body_tables(eid), &cx.tcx.hir().body(eid).value)
376         },
377         _ => false,
378     }
379 }
380
381 fn is_relevant_block(cx: &LateContext<'_, '_>, tables: &ty::TypeckTables<'_>, block: &Block) -> bool {
382     if let Some(stmt) = block.stmts.first() {
383         match &stmt.node {
384             StmtKind::Local(_) => true,
385             StmtKind::Expr(expr) | StmtKind::Semi(expr) => is_relevant_expr(cx, tables, expr),
386             _ => false,
387         }
388     } else {
389         block.expr.as_ref().map_or(false, |e| is_relevant_expr(cx, tables, e))
390     }
391 }
392
393 fn is_relevant_expr(cx: &LateContext<'_, '_>, tables: &ty::TypeckTables<'_>, expr: &Expr) -> bool {
394     match &expr.node {
395         ExprKind::Block(block, _) => is_relevant_block(cx, tables, block),
396         ExprKind::Ret(Some(e)) => is_relevant_expr(cx, tables, e),
397         ExprKind::Ret(None) | ExprKind::Break(_, None) => false,
398         ExprKind::Call(path_expr, _) => {
399             if let ExprKind::Path(qpath) = &path_expr.node {
400                 if let Some(fun_id) = tables.qpath_res(qpath, path_expr.hir_id).opt_def_id() {
401                     !match_def_path(cx, fun_id, &paths::BEGIN_PANIC)
402                 } else {
403                     true
404                 }
405             } else {
406                 true
407             }
408         },
409         _ => true,
410     }
411 }
412
413 fn check_attrs(cx: &LateContext<'_, '_>, span: Span, name: Name, attrs: &[Attribute]) {
414     if in_macro_or_desugar(span) {
415         return;
416     }
417
418     for attr in attrs {
419         if attr.is_sugared_doc {
420             return;
421         }
422         if attr.style == AttrStyle::Outer {
423             if attr.tokens.is_empty() || !is_present_in_source(cx, attr.span) {
424                 return;
425             }
426
427             let begin_of_attr_to_item = Span::new(attr.span.lo(), span.lo(), span.ctxt());
428             let end_of_attr_to_item = Span::new(attr.span.hi(), span.lo(), span.ctxt());
429
430             if let Some(snippet) = snippet_opt(cx, end_of_attr_to_item) {
431                 let lines = snippet.split('\n').collect::<Vec<_>>();
432                 let lines = without_block_comments(lines);
433
434                 if lines.iter().filter(|l| l.trim().is_empty()).count() > 2 {
435                     span_lint(
436                         cx,
437                         EMPTY_LINE_AFTER_OUTER_ATTR,
438                         begin_of_attr_to_item,
439                         "Found an empty line after an outer attribute. \
440                          Perhaps you forgot to add a '!' to make it an inner attribute?",
441                     );
442                 }
443             }
444         }
445
446         if let Some(values) = attr.meta_item_list() {
447             if values.len() != 1 || !attr.check_name(sym!(inline)) {
448                 continue;
449             }
450             if is_word(&values[0], sym!(always)) {
451                 span_lint(
452                     cx,
453                     INLINE_ALWAYS,
454                     attr.span,
455                     &format!(
456                         "you have declared `#[inline(always)]` on `{}`. This is usually a bad idea",
457                         name
458                     ),
459                 );
460             }
461         }
462     }
463 }
464
465 fn check_semver(cx: &LateContext<'_, '_>, span: Span, lit: &Lit) {
466     if let LitKind::Str(is, _) = lit.node {
467         if Version::parse(&is.as_str()).is_ok() {
468             return;
469         }
470     }
471     span_lint(
472         cx,
473         DEPRECATED_SEMVER,
474         span,
475         "the since field must contain a semver-compliant version",
476     );
477 }
478
479 fn is_word(nmi: &NestedMetaItem, expected: Symbol) -> bool {
480     if let NestedMetaItem::MetaItem(mi) = &nmi {
481         mi.is_word() && mi.check_name(expected)
482     } else {
483         false
484     }
485 }
486
487 declare_lint_pass!(DeprecatedCfgAttribute => [DEPRECATED_CFG_ATTR]);
488
489 impl EarlyLintPass for DeprecatedCfgAttribute {
490     fn check_attribute(&mut self, cx: &EarlyContext<'_>, attr: &Attribute) {
491         if_chain! {
492             // check cfg_attr
493             if attr.check_name(sym!(cfg_attr));
494             if let Some(items) = attr.meta_item_list();
495             if items.len() == 2;
496             // check for `rustfmt`
497             if let Some(feature_item) = items[0].meta_item();
498             if feature_item.check_name(sym!(rustfmt));
499             // check for `rustfmt_skip` and `rustfmt::skip`
500             if let Some(skip_item) = &items[1].meta_item();
501             if skip_item.check_name(sym!(rustfmt_skip)) ||
502                 skip_item.path.segments.last().expect("empty path in attribute").ident.name == sym!(skip);
503             // Only lint outer attributes, because custom inner attributes are unstable
504             // Tracking issue: https://github.com/rust-lang/rust/issues/54726
505             if let AttrStyle::Outer = attr.style;
506             then {
507                 span_lint_and_sugg(
508                     cx,
509                     DEPRECATED_CFG_ATTR,
510                     attr.span,
511                     "`cfg_attr` is deprecated for rustfmt and got replaced by tool_attributes",
512                     "use",
513                     "#[rustfmt::skip]".to_string(),
514                     Applicability::MachineApplicable,
515                 );
516             }
517         }
518     }
519 }