2018-03-05 14:31:37 +09:00
|
|
|
use syntax::ast::Name;
|
2018-02-10 21:13:17 +01:00
|
|
|
use rustc::lint::*;
|
|
|
|
use rustc::hir::*;
|
2018-03-05 14:31:37 +09:00
|
|
|
use utils::{match_qpath, match_var, span_lint_and_sugg};
|
|
|
|
use utils::paths;
|
2018-02-10 21:13:17 +01:00
|
|
|
|
2018-02-11 10:50:19 +01:00
|
|
|
/// **What it does:** Checks for fields in struct literals where shorthands
|
|
|
|
/// could be used.
|
2018-02-10 21:13:17 +01:00
|
|
|
///
|
|
|
|
/// **Why is this bad?** If the field and variable names are the same,
|
|
|
|
/// the field name is redundant.
|
|
|
|
///
|
|
|
|
/// **Known problems:** None.
|
|
|
|
///
|
|
|
|
/// **Example:**
|
|
|
|
/// ```rust
|
|
|
|
/// let bar: u8 = 123;
|
|
|
|
///
|
|
|
|
/// struct Foo {
|
|
|
|
/// bar: u8,
|
|
|
|
/// }
|
|
|
|
///
|
|
|
|
/// let foo = Foo{ bar: bar }
|
|
|
|
/// ```
|
|
|
|
declare_lint! {
|
|
|
|
pub REDUNDANT_FIELD_NAMES,
|
|
|
|
Warn,
|
2018-02-11 10:50:19 +01:00
|
|
|
"checks for fields in struct literals where shorthands could be used"
|
2018-02-10 21:13:17 +01:00
|
|
|
}
|
|
|
|
|
|
|
|
pub struct RedundantFieldNames;
|
|
|
|
|
|
|
|
impl LintPass for RedundantFieldNames {
|
|
|
|
fn get_lints(&self) -> LintArray {
|
|
|
|
lint_array!(REDUNDANT_FIELD_NAMES)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl<'a, 'tcx> LateLintPass<'a, 'tcx> for RedundantFieldNames {
|
|
|
|
fn check_expr(&mut self, cx: &LateContext<'a, 'tcx>, expr: &'tcx Expr) {
|
2018-03-05 14:31:37 +09:00
|
|
|
if let ExprStruct(ref path, ref fields, _) = expr.node {
|
2018-02-10 21:13:17 +01:00
|
|
|
for field in fields {
|
|
|
|
let name = field.name.node;
|
|
|
|
|
2018-03-05 14:31:37 +09:00
|
|
|
if is_range_struct_field(path, &name) {
|
|
|
|
continue;
|
|
|
|
}
|
|
|
|
|
2018-02-11 10:50:19 +01:00
|
|
|
if match_var(&field.expr, name) && !field.is_shorthand {
|
|
|
|
span_lint_and_sugg (
|
|
|
|
cx,
|
|
|
|
REDUNDANT_FIELD_NAMES,
|
|
|
|
field.span,
|
|
|
|
"redundant field names in struct initialization",
|
|
|
|
"replace it with",
|
|
|
|
name.to_string()
|
|
|
|
);
|
2018-02-10 21:13:17 +01:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
2018-03-05 14:31:37 +09:00
|
|
|
|
|
|
|
/// ```rust
|
|
|
|
/// let start = 0;
|
|
|
|
/// let _ = start..;
|
|
|
|
///
|
|
|
|
/// let end = 0;
|
|
|
|
/// let _ = ..end;
|
|
|
|
///
|
|
|
|
/// let _ = start..end;
|
|
|
|
/// ```
|
|
|
|
fn is_range_struct_field(path: &QPath, name: &Name) -> bool {
|
|
|
|
match name.as_str().as_ref() {
|
|
|
|
"start" => {
|
|
|
|
match_qpath(path, &paths::RANGE_STD) || match_qpath(path, &paths::RANGE_FROM_STD)
|
|
|
|
|| match_qpath(path, &paths::RANGE_INCLUSIVE_STD)
|
|
|
|
},
|
|
|
|
"end" => {
|
|
|
|
match_qpath(path, &paths::RANGE_STD) || match_qpath(path, &paths::RANGE_TO_STD)
|
|
|
|
|| match_qpath(path, &paths::RANGE_INCLUSIVE_STD)
|
|
|
|
|| match_qpath(path, &paths::RANGE_TO_INCLUSIVE_STD)
|
|
|
|
},
|
|
|
|
_ => false,
|
|
|
|
}
|
|
|
|
}
|