]> git.lizzy.rs Git - rust.git/blob - src/librustc/infer/combine.rs
Auto merge of #42394 - ollie27:rustdoc_deref_box, r=QuietMisdreavus
[rust.git] / src / librustc / infer / combine.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 ///////////////////////////////////////////////////////////////////////////
12 // # Type combining
13 //
14 // There are four type combiners: equate, sub, lub, and glb.  Each
15 // implements the trait `Combine` and contains methods for combining
16 // two instances of various things and yielding a new instance.  These
17 // combiner methods always yield a `Result<T>`.  There is a lot of
18 // common code for these operations, implemented as default methods on
19 // the `Combine` trait.
20 //
21 // Each operation may have side-effects on the inference context,
22 // though these can be unrolled using snapshots. On success, the
23 // LUB/GLB operations return the appropriate bound. The Eq and Sub
24 // operations generally return the first operand.
25 //
26 // ## Contravariance
27 //
28 // When you are relating two things which have a contravariant
29 // relationship, you should use `contratys()` or `contraregions()`,
30 // rather than inversing the order of arguments!  This is necessary
31 // because the order of arguments is not relevant for LUB and GLB.  It
32 // is also useful to track which value is the "expected" value in
33 // terms of error reporting.
34
35 use super::equate::Equate;
36 use super::glb::Glb;
37 use super::lub::Lub;
38 use super::sub::Sub;
39 use super::InferCtxt;
40 use super::{MiscVariable, TypeTrace};
41
42 use hir::def_id::DefId;
43 use ty::{IntType, UintType};
44 use ty::{self, Ty, TyCtxt};
45 use ty::error::TypeError;
46 use ty::relate::{self, Relate, RelateResult, TypeRelation};
47 use ty::subst::Substs;
48 use traits::{Obligation, PredicateObligations};
49
50 use syntax::ast;
51 use syntax_pos::Span;
52
53 #[derive(Clone)]
54 pub struct CombineFields<'infcx, 'gcx: 'infcx+'tcx, 'tcx: 'infcx> {
55     pub infcx: &'infcx InferCtxt<'infcx, 'gcx, 'tcx>,
56     pub trace: TypeTrace<'tcx>,
57     pub cause: Option<ty::relate::Cause>,
58     pub param_env: ty::ParamEnv<'tcx>,
59     pub obligations: PredicateObligations<'tcx>,
60 }
61
62 #[derive(Copy, Clone, Eq, PartialEq, Hash, Debug)]
63 pub enum RelationDir {
64     SubtypeOf, SupertypeOf, EqTo
65 }
66
67 impl<'infcx, 'gcx, 'tcx> InferCtxt<'infcx, 'gcx, 'tcx> {
68     pub fn super_combine_tys<R>(&self,
69                                 relation: &mut R,
70                                 a: Ty<'tcx>,
71                                 b: Ty<'tcx>)
72                                 -> RelateResult<'tcx, Ty<'tcx>>
73         where R: TypeRelation<'infcx, 'gcx, 'tcx>
74     {
75         let a_is_expected = relation.a_is_expected();
76
77         match (&a.sty, &b.sty) {
78             // Relate integral variables to other types
79             (&ty::TyInfer(ty::IntVar(a_id)), &ty::TyInfer(ty::IntVar(b_id))) => {
80                 self.int_unification_table
81                     .borrow_mut()
82                     .unify_var_var(a_id, b_id)
83                     .map_err(|e| int_unification_error(a_is_expected, e))?;
84                 Ok(a)
85             }
86             (&ty::TyInfer(ty::IntVar(v_id)), &ty::TyInt(v)) => {
87                 self.unify_integral_variable(a_is_expected, v_id, IntType(v))
88             }
89             (&ty::TyInt(v), &ty::TyInfer(ty::IntVar(v_id))) => {
90                 self.unify_integral_variable(!a_is_expected, v_id, IntType(v))
91             }
92             (&ty::TyInfer(ty::IntVar(v_id)), &ty::TyUint(v)) => {
93                 self.unify_integral_variable(a_is_expected, v_id, UintType(v))
94             }
95             (&ty::TyUint(v), &ty::TyInfer(ty::IntVar(v_id))) => {
96                 self.unify_integral_variable(!a_is_expected, v_id, UintType(v))
97             }
98
99             // Relate floating-point variables to other types
100             (&ty::TyInfer(ty::FloatVar(a_id)), &ty::TyInfer(ty::FloatVar(b_id))) => {
101                 self.float_unification_table
102                     .borrow_mut()
103                     .unify_var_var(a_id, b_id)
104                     .map_err(|e| float_unification_error(relation.a_is_expected(), e))?;
105                 Ok(a)
106             }
107             (&ty::TyInfer(ty::FloatVar(v_id)), &ty::TyFloat(v)) => {
108                 self.unify_float_variable(a_is_expected, v_id, v)
109             }
110             (&ty::TyFloat(v), &ty::TyInfer(ty::FloatVar(v_id))) => {
111                 self.unify_float_variable(!a_is_expected, v_id, v)
112             }
113
114             // All other cases of inference are errors
115             (&ty::TyInfer(_), _) |
116             (_, &ty::TyInfer(_)) => {
117                 Err(TypeError::Sorts(ty::relate::expected_found(relation, &a, &b)))
118             }
119
120
121             _ => {
122                 ty::relate::super_relate_tys(relation, a, b)
123             }
124         }
125     }
126
127     fn unify_integral_variable(&self,
128                                vid_is_expected: bool,
129                                vid: ty::IntVid,
130                                val: ty::IntVarValue)
131                                -> RelateResult<'tcx, Ty<'tcx>>
132     {
133         self.int_unification_table
134             .borrow_mut()
135             .unify_var_value(vid, val)
136             .map_err(|e| int_unification_error(vid_is_expected, e))?;
137         match val {
138             IntType(v) => Ok(self.tcx.mk_mach_int(v)),
139             UintType(v) => Ok(self.tcx.mk_mach_uint(v)),
140         }
141     }
142
143     fn unify_float_variable(&self,
144                             vid_is_expected: bool,
145                             vid: ty::FloatVid,
146                             val: ast::FloatTy)
147                             -> RelateResult<'tcx, Ty<'tcx>>
148     {
149         self.float_unification_table
150             .borrow_mut()
151             .unify_var_value(vid, val)
152             .map_err(|e| float_unification_error(vid_is_expected, e))?;
153         Ok(self.tcx.mk_mach_float(val))
154     }
155 }
156
157 impl<'infcx, 'gcx, 'tcx> CombineFields<'infcx, 'gcx, 'tcx> {
158     pub fn tcx(&self) -> TyCtxt<'infcx, 'gcx, 'tcx> {
159         self.infcx.tcx
160     }
161
162     pub fn equate<'a>(&'a mut self, a_is_expected: bool) -> Equate<'a, 'infcx, 'gcx, 'tcx> {
163         Equate::new(self, a_is_expected)
164     }
165
166     pub fn sub<'a>(&'a mut self, a_is_expected: bool) -> Sub<'a, 'infcx, 'gcx, 'tcx> {
167         Sub::new(self, a_is_expected)
168     }
169
170     pub fn lub<'a>(&'a mut self, a_is_expected: bool) -> Lub<'a, 'infcx, 'gcx, 'tcx> {
171         Lub::new(self, a_is_expected)
172     }
173
174     pub fn glb<'a>(&'a mut self, a_is_expected: bool) -> Glb<'a, 'infcx, 'gcx, 'tcx> {
175         Glb::new(self, a_is_expected)
176     }
177
178     /// Here dir is either EqTo, SubtypeOf, or SupertypeOf. The
179     /// idea is that we should ensure that the type `a_ty` is equal
180     /// to, a subtype of, or a supertype of (respectively) the type
181     /// to which `b_vid` is bound.
182     ///
183     /// Since `b_vid` has not yet been instantiated with a type, we
184     /// will first instantiate `b_vid` with a *generalized* version
185     /// of `a_ty`. Generalization introduces other inference
186     /// variables wherever subtyping could occur.
187     pub fn instantiate(&mut self,
188                        a_ty: Ty<'tcx>,
189                        dir: RelationDir,
190                        b_vid: ty::TyVid,
191                        a_is_expected: bool)
192                        -> RelateResult<'tcx, ()>
193     {
194         use self::RelationDir::*;
195
196         // Get the actual variable that b_vid has been inferred to
197         debug_assert!(self.infcx.type_variables.borrow_mut().probe(b_vid).is_none());
198
199         debug!("instantiate(a_ty={:?} dir={:?} b_vid={:?})", a_ty, dir, b_vid);
200
201         // Generalize type of `a_ty` appropriately depending on the
202         // direction.  As an example, assume:
203         //
204         // - `a_ty == &'x ?1`, where `'x` is some free region and `?1` is an
205         //   inference variable,
206         // - and `dir` == `SubtypeOf`.
207         //
208         // Then the generalized form `b_ty` would be `&'?2 ?3`, where
209         // `'?2` and `?3` are fresh region/type inference
210         // variables. (Down below, we will relate `a_ty <: b_ty`,
211         // adding constraints like `'x: '?2` and `?1 <: ?3`.)
212         let Generalization { ty: b_ty, needs_wf } = self.generalize(a_ty, b_vid, dir)?;
213         debug!("instantiate(a_ty={:?}, dir={:?}, b_vid={:?}, generalized b_ty={:?})",
214                a_ty, dir, b_vid, b_ty);
215         self.infcx.type_variables.borrow_mut().instantiate(b_vid, b_ty);
216
217         if needs_wf {
218             self.obligations.push(Obligation::new(self.trace.cause.clone(),
219                                                   self.param_env,
220                                                   ty::Predicate::WellFormed(b_ty)));
221         }
222
223         // Finally, relate `b_ty` to `a_ty`, as described in previous comment.
224         //
225         // FIXME(#16847): This code is non-ideal because all these subtype
226         // relations wind up attributed to the same spans. We need
227         // to associate causes/spans with each of the relations in
228         // the stack to get this right.
229         match dir {
230             EqTo => self.equate(a_is_expected).relate(&a_ty, &b_ty),
231             SubtypeOf => self.sub(a_is_expected).relate(&a_ty, &b_ty),
232             SupertypeOf => self.sub(a_is_expected).relate_with_variance(
233                 ty::Contravariant, &a_ty, &b_ty),
234         }?;
235
236         Ok(())
237     }
238
239     /// Attempts to generalize `ty` for the type variable `for_vid`.
240     /// This checks for cycle -- that is, whether the type `ty`
241     /// references `for_vid`. The `dir` is the "direction" for which we
242     /// a performing the generalization (i.e., are we producing a type
243     /// that can be used as a supertype etc).
244     ///
245     /// Preconditions:
246     ///
247     /// - `for_vid` is a "root vid"
248     fn generalize(&self,
249                   ty: Ty<'tcx>,
250                   for_vid: ty::TyVid,
251                   dir: RelationDir)
252                   -> RelateResult<'tcx, Generalization<'tcx>>
253     {
254         // Determine the ambient variance within which `ty` appears.
255         // The surrounding equation is:
256         //
257         //     ty [op] ty2
258         //
259         // where `op` is either `==`, `<:`, or `:>`. This maps quite
260         // naturally.
261         let ambient_variance = match dir {
262             RelationDir::EqTo => ty::Invariant,
263             RelationDir::SubtypeOf => ty::Covariant,
264             RelationDir::SupertypeOf => ty::Contravariant,
265         };
266
267         let mut generalize = Generalizer {
268             infcx: self.infcx,
269             span: self.trace.cause.span,
270             for_vid_sub_root: self.infcx.type_variables.borrow_mut().sub_root_var(for_vid),
271             ambient_variance: ambient_variance,
272             needs_wf: false,
273         };
274
275         let ty = generalize.relate(&ty, &ty)?;
276         let needs_wf = generalize.needs_wf;
277         Ok(Generalization { ty, needs_wf })
278     }
279 }
280
281 struct Generalizer<'cx, 'gcx: 'cx+'tcx, 'tcx: 'cx> {
282     infcx: &'cx InferCtxt<'cx, 'gcx, 'tcx>,
283     span: Span,
284     for_vid_sub_root: ty::TyVid,
285     ambient_variance: ty::Variance,
286     needs_wf: bool, // see the field `needs_wf` in `Generalization`
287 }
288
289 /// Result from a generalization operation. This includes
290 /// not only the generalized type, but also a bool flag
291 /// indicating whether further WF checks are needed.q
292 struct Generalization<'tcx> {
293     ty: Ty<'tcx>,
294
295     /// If true, then the generalized type may not be well-formed,
296     /// even if the source type is well-formed, so we should add an
297     /// additional check to enforce that it is. This arises in
298     /// particular around 'bivariant' type parameters that are only
299     /// constrained by a where-clause. As an example, imagine a type:
300     ///
301     ///     struct Foo<A, B> where A: Iterator<Item=B> {
302     ///         data: A
303     ///     }
304     ///
305     /// here, `A` will be covariant, but `B` is
306     /// unconstrained. However, whatever it is, for `Foo` to be WF, it
307     /// must be equal to `A::Item`. If we have an input `Foo<?A, ?B>`,
308     /// then after generalization we will wind up with a type like
309     /// `Foo<?C, ?D>`. When we enforce that `Foo<?A, ?B> <: Foo<?C,
310     /// ?D>` (or `>:`), we will wind up with the requirement that `?A
311     /// <: ?C`, but no particular relationship between `?B` and `?D`
312     /// (after all, we do not know the variance of the normalized form
313     /// of `A::Item` with respect to `A`). If we do nothing else, this
314     /// may mean that `?D` goes unconstrained (as in #41677).  So, in
315     /// this scenario where we create a new type variable in a
316     /// bivariant context, we set the `needs_wf` flag to true. This
317     /// will force the calling code to check that `WF(Foo<?C, ?D>)`
318     /// holds, which in turn implies that `?C::Item == ?D`. So once
319     /// `?C` is constrained, that should suffice to restrict `?D`.
320     needs_wf: bool,
321 }
322
323 impl<'cx, 'gcx, 'tcx> TypeRelation<'cx, 'gcx, 'tcx> for Generalizer<'cx, 'gcx, 'tcx> {
324     fn tcx(&self) -> TyCtxt<'cx, 'gcx, 'tcx> {
325         self.infcx.tcx
326     }
327
328     fn tag(&self) -> &'static str {
329         "Generalizer"
330     }
331
332     fn a_is_expected(&self) -> bool {
333         true
334     }
335
336     fn binders<T>(&mut self, a: &ty::Binder<T>, b: &ty::Binder<T>)
337                   -> RelateResult<'tcx, ty::Binder<T>>
338         where T: Relate<'tcx>
339     {
340         Ok(ty::Binder(self.relate(a.skip_binder(), b.skip_binder())?))
341     }
342
343     fn relate_item_substs(&mut self,
344                           item_def_id: DefId,
345                           a_subst: &'tcx Substs<'tcx>,
346                           b_subst: &'tcx Substs<'tcx>)
347                           -> RelateResult<'tcx, &'tcx Substs<'tcx>>
348     {
349         if self.ambient_variance == ty::Variance::Invariant {
350             // Avoid fetching the variance if we are in an invariant
351             // context; no need, and it can induce dependency cycles
352             // (e.g. #41849).
353             relate::relate_substs(self, None, a_subst, b_subst)
354         } else {
355             let opt_variances = self.tcx().variances_of(item_def_id);
356             relate::relate_substs(self, Some(&opt_variances), a_subst, b_subst)
357         }
358     }
359
360     fn relate_with_variance<T: Relate<'tcx>>(&mut self,
361                                              variance: ty::Variance,
362                                              a: &T,
363                                              b: &T)
364                                              -> RelateResult<'tcx, T>
365     {
366         let old_ambient_variance = self.ambient_variance;
367         self.ambient_variance = self.ambient_variance.xform(variance);
368
369         let result = self.relate(a, b);
370         self.ambient_variance = old_ambient_variance;
371         result
372     }
373
374     fn tys(&mut self, t: Ty<'tcx>, t2: Ty<'tcx>) -> RelateResult<'tcx, Ty<'tcx>> {
375         assert_eq!(t, t2); // we are abusing TypeRelation here; both LHS and RHS ought to be ==
376
377         // Check to see whether the type we are genealizing references
378         // any other type variable related to `vid` via
379         // subtyping. This is basically our "occurs check", preventing
380         // us from creating infinitely sized types.
381         match t.sty {
382             ty::TyInfer(ty::TyVar(vid)) => {
383                 let mut variables = self.infcx.type_variables.borrow_mut();
384                 let vid = variables.root_var(vid);
385                 let sub_vid = variables.sub_root_var(vid);
386                 if sub_vid == self.for_vid_sub_root {
387                     // If sub-roots are equal, then `for_vid` and
388                     // `vid` are related via subtyping.
389                     return Err(TypeError::CyclicTy);
390                 } else {
391                     match variables.probe_root(vid) {
392                         Some(u) => {
393                             drop(variables);
394                             self.relate(&u, &u)
395                         }
396                         None => {
397                             match self.ambient_variance {
398                                 // Invariant: no need to make a fresh type variable.
399                                 ty::Invariant => return Ok(t),
400
401                                 // Bivariant: make a fresh var, but we
402                                 // may need a WF predicate. See
403                                 // comment on `needs_wf` field for
404                                 // more info.
405                                 ty::Bivariant => self.needs_wf = true,
406
407                                 // Co/contravariant: this will be
408                                 // sufficiently constrained later on.
409                                 ty::Covariant | ty::Contravariant => (),
410                             }
411
412                             let origin = variables.origin(vid);
413                             let new_var_id = variables.new_var(false, origin, None);
414                             let u = self.tcx().mk_var(new_var_id);
415                             debug!("generalize: replacing original vid={:?} with new={:?}",
416                                    vid, u);
417                             return Ok(u);
418                         }
419                     }
420                 }
421             }
422             ty::TyInfer(ty::IntVar(_)) |
423             ty::TyInfer(ty::FloatVar(_)) => {
424                 // No matter what mode we are in,
425                 // integer/floating-point types must be equal to be
426                 // relatable.
427                 Ok(t)
428             }
429             _ => {
430                 relate::super_relate_tys(self, t, t)
431             }
432         }
433     }
434
435     fn regions(&mut self, r: ty::Region<'tcx>, r2: ty::Region<'tcx>)
436                -> RelateResult<'tcx, ty::Region<'tcx>> {
437         assert_eq!(r, r2); // we are abusing TypeRelation here; both LHS and RHS ought to be ==
438
439         match *r {
440             // Never make variables for regions bound within the type itself,
441             // nor for erased regions.
442             ty::ReLateBound(..) |
443             ty::ReErased => {
444                 return Ok(r);
445             }
446
447             // Always make a fresh region variable for skolemized regions;
448             // the higher-ranked decision procedures rely on this.
449             ty::ReSkolemized(..) => { }
450
451             // For anything else, we make a region variable, unless we
452             // are *equating*, in which case it's just wasteful.
453             ty::ReEmpty |
454             ty::ReStatic |
455             ty::ReScope(..) |
456             ty::ReVar(..) |
457             ty::ReEarlyBound(..) |
458             ty::ReFree(..) => {
459                 match self.ambient_variance {
460                     ty::Invariant => return Ok(r),
461                     ty::Bivariant | ty::Covariant | ty::Contravariant => (),
462                 }
463             }
464         }
465
466         // FIXME: This is non-ideal because we don't give a
467         // very descriptive origin for this region variable.
468         Ok(self.infcx.next_region_var(MiscVariable(self.span)))
469     }
470 }
471
472 pub trait RelateResultCompare<'tcx, T> {
473     fn compare<F>(&self, t: T, f: F) -> RelateResult<'tcx, T> where
474         F: FnOnce() -> TypeError<'tcx>;
475 }
476
477 impl<'tcx, T:Clone + PartialEq> RelateResultCompare<'tcx, T> for RelateResult<'tcx, T> {
478     fn compare<F>(&self, t: T, f: F) -> RelateResult<'tcx, T> where
479         F: FnOnce() -> TypeError<'tcx>,
480     {
481         self.clone().and_then(|s| {
482             if s == t {
483                 self.clone()
484             } else {
485                 Err(f())
486             }
487         })
488     }
489 }
490
491 fn int_unification_error<'tcx>(a_is_expected: bool, v: (ty::IntVarValue, ty::IntVarValue))
492                                -> TypeError<'tcx>
493 {
494     let (a, b) = v;
495     TypeError::IntMismatch(ty::relate::expected_found_bool(a_is_expected, &a, &b))
496 }
497
498 fn float_unification_error<'tcx>(a_is_expected: bool,
499                                  v: (ast::FloatTy, ast::FloatTy))
500                                  -> TypeError<'tcx>
501 {
502     let (a, b) = v;
503     TypeError::FloatMismatch(ty::relate::expected_found_bool(a_is_expected, &a, &b))
504 }