1use std::{fmt, iter};
4
5use rustc_abi::{Float, Integer, IntegerType, Size};
6use rustc_apfloat::Float as _;
7use rustc_data_structures::fx::{FxHashMap, FxHashSet};
8use rustc_data_structures::stable_hasher::{HashStable, StableHasher};
9use rustc_data_structures::stack::ensure_sufficient_stack;
10use rustc_errors::ErrorGuaranteed;
11use rustc_hashes::Hash128;
12use rustc_hir as hir;
13use rustc_hir::def::{CtorOf, DefKind, Res};
14use rustc_hir::def_id::{CrateNum, DefId, LocalDefId};
15use rustc_hir::limit::Limit;
16use rustc_index::bit_set::GrowableBitSet;
17use rustc_macros::{HashStable, TyDecodable, TyEncodable, extension};
18use rustc_span::sym;
19use rustc_type_ir::solve::SizedTraitKind;
20use smallvec::{SmallVec, smallvec};
21use tracing::{debug, instrument};
22
23use super::TypingEnv;
24use crate::middle::codegen_fn_attrs::CodegenFnAttrFlags;
25use crate::mir;
26use crate::query::Providers;
27use crate::ty::layout::{FloatExt, IntegerExt};
28use crate::ty::{
29 self, Asyncness, FallibleTypeFolder, GenericArgKind, GenericArgsRef, Ty, TyCtxt, TypeFoldable,
30 TypeFolder, TypeSuperFoldable, TypeVisitableExt, Upcast,
31};
32
33#[derive(Copy, Clone, Debug)]
34pub struct Discr<'tcx> {
35 pub val: u128,
37 pub ty: Ty<'tcx>,
38}
39
40#[derive(Copy, Clone, Debug, PartialEq, Eq)]
42pub enum CheckRegions {
43 No,
44 OnlyParam,
48 FromFunction,
52}
53
54#[derive(Copy, Clone, Debug)]
55pub enum NotUniqueParam<'tcx> {
56 DuplicateParam(ty::GenericArg<'tcx>),
57 NotParam(ty::GenericArg<'tcx>),
58}
59
60impl<'tcx> fmt::Display for Discr<'tcx> {
61 fn fmt(&self, fmt: &mut fmt::Formatter<'_>) -> fmt::Result {
62 match *self.ty.kind() {
63 ty::Int(ity) => {
64 let size = ty::tls::with(|tcx| Integer::from_int_ty(&tcx, ity).size());
65 let x = self.val;
66 let x = size.sign_extend(x) as i128;
68 write!(fmt, "{x}")
69 }
70 _ => write!(fmt, "{}", self.val),
71 }
72 }
73}
74
75impl<'tcx> Discr<'tcx> {
76 pub fn wrap_incr(self, tcx: TyCtxt<'tcx>) -> Self {
78 self.checked_add(tcx, 1).0
79 }
80 pub fn checked_add(self, tcx: TyCtxt<'tcx>, n: u128) -> (Self, bool) {
81 let (size, signed) = self.ty.int_size_and_signed(tcx);
82 let (val, oflo) = if signed {
83 let min = size.signed_int_min();
84 let max = size.signed_int_max();
85 let val = size.sign_extend(self.val);
86 assert!(n < (i128::MAX as u128));
87 let n = n as i128;
88 let oflo = val > max - n;
89 let val = if oflo { min + (n - (max - val) - 1) } else { val + n };
90 let val = val as u128;
92 let val = size.truncate(val);
93 (val, oflo)
94 } else {
95 let max = size.unsigned_int_max();
96 let val = self.val;
97 let oflo = val > max - n;
98 let val = if oflo { n - (max - val) - 1 } else { val + n };
99 (val, oflo)
100 };
101 (Self { val, ty: self.ty }, oflo)
102 }
103}
104
105#[extension(pub trait IntTypeExt)]
106impl IntegerType {
107 fn to_ty<'tcx>(&self, tcx: TyCtxt<'tcx>) -> Ty<'tcx> {
108 match self {
109 IntegerType::Pointer(true) => tcx.types.isize,
110 IntegerType::Pointer(false) => tcx.types.usize,
111 IntegerType::Fixed(i, s) => i.to_ty(tcx, *s),
112 }
113 }
114
115 fn initial_discriminant<'tcx>(&self, tcx: TyCtxt<'tcx>) -> Discr<'tcx> {
116 Discr { val: 0, ty: self.to_ty(tcx) }
117 }
118
119 fn disr_incr<'tcx>(&self, tcx: TyCtxt<'tcx>, val: Option<Discr<'tcx>>) -> Option<Discr<'tcx>> {
120 if let Some(val) = val {
121 assert_eq!(self.to_ty(tcx), val.ty);
122 let (new, oflo) = val.checked_add(tcx, 1);
123 if oflo { None } else { Some(new) }
124 } else {
125 Some(self.initial_discriminant(tcx))
126 }
127 }
128}
129
130impl<'tcx> TyCtxt<'tcx> {
131 pub fn type_id_hash(self, ty: Ty<'tcx>) -> Hash128 {
134 let ty = self.erase_and_anonymize_regions(ty);
137
138 self.with_stable_hashing_context(|mut hcx| {
139 let mut hasher = StableHasher::new();
140 hcx.while_hashing_spans(false, |hcx| ty.hash_stable(hcx, &mut hasher));
141 hasher.finish()
142 })
143 }
144
145 pub fn res_generics_def_id(self, res: Res) -> Option<DefId> {
146 match res {
147 Res::Def(DefKind::Ctor(CtorOf::Variant, _), def_id) => {
148 Some(self.parent(self.parent(def_id)))
149 }
150 Res::Def(DefKind::Variant | DefKind::Ctor(CtorOf::Struct, _), def_id) => {
151 Some(self.parent(def_id))
152 }
153 Res::Def(
156 DefKind::Struct
157 | DefKind::Union
158 | DefKind::Enum
159 | DefKind::Trait
160 | DefKind::OpaqueTy
161 | DefKind::TyAlias
162 | DefKind::ForeignTy
163 | DefKind::TraitAlias
164 | DefKind::AssocTy
165 | DefKind::Fn
166 | DefKind::AssocFn
167 | DefKind::AssocConst
168 | DefKind::Impl { .. },
169 def_id,
170 ) => Some(def_id),
171 Res::Err => None,
172 _ => None,
173 }
174 }
175
176 pub fn type_is_copy_modulo_regions(
187 self,
188 typing_env: ty::TypingEnv<'tcx>,
189 ty: Ty<'tcx>,
190 ) -> bool {
191 ty.is_trivially_pure_clone_copy() || self.is_copy_raw(typing_env.as_query_input(ty))
192 }
193
194 pub fn type_is_use_cloned_modulo_regions(
199 self,
200 typing_env: ty::TypingEnv<'tcx>,
201 ty: Ty<'tcx>,
202 ) -> bool {
203 ty.is_trivially_pure_clone_copy() || self.is_use_cloned_raw(typing_env.as_query_input(ty))
204 }
205
206 pub fn struct_tail_for_codegen(
214 self,
215 ty: Ty<'tcx>,
216 typing_env: ty::TypingEnv<'tcx>,
217 ) -> Ty<'tcx> {
218 let tcx = self;
219 tcx.struct_tail_raw(ty, |ty| tcx.normalize_erasing_regions(typing_env, ty), || {})
220 }
221
222 pub fn type_has_metadata(self, ty: Ty<'tcx>, typing_env: ty::TypingEnv<'tcx>) -> bool {
224 if ty.is_sized(self, typing_env) {
225 return false;
226 }
227
228 let tail = self.struct_tail_for_codegen(ty, typing_env);
229 match tail.kind() {
230 ty::Foreign(..) => false,
231 ty::Str | ty::Slice(..) | ty::Dynamic(..) => true,
232 _ => bug!("unexpected unsized tail: {:?}", tail),
233 }
234 }
235
236 pub fn struct_tail_raw(
249 self,
250 mut ty: Ty<'tcx>,
251 mut normalize: impl FnMut(Ty<'tcx>) -> Ty<'tcx>,
252 mut f: impl FnMut() -> (),
256 ) -> Ty<'tcx> {
257 let recursion_limit = self.recursion_limit();
258 for iteration in 0.. {
259 if !recursion_limit.value_within_limit(iteration) {
260 let suggested_limit = match recursion_limit {
261 Limit(0) => Limit(2),
262 limit => limit * 2,
263 };
264 let reported = self
265 .dcx()
266 .emit_err(crate::error::RecursionLimitReached { ty, suggested_limit });
267 return Ty::new_error(self, reported);
268 }
269 match *ty.kind() {
270 ty::Adt(def, args) => {
271 if !def.is_struct() {
272 break;
273 }
274 match def.non_enum_variant().tail_opt() {
275 Some(field) => {
276 f();
277 ty = field.ty(self, args);
278 }
279 None => break,
280 }
281 }
282
283 ty::Tuple(tys) if let Some((&last_ty, _)) = tys.split_last() => {
284 f();
285 ty = last_ty;
286 }
287
288 ty::Tuple(_) => break,
289
290 ty::Pat(inner, _) => {
291 f();
292 ty = inner;
293 }
294
295 ty::Alias(..) => {
296 let normalized = normalize(ty);
297 if ty == normalized {
298 return ty;
299 } else {
300 ty = normalized;
301 }
302 }
303
304 _ => {
305 break;
306 }
307 }
308 }
309 ty
310 }
311
312 pub fn struct_lockstep_tails_for_codegen(
322 self,
323 source: Ty<'tcx>,
324 target: Ty<'tcx>,
325 typing_env: ty::TypingEnv<'tcx>,
326 ) -> (Ty<'tcx>, Ty<'tcx>) {
327 let tcx = self;
328 tcx.struct_lockstep_tails_raw(source, target, |ty| {
329 tcx.normalize_erasing_regions(typing_env, ty)
330 })
331 }
332
333 pub fn struct_lockstep_tails_raw(
342 self,
343 source: Ty<'tcx>,
344 target: Ty<'tcx>,
345 normalize: impl Fn(Ty<'tcx>) -> Ty<'tcx>,
346 ) -> (Ty<'tcx>, Ty<'tcx>) {
347 let (mut a, mut b) = (source, target);
348 loop {
349 match (a.kind(), b.kind()) {
350 (&ty::Adt(a_def, a_args), &ty::Adt(b_def, b_args))
351 if a_def == b_def && a_def.is_struct() =>
352 {
353 if let Some(f) = a_def.non_enum_variant().tail_opt() {
354 a = f.ty(self, a_args);
355 b = f.ty(self, b_args);
356 } else {
357 break;
358 }
359 }
360 (&ty::Tuple(a_tys), &ty::Tuple(b_tys)) if a_tys.len() == b_tys.len() => {
361 if let Some(&a_last) = a_tys.last() {
362 a = a_last;
363 b = *b_tys.last().unwrap();
364 } else {
365 break;
366 }
367 }
368 (ty::Alias(..), _) | (_, ty::Alias(..)) => {
369 let a_norm = normalize(a);
374 let b_norm = normalize(b);
375 if a == a_norm && b == b_norm {
376 break;
377 } else {
378 a = a_norm;
379 b = b_norm;
380 }
381 }
382
383 _ => break,
384 }
385 }
386 (a, b)
387 }
388
389 pub fn calculate_dtor(
391 self,
392 adt_did: LocalDefId,
393 validate: impl Fn(Self, LocalDefId) -> Result<(), ErrorGuaranteed>,
394 ) -> Option<ty::Destructor> {
395 let drop_trait = self.lang_items().drop_trait()?;
396 self.ensure_ok().coherent_trait(drop_trait).ok()?;
397
398 let mut dtor_candidate = None;
399 for &impl_did in self.local_trait_impls(drop_trait) {
401 let Some(adt_def) = self.type_of(impl_did).skip_binder().ty_adt_def() else { continue };
402 if adt_def.did() != adt_did.to_def_id() {
403 continue;
404 }
405
406 if validate(self, impl_did).is_err() {
407 continue;
409 }
410
411 let Some(item_id) = self.associated_item_def_ids(impl_did).first() else {
412 self.dcx()
413 .span_delayed_bug(self.def_span(impl_did), "Drop impl without drop function");
414 continue;
415 };
416
417 if self.def_kind(item_id) != DefKind::AssocFn {
418 self.dcx().span_delayed_bug(self.def_span(item_id), "drop is not a function");
419 continue;
420 }
421
422 if let Some(old_item_id) = dtor_candidate {
423 self.dcx()
424 .struct_span_err(self.def_span(item_id), "multiple drop impls found")
425 .with_span_note(self.def_span(old_item_id), "other impl here")
426 .delay_as_bug();
427 }
428
429 dtor_candidate = Some(*item_id);
430 }
431
432 let did = dtor_candidate?;
433 Some(ty::Destructor { did })
434 }
435
436 pub fn calculate_async_dtor(
438 self,
439 adt_did: LocalDefId,
440 validate: impl Fn(Self, LocalDefId) -> Result<(), ErrorGuaranteed>,
441 ) -> Option<ty::AsyncDestructor> {
442 let async_drop_trait = self.lang_items().async_drop_trait()?;
443 self.ensure_ok().coherent_trait(async_drop_trait).ok()?;
444
445 let mut dtor_candidate = None;
446 for &impl_did in self.local_trait_impls(async_drop_trait) {
448 let Some(adt_def) = self.type_of(impl_did).skip_binder().ty_adt_def() else { continue };
449 if adt_def.did() != adt_did.to_def_id() {
450 continue;
451 }
452
453 if validate(self, impl_did).is_err() {
454 continue;
456 }
457
458 if let Some(old_impl_did) = dtor_candidate {
459 self.dcx()
460 .struct_span_err(self.def_span(impl_did), "multiple async drop impls found")
461 .with_span_note(self.def_span(old_impl_did), "other impl here")
462 .delay_as_bug();
463 }
464
465 dtor_candidate = Some(impl_did);
466 }
467
468 Some(ty::AsyncDestructor { impl_did: dtor_candidate?.into() })
469 }
470
471 pub fn destructor_constraints(self, def: ty::AdtDef<'tcx>) -> Vec<ty::GenericArg<'tcx>> {
479 let dtor = match def.destructor(self) {
480 None => {
481 debug!("destructor_constraints({:?}) - no dtor", def.did());
482 return vec![];
483 }
484 Some(dtor) => dtor.did,
485 };
486
487 let impl_def_id = self.parent(dtor);
488 let impl_generics = self.generics_of(impl_def_id);
489
490 let impl_args = match *self.type_of(impl_def_id).instantiate_identity().kind() {
512 ty::Adt(def_, args) if def_ == def => args,
513 _ => span_bug!(self.def_span(impl_def_id), "expected ADT for self type of `Drop` impl"),
514 };
515
516 let item_args = ty::GenericArgs::identity_for_item(self, def.did());
517
518 let result = iter::zip(item_args, impl_args)
519 .filter(|&(_, arg)| {
520 match arg.kind() {
521 GenericArgKind::Lifetime(region) => match region.kind() {
522 ty::ReEarlyParam(ebr) => {
523 !impl_generics.region_param(ebr, self).pure_wrt_drop
524 }
525 _ => false,
527 },
528 GenericArgKind::Type(ty) => match *ty.kind() {
529 ty::Param(pt) => !impl_generics.type_param(pt, self).pure_wrt_drop,
530 _ => false,
532 },
533 GenericArgKind::Const(ct) => match ct.kind() {
534 ty::ConstKind::Param(pc) => {
535 !impl_generics.const_param(pc, self).pure_wrt_drop
536 }
537 _ => false,
539 },
540 }
541 })
542 .map(|(item_param, _)| item_param)
543 .collect();
544 debug!("destructor_constraint({:?}) = {:?}", def.did(), result);
545 result
546 }
547
548 pub fn uses_unique_generic_params(
550 self,
551 args: &[ty::GenericArg<'tcx>],
552 ignore_regions: CheckRegions,
553 ) -> Result<(), NotUniqueParam<'tcx>> {
554 let mut seen = GrowableBitSet::default();
555 let mut seen_late = FxHashSet::default();
556 for arg in args {
557 match arg.kind() {
558 GenericArgKind::Lifetime(lt) => match (ignore_regions, lt.kind()) {
559 (CheckRegions::FromFunction, ty::ReBound(di, reg)) => {
560 if !seen_late.insert((di, reg)) {
561 return Err(NotUniqueParam::DuplicateParam(lt.into()));
562 }
563 }
564 (CheckRegions::OnlyParam | CheckRegions::FromFunction, ty::ReEarlyParam(p)) => {
565 if !seen.insert(p.index) {
566 return Err(NotUniqueParam::DuplicateParam(lt.into()));
567 }
568 }
569 (CheckRegions::OnlyParam | CheckRegions::FromFunction, _) => {
570 return Err(NotUniqueParam::NotParam(lt.into()));
571 }
572 (CheckRegions::No, _) => {}
573 },
574 GenericArgKind::Type(t) => match t.kind() {
575 ty::Param(p) => {
576 if !seen.insert(p.index) {
577 return Err(NotUniqueParam::DuplicateParam(t.into()));
578 }
579 }
580 _ => return Err(NotUniqueParam::NotParam(t.into())),
581 },
582 GenericArgKind::Const(c) => match c.kind() {
583 ty::ConstKind::Param(p) => {
584 if !seen.insert(p.index) {
585 return Err(NotUniqueParam::DuplicateParam(c.into()));
586 }
587 }
588 _ => return Err(NotUniqueParam::NotParam(c.into())),
589 },
590 }
591 }
592
593 Ok(())
594 }
595
596 pub fn is_closure_like(self, def_id: DefId) -> bool {
605 matches!(self.def_kind(def_id), DefKind::Closure)
606 }
607
608 pub fn is_typeck_child(self, def_id: DefId) -> bool {
611 matches!(
612 self.def_kind(def_id),
613 DefKind::Closure | DefKind::InlineConst | DefKind::SyntheticCoroutineBody
614 )
615 }
616
617 pub fn is_trait(self, def_id: DefId) -> bool {
619 self.def_kind(def_id) == DefKind::Trait
620 }
621
622 pub fn is_trait_alias(self, def_id: DefId) -> bool {
625 self.def_kind(def_id) == DefKind::TraitAlias
626 }
627
628 pub fn is_constructor(self, def_id: DefId) -> bool {
631 matches!(self.def_kind(def_id), DefKind::Ctor(..))
632 }
633
634 pub fn typeck_root_def_id(self, def_id: DefId) -> DefId {
645 let mut def_id = def_id;
646 while self.is_typeck_child(def_id) {
647 def_id = self.parent(def_id);
648 }
649 def_id
650 }
651
652 pub fn closure_env_ty(
663 self,
664 closure_ty: Ty<'tcx>,
665 closure_kind: ty::ClosureKind,
666 env_region: ty::Region<'tcx>,
667 ) -> Ty<'tcx> {
668 match closure_kind {
669 ty::ClosureKind::Fn => Ty::new_imm_ref(self, env_region, closure_ty),
670 ty::ClosureKind::FnMut => Ty::new_mut_ref(self, env_region, closure_ty),
671 ty::ClosureKind::FnOnce => closure_ty,
672 }
673 }
674
675 #[inline]
677 pub fn is_static(self, def_id: DefId) -> bool {
678 matches!(self.def_kind(def_id), DefKind::Static { .. })
679 }
680
681 #[inline]
682 pub fn static_mutability(self, def_id: DefId) -> Option<hir::Mutability> {
683 if let DefKind::Static { mutability, .. } = self.def_kind(def_id) {
684 Some(mutability)
685 } else {
686 None
687 }
688 }
689
690 pub fn is_thread_local_static(self, def_id: DefId) -> bool {
692 self.codegen_fn_attrs(def_id).flags.contains(CodegenFnAttrFlags::THREAD_LOCAL)
693 }
694
695 #[inline]
697 pub fn is_mutable_static(self, def_id: DefId) -> bool {
698 self.static_mutability(def_id) == Some(hir::Mutability::Mut)
699 }
700
701 #[inline]
704 pub fn needs_thread_local_shim(self, def_id: DefId) -> bool {
705 !self.sess.target.dll_tls_export
706 && self.is_thread_local_static(def_id)
707 && !self.is_foreign_item(def_id)
708 }
709
710 pub fn thread_local_ptr_ty(self, def_id: DefId) -> Ty<'tcx> {
712 let static_ty = self.type_of(def_id).instantiate_identity();
713 if self.is_mutable_static(def_id) {
714 Ty::new_mut_ptr(self, static_ty)
715 } else if self.is_foreign_item(def_id) {
716 Ty::new_imm_ptr(self, static_ty)
717 } else {
718 Ty::new_imm_ref(self, self.lifetimes.re_static, static_ty)
720 }
721 }
722
723 pub fn static_ptr_ty(self, def_id: DefId, typing_env: ty::TypingEnv<'tcx>) -> Ty<'tcx> {
725 let static_ty =
727 self.normalize_erasing_regions(typing_env, self.type_of(def_id).instantiate_identity());
728
729 if self.is_mutable_static(def_id) {
732 Ty::new_mut_ptr(self, static_ty)
733 } else if self.is_foreign_item(def_id) {
734 Ty::new_imm_ptr(self, static_ty)
735 } else {
736 Ty::new_imm_ref(self, self.lifetimes.re_erased, static_ty)
737 }
738 }
739
740 #[instrument(skip(self), level = "debug", ret)]
742 pub fn try_expand_impl_trait_type(
743 self,
744 def_id: DefId,
745 args: GenericArgsRef<'tcx>,
746 ) -> Result<Ty<'tcx>, Ty<'tcx>> {
747 let mut visitor = OpaqueTypeExpander {
748 seen_opaque_tys: FxHashSet::default(),
749 expanded_cache: FxHashMap::default(),
750 primary_def_id: Some(def_id),
751 found_recursion: false,
752 found_any_recursion: false,
753 check_recursion: true,
754 tcx: self,
755 };
756
757 let expanded_type = visitor.expand_opaque_ty(def_id, args).unwrap();
758 if visitor.found_recursion { Err(expanded_type) } else { Ok(expanded_type) }
759 }
760
761 pub fn def_descr(self, def_id: DefId) -> &'static str {
763 self.def_kind_descr(self.def_kind(def_id), def_id)
764 }
765
766 pub fn def_kind_descr(self, def_kind: DefKind, def_id: DefId) -> &'static str {
768 match def_kind {
769 DefKind::AssocFn if self.associated_item(def_id).is_method() => "method",
770 DefKind::AssocTy if self.opt_rpitit_info(def_id).is_some() => "opaque type",
771 DefKind::Closure if let Some(coroutine_kind) = self.coroutine_kind(def_id) => {
772 match coroutine_kind {
773 hir::CoroutineKind::Desugared(
774 hir::CoroutineDesugaring::Async,
775 hir::CoroutineSource::Fn,
776 ) => "async fn",
777 hir::CoroutineKind::Desugared(
778 hir::CoroutineDesugaring::Async,
779 hir::CoroutineSource::Block,
780 ) => "async block",
781 hir::CoroutineKind::Desugared(
782 hir::CoroutineDesugaring::Async,
783 hir::CoroutineSource::Closure,
784 ) => "async closure",
785 hir::CoroutineKind::Desugared(
786 hir::CoroutineDesugaring::AsyncGen,
787 hir::CoroutineSource::Fn,
788 ) => "async gen fn",
789 hir::CoroutineKind::Desugared(
790 hir::CoroutineDesugaring::AsyncGen,
791 hir::CoroutineSource::Block,
792 ) => "async gen block",
793 hir::CoroutineKind::Desugared(
794 hir::CoroutineDesugaring::AsyncGen,
795 hir::CoroutineSource::Closure,
796 ) => "async gen closure",
797 hir::CoroutineKind::Desugared(
798 hir::CoroutineDesugaring::Gen,
799 hir::CoroutineSource::Fn,
800 ) => "gen fn",
801 hir::CoroutineKind::Desugared(
802 hir::CoroutineDesugaring::Gen,
803 hir::CoroutineSource::Block,
804 ) => "gen block",
805 hir::CoroutineKind::Desugared(
806 hir::CoroutineDesugaring::Gen,
807 hir::CoroutineSource::Closure,
808 ) => "gen closure",
809 hir::CoroutineKind::Coroutine(_) => "coroutine",
810 }
811 }
812 _ => def_kind.descr(def_id),
813 }
814 }
815
816 pub fn def_descr_article(self, def_id: DefId) -> &'static str {
818 self.def_kind_descr_article(self.def_kind(def_id), def_id)
819 }
820
821 pub fn def_kind_descr_article(self, def_kind: DefKind, def_id: DefId) -> &'static str {
823 match def_kind {
824 DefKind::AssocFn if self.associated_item(def_id).is_method() => "a",
825 DefKind::Closure if let Some(coroutine_kind) = self.coroutine_kind(def_id) => {
826 match coroutine_kind {
827 hir::CoroutineKind::Desugared(hir::CoroutineDesugaring::Async, ..) => "an",
828 hir::CoroutineKind::Desugared(hir::CoroutineDesugaring::AsyncGen, ..) => "an",
829 hir::CoroutineKind::Desugared(hir::CoroutineDesugaring::Gen, ..) => "a",
830 hir::CoroutineKind::Coroutine(_) => "a",
831 }
832 }
833 _ => def_kind.article(),
834 }
835 }
836
837 pub fn is_user_visible_dep(self, key: CrateNum) -> bool {
844 if self.features().enabled(sym::rustc_private) {
846 return true;
847 }
848
849 !self.is_private_dep(key)
856 || self.extern_crate(key).is_some_and(|e| e.is_direct())
860 }
861
862 pub fn expand_free_alias_tys<T: TypeFoldable<TyCtxt<'tcx>>>(self, value: T) -> T {
883 value.fold_with(&mut FreeAliasTypeExpander { tcx: self, depth: 0 })
884 }
885
886 pub fn peel_off_free_alias_tys(self, mut ty: Ty<'tcx>) -> Ty<'tcx> {
901 let ty::Alias(ty::Free, _) = ty.kind() else { return ty };
902
903 let limit = self.recursion_limit();
904 let mut depth = 0;
905
906 while let ty::Alias(ty::Free, alias) = ty.kind() {
907 if !limit.value_within_limit(depth) {
908 let guar = self.dcx().delayed_bug("overflow expanding free alias type");
909 return Ty::new_error(self, guar);
910 }
911
912 ty = self.type_of(alias.def_id).instantiate(self, alias.args);
913 depth += 1;
914 }
915
916 ty
917 }
918
919 pub fn opt_alias_variances(
922 self,
923 kind: impl Into<ty::AliasTermKind>,
924 def_id: DefId,
925 ) -> Option<&'tcx [ty::Variance]> {
926 match kind.into() {
927 ty::AliasTermKind::ProjectionTy => {
928 if self.is_impl_trait_in_trait(def_id) {
929 Some(self.variances_of(def_id))
930 } else {
931 None
932 }
933 }
934 ty::AliasTermKind::OpaqueTy => Some(self.variances_of(def_id)),
935 ty::AliasTermKind::InherentTy
936 | ty::AliasTermKind::InherentConst
937 | ty::AliasTermKind::FreeTy
938 | ty::AliasTermKind::FreeConst
939 | ty::AliasTermKind::UnevaluatedConst
940 | ty::AliasTermKind::ProjectionConst => None,
941 }
942 }
943}
944
945struct OpaqueTypeExpander<'tcx> {
946 seen_opaque_tys: FxHashSet<DefId>,
951 expanded_cache: FxHashMap<(DefId, GenericArgsRef<'tcx>), Ty<'tcx>>,
954 primary_def_id: Option<DefId>,
955 found_recursion: bool,
956 found_any_recursion: bool,
957 check_recursion: bool,
961 tcx: TyCtxt<'tcx>,
962}
963
964impl<'tcx> OpaqueTypeExpander<'tcx> {
965 fn expand_opaque_ty(&mut self, def_id: DefId, args: GenericArgsRef<'tcx>) -> Option<Ty<'tcx>> {
966 if self.found_any_recursion {
967 return None;
968 }
969 let args = args.fold_with(self);
970 if !self.check_recursion || self.seen_opaque_tys.insert(def_id) {
971 let expanded_ty = match self.expanded_cache.get(&(def_id, args)) {
972 Some(expanded_ty) => *expanded_ty,
973 None => {
974 let generic_ty = self.tcx.type_of(def_id);
975 let concrete_ty = generic_ty.instantiate(self.tcx, args);
976 let expanded_ty = self.fold_ty(concrete_ty);
977 self.expanded_cache.insert((def_id, args), expanded_ty);
978 expanded_ty
979 }
980 };
981 if self.check_recursion {
982 self.seen_opaque_tys.remove(&def_id);
983 }
984 Some(expanded_ty)
985 } else {
986 self.found_any_recursion = true;
989 self.found_recursion = def_id == *self.primary_def_id.as_ref().unwrap();
990 None
991 }
992 }
993}
994
995impl<'tcx> TypeFolder<TyCtxt<'tcx>> for OpaqueTypeExpander<'tcx> {
996 fn cx(&self) -> TyCtxt<'tcx> {
997 self.tcx
998 }
999
1000 fn fold_ty(&mut self, t: Ty<'tcx>) -> Ty<'tcx> {
1001 if let ty::Alias(ty::Opaque, ty::AliasTy { def_id, args, .. }) = *t.kind() {
1002 self.expand_opaque_ty(def_id, args).unwrap_or(t)
1003 } else if t.has_opaque_types() {
1004 t.super_fold_with(self)
1005 } else {
1006 t
1007 }
1008 }
1009
1010 fn fold_predicate(&mut self, p: ty::Predicate<'tcx>) -> ty::Predicate<'tcx> {
1011 if let ty::PredicateKind::Clause(clause) = p.kind().skip_binder()
1012 && let ty::ClauseKind::Projection(projection_pred) = clause
1013 {
1014 p.kind()
1015 .rebind(ty::ProjectionPredicate {
1016 projection_term: projection_pred.projection_term.fold_with(self),
1017 term: projection_pred.term,
1023 })
1024 .upcast(self.tcx)
1025 } else {
1026 p.super_fold_with(self)
1027 }
1028 }
1029}
1030
1031struct FreeAliasTypeExpander<'tcx> {
1032 tcx: TyCtxt<'tcx>,
1033 depth: usize,
1034}
1035
1036impl<'tcx> TypeFolder<TyCtxt<'tcx>> for FreeAliasTypeExpander<'tcx> {
1037 fn cx(&self) -> TyCtxt<'tcx> {
1038 self.tcx
1039 }
1040
1041 fn fold_ty(&mut self, ty: Ty<'tcx>) -> Ty<'tcx> {
1042 if !ty.has_type_flags(ty::TypeFlags::HAS_TY_FREE_ALIAS) {
1043 return ty;
1044 }
1045 let ty::Alias(ty::Free, alias) = ty.kind() else {
1046 return ty.super_fold_with(self);
1047 };
1048 if !self.tcx.recursion_limit().value_within_limit(self.depth) {
1049 let guar = self.tcx.dcx().delayed_bug("overflow expanding free alias type");
1050 return Ty::new_error(self.tcx, guar);
1051 }
1052
1053 self.depth += 1;
1054 let ty = ensure_sufficient_stack(|| {
1055 self.tcx.type_of(alias.def_id).instantiate(self.tcx, alias.args).fold_with(self)
1056 });
1057 self.depth -= 1;
1058 ty
1059 }
1060
1061 fn fold_const(&mut self, ct: ty::Const<'tcx>) -> ty::Const<'tcx> {
1062 if !ct.has_type_flags(ty::TypeFlags::HAS_TY_FREE_ALIAS) {
1063 return ct;
1064 }
1065 ct.super_fold_with(self)
1066 }
1067}
1068
1069impl<'tcx> Ty<'tcx> {
1070 pub fn primitive_size(self, tcx: TyCtxt<'tcx>) -> Size {
1072 match *self.kind() {
1073 ty::Bool => Size::from_bytes(1),
1074 ty::Char => Size::from_bytes(4),
1075 ty::Int(ity) => Integer::from_int_ty(&tcx, ity).size(),
1076 ty::Uint(uty) => Integer::from_uint_ty(&tcx, uty).size(),
1077 ty::Float(fty) => Float::from_float_ty(fty).size(),
1078 _ => bug!("non primitive type"),
1079 }
1080 }
1081
1082 pub fn int_size_and_signed(self, tcx: TyCtxt<'tcx>) -> (Size, bool) {
1083 match *self.kind() {
1084 ty::Int(ity) => (Integer::from_int_ty(&tcx, ity).size(), true),
1085 ty::Uint(uty) => (Integer::from_uint_ty(&tcx, uty).size(), false),
1086 _ => bug!("non integer discriminant"),
1087 }
1088 }
1089
1090 pub fn numeric_min_and_max_as_bits(self, tcx: TyCtxt<'tcx>) -> Option<(u128, u128)> {
1093 use rustc_apfloat::ieee::{Double, Half, Quad, Single};
1094 Some(match self.kind() {
1095 ty::Int(_) | ty::Uint(_) => {
1096 let (size, signed) = self.int_size_and_signed(tcx);
1097 let min = if signed { size.truncate(size.signed_int_min() as u128) } else { 0 };
1098 let max =
1099 if signed { size.signed_int_max() as u128 } else { size.unsigned_int_max() };
1100 (min, max)
1101 }
1102 ty::Char => (0, std::char::MAX as u128),
1103 ty::Float(ty::FloatTy::F16) => ((-Half::INFINITY).to_bits(), Half::INFINITY.to_bits()),
1104 ty::Float(ty::FloatTy::F32) => {
1105 ((-Single::INFINITY).to_bits(), Single::INFINITY.to_bits())
1106 }
1107 ty::Float(ty::FloatTy::F64) => {
1108 ((-Double::INFINITY).to_bits(), Double::INFINITY.to_bits())
1109 }
1110 ty::Float(ty::FloatTy::F128) => ((-Quad::INFINITY).to_bits(), Quad::INFINITY.to_bits()),
1111 _ => return None,
1112 })
1113 }
1114
1115 pub fn numeric_max_val(self, tcx: TyCtxt<'tcx>) -> Option<mir::Const<'tcx>> {
1118 let typing_env = TypingEnv::fully_monomorphized();
1119 self.numeric_min_and_max_as_bits(tcx)
1120 .map(|(_, max)| mir::Const::from_bits(tcx, max, typing_env, self))
1121 }
1122
1123 pub fn numeric_min_val(self, tcx: TyCtxt<'tcx>) -> Option<mir::Const<'tcx>> {
1126 let typing_env = TypingEnv::fully_monomorphized();
1127 self.numeric_min_and_max_as_bits(tcx)
1128 .map(|(min, _)| mir::Const::from_bits(tcx, min, typing_env, self))
1129 }
1130
1131 pub fn is_sized(self, tcx: TyCtxt<'tcx>, typing_env: ty::TypingEnv<'tcx>) -> bool {
1138 self.has_trivial_sizedness(tcx, SizedTraitKind::Sized)
1139 || tcx.is_sized_raw(typing_env.as_query_input(self))
1140 }
1141
1142 pub fn is_freeze(self, tcx: TyCtxt<'tcx>, typing_env: ty::TypingEnv<'tcx>) -> bool {
1150 self.is_trivially_freeze() || tcx.is_freeze_raw(typing_env.as_query_input(self))
1151 }
1152
1153 pub fn is_trivially_freeze(self) -> bool {
1158 match self.kind() {
1159 ty::Int(_)
1160 | ty::Uint(_)
1161 | ty::Float(_)
1162 | ty::Bool
1163 | ty::Char
1164 | ty::Str
1165 | ty::Never
1166 | ty::Ref(..)
1167 | ty::RawPtr(_, _)
1168 | ty::FnDef(..)
1169 | ty::Error(_)
1170 | ty::FnPtr(..) => true,
1171 ty::Tuple(fields) => fields.iter().all(Self::is_trivially_freeze),
1172 ty::Pat(ty, _) | ty::Slice(ty) | ty::Array(ty, _) => ty.is_trivially_freeze(),
1173 ty::Adt(..)
1174 | ty::Bound(..)
1175 | ty::Closure(..)
1176 | ty::CoroutineClosure(..)
1177 | ty::Dynamic(..)
1178 | ty::Foreign(_)
1179 | ty::Coroutine(..)
1180 | ty::CoroutineWitness(..)
1181 | ty::UnsafeBinder(_)
1182 | ty::Infer(_)
1183 | ty::Alias(..)
1184 | ty::Param(_)
1185 | ty::Placeholder(_) => false,
1186 }
1187 }
1188
1189 pub fn is_unpin(self, tcx: TyCtxt<'tcx>, typing_env: ty::TypingEnv<'tcx>) -> bool {
1191 self.is_trivially_unpin() || tcx.is_unpin_raw(typing_env.as_query_input(self))
1192 }
1193
1194 fn is_trivially_unpin(self) -> bool {
1199 match self.kind() {
1200 ty::Int(_)
1201 | ty::Uint(_)
1202 | ty::Float(_)
1203 | ty::Bool
1204 | ty::Char
1205 | ty::Str
1206 | ty::Never
1207 | ty::Ref(..)
1208 | ty::RawPtr(_, _)
1209 | ty::FnDef(..)
1210 | ty::Error(_)
1211 | ty::FnPtr(..) => true,
1212 ty::Tuple(fields) => fields.iter().all(Self::is_trivially_unpin),
1213 ty::Pat(ty, _) | ty::Slice(ty) | ty::Array(ty, _) => ty.is_trivially_unpin(),
1214 ty::Adt(..)
1215 | ty::Bound(..)
1216 | ty::Closure(..)
1217 | ty::CoroutineClosure(..)
1218 | ty::Dynamic(..)
1219 | ty::Foreign(_)
1220 | ty::Coroutine(..)
1221 | ty::CoroutineWitness(..)
1222 | ty::UnsafeBinder(_)
1223 | ty::Infer(_)
1224 | ty::Alias(..)
1225 | ty::Param(_)
1226 | ty::Placeholder(_) => false,
1227 }
1228 }
1229
1230 pub fn has_unsafe_fields(self) -> bool {
1232 if let ty::Adt(adt_def, ..) = self.kind() {
1233 adt_def.all_fields().any(|x| x.safety.is_unsafe())
1234 } else {
1235 false
1236 }
1237 }
1238
1239 pub fn is_async_drop(self, tcx: TyCtxt<'tcx>, typing_env: ty::TypingEnv<'tcx>) -> bool {
1241 !self.is_trivially_not_async_drop()
1242 && tcx.is_async_drop_raw(typing_env.as_query_input(self))
1243 }
1244
1245 fn is_trivially_not_async_drop(self) -> bool {
1250 match self.kind() {
1251 ty::Int(_)
1252 | ty::Uint(_)
1253 | ty::Float(_)
1254 | ty::Bool
1255 | ty::Char
1256 | ty::Str
1257 | ty::Never
1258 | ty::Ref(..)
1259 | ty::RawPtr(..)
1260 | ty::FnDef(..)
1261 | ty::Error(_)
1262 | ty::FnPtr(..) => true,
1263 ty::UnsafeBinder(_) => todo!(),
1265 ty::Tuple(fields) => fields.iter().all(Self::is_trivially_not_async_drop),
1266 ty::Pat(elem_ty, _) | ty::Slice(elem_ty) | ty::Array(elem_ty, _) => {
1267 elem_ty.is_trivially_not_async_drop()
1268 }
1269 ty::Adt(..)
1270 | ty::Bound(..)
1271 | ty::Closure(..)
1272 | ty::CoroutineClosure(..)
1273 | ty::Dynamic(..)
1274 | ty::Foreign(_)
1275 | ty::Coroutine(..)
1276 | ty::CoroutineWitness(..)
1277 | ty::Infer(_)
1278 | ty::Alias(..)
1279 | ty::Param(_)
1280 | ty::Placeholder(_) => false,
1281 }
1282 }
1283
1284 #[inline]
1293 pub fn needs_drop(self, tcx: TyCtxt<'tcx>, typing_env: ty::TypingEnv<'tcx>) -> bool {
1294 match needs_drop_components(tcx, self) {
1296 Err(AlwaysRequiresDrop) => true,
1297 Ok(components) => {
1298 let query_ty = match *components {
1299 [] => return false,
1300 [component_ty] => component_ty,
1303 _ => self,
1304 };
1305
1306 debug_assert!(!typing_env.param_env.has_infer());
1309 let query_ty = tcx
1310 .try_normalize_erasing_regions(typing_env, query_ty)
1311 .unwrap_or_else(|_| tcx.erase_and_anonymize_regions(query_ty));
1312
1313 tcx.needs_drop_raw(typing_env.as_query_input(query_ty))
1314 }
1315 }
1316 }
1317
1318 #[inline]
1329 pub fn needs_async_drop(self, tcx: TyCtxt<'tcx>, typing_env: ty::TypingEnv<'tcx>) -> bool {
1330 match needs_drop_components(tcx, self) {
1332 Err(AlwaysRequiresDrop) => true,
1333 Ok(components) => {
1334 let query_ty = match *components {
1335 [] => return false,
1336 [component_ty] => component_ty,
1339 _ => self,
1340 };
1341
1342 debug_assert!(!typing_env.has_infer());
1346 let query_ty = tcx
1347 .try_normalize_erasing_regions(typing_env, query_ty)
1348 .unwrap_or_else(|_| tcx.erase_and_anonymize_regions(query_ty));
1349
1350 tcx.needs_async_drop_raw(typing_env.as_query_input(query_ty))
1351 }
1352 }
1353 }
1354
1355 #[inline]
1364 pub fn has_significant_drop(self, tcx: TyCtxt<'tcx>, typing_env: ty::TypingEnv<'tcx>) -> bool {
1365 match needs_drop_components(tcx, self) {
1367 Err(AlwaysRequiresDrop) => true,
1368 Ok(components) => {
1369 let query_ty = match *components {
1370 [] => return false,
1371 [component_ty] => component_ty,
1374 _ => self,
1375 };
1376
1377 if query_ty.has_infer() {
1382 return true;
1383 }
1384
1385 let erased = tcx.normalize_erasing_regions(typing_env, query_ty);
1388 tcx.has_significant_drop_raw(typing_env.as_query_input(erased))
1389 }
1390 }
1391 }
1392
1393 #[inline]
1408 pub fn is_structural_eq_shallow(self, tcx: TyCtxt<'tcx>) -> bool {
1409 match self.kind() {
1410 ty::Adt(..) => tcx.has_structural_eq_impl(self),
1412
1413 ty::Bool | ty::Char | ty::Int(_) | ty::Uint(_) | ty::Str | ty::Never => true,
1415
1416 ty::Pat(..) | ty::Ref(..) | ty::Array(..) | ty::Slice(_) | ty::Tuple(..) => true,
1421
1422 ty::RawPtr(_, _) | ty::FnPtr(..) => true,
1424
1425 ty::Float(_) => false,
1427
1428 ty::FnDef(..)
1432 | ty::Closure(..)
1433 | ty::CoroutineClosure(..)
1434 | ty::Dynamic(..)
1435 | ty::Coroutine(..) => false,
1436
1437 ty::Alias(..) | ty::Param(_) | ty::Bound(..) | ty::Placeholder(_) | ty::Infer(_) => {
1442 false
1443 }
1444
1445 ty::Foreign(_) | ty::CoroutineWitness(..) | ty::Error(_) | ty::UnsafeBinder(_) => false,
1446 }
1447 }
1448
1449 pub fn peel_refs(self) -> Ty<'tcx> {
1460 let mut ty = self;
1461 while let ty::Ref(_, inner_ty, _) = ty.kind() {
1462 ty = *inner_ty;
1463 }
1464 ty
1465 }
1466
1467 #[inline]
1469 pub fn outer_exclusive_binder(self) -> ty::DebruijnIndex {
1470 self.0.outer_exclusive_binder
1471 }
1472}
1473
1474#[inline]
1481pub fn needs_drop_components<'tcx>(
1482 tcx: TyCtxt<'tcx>,
1483 ty: Ty<'tcx>,
1484) -> Result<SmallVec<[Ty<'tcx>; 2]>, AlwaysRequiresDrop> {
1485 needs_drop_components_with_async(tcx, ty, Asyncness::No)
1486}
1487
1488pub fn needs_drop_components_with_async<'tcx>(
1492 tcx: TyCtxt<'tcx>,
1493 ty: Ty<'tcx>,
1494 asyncness: Asyncness,
1495) -> Result<SmallVec<[Ty<'tcx>; 2]>, AlwaysRequiresDrop> {
1496 match *ty.kind() {
1497 ty::Infer(ty::FreshIntTy(_))
1498 | ty::Infer(ty::FreshFloatTy(_))
1499 | ty::Bool
1500 | ty::Int(_)
1501 | ty::Uint(_)
1502 | ty::Float(_)
1503 | ty::Never
1504 | ty::FnDef(..)
1505 | ty::FnPtr(..)
1506 | ty::Char
1507 | ty::RawPtr(_, _)
1508 | ty::Ref(..)
1509 | ty::Str => Ok(SmallVec::new()),
1510
1511 ty::Foreign(..) => Ok(SmallVec::new()),
1513
1514 ty::Dynamic(..) | ty::Error(_) => {
1516 if asyncness.is_async() {
1517 Ok(SmallVec::new())
1518 } else {
1519 Err(AlwaysRequiresDrop)
1520 }
1521 }
1522
1523 ty::Pat(ty, _) | ty::Slice(ty) => needs_drop_components_with_async(tcx, ty, asyncness),
1524 ty::Array(elem_ty, size) => {
1525 match needs_drop_components_with_async(tcx, elem_ty, asyncness) {
1526 Ok(v) if v.is_empty() => Ok(v),
1527 res => match size.try_to_target_usize(tcx) {
1528 Some(0) => Ok(SmallVec::new()),
1531 Some(_) => res,
1532 None => Ok(smallvec![ty]),
1536 },
1537 }
1538 }
1539 ty::Tuple(fields) => fields.iter().try_fold(SmallVec::new(), move |mut acc, elem| {
1541 acc.extend(needs_drop_components_with_async(tcx, elem, asyncness)?);
1542 Ok(acc)
1543 }),
1544
1545 ty::Adt(..)
1547 | ty::Alias(..)
1548 | ty::Param(_)
1549 | ty::Bound(..)
1550 | ty::Placeholder(..)
1551 | ty::Infer(_)
1552 | ty::Closure(..)
1553 | ty::CoroutineClosure(..)
1554 | ty::Coroutine(..)
1555 | ty::CoroutineWitness(..)
1556 | ty::UnsafeBinder(_) => Ok(smallvec![ty]),
1557 }
1558}
1559
1560pub fn fold_list<'tcx, F, L, T>(
1566 list: L,
1567 folder: &mut F,
1568 intern: impl FnOnce(TyCtxt<'tcx>, &[T]) -> L,
1569) -> L
1570where
1571 F: TypeFolder<TyCtxt<'tcx>>,
1572 L: AsRef<[T]>,
1573 T: TypeFoldable<TyCtxt<'tcx>> + PartialEq + Copy,
1574{
1575 let slice = list.as_ref();
1576 let mut iter = slice.iter().copied();
1577 match iter.by_ref().enumerate().find_map(|(i, t)| {
1579 let new_t = t.fold_with(folder);
1580 if new_t != t { Some((i, new_t)) } else { None }
1581 }) {
1582 Some((i, new_t)) => {
1583 let mut new_list = SmallVec::<[_; 8]>::with_capacity(slice.len());
1585 new_list.extend_from_slice(&slice[..i]);
1586 new_list.push(new_t);
1587 for t in iter {
1588 new_list.push(t.fold_with(folder))
1589 }
1590 intern(folder.cx(), &new_list)
1591 }
1592 None => list,
1593 }
1594}
1595
1596pub fn try_fold_list<'tcx, F, L, T>(
1602 list: L,
1603 folder: &mut F,
1604 intern: impl FnOnce(TyCtxt<'tcx>, &[T]) -> L,
1605) -> Result<L, F::Error>
1606where
1607 F: FallibleTypeFolder<TyCtxt<'tcx>>,
1608 L: AsRef<[T]>,
1609 T: TypeFoldable<TyCtxt<'tcx>> + PartialEq + Copy,
1610{
1611 let slice = list.as_ref();
1612 let mut iter = slice.iter().copied();
1613 match iter.by_ref().enumerate().find_map(|(i, t)| match t.try_fold_with(folder) {
1615 Ok(new_t) if new_t == t => None,
1616 new_t => Some((i, new_t)),
1617 }) {
1618 Some((i, Ok(new_t))) => {
1619 let mut new_list = SmallVec::<[_; 8]>::with_capacity(slice.len());
1621 new_list.extend_from_slice(&slice[..i]);
1622 new_list.push(new_t);
1623 for t in iter {
1624 new_list.push(t.try_fold_with(folder)?)
1625 }
1626 Ok(intern(folder.cx(), &new_list))
1627 }
1628 Some((_, Err(err))) => {
1629 return Err(err);
1630 }
1631 None => Ok(list),
1632 }
1633}
1634
1635#[derive(Copy, Clone, Debug, HashStable, TyEncodable, TyDecodable)]
1636pub struct AlwaysRequiresDrop;
1637
1638pub fn reveal_opaque_types_in_bounds<'tcx>(
1641 tcx: TyCtxt<'tcx>,
1642 val: ty::Clauses<'tcx>,
1643) -> ty::Clauses<'tcx> {
1644 assert!(!tcx.next_trait_solver_globally());
1645 let mut visitor = OpaqueTypeExpander {
1646 seen_opaque_tys: FxHashSet::default(),
1647 expanded_cache: FxHashMap::default(),
1648 primary_def_id: None,
1649 found_recursion: false,
1650 found_any_recursion: false,
1651 check_recursion: false,
1652 tcx,
1653 };
1654 val.fold_with(&mut visitor)
1655}
1656
1657fn is_doc_hidden(tcx: TyCtxt<'_>, def_id: LocalDefId) -> bool {
1659 tcx.get_attrs(def_id, sym::doc)
1660 .filter_map(|attr| attr.meta_item_list())
1661 .any(|items| items.iter().any(|item| item.has_name(sym::hidden)))
1662}
1663
1664pub fn is_doc_notable_trait(tcx: TyCtxt<'_>, def_id: DefId) -> bool {
1666 tcx.get_attrs(def_id, sym::doc)
1667 .filter_map(|attr| attr.meta_item_list())
1668 .any(|items| items.iter().any(|item| item.has_name(sym::notable_trait)))
1669}
1670
1671pub fn intrinsic_raw(tcx: TyCtxt<'_>, def_id: LocalDefId) -> Option<ty::IntrinsicDef> {
1677 if tcx.features().intrinsics() && tcx.has_attr(def_id, sym::rustc_intrinsic) {
1678 let must_be_overridden = match tcx.hir_node_by_def_id(def_id) {
1679 hir::Node::Item(hir::Item { kind: hir::ItemKind::Fn { has_body, .. }, .. }) => {
1680 !has_body
1681 }
1682 _ => true,
1683 };
1684 Some(ty::IntrinsicDef {
1685 name: tcx.item_name(def_id),
1686 must_be_overridden,
1687 const_stable: tcx.has_attr(def_id, sym::rustc_intrinsic_const_stable_indirect),
1688 })
1689 } else {
1690 None
1691 }
1692}
1693
1694pub fn provide(providers: &mut Providers) {
1695 *providers = Providers {
1696 reveal_opaque_types_in_bounds,
1697 is_doc_hidden,
1698 is_doc_notable_trait,
1699 intrinsic_raw,
1700 ..*providers
1701 }
1702}