]> git.lizzy.rs Git - rust.git/blob - src/librustc_typeck/check/coercion.rs
Rollup merge of #48080 - GuillaumeGomez:mobile-docs-fixes, r=QuietMisdreavus
[rust.git] / src / librustc_typeck / check / coercion.rs
1 // Copyright 2012 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 //! # Type Coercion
12 //!
13 //! Under certain circumstances we will coerce from one type to another,
14 //! for example by auto-borrowing.  This occurs in situations where the
15 //! compiler has a firm 'expected type' that was supplied from the user,
16 //! and where the actual type is similar to that expected type in purpose
17 //! but not in representation (so actual subtyping is inappropriate).
18 //!
19 //! ## Reborrowing
20 //!
21 //! Note that if we are expecting a reference, we will *reborrow*
22 //! even if the argument provided was already a reference.  This is
23 //! useful for freezing mut/const things (that is, when the expected is &T
24 //! but you have &const T or &mut T) and also for avoiding the linearity
25 //! of mut things (when the expected is &mut T and you have &mut T).  See
26 //! the various `src/test/run-pass/coerce-reborrow-*.rs` tests for
27 //! examples of where this is useful.
28 //!
29 //! ## Subtle note
30 //!
31 //! When deciding what type coercions to consider, we do not attempt to
32 //! resolve any type variables we may encounter.  This is because `b`
33 //! represents the expected type "as the user wrote it", meaning that if
34 //! the user defined a generic function like
35 //!
36 //!    fn foo<A>(a: A, b: A) { ... }
37 //!
38 //! and then we wrote `foo(&1, @2)`, we will not auto-borrow
39 //! either argument.  In older code we went to some lengths to
40 //! resolve the `b` variable, which could mean that we'd
41 //! auto-borrow later arguments but not earlier ones, which
42 //! seems very confusing.
43 //!
44 //! ## Subtler note
45 //!
46 //! However, right now, if the user manually specifies the
47 //! values for the type variables, as so:
48 //!
49 //!    foo::<&int>(@1, @2)
50 //!
51 //! then we *will* auto-borrow, because we can't distinguish this from a
52 //! function that declared `&int`.  This is inconsistent but it's easiest
53 //! at the moment. The right thing to do, I think, is to consider the
54 //! *unsubstituted* type when deciding whether to auto-borrow, but the
55 //! *substituted* type when considering the bounds and so forth. But most
56 //! of our methods don't give access to the unsubstituted type, and
57 //! rightly so because they'd be error-prone.  So maybe the thing to do is
58 //! to actually determine the kind of coercions that should occur
59 //! separately and pass them in.  Or maybe it's ok as is.  Anyway, it's
60 //! sort of a minor point so I've opted to leave it for later---after all
61 //! we may want to adjust precisely when coercions occur.
62
63 use check::{Diverges, FnCtxt, Needs};
64
65 use rustc::hir;
66 use rustc::hir::def_id::DefId;
67 use rustc::infer::{Coercion, InferResult, InferOk};
68 use rustc::infer::type_variable::TypeVariableOrigin;
69 use rustc::lint;
70 use rustc::traits::{self, ObligationCause, ObligationCauseCode};
71 use rustc::ty::adjustment::{Adjustment, Adjust, AutoBorrow, AutoBorrowMutability};
72 use rustc::ty::{self, TypeAndMut, Ty, ClosureSubsts};
73 use rustc::ty::fold::TypeFoldable;
74 use rustc::ty::error::TypeError;
75 use rustc::ty::relate::RelateResult;
76 use errors::DiagnosticBuilder;
77 use syntax::feature_gate;
78 use syntax::ptr::P;
79 use syntax_pos;
80
81 use std::collections::VecDeque;
82 use std::ops::Deref;
83
84 struct Coerce<'a, 'gcx: 'a + 'tcx, 'tcx: 'a> {
85     fcx: &'a FnCtxt<'a, 'gcx, 'tcx>,
86     cause: ObligationCause<'tcx>,
87     use_lub: bool,
88 }
89
90 impl<'a, 'gcx, 'tcx> Deref for Coerce<'a, 'gcx, 'tcx> {
91     type Target = FnCtxt<'a, 'gcx, 'tcx>;
92     fn deref(&self) -> &Self::Target {
93         &self.fcx
94     }
95 }
96
97 type CoerceResult<'tcx> = InferResult<'tcx, (Vec<Adjustment<'tcx>>, Ty<'tcx>)>;
98
99 fn coerce_mutbls<'tcx>(from_mutbl: hir::Mutability,
100                        to_mutbl: hir::Mutability)
101                        -> RelateResult<'tcx, ()> {
102     match (from_mutbl, to_mutbl) {
103         (hir::MutMutable, hir::MutMutable) |
104         (hir::MutImmutable, hir::MutImmutable) |
105         (hir::MutMutable, hir::MutImmutable) => Ok(()),
106         (hir::MutImmutable, hir::MutMutable) => Err(TypeError::Mutability),
107     }
108 }
109
110 fn identity(_: Ty) -> Vec<Adjustment> { vec![] }
111
112 fn simple<'tcx>(kind: Adjust<'tcx>) -> impl FnOnce(Ty<'tcx>) -> Vec<Adjustment<'tcx>> {
113     move |target| vec![Adjustment { kind, target }]
114 }
115
116 fn success<'tcx>(adj: Vec<Adjustment<'tcx>>,
117                  target: Ty<'tcx>,
118                  obligations: traits::PredicateObligations<'tcx>)
119                  -> CoerceResult<'tcx> {
120     Ok(InferOk {
121         value: (adj, target),
122         obligations
123     })
124 }
125
126 impl<'f, 'gcx, 'tcx> Coerce<'f, 'gcx, 'tcx> {
127     fn new(fcx: &'f FnCtxt<'f, 'gcx, 'tcx>, cause: ObligationCause<'tcx>) -> Self {
128         Coerce {
129             fcx,
130             cause,
131             use_lub: false,
132         }
133     }
134
135     fn unify(&self, a: Ty<'tcx>, b: Ty<'tcx>) -> InferResult<'tcx, Ty<'tcx>> {
136         self.commit_if_ok(|_| {
137             if self.use_lub {
138                 self.at(&self.cause, self.fcx.param_env)
139                     .lub(b, a)
140             } else {
141                 self.at(&self.cause, self.fcx.param_env)
142                     .sup(b, a)
143                     .map(|InferOk { value: (), obligations }| InferOk { value: a, obligations })
144             }
145         })
146     }
147
148     /// Unify two types (using sub or lub) and produce a specific coercion.
149     fn unify_and<F>(&self, a: Ty<'tcx>, b: Ty<'tcx>, f: F)
150                     -> CoerceResult<'tcx>
151         where F: FnOnce(Ty<'tcx>) -> Vec<Adjustment<'tcx>>
152     {
153         self.unify(&a, &b).and_then(|InferOk { value: ty, obligations }| {
154             success(f(ty), ty, obligations)
155         })
156     }
157
158     fn coerce(&self, a: Ty<'tcx>, b: Ty<'tcx>) -> CoerceResult<'tcx> {
159         let a = self.shallow_resolve(a);
160         debug!("Coerce.tys({:?} => {:?})", a, b);
161
162         // Just ignore error types.
163         if a.references_error() || b.references_error() {
164             return success(vec![], b, vec![]);
165         }
166
167         if a.is_never() {
168             // Subtle: If we are coercing from `!` to `?T`, where `?T` is an unbound
169             // type variable, we want `?T` to fallback to `!` if not
170             // otherwise constrained. An example where this arises:
171             //
172             //     let _: Option<?T> = Some({ return; });
173             //
174             // here, we would coerce from `!` to `?T`.
175             let b = self.shallow_resolve(b);
176             return if self.shallow_resolve(b).is_ty_var() {
177                 // micro-optimization: no need for this if `b` is
178                 // already resolved in some way.
179                 let diverging_ty = self.next_diverging_ty_var(
180                     TypeVariableOrigin::AdjustmentType(self.cause.span));
181                 self.unify_and(&b, &diverging_ty, simple(Adjust::NeverToAny))
182             } else {
183                 success(simple(Adjust::NeverToAny)(b), b, vec![])
184             };
185         }
186
187         // Consider coercing the subtype to a DST
188         //
189         // NOTE: this is wrapped in a `commit_if_ok` because it creates
190         // a "spurious" type variable, and we don't want to have that
191         // type variable in memory if the coercion fails.
192         let unsize = self.commit_if_ok(|_| self.coerce_unsized(a, b));
193         if unsize.is_ok() {
194             debug!("coerce: unsize successful");
195             return unsize;
196         }
197         debug!("coerce: unsize failed");
198
199         // Examine the supertype and consider auto-borrowing.
200         //
201         // Note: does not attempt to resolve type variables we encounter.
202         // See above for details.
203         match b.sty {
204             ty::TyRawPtr(mt_b) => {
205                 return self.coerce_unsafe_ptr(a, b, mt_b.mutbl);
206             }
207
208             ty::TyRef(r_b, mt_b) => {
209                 return self.coerce_borrowed_pointer(a, b, r_b, mt_b);
210             }
211
212             _ => {}
213         }
214
215         match a.sty {
216             ty::TyFnDef(..) => {
217                 // Function items are coercible to any closure
218                 // type; function pointers are not (that would
219                 // require double indirection).
220                 // Additionally, we permit coercion of function
221                 // items to drop the unsafe qualifier.
222                 self.coerce_from_fn_item(a, b)
223             }
224             ty::TyFnPtr(a_f) => {
225                 // We permit coercion of fn pointers to drop the
226                 // unsafe qualifier.
227                 self.coerce_from_fn_pointer(a, a_f, b)
228             }
229             ty::TyClosure(def_id_a, substs_a) => {
230                 // Non-capturing closures are coercible to
231                 // function pointers
232                 self.coerce_closure_to_fn(a, def_id_a, substs_a, b)
233             }
234             _ => {
235                 // Otherwise, just use unification rules.
236                 self.unify_and(a, b, identity)
237             }
238         }
239     }
240
241     /// Reborrows `&mut A` to `&mut B` and `&(mut) A` to `&B`.
242     /// To match `A` with `B`, autoderef will be performed,
243     /// calling `deref`/`deref_mut` where necessary.
244     fn coerce_borrowed_pointer(&self,
245                                a: Ty<'tcx>,
246                                b: Ty<'tcx>,
247                                r_b: ty::Region<'tcx>,
248                                mt_b: TypeAndMut<'tcx>)
249                                -> CoerceResult<'tcx> {
250
251         debug!("coerce_borrowed_pointer(a={:?}, b={:?})", a, b);
252
253         // If we have a parameter of type `&M T_a` and the value
254         // provided is `expr`, we will be adding an implicit borrow,
255         // meaning that we convert `f(expr)` to `f(&M *expr)`.  Therefore,
256         // to type check, we will construct the type that `&M*expr` would
257         // yield.
258
259         let (r_a, mt_a) = match a.sty {
260             ty::TyRef(r_a, mt_a) => {
261                 coerce_mutbls(mt_a.mutbl, mt_b.mutbl)?;
262                 (r_a, mt_a)
263             }
264             _ => return self.unify_and(a, b, identity),
265         };
266
267         let span = self.cause.span;
268
269         let mut first_error = None;
270         let mut r_borrow_var = None;
271         let mut autoderef = self.autoderef(span, a);
272         let mut found = None;
273
274         for (referent_ty, autoderefs) in autoderef.by_ref() {
275             if autoderefs == 0 {
276                 // Don't let this pass, otherwise it would cause
277                 // &T to autoref to &&T.
278                 continue;
279             }
280
281             // At this point, we have deref'd `a` to `referent_ty`.  So
282             // imagine we are coercing from `&'a mut Vec<T>` to `&'b mut [T]`.
283             // In the autoderef loop for `&'a mut Vec<T>`, we would get
284             // three callbacks:
285             //
286             // - `&'a mut Vec<T>` -- 0 derefs, just ignore it
287             // - `Vec<T>` -- 1 deref
288             // - `[T]` -- 2 deref
289             //
290             // At each point after the first callback, we want to
291             // check to see whether this would match out target type
292             // (`&'b mut [T]`) if we autoref'd it. We can't just
293             // compare the referent types, though, because we still
294             // have to consider the mutability. E.g., in the case
295             // we've been considering, we have an `&mut` reference, so
296             // the `T` in `[T]` needs to be unified with equality.
297             //
298             // Therefore, we construct reference types reflecting what
299             // the types will be after we do the final auto-ref and
300             // compare those. Note that this means we use the target
301             // mutability [1], since it may be that we are coercing
302             // from `&mut T` to `&U`.
303             //
304             // One fine point concerns the region that we use. We
305             // choose the region such that the region of the final
306             // type that results from `unify` will be the region we
307             // want for the autoref:
308             //
309             // - if in sub mode, that means we want to use `'b` (the
310             //   region from the target reference) for both
311             //   pointers [2]. This is because sub mode (somewhat
312             //   arbitrarily) returns the subtype region.  In the case
313             //   where we are coercing to a target type, we know we
314             //   want to use that target type region (`'b`) because --
315             //   for the program to type-check -- it must be the
316             //   smaller of the two.
317             //   - One fine point. It may be surprising that we can
318             //     use `'b` without relating `'a` and `'b`. The reason
319             //     that this is ok is that what we produce is
320             //     effectively a `&'b *x` expression (if you could
321             //     annotate the region of a borrow), and regionck has
322             //     code that adds edges from the region of a borrow
323             //     (`'b`, here) into the regions in the borrowed
324             //     expression (`*x`, here).  (Search for "link".)
325             // - if in lub mode, things can get fairly complicated. The
326             //   easiest thing is just to make a fresh
327             //   region variable [4], which effectively means we defer
328             //   the decision to region inference (and regionck, which will add
329             //   some more edges to this variable). However, this can wind up
330             //   creating a crippling number of variables in some cases --
331             //   e.g. #32278 -- so we optimize one particular case [3].
332             //   Let me try to explain with some examples:
333             //   - The "running example" above represents the simple case,
334             //     where we have one `&` reference at the outer level and
335             //     ownership all the rest of the way down. In this case,
336             //     we want `LUB('a, 'b)` as the resulting region.
337             //   - However, if there are nested borrows, that region is
338             //     too strong. Consider a coercion from `&'a &'x Rc<T>` to
339             //     `&'b T`. In this case, `'a` is actually irrelevant.
340             //     The pointer we want is `LUB('x, 'b`). If we choose `LUB('a,'b)`
341             //     we get spurious errors (`run-pass/regions-lub-ref-ref-rc.rs`).
342             //     (The errors actually show up in borrowck, typically, because
343             //     this extra edge causes the region `'a` to be inferred to something
344             //     too big, which then results in borrowck errors.)
345             //   - We could track the innermost shared reference, but there is already
346             //     code in regionck that has the job of creating links between
347             //     the region of a borrow and the regions in the thing being
348             //     borrowed (here, `'a` and `'x`), and it knows how to handle
349             //     all the various cases. So instead we just make a region variable
350             //     and let regionck figure it out.
351             let r = if !self.use_lub {
352                 r_b // [2] above
353             } else if autoderefs == 1 {
354                 r_a // [3] above
355             } else {
356                 if r_borrow_var.is_none() {
357                     // create var lazilly, at most once
358                     let coercion = Coercion(span);
359                     let r = self.next_region_var(coercion);
360                     r_borrow_var = Some(r); // [4] above
361                 }
362                 r_borrow_var.unwrap()
363             };
364             let derefd_ty_a = self.tcx.mk_ref(r,
365                                               TypeAndMut {
366                                                   ty: referent_ty,
367                                                   mutbl: mt_b.mutbl, // [1] above
368                                               });
369             match self.unify(derefd_ty_a, b) {
370                 Ok(ok) => {
371                     found = Some(ok);
372                     break;
373                 }
374                 Err(err) => {
375                     if first_error.is_none() {
376                         first_error = Some(err);
377                     }
378                 }
379             }
380         }
381
382         // Extract type or return an error. We return the first error
383         // we got, which should be from relating the "base" type
384         // (e.g., in example above, the failure from relating `Vec<T>`
385         // to the target type), since that should be the least
386         // confusing.
387         let InferOk { value: ty, mut obligations } = match found {
388             Some(d) => d,
389             None => {
390                 let err = first_error.expect("coerce_borrowed_pointer had no error");
391                 debug!("coerce_borrowed_pointer: failed with err = {:?}", err);
392                 return Err(err);
393             }
394         };
395
396         if ty == a && mt_a.mutbl == hir::MutImmutable && autoderef.step_count() == 1 {
397             // As a special case, if we would produce `&'a *x`, that's
398             // a total no-op. We end up with the type `&'a T` just as
399             // we started with.  In that case, just skip it
400             // altogether. This is just an optimization.
401             //
402             // Note that for `&mut`, we DO want to reborrow --
403             // otherwise, this would be a move, which might be an
404             // error. For example `foo(self.x)` where `self` and
405             // `self.x` both have `&mut `type would be a move of
406             // `self.x`, but we auto-coerce it to `foo(&mut *self.x)`,
407             // which is a borrow.
408             assert_eq!(mt_b.mutbl, hir::MutImmutable); // can only coerce &T -> &U
409             return success(vec![], ty, obligations);
410         }
411
412         let needs = Needs::maybe_mut_place(mt_b.mutbl);
413         let InferOk { value: mut adjustments, obligations: o }
414             = autoderef.adjust_steps_as_infer_ok(needs);
415         obligations.extend(o);
416         obligations.extend(autoderef.into_obligations());
417
418         // Now apply the autoref. We have to extract the region out of
419         // the final ref type we got.
420         let r_borrow = match ty.sty {
421             ty::TyRef(r_borrow, _) => r_borrow,
422             _ => span_bug!(span, "expected a ref type, got {:?}", ty),
423         };
424         let mutbl = match mt_b.mutbl {
425             hir::MutImmutable => AutoBorrowMutability::Immutable,
426             hir::MutMutable => AutoBorrowMutability::Mutable {
427                 // Deref-coercion is a case where we deliberately
428                 // disallow two-phase borrows in its initial
429                 // deployment; see discussion on PR #47489.
430                 allow_two_phase_borrow: false,
431             }
432         };
433         adjustments.push(Adjustment {
434             kind: Adjust::Borrow(AutoBorrow::Ref(r_borrow, mutbl)),
435             target: ty
436         });
437
438         debug!("coerce_borrowed_pointer: succeeded ty={:?} adjustments={:?}",
439                ty,
440                adjustments);
441
442         success(adjustments, ty, obligations)
443     }
444
445
446     // &[T; n] or &mut [T; n] -> &[T]
447     // or &mut [T; n] -> &mut [T]
448     // or &Concrete -> &Trait, etc.
449     fn coerce_unsized(&self, source: Ty<'tcx>, target: Ty<'tcx>) -> CoerceResult<'tcx> {
450         debug!("coerce_unsized(source={:?}, target={:?})", source, target);
451
452         let traits = (self.tcx.lang_items().unsize_trait(),
453                       self.tcx.lang_items().coerce_unsized_trait());
454         let (unsize_did, coerce_unsized_did) = if let (Some(u), Some(cu)) = traits {
455             (u, cu)
456         } else {
457             debug!("Missing Unsize or CoerceUnsized traits");
458             return Err(TypeError::Mismatch);
459         };
460
461         // Note, we want to avoid unnecessary unsizing. We don't want to coerce to
462         // a DST unless we have to. This currently comes out in the wash since
463         // we can't unify [T] with U. But to properly support DST, we need to allow
464         // that, at which point we will need extra checks on the target here.
465
466         // Handle reborrows before selecting `Source: CoerceUnsized<Target>`.
467         let reborrow = match (&source.sty, &target.sty) {
468             (&ty::TyRef(_, mt_a), &ty::TyRef(_, mt_b)) => {
469                 coerce_mutbls(mt_a.mutbl, mt_b.mutbl)?;
470
471                 let coercion = Coercion(self.cause.span);
472                 let r_borrow = self.next_region_var(coercion);
473                 let mutbl = match mt_b.mutbl {
474                     hir::MutImmutable => AutoBorrowMutability::Immutable,
475                     hir::MutMutable => AutoBorrowMutability::Mutable {
476                         allow_two_phase_borrow: false,
477                     }
478                 };
479                 Some((Adjustment {
480                     kind: Adjust::Deref(None),
481                     target: mt_a.ty
482                 }, Adjustment {
483                     kind: Adjust::Borrow(AutoBorrow::Ref(r_borrow, mutbl)),
484                     target:  self.tcx.mk_ref(r_borrow, ty::TypeAndMut {
485                         mutbl: mt_b.mutbl,
486                         ty: mt_a.ty
487                     })
488                 }))
489             }
490             (&ty::TyRef(_, mt_a), &ty::TyRawPtr(mt_b)) => {
491                 coerce_mutbls(mt_a.mutbl, mt_b.mutbl)?;
492
493                 Some((Adjustment {
494                     kind: Adjust::Deref(None),
495                     target: mt_a.ty
496                 }, Adjustment {
497                     kind: Adjust::Borrow(AutoBorrow::RawPtr(mt_b.mutbl)),
498                     target:  self.tcx.mk_ptr(ty::TypeAndMut {
499                         mutbl: mt_b.mutbl,
500                         ty: mt_a.ty
501                     })
502                 }))
503             }
504             _ => None,
505         };
506         let coerce_source = reborrow.as_ref().map_or(source, |&(_, ref r)| r.target);
507
508         // Setup either a subtyping or a LUB relationship between
509         // the `CoerceUnsized` target type and the expected type.
510         // We only have the latter, so we use an inference variable
511         // for the former and let type inference do the rest.
512         let origin = TypeVariableOrigin::MiscVariable(self.cause.span);
513         let coerce_target = self.next_ty_var(origin);
514         let mut coercion = self.unify_and(coerce_target, target, |target| {
515             let unsize = Adjustment {
516                 kind: Adjust::Unsize,
517                 target
518             };
519             match reborrow {
520                 None => vec![unsize],
521                 Some((ref deref, ref autoref)) => {
522                     vec![deref.clone(), autoref.clone(), unsize]
523                 }
524             }
525         })?;
526
527         let mut selcx = traits::SelectionContext::new(self);
528
529         // Use a FIFO queue for this custom fulfillment procedure.
530         let mut queue = VecDeque::new();
531
532         // Create an obligation for `Source: CoerceUnsized<Target>`.
533         let cause = ObligationCause::misc(self.cause.span, self.body_id);
534         queue.push_back(self.tcx.predicate_for_trait_def(self.fcx.param_env,
535                                                          cause,
536                                                          coerce_unsized_did,
537                                                          0,
538                                                          coerce_source,
539                                                          &[coerce_target]));
540
541         let mut has_unsized_tuple_coercion = false;
542
543         // Keep resolving `CoerceUnsized` and `Unsize` predicates to avoid
544         // emitting a coercion in cases like `Foo<$1>` -> `Foo<$2>`, where
545         // inference might unify those two inner type variables later.
546         let traits = [coerce_unsized_did, unsize_did];
547         while let Some(obligation) = queue.pop_front() {
548             debug!("coerce_unsized resolve step: {:?}", obligation);
549             let trait_ref = match obligation.predicate {
550                 ty::Predicate::Trait(ref tr) if traits.contains(&tr.def_id()) => {
551                     if unsize_did == tr.def_id() {
552                         if let ty::TyTuple(..) = tr.0.input_types().nth(1).unwrap().sty {
553                             debug!("coerce_unsized: found unsized tuple coercion");
554                             has_unsized_tuple_coercion = true;
555                         }
556                     }
557                     tr.clone()
558                 }
559                 _ => {
560                     coercion.obligations.push(obligation);
561                     continue;
562                 }
563             };
564             match selcx.select(&obligation.with(trait_ref)) {
565                 // Uncertain or unimplemented.
566                 Ok(None) |
567                 Err(traits::Unimplemented) => {
568                     debug!("coerce_unsized: early return - can't prove obligation");
569                     return Err(TypeError::Mismatch);
570                 }
571
572                 // Object safety violations or miscellaneous.
573                 Err(err) => {
574                     self.report_selection_error(&obligation, &err);
575                     // Treat this like an obligation and follow through
576                     // with the unsizing - the lack of a coercion should
577                     // be silent, as it causes a type mismatch later.
578                 }
579
580                 Ok(Some(vtable)) => {
581                     for obligation in vtable.nested_obligations() {
582                         queue.push_back(obligation);
583                     }
584                 }
585             }
586         }
587
588         if has_unsized_tuple_coercion && !self.tcx.sess.features.borrow().unsized_tuple_coercion {
589             feature_gate::emit_feature_err(&self.tcx.sess.parse_sess,
590                                            "unsized_tuple_coercion",
591                                            self.cause.span,
592                                            feature_gate::GateIssue::Language,
593                                            feature_gate::EXPLAIN_UNSIZED_TUPLE_COERCION);
594         }
595
596         Ok(coercion)
597     }
598
599     fn coerce_from_safe_fn<F, G>(&self,
600                                  a: Ty<'tcx>,
601                                  fn_ty_a: ty::PolyFnSig<'tcx>,
602                                  b: Ty<'tcx>,
603                                  to_unsafe: F,
604                                  normal: G)
605                                  -> CoerceResult<'tcx>
606         where F: FnOnce(Ty<'tcx>) -> Vec<Adjustment<'tcx>>,
607               G: FnOnce(Ty<'tcx>) -> Vec<Adjustment<'tcx>>
608     {
609         if let ty::TyFnPtr(fn_ty_b) = b.sty {
610             match (fn_ty_a.unsafety(), fn_ty_b.unsafety()) {
611                 (hir::Unsafety::Normal, hir::Unsafety::Unsafe) => {
612                     let unsafe_a = self.tcx.safe_to_unsafe_fn_ty(fn_ty_a);
613                     return self.unify_and(unsafe_a, b, to_unsafe);
614                 }
615                 _ => {}
616             }
617         }
618         self.unify_and(a, b, normal)
619     }
620
621     fn coerce_from_fn_pointer(&self,
622                               a: Ty<'tcx>,
623                               fn_ty_a: ty::PolyFnSig<'tcx>,
624                               b: Ty<'tcx>)
625                               -> CoerceResult<'tcx> {
626         //! Attempts to coerce from the type of a Rust function item
627         //! into a closure or a `proc`.
628         //!
629
630         let b = self.shallow_resolve(b);
631         debug!("coerce_from_fn_pointer(a={:?}, b={:?})", a, b);
632
633         self.coerce_from_safe_fn(a, fn_ty_a, b,
634             simple(Adjust::UnsafeFnPointer), identity)
635     }
636
637     fn coerce_from_fn_item(&self,
638                            a: Ty<'tcx>,
639                            b: Ty<'tcx>)
640                            -> CoerceResult<'tcx> {
641         //! Attempts to coerce from the type of a Rust function item
642         //! into a closure or a `proc`.
643         //!
644
645         let b = self.shallow_resolve(b);
646         debug!("coerce_from_fn_item(a={:?}, b={:?})", a, b);
647
648         match b.sty {
649             ty::TyFnPtr(_) => {
650                 let a_sig = a.fn_sig(self.tcx);
651                 let InferOk { value: a_sig, mut obligations } =
652                     self.normalize_associated_types_in_as_infer_ok(self.cause.span, &a_sig);
653
654                 let a_fn_pointer = self.tcx.mk_fn_ptr(a_sig);
655                 let InferOk { value, obligations: o2 } = self.coerce_from_safe_fn(
656                     a_fn_pointer,
657                     a_sig,
658                     b,
659                     |unsafe_ty| {
660                         vec![
661                             Adjustment { kind: Adjust::ReifyFnPointer, target: a_fn_pointer },
662                             Adjustment { kind: Adjust::UnsafeFnPointer, target: unsafe_ty },
663                         ]
664                     },
665                     simple(Adjust::ReifyFnPointer)
666                 )?;
667
668                 obligations.extend(o2);
669                 Ok(InferOk { value, obligations })
670             }
671             _ => self.unify_and(a, b, identity),
672         }
673     }
674
675     fn coerce_closure_to_fn(&self,
676                            a: Ty<'tcx>,
677                            def_id_a: DefId,
678                            substs_a: ClosureSubsts<'tcx>,
679                            b: Ty<'tcx>)
680                            -> CoerceResult<'tcx> {
681         //! Attempts to coerce from the type of a non-capturing closure
682         //! into a function pointer.
683         //!
684
685         let b = self.shallow_resolve(b);
686
687         let node_id_a = self.tcx.hir.as_local_node_id(def_id_a).unwrap();
688         match b.sty {
689             ty::TyFnPtr(_) if self.tcx.with_freevars(node_id_a, |v| v.is_empty()) => {
690                 // We coerce the closure, which has fn type
691                 //     `extern "rust-call" fn((arg0,arg1,...)) -> _`
692                 // to
693                 //     `fn(arg0,arg1,...) -> _`
694                 let sig = self.closure_sig(def_id_a, substs_a);
695                 let pointer_ty = self.tcx.coerce_closure_fn_ty(sig);
696                 debug!("coerce_closure_to_fn(a={:?}, b={:?}, pty={:?})",
697                        a, b, pointer_ty);
698                 self.unify_and(pointer_ty, b, simple(Adjust::ClosureFnPointer))
699             }
700             _ => self.unify_and(a, b, identity),
701         }
702     }
703
704     fn coerce_unsafe_ptr(&self,
705                          a: Ty<'tcx>,
706                          b: Ty<'tcx>,
707                          mutbl_b: hir::Mutability)
708                          -> CoerceResult<'tcx> {
709         debug!("coerce_unsafe_ptr(a={:?}, b={:?})", a, b);
710
711         let (is_ref, mt_a) = match a.sty {
712             ty::TyRef(_, mt) => (true, mt),
713             ty::TyRawPtr(mt) => (false, mt),
714             _ => {
715                 return self.unify_and(a, b, identity);
716             }
717         };
718
719         // Check that the types which they point at are compatible.
720         let a_unsafe = self.tcx.mk_ptr(ty::TypeAndMut {
721             mutbl: mutbl_b,
722             ty: mt_a.ty,
723         });
724         coerce_mutbls(mt_a.mutbl, mutbl_b)?;
725         // Although references and unsafe ptrs have the same
726         // representation, we still register an Adjust::DerefRef so that
727         // regionck knows that the region for `a` must be valid here.
728         if is_ref {
729             self.unify_and(a_unsafe, b, |target| {
730                 vec![Adjustment {
731                     kind: Adjust::Deref(None),
732                     target: mt_a.ty
733                 }, Adjustment {
734                     kind: Adjust::Borrow(AutoBorrow::RawPtr(mutbl_b)),
735                     target
736                 }]
737             })
738         } else if mt_a.mutbl != mutbl_b {
739             self.unify_and(a_unsafe, b, simple(Adjust::MutToConstPointer))
740         } else {
741             self.unify_and(a_unsafe, b, identity)
742         }
743     }
744 }
745
746 impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> {
747     /// Attempt to coerce an expression to a type, and return the
748     /// adjusted type of the expression, if successful.
749     /// Adjustments are only recorded if the coercion succeeded.
750     /// The expressions *must not* have any pre-existing adjustments.
751     pub fn try_coerce(&self,
752                       expr: &hir::Expr,
753                       expr_ty: Ty<'tcx>,
754                       expr_diverges: Diverges,
755                       target: Ty<'tcx>)
756                       -> RelateResult<'tcx, Ty<'tcx>> {
757         let source = self.resolve_type_vars_with_obligations(expr_ty);
758         debug!("coercion::try({:?}: {:?} -> {:?})", expr, source, target);
759
760         // Special-ish case: we can coerce any type `T` into the `!`
761         // type, but only if the source expression diverges.
762         if target.is_never() && expr_diverges.always() {
763             debug!("permit coercion to `!` because expr diverges");
764             if self.can_eq(self.param_env, source, target).is_err() {
765                 self.tcx.lint_node(
766                     lint::builtin::COERCE_NEVER,
767                     expr.id,
768                     expr.span,
769                     &format!("cannot coerce `{}` to !", source)
770                 );
771                 return Ok(target);
772             }
773         }
774
775         let cause = self.cause(expr.span, ObligationCauseCode::ExprAssignable);
776         let coerce = Coerce::new(self, cause);
777         let ok = self.commit_if_ok(|_| coerce.coerce(source, target))?;
778
779         let (adjustments, _) = self.register_infer_ok_obligations(ok);
780         self.apply_adjustments(expr, adjustments);
781         Ok(target)
782     }
783
784     /// Same as `try_coerce()`, but without side-effects.
785     pub fn can_coerce(&self, expr_ty: Ty<'tcx>, target: Ty<'tcx>) -> bool {
786         let source = self.resolve_type_vars_with_obligations(expr_ty);
787         debug!("coercion::can({:?} -> {:?})", source, target);
788
789         let cause = self.cause(syntax_pos::DUMMY_SP, ObligationCauseCode::ExprAssignable);
790         let coerce = Coerce::new(self, cause);
791         self.probe(|_| coerce.coerce(source, target)).is_ok()
792     }
793
794     /// Given some expressions, their known unified type and another expression,
795     /// tries to unify the types, potentially inserting coercions on any of the
796     /// provided expressions and returns their LUB (aka "common supertype").
797     ///
798     /// This is really an internal helper. From outside the coercion
799     /// module, you should instantiate a `CoerceMany` instance.
800     fn try_find_coercion_lub<E>(&self,
801                                 cause: &ObligationCause<'tcx>,
802                                 exprs: &[E],
803                                 prev_ty: Ty<'tcx>,
804                                 new: &hir::Expr,
805                                 new_ty: Ty<'tcx>,
806                                 new_diverges: Diverges)
807                                 -> RelateResult<'tcx, Ty<'tcx>>
808         where E: AsCoercionSite
809     {
810         let prev_ty = self.resolve_type_vars_with_obligations(prev_ty);
811         let new_ty = self.resolve_type_vars_with_obligations(new_ty);
812         debug!("coercion::try_find_coercion_lub({:?}, {:?})", prev_ty, new_ty);
813
814         // Special-ish case: we can coerce any type `T` into the `!`
815         // type, but only if the source expression diverges.
816         if prev_ty.is_never() && new_diverges.always() {
817             debug!("permit coercion to `!` because expr diverges");
818             return Ok(prev_ty);
819         }
820
821         // Special-case that coercion alone cannot handle:
822         // Two function item types of differing IDs or Substs.
823         if let (&ty::TyFnDef(..), &ty::TyFnDef(..)) = (&prev_ty.sty, &new_ty.sty) {
824             // Don't reify if the function types have a LUB, i.e. they
825             // are the same function and their parameters have a LUB.
826             let lub_ty = self.commit_if_ok(|_| {
827                 self.at(cause, self.param_env)
828                     .lub(prev_ty, new_ty)
829             }).map(|ok| self.register_infer_ok_obligations(ok));
830
831             if lub_ty.is_ok() {
832                 // We have a LUB of prev_ty and new_ty, just return it.
833                 return lub_ty;
834             }
835
836             // The signature must match.
837             let a_sig = prev_ty.fn_sig(self.tcx);
838             let a_sig = self.normalize_associated_types_in(new.span, &a_sig);
839             let b_sig = new_ty.fn_sig(self.tcx);
840             let b_sig = self.normalize_associated_types_in(new.span, &b_sig);
841             let sig = self.at(cause, self.param_env)
842                           .trace(prev_ty, new_ty)
843                           .lub(&a_sig, &b_sig)
844                           .map(|ok| self.register_infer_ok_obligations(ok))?;
845
846             // Reify both sides and return the reified fn pointer type.
847             let fn_ptr = self.tcx.mk_fn_ptr(sig);
848             for expr in exprs.iter().map(|e| e.as_coercion_site()).chain(Some(new)) {
849                 // The only adjustment that can produce an fn item is
850                 // `NeverToAny`, so this should always be valid.
851                 self.apply_adjustments(expr, vec![Adjustment {
852                     kind: Adjust::ReifyFnPointer,
853                     target: fn_ptr
854                 }]);
855             }
856             return Ok(fn_ptr);
857         }
858
859         let mut coerce = Coerce::new(self, cause.clone());
860         coerce.use_lub = true;
861
862         // First try to coerce the new expression to the type of the previous ones,
863         // but only if the new expression has no coercion already applied to it.
864         let mut first_error = None;
865         if !self.tables.borrow().adjustments().contains_key(new.hir_id) {
866             let result = self.commit_if_ok(|_| coerce.coerce(new_ty, prev_ty));
867             match result {
868                 Ok(ok) => {
869                     let (adjustments, target) = self.register_infer_ok_obligations(ok);
870                     self.apply_adjustments(new, adjustments);
871                     return Ok(target);
872                 }
873                 Err(e) => first_error = Some(e),
874             }
875         }
876
877         // Then try to coerce the previous expressions to the type of the new one.
878         // This requires ensuring there are no coercions applied to *any* of the
879         // previous expressions, other than noop reborrows (ignoring lifetimes).
880         for expr in exprs {
881             let expr = expr.as_coercion_site();
882             let noop = match self.tables.borrow().expr_adjustments(expr) {
883                 &[
884                     Adjustment { kind: Adjust::Deref(_), .. },
885                     Adjustment { kind: Adjust::Borrow(AutoBorrow::Ref(_, mutbl_adj)), .. }
886                 ] => {
887                     match self.node_ty(expr.hir_id).sty {
888                         ty::TyRef(_, mt_orig) => {
889                             let mutbl_adj: hir::Mutability = mutbl_adj.into();
890                             // Reborrow that we can safely ignore, because
891                             // the next adjustment can only be a Deref
892                             // which will be merged into it.
893                             mutbl_adj == mt_orig.mutbl
894                         }
895                         _ => false,
896                     }
897                 }
898                 &[Adjustment { kind: Adjust::NeverToAny, .. }] | &[] => true,
899                 _ => false,
900             };
901
902             if !noop {
903                 return self.commit_if_ok(|_| {
904                     self.at(cause, self.param_env)
905                         .lub(prev_ty, new_ty)
906                 }).map(|ok| self.register_infer_ok_obligations(ok));
907             }
908         }
909
910         match self.commit_if_ok(|_| coerce.coerce(prev_ty, new_ty)) {
911             Err(_) => {
912                 // Avoid giving strange errors on failed attempts.
913                 if let Some(e) = first_error {
914                     Err(e)
915                 } else {
916                     self.commit_if_ok(|_| {
917                         self.at(cause, self.param_env)
918                             .lub(prev_ty, new_ty)
919                     }).map(|ok| self.register_infer_ok_obligations(ok))
920                 }
921             }
922             Ok(ok) => {
923                 let (adjustments, target) = self.register_infer_ok_obligations(ok);
924                 for expr in exprs {
925                     let expr = expr.as_coercion_site();
926                     self.apply_adjustments(expr, adjustments.clone());
927                 }
928                 Ok(target)
929             }
930         }
931     }
932 }
933
934 /// CoerceMany encapsulates the pattern you should use when you have
935 /// many expressions that are all getting coerced to a common
936 /// type. This arises, for example, when you have a match (the result
937 /// of each arm is coerced to a common type). It also arises in less
938 /// obvious places, such as when you have many `break foo` expressions
939 /// that target the same loop, or the various `return` expressions in
940 /// a function.
941 ///
942 /// The basic protocol is as follows:
943 ///
944 /// - Instantiate the `CoerceMany` with an initial `expected_ty`.
945 ///   This will also serve as the "starting LUB". The expectation is
946 ///   that this type is something which all of the expressions *must*
947 ///   be coercible to. Use a fresh type variable if needed.
948 /// - For each expression whose result is to be coerced, invoke `coerce()` with.
949 ///   - In some cases we wish to coerce "non-expressions" whose types are implicitly
950 ///     unit. This happens for example if you have a `break` with no expression,
951 ///     or an `if` with no `else`. In that case, invoke `coerce_forced_unit()`.
952 ///   - `coerce()` and `coerce_forced_unit()` may report errors. They hide this
953 ///     from you so that you don't have to worry your pretty head about it.
954 ///     But if an error is reported, the final type will be `err`.
955 ///   - Invoking `coerce()` may cause us to go and adjust the "adjustments" on
956 ///     previously coerced expressions.
957 /// - When all done, invoke `complete()`. This will return the LUB of
958 ///   all your expressions.
959 ///   - WARNING: I don't believe this final type is guaranteed to be
960 ///     related to your initial `expected_ty` in any particular way,
961 ///     although it will typically be a subtype, so you should check it.
962 ///   - Invoking `complete()` may cause us to go and adjust the "adjustments" on
963 ///     previously coerced expressions.
964 ///
965 /// Example:
966 ///
967 /// ```
968 /// let mut coerce = CoerceMany::new(expected_ty);
969 /// for expr in exprs {
970 ///     let expr_ty = fcx.check_expr_with_expectation(expr, expected);
971 ///     coerce.coerce(fcx, &cause, expr, expr_ty);
972 /// }
973 /// let final_ty = coerce.complete(fcx);
974 /// ```
975 pub struct CoerceMany<'gcx, 'tcx, 'exprs, E>
976     where 'gcx: 'tcx, E: 'exprs + AsCoercionSite,
977 {
978     expected_ty: Ty<'tcx>,
979     final_ty: Option<Ty<'tcx>>,
980     expressions: Expressions<'gcx, 'exprs, E>,
981     pushed: usize,
982 }
983
984 /// The type of a `CoerceMany` that is storing up the expressions into
985 /// a buffer. We use this in `check/mod.rs` for things like `break`.
986 pub type DynamicCoerceMany<'gcx, 'tcx> = CoerceMany<'gcx, 'tcx, 'gcx, P<hir::Expr>>;
987
988 enum Expressions<'gcx, 'exprs, E>
989     where E: 'exprs + AsCoercionSite,
990 {
991     Dynamic(Vec<&'gcx hir::Expr>),
992     UpFront(&'exprs [E]),
993 }
994
995 impl<'gcx, 'tcx, 'exprs, E> CoerceMany<'gcx, 'tcx, 'exprs, E>
996     where 'gcx: 'tcx, E: 'exprs + AsCoercionSite,
997 {
998     /// The usual case; collect the set of expressions dynamically.
999     /// If the full set of coercion sites is known before hand,
1000     /// consider `with_coercion_sites()` instead to avoid allocation.
1001     pub fn new(expected_ty: Ty<'tcx>) -> Self {
1002         Self::make(expected_ty, Expressions::Dynamic(vec![]))
1003     }
1004
1005     /// As an optimization, you can create a `CoerceMany` with a
1006     /// pre-existing slice of expressions. In this case, you are
1007     /// expected to pass each element in the slice to `coerce(...)` in
1008     /// order. This is used with arrays in particular to avoid
1009     /// needlessly cloning the slice.
1010     pub fn with_coercion_sites(expected_ty: Ty<'tcx>,
1011                                coercion_sites: &'exprs [E])
1012                       -> Self {
1013         Self::make(expected_ty, Expressions::UpFront(coercion_sites))
1014     }
1015
1016     fn make(expected_ty: Ty<'tcx>, expressions: Expressions<'gcx, 'exprs, E>) -> Self {
1017         CoerceMany {
1018             expected_ty,
1019             final_ty: None,
1020             expressions,
1021             pushed: 0,
1022         }
1023     }
1024
1025     /// Return the "expected type" with which this coercion was
1026     /// constructed.  This represents the "downward propagated" type
1027     /// that was given to us at the start of typing whatever construct
1028     /// we are typing (e.g., the match expression).
1029     ///
1030     /// Typically, this is used as the expected type when
1031     /// type-checking each of the alternative expressions whose types
1032     /// we are trying to merge.
1033     pub fn expected_ty(&self) -> Ty<'tcx> {
1034         self.expected_ty
1035     }
1036
1037     /// Returns the current "merged type", representing our best-guess
1038     /// at the LUB of the expressions we've seen so far (if any). This
1039     /// isn't *final* until you call `self.final()`, which will return
1040     /// the merged type.
1041     pub fn merged_ty(&self) -> Ty<'tcx> {
1042         self.final_ty.unwrap_or(self.expected_ty)
1043     }
1044
1045     /// Indicates that the value generated by `expression`, which is
1046     /// of type `expression_ty`, is one of the possibility that we
1047     /// could coerce from. This will record `expression` and later
1048     /// calls to `coerce` may come back and add adjustments and things
1049     /// if necessary.
1050     pub fn coerce<'a>(&mut self,
1051                       fcx: &FnCtxt<'a, 'gcx, 'tcx>,
1052                       cause: &ObligationCause<'tcx>,
1053                       expression: &'gcx hir::Expr,
1054                       expression_ty: Ty<'tcx>,
1055                       expression_diverges: Diverges)
1056     {
1057         self.coerce_inner(fcx,
1058                           cause,
1059                           Some(expression),
1060                           expression_ty,
1061                           expression_diverges,
1062                           None, false)
1063     }
1064
1065     /// Indicates that one of the inputs is a "forced unit". This
1066     /// occurs in a case like `if foo { ... };`, where the missing else
1067     /// generates a "forced unit". Another example is a `loop { break;
1068     /// }`, where the `break` has no argument expression. We treat
1069     /// these cases slightly differently for error-reporting
1070     /// purposes. Note that these tend to correspond to cases where
1071     /// the `()` expression is implicit in the source, and hence we do
1072     /// not take an expression argument.
1073     ///
1074     /// The `augment_error` gives you a chance to extend the error
1075     /// message, in case any results (e.g., we use this to suggest
1076     /// removing a `;`).
1077     pub fn coerce_forced_unit<'a>(&mut self,
1078                                   fcx: &FnCtxt<'a, 'gcx, 'tcx>,
1079                                   cause: &ObligationCause<'tcx>,
1080                                   augment_error: &mut FnMut(&mut DiagnosticBuilder),
1081                                   label_unit_as_expected: bool)
1082     {
1083         self.coerce_inner(fcx,
1084                           cause,
1085                           None,
1086                           fcx.tcx.mk_nil(),
1087                           Diverges::Maybe,
1088                           Some(augment_error),
1089                           label_unit_as_expected)
1090     }
1091
1092     /// The inner coercion "engine". If `expression` is `None`, this
1093     /// is a forced-unit case, and hence `expression_ty` must be
1094     /// `Nil`.
1095     fn coerce_inner<'a>(&mut self,
1096                         fcx: &FnCtxt<'a, 'gcx, 'tcx>,
1097                         cause: &ObligationCause<'tcx>,
1098                         expression: Option<&'gcx hir::Expr>,
1099                         mut expression_ty: Ty<'tcx>,
1100                         expression_diverges: Diverges,
1101                         augment_error: Option<&mut FnMut(&mut DiagnosticBuilder)>,
1102                         label_expression_as_expected: bool)
1103     {
1104         // Incorporate whatever type inference information we have
1105         // until now; in principle we might also want to process
1106         // pending obligations, but doing so should only improve
1107         // compatibility (hopefully that is true) by helping us
1108         // uncover never types better.
1109         if expression_ty.is_ty_var() {
1110             expression_ty = fcx.infcx.shallow_resolve(expression_ty);
1111         }
1112
1113         // If we see any error types, just propagate that error
1114         // upwards.
1115         if expression_ty.references_error() || self.merged_ty().references_error() {
1116             self.final_ty = Some(fcx.tcx.types.err);
1117             return;
1118         }
1119
1120         // Handle the actual type unification etc.
1121         let result = if let Some(expression) = expression {
1122             if self.pushed == 0 {
1123                 // Special-case the first expression we are coercing.
1124                 // To be honest, I'm not entirely sure why we do this.
1125                 fcx.try_coerce(expression, expression_ty, expression_diverges, self.expected_ty)
1126             } else {
1127                 match self.expressions {
1128                     Expressions::Dynamic(ref exprs) =>
1129                         fcx.try_find_coercion_lub(cause,
1130                                                   exprs,
1131                                                   self.merged_ty(),
1132                                                   expression,
1133                                                   expression_ty,
1134                                                   expression_diverges),
1135                     Expressions::UpFront(ref coercion_sites) =>
1136                         fcx.try_find_coercion_lub(cause,
1137                                                   &coercion_sites[0..self.pushed],
1138                                                   self.merged_ty(),
1139                                                   expression,
1140                                                   expression_ty,
1141                                                   expression_diverges),
1142                 }
1143             }
1144         } else {
1145             // this is a hack for cases where we default to `()` because
1146             // the expression etc has been omitted from the source. An
1147             // example is an `if let` without an else:
1148             //
1149             //     if let Some(x) = ... { }
1150             //
1151             // we wind up with a second match arm that is like `_ =>
1152             // ()`.  That is the case we are considering here. We take
1153             // a different path to get the right "expected, found"
1154             // message and so forth (and because we know that
1155             // `expression_ty` will be unit).
1156             //
1157             // Another example is `break` with no argument expression.
1158             assert!(expression_ty.is_nil());
1159             assert!(expression_ty.is_nil(), "if let hack without unit type");
1160             fcx.at(cause, fcx.param_env)
1161                .eq_exp(label_expression_as_expected, expression_ty, self.merged_ty())
1162                .map(|infer_ok| {
1163                    fcx.register_infer_ok_obligations(infer_ok);
1164                    expression_ty
1165                })
1166         };
1167
1168         match result {
1169             Ok(v) => {
1170                 self.final_ty = Some(v);
1171                 if let Some(e) = expression {
1172                     match self.expressions {
1173                         Expressions::Dynamic(ref mut buffer) => buffer.push(e),
1174                         Expressions::UpFront(coercion_sites) => {
1175                             // if the user gave us an array to validate, check that we got
1176                             // the next expression in the list, as expected
1177                             assert_eq!(coercion_sites[self.pushed].as_coercion_site().id, e.id);
1178                         }
1179                     }
1180                     self.pushed += 1;
1181                 }
1182             }
1183             Err(err) => {
1184                 let (expected, found) = if label_expression_as_expected {
1185                     // In the case where this is a "forced unit", like
1186                     // `break`, we want to call the `()` "expected"
1187                     // since it is implied by the syntax.
1188                     // (Note: not all force-units work this way.)"
1189                     (expression_ty, self.final_ty.unwrap_or(self.expected_ty))
1190                 } else {
1191                     // Otherwise, the "expected" type for error
1192                     // reporting is the current unification type,
1193                     // which is basically the LUB of the expressions
1194                     // we've seen so far (combined with the expected
1195                     // type)
1196                     (self.final_ty.unwrap_or(self.expected_ty), expression_ty)
1197                 };
1198
1199                 let mut db;
1200                 match cause.code {
1201                     ObligationCauseCode::ReturnNoExpression => {
1202                         db = struct_span_err!(
1203                             fcx.tcx.sess, cause.span, E0069,
1204                             "`return;` in a function whose return type is not `()`");
1205                         db.span_label(cause.span, "return type is not ()");
1206                     }
1207                     ObligationCauseCode::BlockTailExpression(blk_id) => {
1208                         db = fcx.report_mismatched_types(cause, expected, found, err);
1209
1210                         let expr = expression.unwrap_or_else(|| {
1211                             span_bug!(cause.span,
1212                                       "supposed to be part of a block tail expression, but the \
1213                                        expression is empty");
1214                         });
1215                         fcx.suggest_mismatched_types_on_tail(&mut db, expr,
1216                                                              expected, found,
1217                                                              cause.span, blk_id);
1218                     }
1219                     _ => {
1220                         db = fcx.report_mismatched_types(cause, expected, found, err);
1221                     }
1222                 }
1223
1224                 if let Some(augment_error) = augment_error {
1225                     augment_error(&mut db);
1226                 }
1227
1228                 db.emit();
1229
1230                 self.final_ty = Some(fcx.tcx.types.err);
1231             }
1232         }
1233     }
1234
1235     pub fn complete<'a>(self, fcx: &FnCtxt<'a, 'gcx, 'tcx>) -> Ty<'tcx> {
1236         if let Some(final_ty) = self.final_ty {
1237             final_ty
1238         } else {
1239             // If we only had inputs that were of type `!` (or no
1240             // inputs at all), then the final type is `!`.
1241             assert_eq!(self.pushed, 0);
1242             fcx.tcx.types.never
1243         }
1244     }
1245 }
1246
1247 /// Something that can be converted into an expression to which we can
1248 /// apply a coercion.
1249 pub trait AsCoercionSite {
1250     fn as_coercion_site(&self) -> &hir::Expr;
1251 }
1252
1253 impl AsCoercionSite for hir::Expr {
1254     fn as_coercion_site(&self) -> &hir::Expr {
1255         self
1256     }
1257 }
1258
1259 impl AsCoercionSite for P<hir::Expr> {
1260     fn as_coercion_site(&self) -> &hir::Expr {
1261         self
1262     }
1263 }
1264
1265 impl<'a, T> AsCoercionSite for &'a T
1266     where T: AsCoercionSite
1267 {
1268     fn as_coercion_site(&self) -> &hir::Expr {
1269         (**self).as_coercion_site()
1270     }
1271 }
1272
1273 impl AsCoercionSite for ! {
1274     fn as_coercion_site(&self) -> &hir::Expr {
1275         unreachable!()
1276     }
1277 }
1278
1279 impl AsCoercionSite for hir::Arm {
1280     fn as_coercion_site(&self) -> &hir::Expr {
1281         &self.body
1282     }
1283 }