2021-09-08 09:31:47 -05:00
|
|
|
use clippy_utils::diagnostics::span_lint_and_sugg;
|
|
|
|
use clippy_utils::source::snippet_opt;
|
|
|
|
use clippy_utils::ty::is_type_diagnostic_item;
|
|
|
|
use rustc_errors::Applicability;
|
|
|
|
use rustc_hir::{Expr, ExprKind};
|
|
|
|
use rustc_lint::{LateContext, LateLintPass};
|
|
|
|
use rustc_session::{declare_lint_pass, declare_tool_lint};
|
|
|
|
use rustc_span::symbol::sym;
|
|
|
|
|
|
|
|
declare_clippy_lint! {
|
|
|
|
/// ### What it does
|
|
|
|
/// Checks for no-op uses of Option::{as_deref,as_deref_mut},
|
|
|
|
/// for example, `Option<&T>::as_deref()` returns the same type.
|
|
|
|
///
|
|
|
|
/// ### Why is this bad?
|
|
|
|
/// Redundant code and improving readability.
|
|
|
|
///
|
|
|
|
/// ### Example
|
|
|
|
/// ```rust
|
|
|
|
/// let a = Some(&1);
|
|
|
|
/// let b = a.as_deref(); // goes from Option<&i32> to Option<&i32>
|
|
|
|
/// ```
|
|
|
|
/// Could be written as:
|
|
|
|
/// ```rust
|
|
|
|
/// let a = Some(&1);
|
|
|
|
/// let b = a;
|
|
|
|
/// ```
|
2021-12-06 05:33:31 -06:00
|
|
|
#[clippy::version = "1.57.0"]
|
2021-09-08 09:31:47 -05:00
|
|
|
pub NEEDLESS_OPTION_AS_DEREF,
|
|
|
|
complexity,
|
|
|
|
"no-op use of `deref` or `deref_mut` method to `Option`."
|
|
|
|
}
|
|
|
|
|
|
|
|
declare_lint_pass!(OptionNeedlessDeref=> [
|
|
|
|
NEEDLESS_OPTION_AS_DEREF,
|
|
|
|
]);
|
|
|
|
|
|
|
|
impl<'tcx> LateLintPass<'tcx> for OptionNeedlessDeref {
|
|
|
|
fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &'tcx Expr<'_>) {
|
2021-12-06 05:33:31 -06:00
|
|
|
if expr.span.from_expansion() {
|
2021-09-08 09:31:47 -05:00
|
|
|
return;
|
|
|
|
}
|
|
|
|
let typeck = cx.typeck_results();
|
|
|
|
let outer_ty = typeck.expr_ty(expr);
|
|
|
|
|
|
|
|
if_chain! {
|
2021-10-02 18:51:01 -05:00
|
|
|
if is_type_diagnostic_item(cx,outer_ty,sym::Option);
|
2021-12-01 11:17:50 -06:00
|
|
|
if let ExprKind::MethodCall(path, [sub_expr], _) = expr.kind;
|
2021-09-08 09:31:47 -05:00
|
|
|
let symbol = path.ident.as_str();
|
2021-12-14 23:13:11 -06:00
|
|
|
if symbol == "as_deref" || symbol == "as_deref_mut";
|
2022-01-25 01:42:52 -06:00
|
|
|
if outer_ty == typeck.expr_ty(sub_expr);
|
2021-09-08 09:31:47 -05:00
|
|
|
then{
|
|
|
|
span_lint_and_sugg(
|
|
|
|
cx,
|
|
|
|
NEEDLESS_OPTION_AS_DEREF,
|
|
|
|
expr.span,
|
|
|
|
"derefed type is same as origin",
|
|
|
|
"try this",
|
|
|
|
snippet_opt(cx,sub_expr.span).unwrap(),
|
|
|
|
Applicability::MachineApplicable
|
|
|
|
);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|