rust-clippy/clippy_lints/src/default_trait_access.rs

63 lines
2.5 KiB
Rust
Raw Normal View History

2018-07-19 08:00:54 +00:00
use if_chain::if_chain;
use rustc_errors::Applicability;
2020-02-21 08:39:38 +00:00
use rustc_hir::{Expr, ExprKind, QPath};
2020-01-12 06:08:41 +00:00
use rustc_lint::{LateContext, LateLintPass};
use rustc_middle::ty;
2020-01-11 11:37:08 +00:00
use rustc_session::{declare_lint_pass, declare_tool_lint};
2018-06-14 07:57:27 +00:00
2019-05-14 08:06:21 +00:00
use crate::utils::{any_parent_is_automatically_derived, match_def_path, paths, span_lint_and_sugg};
2018-06-14 07:57:27 +00:00
declare_clippy_lint! {
/// **What it does:** Checks for literal calls to `Default::default()`.
///
/// **Why is this bad?** It's more clear to the reader to use the name of the type whose default is
/// being gotten than the generic `Default`.
///
/// **Known problems:** None.
///
/// **Example:**
/// ```rust
/// // Bad
/// let s: String = Default::default();
///
/// // Good
/// let s = String::default();
/// ```
2018-06-14 07:57:27 +00:00
pub DEFAULT_TRAIT_ACCESS,
2018-06-25 18:39:48 +00:00
pedantic,
2020-01-06 06:30:43 +00:00
"checks for literal calls to `Default::default()`"
2018-06-14 07:57:27 +00:00
}
2019-04-08 20:43:55 +00:00
declare_lint_pass!(DefaultTraitAccess => [DEFAULT_TRAIT_ACCESS]);
2018-06-14 07:57:27 +00:00
impl<'tcx> LateLintPass<'tcx> for DefaultTraitAccess {
fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &'tcx Expr<'_>) {
2018-06-14 07:57:27 +00:00
if_chain! {
2019-09-27 15:16:06 +00:00
if let ExprKind::Call(ref path, ..) = expr.kind;
2019-02-24 18:43:15 +00:00
if !any_parent_is_automatically_derived(cx.tcx, expr.hir_id);
2019-09-27 15:16:06 +00:00
if let ExprKind::Path(ref qpath) = path.kind;
if let Some(def_id) = cx.qpath_res(qpath, path.hir_id).opt_def_id();
2019-05-17 21:53:54 +00:00
if match_def_path(cx, def_id, &paths::DEFAULT_TRAIT_METHOD);
// Detect and ignore <Foo as Default>::default() because these calls do explicitly name the type.
if let QPath::Resolved(None, _path) = qpath;
2018-11-27 20:49:09 +00:00
then {
let expr_ty = cx.typeck_results().expr_ty(expr);
2020-09-04 21:30:06 +00:00
if let ty::Adt(def, ..) = expr_ty.kind() {
// TODO: Work out a way to put "whatever the imported way of referencing
// this type in this file" rather than a fully-qualified type.
let replacement = format!("{}::default()", cx.tcx.def_path_str(def.did));
span_lint_and_sugg(
cx,
DEFAULT_TRAIT_ACCESS,
expr.span,
&format!("calling `{}` is more clear than this expression", replacement),
"try",
replacement,
Applicability::Unspecified, // First resolve the TODO above
);
2018-11-27 20:49:09 +00:00
}
}
2018-11-27 20:14:15 +00:00
}
2018-06-14 07:57:27 +00:00
}
}