]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/collapsible_match.rs
Auto merge of #8030 - WaffleLapkin:ignore_trait_assoc_types_type_complexity, r=llogiq
[rust.git] / clippy_lints / src / collapsible_match.rs
1 use clippy_utils::diagnostics::span_lint_and_then;
2 use clippy_utils::higher::IfLetOrMatch;
3 use clippy_utils::visitors::is_local_used;
4 use clippy_utils::{is_lang_ctor, is_unit_expr, path_to_local, peel_blocks_with_stmt, peel_ref_operators, SpanlessEq};
5 use if_chain::if_chain;
6 use rustc_hir::LangItem::OptionNone;
7 use rustc_hir::{Arm, Expr, Guard, HirId, Pat, PatKind};
8 use rustc_lint::{LateContext, LateLintPass};
9 use rustc_session::{declare_lint_pass, declare_tool_lint};
10 use rustc_span::{MultiSpan, Span};
11
12 declare_clippy_lint! {
13     /// ### What it does
14     /// Finds nested `match` or `if let` expressions where the patterns may be "collapsed" together
15     /// without adding any branches.
16     ///
17     /// Note that this lint is not intended to find _all_ cases where nested match patterns can be merged, but only
18     /// cases where merging would most likely make the code more readable.
19     ///
20     /// ### Why is this bad?
21     /// It is unnecessarily verbose and complex.
22     ///
23     /// ### Example
24     /// ```rust
25     /// fn func(opt: Option<Result<u64, String>>) {
26     ///     let n = match opt {
27     ///         Some(n) => match n {
28     ///             Ok(n) => n,
29     ///             _ => return,
30     ///         }
31     ///         None => return,
32     ///     };
33     /// }
34     /// ```
35     /// Use instead:
36     /// ```rust
37     /// fn func(opt: Option<Result<u64, String>>) {
38     ///     let n = match opt {
39     ///         Some(Ok(n)) => n,
40     ///         _ => return,
41     ///     };
42     /// }
43     /// ```
44     #[clippy::version = "1.50.0"]
45     pub COLLAPSIBLE_MATCH,
46     style,
47     "Nested `match` or `if let` expressions where the patterns may be \"collapsed\" together."
48 }
49
50 declare_lint_pass!(CollapsibleMatch => [COLLAPSIBLE_MATCH]);
51
52 impl<'tcx> LateLintPass<'tcx> for CollapsibleMatch {
53     fn check_expr(&mut self, cx: &LateContext<'tcx>, expr: &Expr<'tcx>) {
54         match IfLetOrMatch::parse(cx, expr) {
55             Some(IfLetOrMatch::Match(_, arms, _)) => {
56                 if let Some(els_arm) = arms.iter().rfind(|arm| arm_is_wild_like(cx, arm)) {
57                     for arm in arms {
58                         check_arm(cx, true, arm.pat, arm.body, arm.guard.as_ref(), Some(els_arm.body));
59                     }
60                 }
61             },
62             Some(IfLetOrMatch::IfLet(_, pat, body, els)) => {
63                 check_arm(cx, false, pat, body, None, els);
64             },
65             None => {},
66         }
67     }
68 }
69
70 fn check_arm<'tcx>(
71     cx: &LateContext<'tcx>,
72     outer_is_match: bool,
73     outer_pat: &'tcx Pat<'tcx>,
74     outer_then_body: &'tcx Expr<'tcx>,
75     outer_guard: Option<&'tcx Guard<'tcx>>,
76     outer_else_body: Option<&'tcx Expr<'tcx>>,
77 ) {
78     let inner_expr = peel_blocks_with_stmt(outer_then_body);
79     if_chain! {
80         if let Some(inner) = IfLetOrMatch::parse(cx, inner_expr);
81         if let Some((inner_scrutinee, inner_then_pat, inner_else_body)) = match inner {
82             IfLetOrMatch::IfLet(scrutinee, pat, _, els) => Some((scrutinee, pat, els)),
83             IfLetOrMatch::Match(scrutinee, arms, ..) => if_chain! {
84                 // if there are more than two arms, collapsing would be non-trivial
85                 if arms.len() == 2 && arms.iter().all(|a| a.guard.is_none());
86                 // one of the arms must be "wild-like"
87                 if let Some(wild_idx) = arms.iter().rposition(|a| arm_is_wild_like(cx, a));
88                 then {
89                     let (then, els) = (&arms[1 - wild_idx], &arms[wild_idx]);
90                     Some((scrutinee, then.pat, Some(els.body)))
91                 } else {
92                     None
93                 }
94             },
95         };
96         if outer_pat.span.ctxt() == inner_scrutinee.span.ctxt();
97         // match expression must be a local binding
98         // match <local> { .. }
99         if let Some(binding_id) = path_to_local(peel_ref_operators(cx, inner_scrutinee));
100         if !pat_contains_or(inner_then_pat);
101         // the binding must come from the pattern of the containing match arm
102         // ..<local>.. => match <local> { .. }
103         if let Some(binding_span) = find_pat_binding(outer_pat, binding_id);
104         // the "else" branches must be equal
105         if match (outer_else_body, inner_else_body) {
106             (None, None) => true,
107             (None, Some(e)) | (Some(e), None) => is_unit_expr(e),
108             (Some(a), Some(b)) => SpanlessEq::new(cx).eq_expr(a, b),
109         };
110         // the binding must not be used in the if guard
111         if outer_guard.map_or(true, |(Guard::If(e) | Guard::IfLet(_, e))| !is_local_used(cx, *e, binding_id));
112         // ...or anywhere in the inner expression
113         if match inner {
114             IfLetOrMatch::IfLet(_, _, body, els) => {
115                 !is_local_used(cx, body, binding_id) && els.map_or(true, |e| !is_local_used(cx, e, binding_id))
116             },
117             IfLetOrMatch::Match(_, arms, ..) => !arms.iter().any(|arm| is_local_used(cx, arm, binding_id)),
118         };
119         then {
120             let msg = format!(
121                 "this `{}` can be collapsed into the outer `{}`",
122                 if matches!(inner, IfLetOrMatch::Match(..)) { "match" } else { "if let" },
123                 if outer_is_match { "match" } else { "if let" },
124             );
125             span_lint_and_then(
126                 cx,
127                 COLLAPSIBLE_MATCH,
128                 inner_expr.span,
129                 &msg,
130                 |diag| {
131                     let mut help_span = MultiSpan::from_spans(vec![binding_span, inner_then_pat.span]);
132                     help_span.push_span_label(binding_span, "replace this binding".into());
133                     help_span.push_span_label(inner_then_pat.span, "with this pattern".into());
134                     diag.span_help(help_span, "the outer pattern can be modified to include the inner pattern");
135                 },
136             );
137         }
138     }
139 }
140
141 /// A "wild-like" arm has a wild (`_`) or `None` pattern and no guard. Such arms can be "collapsed"
142 /// into a single wild arm without any significant loss in semantics or readability.
143 fn arm_is_wild_like(cx: &LateContext<'_>, arm: &Arm<'_>) -> bool {
144     if arm.guard.is_some() {
145         return false;
146     }
147     match arm.pat.kind {
148         PatKind::Binding(..) | PatKind::Wild => true,
149         PatKind::Path(ref qpath) => is_lang_ctor(cx, qpath, OptionNone),
150         _ => false,
151     }
152 }
153
154 fn find_pat_binding(pat: &Pat<'_>, hir_id: HirId) -> Option<Span> {
155     let mut span = None;
156     pat.walk_short(|p| match &p.kind {
157         // ignore OR patterns
158         PatKind::Or(_) => false,
159         PatKind::Binding(_bm, _, _ident, _) => {
160             let found = p.hir_id == hir_id;
161             if found {
162                 span = Some(p.span);
163             }
164             !found
165         },
166         _ => true,
167     });
168     span
169 }
170
171 fn pat_contains_or(pat: &Pat<'_>) -> bool {
172     let mut result = false;
173     pat.walk(|p| {
174         let is_or = matches!(p.kind, PatKind::Or(_));
175         result |= is_or;
176         !is_or
177     });
178     result
179 }