|
| 1 | +use clippy_utils::diagnostics::span_lint_and_sugg; |
| 2 | +use clippy_utils::sugg::Sugg; |
| 3 | +use clippy_utils::ty::is_type_lang_item; |
| 4 | +use rustc_errors::Applicability; |
| 5 | +use rustc_hir::{Expr, ExprKind, LangItem}; |
| 6 | +use rustc_lint::{LateContext, LateLintPass}; |
| 7 | +use rustc_session::declare_lint_pass; |
| 8 | +use rustc_span::sym; |
| 9 | + |
| 10 | +declare_clippy_lint! { |
| 11 | + /// ### What it does |
| 12 | + /// It detects useless calls to `str::as_bytes()` before calling `len()` or `is_empty()`. |
| 13 | + /// |
| 14 | + /// ### Why is this bad? |
| 15 | + /// The `len()` and `is_empty()` methods are also directly available on strings, and they |
| 16 | + /// return identical results. In particular, `len()` on a string returns the number of |
| 17 | + /// bytes. |
| 18 | + /// |
| 19 | + /// ### Example |
| 20 | + /// ``` |
| 21 | + /// let len = "some string".as_bytes().len(); |
| 22 | + /// let b = "some string".as_bytes().is_empty(); |
| 23 | + /// ``` |
| 24 | + /// Use instead: |
| 25 | + /// ``` |
| 26 | + /// let len = "some string".len(); |
| 27 | + /// let b = "some string".is_empty(); |
| 28 | + /// ``` |
| 29 | + #[clippy::version = "1.83.0"] |
| 30 | + pub NEEDLESS_AS_BYTES, |
| 31 | + complexity, |
| 32 | + "detect useless calls to `as_bytes()`" |
| 33 | +} |
| 34 | + |
| 35 | +declare_lint_pass!(NeedlessAsBytes => [NEEDLESS_AS_BYTES]); |
| 36 | + |
| 37 | +impl LateLintPass<'_> for NeedlessAsBytes { |
| 38 | + fn check_expr(&mut self, cx: &LateContext<'_>, expr: &Expr<'_>) { |
| 39 | + if let ExprKind::MethodCall(method2, receiver2, &[], _) = expr.kind |
| 40 | + && cx.typeck_results().expr_ty_adjusted(receiver2).peel_refs().is_slice() |
| 41 | + && (method2.ident.name == sym::len || method2.ident.name.as_str() == "is_empty") |
| 42 | + && let ExprKind::MethodCall(method1, receiver1, &[], _) = receiver2.kind |
| 43 | + && let ty1 = cx.typeck_results().expr_ty_adjusted(receiver1).peel_refs() |
| 44 | + && (is_type_lang_item(cx, ty1, LangItem::String) || ty1.is_str()) |
| 45 | + && method1.ident.name.as_str() == "as_bytes" |
| 46 | + { |
| 47 | + let mut app = Applicability::MachineApplicable; |
| 48 | + let sugg = Sugg::hir_with_context(cx, receiver1, expr.span.ctxt(), "..", &mut app); |
| 49 | + span_lint_and_sugg( |
| 50 | + cx, |
| 51 | + NEEDLESS_AS_BYTES, |
| 52 | + expr.span, |
| 53 | + "needless call to `as_bytes()`", |
| 54 | + format!("`{}()` can be called directly on strings", method2.ident.name), |
| 55 | + format!("{sugg}.{}()", method2.ident.name), |
| 56 | + app, |
| 57 | + ); |
| 58 | + } |
| 59 | + } |
| 60 | +} |
0 commit comments