rust/src/items_after_statements.rs

72 lines
2.0 KiB
Rust
Raw Normal View History

2016-01-24 03:16:56 -06:00
//! lint when items are used after statements
use rustc::lint::*;
use syntax::ast::*;
2016-02-24 10:38:57 -06:00
use syntax::attr::*;
2016-01-24 03:16:56 -06:00
use utils::in_macro;
/// **What it does:** This lints checks for items declared after some statement in a block
2016-01-24 03:16:56 -06:00
///
/// **Why is this bad?** Items live for the entire scope they are declared in. But statements are
/// processed in order. This might cause confusion as it's hard to figure out which item is meant
/// in a statement.
2016-01-24 03:16:56 -06:00
///
/// **Known problems:** None
///
/// **Example:**
/// ```rust
/// fn foo() {
/// println!("cake");
/// }
/// fn main() {
/// foo(); // prints "foo"
/// fn foo() {
/// println!("foo");
/// }
/// foo(); // prints "foo"
/// }
/// ```
declare_lint! {
pub ITEMS_AFTER_STATEMENTS,
Warn,
"finds blocks where an item comes after a statement"
}
2016-01-24 03:16:56 -06:00
pub struct ItemsAfterStatements;
2016-01-24 03:16:56 -06:00
impl LintPass for ItemsAfterStatements {
2016-01-24 03:16:56 -06:00
fn get_lints(&self) -> LintArray {
lint_array!(ITEMS_AFTER_STATEMENTS)
}
}
impl EarlyLintPass for ItemsAfterStatements {
2016-01-24 03:16:56 -06:00
fn check_block(&mut self, cx: &EarlyContext, item: &Block) {
if in_macro(cx, item.span) {
return;
}
let mut stmts = item.stmts.iter().map(|stmt| &stmt.node);
// skip initial items
2016-02-12 11:35:44 -06:00
while let Some(&StmtKind::Decl(ref decl, _)) = stmts.next() {
if let DeclKind::Local(_) = decl.node {
2016-01-24 03:16:56 -06:00
break;
}
}
// lint on all further items
for stmt in stmts {
2016-02-12 11:35:44 -06:00
if let StmtKind::Decl(ref decl, _) = *stmt {
if let DeclKind::Item(ref it) = decl.node {
2016-01-24 03:16:56 -06:00
if in_macro(cx, it.span) {
return;
}
2016-01-30 06:48:39 -06:00
cx.struct_span_lint(ITEMS_AFTER_STATEMENTS,
it.span,
"adding items after statements is confusing, since items exist from the \
start of the scope")
2016-01-24 03:16:56 -06:00
.emit();
}
}
}
}
}