rust-clippy/clippy_lints/src/temporary_assignment.rs

66 lines
1.8 KiB
Rust
Raw Normal View History

2018-05-30 08:15:50 +00:00
use crate::utils::is_adjusted;
use crate::utils::span_lint;
use rustc::hir::def::Def;
use rustc::hir::{Expr, ExprKind};
use rustc::lint::{LateContext, LateLintPass, LintArray, LintPass};
use rustc::{declare_tool_lint, lint_array};
2015-11-04 09:55:14 +00:00
2018-03-28 13:24:26 +00:00
declare_clippy_lint! {
/// **What it does:** Checks for construction of a structure or tuple just to
/// assign a value in it.
///
/// **Why is this bad?** Readability. If the structure is only created to be
/// updated, why not write the structure you want in the first place?
///
/// **Known problems:** None.
///
/// **Example:**
/// ```rust
/// (0, 0).0 = 1
/// ```
2015-11-04 09:55:14 +00:00
pub TEMPORARY_ASSIGNMENT,
2018-03-28 13:24:26 +00:00
complexity,
2015-11-04 09:55:14 +00:00
"assignments to temporaries"
}
fn is_temporary(cx: &LateContext<'_, '_>, expr: &Expr) -> bool {
match &expr.node {
2018-07-12 07:30:57 +00:00
ExprKind::Struct(..) | ExprKind::Tup(..) => true,
ExprKind::Path(qpath) => {
if let Def::Const(..) = cx.tables.qpath_def(qpath, expr.hir_id) {
true
} else {
false
}
},
2015-11-04 09:55:14 +00:00
_ => false,
}
}
#[derive(Copy, Clone)]
2016-06-10 14:17:20 +00:00
pub struct Pass;
2015-11-04 09:55:14 +00:00
2016-06-10 14:17:20 +00:00
impl LintPass for Pass {
2015-11-04 09:55:14 +00:00
fn get_lints(&self) -> LintArray {
lint_array!(TEMPORARY_ASSIGNMENT)
}
fn name(&self) -> &'static str {
"TemporaryAssignment"
}
2015-11-04 09:55:14 +00:00
}
impl<'a, 'tcx> LateLintPass<'a, 'tcx> for Pass {
fn check_expr(&mut self, cx: &LateContext<'a, 'tcx>, expr: &'tcx Expr) {
if let ExprKind::Assign(target, _) = &expr.node {
let mut base = target;
while let ExprKind::Field(f, _) | ExprKind::Index(f, _) = &base.node {
base = f;
}
if is_temporary(cx, base) && !is_adjusted(cx, base) {
span_lint(cx, TEMPORARY_ASSIGNMENT, expr.span, "assignment to temporary");
2015-11-04 09:55:14 +00:00
}
}
}
}