]> git.lizzy.rs Git - rust.git/blob - src/librustc_typeck/astconv.rs
89ec92a652160940916a66615dfd96c81843a247
[rust.git] / src / librustc_typeck / astconv.rs
1 //! Conversion from AST representation of types to the `ty.rs` representation.
2 //! The main routine here is `ast_ty_to_ty()`; each use is parameterized by an
3 //! instance of `AstConv`.
4
5 use errors::{Applicability, DiagnosticId};
6 use crate::hir::{self, GenericArg, GenericArgs, ExprKind};
7 use crate::hir::def::Def;
8 use crate::hir::def_id::DefId;
9 use crate::hir::HirVec;
10 use crate::lint;
11 use crate::middle::resolve_lifetime as rl;
12 use crate::namespace::Namespace;
13 use rustc::lint::builtin::AMBIGUOUS_ASSOCIATED_ITEMS;
14 use rustc::traits;
15 use rustc::ty::{self, Ty, TyCtxt, ToPredicate, TypeFoldable};
16 use rustc::ty::{GenericParamDef, GenericParamDefKind};
17 use rustc::ty::subst::{Kind, Subst, InternalSubsts, SubstsRef};
18 use rustc::ty::wf::object_region_bounds;
19 use rustc::mir::interpret::ConstValue;
20 use rustc_data_structures::sync::Lrc;
21 use rustc_target::spec::abi;
22 use crate::require_c_abi_if_c_variadic;
23 use smallvec::SmallVec;
24 use syntax::ast;
25 use syntax::feature_gate::{GateIssue, emit_feature_err};
26 use syntax::ptr::P;
27 use syntax::util::lev_distance::find_best_match_for_name;
28 use syntax_pos::{DUMMY_SP, Span, MultiSpan};
29 use crate::util::common::ErrorReported;
30 use crate::util::nodemap::FxHashMap;
31
32 use std::collections::BTreeSet;
33 use std::iter;
34 use std::slice;
35
36 use super::{check_type_alias_enum_variants_enabled};
37 use rustc_data_structures::fx::FxHashSet;
38
39 #[derive(Debug)]
40 pub struct PathSeg(pub DefId, pub usize);
41
42 pub trait AstConv<'gcx, 'tcx> {
43     fn tcx<'a>(&'a self) -> TyCtxt<'a, 'gcx, 'tcx>;
44
45     /// Returns the set of bounds in scope for the type parameter with
46     /// the given id.
47     fn get_type_parameter_bounds(&self, span: Span, def_id: DefId)
48                                  -> Lrc<ty::GenericPredicates<'tcx>>;
49
50     /// What lifetime should we use when a lifetime is omitted (and not elided)?
51     fn re_infer(&self, span: Span, _def: Option<&ty::GenericParamDef>)
52                 -> Option<ty::Region<'tcx>>;
53
54     /// What type should we use when a type is omitted?
55     fn ty_infer(&self, span: Span) -> Ty<'tcx>;
56
57     /// Same as ty_infer, but with a known type parameter definition.
58     fn ty_infer_for_def(&self,
59                         _def: &ty::GenericParamDef,
60                         span: Span) -> Ty<'tcx> {
61         self.ty_infer(span)
62     }
63
64     /// Projecting an associated type from a (potentially)
65     /// higher-ranked trait reference is more complicated, because of
66     /// the possibility of late-bound regions appearing in the
67     /// associated type binding. This is not legal in function
68     /// signatures for that reason. In a function body, we can always
69     /// handle it because we can use inference variables to remove the
70     /// late-bound regions.
71     fn projected_ty_from_poly_trait_ref(&self,
72                                         span: Span,
73                                         item_def_id: DefId,
74                                         poly_trait_ref: ty::PolyTraitRef<'tcx>)
75                                         -> Ty<'tcx>;
76
77     /// Normalize an associated type coming from the user.
78     fn normalize_ty(&self, span: Span, ty: Ty<'tcx>) -> Ty<'tcx>;
79
80     /// Invoked when we encounter an error from some prior pass
81     /// (e.g., resolve) that is translated into a ty-error. This is
82     /// used to help suppress derived errors typeck might otherwise
83     /// report.
84     fn set_tainted_by_errors(&self);
85
86     fn record_ty(&self, hir_id: hir::HirId, ty: Ty<'tcx>, span: Span);
87 }
88
89 struct ConvertedBinding<'tcx> {
90     item_name: ast::Ident,
91     ty: Ty<'tcx>,
92     span: Span,
93 }
94
95 #[derive(PartialEq)]
96 enum GenericArgPosition {
97     Type,
98     Value, // e.g., functions
99     MethodCall,
100 }
101
102 /// Dummy type used for the `Self` of a `TraitRef` created for converting
103 /// a trait object, and which gets removed in `ExistentialTraitRef`.
104 /// This type must not appear anywhere in other converted types.
105 const TRAIT_OBJECT_DUMMY_SELF: ty::TyKind<'static> = ty::Infer(ty::FreshTy(0));
106
107 impl<'o, 'gcx: 'tcx, 'tcx> dyn AstConv<'gcx, 'tcx> + 'o {
108     pub fn ast_region_to_region(&self,
109         lifetime: &hir::Lifetime,
110         def: Option<&ty::GenericParamDef>)
111         -> ty::Region<'tcx>
112     {
113         let tcx = self.tcx();
114         let lifetime_name = |def_id| {
115             tcx.hir().name_by_hir_id(tcx.hir().as_local_hir_id(def_id).unwrap()).as_interned_str()
116         };
117
118         let r = match tcx.named_region(lifetime.hir_id) {
119             Some(rl::Region::Static) => {
120                 tcx.types.re_static
121             }
122
123             Some(rl::Region::LateBound(debruijn, id, _)) => {
124                 let name = lifetime_name(id);
125                 tcx.mk_region(ty::ReLateBound(debruijn,
126                     ty::BrNamed(id, name)))
127             }
128
129             Some(rl::Region::LateBoundAnon(debruijn, index)) => {
130                 tcx.mk_region(ty::ReLateBound(debruijn, ty::BrAnon(index)))
131             }
132
133             Some(rl::Region::EarlyBound(index, id, _)) => {
134                 let name = lifetime_name(id);
135                 tcx.mk_region(ty::ReEarlyBound(ty::EarlyBoundRegion {
136                     def_id: id,
137                     index,
138                     name,
139                 }))
140             }
141
142             Some(rl::Region::Free(scope, id)) => {
143                 let name = lifetime_name(id);
144                 tcx.mk_region(ty::ReFree(ty::FreeRegion {
145                     scope,
146                     bound_region: ty::BrNamed(id, name)
147                 }))
148
149                 // (*) -- not late-bound, won't change
150             }
151
152             None => {
153                 self.re_infer(lifetime.span, def)
154                     .unwrap_or_else(|| {
155                         // This indicates an illegal lifetime
156                         // elision. `resolve_lifetime` should have
157                         // reported an error in this case -- but if
158                         // not, let's error out.
159                         tcx.sess.delay_span_bug(lifetime.span, "unelided lifetime in signature");
160
161                         // Supply some dummy value. We don't have an
162                         // `re_error`, annoyingly, so use `'static`.
163                         tcx.types.re_static
164                     })
165             }
166         };
167
168         debug!("ast_region_to_region(lifetime={:?}) yields {:?}",
169                lifetime,
170                r);
171
172         r
173     }
174
175     /// Given a path `path` that refers to an item `I` with the declared generics `decl_generics`,
176     /// returns an appropriate set of substitutions for this particular reference to `I`.
177     pub fn ast_path_substs_for_ty(&self,
178         span: Span,
179         def_id: DefId,
180         item_segment: &hir::PathSegment)
181         -> SubstsRef<'tcx>
182     {
183         let (substs, assoc_bindings, _) = item_segment.with_generic_args(|generic_args| {
184             self.create_substs_for_ast_path(
185                 span,
186                 def_id,
187                 generic_args,
188                 item_segment.infer_types,
189                 None,
190             )
191         });
192
193         assoc_bindings.first().map(|b| Self::prohibit_assoc_ty_binding(self.tcx(), b.span));
194
195         substs
196     }
197
198     /// Report error if there is an explicit type parameter when using `impl Trait`.
199     fn check_impl_trait(
200         tcx: TyCtxt<'_, '_, '_>,
201         span: Span,
202         seg: &hir::PathSegment,
203         generics: &ty::Generics,
204     ) -> bool {
205         let explicit = !seg.infer_types;
206         let impl_trait = generics.params.iter().any(|param| match param.kind {
207             ty::GenericParamDefKind::Type {
208                 synthetic: Some(hir::SyntheticTyParamKind::ImplTrait), ..
209             } => true,
210             _ => false,
211         });
212
213         if explicit && impl_trait {
214             let mut err = struct_span_err! {
215                 tcx.sess,
216                 span,
217                 E0632,
218                 "cannot provide explicit type parameters when `impl Trait` is \
219                  used in argument position."
220             };
221
222             err.emit();
223         }
224
225         impl_trait
226     }
227
228     /// Checks that the correct number of generic arguments have been provided.
229     /// Used specifically for function calls.
230     pub fn check_generic_arg_count_for_call(
231         tcx: TyCtxt<'_, '_, '_>,
232         span: Span,
233         def: &ty::Generics,
234         seg: &hir::PathSegment,
235         is_method_call: bool,
236     ) -> bool {
237         let empty_args = P(hir::GenericArgs {
238             args: HirVec::new(), bindings: HirVec::new(), parenthesized: false,
239         });
240         let suppress_mismatch = Self::check_impl_trait(tcx, span, seg, &def);
241         Self::check_generic_arg_count(
242             tcx,
243             span,
244             def,
245             if let Some(ref args) = seg.args {
246                 args
247             } else {
248                 &empty_args
249             },
250             if is_method_call {
251                 GenericArgPosition::MethodCall
252             } else {
253                 GenericArgPosition::Value
254             },
255             def.parent.is_none() && def.has_self, // `has_self`
256             seg.infer_types || suppress_mismatch, // `infer_types`
257         ).0
258     }
259
260     /// Checks that the correct number of generic arguments have been provided.
261     /// This is used both for datatypes and function calls.
262     fn check_generic_arg_count(
263         tcx: TyCtxt<'_, '_, '_>,
264         span: Span,
265         def: &ty::Generics,
266         args: &hir::GenericArgs,
267         position: GenericArgPosition,
268         has_self: bool,
269         infer_types: bool,
270     ) -> (bool, Option<Vec<Span>>) {
271         // At this stage we are guaranteed that the generic arguments are in the correct order, e.g.
272         // that lifetimes will proceed types. So it suffices to check the number of each generic
273         // arguments in order to validate them with respect to the generic parameters.
274         let param_counts = def.own_counts();
275         let arg_counts = args.own_counts();
276         let infer_lifetimes = position != GenericArgPosition::Type && arg_counts.lifetimes == 0;
277         let infer_consts = position != GenericArgPosition::Type && arg_counts.consts == 0;
278
279         let mut defaults: ty::GenericParamCount = Default::default();
280         for param in &def.params {
281             match param.kind {
282                 GenericParamDefKind::Lifetime => {}
283                 GenericParamDefKind::Type { has_default, .. } => {
284                     defaults.types += has_default as usize
285                 }
286                 GenericParamDefKind::Const => {
287                     // FIXME(const_generics:defaults)
288                 }
289             };
290         }
291
292         if position != GenericArgPosition::Type && !args.bindings.is_empty() {
293             AstConv::prohibit_assoc_ty_binding(tcx, args.bindings[0].span);
294         }
295
296         // Prohibit explicit lifetime arguments if late-bound lifetime parameters are present.
297         if !infer_lifetimes {
298             if let Some(span_late) = def.has_late_bound_regions {
299                 let msg = "cannot specify lifetime arguments explicitly \
300                            if late bound lifetime parameters are present";
301                 let note = "the late bound lifetime parameter is introduced here";
302                 let span = args.args[0].span();
303                 if position == GenericArgPosition::Value
304                     && arg_counts.lifetimes != param_counts.lifetimes {
305                     let mut err = tcx.sess.struct_span_err(span, msg);
306                     err.span_note(span_late, note);
307                     err.emit();
308                     return (true, None);
309                 } else {
310                     let mut multispan = MultiSpan::from_span(span);
311                     multispan.push_span_label(span_late, note.to_string());
312                     tcx.lint_hir(lint::builtin::LATE_BOUND_LIFETIME_ARGUMENTS,
313                                  args.args[0].id(), multispan, msg);
314                     return (false, None);
315                 }
316             }
317         }
318
319         let check_kind_count = |kind, required, permitted, provided, offset| {
320             debug!(
321                 "check_kind_count: kind: {} required: {} permitted: {} provided: {} offset: {}",
322                 kind,
323                 required,
324                 permitted,
325                 provided,
326                 offset
327             );
328             // We enforce the following: `required` <= `provided` <= `permitted`.
329             // For kinds without defaults (i.e., lifetimes), `required == permitted`.
330             // For other kinds (i.e., types), `permitted` may be greater than `required`.
331             if required <= provided && provided <= permitted {
332                 return (false, None);
333             }
334
335             // Unfortunately lifetime and type parameter mismatches are typically styled
336             // differently in diagnostics, which means we have a few cases to consider here.
337             let (bound, quantifier) = if required != permitted {
338                 if provided < required {
339                     (required, "at least ")
340                 } else { // provided > permitted
341                     (permitted, "at most ")
342                 }
343             } else {
344                 (required, "")
345             };
346
347             let mut potential_assoc_types: Option<Vec<Span>> = None;
348             let (spans, label) = if required == permitted && provided > permitted {
349                 // In the case when the user has provided too many arguments,
350                 // we want to point to the unexpected arguments.
351                 let spans: Vec<Span> = args.args[offset+permitted .. offset+provided]
352                         .iter()
353                         .map(|arg| arg.span())
354                         .collect();
355                 potential_assoc_types = Some(spans.clone());
356                 (spans, format!( "unexpected {} argument", kind))
357             } else {
358                 (vec![span], format!(
359                     "expected {}{} {} argument{}",
360                     quantifier,
361                     bound,
362                     kind,
363                     if bound != 1 { "s" } else { "" },
364                 ))
365             };
366
367             let mut err = tcx.sess.struct_span_err_with_code(
368                 spans.clone(),
369                 &format!(
370                     "wrong number of {} arguments: expected {}{}, found {}",
371                     kind,
372                     quantifier,
373                     bound,
374                     provided,
375                 ),
376                 DiagnosticId::Error("E0107".into())
377             );
378             for span in spans {
379                 err.span_label(span, label.as_str());
380             }
381             err.emit();
382
383             (provided > required, // `suppress_error`
384              potential_assoc_types)
385         };
386
387         if !infer_lifetimes || arg_counts.lifetimes > param_counts.lifetimes {
388             check_kind_count(
389                 "lifetime",
390                 param_counts.lifetimes,
391                 param_counts.lifetimes,
392                 arg_counts.lifetimes,
393                 0,
394             );
395         }
396         // FIXME(const_generics:defaults)
397         if !infer_consts || arg_counts.consts > param_counts.consts {
398             check_kind_count(
399                 "const",
400                 param_counts.consts,
401                 param_counts.consts,
402                 arg_counts.consts,
403                 arg_counts.lifetimes + arg_counts.types,
404             );
405         }
406         // Note that type errors are currently be emitted *after* const errors.
407         if !infer_types
408             || arg_counts.types > param_counts.types - defaults.types - has_self as usize {
409             check_kind_count(
410                 "type",
411                 param_counts.types - defaults.types - has_self as usize,
412                 param_counts.types - has_self as usize,
413                 arg_counts.types,
414                 arg_counts.lifetimes,
415             )
416         } else {
417             (false, None)
418         }
419     }
420
421     /// Creates the relevant generic argument substitutions
422     /// corresponding to a set of generic parameters. This is a
423     /// rather complex function. Let us try to explain the role
424     /// of each of its parameters:
425     ///
426     /// To start, we are given the `def_id` of the thing we are
427     /// creating the substitutions for, and a partial set of
428     /// substitutions `parent_substs`. In general, the substitutions
429     /// for an item begin with substitutions for all the "parents" of
430     /// that item -- e.g., for a method it might include the
431     /// parameters from the impl.
432     ///
433     /// Therefore, the method begins by walking down these parents,
434     /// starting with the outermost parent and proceed inwards until
435     /// it reaches `def_id`. For each parent `P`, it will check `parent_substs`
436     /// first to see if the parent's substitutions are listed in there. If so,
437     /// we can append those and move on. Otherwise, it invokes the
438     /// three callback functions:
439     ///
440     /// - `args_for_def_id`: given the `DefId` `P`, supplies back the
441     ///   generic arguments that were given to that parent from within
442     ///   the path; so e.g., if you have `<T as Foo>::Bar`, the `DefId`
443     ///   might refer to the trait `Foo`, and the arguments might be
444     ///   `[T]`. The boolean value indicates whether to infer values
445     ///   for arguments whose values were not explicitly provided.
446     /// - `provided_kind`: given the generic parameter and the value from `args_for_def_id`,
447     ///   instantiate a `Kind`.
448     /// - `inferred_kind`: if no parameter was provided, and inference is enabled, then
449     ///   creates a suitable inference variable.
450     pub fn create_substs_for_generic_args<'a, 'b>(
451         tcx: TyCtxt<'a, 'gcx, 'tcx>,
452         def_id: DefId,
453         parent_substs: &[Kind<'tcx>],
454         has_self: bool,
455         self_ty: Option<Ty<'tcx>>,
456         args_for_def_id: impl Fn(DefId) -> (Option<&'b GenericArgs>, bool),
457         provided_kind: impl Fn(&GenericParamDef, &GenericArg) -> Kind<'tcx>,
458         inferred_kind: impl Fn(Option<&[Kind<'tcx>]>, &GenericParamDef, bool) -> Kind<'tcx>,
459     ) -> SubstsRef<'tcx> {
460         // Collect the segments of the path; we need to substitute arguments
461         // for parameters throughout the entire path (wherever there are
462         // generic parameters).
463         let mut parent_defs = tcx.generics_of(def_id);
464         let count = parent_defs.count();
465         let mut stack = vec![(def_id, parent_defs)];
466         while let Some(def_id) = parent_defs.parent {
467             parent_defs = tcx.generics_of(def_id);
468             stack.push((def_id, parent_defs));
469         }
470
471         // We manually build up the substitution, rather than using convenience
472         // methods in `subst.rs`, so that we can iterate over the arguments and
473         // parameters in lock-step linearly, instead of trying to match each pair.
474         let mut substs: SmallVec<[Kind<'tcx>; 8]> = SmallVec::with_capacity(count);
475
476         // Iterate over each segment of the path.
477         while let Some((def_id, defs)) = stack.pop() {
478             let mut params = defs.params.iter().peekable();
479
480             // If we have already computed substitutions for parents, we can use those directly.
481             while let Some(&param) = params.peek() {
482                 if let Some(&kind) = parent_substs.get(param.index as usize) {
483                     substs.push(kind);
484                     params.next();
485                 } else {
486                     break;
487                 }
488             }
489
490             // `Self` is handled first, unless it's been handled in `parent_substs`.
491             if has_self {
492                 if let Some(&param) = params.peek() {
493                     if param.index == 0 {
494                         if let GenericParamDefKind::Type { .. } = param.kind {
495                             substs.push(self_ty.map(|ty| ty.into())
496                                 .unwrap_or_else(|| inferred_kind(None, param, true)));
497                             params.next();
498                         }
499                     }
500                 }
501             }
502
503             // Check whether this segment takes generic arguments and the user has provided any.
504             let (generic_args, infer_types) = args_for_def_id(def_id);
505
506             let mut args = generic_args.iter().flat_map(|generic_args| generic_args.args.iter())
507                 .peekable();
508
509             loop {
510                 // We're going to iterate through the generic arguments that the user
511                 // provided, matching them with the generic parameters we expect.
512                 // Mismatches can occur as a result of elided lifetimes, or for malformed
513                 // input. We try to handle both sensibly.
514                 match (args.peek(), params.peek()) {
515                     (Some(&arg), Some(&param)) => {
516                         match (arg, &param.kind) {
517                             (GenericArg::Lifetime(_), GenericParamDefKind::Lifetime)
518                             | (GenericArg::Type(_), GenericParamDefKind::Type { .. })
519                             | (GenericArg::Const(_), GenericParamDefKind::Const) => {
520                                 substs.push(provided_kind(param, arg));
521                                 args.next();
522                                 params.next();
523                             }
524                             (GenericArg::Type(_), GenericParamDefKind::Lifetime)
525                             | (GenericArg::Const(_), GenericParamDefKind::Lifetime) => {
526                                 // We expected a lifetime argument, but got a type or const
527                                 // argument. That means we're inferring the lifetimes.
528                                 substs.push(inferred_kind(None, param, infer_types));
529                                 params.next();
530                             }
531                             (_, _) => {
532                                 // We expected one kind of parameter, but the user provided
533                                 // another. This is an error, but we need to handle it
534                                 // gracefully so we can report sensible errors.
535                                 // In this case, we're simply going to infer this argument.
536                                 args.next();
537                             }
538                         }
539                     }
540                     (Some(_), None) => {
541                         // We should never be able to reach this point with well-formed input.
542                         // Getting to this point means the user supplied more arguments than
543                         // there are parameters.
544                         args.next();
545                     }
546                     (None, Some(&param)) => {
547                         // If there are fewer arguments than parameters, it means
548                         // we're inferring the remaining arguments.
549                         substs.push(inferred_kind(Some(&substs), param, infer_types));
550                         args.next();
551                         params.next();
552                     }
553                     (None, None) => break,
554                 }
555             }
556         }
557
558         tcx.intern_substs(&substs)
559     }
560
561     /// Given the type/region arguments provided to some path (along with
562     /// an implicit `Self`, if this is a trait reference) returns the complete
563     /// set of substitutions. This may involve applying defaulted type parameters.
564     ///
565     /// Note that the type listing given here is *exactly* what the user provided.
566     fn create_substs_for_ast_path(&self,
567         span: Span,
568         def_id: DefId,
569         generic_args: &hir::GenericArgs,
570         infer_types: bool,
571         self_ty: Option<Ty<'tcx>>)
572         -> (SubstsRef<'tcx>, Vec<ConvertedBinding<'tcx>>, Option<Vec<Span>>)
573     {
574         // If the type is parameterized by this region, then replace this
575         // region with the current anon region binding (in other words,
576         // whatever & would get replaced with).
577         debug!("create_substs_for_ast_path(def_id={:?}, self_ty={:?}, \
578                 generic_args={:?})",
579                def_id, self_ty, generic_args);
580
581         let tcx = self.tcx();
582         let generic_params = tcx.generics_of(def_id);
583
584         // If a self-type was declared, one should be provided.
585         assert_eq!(generic_params.has_self, self_ty.is_some());
586
587         let has_self = generic_params.has_self;
588         let (_, potential_assoc_types) = Self::check_generic_arg_count(
589             tcx,
590             span,
591             &generic_params,
592             &generic_args,
593             GenericArgPosition::Type,
594             has_self,
595             infer_types,
596         );
597
598         let is_object = self_ty.map_or(false, |ty| ty.sty == TRAIT_OBJECT_DUMMY_SELF);
599         let default_needs_object_self = |param: &ty::GenericParamDef| {
600             if let GenericParamDefKind::Type { has_default, .. } = param.kind {
601                 if is_object && has_default {
602                     if tcx.at(span).type_of(param.def_id).has_self_ty() {
603                         // There is no suitable inference default for a type parameter
604                         // that references self, in an object type.
605                         return true;
606                     }
607                 }
608             }
609
610             false
611         };
612
613         let substs = Self::create_substs_for_generic_args(
614             tcx,
615             def_id,
616             &[][..],
617             self_ty.is_some(),
618             self_ty,
619             // Provide the generic args, and whether types should be inferred.
620             |_| (Some(generic_args), infer_types),
621             // Provide substitutions for parameters for which (valid) arguments have been provided.
622             |param, arg| {
623                 match (&param.kind, arg) {
624                     (GenericParamDefKind::Lifetime, GenericArg::Lifetime(lt)) => {
625                         self.ast_region_to_region(&lt, Some(param)).into()
626                     }
627                     (GenericParamDefKind::Type { .. }, GenericArg::Type(ty)) => {
628                         self.ast_ty_to_ty(&ty).into()
629                     }
630                     (GenericParamDefKind::Const, GenericArg::Const(ct)) => {
631                         self.ast_const_to_const(&ct.value, tcx.type_of(param.def_id)).into()
632                     }
633                     _ => unreachable!(),
634                 }
635             },
636             // Provide substitutions for parameters for which arguments are inferred.
637             |substs, param, infer_types| {
638                 match param.kind {
639                     GenericParamDefKind::Lifetime => tcx.types.re_static.into(),
640                     GenericParamDefKind::Type { has_default, .. } => {
641                         if !infer_types && has_default {
642                             // No type parameter provided, but a default exists.
643
644                             // If we are converting an object type, then the
645                             // `Self` parameter is unknown. However, some of the
646                             // other type parameters may reference `Self` in their
647                             // defaults. This will lead to an ICE if we are not
648                             // careful!
649                             if default_needs_object_self(param) {
650                                 struct_span_err!(tcx.sess, span, E0393,
651                                                     "the type parameter `{}` must be explicitly \
652                                                      specified",
653                                                     param.name)
654                                     .span_label(span,
655                                                 format!("missing reference to `{}`", param.name))
656                                     .note(&format!("because of the default `Self` reference, \
657                                                     type parameters must be specified on object \
658                                                     types"))
659                                     .emit();
660                                 tcx.types.err.into()
661                             } else {
662                                 // This is a default type parameter.
663                                 self.normalize_ty(
664                                     span,
665                                     tcx.at(span).type_of(param.def_id)
666                                        .subst_spanned(tcx, substs.unwrap(), Some(span))
667                                 ).into()
668                             }
669                         } else if infer_types {
670                             // No type parameters were provided, we can infer all.
671                             if !default_needs_object_self(param) {
672                                 self.ty_infer_for_def(param, span).into()
673                             } else {
674                                 self.ty_infer(span).into()
675                             }
676                         } else {
677                             // We've already errored above about the mismatch.
678                             tcx.types.err.into()
679                         }
680                     }
681                     GenericParamDefKind::Const => {
682                         // FIXME(const_generics:defaults)
683                         // We've already errored above about the mismatch.
684                         tcx.types.err.into()
685                     }
686                 }
687             },
688         );
689
690         let assoc_bindings = generic_args.bindings.iter().map(|binding| {
691             ConvertedBinding {
692                 item_name: binding.ident,
693                 ty: self.ast_ty_to_ty(&binding.ty),
694                 span: binding.span,
695             }
696         }).collect();
697
698         debug!("create_substs_for_ast_path(generic_params={:?}, self_ty={:?}) -> {:?}",
699                generic_params, self_ty, substs);
700
701         (substs, assoc_bindings, potential_assoc_types)
702     }
703
704     /// Instantiates the path for the given trait reference, assuming that it's
705     /// bound to a valid trait type. Returns the def_id for the defining trait.
706     /// The type _cannot_ be a type other than a trait type.
707     ///
708     /// If the `projections` argument is `None`, then assoc type bindings like `Foo<T = X>`
709     /// are disallowed. Otherwise, they are pushed onto the vector given.
710     pub fn instantiate_mono_trait_ref(&self,
711         trait_ref: &hir::TraitRef,
712         self_ty: Ty<'tcx>)
713         -> ty::TraitRef<'tcx>
714     {
715         self.prohibit_generics(trait_ref.path.segments.split_last().unwrap().1);
716
717         self.ast_path_to_mono_trait_ref(trait_ref.path.span,
718                                         trait_ref.trait_def_id(),
719                                         self_ty,
720                                         trait_ref.path.segments.last().unwrap())
721     }
722
723     /// The given trait-ref must actually be a trait.
724     pub(super) fn instantiate_poly_trait_ref_inner(&self,
725         trait_ref: &hir::TraitRef,
726         self_ty: Ty<'tcx>,
727         poly_projections: &mut Vec<(ty::PolyProjectionPredicate<'tcx>, Span)>,
728         speculative: bool)
729         -> (ty::PolyTraitRef<'tcx>, Option<Vec<Span>>)
730     {
731         let trait_def_id = trait_ref.trait_def_id();
732
733         debug!("instantiate_poly_trait_ref({:?}, def_id={:?})", trait_ref, trait_def_id);
734
735         self.prohibit_generics(trait_ref.path.segments.split_last().unwrap().1);
736
737         let (substs, assoc_bindings, potential_assoc_types) = self.create_substs_for_ast_trait_ref(
738             trait_ref.path.span,
739             trait_def_id,
740             self_ty,
741             trait_ref.path.segments.last().unwrap(),
742         );
743         let poly_trait_ref = ty::Binder::bind(ty::TraitRef::new(trait_def_id, substs));
744
745         let mut dup_bindings = FxHashMap::default();
746         poly_projections.extend(assoc_bindings.iter().filter_map(|binding| {
747             // specify type to assert that error was already reported in Err case:
748             let predicate: Result<_, ErrorReported> =
749                 self.ast_type_binding_to_poly_projection_predicate(
750                     trait_ref.hir_ref_id, poly_trait_ref, binding, speculative, &mut dup_bindings);
751             // okay to ignore Err because of ErrorReported (see above)
752             Some((predicate.ok()?, binding.span))
753         }));
754
755         debug!("instantiate_poly_trait_ref({:?}, projections={:?}) -> {:?}",
756                trait_ref, poly_projections, poly_trait_ref);
757         (poly_trait_ref, potential_assoc_types)
758     }
759
760     pub fn instantiate_poly_trait_ref(&self,
761         poly_trait_ref: &hir::PolyTraitRef,
762         self_ty: Ty<'tcx>,
763         poly_projections: &mut Vec<(ty::PolyProjectionPredicate<'tcx>, Span)>)
764         -> (ty::PolyTraitRef<'tcx>, Option<Vec<Span>>)
765     {
766         self.instantiate_poly_trait_ref_inner(&poly_trait_ref.trait_ref, self_ty,
767                                               poly_projections, false)
768     }
769
770     fn ast_path_to_mono_trait_ref(&self,
771                                   span: Span,
772                                   trait_def_id: DefId,
773                                   self_ty: Ty<'tcx>,
774                                   trait_segment: &hir::PathSegment)
775                                   -> ty::TraitRef<'tcx>
776     {
777         let (substs, assoc_bindings, _) =
778             self.create_substs_for_ast_trait_ref(span,
779                                                  trait_def_id,
780                                                  self_ty,
781                                                  trait_segment);
782         assoc_bindings.first().map(|b| AstConv::prohibit_assoc_ty_binding(self.tcx(), b.span));
783         ty::TraitRef::new(trait_def_id, substs)
784     }
785
786     fn create_substs_for_ast_trait_ref(
787         &self,
788         span: Span,
789         trait_def_id: DefId,
790         self_ty: Ty<'tcx>,
791         trait_segment: &hir::PathSegment,
792     ) -> (SubstsRef<'tcx>, Vec<ConvertedBinding<'tcx>>, Option<Vec<Span>>) {
793         debug!("create_substs_for_ast_trait_ref(trait_segment={:?})",
794                trait_segment);
795
796         let trait_def = self.tcx().trait_def(trait_def_id);
797
798         if !self.tcx().features().unboxed_closures &&
799             trait_segment.with_generic_args(|generic_args| generic_args.parenthesized)
800             != trait_def.paren_sugar {
801             // For now, require that parenthetical notation be used only with `Fn()` etc.
802             let msg = if trait_def.paren_sugar {
803                 "the precise format of `Fn`-family traits' type parameters is subject to change. \
804                  Use parenthetical notation (Fn(Foo, Bar) -> Baz) instead"
805             } else {
806                 "parenthetical notation is only stable when used with `Fn`-family traits"
807             };
808             emit_feature_err(&self.tcx().sess.parse_sess, "unboxed_closures",
809                              span, GateIssue::Language, msg);
810         }
811
812         trait_segment.with_generic_args(|generic_args| {
813             self.create_substs_for_ast_path(span,
814                                             trait_def_id,
815                                             generic_args,
816                                             trait_segment.infer_types,
817                                             Some(self_ty))
818         })
819     }
820
821     fn trait_defines_associated_type_named(&self,
822                                            trait_def_id: DefId,
823                                            assoc_name: ast::Ident)
824                                            -> bool
825     {
826         self.tcx().associated_items(trait_def_id).any(|item| {
827             item.kind == ty::AssociatedKind::Type &&
828             self.tcx().hygienic_eq(assoc_name, item.ident, trait_def_id)
829         })
830     }
831
832     fn ast_type_binding_to_poly_projection_predicate(
833         &self,
834         hir_ref_id: hir::HirId,
835         trait_ref: ty::PolyTraitRef<'tcx>,
836         binding: &ConvertedBinding<'tcx>,
837         speculative: bool,
838         dup_bindings: &mut FxHashMap<DefId, Span>)
839         -> Result<ty::PolyProjectionPredicate<'tcx>, ErrorReported>
840     {
841         let tcx = self.tcx();
842
843         if !speculative {
844             // Given something like `U: SomeTrait<T = X>`, we want to produce a
845             // predicate like `<U as SomeTrait>::T = X`. This is somewhat
846             // subtle in the event that `T` is defined in a supertrait of
847             // `SomeTrait`, because in that case we need to upcast.
848             //
849             // That is, consider this case:
850             //
851             // ```
852             // trait SubTrait: SuperTrait<int> { }
853             // trait SuperTrait<A> { type T; }
854             //
855             // ... B : SubTrait<T=foo> ...
856             // ```
857             //
858             // We want to produce `<B as SuperTrait<int>>::T == foo`.
859
860             // Find any late-bound regions declared in `ty` that are not
861             // declared in the trait-ref. These are not wellformed.
862             //
863             // Example:
864             //
865             //     for<'a> <T as Iterator>::Item = &'a str // <-- 'a is bad
866             //     for<'a> <T as FnMut<(&'a u32,)>>::Output = &'a str // <-- 'a is ok
867             let late_bound_in_trait_ref = tcx.collect_constrained_late_bound_regions(&trait_ref);
868             let late_bound_in_ty =
869                 tcx.collect_referenced_late_bound_regions(&ty::Binder::bind(binding.ty));
870             debug!("late_bound_in_trait_ref = {:?}", late_bound_in_trait_ref);
871             debug!("late_bound_in_ty = {:?}", late_bound_in_ty);
872             for br in late_bound_in_ty.difference(&late_bound_in_trait_ref) {
873                 let br_name = match *br {
874                     ty::BrNamed(_, name) => name,
875                     _ => {
876                         span_bug!(
877                             binding.span,
878                             "anonymous bound region {:?} in binding but not trait ref",
879                             br);
880                     }
881                 };
882                 struct_span_err!(tcx.sess,
883                                 binding.span,
884                                 E0582,
885                                 "binding for associated type `{}` references lifetime `{}`, \
886                                  which does not appear in the trait input types",
887                                 binding.item_name, br_name)
888                     .emit();
889             }
890         }
891
892         let candidate = if self.trait_defines_associated_type_named(trait_ref.def_id(),
893                                                                     binding.item_name) {
894             // Simple case: X is defined in the current trait.
895             Ok(trait_ref)
896         } else {
897             // Otherwise, we have to walk through the supertraits to find
898             // those that do.
899             let candidates = traits::supertraits(tcx, trait_ref).filter(|r| {
900                 self.trait_defines_associated_type_named(r.def_id(), binding.item_name)
901             });
902             self.one_bound_for_assoc_type(candidates, &trait_ref.to_string(),
903                                           binding.item_name, binding.span)
904         }?;
905
906         let (assoc_ident, def_scope) =
907             tcx.adjust_ident(binding.item_name, candidate.def_id(), hir_ref_id);
908         let assoc_ty = tcx.associated_items(candidate.def_id()).find(|i| {
909             i.kind == ty::AssociatedKind::Type && i.ident.modern() == assoc_ident
910         }).expect("missing associated type");
911
912         if !assoc_ty.vis.is_accessible_from(def_scope, tcx) {
913             let msg = format!("associated type `{}` is private", binding.item_name);
914             tcx.sess.span_err(binding.span, &msg);
915         }
916         tcx.check_stability(assoc_ty.def_id, Some(hir_ref_id), binding.span);
917
918         if !speculative {
919             dup_bindings.entry(assoc_ty.def_id)
920                 .and_modify(|prev_span| {
921                     struct_span_err!(self.tcx().sess, binding.span, E0719,
922                                      "the value of the associated type `{}` (from the trait `{}`) \
923                                       is already specified",
924                                      binding.item_name,
925                                      tcx.item_path_str(assoc_ty.container.id()))
926                         .span_label(binding.span, "re-bound here")
927                         .span_label(*prev_span, format!("`{}` bound here first", binding.item_name))
928                         .emit();
929                 })
930                 .or_insert(binding.span);
931         }
932
933         Ok(candidate.map_bound(|trait_ref| {
934             ty::ProjectionPredicate {
935                 projection_ty: ty::ProjectionTy::from_ref_and_name(
936                     tcx,
937                     trait_ref,
938                     binding.item_name,
939                 ),
940                 ty: binding.ty,
941             }
942         }))
943     }
944
945     fn ast_path_to_ty(&self,
946         span: Span,
947         did: DefId,
948         item_segment: &hir::PathSegment)
949         -> Ty<'tcx>
950     {
951         let substs = self.ast_path_substs_for_ty(span, did, item_segment);
952         self.normalize_ty(
953             span,
954             self.tcx().at(span).type_of(did).subst(self.tcx(), substs)
955         )
956     }
957
958     /// Transform a `PolyTraitRef` into a `PolyExistentialTraitRef` by
959     /// removing the dummy `Self` type (`TRAIT_OBJECT_DUMMY_SELF`).
960     fn trait_ref_to_existential(&self, trait_ref: ty::TraitRef<'tcx>)
961                                 -> ty::ExistentialTraitRef<'tcx> {
962         assert_eq!(trait_ref.self_ty().sty, TRAIT_OBJECT_DUMMY_SELF);
963         ty::ExistentialTraitRef::erase_self_ty(self.tcx(), trait_ref)
964     }
965
966     fn conv_object_ty_poly_trait_ref(&self,
967         span: Span,
968         trait_bounds: &[hir::PolyTraitRef],
969         lifetime: &hir::Lifetime)
970         -> Ty<'tcx>
971     {
972         let tcx = self.tcx();
973
974         if trait_bounds.is_empty() {
975             span_err!(tcx.sess, span, E0224,
976                       "at least one non-builtin trait is required for an object type");
977             return tcx.types.err;
978         }
979
980         let mut projection_bounds = Vec::new();
981         let dummy_self = tcx.mk_ty(TRAIT_OBJECT_DUMMY_SELF);
982         let (principal, potential_assoc_types) = self.instantiate_poly_trait_ref(
983             &trait_bounds[0],
984             dummy_self,
985             &mut projection_bounds,
986         );
987         debug!("principal: {:?}", principal);
988
989         for trait_bound in trait_bounds[1..].iter() {
990             // sanity check for non-principal trait bounds
991             self.instantiate_poly_trait_ref(trait_bound,
992                                             dummy_self,
993                                             &mut vec![]);
994         }
995
996         let (mut auto_traits, trait_bounds) = split_auto_traits(tcx, &trait_bounds[1..]);
997
998         if !trait_bounds.is_empty() {
999             let b = &trait_bounds[0];
1000             let span = b.trait_ref.path.span;
1001             struct_span_err!(self.tcx().sess, span, E0225,
1002                 "only auto traits can be used as additional traits in a trait object")
1003                 .span_label(span, "non-auto additional trait")
1004                 .emit();
1005         }
1006
1007         // Check that there are no gross object safety violations;
1008         // most importantly, that the supertraits don't contain `Self`,
1009         // to avoid ICEs.
1010         let object_safety_violations =
1011             tcx.global_tcx().astconv_object_safety_violations(principal.def_id());
1012         if !object_safety_violations.is_empty() {
1013             tcx.report_object_safety_error(
1014                 span, principal.def_id(), object_safety_violations)
1015                .emit();
1016             return tcx.types.err;
1017         }
1018
1019         // Use a `BTreeSet` to keep output in a more consistent order.
1020         let mut associated_types = BTreeSet::default();
1021
1022         for tr in traits::elaborate_trait_ref(tcx, principal) {
1023             debug!("conv_object_ty_poly_trait_ref: observing object predicate `{:?}`", tr);
1024             match tr {
1025                 ty::Predicate::Trait(pred) => {
1026                     associated_types.extend(tcx.associated_items(pred.def_id())
1027                                     .filter(|item| item.kind == ty::AssociatedKind::Type)
1028                                     .map(|item| item.def_id));
1029                 }
1030                 ty::Predicate::Projection(pred) => {
1031                     // A `Self` within the original bound will be substituted with a
1032                     // `TRAIT_OBJECT_DUMMY_SELF`, so check for that.
1033                     let references_self =
1034                         pred.skip_binder().ty.walk().any(|t| t == dummy_self);
1035
1036                     // If the projection output contains `Self`, force the user to
1037                     // elaborate it explicitly to avoid a bunch of complexity.
1038                     //
1039                     // The "classicaly useful" case is the following:
1040                     // ```
1041                     //     trait MyTrait: FnMut() -> <Self as MyTrait>::MyOutput {
1042                     //         type MyOutput;
1043                     //     }
1044                     // ```
1045                     //
1046                     // Here, the user could theoretically write `dyn MyTrait<Output=X>`,
1047                     // but actually supporting that would "expand" to an infinitely-long type
1048                     // `fix $ Ï„ â†’ dyn MyTrait<MyOutput=X, Output=<Ï„ as MyTrait>::MyOutput`.
1049                     //
1050                     // Instead, we force the user to write `dyn MyTrait<MyOutput=X, Output=X>`,
1051                     // which is uglier but works. See the discussion in #56288 for alternatives.
1052                     if !references_self {
1053                         // Include projections defined on supertraits,
1054                         projection_bounds.push((pred, DUMMY_SP))
1055                     }
1056                 }
1057                 _ => ()
1058             }
1059         }
1060
1061         for (projection_bound, _) in &projection_bounds {
1062             associated_types.remove(&projection_bound.projection_def_id());
1063         }
1064
1065         if !associated_types.is_empty() {
1066             let names = associated_types.iter().map(|item_def_id| {
1067                 let assoc_item = tcx.associated_item(*item_def_id);
1068                 let trait_def_id = assoc_item.container.id();
1069                 format!(
1070                     "`{}` (from the trait `{}`)",
1071                     assoc_item.ident,
1072                     tcx.item_path_str(trait_def_id),
1073                 )
1074             }).collect::<Vec<_>>().join(", ");
1075             let mut err = struct_span_err!(
1076                 tcx.sess,
1077                 span,
1078                 E0191,
1079                 "the value of the associated type{} {} must be specified",
1080                 if associated_types.len() == 1 { "" } else { "s" },
1081                 names,
1082             );
1083             let mut suggest = false;
1084             let mut potential_assoc_types_spans = vec![];
1085             if let Some(potential_assoc_types) = potential_assoc_types {
1086                 if potential_assoc_types.len() == associated_types.len() {
1087                     // Only suggest when the amount of missing associated types is equals to the
1088                     // extra type arguments present, as that gives us a relatively high confidence
1089                     // that the user forgot to give the associtated type's name. The canonical
1090                     // example would be trying to use `Iterator<isize>` instead of
1091                     // `Iterator<Item=isize>`.
1092                     suggest = true;
1093                     potential_assoc_types_spans = potential_assoc_types;
1094                 }
1095             }
1096             let mut suggestions = vec![];
1097             for (i, item_def_id) in associated_types.iter().enumerate() {
1098                 let assoc_item = tcx.associated_item(*item_def_id);
1099                 err.span_label(
1100                     span,
1101                     format!("associated type `{}` must be specified", assoc_item.ident),
1102                 );
1103                 if item_def_id.is_local() {
1104                     err.span_label(
1105                         tcx.def_span(*item_def_id),
1106                         format!("`{}` defined here", assoc_item.ident),
1107                     );
1108                 }
1109                 if suggest {
1110                     if let Ok(snippet) = tcx.sess.source_map().span_to_snippet(
1111                         potential_assoc_types_spans[i],
1112                     ) {
1113                         suggestions.push((
1114                             potential_assoc_types_spans[i],
1115                             format!("{} = {}", assoc_item.ident, snippet),
1116                         ));
1117                     }
1118                 }
1119             }
1120             if !suggestions.is_empty() {
1121                 let msg = format!("if you meant to specify the associated {}, write",
1122                     if suggestions.len() == 1 { "type" } else { "types" });
1123                 err.multipart_suggestion(
1124                     &msg,
1125                     suggestions,
1126                     Applicability::MaybeIncorrect,
1127                 );
1128             }
1129             err.emit();
1130         }
1131
1132         // Erase the `dummy_self` (`TRAIT_OBJECT_DUMMY_SELF`) used above.
1133         let existential_principal = principal.map_bound(|trait_ref| {
1134             self.trait_ref_to_existential(trait_ref)
1135         });
1136         let existential_projections = projection_bounds.iter().map(|(bound, _)| {
1137             bound.map_bound(|b| {
1138                 let trait_ref = self.trait_ref_to_existential(b.projection_ty.trait_ref(tcx));
1139                 ty::ExistentialProjection {
1140                     ty: b.ty,
1141                     item_def_id: b.projection_ty.item_def_id,
1142                     substs: trait_ref.substs,
1143                 }
1144             })
1145         });
1146
1147         // Dedup auto traits so that `dyn Trait + Send + Send` is the same as `dyn Trait + Send`.
1148         auto_traits.sort();
1149         auto_traits.dedup();
1150
1151         // Calling `skip_binder` is okay, because the predicates are re-bound.
1152         let principal = if tcx.trait_is_auto(existential_principal.def_id()) {
1153             ty::ExistentialPredicate::AutoTrait(existential_principal.def_id())
1154         } else {
1155             ty::ExistentialPredicate::Trait(*existential_principal.skip_binder())
1156         };
1157         let mut v =
1158             iter::once(principal)
1159             .chain(auto_traits.into_iter().map(ty::ExistentialPredicate::AutoTrait))
1160             .chain(existential_projections
1161                 .map(|x| ty::ExistentialPredicate::Projection(*x.skip_binder())))
1162             .collect::<SmallVec<[_; 8]>>();
1163         v.sort_by(|a, b| a.stable_cmp(tcx, b));
1164         v.dedup();
1165         let existential_predicates = ty::Binder::bind(tcx.mk_existential_predicates(v.into_iter()));
1166
1167         // Use explicitly-specified region bound.
1168         let region_bound = if !lifetime.is_elided() {
1169             self.ast_region_to_region(lifetime, None)
1170         } else {
1171             self.compute_object_lifetime_bound(span, existential_predicates).unwrap_or_else(|| {
1172                 if tcx.named_region(lifetime.hir_id).is_some() {
1173                     self.ast_region_to_region(lifetime, None)
1174                 } else {
1175                     self.re_infer(span, None).unwrap_or_else(|| {
1176                         span_err!(tcx.sess, span, E0228,
1177                                   "the lifetime bound for this object type cannot be deduced \
1178                                    from context; please supply an explicit bound");
1179                         tcx.types.re_static
1180                     })
1181                 }
1182             })
1183         };
1184
1185         debug!("region_bound: {:?}", region_bound);
1186
1187         let ty = tcx.mk_dynamic(existential_predicates, region_bound);
1188         debug!("trait_object_type: {:?}", ty);
1189         ty
1190     }
1191
1192     fn report_ambiguous_associated_type(&self,
1193                                         span: Span,
1194                                         type_str: &str,
1195                                         trait_str: &str,
1196                                         name: &str) {
1197         struct_span_err!(self.tcx().sess, span, E0223, "ambiguous associated type")
1198             .span_suggestion(
1199                 span,
1200                 "use fully-qualified syntax",
1201                 format!("<{} as {}>::{}", type_str, trait_str, name),
1202                 Applicability::HasPlaceholders
1203             ).emit();
1204     }
1205
1206     // Search for a bound on a type parameter which includes the associated item
1207     // given by `assoc_name`. `ty_param_def_id` is the `DefId` for the type parameter
1208     // This function will fail if there are no suitable bounds or there is
1209     // any ambiguity.
1210     fn find_bound_for_assoc_item(&self,
1211                                  ty_param_def_id: DefId,
1212                                  assoc_name: ast::Ident,
1213                                  span: Span)
1214                                  -> Result<ty::PolyTraitRef<'tcx>, ErrorReported>
1215     {
1216         let tcx = self.tcx();
1217
1218         let predicates = &self.get_type_parameter_bounds(span, ty_param_def_id).predicates;
1219         let bounds = predicates.iter().filter_map(|(p, _)| p.to_opt_poly_trait_ref());
1220
1221         // Check that there is exactly one way to find an associated type with the
1222         // correct name.
1223         let suitable_bounds = traits::transitive_bounds(tcx, bounds)
1224             .filter(|b| self.trait_defines_associated_type_named(b.def_id(), assoc_name));
1225
1226         let param_hir_id = tcx.hir().as_local_hir_id(ty_param_def_id).unwrap();
1227         let param_name = tcx.hir().ty_param_name(param_hir_id);
1228         self.one_bound_for_assoc_type(suitable_bounds,
1229                                       &param_name.as_str(),
1230                                       assoc_name,
1231                                       span)
1232     }
1233
1234     // Checks that `bounds` contains exactly one element and reports appropriate
1235     // errors otherwise.
1236     fn one_bound_for_assoc_type<I>(&self,
1237                                    mut bounds: I,
1238                                    ty_param_name: &str,
1239                                    assoc_name: ast::Ident,
1240                                    span: Span)
1241         -> Result<ty::PolyTraitRef<'tcx>, ErrorReported>
1242         where I: Iterator<Item=ty::PolyTraitRef<'tcx>>
1243     {
1244         let bound = match bounds.next() {
1245             Some(bound) => bound,
1246             None => {
1247                 struct_span_err!(self.tcx().sess, span, E0220,
1248                                  "associated type `{}` not found for `{}`",
1249                                  assoc_name,
1250                                  ty_param_name)
1251                   .span_label(span, format!("associated type `{}` not found", assoc_name))
1252                   .emit();
1253                 return Err(ErrorReported);
1254             }
1255         };
1256
1257         if let Some(bound2) = bounds.next() {
1258             let bounds = iter::once(bound).chain(iter::once(bound2)).chain(bounds);
1259             let mut err = struct_span_err!(
1260                 self.tcx().sess, span, E0221,
1261                 "ambiguous associated type `{}` in bounds of `{}`",
1262                 assoc_name,
1263                 ty_param_name);
1264             err.span_label(span, format!("ambiguous associated type `{}`", assoc_name));
1265
1266             for bound in bounds {
1267                 let bound_span = self.tcx().associated_items(bound.def_id()).find(|item| {
1268                     item.kind == ty::AssociatedKind::Type &&
1269                         self.tcx().hygienic_eq(assoc_name, item.ident, bound.def_id())
1270                 })
1271                 .and_then(|item| self.tcx().hir().span_if_local(item.def_id));
1272
1273                 if let Some(span) = bound_span {
1274                     err.span_label(span, format!("ambiguous `{}` from `{}`",
1275                                                  assoc_name,
1276                                                  bound));
1277                 } else {
1278                     span_note!(&mut err, span,
1279                                "associated type `{}` could derive from `{}`",
1280                                ty_param_name,
1281                                bound);
1282                 }
1283             }
1284             err.emit();
1285         }
1286
1287         return Ok(bound);
1288     }
1289
1290     // Create a type from a path to an associated type.
1291     // For a path `A::B::C::D`, `qself_ty` and `qself_def` are the type and def for `A::B::C`
1292     // and item_segment is the path segment for `D`. We return a type and a def for
1293     // the whole path.
1294     // Will fail except for `T::A` and `Self::A`; i.e., if `qself_ty`/`qself_def` are not a type
1295     // parameter or `Self`.
1296     pub fn associated_path_to_ty(
1297         &self,
1298         hir_ref_id: hir::HirId,
1299         span: Span,
1300         qself_ty: Ty<'tcx>,
1301         qself_def: Def,
1302         assoc_segment: &hir::PathSegment,
1303         permit_variants: bool,
1304     ) -> (Ty<'tcx>, Def) {
1305         let tcx = self.tcx();
1306         let assoc_ident = assoc_segment.ident;
1307
1308         debug!("associated_path_to_ty: {:?}::{}", qself_ty, assoc_ident);
1309
1310         self.prohibit_generics(slice::from_ref(assoc_segment));
1311
1312         // Check if we have an enum variant.
1313         let mut variant_resolution = None;
1314         if let ty::Adt(adt_def, _) = qself_ty.sty {
1315             if adt_def.is_enum() {
1316                 let variant_def = adt_def.variants.iter().find(|vd| {
1317                     tcx.hygienic_eq(assoc_ident, vd.ident, adt_def.did)
1318                 });
1319                 if let Some(variant_def) = variant_def {
1320                     let def = Def::Variant(variant_def.did);
1321                     if permit_variants {
1322                         check_type_alias_enum_variants_enabled(tcx, span);
1323                         tcx.check_stability(variant_def.did, Some(hir_ref_id), span);
1324                         return (qself_ty, def);
1325                     } else {
1326                         variant_resolution = Some(def);
1327                     }
1328                 }
1329             }
1330         }
1331
1332         // Find the type of the associated item, and the trait where the associated
1333         // item is declared.
1334         let bound = match (&qself_ty.sty, qself_def) {
1335             (_, Def::SelfTy(Some(_), Some(impl_def_id))) => {
1336                 // `Self` in an impl of a trait -- we have a concrete self type and a
1337                 // trait reference.
1338                 let trait_ref = match tcx.impl_trait_ref(impl_def_id) {
1339                     Some(trait_ref) => trait_ref,
1340                     None => {
1341                         // A cycle error occurred, most likely.
1342                         return (tcx.types.err, Def::Err);
1343                     }
1344                 };
1345
1346                 let candidates = traits::supertraits(tcx, ty::Binder::bind(trait_ref))
1347                     .filter(|r| self.trait_defines_associated_type_named(r.def_id(), assoc_ident));
1348
1349                 match self.one_bound_for_assoc_type(candidates, "Self", assoc_ident, span) {
1350                     Ok(bound) => bound,
1351                     Err(ErrorReported) => return (tcx.types.err, Def::Err),
1352                 }
1353             }
1354             (&ty::Param(_), Def::SelfTy(Some(param_did), None)) |
1355             (&ty::Param(_), Def::TyParam(param_did)) => {
1356                 match self.find_bound_for_assoc_item(param_did, assoc_ident, span) {
1357                     Ok(bound) => bound,
1358                     Err(ErrorReported) => return (tcx.types.err, Def::Err),
1359                 }
1360             }
1361             _ => {
1362                 if variant_resolution.is_some() {
1363                     // Variant in type position
1364                     let msg = format!("expected type, found variant `{}`", assoc_ident);
1365                     tcx.sess.span_err(span, &msg);
1366                 } else if qself_ty.is_enum() {
1367                     // Report as incorrect enum variant rather than ambiguous type.
1368                     let mut err = tcx.sess.struct_span_err(
1369                         span,
1370                         &format!("no variant `{}` on enum `{}`", &assoc_ident.as_str(), qself_ty),
1371                     );
1372                     // Check if it was a typo.
1373                     let adt_def = qself_ty.ty_adt_def().expect("enum is not an ADT");
1374                     if let Some(suggested_name) = find_best_match_for_name(
1375                         adt_def.variants.iter().map(|variant| &variant.ident.name),
1376                         &assoc_ident.as_str(),
1377                         None,
1378                     ) {
1379                         err.span_suggestion(
1380                             span,
1381                             "did you mean",
1382                             format!("{}::{}", qself_ty, suggested_name),
1383                             Applicability::MaybeIncorrect,
1384                         );
1385                     } else {
1386                         err.span_label(span, "unknown variant");
1387                     }
1388                     err.emit();
1389                 } else if !qself_ty.references_error() {
1390                     // Don't print `TyErr` to the user.
1391                     self.report_ambiguous_associated_type(span,
1392                                                           &qself_ty.to_string(),
1393                                                           "Trait",
1394                                                           &assoc_ident.as_str());
1395                 }
1396                 return (tcx.types.err, Def::Err);
1397             }
1398         };
1399
1400         let trait_did = bound.def_id();
1401         let (assoc_ident, def_scope) = tcx.adjust_ident(assoc_ident, trait_did, hir_ref_id);
1402         let item = tcx.associated_items(trait_did).find(|i| {
1403             Namespace::from(i.kind) == Namespace::Type &&
1404                 i.ident.modern() == assoc_ident
1405         }).expect("missing associated type");
1406
1407         let ty = self.projected_ty_from_poly_trait_ref(span, item.def_id, bound);
1408         let ty = self.normalize_ty(span, ty);
1409
1410         let def = Def::AssociatedTy(item.def_id);
1411         if !item.vis.is_accessible_from(def_scope, tcx) {
1412             let msg = format!("{} `{}` is private", def.kind_name(), assoc_ident);
1413             tcx.sess.span_err(span, &msg);
1414         }
1415         tcx.check_stability(item.def_id, Some(hir_ref_id), span);
1416
1417         if let Some(variant_def) = variant_resolution {
1418             let mut err = tcx.struct_span_lint_hir(
1419                 AMBIGUOUS_ASSOCIATED_ITEMS,
1420                 hir_ref_id,
1421                 span,
1422                 "ambiguous associated item",
1423             );
1424
1425             let mut could_refer_to = |def: Def, also| {
1426                 let note_msg = format!("`{}` could{} refer to {} defined here",
1427                                        assoc_ident, also, def.kind_name());
1428                 err.span_note(tcx.def_span(def.def_id()), &note_msg);
1429             };
1430             could_refer_to(variant_def, "");
1431             could_refer_to(def, " also");
1432
1433             err.span_suggestion(
1434                 span,
1435                 "use fully-qualified syntax",
1436                 format!("<{} as {}>::{}", qself_ty, "Trait", assoc_ident),
1437                 Applicability::HasPlaceholders,
1438             ).emit();
1439         }
1440
1441         (ty, def)
1442     }
1443
1444     fn qpath_to_ty(&self,
1445                    span: Span,
1446                    opt_self_ty: Option<Ty<'tcx>>,
1447                    item_def_id: DefId,
1448                    trait_segment: &hir::PathSegment,
1449                    item_segment: &hir::PathSegment)
1450                    -> Ty<'tcx>
1451     {
1452         let tcx = self.tcx();
1453         let trait_def_id = tcx.parent_def_id(item_def_id).unwrap();
1454
1455         self.prohibit_generics(slice::from_ref(item_segment));
1456
1457         let self_ty = if let Some(ty) = opt_self_ty {
1458             ty
1459         } else {
1460             let path_str = tcx.item_path_str(trait_def_id);
1461             self.report_ambiguous_associated_type(span,
1462                                                   "Type",
1463                                                   &path_str,
1464                                                   &item_segment.ident.as_str());
1465             return tcx.types.err;
1466         };
1467
1468         debug!("qpath_to_ty: self_type={:?}", self_ty);
1469
1470         let trait_ref = self.ast_path_to_mono_trait_ref(span,
1471                                                         trait_def_id,
1472                                                         self_ty,
1473                                                         trait_segment);
1474
1475         debug!("qpath_to_ty: trait_ref={:?}", trait_ref);
1476
1477         self.normalize_ty(span, tcx.mk_projection(item_def_id, trait_ref.substs))
1478     }
1479
1480     pub fn prohibit_generics<'a, T: IntoIterator<Item = &'a hir::PathSegment>>(
1481             &self, segments: T) -> bool {
1482         let mut has_err = false;
1483         for segment in segments {
1484             segment.with_generic_args(|generic_args| {
1485                 let (mut err_for_lt, mut err_for_ty, mut err_for_ct) = (false, false, false);
1486                 for arg in &generic_args.args {
1487                     let (mut span_err, span, kind) = match arg {
1488                         // FIXME(varkor): unify E0109, E0110 and E0111.
1489                         hir::GenericArg::Lifetime(lt) => {
1490                             if err_for_lt { continue }
1491                             err_for_lt = true;
1492                             has_err = true;
1493                             (struct_span_err!(self.tcx().sess, lt.span, E0110,
1494                                               "lifetime arguments are not allowed on this entity"),
1495                              lt.span,
1496                              "lifetime")
1497                         }
1498                         hir::GenericArg::Type(ty) => {
1499                             if err_for_ty { continue }
1500                             err_for_ty = true;
1501                             has_err = true;
1502                             (struct_span_err!(self.tcx().sess, ty.span, E0109,
1503                                               "type arguments are not allowed on this entity"),
1504                              ty.span,
1505                              "type")
1506                         }
1507                         hir::GenericArg::Const(ct) => {
1508                             if err_for_ct { continue }
1509                             err_for_ct = true;
1510                             (struct_span_err!(self.tcx().sess, ct.span, E0111,
1511                                               "const parameters are not allowed on this type"),
1512                              ct.span,
1513                              "const")
1514                         }
1515                     };
1516                     span_err.span_label(span, format!("{} argument not allowed", kind))
1517                             .emit();
1518                     if err_for_lt && err_for_ty && err_for_ct {
1519                         break;
1520                     }
1521                 }
1522                 for binding in &generic_args.bindings {
1523                     has_err = true;
1524                     Self::prohibit_assoc_ty_binding(self.tcx(), binding.span);
1525                     break;
1526                 }
1527             })
1528         }
1529         has_err
1530     }
1531
1532     pub fn prohibit_assoc_ty_binding(tcx: TyCtxt<'_, '_, '_>, span: Span) {
1533         let mut err = struct_span_err!(tcx.sess, span, E0229,
1534                                        "associated type bindings are not allowed here");
1535         err.span_label(span, "associated type not allowed here").emit();
1536     }
1537
1538     pub fn def_ids_for_path_segments(&self,
1539                                      segments: &[hir::PathSegment],
1540                                      self_ty: Option<Ty<'tcx>>,
1541                                      def: Def)
1542                                      -> Vec<PathSeg> {
1543         // We need to extract the type parameters supplied by the user in
1544         // the path `path`. Due to the current setup, this is a bit of a
1545         // tricky-process; the problem is that resolve only tells us the
1546         // end-point of the path resolution, and not the intermediate steps.
1547         // Luckily, we can (at least for now) deduce the intermediate steps
1548         // just from the end-point.
1549         //
1550         // There are basically five cases to consider:
1551         //
1552         // 1. Reference to a constructor of a struct:
1553         //
1554         //        struct Foo<T>(...)
1555         //
1556         //    In this case, the parameters are declared in the type space.
1557         //
1558         // 2. Reference to a constructor of an enum variant:
1559         //
1560         //        enum E<T> { Foo(...) }
1561         //
1562         //    In this case, the parameters are defined in the type space,
1563         //    but may be specified either on the type or the variant.
1564         //
1565         // 3. Reference to a fn item or a free constant:
1566         //
1567         //        fn foo<T>() { }
1568         //
1569         //    In this case, the path will again always have the form
1570         //    `a::b::foo::<T>` where only the final segment should have
1571         //    type parameters. However, in this case, those parameters are
1572         //    declared on a value, and hence are in the `FnSpace`.
1573         //
1574         // 4. Reference to a method or an associated constant:
1575         //
1576         //        impl<A> SomeStruct<A> {
1577         //            fn foo<B>(...)
1578         //        }
1579         //
1580         //    Here we can have a path like
1581         //    `a::b::SomeStruct::<A>::foo::<B>`, in which case parameters
1582         //    may appear in two places. The penultimate segment,
1583         //    `SomeStruct::<A>`, contains parameters in TypeSpace, and the
1584         //    final segment, `foo::<B>` contains parameters in fn space.
1585         //
1586         // 5. Reference to a local variable
1587         //
1588         //    Local variables can't have any type parameters.
1589         //
1590         // The first step then is to categorize the segments appropriately.
1591
1592         let tcx = self.tcx();
1593
1594         assert!(!segments.is_empty());
1595         let last = segments.len() - 1;
1596
1597         let mut path_segs = vec![];
1598
1599         match def {
1600             // Case 1. Reference to a struct constructor.
1601             Def::StructCtor(def_id, ..) |
1602             Def::SelfCtor(.., def_id) => {
1603                 // Everything but the final segment should have no
1604                 // parameters at all.
1605                 let generics = tcx.generics_of(def_id);
1606                 // Variant and struct constructors use the
1607                 // generics of their parent type definition.
1608                 let generics_def_id = generics.parent.unwrap_or(def_id);
1609                 path_segs.push(PathSeg(generics_def_id, last));
1610             }
1611
1612             // Case 2. Reference to a variant constructor.
1613             Def::Variant(def_id) |
1614             Def::VariantCtor(def_id, ..) => {
1615                 let adt_def = self_ty.map(|t| t.ty_adt_def().unwrap());
1616                 let (generics_def_id, index) = if let Some(adt_def) = adt_def {
1617                     debug_assert!(adt_def.is_enum());
1618                     (adt_def.did, last)
1619                 } else if last >= 1 && segments[last - 1].args.is_some() {
1620                     // Everything but the penultimate segment should have no
1621                     // parameters at all.
1622                     let enum_def_id = tcx.parent_def_id(def_id).unwrap();
1623                     (enum_def_id, last - 1)
1624                 } else {
1625                     // FIXME: lint here recommending `Enum::<...>::Variant` form
1626                     // instead of `Enum::Variant::<...>` form.
1627
1628                     // Everything but the final segment should have no
1629                     // parameters at all.
1630                     let generics = tcx.generics_of(def_id);
1631                     // Variant and struct constructors use the
1632                     // generics of their parent type definition.
1633                     (generics.parent.unwrap_or(def_id), last)
1634                 };
1635                 path_segs.push(PathSeg(generics_def_id, index));
1636             }
1637
1638             // Case 3. Reference to a top-level value.
1639             Def::Fn(def_id) |
1640             Def::Const(def_id) |
1641             Def::ConstParam(def_id) |
1642             Def::Static(def_id, _) => {
1643                 path_segs.push(PathSeg(def_id, last));
1644             }
1645
1646             // Case 4. Reference to a method or associated const.
1647             Def::Method(def_id) |
1648             Def::AssociatedConst(def_id) => {
1649                 if segments.len() >= 2 {
1650                     let generics = tcx.generics_of(def_id);
1651                     path_segs.push(PathSeg(generics.parent.unwrap(), last - 1));
1652                 }
1653                 path_segs.push(PathSeg(def_id, last));
1654             }
1655
1656             // Case 5. Local variable, no generics.
1657             Def::Local(..) | Def::Upvar(..) => {}
1658
1659             _ => bug!("unexpected definition: {:?}", def),
1660         }
1661
1662         debug!("path_segs = {:?}", path_segs);
1663
1664         path_segs
1665     }
1666
1667     // Check a type `Path` and convert it to a `Ty`.
1668     pub fn def_to_ty(&self,
1669                      opt_self_ty: Option<Ty<'tcx>>,
1670                      path: &hir::Path,
1671                      permit_variants: bool)
1672                      -> Ty<'tcx> {
1673         let tcx = self.tcx();
1674
1675         debug!("def_to_ty(def={:?}, opt_self_ty={:?}, path_segments={:?})",
1676                path.def, opt_self_ty, path.segments);
1677
1678         let span = path.span;
1679         match path.def {
1680             Def::Existential(did) => {
1681                 // Check for desugared impl trait.
1682                 assert!(ty::is_impl_trait_defn(tcx, did).is_none());
1683                 let item_segment = path.segments.split_last().unwrap();
1684                 self.prohibit_generics(item_segment.1);
1685                 let substs = self.ast_path_substs_for_ty(span, did, item_segment.0);
1686                 self.normalize_ty(
1687                     span,
1688                     tcx.mk_opaque(did, substs),
1689                 )
1690             }
1691             Def::Enum(did) | Def::TyAlias(did) | Def::Struct(did) |
1692             Def::Union(did) | Def::ForeignTy(did) => {
1693                 assert_eq!(opt_self_ty, None);
1694                 self.prohibit_generics(path.segments.split_last().unwrap().1);
1695                 self.ast_path_to_ty(span, did, path.segments.last().unwrap())
1696             }
1697             Def::Variant(_) if permit_variants => {
1698                 // Convert "variant type" as if it were a real type.
1699                 // The resulting `Ty` is type of the variant's enum for now.
1700                 assert_eq!(opt_self_ty, None);
1701
1702                 let path_segs = self.def_ids_for_path_segments(&path.segments, None, path.def);
1703                 let generic_segs: FxHashSet<_> =
1704                     path_segs.iter().map(|PathSeg(_, index)| index).collect();
1705                 self.prohibit_generics(path.segments.iter().enumerate().filter_map(|(index, seg)| {
1706                     if !generic_segs.contains(&index) {
1707                         Some(seg)
1708                     } else {
1709                         None
1710                     }
1711                 }));
1712
1713                 let PathSeg(def_id, index) = path_segs.last().unwrap();
1714                 self.ast_path_to_ty(span, *def_id, &path.segments[*index])
1715             }
1716             Def::TyParam(did) => {
1717                 assert_eq!(opt_self_ty, None);
1718                 self.prohibit_generics(&path.segments);
1719
1720                 let hir_id = tcx.hir().as_local_hir_id(did).unwrap();
1721                 let item_id = tcx.hir().get_parent_node_by_hir_id(hir_id);
1722                 let item_def_id = tcx.hir().local_def_id_from_hir_id(item_id);
1723                 let generics = tcx.generics_of(item_def_id);
1724                 let index = generics.param_def_id_to_index[
1725                     &tcx.hir().local_def_id_from_hir_id(hir_id)];
1726                 tcx.mk_ty_param(index, tcx.hir().name_by_hir_id(hir_id).as_interned_str())
1727             }
1728             Def::SelfTy(_, Some(def_id)) => {
1729                 // `Self` in impl (we know the concrete type).
1730                 assert_eq!(opt_self_ty, None);
1731                 self.prohibit_generics(&path.segments);
1732                 // Try to evaluate any array length constants
1733                 self.normalize_ty(span, tcx.at(span).type_of(def_id))
1734             }
1735             Def::SelfTy(Some(_), None) => {
1736                 // `Self` in trait.
1737                 assert_eq!(opt_self_ty, None);
1738                 self.prohibit_generics(&path.segments);
1739                 tcx.mk_self_type()
1740             }
1741             Def::AssociatedTy(def_id) => {
1742                 debug_assert!(path.segments.len() >= 2);
1743                 self.prohibit_generics(&path.segments[..path.segments.len() - 2]);
1744                 self.qpath_to_ty(span,
1745                                  opt_self_ty,
1746                                  def_id,
1747                                  &path.segments[path.segments.len() - 2],
1748                                  path.segments.last().unwrap())
1749             }
1750             Def::PrimTy(prim_ty) => {
1751                 assert_eq!(opt_self_ty, None);
1752                 self.prohibit_generics(&path.segments);
1753                 match prim_ty {
1754                     hir::Bool => tcx.types.bool,
1755                     hir::Char => tcx.types.char,
1756                     hir::Int(it) => tcx.mk_mach_int(it),
1757                     hir::Uint(uit) => tcx.mk_mach_uint(uit),
1758                     hir::Float(ft) => tcx.mk_mach_float(ft),
1759                     hir::Str => tcx.mk_str()
1760                 }
1761             }
1762             Def::Err => {
1763                 self.set_tainted_by_errors();
1764                 return self.tcx().types.err;
1765             }
1766             _ => span_bug!(span, "unexpected definition: {:?}", path.def)
1767         }
1768     }
1769
1770     /// Parses the programmer's textual representation of a type into our
1771     /// internal notion of a type.
1772     pub fn ast_ty_to_ty(&self, ast_ty: &hir::Ty) -> Ty<'tcx> {
1773         debug!("ast_ty_to_ty(id={:?}, ast_ty={:?} ty_ty={:?})",
1774                ast_ty.hir_id, ast_ty, ast_ty.node);
1775
1776         let tcx = self.tcx();
1777
1778         let result_ty = match ast_ty.node {
1779             hir::TyKind::Slice(ref ty) => {
1780                 tcx.mk_slice(self.ast_ty_to_ty(&ty))
1781             }
1782             hir::TyKind::Ptr(ref mt) => {
1783                 tcx.mk_ptr(ty::TypeAndMut {
1784                     ty: self.ast_ty_to_ty(&mt.ty),
1785                     mutbl: mt.mutbl
1786                 })
1787             }
1788             hir::TyKind::Rptr(ref region, ref mt) => {
1789                 let r = self.ast_region_to_region(region, None);
1790                 debug!("Ref r={:?}", r);
1791                 let t = self.ast_ty_to_ty(&mt.ty);
1792                 tcx.mk_ref(r, ty::TypeAndMut {ty: t, mutbl: mt.mutbl})
1793             }
1794             hir::TyKind::Never => {
1795                 tcx.types.never
1796             },
1797             hir::TyKind::Tup(ref fields) => {
1798                 tcx.mk_tup(fields.iter().map(|t| self.ast_ty_to_ty(&t)))
1799             }
1800             hir::TyKind::BareFn(ref bf) => {
1801                 require_c_abi_if_c_variadic(tcx, &bf.decl, bf.abi, ast_ty.span);
1802                 tcx.mk_fn_ptr(self.ty_of_fn(bf.unsafety, bf.abi, &bf.decl))
1803             }
1804             hir::TyKind::TraitObject(ref bounds, ref lifetime) => {
1805                 self.conv_object_ty_poly_trait_ref(ast_ty.span, bounds, lifetime)
1806             }
1807             hir::TyKind::Path(hir::QPath::Resolved(ref maybe_qself, ref path)) => {
1808                 debug!("ast_ty_to_ty: maybe_qself={:?} path={:?}", maybe_qself, path);
1809                 let opt_self_ty = maybe_qself.as_ref().map(|qself| {
1810                     self.ast_ty_to_ty(qself)
1811                 });
1812                 self.def_to_ty(opt_self_ty, path, false)
1813             }
1814             hir::TyKind::Def(item_id, ref lifetimes) => {
1815                 let did = tcx.hir().local_def_id(item_id.id);
1816                 self.impl_trait_ty_to_ty(did, lifetimes)
1817             },
1818             hir::TyKind::Path(hir::QPath::TypeRelative(ref qself, ref segment)) => {
1819                 debug!("ast_ty_to_ty: qself={:?} segment={:?}", qself, segment);
1820                 let ty = self.ast_ty_to_ty(qself);
1821
1822                 let def = if let hir::TyKind::Path(hir::QPath::Resolved(_, ref path)) = qself.node {
1823                     path.def
1824                 } else {
1825                     Def::Err
1826                 };
1827                 self.associated_path_to_ty(ast_ty.hir_id, ast_ty.span, ty, def, segment, false).0
1828             }
1829             hir::TyKind::Array(ref ty, ref length) => {
1830                 let length = self.ast_const_to_const(length, tcx.types.usize);
1831                 let array_ty = tcx.mk_ty(ty::Array(self.ast_ty_to_ty(&ty), length));
1832                 self.normalize_ty(ast_ty.span, array_ty)
1833             }
1834             hir::TyKind::Typeof(ref _e) => {
1835                 struct_span_err!(tcx.sess, ast_ty.span, E0516,
1836                                  "`typeof` is a reserved keyword but unimplemented")
1837                     .span_label(ast_ty.span, "reserved keyword")
1838                     .emit();
1839
1840                 tcx.types.err
1841             }
1842             hir::TyKind::Infer => {
1843                 // Infer also appears as the type of arguments or return
1844                 // values in a ExprKind::Closure, or as
1845                 // the type of local variables. Both of these cases are
1846                 // handled specially and will not descend into this routine.
1847                 self.ty_infer(ast_ty.span)
1848             }
1849             hir::TyKind::Err => {
1850                 tcx.types.err
1851             }
1852             hir::TyKind::CVarArgs(lt) => {
1853                 let va_list_did = match tcx.lang_items().va_list() {
1854                     Some(did) => did,
1855                     None => span_bug!(ast_ty.span,
1856                                       "`va_list` lang item required for variadics"),
1857                 };
1858                 let region = self.ast_region_to_region(&lt, None);
1859                 tcx.type_of(va_list_did).subst(tcx, &[region.into()])
1860             }
1861         };
1862
1863         self.record_ty(ast_ty.hir_id, result_ty, ast_ty.span);
1864         result_ty
1865     }
1866
1867     pub fn ast_const_to_const(
1868         &self,
1869         ast_const: &hir::AnonConst,
1870         ty: Ty<'tcx>
1871     ) -> &'tcx ty::LazyConst<'tcx> {
1872         debug!("ast_const_to_const(id={:?}, ast_const={:?})", ast_const.hir_id, ast_const);
1873
1874         let tcx = self.tcx();
1875         let def_id = tcx.hir().local_def_id_from_hir_id(ast_const.hir_id);
1876
1877         let mut lazy_const = ty::LazyConst::Unevaluated(
1878             def_id,
1879             InternalSubsts::identity_for_item(tcx, def_id),
1880         );
1881
1882         let expr = &tcx.hir().body(ast_const.body).value;
1883         if let ExprKind::Path(ref qpath) = expr.node {
1884             if let hir::QPath::Resolved(_, ref path) = qpath {
1885                 if let Def::ConstParam(def_id) = path.def {
1886                     let node_id = tcx.hir().as_local_node_id(def_id).unwrap();
1887                     let item_id = tcx.hir().get_parent_node(node_id);
1888                     let item_def_id = tcx.hir().local_def_id(item_id);
1889                     let generics = tcx.generics_of(item_def_id);
1890                     let index = generics.param_def_id_to_index[&tcx.hir().local_def_id(node_id)];
1891                     let name = tcx.hir().name(node_id).as_interned_str();
1892                     lazy_const = ty::LazyConst::Evaluated(ty::Const {
1893                         val: ConstValue::Param(ty::ParamConst::new(index, name)),
1894                         ty,
1895                     })
1896                 }
1897             }
1898         };
1899
1900         tcx.mk_lazy_const(lazy_const)
1901     }
1902
1903     pub fn impl_trait_ty_to_ty(
1904         &self,
1905         def_id: DefId,
1906         lifetimes: &[hir::GenericArg],
1907     ) -> Ty<'tcx> {
1908         debug!("impl_trait_ty_to_ty(def_id={:?}, lifetimes={:?})", def_id, lifetimes);
1909         let tcx = self.tcx();
1910
1911         let generics = tcx.generics_of(def_id);
1912
1913         debug!("impl_trait_ty_to_ty: generics={:?}", generics);
1914         let substs = InternalSubsts::for_item(tcx, def_id, |param, _| {
1915             if let Some(i) = (param.index as usize).checked_sub(generics.parent_count) {
1916                 // Our own parameters are the resolved lifetimes.
1917                 match param.kind {
1918                     GenericParamDefKind::Lifetime => {
1919                         if let hir::GenericArg::Lifetime(lifetime) = &lifetimes[i] {
1920                             self.ast_region_to_region(lifetime, None).into()
1921                         } else {
1922                             bug!()
1923                         }
1924                     }
1925                     _ => bug!()
1926                 }
1927             } else {
1928                 // Replace all parent lifetimes with 'static.
1929                 match param.kind {
1930                     GenericParamDefKind::Lifetime => {
1931                         tcx.types.re_static.into()
1932                     }
1933                     _ => tcx.mk_param_from_def(param)
1934                 }
1935             }
1936         });
1937         debug!("impl_trait_ty_to_ty: final substs = {:?}", substs);
1938
1939         let ty = tcx.mk_opaque(def_id, substs);
1940         debug!("impl_trait_ty_to_ty: {}", ty);
1941         ty
1942     }
1943
1944     pub fn ty_of_arg(&self,
1945                      ty: &hir::Ty,
1946                      expected_ty: Option<Ty<'tcx>>)
1947                      -> Ty<'tcx>
1948     {
1949         match ty.node {
1950             hir::TyKind::Infer if expected_ty.is_some() => {
1951                 self.record_ty(ty.hir_id, expected_ty.unwrap(), ty.span);
1952                 expected_ty.unwrap()
1953             }
1954             _ => self.ast_ty_to_ty(ty),
1955         }
1956     }
1957
1958     pub fn ty_of_fn(&self,
1959                     unsafety: hir::Unsafety,
1960                     abi: abi::Abi,
1961                     decl: &hir::FnDecl)
1962                     -> ty::PolyFnSig<'tcx> {
1963         debug!("ty_of_fn");
1964
1965         let tcx = self.tcx();
1966         let input_tys =
1967             decl.inputs.iter().map(|a| self.ty_of_arg(a, None));
1968
1969         let output_ty = match decl.output {
1970             hir::Return(ref output) => self.ast_ty_to_ty(output),
1971             hir::DefaultReturn(..) => tcx.mk_unit(),
1972         };
1973
1974         debug!("ty_of_fn: output_ty={:?}", output_ty);
1975
1976         let bare_fn_ty = ty::Binder::bind(tcx.mk_fn_sig(
1977             input_tys,
1978             output_ty,
1979             decl.c_variadic,
1980             unsafety,
1981             abi
1982         ));
1983
1984         // Find any late-bound regions declared in return type that do
1985         // not appear in the arguments. These are not well-formed.
1986         //
1987         // Example:
1988         //     for<'a> fn() -> &'a str <-- 'a is bad
1989         //     for<'a> fn(&'a String) -> &'a str <-- 'a is ok
1990         let inputs = bare_fn_ty.inputs();
1991         let late_bound_in_args = tcx.collect_constrained_late_bound_regions(
1992             &inputs.map_bound(|i| i.to_owned()));
1993         let output = bare_fn_ty.output();
1994         let late_bound_in_ret = tcx.collect_referenced_late_bound_regions(&output);
1995         for br in late_bound_in_ret.difference(&late_bound_in_args) {
1996             let lifetime_name = match *br {
1997                 ty::BrNamed(_, name) => format!("lifetime `{}`,", name),
1998                 ty::BrAnon(_) | ty::BrFresh(_) | ty::BrEnv => "an anonymous lifetime".to_string(),
1999             };
2000             let mut err = struct_span_err!(tcx.sess,
2001                                            decl.output.span(),
2002                                            E0581,
2003                                            "return type references {} \
2004                                             which is not constrained by the fn input types",
2005                                            lifetime_name);
2006             if let ty::BrAnon(_) = *br {
2007                 // The only way for an anonymous lifetime to wind up
2008                 // in the return type but **also** be unconstrained is
2009                 // if it only appears in "associated types" in the
2010                 // input. See #47511 for an example. In this case,
2011                 // though we can easily give a hint that ought to be
2012                 // relevant.
2013                 err.note("lifetimes appearing in an associated type \
2014                           are not considered constrained");
2015             }
2016             err.emit();
2017         }
2018
2019         bare_fn_ty
2020     }
2021
2022     /// Given the bounds on an object, determines what single region bound (if any) we can
2023     /// use to summarize this type. The basic idea is that we will use the bound the user
2024     /// provided, if they provided one, and otherwise search the supertypes of trait bounds
2025     /// for region bounds. It may be that we can derive no bound at all, in which case
2026     /// we return `None`.
2027     fn compute_object_lifetime_bound(&self,
2028         span: Span,
2029         existential_predicates: ty::Binder<&'tcx ty::List<ty::ExistentialPredicate<'tcx>>>)
2030         -> Option<ty::Region<'tcx>> // if None, use the default
2031     {
2032         let tcx = self.tcx();
2033
2034         debug!("compute_opt_region_bound(existential_predicates={:?})",
2035                existential_predicates);
2036
2037         // No explicit region bound specified. Therefore, examine trait
2038         // bounds and see if we can derive region bounds from those.
2039         let derived_region_bounds =
2040             object_region_bounds(tcx, existential_predicates);
2041
2042         // If there are no derived region bounds, then report back that we
2043         // can find no region bound. The caller will use the default.
2044         if derived_region_bounds.is_empty() {
2045             return None;
2046         }
2047
2048         // If any of the derived region bounds are 'static, that is always
2049         // the best choice.
2050         if derived_region_bounds.iter().any(|&r| ty::ReStatic == *r) {
2051             return Some(tcx.types.re_static);
2052         }
2053
2054         // Determine whether there is exactly one unique region in the set
2055         // of derived region bounds. If so, use that. Otherwise, report an
2056         // error.
2057         let r = derived_region_bounds[0];
2058         if derived_region_bounds[1..].iter().any(|r1| r != *r1) {
2059             span_err!(tcx.sess, span, E0227,
2060                       "ambiguous lifetime bound, explicit lifetime bound required");
2061         }
2062         return Some(r);
2063     }
2064 }
2065
2066 /// Divides a list of general trait bounds into two groups: auto traits (e.g., Sync and Send) and
2067 /// the remaining general trait bounds.
2068 fn split_auto_traits<'a, 'b, 'gcx, 'tcx>(tcx: TyCtxt<'a, 'gcx, 'tcx>,
2069                                          trait_bounds: &'b [hir::PolyTraitRef])
2070     -> (Vec<DefId>, Vec<&'b hir::PolyTraitRef>)
2071 {
2072     let (auto_traits, trait_bounds): (Vec<_>, _) = trait_bounds.iter().partition(|bound| {
2073         // Checks whether `trait_did` is an auto trait and adds it to `auto_traits` if so.
2074         match bound.trait_ref.path.def {
2075             Def::Trait(trait_did) if tcx.trait_is_auto(trait_did) => {
2076                 true
2077             }
2078             _ => false
2079         }
2080     });
2081
2082     let auto_traits = auto_traits.into_iter().map(|tr| {
2083         if let Def::Trait(trait_did) = tr.trait_ref.path.def {
2084             trait_did
2085         } else {
2086             unreachable!()
2087         }
2088     }).collect::<Vec<_>>();
2089
2090     (auto_traits, trait_bounds)
2091 }
2092
2093 // A helper struct for conveniently grouping a set of bounds which we pass to
2094 // and return from functions in multiple places.
2095 #[derive(PartialEq, Eq, Clone, Debug)]
2096 pub struct Bounds<'tcx> {
2097     pub region_bounds: Vec<(ty::Region<'tcx>, Span)>,
2098     pub implicitly_sized: Option<Span>,
2099     pub trait_bounds: Vec<(ty::PolyTraitRef<'tcx>, Span)>,
2100     pub projection_bounds: Vec<(ty::PolyProjectionPredicate<'tcx>, Span)>,
2101 }
2102
2103 impl<'a, 'gcx, 'tcx> Bounds<'tcx> {
2104     pub fn predicates(&self, tcx: TyCtxt<'a, 'gcx, 'tcx>, param_ty: Ty<'tcx>)
2105                       -> Vec<(ty::Predicate<'tcx>, Span)>
2106     {
2107         // If it could be sized, and is, add the sized predicate.
2108         let sized_predicate = self.implicitly_sized.and_then(|span| {
2109             tcx.lang_items().sized_trait().map(|sized| {
2110                 let trait_ref = ty::TraitRef {
2111                     def_id: sized,
2112                     substs: tcx.mk_substs_trait(param_ty, &[])
2113                 };
2114                 (trait_ref.to_predicate(), span)
2115             })
2116         });
2117
2118         sized_predicate.into_iter().chain(
2119             self.region_bounds.iter().map(|&(region_bound, span)| {
2120                 // Account for the binder being introduced below; no need to shift `param_ty`
2121                 // because, at present at least, it can only refer to early-bound regions.
2122                 let region_bound = ty::fold::shift_region(tcx, region_bound, 1);
2123                 let outlives = ty::OutlivesPredicate(param_ty, region_bound);
2124                 (ty::Binder::dummy(outlives).to_predicate(), span)
2125             }).chain(
2126                 self.trait_bounds.iter().map(|&(bound_trait_ref, span)| {
2127                     (bound_trait_ref.to_predicate(), span)
2128                 })
2129             ).chain(
2130                 self.projection_bounds.iter().map(|&(projection, span)| {
2131                     (projection.to_predicate(), span)
2132                 })
2133             )
2134         ).collect()
2135     }
2136 }