1#![allow(rustc::diagnostic_outside_of_impl)]
3#![allow(rustc::untranslatable_diagnostic)]
4#![feature(array_windows)]
5#![feature(box_patterns)]
6#![feature(if_let_guard)]
7#![feature(iter_intersperse)]
8#![feature(let_chains)]
9#![feature(never_type)]
10#![feature(try_blocks)]
11#![warn(unreachable_pub)]
12mod _match;
15mod autoderef;
16mod callee;
17pub mod cast;
19mod check;
20mod closure;
21mod coercion;
22mod demand;
23mod diverges;
24mod errors;
25mod expectation;
26mod expr;
27pub mod expr_use_visitor;
29mod fallback;
30mod fn_ctxt;
31mod gather_locals;
32mod intrinsicck;
33mod method;
34mod op;
35mod pat;
36mod place_op;
37mod rvalue_scopes;
38mod typeck_root_ctxt;
39mod upvar;
40mod writeback;
41
42pub use coercion::can_coerce;
43use fn_ctxt::FnCtxt;
44use rustc_data_structures::unord::UnordSet;
45use rustc_errors::codes::*;
46use rustc_errors::{Applicability, ErrorGuaranteed, pluralize, struct_span_code_err};
47use rustc_hir as hir;
48use rustc_hir::def::{DefKind, Res};
49use rustc_hir::intravisit::Visitor;
50use rustc_hir::{HirId, HirIdMap, Node};
51use rustc_hir_analysis::check::check_abi;
52use rustc_hir_analysis::hir_ty_lowering::HirTyLowerer;
53use rustc_infer::traits::{ObligationCauseCode, ObligationInspector, WellFormedLoc};
54use rustc_middle::query::Providers;
55use rustc_middle::ty::{self, Ty, TyCtxt};
56use rustc_middle::{bug, span_bug};
57use rustc_session::config;
58use rustc_span::Span;
59use rustc_span::def_id::LocalDefId;
60use tracing::{debug, instrument};
61use typeck_root_ctxt::TypeckRootCtxt;
62
63use crate::check::check_fn;
64use crate::coercion::DynamicCoerceMany;
65use crate::diverges::Diverges;
66use crate::expectation::Expectation;
67use crate::fn_ctxt::LoweredTy;
68use crate::gather_locals::GatherLocalsVisitor;
69
70rustc_fluent_macro::fluent_messages! { "../messages.ftl" }
71
72#[macro_export]
73macro_rules! type_error_struct {
74 ($dcx:expr, $span:expr, $typ:expr, $code:expr, $($message:tt)*) => ({
75 let mut err = rustc_errors::struct_span_code_err!($dcx, $span, $code, $($message)*);
76
77 if $typ.references_error() {
78 err.downgrade_to_delayed_bug();
79 }
80
81 err
82 })
83}
84
85fn used_trait_imports(tcx: TyCtxt<'_>, def_id: LocalDefId) -> &UnordSet<LocalDefId> {
86 &tcx.typeck(def_id).used_trait_imports
87}
88
89fn typeck<'tcx>(tcx: TyCtxt<'tcx>, def_id: LocalDefId) -> &'tcx ty::TypeckResults<'tcx> {
90 typeck_with_inspect(tcx, def_id, None)
91}
92
93pub fn inspect_typeck<'tcx>(
98 tcx: TyCtxt<'tcx>,
99 def_id: LocalDefId,
100 inspect: ObligationInspector<'tcx>,
101) -> &'tcx ty::TypeckResults<'tcx> {
102 typeck_with_inspect(tcx, def_id, Some(inspect))
103}
104
105#[instrument(level = "debug", skip(tcx, inspector), ret)]
106fn typeck_with_inspect<'tcx>(
107 tcx: TyCtxt<'tcx>,
108 def_id: LocalDefId,
109 inspector: Option<ObligationInspector<'tcx>>,
110) -> &'tcx ty::TypeckResults<'tcx> {
111 let typeck_root_def_id = tcx.typeck_root_def_id(def_id.to_def_id()).expect_local();
114 if typeck_root_def_id != def_id {
115 return tcx.typeck(typeck_root_def_id);
116 }
117
118 let id = tcx.local_def_id_to_hir_id(def_id);
119 let node = tcx.hir_node(id);
120 let span = tcx.hir().span(id);
121
122 let body_id = node.body_id().unwrap_or_else(|| {
124 span_bug!(span, "can't type-check body of {:?}", def_id);
125 });
126 let body = tcx.hir().body(body_id);
127
128 let param_env = tcx.param_env(def_id);
129
130 let root_ctxt = TypeckRootCtxt::new(tcx, def_id);
131 if let Some(inspector) = inspector {
132 root_ctxt.infcx.attach_obligation_inspector(inspector);
133 }
134 let mut fcx = FnCtxt::new(&root_ctxt, param_env, def_id);
135
136 if let Some(hir::FnSig { header, decl, .. }) = node.fn_sig() {
137 let fn_sig = if decl.output.is_suggestable_infer_ty().is_some() {
138 fcx.lowerer().lower_fn_ty(id, header.safety(), header.abi, decl, None, None)
143 } else {
144 tcx.fn_sig(def_id).instantiate_identity()
145 };
146
147 check_abi(tcx, span, fn_sig.abi());
148
149 let mut fn_sig = tcx.liberate_late_bound_regions(def_id.to_def_id(), fn_sig);
151
152 let arg_span =
158 |idx| decl.inputs.get(idx).map_or(decl.output.span(), |arg: &hir::Ty<'_>| arg.span);
159
160 fn_sig.inputs_and_output = tcx.mk_type_list_from_iter(
161 fn_sig
162 .inputs_and_output
163 .iter()
164 .enumerate()
165 .map(|(idx, ty)| fcx.normalize(arg_span(idx), ty)),
166 );
167
168 check_fn(&mut fcx, fn_sig, None, decl, def_id, body, tcx.features().unsized_fn_params());
169 } else {
170 let expected_type = if let Some(infer_ty) = infer_type_if_missing(&fcx, node) {
171 infer_ty
172 } else if let Some(ty) = node.ty()
173 && ty.is_suggestable_infer_ty()
174 {
175 fcx.lowerer().lower_ty(ty)
180 } else {
181 tcx.type_of(def_id).instantiate_identity()
182 };
183
184 let expected_type = fcx.normalize(body.value.span, expected_type);
185
186 let wf_code = ObligationCauseCode::WellFormed(Some(WellFormedLoc::Ty(def_id)));
187 fcx.register_wf_obligation(expected_type.into(), body.value.span, wf_code);
188
189 fcx.require_type_is_sized(expected_type, body.value.span, ObligationCauseCode::ConstSized);
190
191 GatherLocalsVisitor::new(&fcx).visit_body(body);
193
194 fcx.check_expr_coercible_to_type(body.value, expected_type, None);
195
196 fcx.write_ty(id, expected_type);
197 };
198
199 fcx.type_inference_fallback();
200
201 fcx.check_casts();
204 fcx.select_obligations_where_possible(|_| {});
205
206 fcx.closure_analyze(body);
209 assert!(fcx.deferred_call_resolutions.borrow().is_empty());
210 fcx.resolve_rvalue_scopes(def_id.to_def_id());
213
214 for (ty, span, code) in fcx.deferred_sized_obligations.borrow_mut().drain(..) {
215 let ty = fcx.normalize(span, ty);
216 fcx.require_type_is_sized(ty, span, code);
217 }
218
219 fcx.select_obligations_where_possible(|_| {});
220
221 debug!(pending_obligations = ?fcx.fulfillment_cx.borrow().pending_obligations());
222
223 fcx.resolve_coroutine_interiors();
225
226 debug!(pending_obligations = ?fcx.fulfillment_cx.borrow().pending_obligations());
227
228 if let None = fcx.infcx.tainted_by_errors() {
229 fcx.report_ambiguity_errors();
230 }
231
232 if let None = fcx.infcx.tainted_by_errors() {
233 fcx.check_transmutes();
234 }
235
236 fcx.check_asms();
237
238 let typeck_results = fcx.resolve_type_vars_in_body(body);
239
240 let _ = fcx.infcx.take_opaque_types();
243
244 assert_eq!(typeck_results.hir_owner, id.owner);
247
248 typeck_results
249}
250
251fn infer_type_if_missing<'tcx>(fcx: &FnCtxt<'_, 'tcx>, node: Node<'tcx>) -> Option<Ty<'tcx>> {
252 let tcx = fcx.tcx;
253 let def_id = fcx.body_id;
254 let expected_type = if let Some(&hir::Ty { kind: hir::TyKind::Infer(()), span, .. }) = node.ty()
255 {
256 if let Some(item) = tcx.opt_associated_item(def_id.into())
257 && let ty::AssocKind::Const = item.kind
258 && let ty::AssocItemContainer::Impl = item.container
259 && let Some(trait_item_def_id) = item.trait_item_def_id
260 {
261 let impl_def_id = item.container_id(tcx);
262 let impl_trait_ref = tcx.impl_trait_ref(impl_def_id).unwrap().instantiate_identity();
263 let args = ty::GenericArgs::identity_for_item(tcx, def_id).rebase_onto(
264 tcx,
265 impl_def_id,
266 impl_trait_ref.args,
267 );
268 tcx.check_args_compatible(trait_item_def_id, args)
269 .then(|| tcx.type_of(trait_item_def_id).instantiate(tcx, args))
270 } else {
271 Some(fcx.next_ty_var(span))
272 }
273 } else if let Node::AnonConst(_) = node {
274 let id = tcx.local_def_id_to_hir_id(def_id);
275 match tcx.parent_hir_node(id) {
276 Node::Ty(&hir::Ty { kind: hir::TyKind::Typeof(ref anon_const), span, .. })
277 if anon_const.hir_id == id =>
278 {
279 Some(fcx.next_ty_var(span))
280 }
281 Node::Expr(&hir::Expr { kind: hir::ExprKind::InlineAsm(asm), span, .. })
282 | Node::Item(&hir::Item { kind: hir::ItemKind::GlobalAsm(asm), span, .. }) => {
283 asm.operands.iter().find_map(|(op, _op_sp)| match op {
284 hir::InlineAsmOperand::Const { anon_const }
285 | hir::InlineAsmOperand::SymFn { anon_const }
286 if anon_const.hir_id == id =>
287 {
288 Some(fcx.next_ty_var(span))
289 }
290 _ => None,
291 })
292 }
293 _ => None,
294 }
295 } else {
296 None
297 };
298 expected_type
299}
300
301#[derive(Debug, PartialEq, Copy, Clone)]
305struct CoroutineTypes<'tcx> {
306 resume_ty: Ty<'tcx>,
308
309 yield_ty: Ty<'tcx>,
311}
312
313#[derive(Copy, Clone, Debug, PartialEq, Eq)]
314pub enum Needs {
315 MutPlace,
316 None,
317}
318
319impl Needs {
320 fn maybe_mut_place(m: hir::Mutability) -> Self {
321 match m {
322 hir::Mutability::Mut => Needs::MutPlace,
323 hir::Mutability::Not => Needs::None,
324 }
325 }
326}
327
328#[derive(Debug, Copy, Clone)]
329pub enum PlaceOp {
330 Deref,
331 Index,
332}
333
334pub struct BreakableCtxt<'tcx> {
335 may_break: bool,
336
337 coerce: Option<DynamicCoerceMany<'tcx>>,
340}
341
342pub struct EnclosingBreakables<'tcx> {
343 stack: Vec<BreakableCtxt<'tcx>>,
344 by_id: HirIdMap<usize>,
345}
346
347impl<'tcx> EnclosingBreakables<'tcx> {
348 fn find_breakable(&mut self, target_id: HirId) -> &mut BreakableCtxt<'tcx> {
349 self.opt_find_breakable(target_id).unwrap_or_else(|| {
350 bug!("could not find enclosing breakable with id {}", target_id);
351 })
352 }
353
354 fn opt_find_breakable(&mut self, target_id: HirId) -> Option<&mut BreakableCtxt<'tcx>> {
355 match self.by_id.get(&target_id) {
356 Some(ix) => Some(&mut self.stack[*ix]),
357 None => None,
358 }
359 }
360}
361
362fn report_unexpected_variant_res(
363 tcx: TyCtxt<'_>,
364 res: Res,
365 expr: Option<&hir::Expr<'_>>,
366 qpath: &hir::QPath<'_>,
367 span: Span,
368 err_code: ErrCode,
369 expected: &str,
370) -> ErrorGuaranteed {
371 let res_descr = match res {
372 Res::Def(DefKind::Variant, _) => "struct variant",
373 _ => res.descr(),
374 };
375 let path_str = rustc_hir_pretty::qpath_to_string(&tcx, qpath);
376 let mut err = tcx
377 .dcx()
378 .struct_span_err(span, format!("expected {expected}, found {res_descr} `{path_str}`"))
379 .with_code(err_code);
380 match res {
381 Res::Def(DefKind::Fn | DefKind::AssocFn, _) if err_code == E0164 => {
382 let patterns_url = "https://doc.rust-lang.org/book/ch19-00-patterns.html";
383 err.with_span_label(span, "`fn` calls are not allowed in patterns")
384 .with_help(format!("for more information, visit {patterns_url}"))
385 }
386 Res::Def(DefKind::Variant, _) if let Some(expr) = expr => {
387 err.span_label(span, format!("not a {expected}"));
388 let variant = tcx.expect_variant_res(res);
389 let sugg = if variant.fields.is_empty() {
390 " {}".to_string()
391 } else {
392 format!(
393 " {{ {} }}",
394 variant
395 .fields
396 .iter()
397 .map(|f| format!("{}: /* value */", f.name))
398 .collect::<Vec<_>>()
399 .join(", ")
400 )
401 };
402 let descr = "you might have meant to create a new value of the struct";
403 let mut suggestion = vec![];
404 match tcx.parent_hir_node(expr.hir_id) {
405 hir::Node::Expr(hir::Expr {
406 kind: hir::ExprKind::Call(..),
407 span: call_span,
408 ..
409 }) => {
410 suggestion.push((span.shrink_to_hi().with_hi(call_span.hi()), sugg));
411 }
412 hir::Node::Expr(hir::Expr { kind: hir::ExprKind::Binary(..), hir_id, .. }) => {
413 suggestion.push((expr.span.shrink_to_lo(), "(".to_string()));
414 if let hir::Node::Expr(drop_temps) = tcx.parent_hir_node(*hir_id)
415 && let hir::ExprKind::DropTemps(_) = drop_temps.kind
416 && let hir::Node::Expr(parent) = tcx.parent_hir_node(drop_temps.hir_id)
417 && let hir::ExprKind::If(condition, block, None) = parent.kind
418 && condition.hir_id == drop_temps.hir_id
419 && let hir::ExprKind::Block(block, _) = block.kind
420 && block.stmts.is_empty()
421 && let Some(expr) = block.expr
422 && let hir::ExprKind::Path(..) = expr.kind
423 {
424 suggestion.push((block.span.shrink_to_hi(), ")".to_string()));
429 } else {
430 suggestion.push((span.shrink_to_hi().with_hi(expr.span.hi()), sugg));
431 }
432 }
433 _ => {
434 suggestion.push((span.shrink_to_hi(), sugg));
435 }
436 }
437
438 err.multipart_suggestion_verbose(descr, suggestion, Applicability::HasPlaceholders);
439 err
440 }
441 Res::Def(DefKind::Variant, _) if expr.is_none() => {
442 err.span_label(span, format!("not a {expected}"));
443
444 let fields = &tcx.expect_variant_res(res).fields.raw;
445 let span = qpath.span().shrink_to_hi().to(span.shrink_to_hi());
446 let (msg, sugg) = if fields.is_empty() {
447 ("use the struct variant pattern syntax".to_string(), " {}".to_string())
448 } else {
449 let msg = format!(
450 "the struct variant's field{s} {are} being ignored",
451 s = pluralize!(fields.len()),
452 are = pluralize!("is", fields.len())
453 );
454 let fields = fields
455 .iter()
456 .map(|field| format!("{}: _", field.ident(tcx)))
457 .collect::<Vec<_>>()
458 .join(", ");
459 let sugg = format!(" {{ {} }}", fields);
460 (msg, sugg)
461 };
462
463 err.span_suggestion_verbose(
464 qpath.span().shrink_to_hi().to(span.shrink_to_hi()),
465 msg,
466 sugg,
467 Applicability::HasPlaceholders,
468 );
469 err
470 }
471 _ => err.with_span_label(span, format!("not a {expected}")),
472 }
473 .emit()
474}
475
476#[derive(Copy, Clone, Eq, PartialEq)]
496enum TupleArgumentsFlag {
497 DontTupleArguments,
498 TupleArguments,
499}
500
501fn fatally_break_rust(tcx: TyCtxt<'_>, span: Span) -> ! {
502 let dcx = tcx.dcx();
503 let mut diag = dcx.struct_span_bug(
504 span,
505 "It looks like you're trying to break rust; would you like some ICE?",
506 );
507 diag.note("the compiler expectedly panicked. this is a feature.");
508 diag.note(
509 "we would appreciate a joke overview: \
510 https://github.com/rust-lang/rust/issues/43162#issuecomment-320764675",
511 );
512 diag.note(format!("rustc {} running on {}", tcx.sess.cfg_version, config::host_tuple(),));
513 if let Some((flags, excluded_cargo_defaults)) = rustc_session::utils::extra_compiler_flags() {
514 diag.note(format!("compiler flags: {}", flags.join(" ")));
515 if excluded_cargo_defaults {
516 diag.note("some of the compiler flags provided by cargo are hidden");
517 }
518 }
519 diag.emit()
520}
521
522pub fn provide(providers: &mut Providers) {
523 method::provide(providers);
524 *providers = Providers { typeck, used_trait_imports, ..*providers };
525}