]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_hir_analysis/src/check/check.rs
Rollup merge of #107048 - DebugSteven:newer-x-check-cargo, r=albertlarsan68
[rust.git] / compiler / rustc_hir_analysis / src / check / check.rs
1 use crate::check::intrinsicck::InlineAsmCtxt;
2 use crate::errors::LinkageType;
3
4 use super::compare_impl_item::check_type_bounds;
5 use super::compare_impl_item::{compare_impl_method, compare_impl_ty};
6 use super::*;
7 use rustc_attr as attr;
8 use rustc_errors::{Applicability, ErrorGuaranteed, MultiSpan};
9 use rustc_hir as hir;
10 use rustc_hir::def::{CtorKind, DefKind, Res};
11 use rustc_hir::def_id::{DefId, LocalDefId};
12 use rustc_hir::intravisit::Visitor;
13 use rustc_hir::{ItemKind, Node, PathSegment};
14 use rustc_infer::infer::opaque_types::ConstrainOpaqueTypeRegionVisitor;
15 use rustc_infer::infer::outlives::env::OutlivesEnvironment;
16 use rustc_infer::infer::{DefiningAnchor, RegionVariableOrigin, TyCtxtInferExt};
17 use rustc_infer::traits::Obligation;
18 use rustc_lint::builtin::REPR_TRANSPARENT_EXTERNAL_PRIVATE_FIELDS;
19 use rustc_middle::hir::nested_filter;
20 use rustc_middle::middle::stability::EvalResult;
21 use rustc_middle::ty::layout::{LayoutError, MAX_SIMD_LANES};
22 use rustc_middle::ty::subst::GenericArgKind;
23 use rustc_middle::ty::util::{Discr, IntTypeExt};
24 use rustc_middle::ty::{self, AdtDef, ParamEnv, Ty, TyCtxt, TypeSuperVisitable, TypeVisitable};
25 use rustc_session::lint::builtin::{UNINHABITED_STATIC, UNSUPPORTED_CALLING_CONVENTIONS};
26 use rustc_span::symbol::sym;
27 use rustc_span::{self, Span};
28 use rustc_target::spec::abi::Abi;
29 use rustc_trait_selection::traits::error_reporting::on_unimplemented::OnUnimplementedDirective;
30 use rustc_trait_selection::traits::error_reporting::TypeErrCtxtExt as _;
31 use rustc_trait_selection::traits::{self, ObligationCtxt};
32
33 use std::ops::ControlFlow;
34
35 pub fn check_abi(tcx: TyCtxt<'_>, hir_id: hir::HirId, span: Span, abi: Abi) {
36     match tcx.sess.target.is_abi_supported(abi) {
37         Some(true) => (),
38         Some(false) => {
39             struct_span_err!(
40                 tcx.sess,
41                 span,
42                 E0570,
43                 "`{abi}` is not a supported ABI for the current target",
44             )
45             .emit();
46         }
47         None => {
48             tcx.struct_span_lint_hir(
49                 UNSUPPORTED_CALLING_CONVENTIONS,
50                 hir_id,
51                 span,
52                 "use of calling convention not supported on this target",
53                 |lint| lint,
54             );
55         }
56     }
57
58     // This ABI is only allowed on function pointers
59     if abi == Abi::CCmseNonSecureCall {
60         struct_span_err!(
61             tcx.sess,
62             span,
63             E0781,
64             "the `\"C-cmse-nonsecure-call\"` ABI is only allowed on function pointers"
65         )
66         .emit();
67     }
68 }
69
70 fn check_struct(tcx: TyCtxt<'_>, def_id: LocalDefId) {
71     let def = tcx.adt_def(def_id);
72     let span = tcx.def_span(def_id);
73     def.destructor(tcx); // force the destructor to be evaluated
74
75     if def.repr().simd() {
76         check_simd(tcx, span, def_id);
77     }
78
79     check_transparent(tcx, def);
80     check_packed(tcx, span, def);
81 }
82
83 fn check_union(tcx: TyCtxt<'_>, def_id: LocalDefId) {
84     let def = tcx.adt_def(def_id);
85     let span = tcx.def_span(def_id);
86     def.destructor(tcx); // force the destructor to be evaluated
87     check_transparent(tcx, def);
88     check_union_fields(tcx, span, def_id);
89     check_packed(tcx, span, def);
90 }
91
92 /// Check that the fields of the `union` do not need dropping.
93 fn check_union_fields(tcx: TyCtxt<'_>, span: Span, item_def_id: LocalDefId) -> bool {
94     let item_type = tcx.type_of(item_def_id);
95     if let ty::Adt(def, substs) = item_type.kind() {
96         assert!(def.is_union());
97
98         fn allowed_union_field<'tcx>(
99             ty: Ty<'tcx>,
100             tcx: TyCtxt<'tcx>,
101             param_env: ty::ParamEnv<'tcx>,
102         ) -> bool {
103             // We don't just accept all !needs_drop fields, due to semver concerns.
104             match ty.kind() {
105                 ty::Ref(..) => true, // references never drop (even mutable refs, which are non-Copy and hence fail the later check)
106                 ty::Tuple(tys) => {
107                     // allow tuples of allowed types
108                     tys.iter().all(|ty| allowed_union_field(ty, tcx, param_env))
109                 }
110                 ty::Array(elem, _len) => {
111                     // Like `Copy`, we do *not* special-case length 0.
112                     allowed_union_field(*elem, tcx, param_env)
113                 }
114                 _ => {
115                     // Fallback case: allow `ManuallyDrop` and things that are `Copy`.
116                     ty.ty_adt_def().is_some_and(|adt_def| adt_def.is_manually_drop())
117                         || ty.is_copy_modulo_regions(tcx, param_env)
118                 }
119             }
120         }
121
122         let param_env = tcx.param_env(item_def_id);
123         for field in &def.non_enum_variant().fields {
124             let field_ty = field.ty(tcx, substs);
125
126             if !allowed_union_field(field_ty, tcx, param_env) {
127                 let (field_span, ty_span) = match tcx.hir().get_if_local(field.did) {
128                     // We are currently checking the type this field came from, so it must be local.
129                     Some(Node::Field(field)) => (field.span, field.ty.span),
130                     _ => unreachable!("mir field has to correspond to hir field"),
131                 };
132                 struct_span_err!(
133                     tcx.sess,
134                     field_span,
135                     E0740,
136                     "unions cannot contain fields that may need dropping"
137                 )
138                 .note(
139                     "a type is guaranteed not to need dropping \
140                     when it implements `Copy`, or when it is the special `ManuallyDrop<_>` type",
141                 )
142                 .multipart_suggestion_verbose(
143                     "when the type does not implement `Copy`, \
144                     wrap it inside a `ManuallyDrop<_>` and ensure it is manually dropped",
145                     vec![
146                         (ty_span.shrink_to_lo(), "std::mem::ManuallyDrop<".into()),
147                         (ty_span.shrink_to_hi(), ">".into()),
148                     ],
149                     Applicability::MaybeIncorrect,
150                 )
151                 .emit();
152                 return false;
153             } else if field_ty.needs_drop(tcx, param_env) {
154                 // This should never happen. But we can get here e.g. in case of name resolution errors.
155                 tcx.sess.delay_span_bug(span, "we should never accept maybe-dropping union fields");
156             }
157         }
158     } else {
159         span_bug!(span, "unions must be ty::Adt, but got {:?}", item_type.kind());
160     }
161     true
162 }
163
164 /// Check that a `static` is inhabited.
165 fn check_static_inhabited(tcx: TyCtxt<'_>, def_id: LocalDefId) {
166     // Make sure statics are inhabited.
167     // Other parts of the compiler assume that there are no uninhabited places. In principle it
168     // would be enough to check this for `extern` statics, as statics with an initializer will
169     // have UB during initialization if they are uninhabited, but there also seems to be no good
170     // reason to allow any statics to be uninhabited.
171     let ty = tcx.type_of(def_id);
172     let span = tcx.def_span(def_id);
173     let layout = match tcx.layout_of(ParamEnv::reveal_all().and(ty)) {
174         Ok(l) => l,
175         // Foreign statics that overflow their allowed size should emit an error
176         Err(LayoutError::SizeOverflow(_))
177             if {
178                 let node = tcx.hir().get_by_def_id(def_id);
179                 matches!(
180                     node,
181                     hir::Node::ForeignItem(hir::ForeignItem {
182                         kind: hir::ForeignItemKind::Static(..),
183                         ..
184                     })
185                 )
186             } =>
187         {
188             tcx.sess
189                 .struct_span_err(span, "extern static is too large for the current architecture")
190                 .emit();
191             return;
192         }
193         // Generic statics are rejected, but we still reach this case.
194         Err(e) => {
195             tcx.sess.delay_span_bug(span, &e.to_string());
196             return;
197         }
198     };
199     if layout.abi.is_uninhabited() {
200         tcx.struct_span_lint_hir(
201             UNINHABITED_STATIC,
202             tcx.hir().local_def_id_to_hir_id(def_id),
203             span,
204             "static of uninhabited type",
205             |lint| {
206                 lint
207                 .note("uninhabited statics cannot be initialized, and any access would be an immediate error")
208             },
209         );
210     }
211 }
212
213 /// Checks that an opaque type does not contain cycles and does not use `Self` or `T::Foo`
214 /// projections that would result in "inheriting lifetimes".
215 fn check_opaque(tcx: TyCtxt<'_>, id: hir::ItemId) {
216     let item = tcx.hir().item(id);
217     let hir::ItemKind::OpaqueTy(hir::OpaqueTy { origin, .. }) = item.kind else {
218         tcx.sess.delay_span_bug(tcx.hir().span(id.hir_id()), "expected opaque item");
219         return;
220     };
221
222     // HACK(jynelson): trying to infer the type of `impl trait` breaks documenting
223     // `async-std` (and `pub async fn` in general).
224     // Since rustdoc doesn't care about the concrete type behind `impl Trait`, just don't look at it!
225     // See https://github.com/rust-lang/rust/issues/75100
226     if tcx.sess.opts.actually_rustdoc {
227         return;
228     }
229
230     let substs = InternalSubsts::identity_for_item(tcx, item.owner_id.to_def_id());
231     let span = tcx.def_span(item.owner_id.def_id);
232
233     if !tcx.features().impl_trait_projections {
234         check_opaque_for_inheriting_lifetimes(tcx, item.owner_id.def_id, span);
235     }
236     if tcx.type_of(item.owner_id.def_id).references_error() {
237         return;
238     }
239     if check_opaque_for_cycles(tcx, item.owner_id.def_id, substs, span, &origin).is_err() {
240         return;
241     }
242     check_opaque_meets_bounds(tcx, item.owner_id.def_id, substs, span, &origin);
243 }
244
245 /// Checks that an opaque type does not use `Self` or `T::Foo` projections that would result
246 /// in "inheriting lifetimes".
247 #[instrument(level = "debug", skip(tcx, span))]
248 pub(super) fn check_opaque_for_inheriting_lifetimes(
249     tcx: TyCtxt<'_>,
250     def_id: LocalDefId,
251     span: Span,
252 ) {
253     let item = tcx.hir().expect_item(def_id);
254     debug!(?item, ?span);
255
256     struct ProhibitOpaqueVisitor<'tcx> {
257         tcx: TyCtxt<'tcx>,
258         opaque_identity_ty: Ty<'tcx>,
259         parent_count: u32,
260         references_parent_regions: bool,
261         selftys: Vec<(Span, Option<String>)>,
262     }
263
264     impl<'tcx> ty::visit::TypeVisitor<'tcx> for ProhibitOpaqueVisitor<'tcx> {
265         type BreakTy = Ty<'tcx>;
266
267         fn visit_ty(&mut self, t: Ty<'tcx>) -> ControlFlow<Self::BreakTy> {
268             debug!(?t, "root_visit_ty");
269             if t == self.opaque_identity_ty {
270                 ControlFlow::Continue(())
271             } else {
272                 t.visit_with(&mut ConstrainOpaqueTypeRegionVisitor {
273                     tcx: self.tcx,
274                     op: |region| {
275                         if let ty::ReEarlyBound(ty::EarlyBoundRegion { index, .. }) = *region
276                             && index < self.parent_count
277                         {
278                             self.references_parent_regions= true;
279                         }
280                     },
281                 });
282                 if self.references_parent_regions {
283                     ControlFlow::Break(t)
284                 } else {
285                     ControlFlow::Continue(())
286                 }
287             }
288         }
289     }
290
291     impl<'tcx> Visitor<'tcx> for ProhibitOpaqueVisitor<'tcx> {
292         type NestedFilter = nested_filter::OnlyBodies;
293
294         fn nested_visit_map(&mut self) -> Self::Map {
295             self.tcx.hir()
296         }
297
298         fn visit_ty(&mut self, arg: &'tcx hir::Ty<'tcx>) {
299             match arg.kind {
300                 hir::TyKind::Path(hir::QPath::Resolved(None, path)) => match &path.segments {
301                     [PathSegment { res: Res::SelfTyParam { .. }, .. }] => {
302                         let impl_ty_name = None;
303                         self.selftys.push((path.span, impl_ty_name));
304                     }
305                     [PathSegment { res: Res::SelfTyAlias { alias_to: def_id, .. }, .. }] => {
306                         let impl_ty_name = Some(self.tcx.def_path_str(*def_id));
307                         self.selftys.push((path.span, impl_ty_name));
308                     }
309                     _ => {}
310                 },
311                 _ => {}
312             }
313             hir::intravisit::walk_ty(self, arg);
314         }
315     }
316
317     if let ItemKind::OpaqueTy(hir::OpaqueTy {
318         origin: hir::OpaqueTyOrigin::AsyncFn(..) | hir::OpaqueTyOrigin::FnReturn(..),
319         in_trait,
320         ..
321     }) = item.kind
322     {
323         let substs = InternalSubsts::identity_for_item(tcx, def_id.to_def_id());
324         let opaque_identity_ty = if in_trait {
325             tcx.mk_projection(def_id.to_def_id(), substs)
326         } else {
327             tcx.mk_opaque(def_id.to_def_id(), substs)
328         };
329         let mut visitor = ProhibitOpaqueVisitor {
330             opaque_identity_ty,
331             parent_count: tcx.generics_of(def_id).parent_count as u32,
332             references_parent_regions: false,
333             tcx,
334             selftys: vec![],
335         };
336         let prohibit_opaque = tcx
337             .explicit_item_bounds(def_id)
338             .iter()
339             .try_for_each(|(predicate, _)| predicate.visit_with(&mut visitor));
340
341         if let Some(ty) = prohibit_opaque.break_value() {
342             visitor.visit_item(&item);
343             let is_async = match item.kind {
344                 ItemKind::OpaqueTy(hir::OpaqueTy { origin, .. }) => {
345                     matches!(origin, hir::OpaqueTyOrigin::AsyncFn(..))
346                 }
347                 _ => unreachable!(),
348             };
349
350             let mut err = feature_err(
351                 &tcx.sess.parse_sess,
352                 sym::impl_trait_projections,
353                 span,
354                 &format!(
355                     "`{}` return type cannot contain a projection or `Self` that references \
356                     lifetimes from a parent scope",
357                     if is_async { "async fn" } else { "impl Trait" },
358                 ),
359             );
360             for (span, name) in visitor.selftys {
361                 err.span_suggestion(
362                     span,
363                     "consider spelling out the type instead",
364                     name.unwrap_or_else(|| format!("{:?}", ty)),
365                     Applicability::MaybeIncorrect,
366                 );
367             }
368             err.emit();
369         }
370     }
371 }
372
373 /// Checks that an opaque type does not contain cycles.
374 pub(super) fn check_opaque_for_cycles<'tcx>(
375     tcx: TyCtxt<'tcx>,
376     def_id: LocalDefId,
377     substs: SubstsRef<'tcx>,
378     span: Span,
379     origin: &hir::OpaqueTyOrigin,
380 ) -> Result<(), ErrorGuaranteed> {
381     if tcx.try_expand_impl_trait_type(def_id.to_def_id(), substs).is_err() {
382         let reported = match origin {
383             hir::OpaqueTyOrigin::AsyncFn(..) => async_opaque_type_cycle_error(tcx, span),
384             _ => opaque_type_cycle_error(tcx, def_id, span),
385         };
386         Err(reported)
387     } else {
388         Ok(())
389     }
390 }
391
392 /// Check that the concrete type behind `impl Trait` actually implements `Trait`.
393 ///
394 /// This is mostly checked at the places that specify the opaque type, but we
395 /// check those cases in the `param_env` of that function, which may have
396 /// bounds not on this opaque type:
397 ///
398 /// ```ignore (illustrative)
399 /// type X<T> = impl Clone;
400 /// fn f<T: Clone>(t: T) -> X<T> {
401 ///     t
402 /// }
403 /// ```
404 ///
405 /// Without this check the above code is incorrectly accepted: we would ICE if
406 /// some tried, for example, to clone an `Option<X<&mut ()>>`.
407 #[instrument(level = "debug", skip(tcx))]
408 fn check_opaque_meets_bounds<'tcx>(
409     tcx: TyCtxt<'tcx>,
410     def_id: LocalDefId,
411     substs: SubstsRef<'tcx>,
412     span: Span,
413     origin: &hir::OpaqueTyOrigin,
414 ) {
415     let hir_id = tcx.hir().local_def_id_to_hir_id(def_id);
416     let defining_use_anchor = match *origin {
417         hir::OpaqueTyOrigin::FnReturn(did) | hir::OpaqueTyOrigin::AsyncFn(did) => did,
418         hir::OpaqueTyOrigin::TyAlias => def_id,
419     };
420     let param_env = tcx.param_env(defining_use_anchor);
421
422     let infcx = tcx
423         .infer_ctxt()
424         .with_opaque_type_inference(DefiningAnchor::Bind(defining_use_anchor))
425         .build();
426     let ocx = ObligationCtxt::new(&infcx);
427     let opaque_ty = tcx.mk_opaque(def_id.to_def_id(), substs);
428
429     // `ReErased` regions appear in the "parent_substs" of closures/generators.
430     // We're ignoring them here and replacing them with fresh region variables.
431     // See tests in ui/type-alias-impl-trait/closure_{parent_substs,wf_outlives}.rs.
432     //
433     // FIXME: Consider wrapping the hidden type in an existential `Binder` and instantiating it
434     // here rather than using ReErased.
435     let hidden_ty = tcx.bound_type_of(def_id.to_def_id()).subst(tcx, substs);
436     let hidden_ty = tcx.fold_regions(hidden_ty, |re, _dbi| match re.kind() {
437         ty::ReErased => infcx.next_region_var(RegionVariableOrigin::MiscVariable(span)),
438         _ => re,
439     });
440
441     let misc_cause = traits::ObligationCause::misc(span, hir_id);
442
443     match ocx.eq(&misc_cause, param_env, opaque_ty, hidden_ty) {
444         Ok(()) => {}
445         Err(ty_err) => {
446             tcx.sess.delay_span_bug(
447                 span,
448                 &format!("could not unify `{hidden_ty}` with revealed type:\n{ty_err}"),
449             );
450         }
451     }
452
453     // Additionally require the hidden type to be well-formed with only the generics of the opaque type.
454     // Defining use functions may have more bounds than the opaque type, which is ok, as long as the
455     // hidden type is well formed even without those bounds.
456     let predicate = ty::Binder::dummy(ty::PredicateKind::WellFormed(hidden_ty.into()));
457     ocx.register_obligation(Obligation::new(tcx, misc_cause, param_env, predicate));
458
459     // Check that all obligations are satisfied by the implementation's
460     // version.
461     let errors = ocx.select_all_or_error();
462     if !errors.is_empty() {
463         infcx.err_ctxt().report_fulfillment_errors(&errors, None);
464     }
465     match origin {
466         // Checked when type checking the function containing them.
467         hir::OpaqueTyOrigin::FnReturn(..) | hir::OpaqueTyOrigin::AsyncFn(..) => {}
468         // Can have different predicates to their defining use
469         hir::OpaqueTyOrigin::TyAlias => {
470             let outlives_environment = OutlivesEnvironment::new(param_env);
471             let _ = infcx.err_ctxt().check_region_obligations_and_report_errors(
472                 defining_use_anchor,
473                 &outlives_environment,
474             );
475         }
476     }
477     // Clean up after ourselves
478     let _ = infcx.take_opaque_types();
479 }
480
481 fn is_enum_of_nonnullable_ptr<'tcx>(
482     tcx: TyCtxt<'tcx>,
483     adt_def: AdtDef<'tcx>,
484     substs: SubstsRef<'tcx>,
485 ) -> bool {
486     if adt_def.repr().inhibit_enum_layout_opt() {
487         return false;
488     }
489
490     let [var_one, var_two] = &adt_def.variants().raw[..] else {
491         return false;
492     };
493     let (([], [field]) | ([field], [])) = (&var_one.fields[..], &var_two.fields[..]) else {
494         return false;
495     };
496     matches!(field.ty(tcx, substs).kind(), ty::FnPtr(..) | ty::Ref(..))
497 }
498
499 fn check_static_linkage(tcx: TyCtxt<'_>, def_id: LocalDefId) {
500     if tcx.codegen_fn_attrs(def_id).import_linkage.is_some() {
501         if match tcx.type_of(def_id).kind() {
502             ty::RawPtr(_) => false,
503             ty::Adt(adt_def, substs) => !is_enum_of_nonnullable_ptr(tcx, *adt_def, *substs),
504             _ => true,
505         } {
506             tcx.sess.emit_err(LinkageType { span: tcx.def_span(def_id) });
507         }
508     }
509 }
510
511 fn check_item_type(tcx: TyCtxt<'_>, id: hir::ItemId) {
512     debug!(
513         "check_item_type(it.def_id={:?}, it.name={})",
514         id.owner_id,
515         tcx.def_path_str(id.owner_id.to_def_id())
516     );
517     let _indenter = indenter();
518     match tcx.def_kind(id.owner_id) {
519         DefKind::Static(..) => {
520             tcx.ensure().typeck(id.owner_id.def_id);
521             maybe_check_static_with_link_section(tcx, id.owner_id.def_id);
522             check_static_inhabited(tcx, id.owner_id.def_id);
523             check_static_linkage(tcx, id.owner_id.def_id);
524         }
525         DefKind::Const => {
526             tcx.ensure().typeck(id.owner_id.def_id);
527         }
528         DefKind::Enum => {
529             check_enum(tcx, id.owner_id.def_id);
530         }
531         DefKind::Fn => {} // entirely within check_item_body
532         DefKind::Impl => {
533             let it = tcx.hir().item(id);
534             let hir::ItemKind::Impl(impl_) = it.kind else { return };
535             debug!("ItemKind::Impl {} with id {:?}", it.ident, it.owner_id);
536             if let Some(impl_trait_ref) = tcx.impl_trait_ref(it.owner_id) {
537                 check_impl_items_against_trait(
538                     tcx,
539                     it.span,
540                     it.owner_id.def_id,
541                     impl_trait_ref.subst_identity(),
542                     &impl_.items,
543                 );
544                 check_on_unimplemented(tcx, it);
545             }
546         }
547         DefKind::Trait => {
548             let it = tcx.hir().item(id);
549             let hir::ItemKind::Trait(_, _, _, _, items) = it.kind else {
550                 return;
551             };
552             check_on_unimplemented(tcx, it);
553
554             for item in items.iter() {
555                 let item = tcx.hir().trait_item(item.id);
556                 match &item.kind {
557                     hir::TraitItemKind::Fn(sig, _) => {
558                         let abi = sig.header.abi;
559                         fn_maybe_err(tcx, item.ident.span, abi);
560                     }
561                     hir::TraitItemKind::Type(.., Some(default)) => {
562                         let assoc_item = tcx.associated_item(item.owner_id);
563                         let trait_substs =
564                             InternalSubsts::identity_for_item(tcx, it.owner_id.to_def_id());
565                         let _: Result<_, rustc_errors::ErrorGuaranteed> = check_type_bounds(
566                             tcx,
567                             assoc_item,
568                             assoc_item,
569                             default.span,
570                             tcx.mk_trait_ref(it.owner_id.to_def_id(), trait_substs),
571                         );
572                     }
573                     _ => {}
574                 }
575             }
576         }
577         DefKind::Struct => {
578             check_struct(tcx, id.owner_id.def_id);
579         }
580         DefKind::Union => {
581             check_union(tcx, id.owner_id.def_id);
582         }
583         DefKind::OpaqueTy => {
584             check_opaque(tcx, id);
585         }
586         DefKind::ImplTraitPlaceholder => {
587             let parent = tcx.impl_trait_in_trait_parent(id.owner_id.to_def_id());
588             // Only check the validity of this opaque type if the function has a default body
589             if let hir::Node::TraitItem(hir::TraitItem {
590                 kind: hir::TraitItemKind::Fn(_, hir::TraitFn::Provided(_)),
591                 ..
592             }) = tcx.hir().get_by_def_id(parent.expect_local())
593             {
594                 check_opaque(tcx, id);
595             }
596         }
597         DefKind::TyAlias => {
598             let pty_ty = tcx.type_of(id.owner_id);
599             let generics = tcx.generics_of(id.owner_id);
600             check_type_params_are_used(tcx, &generics, pty_ty);
601         }
602         DefKind::ForeignMod => {
603             let it = tcx.hir().item(id);
604             let hir::ItemKind::ForeignMod { abi, items } = it.kind else {
605                 return;
606             };
607             check_abi(tcx, it.hir_id(), it.span, abi);
608
609             if abi == Abi::RustIntrinsic {
610                 for item in items {
611                     let item = tcx.hir().foreign_item(item.id);
612                     intrinsic::check_intrinsic_type(tcx, item);
613                 }
614             } else if abi == Abi::PlatformIntrinsic {
615                 for item in items {
616                     let item = tcx.hir().foreign_item(item.id);
617                     intrinsic::check_platform_intrinsic_type(tcx, item);
618                 }
619             } else {
620                 for item in items {
621                     let def_id = item.id.owner_id.def_id;
622                     let generics = tcx.generics_of(def_id);
623                     let own_counts = generics.own_counts();
624                     if generics.params.len() - own_counts.lifetimes != 0 {
625                         let (kinds, kinds_pl, egs) = match (own_counts.types, own_counts.consts) {
626                             (_, 0) => ("type", "types", Some("u32")),
627                             // We don't specify an example value, because we can't generate
628                             // a valid value for any type.
629                             (0, _) => ("const", "consts", None),
630                             _ => ("type or const", "types or consts", None),
631                         };
632                         struct_span_err!(
633                             tcx.sess,
634                             item.span,
635                             E0044,
636                             "foreign items may not have {kinds} parameters",
637                         )
638                         .span_label(item.span, &format!("can't have {kinds} parameters"))
639                         .help(
640                             // FIXME: once we start storing spans for type arguments, turn this
641                             // into a suggestion.
642                             &format!(
643                                 "replace the {} parameters with concrete {}{}",
644                                 kinds,
645                                 kinds_pl,
646                                 egs.map(|egs| format!(" like `{}`", egs)).unwrap_or_default(),
647                             ),
648                         )
649                         .emit();
650                     }
651
652                     let item = tcx.hir().foreign_item(item.id);
653                     match &item.kind {
654                         hir::ForeignItemKind::Fn(fn_decl, _, _) => {
655                             require_c_abi_if_c_variadic(tcx, fn_decl, abi, item.span);
656                         }
657                         hir::ForeignItemKind::Static(..) => {
658                             check_static_inhabited(tcx, def_id);
659                             check_static_linkage(tcx, def_id);
660                         }
661                         _ => {}
662                     }
663                 }
664             }
665         }
666         DefKind::GlobalAsm => {
667             let it = tcx.hir().item(id);
668             let hir::ItemKind::GlobalAsm(asm) = it.kind else { span_bug!(it.span, "DefKind::GlobalAsm but got {:#?}", it) };
669             InlineAsmCtxt::new_global_asm(tcx).check_asm(asm, id.hir_id());
670         }
671         _ => {}
672     }
673 }
674
675 pub(super) fn check_on_unimplemented(tcx: TyCtxt<'_>, item: &hir::Item<'_>) {
676     // an error would be reported if this fails.
677     let _ = OnUnimplementedDirective::of_item(tcx, item.owner_id.to_def_id());
678 }
679
680 pub(super) fn check_specialization_validity<'tcx>(
681     tcx: TyCtxt<'tcx>,
682     trait_def: &ty::TraitDef,
683     trait_item: &ty::AssocItem,
684     impl_id: DefId,
685     impl_item: &hir::ImplItemRef,
686 ) {
687     let Ok(ancestors) = trait_def.ancestors(tcx, impl_id) else { return };
688     let mut ancestor_impls = ancestors.skip(1).filter_map(|parent| {
689         if parent.is_from_trait() {
690             None
691         } else {
692             Some((parent, parent.item(tcx, trait_item.def_id)))
693         }
694     });
695
696     let opt_result = ancestor_impls.find_map(|(parent_impl, parent_item)| {
697         match parent_item {
698             // Parent impl exists, and contains the parent item we're trying to specialize, but
699             // doesn't mark it `default`.
700             Some(parent_item) if traits::impl_item_is_final(tcx, &parent_item) => {
701                 Some(Err(parent_impl.def_id()))
702             }
703
704             // Parent impl contains item and makes it specializable.
705             Some(_) => Some(Ok(())),
706
707             // Parent impl doesn't mention the item. This means it's inherited from the
708             // grandparent. In that case, if parent is a `default impl`, inherited items use the
709             // "defaultness" from the grandparent, else they are final.
710             None => {
711                 if tcx.impl_defaultness(parent_impl.def_id()).is_default() {
712                     None
713                 } else {
714                     Some(Err(parent_impl.def_id()))
715                 }
716             }
717         }
718     });
719
720     // If `opt_result` is `None`, we have only encountered `default impl`s that don't contain the
721     // item. This is allowed, the item isn't actually getting specialized here.
722     let result = opt_result.unwrap_or(Ok(()));
723
724     if let Err(parent_impl) = result {
725         report_forbidden_specialization(tcx, impl_item, parent_impl);
726     }
727 }
728
729 fn check_impl_items_against_trait<'tcx>(
730     tcx: TyCtxt<'tcx>,
731     full_impl_span: Span,
732     impl_id: LocalDefId,
733     impl_trait_ref: ty::TraitRef<'tcx>,
734     impl_item_refs: &[hir::ImplItemRef],
735 ) {
736     // If the trait reference itself is erroneous (so the compilation is going
737     // to fail), skip checking the items here -- the `impl_item` table in `tcx`
738     // isn't populated for such impls.
739     if impl_trait_ref.references_error() {
740         return;
741     }
742
743     // Negative impls are not expected to have any items
744     match tcx.impl_polarity(impl_id) {
745         ty::ImplPolarity::Reservation | ty::ImplPolarity::Positive => {}
746         ty::ImplPolarity::Negative => {
747             if let [first_item_ref, ..] = impl_item_refs {
748                 let first_item_span = tcx.hir().impl_item(first_item_ref.id).span;
749                 struct_span_err!(
750                     tcx.sess,
751                     first_item_span,
752                     E0749,
753                     "negative impls cannot have any items"
754                 )
755                 .emit();
756             }
757             return;
758         }
759     }
760
761     let trait_def = tcx.trait_def(impl_trait_ref.def_id);
762
763     for impl_item in impl_item_refs {
764         let ty_impl_item = tcx.associated_item(impl_item.id.owner_id);
765         let ty_trait_item = if let Some(trait_item_id) = ty_impl_item.trait_item_def_id {
766             tcx.associated_item(trait_item_id)
767         } else {
768             // Checked in `associated_item`.
769             tcx.sess.delay_span_bug(impl_item.span, "missing associated item in trait");
770             continue;
771         };
772         let impl_item_full = tcx.hir().impl_item(impl_item.id);
773         match impl_item_full.kind {
774             hir::ImplItemKind::Const(..) => {
775                 let _ = tcx.compare_impl_const((
776                     impl_item.id.owner_id.def_id,
777                     ty_impl_item.trait_item_def_id.unwrap(),
778                 ));
779             }
780             hir::ImplItemKind::Fn(..) => {
781                 let opt_trait_span = tcx.hir().span_if_local(ty_trait_item.def_id);
782                 compare_impl_method(
783                     tcx,
784                     &ty_impl_item,
785                     &ty_trait_item,
786                     impl_trait_ref,
787                     opt_trait_span,
788                 );
789             }
790             hir::ImplItemKind::Type(impl_ty) => {
791                 let opt_trait_span = tcx.hir().span_if_local(ty_trait_item.def_id);
792                 compare_impl_ty(
793                     tcx,
794                     &ty_impl_item,
795                     impl_ty.span,
796                     &ty_trait_item,
797                     impl_trait_ref,
798                     opt_trait_span,
799                 );
800             }
801         }
802
803         check_specialization_validity(
804             tcx,
805             trait_def,
806             &ty_trait_item,
807             impl_id.to_def_id(),
808             impl_item,
809         );
810     }
811
812     if let Ok(ancestors) = trait_def.ancestors(tcx, impl_id.to_def_id()) {
813         // Check for missing items from trait
814         let mut missing_items = Vec::new();
815
816         let mut must_implement_one_of: Option<&[Ident]> =
817             trait_def.must_implement_one_of.as_deref();
818
819         for &trait_item_id in tcx.associated_item_def_ids(impl_trait_ref.def_id) {
820             let is_implemented = ancestors
821                 .leaf_def(tcx, trait_item_id)
822                 .map_or(false, |node_item| node_item.item.defaultness(tcx).has_value());
823
824             if !is_implemented && tcx.impl_defaultness(impl_id).is_final() {
825                 missing_items.push(tcx.associated_item(trait_item_id));
826             }
827
828             // true if this item is specifically implemented in this impl
829             let is_implemented_here = ancestors
830                 .leaf_def(tcx, trait_item_id)
831                 .map_or(false, |node_item| !node_item.defining_node.is_from_trait());
832
833             if !is_implemented_here {
834                 match tcx.eval_default_body_stability(trait_item_id, full_impl_span) {
835                     EvalResult::Deny { feature, reason, issue, .. } => default_body_is_unstable(
836                         tcx,
837                         full_impl_span,
838                         trait_item_id,
839                         feature,
840                         reason,
841                         issue,
842                     ),
843
844                     // Unmarked default bodies are considered stable (at least for now).
845                     EvalResult::Allow | EvalResult::Unmarked => {}
846                 }
847             }
848
849             if let Some(required_items) = &must_implement_one_of {
850                 if is_implemented_here {
851                     let trait_item = tcx.associated_item(trait_item_id);
852                     if required_items.contains(&trait_item.ident(tcx)) {
853                         must_implement_one_of = None;
854                     }
855                 }
856             }
857         }
858
859         if !missing_items.is_empty() {
860             missing_items_err(tcx, tcx.def_span(impl_id), &missing_items, full_impl_span);
861         }
862
863         if let Some(missing_items) = must_implement_one_of {
864             let attr_span = tcx
865                 .get_attr(impl_trait_ref.def_id, sym::rustc_must_implement_one_of)
866                 .map(|attr| attr.span);
867
868             missing_items_must_implement_one_of_err(
869                 tcx,
870                 tcx.def_span(impl_id),
871                 missing_items,
872                 attr_span,
873             );
874         }
875     }
876 }
877
878 pub fn check_simd(tcx: TyCtxt<'_>, sp: Span, def_id: LocalDefId) {
879     let t = tcx.type_of(def_id);
880     if let ty::Adt(def, substs) = t.kind()
881         && def.is_struct()
882     {
883         let fields = &def.non_enum_variant().fields;
884         if fields.is_empty() {
885             struct_span_err!(tcx.sess, sp, E0075, "SIMD vector cannot be empty").emit();
886             return;
887         }
888         let e = fields[0].ty(tcx, substs);
889         if !fields.iter().all(|f| f.ty(tcx, substs) == e) {
890             struct_span_err!(tcx.sess, sp, E0076, "SIMD vector should be homogeneous")
891                 .span_label(sp, "SIMD elements must have the same type")
892                 .emit();
893             return;
894         }
895
896         let len = if let ty::Array(_ty, c) = e.kind() {
897             c.try_eval_usize(tcx, tcx.param_env(def.did()))
898         } else {
899             Some(fields.len() as u64)
900         };
901         if let Some(len) = len {
902             if len == 0 {
903                 struct_span_err!(tcx.sess, sp, E0075, "SIMD vector cannot be empty").emit();
904                 return;
905             } else if len > MAX_SIMD_LANES {
906                 struct_span_err!(
907                     tcx.sess,
908                     sp,
909                     E0075,
910                     "SIMD vector cannot have more than {MAX_SIMD_LANES} elements",
911                 )
912                 .emit();
913                 return;
914             }
915         }
916
917         // Check that we use types valid for use in the lanes of a SIMD "vector register"
918         // These are scalar types which directly match a "machine" type
919         // Yes: Integers, floats, "thin" pointers
920         // No: char, "fat" pointers, compound types
921         match e.kind() {
922             ty::Param(_) => (), // pass struct<T>(T, T, T, T) through, let monomorphization catch errors
923             ty::Int(_) | ty::Uint(_) | ty::Float(_) | ty::RawPtr(_) => (), // struct(u8, u8, u8, u8) is ok
924             ty::Array(t, _) if matches!(t.kind(), ty::Param(_)) => (), // pass struct<T>([T; N]) through, let monomorphization catch errors
925             ty::Array(t, _clen)
926                 if matches!(
927                     t.kind(),
928                     ty::Int(_) | ty::Uint(_) | ty::Float(_) | ty::RawPtr(_)
929                 ) =>
930             { /* struct([f32; 4]) is ok */ }
931             _ => {
932                 struct_span_err!(
933                     tcx.sess,
934                     sp,
935                     E0077,
936                     "SIMD vector element type should be a \
937                         primitive scalar (integer/float/pointer) type"
938                 )
939                 .emit();
940                 return;
941             }
942         }
943     }
944 }
945
946 pub(super) fn check_packed(tcx: TyCtxt<'_>, sp: Span, def: ty::AdtDef<'_>) {
947     let repr = def.repr();
948     if repr.packed() {
949         for attr in tcx.get_attrs(def.did(), sym::repr) {
950             for r in attr::parse_repr_attr(&tcx.sess, attr) {
951                 if let attr::ReprPacked(pack) = r
952                 && let Some(repr_pack) = repr.pack
953                 && pack as u64 != repr_pack.bytes()
954             {
955                         struct_span_err!(
956                             tcx.sess,
957                             sp,
958                             E0634,
959                             "type has conflicting packed representation hints"
960                         )
961                         .emit();
962             }
963             }
964         }
965         if repr.align.is_some() {
966             struct_span_err!(
967                 tcx.sess,
968                 sp,
969                 E0587,
970                 "type has conflicting packed and align representation hints"
971             )
972             .emit();
973         } else {
974             if let Some(def_spans) = check_packed_inner(tcx, def.did(), &mut vec![]) {
975                 let mut err = struct_span_err!(
976                     tcx.sess,
977                     sp,
978                     E0588,
979                     "packed type cannot transitively contain a `#[repr(align)]` type"
980                 );
981
982                 err.span_note(
983                     tcx.def_span(def_spans[0].0),
984                     &format!(
985                         "`{}` has a `#[repr(align)]` attribute",
986                         tcx.item_name(def_spans[0].0)
987                     ),
988                 );
989
990                 if def_spans.len() > 2 {
991                     let mut first = true;
992                     for (adt_def, span) in def_spans.iter().skip(1).rev() {
993                         let ident = tcx.item_name(*adt_def);
994                         err.span_note(
995                             *span,
996                             &if first {
997                                 format!(
998                                     "`{}` contains a field of type `{}`",
999                                     tcx.type_of(def.did()),
1000                                     ident
1001                                 )
1002                             } else {
1003                                 format!("...which contains a field of type `{ident}`")
1004                             },
1005                         );
1006                         first = false;
1007                     }
1008                 }
1009
1010                 err.emit();
1011             }
1012         }
1013     }
1014 }
1015
1016 pub(super) fn check_packed_inner(
1017     tcx: TyCtxt<'_>,
1018     def_id: DefId,
1019     stack: &mut Vec<DefId>,
1020 ) -> Option<Vec<(DefId, Span)>> {
1021     if let ty::Adt(def, substs) = tcx.type_of(def_id).kind() {
1022         if def.is_struct() || def.is_union() {
1023             if def.repr().align.is_some() {
1024                 return Some(vec![(def.did(), DUMMY_SP)]);
1025             }
1026
1027             stack.push(def_id);
1028             for field in &def.non_enum_variant().fields {
1029                 if let ty::Adt(def, _) = field.ty(tcx, substs).kind()
1030                     && !stack.contains(&def.did())
1031                     && let Some(mut defs) = check_packed_inner(tcx, def.did(), stack)
1032                 {
1033                     defs.push((def.did(), field.ident(tcx).span));
1034                     return Some(defs);
1035                 }
1036             }
1037             stack.pop();
1038         }
1039     }
1040
1041     None
1042 }
1043
1044 pub(super) fn check_transparent<'tcx>(tcx: TyCtxt<'tcx>, adt: ty::AdtDef<'tcx>) {
1045     if !adt.repr().transparent() {
1046         return;
1047     }
1048
1049     if adt.is_union() && !tcx.features().transparent_unions {
1050         feature_err(
1051             &tcx.sess.parse_sess,
1052             sym::transparent_unions,
1053             tcx.def_span(adt.did()),
1054             "transparent unions are unstable",
1055         )
1056         .emit();
1057     }
1058
1059     if adt.variants().len() != 1 {
1060         bad_variant_count(tcx, adt, tcx.def_span(adt.did()), adt.did());
1061         // Don't bother checking the fields.
1062         return;
1063     }
1064
1065     // For each field, figure out if it's known to be a ZST and align(1), with "known"
1066     // respecting #[non_exhaustive] attributes.
1067     let field_infos = adt.all_fields().map(|field| {
1068         let ty = field.ty(tcx, InternalSubsts::identity_for_item(tcx, field.did));
1069         let param_env = tcx.param_env(field.did);
1070         let layout = tcx.layout_of(param_env.and(ty));
1071         // We are currently checking the type this field came from, so it must be local
1072         let span = tcx.hir().span_if_local(field.did).unwrap();
1073         let zst = layout.map_or(false, |layout| layout.is_zst());
1074         let align1 = layout.map_or(false, |layout| layout.align.abi.bytes() == 1);
1075         if !zst {
1076             return (span, zst, align1, None);
1077         }
1078
1079         fn check_non_exhaustive<'tcx>(
1080             tcx: TyCtxt<'tcx>,
1081             t: Ty<'tcx>,
1082         ) -> ControlFlow<(&'static str, DefId, SubstsRef<'tcx>, bool)> {
1083             match t.kind() {
1084                 ty::Tuple(list) => list.iter().try_for_each(|t| check_non_exhaustive(tcx, t)),
1085                 ty::Array(ty, _) => check_non_exhaustive(tcx, *ty),
1086                 ty::Adt(def, subst) => {
1087                     if !def.did().is_local() {
1088                         let non_exhaustive = def.is_variant_list_non_exhaustive()
1089                             || def
1090                                 .variants()
1091                                 .iter()
1092                                 .any(ty::VariantDef::is_field_list_non_exhaustive);
1093                         let has_priv = def.all_fields().any(|f| !f.vis.is_public());
1094                         if non_exhaustive || has_priv {
1095                             return ControlFlow::Break((
1096                                 def.descr(),
1097                                 def.did(),
1098                                 subst,
1099                                 non_exhaustive,
1100                             ));
1101                         }
1102                     }
1103                     def.all_fields()
1104                         .map(|field| field.ty(tcx, subst))
1105                         .try_for_each(|t| check_non_exhaustive(tcx, t))
1106                 }
1107                 _ => ControlFlow::Continue(()),
1108             }
1109         }
1110
1111         (span, zst, align1, check_non_exhaustive(tcx, ty).break_value())
1112     });
1113
1114     let non_zst_fields = field_infos
1115         .clone()
1116         .filter_map(|(span, zst, _align1, _non_exhaustive)| if !zst { Some(span) } else { None });
1117     let non_zst_count = non_zst_fields.clone().count();
1118     if non_zst_count >= 2 {
1119         bad_non_zero_sized_fields(tcx, adt, non_zst_count, non_zst_fields, tcx.def_span(adt.did()));
1120     }
1121     let incompatible_zst_fields =
1122         field_infos.clone().filter(|(_, _, _, opt)| opt.is_some()).count();
1123     let incompat = incompatible_zst_fields + non_zst_count >= 2 && non_zst_count < 2;
1124     for (span, zst, align1, non_exhaustive) in field_infos {
1125         if zst && !align1 {
1126             struct_span_err!(
1127                 tcx.sess,
1128                 span,
1129                 E0691,
1130                 "zero-sized field in transparent {} has alignment larger than 1",
1131                 adt.descr(),
1132             )
1133             .span_label(span, "has alignment larger than 1")
1134             .emit();
1135         }
1136         if incompat && let Some((descr, def_id, substs, non_exhaustive)) = non_exhaustive {
1137             tcx.struct_span_lint_hir(
1138                 REPR_TRANSPARENT_EXTERNAL_PRIVATE_FIELDS,
1139                 tcx.hir().local_def_id_to_hir_id(adt.did().expect_local()),
1140                 span,
1141                 "zero-sized fields in `repr(transparent)` cannot contain external non-exhaustive types",
1142                 |lint| {
1143                     let note = if non_exhaustive {
1144                         "is marked with `#[non_exhaustive]`"
1145                     } else {
1146                         "contains private fields"
1147                     };
1148                     let field_ty = tcx.def_path_str_with_substs(def_id, substs);
1149                     lint
1150                         .note(format!("this {descr} contains `{field_ty}`, which {note}, \
1151                             and makes it not a breaking change to become non-zero-sized in the future."))
1152                 },
1153             )
1154         }
1155     }
1156 }
1157
1158 #[allow(trivial_numeric_casts)]
1159 fn check_enum(tcx: TyCtxt<'_>, def_id: LocalDefId) {
1160     let def = tcx.adt_def(def_id);
1161     def.destructor(tcx); // force the destructor to be evaluated
1162
1163     if def.variants().is_empty() {
1164         if let Some(attr) = tcx.get_attrs(def_id.to_def_id(), sym::repr).next() {
1165             struct_span_err!(
1166                 tcx.sess,
1167                 attr.span,
1168                 E0084,
1169                 "unsupported representation for zero-variant enum"
1170             )
1171             .span_label(tcx.def_span(def_id), "zero-variant enum")
1172             .emit();
1173         }
1174     }
1175
1176     let repr_type_ty = def.repr().discr_type().to_ty(tcx);
1177     if repr_type_ty == tcx.types.i128 || repr_type_ty == tcx.types.u128 {
1178         if !tcx.features().repr128 {
1179             feature_err(
1180                 &tcx.sess.parse_sess,
1181                 sym::repr128,
1182                 tcx.def_span(def_id),
1183                 "repr with 128-bit type is unstable",
1184             )
1185             .emit();
1186         }
1187     }
1188
1189     for v in def.variants() {
1190         if let ty::VariantDiscr::Explicit(discr_def_id) = v.discr {
1191             tcx.ensure().typeck(discr_def_id.expect_local());
1192         }
1193     }
1194
1195     if def.repr().int.is_none() {
1196         let is_unit = |var: &ty::VariantDef| matches!(var.ctor_kind(), Some(CtorKind::Const));
1197         let has_disr = |var: &ty::VariantDef| matches!(var.discr, ty::VariantDiscr::Explicit(_));
1198
1199         let has_non_units = def.variants().iter().any(|var| !is_unit(var));
1200         let disr_units = def.variants().iter().any(|var| is_unit(&var) && has_disr(&var));
1201         let disr_non_unit = def.variants().iter().any(|var| !is_unit(&var) && has_disr(&var));
1202
1203         if disr_non_unit || (disr_units && has_non_units) {
1204             let mut err = struct_span_err!(
1205                 tcx.sess,
1206                 tcx.def_span(def_id),
1207                 E0732,
1208                 "`#[repr(inttype)]` must be specified"
1209             );
1210             err.emit();
1211         }
1212     }
1213
1214     detect_discriminant_duplicate(tcx, def);
1215     check_transparent(tcx, def);
1216 }
1217
1218 /// Part of enum check. Given the discriminants of an enum, errors if two or more discriminants are equal
1219 fn detect_discriminant_duplicate<'tcx>(tcx: TyCtxt<'tcx>, adt: ty::AdtDef<'tcx>) {
1220     // Helper closure to reduce duplicate code. This gets called everytime we detect a duplicate.
1221     // Here `idx` refers to the order of which the discriminant appears, and its index in `vs`
1222     let report = |dis: Discr<'tcx>, idx, err: &mut Diagnostic| {
1223         let var = adt.variant(idx); // HIR for the duplicate discriminant
1224         let (span, display_discr) = match var.discr {
1225             ty::VariantDiscr::Explicit(discr_def_id) => {
1226                 // In the case the discriminant is both a duplicate and overflowed, let the user know
1227                 if let hir::Node::AnonConst(expr) = tcx.hir().get_by_def_id(discr_def_id.expect_local())
1228                     && let hir::ExprKind::Lit(lit) = &tcx.hir().body(expr.body).value.kind
1229                     && let rustc_ast::LitKind::Int(lit_value, _int_kind) = &lit.node
1230                     && *lit_value != dis.val
1231                 {
1232                     (tcx.def_span(discr_def_id), format!("`{dis}` (overflowed from `{lit_value}`)"))
1233                 } else {
1234                     // Otherwise, format the value as-is
1235                     (tcx.def_span(discr_def_id), format!("`{dis}`"))
1236                 }
1237             }
1238             // This should not happen.
1239             ty::VariantDiscr::Relative(0) => (tcx.def_span(var.def_id), format!("`{dis}`")),
1240             ty::VariantDiscr::Relative(distance_to_explicit) => {
1241                 // At this point we know this discriminant is a duplicate, and was not explicitly
1242                 // assigned by the user. Here we iterate backwards to fetch the HIR for the last
1243                 // explicitly assigned discriminant, and letting the user know that this was the
1244                 // increment startpoint, and how many steps from there leading to the duplicate
1245                 if let Some(explicit_idx) =
1246                     idx.as_u32().checked_sub(distance_to_explicit).map(VariantIdx::from_u32)
1247                 {
1248                     let explicit_variant = adt.variant(explicit_idx);
1249                     let ve_ident = var.name;
1250                     let ex_ident = explicit_variant.name;
1251                     let sp = if distance_to_explicit > 1 { "variants" } else { "variant" };
1252
1253                     err.span_label(
1254                         tcx.def_span(explicit_variant.def_id),
1255                         format!(
1256                             "discriminant for `{ve_ident}` incremented from this startpoint \
1257                             (`{ex_ident}` + {distance_to_explicit} {sp} later \
1258                              => `{ve_ident}` = {dis})"
1259                         ),
1260                     );
1261                 }
1262
1263                 (tcx.def_span(var.def_id), format!("`{dis}`"))
1264             }
1265         };
1266
1267         err.span_label(span, format!("{display_discr} assigned here"));
1268     };
1269
1270     let mut discrs = adt.discriminants(tcx).collect::<Vec<_>>();
1271
1272     // Here we loop through the discriminants, comparing each discriminant to another.
1273     // When a duplicate is detected, we instantiate an error and point to both
1274     // initial and duplicate value. The duplicate discriminant is then discarded by swapping
1275     // it with the last element and decrementing the `vec.len` (which is why we have to evaluate
1276     // `discrs.len()` anew every iteration, and why this could be tricky to do in a functional
1277     // style as we are mutating `discrs` on the fly).
1278     let mut i = 0;
1279     while i < discrs.len() {
1280         let var_i_idx = discrs[i].0;
1281         let mut error: Option<DiagnosticBuilder<'_, _>> = None;
1282
1283         let mut o = i + 1;
1284         while o < discrs.len() {
1285             let var_o_idx = discrs[o].0;
1286
1287             if discrs[i].1.val == discrs[o].1.val {
1288                 let err = error.get_or_insert_with(|| {
1289                     let mut ret = struct_span_err!(
1290                         tcx.sess,
1291                         tcx.def_span(adt.did()),
1292                         E0081,
1293                         "discriminant value `{}` assigned more than once",
1294                         discrs[i].1,
1295                     );
1296
1297                     report(discrs[i].1, var_i_idx, &mut ret);
1298
1299                     ret
1300                 });
1301
1302                 report(discrs[o].1, var_o_idx, err);
1303
1304                 // Safe to unwrap here, as we wouldn't reach this point if `discrs` was empty
1305                 discrs[o] = *discrs.last().unwrap();
1306                 discrs.pop();
1307             } else {
1308                 o += 1;
1309             }
1310         }
1311
1312         if let Some(mut e) = error {
1313             e.emit();
1314         }
1315
1316         i += 1;
1317     }
1318 }
1319
1320 pub(super) fn check_type_params_are_used<'tcx>(
1321     tcx: TyCtxt<'tcx>,
1322     generics: &ty::Generics,
1323     ty: Ty<'tcx>,
1324 ) {
1325     debug!("check_type_params_are_used(generics={:?}, ty={:?})", generics, ty);
1326
1327     assert_eq!(generics.parent, None);
1328
1329     if generics.own_counts().types == 0 {
1330         return;
1331     }
1332
1333     let mut params_used = BitSet::new_empty(generics.params.len());
1334
1335     if ty.references_error() {
1336         // If there is already another error, do not emit
1337         // an error for not using a type parameter.
1338         assert!(tcx.sess.has_errors().is_some());
1339         return;
1340     }
1341
1342     for leaf in ty.walk() {
1343         if let GenericArgKind::Type(leaf_ty) = leaf.unpack()
1344             && let ty::Param(param) = leaf_ty.kind()
1345         {
1346             debug!("found use of ty param {:?}", param);
1347             params_used.insert(param.index);
1348         }
1349     }
1350
1351     for param in &generics.params {
1352         if !params_used.contains(param.index)
1353             && let ty::GenericParamDefKind::Type { .. } = param.kind
1354         {
1355             let span = tcx.def_span(param.def_id);
1356             struct_span_err!(
1357                 tcx.sess,
1358                 span,
1359                 E0091,
1360                 "type parameter `{}` is unused",
1361                 param.name,
1362             )
1363             .span_label(span, "unused type parameter")
1364             .emit();
1365         }
1366     }
1367 }
1368
1369 pub(super) fn check_mod_item_types(tcx: TyCtxt<'_>, module_def_id: LocalDefId) {
1370     let module = tcx.hir_module_items(module_def_id);
1371     for id in module.items() {
1372         check_item_type(tcx, id);
1373     }
1374 }
1375
1376 fn async_opaque_type_cycle_error(tcx: TyCtxt<'_>, span: Span) -> ErrorGuaranteed {
1377     struct_span_err!(tcx.sess, span, E0733, "recursion in an `async fn` requires boxing")
1378         .span_label(span, "recursive `async fn`")
1379         .note("a recursive `async fn` must be rewritten to return a boxed `dyn Future`")
1380         .note(
1381             "consider using the `async_recursion` crate: https://crates.io/crates/async_recursion",
1382         )
1383         .emit()
1384 }
1385
1386 /// Emit an error for recursive opaque types.
1387 ///
1388 /// If this is a return `impl Trait`, find the item's return expressions and point at them. For
1389 /// direct recursion this is enough, but for indirect recursion also point at the last intermediary
1390 /// `impl Trait`.
1391 ///
1392 /// If all the return expressions evaluate to `!`, then we explain that the error will go away
1393 /// after changing it. This can happen when a user uses `panic!()` or similar as a placeholder.
1394 fn opaque_type_cycle_error(tcx: TyCtxt<'_>, def_id: LocalDefId, span: Span) -> ErrorGuaranteed {
1395     let mut err = struct_span_err!(tcx.sess, span, E0720, "cannot resolve opaque type");
1396
1397     let mut label = false;
1398     if let Some((def_id, visitor)) = get_owner_return_paths(tcx, def_id) {
1399         let typeck_results = tcx.typeck(def_id);
1400         if visitor
1401             .returns
1402             .iter()
1403             .filter_map(|expr| typeck_results.node_type_opt(expr.hir_id))
1404             .all(|ty| matches!(ty.kind(), ty::Never))
1405         {
1406             let spans = visitor
1407                 .returns
1408                 .iter()
1409                 .filter(|expr| typeck_results.node_type_opt(expr.hir_id).is_some())
1410                 .map(|expr| expr.span)
1411                 .collect::<Vec<Span>>();
1412             let span_len = spans.len();
1413             if span_len == 1 {
1414                 err.span_label(spans[0], "this returned value is of `!` type");
1415             } else {
1416                 let mut multispan: MultiSpan = spans.clone().into();
1417                 for span in spans {
1418                     multispan.push_span_label(span, "this returned value is of `!` type");
1419                 }
1420                 err.span_note(multispan, "these returned values have a concrete \"never\" type");
1421             }
1422             err.help("this error will resolve once the item's body returns a concrete type");
1423         } else {
1424             let mut seen = FxHashSet::default();
1425             seen.insert(span);
1426             err.span_label(span, "recursive opaque type");
1427             label = true;
1428             for (sp, ty) in visitor
1429                 .returns
1430                 .iter()
1431                 .filter_map(|e| typeck_results.node_type_opt(e.hir_id).map(|t| (e.span, t)))
1432                 .filter(|(_, ty)| !matches!(ty.kind(), ty::Never))
1433             {
1434                 struct OpaqueTypeCollector(Vec<DefId>);
1435                 impl<'tcx> ty::visit::TypeVisitor<'tcx> for OpaqueTypeCollector {
1436                     fn visit_ty(&mut self, t: Ty<'tcx>) -> ControlFlow<Self::BreakTy> {
1437                         match *t.kind() {
1438                             ty::Alias(ty::Opaque, ty::AliasTy { def_id: def, .. }) => {
1439                                 self.0.push(def);
1440                                 ControlFlow::Continue(())
1441                             }
1442                             _ => t.super_visit_with(self),
1443                         }
1444                     }
1445                 }
1446                 let mut visitor = OpaqueTypeCollector(vec![]);
1447                 ty.visit_with(&mut visitor);
1448                 for def_id in visitor.0 {
1449                     let ty_span = tcx.def_span(def_id);
1450                     if !seen.contains(&ty_span) {
1451                         err.span_label(ty_span, &format!("returning this opaque type `{ty}`"));
1452                         seen.insert(ty_span);
1453                     }
1454                     err.span_label(sp, &format!("returning here with type `{ty}`"));
1455                 }
1456             }
1457         }
1458     }
1459     if !label {
1460         err.span_label(span, "cannot resolve opaque type");
1461     }
1462     err.emit()
1463 }