]> git.lizzy.rs Git - rust.git/blob - src/librustc_typeck/check/wfcheck.rs
Add comment about the shallow subst rule
[rust.git] / src / librustc_typeck / check / wfcheck.rs
1 use crate::check::{FnCtxt, Inherited};
2 use crate::constrained_generic_params::{identify_constrained_generic_params, Parameter};
3
4 use rustc::middle::lang_items;
5 use rustc::session::parse::feature_err;
6 use rustc::ty::subst::{InternalSubsts, Subst};
7 use rustc::ty::{
8     self, AdtKind, GenericParamDefKind, ToPredicate, Ty, TyCtxt, TypeFoldable, WithConstness,
9 };
10 use rustc_data_structures::fx::{FxHashMap, FxHashSet};
11 use rustc_errors::{struct_span_err, Applicability, DiagnosticBuilder};
12 use rustc_hir::def_id::DefId;
13 use rustc_hir::ItemKind;
14 use rustc_infer::infer::opaque_types::may_define_opaque_type;
15 use rustc_infer::traits::{self, ObligationCause, ObligationCauseCode};
16 use rustc_span::symbol::sym;
17 use rustc_span::Span;
18 use syntax::ast;
19
20 use rustc_hir as hir;
21 use rustc_hir::itemlikevisit::ParItemLikeVisitor;
22
23 /// Helper type of a temporary returned by `.for_item(...)`.
24 /// This is necessary because we can't write the following bound:
25 ///
26 /// ```rust
27 /// F: for<'b, 'tcx> where 'tcx FnOnce(FnCtxt<'b, 'tcx>)
28 /// ```
29 struct CheckWfFcxBuilder<'tcx> {
30     inherited: super::InheritedBuilder<'tcx>,
31     id: hir::HirId,
32     span: Span,
33     param_env: ty::ParamEnv<'tcx>,
34 }
35
36 impl<'tcx> CheckWfFcxBuilder<'tcx> {
37     fn with_fcx<F>(&mut self, f: F)
38     where
39         F: for<'b> FnOnce(&FnCtxt<'b, 'tcx>, TyCtxt<'tcx>) -> Vec<Ty<'tcx>>,
40     {
41         let id = self.id;
42         let span = self.span;
43         let param_env = self.param_env;
44         self.inherited.enter(|inh| {
45             let fcx = FnCtxt::new(&inh, param_env, id);
46             if !inh.tcx.features().trivial_bounds {
47                 // As predicates are cached rather than obligations, this
48                 // needsto be called first so that they are checked with an
49                 // empty `param_env`.
50                 check_false_global_bounds(&fcx, span, id);
51             }
52             let wf_tys = f(&fcx, fcx.tcx);
53             fcx.select_all_obligations_or_error();
54             fcx.regionck_item(id, span, &wf_tys);
55         });
56     }
57 }
58
59 /// Checks that the field types (in a struct def'n) or argument types (in an enum def'n) are
60 /// well-formed, meaning that they do not require any constraints not declared in the struct
61 /// definition itself. For example, this definition would be illegal:
62 ///
63 /// ```rust
64 /// struct Ref<'a, T> { x: &'a T }
65 /// ```
66 ///
67 /// because the type did not declare that `T:'a`.
68 ///
69 /// We do this check as a pre-pass before checking fn bodies because if these constraints are
70 /// not included it frequently leads to confusing errors in fn bodies. So it's better to check
71 /// the types first.
72 pub fn check_item_well_formed(tcx: TyCtxt<'_>, def_id: DefId) {
73     let hir_id = tcx.hir().as_local_hir_id(def_id).unwrap();
74     let item = tcx.hir().expect_item(hir_id);
75
76     debug!(
77         "check_item_well_formed(it.hir_id={:?}, it.name={})",
78         item.hir_id,
79         tcx.def_path_str(def_id)
80     );
81
82     match item.kind {
83         // Right now we check that every default trait implementation
84         // has an implementation of itself. Basically, a case like:
85         //
86         //     impl Trait for T {}
87         //
88         // has a requirement of `T: Trait` which was required for default
89         // method implementations. Although this could be improved now that
90         // there's a better infrastructure in place for this, it's being left
91         // for a follow-up work.
92         //
93         // Since there's such a requirement, we need to check *just* positive
94         // implementations, otherwise things like:
95         //
96         //     impl !Send for T {}
97         //
98         // won't be allowed unless there's an *explicit* implementation of `Send`
99         // for `T`
100         hir::ItemKind::Impl { defaultness, ref of_trait, ref self_ty, .. } => {
101             let is_auto = tcx
102                 .impl_trait_ref(tcx.hir().local_def_id(item.hir_id))
103                 .map_or(false, |trait_ref| tcx.trait_is_auto(trait_ref.def_id));
104             let polarity = tcx.impl_polarity(def_id);
105             if let (hir::Defaultness::Default { .. }, true) = (defaultness, is_auto) {
106                 tcx.sess.span_err(item.span, "impls of auto traits cannot be default");
107             }
108             match polarity {
109                 ty::ImplPolarity::Positive => {
110                     check_impl(tcx, item, self_ty, of_trait);
111                 }
112                 ty::ImplPolarity::Negative => {
113                     // FIXME(#27579): what amount of WF checking do we need for neg impls?
114                     if of_trait.is_some() && !is_auto {
115                         struct_span_err!(
116                             tcx.sess,
117                             item.span,
118                             E0192,
119                             "negative impls are only allowed for \
120                                    auto traits (e.g., `Send` and `Sync`)"
121                         )
122                         .emit()
123                     }
124                 }
125                 ty::ImplPolarity::Reservation => {
126                     // FIXME: what amount of WF checking do we need for reservation impls?
127                 }
128             }
129         }
130         hir::ItemKind::Fn(..) => {
131             check_item_fn(tcx, item);
132         }
133         hir::ItemKind::Static(ref ty, ..) => {
134             check_item_type(tcx, item.hir_id, ty.span, false);
135         }
136         hir::ItemKind::Const(ref ty, ..) => {
137             check_item_type(tcx, item.hir_id, ty.span, false);
138         }
139         hir::ItemKind::ForeignMod(ref module) => {
140             for it in module.items.iter() {
141                 if let hir::ForeignItemKind::Static(ref ty, ..) = it.kind {
142                     check_item_type(tcx, it.hir_id, ty.span, true);
143                 }
144             }
145         }
146         hir::ItemKind::Struct(ref struct_def, ref ast_generics) => {
147             check_type_defn(tcx, item, false, |fcx| vec![fcx.non_enum_variant(struct_def)]);
148
149             check_variances_for_type_defn(tcx, item, ast_generics);
150         }
151         hir::ItemKind::Union(ref struct_def, ref ast_generics) => {
152             check_type_defn(tcx, item, true, |fcx| vec![fcx.non_enum_variant(struct_def)]);
153
154             check_variances_for_type_defn(tcx, item, ast_generics);
155         }
156         hir::ItemKind::Enum(ref enum_def, ref ast_generics) => {
157             check_type_defn(tcx, item, true, |fcx| fcx.enum_variants(enum_def));
158
159             check_variances_for_type_defn(tcx, item, ast_generics);
160         }
161         hir::ItemKind::Trait(..) => {
162             check_trait(tcx, item);
163         }
164         hir::ItemKind::TraitAlias(..) => {
165             check_trait(tcx, item);
166         }
167         _ => {}
168     }
169 }
170
171 pub fn check_trait_item(tcx: TyCtxt<'_>, def_id: DefId) {
172     let hir_id = tcx.hir().as_local_hir_id(def_id).unwrap();
173     let trait_item = tcx.hir().expect_trait_item(hir_id);
174
175     let method_sig = match trait_item.kind {
176         hir::TraitItemKind::Method(ref sig, _) => Some(sig),
177         _ => None,
178     };
179     check_object_unsafe_self_trait_by_name(tcx, &trait_item);
180     check_associated_item(tcx, trait_item.hir_id, trait_item.span, method_sig);
181 }
182
183 fn could_be_self(trait_def_id: DefId, ty: &hir::Ty<'_>) -> bool {
184     match ty.kind {
185         hir::TyKind::TraitObject([trait_ref], ..) => match trait_ref.trait_ref.path.segments {
186             [s] => s.res.and_then(|r| r.opt_def_id()) == Some(trait_def_id),
187             _ => false,
188         },
189         _ => false,
190     }
191 }
192
193 /// Detect when an object unsafe trait is referring to itself in one of its associated items.
194 /// When this is done, suggest using `Self` instead.
195 fn check_object_unsafe_self_trait_by_name(tcx: TyCtxt<'_>, item: &hir::TraitItem<'_>) {
196     let (trait_name, trait_def_id) = match tcx.hir().get(tcx.hir().get_parent_item(item.hir_id)) {
197         hir::Node::Item(item) => match item.kind {
198             hir::ItemKind::Trait(..) => (item.ident, tcx.hir().local_def_id(item.hir_id)),
199             _ => return,
200         },
201         _ => return,
202     };
203     let mut trait_should_be_self = vec![];
204     match &item.kind {
205         hir::TraitItemKind::Const(ty, _) | hir::TraitItemKind::Type(_, Some(ty))
206             if could_be_self(trait_def_id, ty) =>
207         {
208             trait_should_be_self.push(ty.span)
209         }
210         hir::TraitItemKind::Method(sig, _) => {
211             for ty in sig.decl.inputs {
212                 if could_be_self(trait_def_id, ty) {
213                     trait_should_be_self.push(ty.span);
214                 }
215             }
216             match sig.decl.output {
217                 hir::FnRetTy::Return(ty) if could_be_self(trait_def_id, ty) => {
218                     trait_should_be_self.push(ty.span);
219                 }
220                 _ => {}
221             }
222         }
223         _ => {}
224     }
225     if !trait_should_be_self.is_empty() {
226         if rustc_infer::traits::object_safety_violations(tcx, trait_def_id).is_empty() {
227             return;
228         }
229         let sugg = trait_should_be_self.iter().map(|span| (*span, "Self".to_string())).collect();
230         tcx.sess
231             .struct_span_err(
232                 trait_should_be_self,
233                 "associated item referring to unboxed trait object for its own trait",
234             )
235             .span_label(trait_name.span, "in this trait")
236             .multipart_suggestion(
237                 "you might have meant to use `Self` to refer to the implementing type",
238                 sugg,
239                 Applicability::MachineApplicable,
240             )
241             .emit();
242     }
243 }
244
245 pub fn check_impl_item(tcx: TyCtxt<'_>, def_id: DefId) {
246     let hir_id = tcx.hir().as_local_hir_id(def_id).unwrap();
247     let impl_item = tcx.hir().expect_impl_item(hir_id);
248
249     let method_sig = match impl_item.kind {
250         hir::ImplItemKind::Method(ref sig, _) => Some(sig),
251         _ => None,
252     };
253
254     check_associated_item(tcx, impl_item.hir_id, impl_item.span, method_sig);
255 }
256
257 fn check_associated_item(
258     tcx: TyCtxt<'_>,
259     item_id: hir::HirId,
260     span: Span,
261     sig_if_method: Option<&hir::FnSig<'_>>,
262 ) {
263     debug!("check_associated_item: {:?}", item_id);
264
265     let code = ObligationCauseCode::MiscObligation;
266     for_id(tcx, item_id, span).with_fcx(|fcx, tcx| {
267         let item = fcx.tcx.associated_item(fcx.tcx.hir().local_def_id(item_id));
268
269         let (mut implied_bounds, self_ty) = match item.container {
270             ty::TraitContainer(_) => (vec![], fcx.tcx.types.self_param),
271             ty::ImplContainer(def_id) => {
272                 (fcx.impl_implied_bounds(def_id, span), fcx.tcx.type_of(def_id))
273             }
274         };
275
276         match item.kind {
277             ty::AssocKind::Const => {
278                 let ty = fcx.tcx.type_of(item.def_id);
279                 let ty = fcx.normalize_associated_types_in(span, &ty);
280                 fcx.register_wf_obligation(ty, span, code.clone());
281             }
282             ty::AssocKind::Method => {
283                 let sig = fcx.tcx.fn_sig(item.def_id);
284                 let sig = fcx.normalize_associated_types_in(span, &sig);
285                 let hir_sig = sig_if_method.expect("bad signature for method");
286                 check_fn_or_method(
287                     tcx,
288                     fcx,
289                     item.ident.span,
290                     sig,
291                     hir_sig,
292                     item.def_id,
293                     &mut implied_bounds,
294                 );
295                 check_method_receiver(fcx, hir_sig, &item, self_ty);
296             }
297             ty::AssocKind::Type => {
298                 if item.defaultness.has_value() {
299                     let ty = fcx.tcx.type_of(item.def_id);
300                     let ty = fcx.normalize_associated_types_in(span, &ty);
301                     fcx.register_wf_obligation(ty, span, code.clone());
302                 }
303             }
304             ty::AssocKind::OpaqueTy => {
305                 // Do nothing: opaque types check themselves.
306             }
307         }
308
309         implied_bounds
310     })
311 }
312
313 fn for_item<'tcx>(tcx: TyCtxt<'tcx>, item: &hir::Item<'_>) -> CheckWfFcxBuilder<'tcx> {
314     for_id(tcx, item.hir_id, item.span)
315 }
316
317 fn for_id(tcx: TyCtxt<'_>, id: hir::HirId, span: Span) -> CheckWfFcxBuilder<'_> {
318     let def_id = tcx.hir().local_def_id(id);
319     CheckWfFcxBuilder {
320         inherited: Inherited::build(tcx, def_id),
321         id,
322         span,
323         param_env: tcx.param_env(def_id),
324     }
325 }
326
327 fn item_adt_kind(kind: &ItemKind<'_>) -> Option<AdtKind> {
328     match kind {
329         ItemKind::Struct(..) => Some(AdtKind::Struct),
330         ItemKind::Union(..) => Some(AdtKind::Union),
331         ItemKind::Enum(..) => Some(AdtKind::Enum),
332         _ => None,
333     }
334 }
335
336 /// In a type definition, we check that to ensure that the types of the fields are well-formed.
337 fn check_type_defn<'tcx, F>(
338     tcx: TyCtxt<'tcx>,
339     item: &hir::Item<'tcx>,
340     all_sized: bool,
341     mut lookup_fields: F,
342 ) where
343     F: for<'fcx> FnMut(&FnCtxt<'fcx, 'tcx>) -> Vec<AdtVariant<'tcx>>,
344 {
345     for_item(tcx, item).with_fcx(|fcx, fcx_tcx| {
346         let variants = lookup_fields(fcx);
347         let def_id = fcx.tcx.hir().local_def_id(item.hir_id);
348         let packed = fcx.tcx.adt_def(def_id).repr.packed();
349
350         for variant in &variants {
351             // For DST, or when drop needs to copy things around, all
352             // intermediate types must be sized.
353             let needs_drop_copy = || {
354                 packed && {
355                     let ty = variant.fields.last().unwrap().ty;
356                     let ty = fcx.tcx.erase_regions(&ty);
357                     if ty.has_local_value() {
358                         fcx_tcx
359                             .sess
360                             .delay_span_bug(item.span, &format!("inference variables in {:?}", ty));
361                         // Just treat unresolved type expression as if it needs drop.
362                         true
363                     } else {
364                         ty.needs_drop(fcx_tcx, fcx_tcx.param_env(def_id))
365                     }
366                 }
367             };
368             let all_sized = all_sized || variant.fields.is_empty() || needs_drop_copy();
369             let unsized_len = if all_sized { 0 } else { 1 };
370             for (idx, field) in
371                 variant.fields[..variant.fields.len() - unsized_len].iter().enumerate()
372             {
373                 let last = idx == variant.fields.len() - 1;
374                 fcx.register_bound(
375                     field.ty,
376                     fcx.tcx.require_lang_item(lang_items::SizedTraitLangItem, None),
377                     traits::ObligationCause::new(
378                         field.span,
379                         fcx.body_id,
380                         traits::FieldSized {
381                             adt_kind: match item_adt_kind(&item.kind) {
382                                 Some(i) => i,
383                                 None => bug!(),
384                             },
385                             last,
386                         },
387                     ),
388                 );
389             }
390
391             // All field types must be well-formed.
392             for field in &variant.fields {
393                 fcx.register_wf_obligation(
394                     field.ty,
395                     field.span,
396                     ObligationCauseCode::MiscObligation,
397                 )
398             }
399         }
400
401         check_where_clauses(tcx, fcx, item.span, def_id, None);
402
403         // No implied bounds in a struct definition.
404         vec![]
405     });
406 }
407
408 fn check_trait(tcx: TyCtxt<'_>, item: &hir::Item<'_>) {
409     debug!("check_trait: {:?}", item.hir_id);
410
411     let trait_def_id = tcx.hir().local_def_id(item.hir_id);
412
413     let trait_def = tcx.trait_def(trait_def_id);
414     if trait_def.is_marker {
415         for associated_def_id in &*tcx.associated_item_def_ids(trait_def_id) {
416             struct_span_err!(
417                 tcx.sess,
418                 tcx.def_span(*associated_def_id),
419                 E0714,
420                 "marker traits cannot have associated items",
421             )
422             .emit();
423         }
424     }
425
426     for_item(tcx, item).with_fcx(|fcx, _| {
427         check_where_clauses(tcx, fcx, item.span, trait_def_id, None);
428         check_associated_type_defaults(fcx, trait_def_id);
429
430         vec![]
431     });
432 }
433
434 /// Checks all associated type defaults of trait `trait_def_id`.
435 ///
436 /// Assuming the defaults are used, check that all predicates (bounds on the
437 /// assoc type and where clauses on the trait) hold.
438 fn check_associated_type_defaults(
439     fcx: &FnCtxt<'_, '_>,
440     trait_def_id: DefId,
441 ) {
442     let tcx = fcx.tcx;
443     let substs = InternalSubsts::identity_for_item(tcx, trait_def_id);
444
445     // For all assoc. types with defaults, build a map from
446     // `<Self as Trait<...>>::Assoc` to the default type.
447     let map = tcx.associated_items(trait_def_id)
448         .filter_map(|item| {
449             if item.kind == ty::AssocKind::Type && item.defaultness.has_value() {
450                 // `<Self as Trait<...>>::Assoc`
451                 let proj = ty::ProjectionTy {
452                     substs,
453                     item_def_id: item.def_id,
454                 };
455                 let default_ty = tcx.type_of(item.def_id);
456                 debug!("assoc. type default mapping: {} -> {}", proj, default_ty);
457                 Some((proj, default_ty))
458             } else {
459                 None
460             }
461         })
462         .collect::<FxHashMap<_, _>>();
463
464     /// Replaces projections of associated types with their default types.
465     ///
466     /// This does a "shallow substitution", meaning that defaults that refer to
467     /// other defaulted assoc. types will still refer to the projection
468     /// afterwards, not to the other default. For example:
469     ///
470     /// ```compile_fail
471     /// trait Tr {
472     ///     type A: Clone = Vec<Self::B>;
473     ///     type B = u8;
474     /// }
475     /// ```
476     ///
477     /// This will end up replacing the bound `Self::A: Clone` with
478     /// `Vec<Self::B>: Clone`, not with `Vec<u8>: Clone`. If we did a deep
479     /// substitution and ended up with the latter, the trait would be accepted.
480     /// If an `impl` then replaced `B` with something that isn't `Clone`,
481     /// suddenly the default for `A` is no longer valid. The shallow
482     /// substitution forces the trait to add a `B: Clone` bound to be accepted,
483     /// which means that an `impl` can replace any default without breaking
484     /// others.
485     ///
486     /// Note that this isn't needed for soundness: The defaults would still be
487     /// checked in any impl that doesn't override them.
488     struct DefaultNormalizer<'tcx> {
489         tcx: TyCtxt<'tcx>,
490         map: FxHashMap<ty::ProjectionTy<'tcx>, Ty<'tcx>>,
491     }
492
493     impl<'tcx> ty::fold::TypeFolder<'tcx> for DefaultNormalizer<'tcx> {
494         fn tcx<'a>(&'a self) -> TyCtxt<'tcx> {
495             self.tcx
496         }
497
498         fn fold_ty(&mut self, t: Ty<'tcx>) -> Ty<'tcx> {
499             match t.sty {
500                 ty::Projection(proj_ty) => {
501                     if let Some(default) = self.map.get(&proj_ty) {
502                         default
503                     } else {
504                         t.super_fold_with(self)
505                     }
506                 }
507                 _ => t.super_fold_with(self),
508             }
509         }
510     }
511
512     // Now take all predicates defined on the trait, replace any mention of
513     // the assoc. types with their default, and prove them.
514     // We only consider predicates that directly mention the assoc. type.
515     let mut norm = DefaultNormalizer { tcx, map };
516     let predicates = fcx.tcx.predicates_of(trait_def_id);
517     for &(orig_pred, span) in predicates.predicates.iter() {
518         let pred = orig_pred.fold_with(&mut norm);
519         if pred != orig_pred {
520             // Mentions one of the defaulted assoc. types
521             debug!("default suitability check: proving predicate: {} -> {}", orig_pred, pred);
522             let pred = fcx.normalize_associated_types_in(span, &pred);
523             let cause = traits::ObligationCause::new(
524                 span,
525                 fcx.body_id,
526                 traits::ItemObligation(trait_def_id),
527             );
528             let obligation = traits::Obligation::new(cause, fcx.param_env, pred);
529
530             fcx.register_predicate(obligation);
531         }
532     }
533 }
534
535 fn check_item_fn(tcx: TyCtxt<'_>, item: &hir::Item<'_>) {
536     for_item(tcx, item).with_fcx(|fcx, tcx| {
537         let def_id = fcx.tcx.hir().local_def_id(item.hir_id);
538         let sig = fcx.tcx.fn_sig(def_id);
539         let sig = fcx.normalize_associated_types_in(item.span, &sig);
540         let mut implied_bounds = vec![];
541         let hir_sig = match &item.kind {
542             ItemKind::Fn(sig, ..) => sig,
543             _ => bug!("expected `ItemKind::Fn`, found `{:?}`", item.kind),
544         };
545         check_fn_or_method(tcx, fcx, item.ident.span, sig, hir_sig, def_id, &mut implied_bounds);
546         implied_bounds
547     })
548 }
549
550 fn check_item_type(tcx: TyCtxt<'_>, item_id: hir::HirId, ty_span: Span, allow_foreign_ty: bool) {
551     debug!("check_item_type: {:?}", item_id);
552
553     for_id(tcx, item_id, ty_span).with_fcx(|fcx, tcx| {
554         let ty = tcx.type_of(tcx.hir().local_def_id(item_id));
555         let item_ty = fcx.normalize_associated_types_in(ty_span, &ty);
556
557         let mut forbid_unsized = true;
558         if allow_foreign_ty {
559             let tail = fcx.tcx.struct_tail_erasing_lifetimes(item_ty, fcx.param_env);
560             if let ty::Foreign(_) = tail.kind {
561                 forbid_unsized = false;
562             }
563         }
564
565         fcx.register_wf_obligation(item_ty, ty_span, ObligationCauseCode::MiscObligation);
566         if forbid_unsized {
567             fcx.register_bound(
568                 item_ty,
569                 fcx.tcx.require_lang_item(lang_items::SizedTraitLangItem, None),
570                 traits::ObligationCause::new(ty_span, fcx.body_id, traits::MiscObligation),
571             );
572         }
573
574         // No implied bounds in a const, etc.
575         vec![]
576     });
577 }
578
579 fn check_impl<'tcx>(
580     tcx: TyCtxt<'tcx>,
581     item: &'tcx hir::Item<'tcx>,
582     ast_self_ty: &hir::Ty<'_>,
583     ast_trait_ref: &Option<hir::TraitRef<'_>>,
584 ) {
585     debug!("check_impl: {:?}", item);
586
587     for_item(tcx, item).with_fcx(|fcx, tcx| {
588         let item_def_id = fcx.tcx.hir().local_def_id(item.hir_id);
589
590         match *ast_trait_ref {
591             Some(ref ast_trait_ref) => {
592                 // `#[rustc_reservation_impl]` impls are not real impls and
593                 // therefore don't need to be WF (the trait's `Self: Trait` predicate
594                 // won't hold).
595                 let trait_ref = fcx.tcx.impl_trait_ref(item_def_id).unwrap();
596                 let trait_ref =
597                     fcx.normalize_associated_types_in(ast_trait_ref.path.span, &trait_ref);
598                 let obligations = traits::wf::trait_obligations(
599                     fcx,
600                     fcx.param_env,
601                     fcx.body_id,
602                     &trait_ref,
603                     ast_trait_ref.path.span,
604                     Some(item),
605                 );
606                 for obligation in obligations {
607                     fcx.register_predicate(obligation);
608                 }
609             }
610             None => {
611                 let self_ty = fcx.tcx.type_of(item_def_id);
612                 let self_ty = fcx.normalize_associated_types_in(item.span, &self_ty);
613                 fcx.register_wf_obligation(
614                     self_ty,
615                     ast_self_ty.span,
616                     ObligationCauseCode::MiscObligation,
617                 );
618             }
619         }
620
621         check_where_clauses(tcx, fcx, item.span, item_def_id, None);
622
623         fcx.impl_implied_bounds(item_def_id, item.span)
624     });
625 }
626
627 /// Checks where-clauses and inline bounds that are declared on `def_id`.
628 fn check_where_clauses<'tcx, 'fcx>(
629     tcx: TyCtxt<'tcx>,
630     fcx: &FnCtxt<'fcx, 'tcx>,
631     span: Span,
632     def_id: DefId,
633     return_ty: Option<(Ty<'tcx>, Span)>,
634 ) {
635     debug!("check_where_clauses(def_id={:?}, return_ty={:?})", def_id, return_ty);
636
637     let predicates = fcx.tcx.predicates_of(def_id);
638     let generics = tcx.generics_of(def_id);
639
640     let is_our_default = |def: &ty::GenericParamDef| match def.kind {
641         GenericParamDefKind::Type { has_default, .. } => {
642             has_default && def.index >= generics.parent_count as u32
643         }
644         _ => unreachable!(),
645     };
646
647     // Check that concrete defaults are well-formed. See test `type-check-defaults.rs`.
648     // For example, this forbids the declaration:
649     //
650     //     struct Foo<T = Vec<[u32]>> { .. }
651     //
652     // Here, the default `Vec<[u32]>` is not WF because `[u32]: Sized` does not hold.
653     for param in &generics.params {
654         if let GenericParamDefKind::Type { .. } = param.kind {
655             if is_our_default(&param) {
656                 let ty = fcx.tcx.type_of(param.def_id);
657                 // Ignore dependent defaults -- that is, where the default of one type
658                 // parameter includes another (e.g., `<T, U = T>`). In those cases, we can't
659                 // be sure if it will error or not as user might always specify the other.
660                 if !ty.needs_subst() {
661                     fcx.register_wf_obligation(
662                         ty,
663                         fcx.tcx.def_span(param.def_id),
664                         ObligationCauseCode::MiscObligation,
665                     );
666                 }
667             }
668         }
669     }
670
671     // Check that trait predicates are WF when params are substituted by their defaults.
672     // We don't want to overly constrain the predicates that may be written but we want to
673     // catch cases where a default my never be applied such as `struct Foo<T: Copy = String>`.
674     // Therefore we check if a predicate which contains a single type param
675     // with a concrete default is WF with that default substituted.
676     // For more examples see tests `defaults-well-formedness.rs` and `type-check-defaults.rs`.
677     //
678     // First we build the defaulted substitution.
679     let substs = InternalSubsts::for_item(fcx.tcx, def_id, |param, _| {
680         match param.kind {
681             GenericParamDefKind::Lifetime => {
682                 // All regions are identity.
683                 fcx.tcx.mk_param_from_def(param)
684             }
685
686             GenericParamDefKind::Type { .. } => {
687                 // If the param has a default, ...
688                 if is_our_default(param) {
689                     let default_ty = fcx.tcx.type_of(param.def_id);
690                     // ... and it's not a dependent default, ...
691                     if !default_ty.needs_subst() {
692                         // ... then substitute it with the default.
693                         return default_ty.into();
694                     }
695                 }
696                 // Mark unwanted params as error.
697                 fcx.tcx.types.err.into()
698             }
699
700             GenericParamDefKind::Const => {
701                 // FIXME(const_generics:defaults)
702                 fcx.tcx.consts.err.into()
703             }
704         }
705     });
706
707     // Now we build the substituted predicates.
708     let default_obligations = predicates
709         .predicates
710         .iter()
711         .flat_map(|&(pred, sp)| {
712             #[derive(Default)]
713             struct CountParams {
714                 params: FxHashSet<u32>,
715             }
716             impl<'tcx> ty::fold::TypeVisitor<'tcx> for CountParams {
717                 fn visit_ty(&mut self, t: Ty<'tcx>) -> bool {
718                     if let ty::Param(param) = t.kind {
719                         self.params.insert(param.index);
720                     }
721                     t.super_visit_with(self)
722                 }
723
724                 fn visit_region(&mut self, _: ty::Region<'tcx>) -> bool {
725                     true
726                 }
727
728                 fn visit_const(&mut self, c: &'tcx ty::Const<'tcx>) -> bool {
729                     if let ty::ConstKind::Param(param) = c.val {
730                         self.params.insert(param.index);
731                     }
732                     c.super_visit_with(self)
733                 }
734             }
735             let mut param_count = CountParams::default();
736             let has_region = pred.visit_with(&mut param_count);
737             let substituted_pred = pred.subst(fcx.tcx, substs);
738             // Don't check non-defaulted params, dependent defaults (including lifetimes)
739             // or preds with multiple params.
740             if substituted_pred.references_error() || param_count.params.len() > 1 || has_region {
741                 None
742             } else if predicates.predicates.iter().any(|&(p, _)| p == substituted_pred) {
743                 // Avoid duplication of predicates that contain no parameters, for example.
744                 None
745             } else {
746                 Some((substituted_pred, sp))
747             }
748         })
749         .map(|(pred, sp)| {
750             // Convert each of those into an obligation. So if you have
751             // something like `struct Foo<T: Copy = String>`, we would
752             // take that predicate `T: Copy`, substitute to `String: Copy`
753             // (actually that happens in the previous `flat_map` call),
754             // and then try to prove it (in this case, we'll fail).
755             //
756             // Note the subtle difference from how we handle `predicates`
757             // below: there, we are not trying to prove those predicates
758             // to be *true* but merely *well-formed*.
759             let pred = fcx.normalize_associated_types_in(sp, &pred);
760             let cause =
761                 traits::ObligationCause::new(sp, fcx.body_id, traits::ItemObligation(def_id));
762             traits::Obligation::new(cause, fcx.param_env, pred)
763         });
764
765     let mut predicates = predicates.instantiate_identity(fcx.tcx);
766
767     if let Some((return_ty, span)) = return_ty {
768         let opaque_types = check_opaque_types(tcx, fcx, def_id, span, return_ty);
769         for _ in 0..opaque_types.len() {
770             predicates.spans.push(span);
771         }
772         predicates.predicates.extend(opaque_types);
773     }
774
775     let predicates = fcx.normalize_associated_types_in(span, &predicates);
776
777     debug!("check_where_clauses: predicates={:?}", predicates.predicates);
778     assert_eq!(predicates.predicates.len(), predicates.spans.len());
779     let wf_obligations =
780         predicates.predicates.iter().zip(predicates.spans.iter()).flat_map(|(p, sp)| {
781             traits::wf::predicate_obligations(fcx, fcx.param_env, fcx.body_id, p, *sp)
782         });
783
784     for obligation in wf_obligations.chain(default_obligations) {
785         debug!("next obligation cause: {:?}", obligation.cause);
786         fcx.register_predicate(obligation);
787     }
788 }
789
790 fn check_fn_or_method<'fcx, 'tcx>(
791     tcx: TyCtxt<'tcx>,
792     fcx: &FnCtxt<'fcx, 'tcx>,
793     span: Span,
794     sig: ty::PolyFnSig<'tcx>,
795     hir_sig: &hir::FnSig<'_>,
796     def_id: DefId,
797     implied_bounds: &mut Vec<Ty<'tcx>>,
798 ) {
799     let sig = fcx.normalize_associated_types_in(span, &sig);
800     let sig = fcx.tcx.liberate_late_bound_regions(def_id, &sig);
801
802     for (input_ty, span) in sig.inputs().iter().zip(hir_sig.decl.inputs.iter().map(|t| t.span)) {
803         fcx.register_wf_obligation(&input_ty, span, ObligationCauseCode::MiscObligation);
804     }
805     implied_bounds.extend(sig.inputs());
806
807     fcx.register_wf_obligation(
808         sig.output(),
809         hir_sig.decl.output.span(),
810         ObligationCauseCode::ReturnType,
811     );
812
813     // FIXME(#25759) return types should not be implied bounds
814     implied_bounds.push(sig.output());
815
816     check_where_clauses(tcx, fcx, span, def_id, Some((sig.output(), hir_sig.decl.output.span())));
817 }
818
819 /// Checks "defining uses" of opaque `impl Trait` types to ensure that they meet the restrictions
820 /// laid for "higher-order pattern unification".
821 /// This ensures that inference is tractable.
822 /// In particular, definitions of opaque types can only use other generics as arguments,
823 /// and they cannot repeat an argument. Example:
824 ///
825 /// ```rust
826 /// type Foo<A, B> = impl Bar<A, B>;
827 ///
828 /// // Okay -- `Foo` is applied to two distinct, generic types.
829 /// fn a<T, U>() -> Foo<T, U> { .. }
830 ///
831 /// // Not okay -- `Foo` is applied to `T` twice.
832 /// fn b<T>() -> Foo<T, T> { .. }
833 ///
834 /// // Not okay -- `Foo` is applied to a non-generic type.
835 /// fn b<T>() -> Foo<T, u32> { .. }
836 /// ```
837 ///
838 fn check_opaque_types<'fcx, 'tcx>(
839     tcx: TyCtxt<'tcx>,
840     fcx: &FnCtxt<'fcx, 'tcx>,
841     fn_def_id: DefId,
842     span: Span,
843     ty: Ty<'tcx>,
844 ) -> Vec<ty::Predicate<'tcx>> {
845     trace!("check_opaque_types(ty={:?})", ty);
846     let mut substituted_predicates = Vec::new();
847     ty.fold_with(&mut ty::fold::BottomUpFolder {
848         tcx: fcx.tcx,
849         ty_op: |ty| {
850             if let ty::Opaque(def_id, substs) = ty.kind {
851                 trace!("check_opaque_types: opaque_ty, {:?}, {:?}", def_id, substs);
852                 let generics = tcx.generics_of(def_id);
853                 // Only check named `impl Trait` types defined in this crate.
854                 if generics.parent.is_none() && def_id.is_local() {
855                     let opaque_hir_id = tcx.hir().as_local_hir_id(def_id).unwrap();
856                     if may_define_opaque_type(tcx, fn_def_id, opaque_hir_id) {
857                         trace!("check_opaque_types: may define, generics={:#?}", generics);
858                         let mut seen: FxHashMap<_, Vec<_>> = FxHashMap::default();
859                         for (subst, param) in substs.iter().zip(&generics.params) {
860                             match subst.unpack() {
861                                 ty::subst::GenericArgKind::Type(ty) => match ty.kind {
862                                     ty::Param(..) => {}
863                                     // Prevent `fn foo() -> Foo<u32>` from being defining.
864                                     _ => {
865                                         tcx.sess
866                                             .struct_span_err(
867                                                 span,
868                                                 "non-defining opaque type use \
869                                                  in defining scope",
870                                             )
871                                             .span_note(
872                                                 tcx.def_span(param.def_id),
873                                                 &format!(
874                                                     "used non-generic type {} for \
875                                                      generic parameter",
876                                                     ty,
877                                                 ),
878                                             )
879                                             .emit();
880                                     }
881                                 },
882
883                                 ty::subst::GenericArgKind::Lifetime(region) => {
884                                     let param_span = tcx.def_span(param.def_id);
885                                     if let ty::ReStatic = region {
886                                         tcx.sess
887                                             .struct_span_err(
888                                                 span,
889                                                 "non-defining opaque type use \
890                                                     in defining scope",
891                                             )
892                                             .span_label(
893                                                 param_span,
894                                                 "cannot use static lifetime; use a bound lifetime \
895                                                 instead or remove the lifetime parameter from the \
896                                                 opaque type",
897                                             )
898                                             .emit();
899                                     } else {
900                                         seen.entry(region).or_default().push(param_span);
901                                     }
902                                 }
903
904                                 ty::subst::GenericArgKind::Const(ct) => match ct.val {
905                                     ty::ConstKind::Param(_) => {}
906                                     _ => {
907                                         tcx.sess
908                                             .struct_span_err(
909                                                 span,
910                                                 "non-defining opaque type use \
911                                                 in defining scope",
912                                             )
913                                             .span_note(
914                                                 tcx.def_span(param.def_id),
915                                                 &format!(
916                                                     "used non-generic const {} for \
917                                                     generic parameter",
918                                                     ty,
919                                                 ),
920                                             )
921                                             .emit();
922                                     }
923                                 },
924                             } // match subst
925                         } // for (subst, param)
926                         for (_, spans) in seen {
927                             if spans.len() > 1 {
928                                 tcx.sess
929                                     .struct_span_err(
930                                         span,
931                                         "non-defining opaque type use \
932                                             in defining scope",
933                                     )
934                                     .span_note(spans, "lifetime used multiple times")
935                                     .emit();
936                             }
937                         }
938                     } // if may_define_opaque_type
939
940                     // Now register the bounds on the parameters of the opaque type
941                     // so the parameters given by the function need to fulfill them.
942                     //
943                     //     type Foo<T: Bar> = impl Baz + 'static;
944                     //     fn foo<U>() -> Foo<U> { .. *}
945                     //
946                     // becomes
947                     //
948                     //     type Foo<T: Bar> = impl Baz + 'static;
949                     //     fn foo<U: Bar>() -> Foo<U> { .. *}
950                     let predicates = tcx.predicates_of(def_id);
951                     trace!("check_opaque_types: may define, predicates={:#?}", predicates,);
952                     for &(pred, _) in predicates.predicates {
953                         let substituted_pred = pred.subst(fcx.tcx, substs);
954                         // Avoid duplication of predicates that contain no parameters, for example.
955                         if !predicates.predicates.iter().any(|&(p, _)| p == substituted_pred) {
956                             substituted_predicates.push(substituted_pred);
957                         }
958                     }
959                 } // if is_named_opaque_type
960             } // if let Opaque
961             ty
962         },
963         lt_op: |lt| lt,
964         ct_op: |ct| ct,
965     });
966     substituted_predicates
967 }
968
969 const HELP_FOR_SELF_TYPE: &str = "consider changing to `self`, `&self`, `&mut self`, `self: Box<Self>`, \
970      `self: Rc<Self>`, `self: Arc<Self>`, or `self: Pin<P>` (where P is one \
971      of the previous types except `Self`)";
972
973 fn check_method_receiver<'fcx, 'tcx>(
974     fcx: &FnCtxt<'fcx, 'tcx>,
975     fn_sig: &hir::FnSig<'_>,
976     method: &ty::AssocItem,
977     self_ty: Ty<'tcx>,
978 ) {
979     // Check that the method has a valid receiver type, given the type `Self`.
980     debug!("check_method_receiver({:?}, self_ty={:?})", method, self_ty);
981
982     if !method.method_has_self_argument {
983         return;
984     }
985
986     let span = fn_sig.decl.inputs[0].span;
987
988     let sig = fcx.tcx.fn_sig(method.def_id);
989     let sig = fcx.normalize_associated_types_in(span, &sig);
990     let sig = fcx.tcx.liberate_late_bound_regions(method.def_id, &sig);
991
992     debug!("check_method_receiver: sig={:?}", sig);
993
994     let self_ty = fcx.normalize_associated_types_in(span, &self_ty);
995     let self_ty = fcx.tcx.liberate_late_bound_regions(method.def_id, &ty::Binder::bind(self_ty));
996
997     let receiver_ty = sig.inputs()[0];
998
999     let receiver_ty = fcx.normalize_associated_types_in(span, &receiver_ty);
1000     let receiver_ty =
1001         fcx.tcx.liberate_late_bound_regions(method.def_id, &ty::Binder::bind(receiver_ty));
1002
1003     if fcx.tcx.features().arbitrary_self_types {
1004         if !receiver_is_valid(fcx, span, receiver_ty, self_ty, true) {
1005             // Report error; `arbitrary_self_types` was enabled.
1006             e0307(fcx, span, receiver_ty);
1007         }
1008     } else {
1009         if !receiver_is_valid(fcx, span, receiver_ty, self_ty, false) {
1010             if receiver_is_valid(fcx, span, receiver_ty, self_ty, true) {
1011                 // Report error; would have worked with `arbitrary_self_types`.
1012                 feature_err(
1013                     &fcx.tcx.sess.parse_sess,
1014                     sym::arbitrary_self_types,
1015                     span,
1016                     &format!(
1017                         "`{}` cannot be used as the type of `self` without \
1018                             the `arbitrary_self_types` feature",
1019                         receiver_ty,
1020                     ),
1021                 )
1022                 .help(HELP_FOR_SELF_TYPE)
1023                 .emit();
1024             } else {
1025                 // Report error; would not have worked with `arbitrary_self_types`.
1026                 e0307(fcx, span, receiver_ty);
1027             }
1028         }
1029     }
1030 }
1031
1032 fn e0307(fcx: &FnCtxt<'fcx, 'tcx>, span: Span, receiver_ty: Ty<'_>) {
1033     struct_span_err!(
1034         fcx.tcx.sess.diagnostic(),
1035         span,
1036         E0307,
1037         "invalid `self` parameter type: {:?}",
1038         receiver_ty,
1039     )
1040     .note("type of `self` must be `Self` or a type that dereferences to it")
1041     .help(HELP_FOR_SELF_TYPE)
1042     .emit();
1043 }
1044
1045 /// Returns whether `receiver_ty` would be considered a valid receiver type for `self_ty`. If
1046 /// `arbitrary_self_types` is enabled, `receiver_ty` must transitively deref to `self_ty`, possibly
1047 /// through a `*const/mut T` raw pointer. If the feature is not enabled, the requirements are more
1048 /// strict: `receiver_ty` must implement `Receiver` and directly implement
1049 /// `Deref<Target = self_ty>`.
1050 ///
1051 /// N.B., there are cases this function returns `true` but causes an error to be emitted,
1052 /// particularly when `receiver_ty` derefs to a type that is the same as `self_ty` but has the
1053 /// wrong lifetime. Be careful of this if you are calling this function speculatively.
1054 fn receiver_is_valid<'fcx, 'tcx>(
1055     fcx: &FnCtxt<'fcx, 'tcx>,
1056     span: Span,
1057     receiver_ty: Ty<'tcx>,
1058     self_ty: Ty<'tcx>,
1059     arbitrary_self_types_enabled: bool,
1060 ) -> bool {
1061     let cause = fcx.cause(span, traits::ObligationCauseCode::MethodReceiver);
1062
1063     let can_eq_self = |ty| fcx.infcx.can_eq(fcx.param_env, self_ty, ty).is_ok();
1064
1065     // `self: Self` is always valid.
1066     if can_eq_self(receiver_ty) {
1067         if let Some(mut err) = fcx.demand_eqtype_with_origin(&cause, self_ty, receiver_ty) {
1068             err.emit();
1069         }
1070         return true;
1071     }
1072
1073     let mut autoderef = fcx.autoderef(span, receiver_ty);
1074
1075     // The `arbitrary_self_types` feature allows raw pointer receivers like `self: *const Self`.
1076     if arbitrary_self_types_enabled {
1077         autoderef = autoderef.include_raw_pointers();
1078     }
1079
1080     // The first type is `receiver_ty`, which we know its not equal to `self_ty`; skip it.
1081     autoderef.next();
1082
1083     let receiver_trait_def_id = fcx.tcx.require_lang_item(lang_items::ReceiverTraitLangItem, None);
1084
1085     // Keep dereferencing `receiver_ty` until we get to `self_ty`.
1086     loop {
1087         if let Some((potential_self_ty, _)) = autoderef.next() {
1088             debug!(
1089                 "receiver_is_valid: potential self type `{:?}` to match `{:?}`",
1090                 potential_self_ty, self_ty
1091             );
1092
1093             if can_eq_self(potential_self_ty) {
1094                 autoderef.finalize(fcx);
1095
1096                 if let Some(mut err) =
1097                     fcx.demand_eqtype_with_origin(&cause, self_ty, potential_self_ty)
1098                 {
1099                     err.emit();
1100                 }
1101
1102                 break;
1103             } else {
1104                 // Without `feature(arbitrary_self_types)`, we require that each step in the
1105                 // deref chain implement `receiver`
1106                 if !arbitrary_self_types_enabled
1107                     && !receiver_is_implemented(
1108                         fcx,
1109                         receiver_trait_def_id,
1110                         cause.clone(),
1111                         potential_self_ty,
1112                     )
1113                 {
1114                     return false;
1115                 }
1116             }
1117         } else {
1118             debug!("receiver_is_valid: type `{:?}` does not deref to `{:?}`", receiver_ty, self_ty);
1119             // If he receiver already has errors reported due to it, consider it valid to avoid
1120             // unnecessary errors (#58712).
1121             return receiver_ty.references_error();
1122         }
1123     }
1124
1125     // Without `feature(arbitrary_self_types)`, we require that `receiver_ty` implements `Receiver`.
1126     if !arbitrary_self_types_enabled
1127         && !receiver_is_implemented(fcx, receiver_trait_def_id, cause.clone(), receiver_ty)
1128     {
1129         return false;
1130     }
1131
1132     true
1133 }
1134
1135 fn receiver_is_implemented(
1136     fcx: &FnCtxt<'_, 'tcx>,
1137     receiver_trait_def_id: DefId,
1138     cause: ObligationCause<'tcx>,
1139     receiver_ty: Ty<'tcx>,
1140 ) -> bool {
1141     let trait_ref = ty::TraitRef {
1142         def_id: receiver_trait_def_id,
1143         substs: fcx.tcx.mk_substs_trait(receiver_ty, &[]),
1144     };
1145
1146     let obligation =
1147         traits::Obligation::new(cause, fcx.param_env, trait_ref.without_const().to_predicate());
1148
1149     if fcx.predicate_must_hold_modulo_regions(&obligation) {
1150         true
1151     } else {
1152         debug!(
1153             "receiver_is_implemented: type `{:?}` does not implement `Receiver` trait",
1154             receiver_ty
1155         );
1156         false
1157     }
1158 }
1159
1160 fn check_variances_for_type_defn<'tcx>(
1161     tcx: TyCtxt<'tcx>,
1162     item: &hir::Item<'tcx>,
1163     hir_generics: &hir::Generics<'_>,
1164 ) {
1165     let item_def_id = tcx.hir().local_def_id(item.hir_id);
1166     let ty = tcx.type_of(item_def_id);
1167     if tcx.has_error_field(ty) {
1168         return;
1169     }
1170
1171     let ty_predicates = tcx.predicates_of(item_def_id);
1172     assert_eq!(ty_predicates.parent, None);
1173     let variances = tcx.variances_of(item_def_id);
1174
1175     let mut constrained_parameters: FxHashSet<_> = variances
1176         .iter()
1177         .enumerate()
1178         .filter(|&(_, &variance)| variance != ty::Bivariant)
1179         .map(|(index, _)| Parameter(index as u32))
1180         .collect();
1181
1182     identify_constrained_generic_params(tcx, ty_predicates, None, &mut constrained_parameters);
1183
1184     for (index, _) in variances.iter().enumerate() {
1185         if constrained_parameters.contains(&Parameter(index as u32)) {
1186             continue;
1187         }
1188
1189         let param = &hir_generics.params[index];
1190
1191         match param.name {
1192             hir::ParamName::Error => {}
1193             _ => report_bivariance(tcx, param.span, param.name.ident().name),
1194         }
1195     }
1196 }
1197
1198 fn report_bivariance(tcx: TyCtxt<'_>, span: Span, param_name: ast::Name) {
1199     let mut err = error_392(tcx, span, param_name);
1200
1201     let suggested_marker_id = tcx.lang_items().phantom_data();
1202     // Help is available only in presence of lang items.
1203     let msg = if let Some(def_id) = suggested_marker_id {
1204         format!(
1205             "consider removing `{}`, referring to it in a field, or using a marker such as `{}`",
1206             param_name,
1207             tcx.def_path_str(def_id),
1208         )
1209     } else {
1210         format!("consider removing `{}` or referring to it in a field", param_name)
1211     };
1212     err.help(&msg);
1213     err.emit();
1214 }
1215
1216 /// Feature gates RFC 2056 -- trivial bounds, checking for global bounds that
1217 /// aren't true.
1218 fn check_false_global_bounds(fcx: &FnCtxt<'_, '_>, span: Span, id: hir::HirId) {
1219     let empty_env = ty::ParamEnv::empty();
1220
1221     let def_id = fcx.tcx.hir().local_def_id(id);
1222     let predicates = fcx.tcx.predicates_of(def_id).predicates.iter().map(|(p, _)| *p).collect();
1223     // Check elaborated bounds.
1224     let implied_obligations = traits::elaborate_predicates(fcx.tcx, predicates);
1225
1226     for pred in implied_obligations {
1227         // Match the existing behavior.
1228         if pred.is_global() && !pred.has_late_bound_regions() {
1229             let pred = fcx.normalize_associated_types_in(span, &pred);
1230             let obligation = traits::Obligation::new(
1231                 traits::ObligationCause::new(span, id, traits::TrivialBound),
1232                 empty_env,
1233                 pred,
1234             );
1235             fcx.register_predicate(obligation);
1236         }
1237     }
1238
1239     fcx.select_all_obligations_or_error();
1240 }
1241
1242 pub struct CheckTypeWellFormedVisitor<'tcx> {
1243     tcx: TyCtxt<'tcx>,
1244 }
1245
1246 impl CheckTypeWellFormedVisitor<'tcx> {
1247     pub fn new(tcx: TyCtxt<'tcx>) -> CheckTypeWellFormedVisitor<'tcx> {
1248         CheckTypeWellFormedVisitor { tcx }
1249     }
1250 }
1251
1252 impl ParItemLikeVisitor<'tcx> for CheckTypeWellFormedVisitor<'tcx> {
1253     fn visit_item(&self, i: &'tcx hir::Item<'tcx>) {
1254         debug!("visit_item: {:?}", i);
1255         let def_id = self.tcx.hir().local_def_id(i.hir_id);
1256         self.tcx.ensure().check_item_well_formed(def_id);
1257     }
1258
1259     fn visit_trait_item(&self, trait_item: &'tcx hir::TraitItem<'tcx>) {
1260         debug!("visit_trait_item: {:?}", trait_item);
1261         let def_id = self.tcx.hir().local_def_id(trait_item.hir_id);
1262         self.tcx.ensure().check_trait_item_well_formed(def_id);
1263     }
1264
1265     fn visit_impl_item(&self, impl_item: &'tcx hir::ImplItem<'tcx>) {
1266         debug!("visit_impl_item: {:?}", impl_item);
1267         let def_id = self.tcx.hir().local_def_id(impl_item.hir_id);
1268         self.tcx.ensure().check_impl_item_well_formed(def_id);
1269     }
1270 }
1271
1272 ///////////////////////////////////////////////////////////////////////////
1273 // ADT
1274
1275 struct AdtVariant<'tcx> {
1276     fields: Vec<AdtField<'tcx>>,
1277 }
1278
1279 struct AdtField<'tcx> {
1280     ty: Ty<'tcx>,
1281     span: Span,
1282 }
1283
1284 impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
1285     fn non_enum_variant(&self, struct_def: &hir::VariantData<'_>) -> AdtVariant<'tcx> {
1286         let fields = struct_def
1287             .fields()
1288             .iter()
1289             .map(|field| {
1290                 let field_ty = self.tcx.type_of(self.tcx.hir().local_def_id(field.hir_id));
1291                 let field_ty = self.normalize_associated_types_in(field.span, &field_ty);
1292                 let field_ty = self.resolve_vars_if_possible(&field_ty);
1293                 debug!("non_enum_variant: type of field {:?} is {:?}", field, field_ty);
1294                 AdtField { ty: field_ty, span: field.span }
1295             })
1296             .collect();
1297         AdtVariant { fields }
1298     }
1299
1300     fn enum_variants(&self, enum_def: &hir::EnumDef<'_>) -> Vec<AdtVariant<'tcx>> {
1301         enum_def.variants.iter().map(|variant| self.non_enum_variant(&variant.data)).collect()
1302     }
1303
1304     fn impl_implied_bounds(&self, impl_def_id: DefId, span: Span) -> Vec<Ty<'tcx>> {
1305         match self.tcx.impl_trait_ref(impl_def_id) {
1306             Some(ref trait_ref) => {
1307                 // Trait impl: take implied bounds from all types that
1308                 // appear in the trait reference.
1309                 let trait_ref = self.normalize_associated_types_in(span, trait_ref);
1310                 trait_ref.substs.types().collect()
1311             }
1312
1313             None => {
1314                 // Inherent impl: take implied bounds from the `self` type.
1315                 let self_ty = self.tcx.type_of(impl_def_id);
1316                 let self_ty = self.normalize_associated_types_in(span, &self_ty);
1317                 vec![self_ty]
1318             }
1319         }
1320     }
1321 }
1322
1323 fn error_392(tcx: TyCtxt<'_>, span: Span, param_name: ast::Name) -> DiagnosticBuilder<'_> {
1324     let mut err =
1325         struct_span_err!(tcx.sess, span, E0392, "parameter `{}` is never used", param_name);
1326     err.span_label(span, "unused parameter");
1327     err
1328 }