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