1use std::mem;
12use std::ops::ControlFlow;
13
14use rustc_data_structures::fx::{FxHashSet, FxIndexMap};
15use rustc_data_structures::unord::ExtendUnord;
16use rustc_errors::{E0720, ErrorGuaranteed};
17use rustc_hir::def_id::LocalDefId;
18use rustc_hir::intravisit::{self, InferKind, Visitor};
19use rustc_hir::{self as hir, AmbigArg, HirId};
20use rustc_infer::traits::solve::Goal;
21use rustc_middle::traits::ObligationCause;
22use rustc_middle::ty::adjustment::{Adjust, Adjustment, PointerCoercion};
23use rustc_middle::ty::{
24 self, DefiningScopeKind, OpaqueHiddenType, Ty, TyCtxt, TypeFoldable, TypeFolder,
25 TypeSuperFoldable, TypeSuperVisitable, TypeVisitable, TypeVisitableExt, TypeVisitor,
26 fold_regions,
27};
28use rustc_span::{Span, sym};
29use rustc_trait_selection::error_reporting::infer::need_type_info::TypeAnnotationNeeded;
30use rustc_trait_selection::opaque_types::check_opaque_type_parameter_valid;
31use rustc_trait_selection::solve;
32use tracing::{debug, instrument};
33
34use crate::FnCtxt;
35
36impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
40 pub(crate) fn resolve_type_vars_in_body(
41 &self,
42 body: &'tcx hir::Body<'tcx>,
43 ) -> &'tcx ty::TypeckResults<'tcx> {
44 let item_def_id = self.tcx.hir_body_owner_def_id(body.id());
45
46 let rustc_dump_user_args = self.tcx.has_attr(item_def_id, sym::rustc_dump_user_args);
49
50 let mut wbcx = WritebackCx::new(self, body, rustc_dump_user_args);
51 for param in body.params {
52 wbcx.visit_node_id(param.pat.span, param.hir_id);
53 }
54 match self.tcx.hir_body_owner_kind(item_def_id) {
55 hir::BodyOwnerKind::Const { .. }
57 | hir::BodyOwnerKind::Static(_)
58 | hir::BodyOwnerKind::GlobalAsm => {
59 let item_hir_id = self.tcx.local_def_id_to_hir_id(item_def_id);
60 wbcx.visit_node_id(body.value.span, item_hir_id);
61 }
62 hir::BodyOwnerKind::Closure | hir::BodyOwnerKind::Fn => {}
64 }
65 wbcx.visit_body(body);
66 wbcx.visit_min_capture_map();
67 wbcx.eval_closure_size();
68 wbcx.visit_fake_reads_map();
69 wbcx.visit_closures();
70 wbcx.visit_liberated_fn_sigs();
71 wbcx.visit_fru_field_types();
72 wbcx.visit_opaque_types();
73 wbcx.visit_coercion_casts();
74 wbcx.visit_user_provided_tys();
75 wbcx.visit_user_provided_sigs();
76 wbcx.visit_coroutine_interior();
77 wbcx.visit_offset_of_container_types();
78
79 wbcx.typeck_results.rvalue_scopes =
80 mem::take(&mut self.typeck_results.borrow_mut().rvalue_scopes);
81
82 let used_trait_imports =
83 mem::take(&mut self.typeck_results.borrow_mut().used_trait_imports);
84 debug!("used_trait_imports({:?}) = {:?}", item_def_id, used_trait_imports);
85 wbcx.typeck_results.used_trait_imports = used_trait_imports;
86
87 debug!("writeback: typeck results for {:?} are {:#?}", item_def_id, wbcx.typeck_results);
88
89 self.tcx.arena.alloc(wbcx.typeck_results)
90 }
91}
92
93struct WritebackCx<'cx, 'tcx> {
99 fcx: &'cx FnCtxt<'cx, 'tcx>,
100
101 typeck_results: ty::TypeckResults<'tcx>,
102
103 body: &'tcx hir::Body<'tcx>,
104
105 rustc_dump_user_args: bool,
106}
107
108impl<'cx, 'tcx> WritebackCx<'cx, 'tcx> {
109 fn new(
110 fcx: &'cx FnCtxt<'cx, 'tcx>,
111 body: &'tcx hir::Body<'tcx>,
112 rustc_dump_user_args: bool,
113 ) -> WritebackCx<'cx, 'tcx> {
114 let owner = body.id().hir_id.owner;
115
116 let mut wbcx = WritebackCx {
117 fcx,
118 typeck_results: ty::TypeckResults::new(owner),
119 body,
120 rustc_dump_user_args,
121 };
122
123 if let Some(e) = fcx.tainted_by_errors() {
127 wbcx.typeck_results.tainted_by_errors = Some(e);
128 }
129
130 wbcx
131 }
132
133 fn tcx(&self) -> TyCtxt<'tcx> {
134 self.fcx.tcx
135 }
136
137 fn write_ty_to_typeck_results(&mut self, hir_id: HirId, ty: Ty<'tcx>) {
138 debug!("write_ty_to_typeck_results({:?}, {:?})", hir_id, ty);
139 assert!(
140 !ty.has_infer() && !ty.has_placeholders() && !ty.has_free_regions(),
141 "{ty} can't be put into typeck results"
142 );
143 self.typeck_results.node_types_mut().insert(hir_id, ty);
144 }
145
146 fn fix_scalar_builtin_expr(&mut self, e: &hir::Expr<'_>) {
151 match e.kind {
152 hir::ExprKind::Unary(hir::UnOp::Neg | hir::UnOp::Not, inner) => {
153 let inner_ty = self.typeck_results.node_type(inner.hir_id);
154
155 if inner_ty.is_scalar() {
156 self.typeck_results.type_dependent_defs_mut().remove(e.hir_id);
157 self.typeck_results.node_args_mut().remove(e.hir_id);
158 }
159 }
160 hir::ExprKind::Binary(ref op, lhs, rhs) => {
161 let lhs_ty = self.typeck_results.node_type(lhs.hir_id);
162 let rhs_ty = self.typeck_results.node_type(rhs.hir_id);
163
164 if lhs_ty.is_scalar() && rhs_ty.is_scalar() {
165 self.typeck_results.type_dependent_defs_mut().remove(e.hir_id);
166 self.typeck_results.node_args_mut().remove(e.hir_id);
167
168 if !op.node.is_by_value() {
169 let mut adjustments = self.typeck_results.adjustments_mut();
170 if let Some(a) = adjustments.get_mut(lhs.hir_id) {
171 a.pop();
172 }
173 if let Some(a) = adjustments.get_mut(rhs.hir_id) {
174 a.pop();
175 }
176 }
177 }
178 }
179 hir::ExprKind::AssignOp(_, lhs, rhs) => {
180 let lhs_ty = self.typeck_results.node_type(lhs.hir_id);
181 let rhs_ty = self.typeck_results.node_type(rhs.hir_id);
182
183 if lhs_ty.is_scalar() && rhs_ty.is_scalar() {
184 self.typeck_results.type_dependent_defs_mut().remove(e.hir_id);
185 self.typeck_results.node_args_mut().remove(e.hir_id);
186
187 if let Some(a) = self.typeck_results.adjustments_mut().get_mut(lhs.hir_id) {
188 a.pop();
189 }
190 }
191 }
192 _ => {}
193 }
194 }
195
196 fn is_builtin_index(
201 &mut self,
202 e: &hir::Expr<'_>,
203 base_ty: Ty<'tcx>,
204 index_ty: Ty<'tcx>,
205 ) -> bool {
206 if let Some(elem_ty) = base_ty.builtin_index()
207 && let Some(exp_ty) = self.typeck_results.expr_ty_opt(e)
208 {
209 elem_ty == exp_ty && index_ty == self.fcx.tcx.types.usize
210 } else {
211 false
212 }
213 }
214
215 fn fix_index_builtin_expr(&mut self, e: &hir::Expr<'_>) {
220 if let hir::ExprKind::Index(ref base, ref index, _) = e.kind {
221 let base_ty = self.typeck_results.expr_ty_adjusted(base);
223 if let ty::Ref(_, base_ty_inner, _) = *base_ty.kind() {
224 let index_ty = self.typeck_results.expr_ty_adjusted(index);
225 if self.is_builtin_index(e, base_ty_inner, index_ty) {
226 self.typeck_results.type_dependent_defs_mut().remove(e.hir_id);
228 self.typeck_results.node_args_mut().remove(e.hir_id);
229
230 if let Some(a) = self.typeck_results.adjustments_mut().get_mut(base.hir_id)
231 && let Some(Adjustment {
237 kind: Adjust::Pointer(PointerCoercion::Unsize),
238 ..
239 }) = a.pop()
240 {
241 a.pop();
243 }
244 }
245 }
246 }
247 }
248}
249
250impl<'cx, 'tcx> Visitor<'tcx> for WritebackCx<'cx, 'tcx> {
259 fn visit_expr(&mut self, e: &'tcx hir::Expr<'tcx>) {
260 match e.kind {
261 hir::ExprKind::Closure(&hir::Closure { body, .. }) => {
262 let body = self.fcx.tcx.hir_body(body);
263 for param in body.params {
264 self.visit_node_id(e.span, param.hir_id);
265 }
266
267 self.visit_body(body);
268 }
269 hir::ExprKind::Struct(_, fields, _) => {
270 for field in fields {
271 self.visit_field_id(field.hir_id);
272 }
273 }
274 hir::ExprKind::Field(..) | hir::ExprKind::OffsetOf(..) => {
275 self.visit_field_id(e.hir_id);
276 }
277 _ => {}
278 }
279
280 self.visit_node_id(e.span, e.hir_id);
281 intravisit::walk_expr(self, e);
282
283 self.fix_scalar_builtin_expr(e);
284 self.fix_index_builtin_expr(e);
285 }
286
287 fn visit_inline_const(&mut self, anon_const: &hir::ConstBlock) {
288 let span = self.tcx().def_span(anon_const.def_id);
289 self.visit_node_id(span, anon_const.hir_id);
290
291 let body = self.tcx().hir_body(anon_const.body);
292 self.visit_body(body);
293 }
294
295 fn visit_generic_param(&mut self, p: &'tcx hir::GenericParam<'tcx>) {
296 match &p.kind {
297 hir::GenericParamKind::Lifetime { .. } => {
298 }
300 hir::GenericParamKind::Type { .. } | hir::GenericParamKind::Const { .. } => {
301 self.tcx()
302 .dcx()
303 .span_delayed_bug(p.span, format!("unexpected generic param: {p:?}"));
304 }
305 }
306 }
307
308 fn visit_block(&mut self, b: &'tcx hir::Block<'tcx>) {
309 self.visit_node_id(b.span, b.hir_id);
310 intravisit::walk_block(self, b);
311 }
312
313 fn visit_pat(&mut self, p: &'tcx hir::Pat<'tcx>) {
314 match p.kind {
315 hir::PatKind::Binding(..) => {
316 let typeck_results = self.fcx.typeck_results.borrow();
317 let bm = typeck_results.extract_binding_mode(self.tcx().sess, p.hir_id, p.span);
318 self.typeck_results.pat_binding_modes_mut().insert(p.hir_id, bm);
319 }
320 hir::PatKind::Struct(_, fields, _) => {
321 for field in fields {
322 self.visit_field_id(field.hir_id);
323 }
324 }
325 _ => {}
326 };
327
328 self.visit_rust_2024_migration_desugared_pats(p.hir_id);
329 self.visit_skipped_ref_pats(p.hir_id);
330 self.visit_pat_adjustments(p.span, p.hir_id);
331
332 self.visit_node_id(p.span, p.hir_id);
333 intravisit::walk_pat(self, p);
334 }
335
336 fn visit_pat_expr(&mut self, expr: &'tcx hir::PatExpr<'tcx>) {
337 self.visit_node_id(expr.span, expr.hir_id);
338 intravisit::walk_pat_expr(self, expr);
339 }
340
341 fn visit_local(&mut self, l: &'tcx hir::LetStmt<'tcx>) {
342 intravisit::walk_local(self, l);
343 let var_ty = self.fcx.local_ty(l.span, l.hir_id);
344 let var_ty = self.resolve(var_ty, &l.span);
345 self.write_ty_to_typeck_results(l.hir_id, var_ty);
346 }
347
348 fn visit_ty(&mut self, hir_ty: &'tcx hir::Ty<'tcx, AmbigArg>) {
349 intravisit::walk_ty(self, hir_ty);
350 if let Some(ty) = self.fcx.node_ty_opt(hir_ty.hir_id) {
353 let ty = self.resolve(ty, &hir_ty.span);
354 self.write_ty_to_typeck_results(hir_ty.hir_id, ty);
355 }
356 }
357
358 fn visit_infer(
359 &mut self,
360 inf_id: HirId,
361 inf_span: Span,
362 _kind: InferKind<'cx>,
363 ) -> Self::Result {
364 self.visit_id(inf_id);
365
366 if let Some(ty) = self.fcx.node_ty_opt(inf_id) {
370 let ty = self.resolve(ty, &inf_span);
371 self.write_ty_to_typeck_results(inf_id, ty);
372 }
373 }
374}
375
376impl<'cx, 'tcx> WritebackCx<'cx, 'tcx> {
377 fn eval_closure_size(&mut self) {
378 self.tcx().with_stable_hashing_context(|ref hcx| {
379 let fcx_typeck_results = self.fcx.typeck_results.borrow();
380
381 self.typeck_results.closure_size_eval = fcx_typeck_results
382 .closure_size_eval
383 .to_sorted(hcx, false)
384 .into_iter()
385 .map(|(&closure_def_id, data)| {
386 let closure_hir_id = self.tcx().local_def_id_to_hir_id(closure_def_id);
387 let data = self.resolve(*data, &closure_hir_id);
388 (closure_def_id, data)
389 })
390 .collect();
391 })
392 }
393
394 fn visit_min_capture_map(&mut self) {
395 self.tcx().with_stable_hashing_context(|ref hcx| {
396 let fcx_typeck_results = self.fcx.typeck_results.borrow();
397
398 self.typeck_results.closure_min_captures = fcx_typeck_results
399 .closure_min_captures
400 .to_sorted(hcx, false)
401 .into_iter()
402 .map(|(&closure_def_id, root_min_captures)| {
403 let root_var_map_wb = root_min_captures
404 .iter()
405 .map(|(var_hir_id, min_list)| {
406 let min_list_wb = min_list
407 .iter()
408 .map(|captured_place| {
409 let locatable =
410 captured_place.info.path_expr_id.unwrap_or_else(|| {
411 self.tcx().local_def_id_to_hir_id(closure_def_id)
412 });
413 self.resolve(captured_place.clone(), &locatable)
414 })
415 .collect();
416 (*var_hir_id, min_list_wb)
417 })
418 .collect();
419 (closure_def_id, root_var_map_wb)
420 })
421 .collect();
422 })
423 }
424
425 fn visit_fake_reads_map(&mut self) {
426 self.tcx().with_stable_hashing_context(move |ref hcx| {
427 let fcx_typeck_results = self.fcx.typeck_results.borrow();
428
429 self.typeck_results.closure_fake_reads = fcx_typeck_results
430 .closure_fake_reads
431 .to_sorted(hcx, true)
432 .into_iter()
433 .map(|(&closure_def_id, fake_reads)| {
434 let resolved_fake_reads = fake_reads
435 .iter()
436 .map(|(place, cause, hir_id)| {
437 let locatable = self.tcx().local_def_id_to_hir_id(closure_def_id);
438 let resolved_fake_read = self.resolve(place.clone(), &locatable);
439 (resolved_fake_read, *cause, *hir_id)
440 })
441 .collect();
442
443 (closure_def_id, resolved_fake_reads)
444 })
445 .collect();
446 });
447 }
448
449 fn visit_closures(&mut self) {
450 let fcx_typeck_results = self.fcx.typeck_results.borrow();
451 assert_eq!(fcx_typeck_results.hir_owner, self.typeck_results.hir_owner);
452 let common_hir_owner = fcx_typeck_results.hir_owner;
453
454 let fcx_closure_kind_origins =
455 fcx_typeck_results.closure_kind_origins().items_in_stable_order();
456
457 for (local_id, origin) in fcx_closure_kind_origins {
458 let hir_id = HirId { owner: common_hir_owner, local_id };
459 let place_span = origin.0;
460 let place = self.resolve(origin.1.clone(), &place_span);
461 self.typeck_results.closure_kind_origins_mut().insert(hir_id, (place_span, place));
462 }
463 }
464
465 fn visit_coercion_casts(&mut self) {
466 let fcx_typeck_results = self.fcx.typeck_results.borrow();
467
468 assert_eq!(fcx_typeck_results.hir_owner, self.typeck_results.hir_owner);
469
470 let fcx_coercion_casts = fcx_typeck_results.coercion_casts().to_sorted_stable_ord();
471 for &local_id in fcx_coercion_casts {
472 self.typeck_results.set_coercion_cast(local_id);
473 }
474 }
475
476 fn visit_user_provided_tys(&mut self) {
477 let fcx_typeck_results = self.fcx.typeck_results.borrow();
478 assert_eq!(fcx_typeck_results.hir_owner, self.typeck_results.hir_owner);
479 let common_hir_owner = fcx_typeck_results.hir_owner;
480
481 if self.rustc_dump_user_args {
482 let sorted_user_provided_types =
483 fcx_typeck_results.user_provided_types().items_in_stable_order();
484
485 let mut errors_buffer = Vec::new();
486 for (local_id, c_ty) in sorted_user_provided_types {
487 let hir_id = HirId { owner: common_hir_owner, local_id };
488
489 if let ty::UserTypeKind::TypeOf(_, user_args) = c_ty.value.kind {
490 let span = self.tcx().hir_span(hir_id);
492 let err =
495 self.tcx().dcx().struct_span_err(span, format!("user args: {user_args:?}"));
496 errors_buffer.push(err);
497 }
498 }
499
500 if !errors_buffer.is_empty() {
501 errors_buffer.sort_by_key(|diag| diag.span.primary_span());
502 for err in errors_buffer {
503 err.emit();
504 }
505 }
506 }
507
508 self.typeck_results.user_provided_types_mut().extend(
509 fcx_typeck_results.user_provided_types().items().map(|(local_id, c_ty)| {
510 let hir_id = HirId { owner: common_hir_owner, local_id };
511 (hir_id, *c_ty)
512 }),
513 );
514 }
515
516 fn visit_user_provided_sigs(&mut self) {
517 let fcx_typeck_results = self.fcx.typeck_results.borrow();
518 assert_eq!(fcx_typeck_results.hir_owner, self.typeck_results.hir_owner);
519
520 self.typeck_results.user_provided_sigs.extend_unord(
521 fcx_typeck_results.user_provided_sigs.items().map(|(def_id, c_sig)| (*def_id, *c_sig)),
522 );
523 }
524
525 fn visit_coroutine_interior(&mut self) {
526 let fcx_typeck_results = self.fcx.typeck_results.borrow();
527 assert_eq!(fcx_typeck_results.hir_owner, self.typeck_results.hir_owner);
528 for (predicate, cause) in &fcx_typeck_results.coroutine_stalled_predicates {
529 let (predicate, cause) =
530 self.resolve_coroutine_predicate((*predicate, cause.clone()), &cause.span);
531 self.typeck_results.coroutine_stalled_predicates.insert((predicate, cause));
532 }
533 }
534
535 #[instrument(skip(self), level = "debug")]
536 fn visit_opaque_types(&mut self) {
537 let tcx = self.tcx();
538 let opaque_types = self.fcx.infcx.clone_opaque_types();
541 let num_entries = self.fcx.inner.borrow_mut().opaque_types().num_entries();
542 let prev = self.fcx.checked_opaque_types_storage_entries.replace(Some(num_entries));
543 debug_assert_eq!(prev, None);
544 for (opaque_type_key, hidden_type) in opaque_types {
545 let hidden_type = self.resolve(hidden_type, &hidden_type.span);
546 let opaque_type_key = self.resolve(opaque_type_key, &hidden_type.span);
547
548 if !self.fcx.next_trait_solver() {
549 if let ty::Alias(ty::Opaque, alias_ty) = hidden_type.ty.kind()
550 && alias_ty.def_id == opaque_type_key.def_id.to_def_id()
551 && alias_ty.args == opaque_type_key.args
552 {
553 continue;
554 }
555 }
556
557 if let Err(err) = check_opaque_type_parameter_valid(
558 &self.fcx,
559 opaque_type_key,
560 hidden_type.span,
561 DefiningScopeKind::HirTypeck,
562 ) {
563 self.typeck_results.concrete_opaque_types.insert(
564 opaque_type_key.def_id,
565 ty::OpaqueHiddenType::new_error(tcx, err.report(self.fcx)),
566 );
567 }
568
569 let hidden_type = hidden_type.remap_generic_params_to_declaration_params(
570 opaque_type_key,
571 tcx,
572 DefiningScopeKind::HirTypeck,
573 );
574
575 if let Some(prev) = self
576 .typeck_results
577 .concrete_opaque_types
578 .insert(opaque_type_key.def_id, hidden_type)
579 {
580 let entry = &mut self
581 .typeck_results
582 .concrete_opaque_types
583 .get_mut(&opaque_type_key.def_id)
584 .unwrap();
585 if prev.ty != hidden_type.ty {
586 if let Some(guar) = self.typeck_results.tainted_by_errors {
587 entry.ty = Ty::new_error(tcx, guar);
588 } else {
589 let (Ok(guar) | Err(guar)) =
590 prev.build_mismatch_error(&hidden_type, tcx).map(|d| d.emit());
591 entry.ty = Ty::new_error(tcx, guar);
592 }
593 }
594
595 entry.span = prev.span.substitute_dummy(hidden_type.span);
598 }
599 }
600
601 let recursive_opaques: Vec<_> = self
602 .typeck_results
603 .concrete_opaque_types
604 .iter()
605 .filter(|&(&def_id, hidden_ty)| {
606 hidden_ty
607 .ty
608 .visit_with(&mut HasRecursiveOpaque {
609 def_id,
610 seen: Default::default(),
611 opaques: &self.typeck_results.concrete_opaque_types,
612 tcx,
613 })
614 .is_break()
615 })
616 .map(|(def_id, hidden_ty)| (*def_id, hidden_ty.span))
617 .collect();
618 for (def_id, span) in recursive_opaques {
619 let guar = self
620 .fcx
621 .dcx()
622 .struct_span_err(span, "cannot resolve opaque type")
623 .with_code(E0720)
624 .emit();
625 self.typeck_results
626 .concrete_opaque_types
627 .insert(def_id, OpaqueHiddenType { span, ty: Ty::new_error(tcx, guar) });
628 }
629 }
630
631 fn visit_field_id(&mut self, hir_id: HirId) {
632 if let Some(index) = self.fcx.typeck_results.borrow_mut().field_indices_mut().remove(hir_id)
633 {
634 self.typeck_results.field_indices_mut().insert(hir_id, index);
635 }
636 }
637
638 #[instrument(skip(self, span), level = "debug")]
639 fn visit_node_id(&mut self, span: Span, hir_id: HirId) {
640 if let Some(def) =
642 self.fcx.typeck_results.borrow_mut().type_dependent_defs_mut().remove(hir_id)
643 {
644 self.typeck_results.type_dependent_defs_mut().insert(hir_id, def);
645 }
646
647 self.visit_adjustments(span, hir_id);
649
650 let n_ty = self.fcx.node_ty(hir_id);
652 let n_ty = self.resolve(n_ty, &span);
653 self.write_ty_to_typeck_results(hir_id, n_ty);
654 debug!(?n_ty);
655
656 if let Some(args) = self.fcx.typeck_results.borrow().node_args_opt(hir_id) {
658 let args = self.resolve(args, &span);
659 debug!("write_args_to_tcx({:?}, {:?})", hir_id, args);
660 assert!(!args.has_infer() && !args.has_placeholders());
661 self.typeck_results.node_args_mut().insert(hir_id, args);
662 }
663 }
664
665 #[instrument(skip(self, span), level = "debug")]
666 fn visit_adjustments(&mut self, span: Span, hir_id: HirId) {
667 let adjustment = self.fcx.typeck_results.borrow_mut().adjustments_mut().remove(hir_id);
668 match adjustment {
669 None => {
670 debug!("no adjustments for node");
671 }
672
673 Some(adjustment) => {
674 let resolved_adjustment = self.resolve(adjustment, &span);
675 debug!(?resolved_adjustment);
676 self.typeck_results.adjustments_mut().insert(hir_id, resolved_adjustment);
677 }
678 }
679 }
680
681 #[instrument(skip(self), level = "debug")]
682 fn visit_rust_2024_migration_desugared_pats(&mut self, hir_id: hir::HirId) {
683 if let Some(is_hard_error) = self
684 .fcx
685 .typeck_results
686 .borrow_mut()
687 .rust_2024_migration_desugared_pats_mut()
688 .remove(hir_id)
689 {
690 debug!(
691 "node is a pat whose match ergonomics are desugared by the Rust 2024 migration lint"
692 );
693 self.typeck_results
694 .rust_2024_migration_desugared_pats_mut()
695 .insert(hir_id, is_hard_error);
696 }
697 }
698
699 #[instrument(skip(self, span), level = "debug")]
700 fn visit_pat_adjustments(&mut self, span: Span, hir_id: HirId) {
701 let adjustment = self.fcx.typeck_results.borrow_mut().pat_adjustments_mut().remove(hir_id);
702 match adjustment {
703 None => {
704 debug!("no pat_adjustments for node");
705 }
706
707 Some(adjustment) => {
708 let resolved_adjustment = self.resolve(adjustment, &span);
709 debug!(?resolved_adjustment);
710 self.typeck_results.pat_adjustments_mut().insert(hir_id, resolved_adjustment);
711 }
712 }
713 }
714
715 #[instrument(skip(self), level = "debug")]
716 fn visit_skipped_ref_pats(&mut self, hir_id: hir::HirId) {
717 if self.fcx.typeck_results.borrow_mut().skipped_ref_pats_mut().remove(hir_id) {
718 debug!("node is a skipped ref pat");
719 self.typeck_results.skipped_ref_pats_mut().insert(hir_id);
720 }
721 }
722
723 fn visit_liberated_fn_sigs(&mut self) {
724 let fcx_typeck_results = self.fcx.typeck_results.borrow();
725 assert_eq!(fcx_typeck_results.hir_owner, self.typeck_results.hir_owner);
726 let common_hir_owner = fcx_typeck_results.hir_owner;
727
728 let fcx_liberated_fn_sigs = fcx_typeck_results.liberated_fn_sigs().items_in_stable_order();
729
730 for (local_id, &fn_sig) in fcx_liberated_fn_sigs {
731 let hir_id = HirId { owner: common_hir_owner, local_id };
732 let fn_sig = self.resolve(fn_sig, &hir_id);
733 self.typeck_results.liberated_fn_sigs_mut().insert(hir_id, fn_sig);
734 }
735 }
736
737 fn visit_fru_field_types(&mut self) {
738 let fcx_typeck_results = self.fcx.typeck_results.borrow();
739 assert_eq!(fcx_typeck_results.hir_owner, self.typeck_results.hir_owner);
740 let common_hir_owner = fcx_typeck_results.hir_owner;
741
742 let fcx_fru_field_types = fcx_typeck_results.fru_field_types().items_in_stable_order();
743
744 for (local_id, ftys) in fcx_fru_field_types {
745 let hir_id = HirId { owner: common_hir_owner, local_id };
746 let ftys = self.resolve(ftys.clone(), &hir_id);
747 self.typeck_results.fru_field_types_mut().insert(hir_id, ftys);
748 }
749 }
750
751 fn visit_offset_of_container_types(&mut self) {
752 let fcx_typeck_results = self.fcx.typeck_results.borrow();
753 assert_eq!(fcx_typeck_results.hir_owner, self.typeck_results.hir_owner);
754 let common_hir_owner = fcx_typeck_results.hir_owner;
755
756 for (local_id, &(container, ref indices)) in
757 fcx_typeck_results.offset_of_data().items_in_stable_order()
758 {
759 let hir_id = HirId { owner: common_hir_owner, local_id };
760 let container = self.resolve(container, &hir_id);
761 self.typeck_results.offset_of_data_mut().insert(hir_id, (container, indices.clone()));
762 }
763 }
764
765 fn resolve<T>(&mut self, value: T, span: &dyn Locatable) -> T
766 where
767 T: TypeFoldable<TyCtxt<'tcx>>,
768 {
769 let value = self.fcx.resolve_vars_if_possible(value);
770
771 let mut goals = vec![];
772 let value =
773 value.fold_with(&mut Resolver::new(self.fcx, span, self.body, true, &mut goals));
774
775 let mut unexpected_goals = vec![];
779 self.typeck_results.coroutine_stalled_predicates.extend(
780 goals
781 .into_iter()
782 .map(|pred| {
783 self.fcx.resolve_vars_if_possible(pred).fold_with(&mut Resolver::new(
784 self.fcx,
785 span,
786 self.body,
787 false,
788 &mut unexpected_goals,
789 ))
790 })
791 .map(|goal| (goal.predicate, self.fcx.misc(span.to_span(self.fcx.tcx)))),
793 );
794 assert_eq!(unexpected_goals, vec![]);
795
796 assert!(!value.has_infer());
797
798 if let Err(guar) = value.error_reported() {
802 self.typeck_results.tainted_by_errors = Some(guar);
803 }
804
805 value
806 }
807
808 fn resolve_coroutine_predicate<T>(&mut self, value: T, span: &dyn Locatable) -> T
809 where
810 T: TypeFoldable<TyCtxt<'tcx>>,
811 {
812 let value = self.fcx.resolve_vars_if_possible(value);
813
814 let mut goals = vec![];
815 let value =
816 value.fold_with(&mut Resolver::new(self.fcx, span, self.body, false, &mut goals));
817 assert_eq!(goals, vec![]);
818
819 assert!(!value.has_infer());
820
821 if let Err(guar) = value.error_reported() {
825 self.typeck_results.tainted_by_errors = Some(guar);
826 }
827
828 value
829 }
830}
831
832pub(crate) trait Locatable {
833 fn to_span(&self, tcx: TyCtxt<'_>) -> Span;
834}
835
836impl Locatable for Span {
837 fn to_span(&self, _: TyCtxt<'_>) -> Span {
838 *self
839 }
840}
841
842impl Locatable for HirId {
843 fn to_span(&self, tcx: TyCtxt<'_>) -> Span {
844 tcx.hir_span(*self)
845 }
846}
847
848struct Resolver<'cx, 'tcx> {
849 fcx: &'cx FnCtxt<'cx, 'tcx>,
850 span: &'cx dyn Locatable,
851 body: &'tcx hir::Body<'tcx>,
852 should_normalize: bool,
855 nested_goals: &'cx mut Vec<Goal<'tcx, ty::Predicate<'tcx>>>,
856}
857
858impl<'cx, 'tcx> Resolver<'cx, 'tcx> {
859 fn new(
860 fcx: &'cx FnCtxt<'cx, 'tcx>,
861 span: &'cx dyn Locatable,
862 body: &'tcx hir::Body<'tcx>,
863 should_normalize: bool,
864 nested_goals: &'cx mut Vec<Goal<'tcx, ty::Predicate<'tcx>>>,
865 ) -> Resolver<'cx, 'tcx> {
866 Resolver { fcx, span, body, nested_goals, should_normalize }
867 }
868
869 fn report_error(&self, p: impl Into<ty::Term<'tcx>>) -> ErrorGuaranteed {
870 if let Some(guar) = self.fcx.tainted_by_errors() {
871 guar
872 } else {
873 self.fcx
874 .err_ctxt()
875 .emit_inference_failure_err(
876 self.fcx.tcx.hir_body_owner_def_id(self.body.id()),
877 self.span.to_span(self.fcx.tcx),
878 p.into(),
879 TypeAnnotationNeeded::E0282,
880 false,
881 )
882 .emit()
883 }
884 }
885
886 fn handle_term<T>(
887 &mut self,
888 value: T,
889 outer_exclusive_binder: impl FnOnce(T) -> ty::DebruijnIndex,
890 new_err: impl Fn(TyCtxt<'tcx>, ErrorGuaranteed) -> T,
891 ) -> T
892 where
893 T: Into<ty::Term<'tcx>> + TypeSuperFoldable<TyCtxt<'tcx>> + Copy,
894 {
895 let tcx = self.fcx.tcx;
896 let mut value = if self.should_normalize && self.fcx.next_trait_solver() {
899 let body_id = tcx.hir_body_owner_def_id(self.body.id());
900 let cause = ObligationCause::misc(self.span.to_span(tcx), body_id);
901 let at = self.fcx.at(&cause, self.fcx.param_env);
902 let universes = vec![None; outer_exclusive_binder(value).as_usize()];
903 match solve::deeply_normalize_with_skipped_universes_and_ambiguous_coroutine_goals(
904 at, value, universes,
905 ) {
906 Ok((value, goals)) => {
907 self.nested_goals.extend(goals);
908 value
909 }
910 Err(errors) => {
911 let guar = self.fcx.err_ctxt().report_fulfillment_errors(errors);
912 new_err(tcx, guar)
913 }
914 }
915 } else {
916 value
917 };
918
919 if value.has_non_region_infer() {
921 let guar = self.report_error(value);
922 value = new_err(tcx, guar);
923 }
924
925 value = fold_regions(tcx, value, |_, _| tcx.lifetimes.re_erased);
935
936 if tcx.features().generic_const_exprs() {
938 value = value.fold_with(&mut EagerlyNormalizeConsts::new(self.fcx));
939 }
940
941 value
942 }
943}
944
945impl<'cx, 'tcx> TypeFolder<TyCtxt<'tcx>> for Resolver<'cx, 'tcx> {
946 fn cx(&self) -> TyCtxt<'tcx> {
947 self.fcx.tcx
948 }
949
950 fn fold_region(&mut self, r: ty::Region<'tcx>) -> ty::Region<'tcx> {
951 debug_assert!(!r.is_bound(), "Should not be resolving bound region.");
952 self.fcx.tcx.lifetimes.re_erased
953 }
954
955 fn fold_ty(&mut self, ty: Ty<'tcx>) -> Ty<'tcx> {
956 self.handle_term(ty, Ty::outer_exclusive_binder, Ty::new_error)
957 }
958
959 fn fold_const(&mut self, ct: ty::Const<'tcx>) -> ty::Const<'tcx> {
960 self.handle_term(ct, ty::Const::outer_exclusive_binder, ty::Const::new_error)
961 }
962
963 fn fold_predicate(&mut self, predicate: ty::Predicate<'tcx>) -> ty::Predicate<'tcx> {
964 assert!(
965 !self.should_normalize,
966 "normalizing predicates in writeback is not generally sound"
967 );
968 predicate.super_fold_with(self)
969 }
970}
971
972struct EagerlyNormalizeConsts<'tcx> {
973 tcx: TyCtxt<'tcx>,
974 typing_env: ty::TypingEnv<'tcx>,
975}
976impl<'tcx> EagerlyNormalizeConsts<'tcx> {
977 fn new(fcx: &FnCtxt<'_, 'tcx>) -> Self {
978 EagerlyNormalizeConsts { tcx: fcx.tcx, typing_env: fcx.typing_env(fcx.param_env) }
981 }
982}
983
984impl<'tcx> TypeFolder<TyCtxt<'tcx>> for EagerlyNormalizeConsts<'tcx> {
985 fn cx(&self) -> TyCtxt<'tcx> {
986 self.tcx
987 }
988
989 fn fold_const(&mut self, ct: ty::Const<'tcx>) -> ty::Const<'tcx> {
990 self.tcx.try_normalize_erasing_regions(self.typing_env, ct).unwrap_or(ct)
991 }
992}
993
994struct HasRecursiveOpaque<'a, 'tcx> {
995 def_id: LocalDefId,
996 seen: FxHashSet<LocalDefId>,
997 opaques: &'a FxIndexMap<LocalDefId, ty::OpaqueHiddenType<'tcx>>,
998 tcx: TyCtxt<'tcx>,
999}
1000
1001impl<'tcx> TypeVisitor<TyCtxt<'tcx>> for HasRecursiveOpaque<'_, 'tcx> {
1002 type Result = ControlFlow<()>;
1003
1004 fn visit_ty(&mut self, t: Ty<'tcx>) -> Self::Result {
1005 if let ty::Alias(ty::Opaque, alias_ty) = *t.kind()
1006 && let Some(def_id) = alias_ty.def_id.as_local()
1007 {
1008 if self.def_id == def_id {
1009 return ControlFlow::Break(());
1010 }
1011
1012 if self.seen.insert(def_id)
1013 && let Some(hidden_ty) = self.opaques.get(&def_id)
1014 {
1015 ty::EarlyBinder::bind(hidden_ty.ty)
1016 .instantiate(self.tcx, alias_ty.args)
1017 .visit_with(self)?;
1018 }
1019 }
1020
1021 t.super_visit_with(self)
1022 }
1023}