]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/implicit_return.rs
Merge commit '4911ab124c481430672a3833b37075e6435ec34d' into clippyup
[rust.git] / clippy_lints / src / implicit_return.rs
1 use crate::utils::{fn_has_unsatisfiable_preds, match_panic_def_id, snippet_opt, span_lint_and_then};
2 use if_chain::if_chain;
3 use rustc_errors::Applicability;
4 use rustc_hir::intravisit::FnKind;
5 use rustc_hir::{Body, Expr, ExprKind, FnDecl, HirId, MatchSource, StmtKind};
6 use rustc_lint::{LateContext, LateLintPass};
7 use rustc_session::{declare_lint_pass, declare_tool_lint};
8 use rustc_span::source_map::Span;
9
10 declare_clippy_lint! {
11     /// **What it does:** Checks for missing return statements at the end of a block.
12     ///
13     /// **Why is this bad?** Actually omitting the return keyword is idiomatic Rust code. Programmers
14     /// coming from other languages might prefer the expressiveness of `return`. It's possible to miss
15     /// the last returning statement because the only difference is a missing `;`. Especially in bigger
16     /// code with multiple return paths having a `return` keyword makes it easier to find the
17     /// corresponding statements.
18     ///
19     /// **Known problems:** None.
20     ///
21     /// **Example:**
22     /// ```rust
23     /// fn foo(x: usize) -> usize {
24     ///     x
25     /// }
26     /// ```
27     /// add return
28     /// ```rust
29     /// fn foo(x: usize) -> usize {
30     ///     return x;
31     /// }
32     /// ```
33     pub IMPLICIT_RETURN,
34     restriction,
35     "use a return statement like `return expr` instead of an expression"
36 }
37
38 declare_lint_pass!(ImplicitReturn => [IMPLICIT_RETURN]);
39
40 static LINT_BREAK: &str = "change `break` to `return` as shown";
41 static LINT_RETURN: &str = "add `return` as shown";
42
43 fn lint(cx: &LateContext<'_>, outer_span: Span, inner_span: Span, msg: &str) {
44     let outer_span = outer_span.source_callsite();
45     let inner_span = inner_span.source_callsite();
46
47     span_lint_and_then(cx, IMPLICIT_RETURN, outer_span, "missing `return` statement", |diag| {
48         if let Some(snippet) = snippet_opt(cx, inner_span) {
49             diag.span_suggestion(
50                 outer_span,
51                 msg,
52                 format!("return {}", snippet),
53                 Applicability::MachineApplicable,
54             );
55         }
56     });
57 }
58
59 fn expr_match(cx: &LateContext<'_>, expr: &Expr<'_>) {
60     match expr.kind {
61         // loops could be using `break` instead of `return`
62         ExprKind::Block(block, ..) | ExprKind::Loop(block, ..) => {
63             if let Some(expr) = &block.expr {
64                 expr_match(cx, expr);
65             }
66             // only needed in the case of `break` with `;` at the end
67             else if let Some(stmt) = block.stmts.last() {
68                 if_chain! {
69                     if let StmtKind::Semi(expr, ..) = &stmt.kind;
70                     // make sure it's a break, otherwise we want to skip
71                     if let ExprKind::Break(.., Some(break_expr)) = &expr.kind;
72                     then {
73                             lint(cx, expr.span, break_expr.span, LINT_BREAK);
74                     }
75                 }
76             }
77         },
78         // use `return` instead of `break`
79         ExprKind::Break(.., break_expr) => {
80             if let Some(break_expr) = break_expr {
81                 lint(cx, expr.span, break_expr.span, LINT_BREAK);
82             }
83         },
84         ExprKind::Match(.., arms, source) => {
85             let check_all_arms = match source {
86                 MatchSource::IfLetDesugar {
87                     contains_else_clause: has_else,
88                 } => has_else,
89                 _ => true,
90             };
91
92             if check_all_arms {
93                 for arm in arms {
94                     expr_match(cx, &arm.body);
95                 }
96             } else {
97                 expr_match(cx, &arms.first().expect("`if let` doesn't have a single arm").body);
98             }
99         },
100         // skip if it already has a return statement
101         ExprKind::Ret(..) => (),
102         // make sure it's not a call that panics
103         ExprKind::Call(expr, ..) => {
104             if_chain! {
105                 if let ExprKind::Path(qpath) = &expr.kind;
106                 if let Some(path_def_id) = cx.qpath_res(qpath, expr.hir_id).opt_def_id();
107                 if match_panic_def_id(cx, path_def_id);
108                 then { }
109                 else {
110                     lint(cx, expr.span, expr.span, LINT_RETURN)
111                 }
112             }
113         },
114         // everything else is missing `return`
115         _ => lint(cx, expr.span, expr.span, LINT_RETURN),
116     }
117 }
118
119 impl<'tcx> LateLintPass<'tcx> for ImplicitReturn {
120     fn check_fn(
121         &mut self,
122         cx: &LateContext<'tcx>,
123         _: FnKind<'tcx>,
124         _: &'tcx FnDecl<'_>,
125         body: &'tcx Body<'_>,
126         span: Span,
127         _: HirId,
128     ) {
129         let def_id = cx.tcx.hir().body_owner_def_id(body.id());
130
131         // Building MIR for `fn`s with unsatisfiable preds results in ICE.
132         if fn_has_unsatisfiable_preds(cx, def_id.to_def_id()) {
133             return;
134         }
135
136         let mir = cx.tcx.optimized_mir(def_id.to_def_id());
137
138         // checking return type through MIR, HIR is not able to determine inferred closure return types
139         // make sure it's not a macro
140         if !mir.return_ty().is_unit() && !span.from_expansion() {
141             expr_match(cx, &body.value);
142         }
143     }
144 }