]> git.lizzy.rs Git - rust.git/blob - src/librustc_typeck/check/_match.rs
Update const_forget.rs
[rust.git] / src / librustc_typeck / check / _match.rs
1 use crate::check::coercion::CoerceMany;
2 use crate::check::{Diverges, Expectation, FnCtxt, Needs};
3 use rustc::ty::Ty;
4 use rustc_hir as hir;
5 use rustc_hir::ExprKind;
6 use rustc_infer::infer::type_variable::{TypeVariableOrigin, TypeVariableOriginKind};
7 use rustc_infer::traits::ObligationCauseCode;
8 use rustc_infer::traits::{IfExpressionCause, MatchExpressionArmCause, ObligationCause};
9 use rustc_span::Span;
10
11 impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
12     pub fn check_match(
13         &self,
14         expr: &'tcx hir::Expr<'tcx>,
15         scrut: &'tcx hir::Expr<'tcx>,
16         arms: &'tcx [hir::Arm<'tcx>],
17         expected: Expectation<'tcx>,
18         match_src: hir::MatchSource,
19     ) -> Ty<'tcx> {
20         let tcx = self.tcx;
21
22         use hir::MatchSource::*;
23         let (source_if, if_no_else, force_scrutinee_bool) = match match_src {
24             IfDesugar { contains_else_clause } => (true, !contains_else_clause, true),
25             IfLetDesugar { contains_else_clause } => (true, !contains_else_clause, false),
26             WhileDesugar => (false, false, true),
27             _ => (false, false, false),
28         };
29
30         // Type check the descriminant and get its type.
31         let scrut_ty = if force_scrutinee_bool {
32             // Here we want to ensure:
33             //
34             // 1. That default match bindings are *not* accepted in the condition of an
35             //    `if` expression. E.g. given `fn foo() -> &bool;` we reject `if foo() { .. }`.
36             //
37             // 2. By expecting `bool` for `expr` we get nice diagnostics for e.g. `if x = y { .. }`.
38             //
39             // FIXME(60707): Consider removing hack with principled solution.
40             self.check_expr_has_type_or_error(scrut, self.tcx.types.bool, |_| {})
41         } else {
42             self.demand_scrutinee_type(arms, scrut)
43         };
44
45         // If there are no arms, that is a diverging match; a special case.
46         if arms.is_empty() {
47             self.diverges.set(self.diverges.get() | Diverges::always(expr.span));
48             return tcx.types.never;
49         }
50
51         self.warn_arms_when_scrutinee_diverges(arms, match_src);
52
53         // Otherwise, we have to union together the types that the arms produce and so forth.
54         let scrut_diverges = self.diverges.replace(Diverges::Maybe);
55
56         // #55810: Type check patterns first so we get types for all bindings.
57         for arm in arms {
58             self.check_pat_top(&arm.pat, scrut_ty, Some(scrut.span), true);
59         }
60
61         // Now typecheck the blocks.
62         //
63         // The result of the match is the common supertype of all the
64         // arms. Start out the value as bottom, since it's the, well,
65         // bottom the type lattice, and we'll be moving up the lattice as
66         // we process each arm. (Note that any match with 0 arms is matching
67         // on any empty type and is therefore unreachable; should the flow
68         // of execution reach it, we will panic, so bottom is an appropriate
69         // type in that case)
70         let mut all_arms_diverge = Diverges::WarnedAlways;
71
72         let expected = expected.adjust_for_branches(self);
73
74         let mut coercion = {
75             let coerce_first = match expected {
76                 // We don't coerce to `()` so that if the match expression is a
77                 // statement it's branches can have any consistent type. That allows
78                 // us to give better error messages (pointing to a usually better
79                 // arm for inconsistent arms or to the whole match when a `()` type
80                 // is required).
81                 Expectation::ExpectHasType(ety) if ety != self.tcx.mk_unit() => ety,
82                 _ => self.next_ty_var(TypeVariableOrigin {
83                     kind: TypeVariableOriginKind::MiscVariable,
84                     span: expr.span,
85                 }),
86             };
87             CoerceMany::with_coercion_sites(coerce_first, arms)
88         };
89
90         let mut other_arms = vec![]; // Used only for diagnostics.
91         let mut prior_arm_ty = None;
92         for (i, arm) in arms.iter().enumerate() {
93             if let Some(g) = &arm.guard {
94                 self.diverges.set(Diverges::Maybe);
95                 match g {
96                     hir::Guard::If(e) => {
97                         self.check_expr_has_type_or_error(e, tcx.types.bool, |_| {})
98                     }
99                 };
100             }
101
102             self.diverges.set(Diverges::Maybe);
103             let arm_ty = if source_if
104                 && if_no_else
105                 && i != 0
106                 && self.if_fallback_coercion(expr.span, &arms[0].body, &mut coercion)
107             {
108                 tcx.types.err
109             } else {
110                 // Only call this if this is not an `if` expr with an expected type and no `else`
111                 // clause to avoid duplicated type errors. (#60254)
112                 self.check_expr_with_expectation(&arm.body, expected)
113             };
114             all_arms_diverge &= self.diverges.get();
115             if source_if {
116                 let then_expr = &arms[0].body;
117                 match (i, if_no_else) {
118                     (0, _) => coercion.coerce(self, &self.misc(expr.span), &arm.body, arm_ty),
119                     (_, true) => {} // Handled above to avoid duplicated type errors (#60254).
120                     (_, _) => {
121                         let then_ty = prior_arm_ty.unwrap();
122                         let cause = self.if_cause(expr.span, then_expr, &arm.body, then_ty, arm_ty);
123                         coercion.coerce(self, &cause, &arm.body, arm_ty);
124                     }
125                 }
126             } else {
127                 let arm_span = if let hir::ExprKind::Block(blk, _) = &arm.body.kind {
128                     // Point at the block expr instead of the entire block
129                     blk.expr.as_ref().map(|e| e.span).unwrap_or(arm.body.span)
130                 } else {
131                     arm.body.span
132                 };
133                 let (span, code) = match i {
134                     // The reason for the first arm to fail is not that the match arms diverge,
135                     // but rather that there's a prior obligation that doesn't hold.
136                     0 => (arm_span, ObligationCauseCode::BlockTailExpression(arm.body.hir_id)),
137                     _ => (
138                         expr.span,
139                         ObligationCauseCode::MatchExpressionArm(box MatchExpressionArmCause {
140                             arm_span,
141                             source: match_src,
142                             prior_arms: other_arms.clone(),
143                             last_ty: prior_arm_ty.unwrap(),
144                             scrut_hir_id: scrut.hir_id,
145                         }),
146                     ),
147                 };
148                 let cause = self.cause(span, code);
149                 coercion.coerce(self, &cause, &arm.body, arm_ty);
150                 other_arms.push(arm_span);
151                 if other_arms.len() > 5 {
152                     other_arms.remove(0);
153                 }
154             }
155             prior_arm_ty = Some(arm_ty);
156         }
157
158         // If all of the arms in the `match` diverge,
159         // and we're dealing with an actual `match` block
160         // (as opposed to a `match` desugared from something else'),
161         // we can emit a better note. Rather than pointing
162         // at a diverging expression in an arbitrary arm,
163         // we can point at the entire `match` expression
164         if let (Diverges::Always { .. }, hir::MatchSource::Normal) = (all_arms_diverge, match_src) {
165             all_arms_diverge = Diverges::Always {
166                 span: expr.span,
167                 custom_note: Some(
168                     "any code following this `match` expression is unreachable, as all arms diverge",
169                 ),
170             };
171         }
172
173         // We won't diverge unless the scrutinee or all arms diverge.
174         self.diverges.set(scrut_diverges | all_arms_diverge);
175
176         coercion.complete(self)
177     }
178
179     /// When the previously checked expression (the scrutinee) diverges,
180     /// warn the user about the match arms being unreachable.
181     fn warn_arms_when_scrutinee_diverges(
182         &self,
183         arms: &'tcx [hir::Arm<'tcx>],
184         source: hir::MatchSource,
185     ) {
186         use hir::MatchSource::*;
187         let msg = match source {
188             IfDesugar { .. } | IfLetDesugar { .. } => "block in `if` expression",
189             WhileDesugar { .. } | WhileLetDesugar { .. } => "block in `while` expression",
190             _ => "arm",
191         };
192         for arm in arms {
193             self.warn_if_unreachable(arm.body.hir_id, arm.body.span, msg);
194         }
195     }
196
197     /// Handle the fallback arm of a desugared if(-let) like a missing else.
198     ///
199     /// Returns `true` if there was an error forcing the coercion to the `()` type.
200     fn if_fallback_coercion(
201         &self,
202         span: Span,
203         then_expr: &'tcx hir::Expr<'tcx>,
204         coercion: &mut CoerceMany<'tcx, '_, rustc_hir::Arm<'tcx>>,
205     ) -> bool {
206         // If this `if` expr is the parent's function return expr,
207         // the cause of the type coercion is the return type, point at it. (#25228)
208         let ret_reason = self.maybe_get_coercion_reason(then_expr.hir_id, span);
209         let cause = self.cause(span, ObligationCauseCode::IfExpressionWithNoElse);
210         let mut error = false;
211         coercion.coerce_forced_unit(
212             self,
213             &cause,
214             &mut |err| {
215                 if let Some((span, msg)) = &ret_reason {
216                     err.span_label(*span, msg.as_str());
217                 } else if let ExprKind::Block(block, _) = &then_expr.kind {
218                     if let Some(expr) = &block.expr {
219                         err.span_label(expr.span, "found here".to_string());
220                     }
221                 }
222                 err.note("`if` expressions without `else` evaluate to `()`");
223                 err.help("consider adding an `else` block that evaluates to the expected type");
224                 error = true;
225             },
226             ret_reason.is_none(),
227         );
228         error
229     }
230
231     fn maybe_get_coercion_reason(&self, hir_id: hir::HirId, span: Span) -> Option<(Span, String)> {
232         use hir::Node::{Block, Item, Local};
233
234         let hir = self.tcx.hir();
235         let arm_id = hir.get_parent_node(hir_id);
236         let match_id = hir.get_parent_node(arm_id);
237         let containing_id = hir.get_parent_node(match_id);
238
239         let node = hir.get(containing_id);
240         if let Block(block) = node {
241             // check that the body's parent is an fn
242             let parent = hir.get(hir.get_parent_node(hir.get_parent_node(block.hir_id)));
243             if let (Some(expr), Item(hir::Item { kind: hir::ItemKind::Fn(..), .. })) =
244                 (&block.expr, parent)
245             {
246                 // check that the `if` expr without `else` is the fn body's expr
247                 if expr.span == span {
248                     return self.get_fn_decl(hir_id).map(|(fn_decl, _)| {
249                         (
250                             fn_decl.output.span(),
251                             format!("expected `{}` because of this return type", fn_decl.output),
252                         )
253                     });
254                 }
255             }
256         }
257         if let Local(hir::Local { ty: Some(_), pat, .. }) = node {
258             return Some((pat.span, "expected because of this assignment".to_string()));
259         }
260         None
261     }
262
263     fn if_cause(
264         &self,
265         span: Span,
266         then_expr: &'tcx hir::Expr<'tcx>,
267         else_expr: &'tcx hir::Expr<'tcx>,
268         then_ty: Ty<'tcx>,
269         else_ty: Ty<'tcx>,
270     ) -> ObligationCause<'tcx> {
271         let mut outer_sp = if self.tcx.sess.source_map().is_multiline(span) {
272             // The `if`/`else` isn't in one line in the output, include some context to make it
273             // clear it is an if/else expression:
274             // ```
275             // LL |      let x = if true {
276             //    | _____________-
277             // LL ||         10i32
278             //    ||         ----- expected because of this
279             // LL ||     } else {
280             // LL ||         10u32
281             //    ||         ^^^^^ expected `i32`, found `u32`
282             // LL ||     };
283             //    ||_____- `if` and `else` have incompatible types
284             // ```
285             Some(span)
286         } else {
287             // The entire expression is in one line, only point at the arms
288             // ```
289             // LL |     let x = if true { 10i32 } else { 10u32 };
290             //    |                       -----          ^^^^^ expected `i32`, found `u32`
291             //    |                       |
292             //    |                       expected because of this
293             // ```
294             None
295         };
296
297         let mut remove_semicolon = None;
298         let error_sp = if let ExprKind::Block(block, _) = &else_expr.kind {
299             if let Some(expr) = &block.expr {
300                 expr.span
301             } else if let Some(stmt) = block.stmts.last() {
302                 // possibly incorrect trailing `;` in the else arm
303                 remove_semicolon = self.could_remove_semicolon(block, then_ty);
304                 stmt.span
305             } else {
306                 // empty block; point at its entirety
307                 // Avoid overlapping spans that aren't as readable:
308                 // ```
309                 // 2 |        let x = if true {
310                 //   |   _____________-
311                 // 3 |  |         3
312                 //   |  |         - expected because of this
313                 // 4 |  |     } else {
314                 //   |  |____________^
315                 // 5 | ||
316                 // 6 | ||     };
317                 //   | ||     ^
318                 //   | ||_____|
319                 //   | |______if and else have incompatible types
320                 //   |        expected integer, found `()`
321                 // ```
322                 // by not pointing at the entire expression:
323                 // ```
324                 // 2 |       let x = if true {
325                 //   |               ------- `if` and `else` have incompatible types
326                 // 3 |           3
327                 //   |           - expected because of this
328                 // 4 |       } else {
329                 //   |  ____________^
330                 // 5 | |
331                 // 6 | |     };
332                 //   | |_____^ expected integer, found `()`
333                 // ```
334                 if outer_sp.is_some() {
335                     outer_sp = Some(self.tcx.sess.source_map().def_span(span));
336                 }
337                 else_expr.span
338             }
339         } else {
340             // shouldn't happen unless the parser has done something weird
341             else_expr.span
342         };
343
344         // Compute `Span` of `then` part of `if`-expression.
345         let then_sp = if let ExprKind::Block(block, _) = &then_expr.kind {
346             if let Some(expr) = &block.expr {
347                 expr.span
348             } else if let Some(stmt) = block.stmts.last() {
349                 // possibly incorrect trailing `;` in the else arm
350                 remove_semicolon = remove_semicolon.or(self.could_remove_semicolon(block, else_ty));
351                 stmt.span
352             } else {
353                 // empty block; point at its entirety
354                 outer_sp = None; // same as in `error_sp`; cleanup output
355                 then_expr.span
356             }
357         } else {
358             // shouldn't happen unless the parser has done something weird
359             then_expr.span
360         };
361
362         // Finally construct the cause:
363         self.cause(
364             error_sp,
365             ObligationCauseCode::IfExpression(box IfExpressionCause {
366                 then: then_sp,
367                 outer: outer_sp,
368                 semicolon: remove_semicolon,
369             }),
370         )
371     }
372
373     fn demand_scrutinee_type(
374         &self,
375         arms: &'tcx [hir::Arm<'tcx>],
376         scrut: &'tcx hir::Expr<'tcx>,
377     ) -> Ty<'tcx> {
378         // Not entirely obvious: if matches may create ref bindings, we want to
379         // use the *precise* type of the scrutinee, *not* some supertype, as
380         // the "scrutinee type" (issue #23116).
381         //
382         // arielb1 [writes here in this comment thread][c] that there
383         // is certainly *some* potential danger, e.g., for an example
384         // like:
385         //
386         // [c]: https://github.com/rust-lang/rust/pull/43399#discussion_r130223956
387         //
388         // ```
389         // let Foo(x) = f()[0];
390         // ```
391         //
392         // Then if the pattern matches by reference, we want to match
393         // `f()[0]` as a lexpr, so we can't allow it to be
394         // coerced. But if the pattern matches by value, `f()[0]` is
395         // still syntactically a lexpr, but we *do* want to allow
396         // coercions.
397         //
398         // However, *likely* we are ok with allowing coercions to
399         // happen if there are no explicit ref mut patterns - all
400         // implicit ref mut patterns must occur behind a reference, so
401         // they will have the "correct" variance and lifetime.
402         //
403         // This does mean that the following pattern would be legal:
404         //
405         // ```
406         // struct Foo(Bar);
407         // struct Bar(u32);
408         // impl Deref for Foo {
409         //     type Target = Bar;
410         //     fn deref(&self) -> &Bar { &self.0 }
411         // }
412         // impl DerefMut for Foo {
413         //     fn deref_mut(&mut self) -> &mut Bar { &mut self.0 }
414         // }
415         // fn foo(x: &mut Foo) {
416         //     {
417         //         let Bar(z): &mut Bar = x;
418         //         *z = 42;
419         //     }
420         //     assert_eq!(foo.0.0, 42);
421         // }
422         // ```
423         //
424         // FIXME(tschottdorf): don't call contains_explicit_ref_binding, which
425         // is problematic as the HIR is being scraped, but ref bindings may be
426         // implicit after #42640. We need to make sure that pat_adjustments
427         // (once introduced) is populated by the time we get here.
428         //
429         // See #44848.
430         let contains_ref_bindings = arms
431             .iter()
432             .filter_map(|a| a.pat.contains_explicit_ref_binding())
433             .max_by_key(|m| match *m {
434                 hir::Mutability::Mut => 1,
435                 hir::Mutability::Not => 0,
436             });
437
438         if let Some(m) = contains_ref_bindings {
439             self.check_expr_with_needs(scrut, Needs::maybe_mut_place(m))
440         } else {
441             // ...but otherwise we want to use any supertype of the
442             // scrutinee. This is sort of a workaround, see note (*) in
443             // `check_pat` for some details.
444             let scrut_ty = self.next_ty_var(TypeVariableOrigin {
445                 kind: TypeVariableOriginKind::TypeInference,
446                 span: scrut.span,
447             });
448             self.check_expr_has_type_or_error(scrut, scrut_ty, |_| {});
449             scrut_ty
450         }
451     }
452 }