1#![feature(box_patterns)]
3#![feature(iter_intersperse)]
4#![feature(iter_order_by)]
5#![feature(never_type)]
6#![feature(trim_prefix_suffix)]
7mod _match;
10mod autoderef;
11mod callee;
12pub mod cast;
14mod check;
15mod closure;
16mod coercion;
17mod demand;
18mod diverges;
19mod errors;
20mod expectation;
21mod expr;
22mod inline_asm;
23pub mod expr_use_visitor;
25mod fallback;
26mod fn_ctxt;
27mod gather_locals;
28mod intrinsicck;
29mod loops;
30mod method;
31mod naked_functions;
32mod op;
33mod opaque_types;
34mod pat;
35mod place_op;
36mod typeck_root_ctxt;
37mod upvar;
38mod writeback;
39
40pub use coercion::can_coerce;
41use fn_ctxt::FnCtxt;
42use rustc_data_structures::unord::UnordSet;
43use rustc_errors::codes::*;
44use rustc_errors::{Applicability, Diag, ErrorGuaranteed, pluralize, struct_span_code_err};
45use rustc_hir as hir;
46use rustc_hir::def::{DefKind, Res};
47use rustc_hir::{HirId, HirIdMap, Node};
48use rustc_hir_analysis::check::{check_abi, check_custom_abi};
49use rustc_hir_analysis::hir_ty_lowering::HirTyLowerer;
50use rustc_infer::traits::{ObligationCauseCode, ObligationInspector, WellFormedLoc};
51use rustc_middle::middle::codegen_fn_attrs::CodegenFnAttrFlags;
52use rustc_middle::query::Providers;
53use rustc_middle::ty::{self, Ty, TyCtxt};
54use rustc_middle::{bug, span_bug};
55use rustc_session::config;
56use rustc_span::Span;
57use rustc_span::def_id::LocalDefId;
58use tracing::{debug, instrument};
59use typeck_root_ctxt::TypeckRootCtxt;
60
61use crate::check::check_fn;
62use crate::coercion::CoerceMany;
63use crate::diverges::Diverges;
64use crate::expectation::Expectation;
65use crate::fn_ctxt::LoweredTy;
66use crate::gather_locals::GatherLocalsVisitor;
67
68#[macro_export]
69macro_rules! type_error_struct {
70 ($dcx:expr, $span:expr, $typ:expr, $code:expr, $($message:tt)*) => ({
71 let mut err = rustc_errors::struct_span_code_err!($dcx, $span, $code, $($message)*);
72
73 if $typ.references_error() {
74 err.downgrade_to_delayed_bug();
75 }
76
77 err
78 })
79}
80
81fn used_trait_imports(tcx: TyCtxt<'_>, def_id: LocalDefId) -> &UnordSet<LocalDefId> {
82 &tcx.typeck(def_id).used_trait_imports
83}
84
85fn typeck_root<'tcx>(tcx: TyCtxt<'tcx>, def_id: LocalDefId) -> &'tcx ty::TypeckResults<'tcx> {
86 typeck_with_inspect(tcx, def_id, None)
87}
88
89pub fn inspect_typeck<'tcx>(
94 tcx: TyCtxt<'tcx>,
95 def_id: LocalDefId,
96 inspect: ObligationInspector<'tcx>,
97) -> &'tcx ty::TypeckResults<'tcx> {
98 let typeck_root_def_id = tcx.typeck_root_def_id_local(def_id);
101 if typeck_root_def_id != def_id {
102 return tcx.typeck(typeck_root_def_id);
103 }
104
105 typeck_with_inspect(tcx, def_id, Some(inspect))
106}
107
108x;#[instrument(level = "debug", skip(tcx, inspector), ret)]
109fn typeck_with_inspect<'tcx>(
110 tcx: TyCtxt<'tcx>,
111 def_id: LocalDefId,
112 inspector: Option<ObligationInspector<'tcx>>,
113) -> &'tcx ty::TypeckResults<'tcx> {
114 assert!(!tcx.is_typeck_child(def_id.to_def_id()));
115
116 let id = tcx.local_def_id_to_hir_id(def_id);
117 let node = tcx.hir_node(id);
118 let span = tcx.def_span(def_id);
119
120 let body_id = node.body_id().unwrap_or_else(|| {
122 span_bug!(span, "can't type-check body of {:?}", def_id);
123 });
124 let body = tcx.hir_body(body_id);
125
126 let param_env = tcx.param_env(def_id);
127
128 let root_ctxt = TypeckRootCtxt::new(tcx, def_id);
129 if let Some(inspector) = inspector {
130 root_ctxt.infcx.attach_obligation_inspector(inspector);
131 }
132 let mut fcx = FnCtxt::new(&root_ctxt, param_env, def_id);
133
134 if let hir::Node::Item(hir::Item { kind: hir::ItemKind::GlobalAsm { .. }, .. }) = node {
135 let ty = fcx.check_expr(body.value);
138 fcx.write_ty(id, ty);
139 } else if let Some(hir::FnSig { header, decl, span: fn_sig_span }) = node.fn_sig() {
140 let fn_sig = if decl.output.is_suggestable_infer_ty().is_some() {
141 fcx.lowerer().lower_fn_ty(id, header.safety(), header.abi, decl, None, None)
146 } else {
147 tcx.fn_sig(def_id).instantiate_identity()
148 };
149
150 check_abi(tcx, id, span, fn_sig.abi());
151 check_custom_abi(tcx, def_id, fn_sig.skip_binder(), *fn_sig_span);
152
153 loops::check(tcx, def_id, body);
154
155 let mut fn_sig = tcx.liberate_late_bound_regions(def_id.to_def_id(), fn_sig);
157
158 let arg_span =
164 |idx| decl.inputs.get(idx).map_or(decl.output.span(), |arg: &hir::Ty<'_>| arg.span);
165
166 fn_sig.inputs_and_output = tcx.mk_type_list_from_iter(
167 fn_sig
168 .inputs_and_output
169 .iter()
170 .enumerate()
171 .map(|(idx, ty)| fcx.normalize(arg_span(idx), ty)),
172 );
173
174 if tcx.codegen_fn_attrs(def_id).flags.contains(CodegenFnAttrFlags::NAKED) {
175 naked_functions::typeck_naked_fn(tcx, def_id, body);
176 }
177
178 check_fn(&mut fcx, fn_sig, None, decl, def_id, body, tcx.features().unsized_fn_params());
179 } else {
180 let expected_type = if let Some(infer_ty) = infer_type_if_missing(&fcx, node) {
181 infer_ty
182 } else if let Some(ty) = node.ty()
183 && ty.is_suggestable_infer_ty()
184 {
185 fcx.lowerer().lower_ty(ty)
190 } else {
191 tcx.type_of(def_id).instantiate_identity()
192 };
193
194 loops::check(tcx, def_id, body);
195
196 let expected_type = fcx.normalize(body.value.span, expected_type);
197
198 let wf_code = ObligationCauseCode::WellFormed(Some(WellFormedLoc::Ty(def_id)));
199 fcx.register_wf_obligation(expected_type.into(), body.value.span, wf_code);
200
201 if let hir::Node::AnonConst(_) = node {
202 fcx.require_type_is_sized(
203 expected_type,
204 body.value.span,
205 ObligationCauseCode::SizedConstOrStatic,
206 );
207 }
208
209 fcx.check_expr_coercible_to_type_or_error(body.value, expected_type, None, |err, _| {
210 extend_err_with_const_context(err, tcx, node, expected_type);
211 });
212
213 fcx.write_ty(id, expected_type);
214 };
215
216 fcx.check_repeat_exprs();
227
228 if fcx.next_trait_solver() {
231 fcx.try_handle_opaque_type_uses_next();
232 }
233
234 fcx.type_inference_fallback();
235
236 fcx.check_casts();
239 fcx.select_obligations_where_possible(|_| {});
240
241 fcx.closure_analyze(body);
244 assert!(fcx.deferred_call_resolutions.borrow().is_empty());
245
246 for (ty, span, code) in fcx.deferred_sized_obligations.borrow_mut().drain(..) {
247 let ty = fcx.normalize(span, ty);
248 fcx.require_type_is_sized(ty, span, code);
249 }
250
251 fcx.select_obligations_where_possible(|_| {});
252
253 debug!(pending_obligations = ?fcx.fulfillment_cx.borrow().pending_obligations());
254
255 if fcx.next_trait_solver() {
258 fcx.handle_opaque_type_uses_next();
259 }
260
261 fcx.drain_stalled_coroutine_obligations();
264 if fcx.infcx.tainted_by_errors().is_none() {
265 fcx.report_ambiguity_errors();
266 }
267
268 fcx.check_asms();
269
270 let typeck_results = fcx.resolve_type_vars_in_body(body);
271
272 fcx.detect_opaque_types_added_during_writeback();
273
274 assert_eq!(typeck_results.hir_owner, id.owner);
277
278 typeck_results
279}
280
281fn extend_err_with_const_context(
282 err: &mut Diag<'_>,
283 tcx: TyCtxt<'_>,
284 node: hir::Node<'_>,
285 expected_ty: Ty<'_>,
286) {
287 match node {
288 hir::Node::ImplItem(hir::ImplItem { kind: hir::ImplItemKind::Const(ty, _), .. })
289 | hir::Node::TraitItem(hir::TraitItem {
290 kind: hir::TraitItemKind::Const(ty, _, _), ..
291 }) => {
292 err.span_label(ty.span, "expected because of the type of the associated constant");
294 }
295 hir::Node::Item(hir::Item { kind: hir::ItemKind::Const(_, _, ty, _), .. }) => {
296 err.span_label(ty.span, "expected because of the type of the constant");
298 }
299 hir::Node::Item(hir::Item { kind: hir::ItemKind::Static(_, _, ty, _), .. }) => {
300 err.span_label(ty.span, "expected because of the type of the static");
302 }
303 hir::Node::AnonConst(anon)
304 if let hir::Node::ConstArg(parent) = tcx.parent_hir_node(anon.hir_id)
305 && let hir::Node::Ty(parent) = tcx.parent_hir_node(parent.hir_id)
306 && let hir::TyKind::Array(_ty, _len) = parent.kind =>
307 {
308 err.note("array length can only be `usize`");
310 }
311 hir::Node::AnonConst(anon)
312 if let hir::Node::ConstArg(parent) = tcx.parent_hir_node(anon.hir_id)
313 && let hir::Node::Expr(parent) = tcx.parent_hir_node(parent.hir_id)
314 && let hir::ExprKind::Repeat(_ty, _len) = parent.kind =>
315 {
316 err.note("array length can only be `usize`");
318 }
319 hir::Node::AnonConst(anon)
321 if let hir::Node::ConstArg(parent) = tcx.parent_hir_node(anon.hir_id)
322 && let hir::Node::Expr(expr) = tcx.parent_hir_node(parent.hir_id)
323 && let hir::ExprKind::Path(path) = expr.kind
324 && let hir::QPath::Resolved(_, path) = path
325 && let Res::Def(_, def_id) = path.res =>
326 {
327 if let Some(i) =
329 path.segments.iter().last().and_then(|segment| segment.args).and_then(|args| {
330 args.args.iter().position(|arg| {
331 #[allow(non_exhaustive_omitted_patterns)] match arg {
hir::GenericArg::Const(arg) if arg.hir_id == parent.hir_id => true,
_ => false,
}matches!(arg, hir::GenericArg::Const(arg) if arg.hir_id == parent.hir_id)
332 })
333 })
334 {
335 let generics = tcx.generics_of(def_id);
336 let param = &generics.param_at(i, tcx);
337 let sp = tcx.def_span(param.def_id);
338 err.span_note(sp, "expected because of the type of the const parameter");
339 }
340 }
341 hir::Node::AnonConst(anon)
342 if let hir::Node::ConstArg(parent) = tcx.parent_hir_node(anon.hir_id)
343 && let hir::Node::Ty(ty) = tcx.parent_hir_node(parent.hir_id)
344 && let hir::TyKind::Path(path) = ty.kind
345 && let hir::QPath::Resolved(_, path) = path
346 && let Res::Def(_, def_id) = path.res =>
347 {
348 if let Some(i) =
350 path.segments.iter().last().and_then(|segment| segment.args).and_then(|args| {
351 args.args.iter().position(|arg| {
352 #[allow(non_exhaustive_omitted_patterns)] match arg {
hir::GenericArg::Const(arg) if arg.hir_id == parent.hir_id => true,
_ => false,
}matches!(arg, hir::GenericArg::Const(arg) if arg.hir_id == parent.hir_id)
353 })
354 })
355 {
356 let generics = tcx.generics_of(def_id);
357 let param = &generics.param_at(i, tcx);
358 let sp = tcx.def_span(param.def_id);
359 err.span_note(sp, "expected because of the type of the const parameter");
360 }
361 }
362 hir::Node::AnonConst(anon)
363 if let hir::Node::Variant(_variant) = tcx.parent_hir_node(anon.hir_id) =>
364 {
365 err.note(
367 "enum variant discriminant can only be of a primitive type compatible with the \
368 enum's `repr`",
369 );
370 }
371 hir::Node::AnonConst(anon)
372 if let hir::Node::ConstArg(parent) = tcx.parent_hir_node(anon.hir_id)
373 && let hir::Node::GenericParam(param) = tcx.parent_hir_node(parent.hir_id)
374 && let hir::GenericParamKind::Const { ty, .. } = param.kind =>
375 {
376 err.span_label(ty.span, "expected because of the type of the const parameter");
378 }
379 hir::Node::AnonConst(anon)
380 if let hir::Node::ConstArg(parent) = tcx.parent_hir_node(anon.hir_id)
381 && let hir::Node::TyPat(ty_pat) = tcx.parent_hir_node(parent.hir_id)
382 && let hir::Node::Ty(ty) = tcx.parent_hir_node(ty_pat.hir_id)
383 && let hir::TyKind::Pat(ty, _) = ty.kind =>
384 {
385 err.span_label(ty.span, "the pattern must match the type");
387 }
388 hir::Node::AnonConst(anon)
389 if let hir::Node::Field(_) = tcx.parent_hir_node(anon.hir_id)
390 && let ty::Param(_) = expected_ty.kind() =>
391 {
392 err.note(
393 "the type of default fields referencing type parameters can't be assumed inside \
394 the struct defining them",
395 );
396 }
397 _ => {}
398 }
399}
400
401fn infer_type_if_missing<'tcx>(fcx: &FnCtxt<'_, 'tcx>, node: Node<'tcx>) -> Option<Ty<'tcx>> {
402 let tcx = fcx.tcx;
403 let def_id = fcx.body_id;
404 let expected_type = if let Some(&hir::Ty { kind: hir::TyKind::Infer(()), span, .. }) = node.ty()
405 {
406 if let Some(item) = tcx.opt_associated_item(def_id.into())
407 && let ty::AssocKind::Const { .. } = item.kind
408 && let ty::AssocContainer::TraitImpl(Ok(trait_item_def_id)) = item.container
409 {
410 let impl_def_id = item.container_id(tcx);
411 let impl_trait_ref = tcx.impl_trait_ref(impl_def_id).instantiate_identity();
412 let args = ty::GenericArgs::identity_for_item(tcx, def_id).rebase_onto(
413 tcx,
414 impl_def_id,
415 impl_trait_ref.args,
416 );
417 tcx.check_args_compatible(trait_item_def_id, args)
418 .then(|| tcx.type_of(trait_item_def_id).instantiate(tcx, args))
419 } else {
420 Some(fcx.next_ty_var(span))
421 }
422 } else if let Node::AnonConst(_) = node {
423 let id = tcx.local_def_id_to_hir_id(def_id);
424 match tcx.parent_hir_node(id) {
425 Node::Expr(&hir::Expr { kind: hir::ExprKind::InlineAsm(asm), span, .. })
426 | Node::Item(&hir::Item { kind: hir::ItemKind::GlobalAsm { asm, .. }, span, .. }) => {
427 asm.operands.iter().find_map(|(op, _op_sp)| match op {
428 hir::InlineAsmOperand::Const { anon_const } if anon_const.hir_id == id => {
429 Some(fcx.next_ty_var(span))
430 }
431 _ => None,
432 })
433 }
434 _ => None,
435 }
436 } else {
437 None
438 };
439 expected_type
440}
441
442#[derive(#[automatically_derived]
impl<'tcx> ::core::fmt::Debug for CoroutineTypes<'tcx> {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::debug_struct_field2_finish(f,
"CoroutineTypes", "resume_ty", &self.resume_ty, "yield_ty",
&&self.yield_ty)
}
}Debug, #[automatically_derived]
impl<'tcx> ::core::cmp::PartialEq for CoroutineTypes<'tcx> {
#[inline]
fn eq(&self, other: &CoroutineTypes<'tcx>) -> bool {
self.resume_ty == other.resume_ty && self.yield_ty == other.yield_ty
}
}PartialEq, #[automatically_derived]
impl<'tcx> ::core::marker::Copy for CoroutineTypes<'tcx> { }Copy, #[automatically_derived]
impl<'tcx> ::core::clone::Clone for CoroutineTypes<'tcx> {
#[inline]
fn clone(&self) -> CoroutineTypes<'tcx> {
let _: ::core::clone::AssertParamIsClone<Ty<'tcx>>;
let _: ::core::clone::AssertParamIsClone<Ty<'tcx>>;
*self
}
}Clone)]
446struct CoroutineTypes<'tcx> {
447 resume_ty: Ty<'tcx>,
449
450 yield_ty: Ty<'tcx>,
452}
453
454#[derive(#[automatically_derived]
impl ::core::marker::Copy for Needs { }Copy, #[automatically_derived]
impl ::core::clone::Clone for Needs {
#[inline]
fn clone(&self) -> Needs { *self }
}Clone, #[automatically_derived]
impl ::core::fmt::Debug for Needs {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::write_str(f,
match self {
Needs::MutPlace => "MutPlace",
Needs::None => "None",
})
}
}Debug, #[automatically_derived]
impl ::core::cmp::PartialEq for Needs {
#[inline]
fn eq(&self, other: &Needs) -> bool {
let __self_discr = ::core::intrinsics::discriminant_value(self);
let __arg1_discr = ::core::intrinsics::discriminant_value(other);
__self_discr == __arg1_discr
}
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for Needs {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_fields_are_eq(&self) {}
}Eq)]
455pub enum Needs {
456 MutPlace,
457 None,
458}
459
460impl Needs {
461 fn maybe_mut_place(m: hir::Mutability) -> Self {
462 match m {
463 hir::Mutability::Mut => Needs::MutPlace,
464 hir::Mutability::Not => Needs::None,
465 }
466 }
467}
468
469#[derive(#[automatically_derived]
impl ::core::fmt::Debug for PlaceOp {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::write_str(f,
match self {
PlaceOp::Deref => "Deref",
PlaceOp::Index => "Index",
})
}
}Debug, #[automatically_derived]
impl ::core::marker::Copy for PlaceOp { }Copy, #[automatically_derived]
impl ::core::clone::Clone for PlaceOp {
#[inline]
fn clone(&self) -> PlaceOp { *self }
}Clone)]
470pub enum PlaceOp {
471 Deref,
472 Index,
473}
474
475pub struct BreakableCtxt<'tcx> {
476 may_break: bool,
477
478 coerce: Option<CoerceMany<'tcx>>,
481}
482
483pub struct EnclosingBreakables<'tcx> {
484 stack: Vec<BreakableCtxt<'tcx>>,
485 by_id: HirIdMap<usize>,
486}
487
488impl<'tcx> EnclosingBreakables<'tcx> {
489 fn find_breakable(&mut self, target_id: HirId) -> &mut BreakableCtxt<'tcx> {
490 self.opt_find_breakable(target_id).unwrap_or_else(|| {
491 ::rustc_middle::util::bug::bug_fmt(format_args!("could not find enclosing breakable with id {0}",
target_id));bug!("could not find enclosing breakable with id {}", target_id);
492 })
493 }
494
495 fn opt_find_breakable(&mut self, target_id: HirId) -> Option<&mut BreakableCtxt<'tcx>> {
496 match self.by_id.get(&target_id) {
497 Some(ix) => Some(&mut self.stack[*ix]),
498 None => None,
499 }
500 }
501}
502
503fn report_unexpected_variant_res(
504 tcx: TyCtxt<'_>,
505 res: Res,
506 expr: Option<&hir::Expr<'_>>,
507 qpath: &hir::QPath<'_>,
508 span: Span,
509 err_code: ErrCode,
510 expected: &str,
511) -> ErrorGuaranteed {
512 let res_descr = match res {
513 Res::Def(DefKind::Variant, _) => "struct variant",
514 _ => res.descr(),
515 };
516 let path_str = rustc_hir_pretty::qpath_to_string(&tcx, qpath);
517 let mut err = tcx
518 .dcx()
519 .struct_span_err(span, ::alloc::__export::must_use({
::alloc::fmt::format(format_args!("expected {0}, found {1} `{2}`",
expected, res_descr, path_str))
})format!("expected {expected}, found {res_descr} `{path_str}`"))
520 .with_code(err_code);
521 match res {
522 Res::Def(DefKind::Fn | DefKind::AssocFn, _) if err_code == E0164 => {
523 let patterns_url = "https://doc.rust-lang.org/book/ch19-00-patterns.html";
524 err.with_span_label(span, "`fn` calls are not allowed in patterns")
525 .with_help(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("for more information, visit {0}",
patterns_url))
})format!("for more information, visit {patterns_url}"))
526 }
527 Res::Def(DefKind::Variant, _) if let Some(expr) = expr => {
528 err.span_label(span, ::alloc::__export::must_use({
::alloc::fmt::format(format_args!("not a {0}", expected))
})format!("not a {expected}"));
529 let variant = tcx.expect_variant_res(res);
530 let sugg = if variant.fields.is_empty() {
531 " {}".to_string()
532 } else {
533 ::alloc::__export::must_use({
::alloc::fmt::format(format_args!(" {{ {0} }}",
variant.fields.iter().map(|f|
::alloc::__export::must_use({
::alloc::fmt::format(format_args!("{0}: /* value */",
f.name))
})).collect::<Vec<_>>().join(", ")))
})format!(
534 " {{ {} }}",
535 variant
536 .fields
537 .iter()
538 .map(|f| format!("{}: /* value */", f.name))
539 .collect::<Vec<_>>()
540 .join(", ")
541 )
542 };
543 let descr = "you might have meant to create a new value of the struct";
544 let mut suggestion = ::alloc::vec::Vec::new()vec![];
545 match tcx.parent_hir_node(expr.hir_id) {
546 hir::Node::Expr(hir::Expr {
547 kind: hir::ExprKind::Call(..),
548 span: call_span,
549 ..
550 }) => {
551 suggestion.push((span.shrink_to_hi().with_hi(call_span.hi()), sugg));
552 }
553 hir::Node::Expr(hir::Expr { kind: hir::ExprKind::Binary(..), hir_id, .. }) => {
554 suggestion.push((expr.span.shrink_to_lo(), "(".to_string()));
555 if let hir::Node::Expr(parent) = tcx.parent_hir_node(*hir_id)
556 && let hir::ExprKind::If(condition, block, None) = parent.kind
557 && condition.hir_id == *hir_id
558 && let hir::ExprKind::Block(block, _) = block.kind
559 && block.stmts.is_empty()
560 && let Some(expr) = block.expr
561 && let hir::ExprKind::Path(..) = expr.kind
562 {
563 suggestion.push((block.span.shrink_to_hi(), ")".to_string()));
568 } else {
569 suggestion.push((span.shrink_to_hi().with_hi(expr.span.hi()), sugg));
570 }
571 }
572 _ => {
573 suggestion.push((span.shrink_to_hi(), sugg));
574 }
575 }
576
577 err.multipart_suggestion(descr, suggestion, Applicability::HasPlaceholders);
578 err
579 }
580 Res::Def(DefKind::Variant, _) if expr.is_none() => {
581 err.span_label(span, ::alloc::__export::must_use({
::alloc::fmt::format(format_args!("not a {0}", expected))
})format!("not a {expected}"));
582
583 let fields = &tcx.expect_variant_res(res).fields.raw;
584 let span = qpath.span().shrink_to_hi().to(span.shrink_to_hi());
585 let (msg, sugg) = if fields.is_empty() {
586 ("use the struct variant pattern syntax".to_string(), " {}".to_string())
587 } else {
588 let msg = ::alloc::__export::must_use({
::alloc::fmt::format(format_args!("the struct variant\'s field{0} {1} being ignored",
if fields.len() == 1 { "" } else { "s" },
if fields.len() == 1 { "is" } else { "are" }))
})format!(
589 "the struct variant's field{s} {are} being ignored",
590 s = pluralize!(fields.len()),
591 are = pluralize!("is", fields.len())
592 );
593 let fields = fields
594 .iter()
595 .map(|field| ::alloc::__export::must_use({
::alloc::fmt::format(format_args!("{0}: _", field.ident(tcx)))
})format!("{}: _", field.ident(tcx)))
596 .collect::<Vec<_>>()
597 .join(", ");
598 let sugg = ::alloc::__export::must_use({
::alloc::fmt::format(format_args!(" {{ {0} }}", fields))
})format!(" {{ {} }}", fields);
599 (msg, sugg)
600 };
601
602 err.span_suggestion_verbose(
603 qpath.span().shrink_to_hi().to(span.shrink_to_hi()),
604 msg,
605 sugg,
606 Applicability::HasPlaceholders,
607 );
608 err
609 }
610 _ => err.with_span_label(span, ::alloc::__export::must_use({
::alloc::fmt::format(format_args!("not a {0}", expected))
})format!("not a {expected}")),
611 }
612 .emit()
613}
614
615#[derive(#[automatically_derived]
impl ::core::marker::Copy for TupleArgumentsFlag { }Copy, #[automatically_derived]
impl ::core::clone::Clone for TupleArgumentsFlag {
#[inline]
fn clone(&self) -> TupleArgumentsFlag { *self }
}Clone, #[automatically_derived]
impl ::core::cmp::Eq for TupleArgumentsFlag {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_fields_are_eq(&self) {}
}Eq, #[automatically_derived]
impl ::core::cmp::PartialEq for TupleArgumentsFlag {
#[inline]
fn eq(&self, other: &TupleArgumentsFlag) -> bool {
let __self_discr = ::core::intrinsics::discriminant_value(self);
let __arg1_discr = ::core::intrinsics::discriminant_value(other);
__self_discr == __arg1_discr
}
}PartialEq)]
635enum TupleArgumentsFlag {
636 DontTupleArguments,
637 TupleArguments,
638}
639
640fn fatally_break_rust(tcx: TyCtxt<'_>, span: Span) -> ! {
641 let dcx = tcx.dcx();
642 let mut diag = dcx.struct_span_bug(
643 span,
644 "It looks like you're trying to break rust; would you like some ICE?",
645 );
646 diag.note("the compiler expectedly panicked. this is a feature.");
647 diag.note(
648 "we would appreciate a joke overview: \
649 https://github.com/rust-lang/rust/issues/43162#issuecomment-320764675",
650 );
651 diag.note(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("rustc {0} running on {1}",
tcx.sess.cfg_version, config::host_tuple()))
})format!("rustc {} running on {}", tcx.sess.cfg_version, config::host_tuple(),));
652 if let Some((flags, excluded_cargo_defaults)) = rustc_session::utils::extra_compiler_flags() {
653 diag.note(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("compiler flags: {0}",
flags.join(" ")))
})format!("compiler flags: {}", flags.join(" ")));
654 if excluded_cargo_defaults {
655 diag.note("some of the compiler flags provided by cargo are hidden");
656 }
657 }
658 diag.emit()
659}
660
661pub fn provide(providers: &mut Providers) {
663 *providers = Providers {
664 method_autoderef_steps: method::probe::method_autoderef_steps,
665 typeck_root,
666 used_trait_imports,
667 check_transmutes: intrinsicck::check_transmutes,
668 ..*providers
669 };
670}