1use std::borrow::Cow;
4use std::mem;
5use std::num::NonZero;
6use std::ops::Deref;
7
8use rustc_data_structures::assert_matches;
9use rustc_errors::{Diag, ErrorGuaranteed};
10use rustc_hir::attrs::AttributeKind;
11use rustc_hir::def::DefKind;
12use rustc_hir::def_id::DefId;
13use rustc_hir::{self as hir, LangItem, find_attr};
14use rustc_index::bit_set::DenseBitSet;
15use rustc_infer::infer::TyCtxtInferExt;
16use rustc_middle::mir::visit::Visitor;
17use rustc_middle::mir::*;
18use rustc_middle::span_bug;
19use rustc_middle::ty::adjustment::PointerCoercion;
20use rustc_middle::ty::{self, Ty, TypeVisitableExt};
21use rustc_mir_dataflow::Analysis;
22use rustc_mir_dataflow::impls::{MaybeStorageLive, always_storage_live_locals};
23use rustc_span::{Span, Symbol, sym};
24use rustc_trait_selection::traits::{
25 Obligation, ObligationCause, ObligationCauseCode, ObligationCtxt,
26};
27use tracing::{instrument, trace};
28
29use super::ops::{self, NonConstOp, Status};
30use super::qualifs::{self, HasMutInterior, NeedsDrop, NeedsNonConstDrop};
31use super::resolver::FlowSensitiveAnalysis;
32use super::{ConstCx, Qualif};
33use crate::check_consts::is_fn_or_trait_safe_to_expose_on_stable;
34use crate::errors;
35
36type QualifResults<'mir, 'tcx, Q> =
37 rustc_mir_dataflow::ResultsCursor<'mir, 'tcx, FlowSensitiveAnalysis<'mir, 'tcx, Q>>;
38
39#[derive(#[automatically_derived]
impl ::core::marker::Copy for ConstConditionsHold { }Copy, #[automatically_derived]
impl ::core::clone::Clone for ConstConditionsHold {
#[inline]
fn clone(&self) -> ConstConditionsHold { *self }
}Clone, #[automatically_derived]
impl ::core::cmp::PartialEq for ConstConditionsHold {
#[inline]
fn eq(&self, other: &ConstConditionsHold) -> 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 ConstConditionsHold {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_receiver_is_total_eq(&self) {}
}Eq, #[automatically_derived]
impl ::core::fmt::Debug for ConstConditionsHold {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::write_str(f,
match self {
ConstConditionsHold::Yes => "Yes",
ConstConditionsHold::No => "No",
})
}
}Debug)]
40enum ConstConditionsHold {
41 Yes,
42 No,
43}
44
45#[derive(#[automatically_derived]
impl<'mir, 'tcx> ::core::default::Default for Qualifs<'mir, 'tcx> {
#[inline]
fn default() -> Qualifs<'mir, 'tcx> {
Qualifs {
has_mut_interior: ::core::default::Default::default(),
needs_drop: ::core::default::Default::default(),
needs_non_const_drop: ::core::default::Default::default(),
}
}
}Default)]
46pub(crate) struct Qualifs<'mir, 'tcx> {
47 has_mut_interior: Option<QualifResults<'mir, 'tcx, HasMutInterior>>,
48 needs_drop: Option<QualifResults<'mir, 'tcx, NeedsDrop>>,
49 needs_non_const_drop: Option<QualifResults<'mir, 'tcx, NeedsNonConstDrop>>,
50}
51
52impl<'mir, 'tcx> Qualifs<'mir, 'tcx> {
53 pub(crate) fn needs_drop(
57 &mut self,
58 ccx: &'mir ConstCx<'mir, 'tcx>,
59 local: Local,
60 location: Location,
61 ) -> bool {
62 let ty = ccx.body.local_decls[local].ty;
63 if !ty.has_opaque_types() && !NeedsDrop::in_any_value_of_ty(ccx, ty) {
67 return false;
68 }
69
70 let needs_drop = self.needs_drop.get_or_insert_with(|| {
71 let ConstCx { tcx, body, .. } = *ccx;
72
73 FlowSensitiveAnalysis::new(NeedsDrop, ccx)
74 .iterate_to_fixpoint(tcx, body, None)
75 .into_results_cursor(body)
76 });
77
78 needs_drop.seek_before_primary_effect(location);
79 needs_drop.get().contains(local)
80 }
81
82 pub(crate) fn needs_non_const_drop(
86 &mut self,
87 ccx: &'mir ConstCx<'mir, 'tcx>,
88 local: Local,
89 location: Location,
90 ) -> bool {
91 let ty = ccx.body.local_decls[local].ty;
92 if !ty.has_opaque_types() && !NeedsNonConstDrop::in_any_value_of_ty(ccx, ty) {
96 return false;
97 }
98
99 let needs_non_const_drop = self.needs_non_const_drop.get_or_insert_with(|| {
100 let ConstCx { tcx, body, .. } = *ccx;
101
102 FlowSensitiveAnalysis::new(NeedsNonConstDrop, ccx)
103 .iterate_to_fixpoint(tcx, body, None)
104 .into_results_cursor(body)
105 });
106
107 needs_non_const_drop.seek_before_primary_effect(location);
108 needs_non_const_drop.get().contains(local)
109 }
110
111 fn has_mut_interior(
115 &mut self,
116 ccx: &'mir ConstCx<'mir, 'tcx>,
117 local: Local,
118 location: Location,
119 ) -> bool {
120 let ty = ccx.body.local_decls[local].ty;
121 if !ty.has_opaque_types() && !HasMutInterior::in_any_value_of_ty(ccx, ty) {
125 return false;
126 }
127
128 let has_mut_interior = self.has_mut_interior.get_or_insert_with(|| {
129 let ConstCx { tcx, body, .. } = *ccx;
130
131 FlowSensitiveAnalysis::new(HasMutInterior, ccx)
132 .iterate_to_fixpoint(tcx, body, None)
133 .into_results_cursor(body)
134 });
135
136 has_mut_interior.seek_before_primary_effect(location);
137 has_mut_interior.get().contains(local)
138 }
139
140 fn in_return_place(
141 &mut self,
142 ccx: &'mir ConstCx<'mir, 'tcx>,
143 tainted_by_errors: Option<ErrorGuaranteed>,
144 ) -> ConstQualifs {
145 let return_block = ccx
152 .body
153 .basic_blocks
154 .iter_enumerated()
155 .find(|(_, block)| #[allow(non_exhaustive_omitted_patterns)] match block.terminator().kind {
TerminatorKind::Return => true,
_ => false,
}matches!(block.terminator().kind, TerminatorKind::Return))
156 .map(|(bb, _)| bb);
157
158 let Some(return_block) = return_block else {
159 return qualifs::in_any_value_of_ty(ccx, ccx.body.return_ty(), tainted_by_errors);
160 };
161
162 let return_loc = ccx.body.terminator_loc(return_block);
163
164 ConstQualifs {
165 needs_drop: self.needs_drop(ccx, RETURN_PLACE, return_loc),
166 needs_non_const_drop: self.needs_non_const_drop(ccx, RETURN_PLACE, return_loc),
167 has_mut_interior: self.has_mut_interior(ccx, RETURN_PLACE, return_loc),
168 tainted_by_errors,
169 }
170 }
171}
172
173pub struct Checker<'mir, 'tcx> {
174 ccx: &'mir ConstCx<'mir, 'tcx>,
175 qualifs: Qualifs<'mir, 'tcx>,
176
177 span: Span,
179
180 transient_locals: Option<DenseBitSet<Local>>,
183
184 error_emitted: Option<ErrorGuaranteed>,
185 secondary_errors: Vec<Diag<'tcx>>,
186}
187
188impl<'mir, 'tcx> Deref for Checker<'mir, 'tcx> {
189 type Target = ConstCx<'mir, 'tcx>;
190
191 fn deref(&self) -> &Self::Target {
192 self.ccx
193 }
194}
195
196impl<'mir, 'tcx> Checker<'mir, 'tcx> {
197 pub fn new(ccx: &'mir ConstCx<'mir, 'tcx>) -> Self {
198 Checker {
199 span: ccx.body.span,
200 ccx,
201 qualifs: Default::default(),
202 transient_locals: None,
203 error_emitted: None,
204 secondary_errors: Vec::new(),
205 }
206 }
207
208 pub fn check_body(&mut self) {
209 let ConstCx { tcx, body, .. } = *self.ccx;
210 let def_id = self.ccx.def_id();
211
212 if self.ccx.is_async() || body.coroutine.is_some() {
215 tcx.dcx().span_delayed_bug(body.span, "`async` functions cannot be `const fn`");
216 return;
217 }
218
219 if !{
{
'done:
{
for i in tcx.get_all_attrs(def_id) {
let i: &rustc_hir::Attribute = i;
match i {
rustc_hir::Attribute::Parsed(AttributeKind::RustcDoNotConstCheck)
=> {
break 'done Some(());
}
_ => {}
}
}
None
}
}.is_some()
}find_attr!(tcx.get_all_attrs(def_id), AttributeKind::RustcDoNotConstCheck) {
220 self.visit_body(body);
221 }
222
223 let secondary_errors = mem::take(&mut self.secondary_errors);
226 if self.error_emitted.is_none() {
227 for error in secondary_errors {
228 self.error_emitted = Some(error.emit());
229 }
230 } else {
231 if !self.tcx.dcx().has_errors().is_some() {
::core::panicking::panic("assertion failed: self.tcx.dcx().has_errors().is_some()")
};assert!(self.tcx.dcx().has_errors().is_some());
232 for error in secondary_errors {
233 error.cancel();
234 }
235 }
236 }
237
238 fn local_is_transient(&mut self, local: Local) -> bool {
239 let ccx = self.ccx;
240 self.transient_locals
241 .get_or_insert_with(|| {
242 let always_live_locals = &always_storage_live_locals(&ccx.body);
245 let mut maybe_storage_live =
246 MaybeStorageLive::new(Cow::Borrowed(always_live_locals))
247 .iterate_to_fixpoint(ccx.tcx, &ccx.body, None)
248 .into_results_cursor(&ccx.body);
249
250 let mut transient = DenseBitSet::new_filled(ccx.body.local_decls.len());
253 for (bb, data) in traversal::reachable(&ccx.body) {
255 if data.terminator().kind == TerminatorKind::Return {
256 let location = ccx.body.terminator_loc(bb);
257 maybe_storage_live.seek_after_primary_effect(location);
258 transient.subtract(maybe_storage_live.get());
260 }
261 }
262
263 transient
264 })
265 .contains(local)
266 }
267
268 pub fn qualifs_in_return_place(&mut self) -> ConstQualifs {
269 self.qualifs.in_return_place(self.ccx, self.error_emitted)
270 }
271
272 pub fn check_op(&mut self, op: impl NonConstOp<'tcx>) {
274 self.check_op_spanned(op, self.span);
275 }
276
277 pub fn check_op_spanned<O: NonConstOp<'tcx>>(&mut self, op: O, span: Span) {
280 let gate = match op.status_in_item(self.ccx) {
281 Status::Unstable {
282 gate,
283 safe_to_expose_on_stable,
284 is_function_call,
285 gate_already_checked,
286 } if gate_already_checked || self.tcx.features().enabled(gate) => {
287 if gate_already_checked {
288 if !!safe_to_expose_on_stable {
{
::core::panicking::panic_fmt(format_args!("setting `gate_already_checked` without `safe_to_expose_on_stable` makes no sense"));
}
};assert!(
289 !safe_to_expose_on_stable,
290 "setting `gate_already_checked` without `safe_to_expose_on_stable` makes no sense"
291 );
292 }
293 if !safe_to_expose_on_stable
296 && self.enforce_recursive_const_stability()
297 && !super::rustc_allow_const_fn_unstable(self.tcx, self.def_id(), gate)
298 {
299 emit_unstable_in_stable_exposed_error(self.ccx, span, gate, is_function_call);
300 }
301
302 return;
303 }
304
305 Status::Unstable { gate, .. } => Some(gate),
306 Status::Forbidden => None,
307 };
308
309 if self.tcx.sess.opts.unstable_opts.unleash_the_miri_inside_of_you {
310 self.tcx.sess.miri_unleashed_feature(span, gate);
311 return;
312 }
313
314 let err = op.build_error(self.ccx, span);
315 if !err.is_error() {
::core::panicking::panic("assertion failed: err.is_error()")
};assert!(err.is_error());
316
317 match op.importance() {
318 ops::DiagImportance::Primary => {
319 let reported = err.emit();
320 self.error_emitted = Some(reported);
321 }
322
323 ops::DiagImportance::Secondary => {
324 self.secondary_errors.push(err);
325 self.tcx.dcx().span_delayed_bug(
326 span,
327 "compilation must fail when there is a secondary const checker error",
328 );
329 }
330 }
331 }
332
333 fn check_static(&mut self, def_id: DefId, span: Span) {
334 if self.tcx.is_thread_local_static(def_id) {
335 self.tcx.dcx().span_bug(span, "tls access is checked in `Rvalue::ThreadLocalRef`");
336 }
337 if let Some(def_id) = def_id.as_local()
338 && let Err(guar) = self.tcx.ensure_ok().check_well_formed(hir::OwnerId { def_id })
339 {
340 self.error_emitted = Some(guar);
341 }
342 }
343
344 fn place_may_escape(&mut self, place: &Place<'_>) -> bool {
348 let is_transient = match self.const_kind() {
349 hir::ConstContext::ConstFn => true,
357 _ => {
358 place.is_indirect() || self.local_is_transient(place.local)
370 }
371 };
372 !is_transient
375 }
376
377 fn revalidate_conditional_constness(
379 &mut self,
380 callee: DefId,
381 callee_args: ty::GenericArgsRef<'tcx>,
382 call_span: Span,
383 ) -> Option<ConstConditionsHold> {
384 let tcx = self.tcx;
385 if !tcx.is_conditionally_const(callee) {
386 return None;
387 }
388
389 let const_conditions = tcx.const_conditions(callee).instantiate(tcx, callee_args);
390 if const_conditions.is_empty() {
391 return None;
392 }
393
394 let (infcx, param_env) = tcx.infer_ctxt().build_with_typing_env(self.body.typing_env(tcx));
395 let ocx = ObligationCtxt::new(&infcx);
396
397 let body_id = self.body.source.def_id().expect_local();
398 let host_polarity = match self.const_kind() {
399 hir::ConstContext::ConstFn => ty::BoundConstness::Maybe,
400 hir::ConstContext::Static(_) | hir::ConstContext::Const { .. } => {
401 ty::BoundConstness::Const
402 }
403 };
404 let const_conditions =
405 ocx.normalize(&ObligationCause::misc(call_span, body_id), param_env, const_conditions);
406 ocx.register_obligations(const_conditions.into_iter().map(|(trait_ref, span)| {
407 Obligation::new(
408 tcx,
409 ObligationCause::new(
410 call_span,
411 body_id,
412 ObligationCauseCode::WhereClause(callee, span),
413 ),
414 param_env,
415 trait_ref.to_host_effect_clause(tcx, host_polarity),
416 )
417 }));
418
419 let errors = ocx.evaluate_obligations_error_on_ambiguity();
420 if errors.is_empty() {
421 Some(ConstConditionsHold::Yes)
422 } else {
423 tcx.dcx()
424 .span_delayed_bug(call_span, "this should have reported a [const] error in HIR");
425 Some(ConstConditionsHold::No)
426 }
427 }
428
429 pub fn check_drop_terminator(
430 &mut self,
431 dropped_place: Place<'tcx>,
432 location: Location,
433 terminator_span: Span,
434 ) {
435 let ty_of_dropped_place = dropped_place.ty(self.body, self.tcx).ty;
436
437 let needs_drop = if let Some(local) = dropped_place.as_local() {
438 self.qualifs.needs_drop(self.ccx, local, location)
439 } else {
440 qualifs::NeedsDrop::in_any_value_of_ty(self.ccx, ty_of_dropped_place)
441 };
442 if !needs_drop {
444 return;
445 }
446
447 let mut err_span = self.span;
448 let needs_non_const_drop = if let Some(local) = dropped_place.as_local() {
449 err_span = self.body.local_decls[local].source_info.span;
451 self.qualifs.needs_non_const_drop(self.ccx, local, location)
452 } else {
453 qualifs::NeedsNonConstDrop::in_any_value_of_ty(self.ccx, ty_of_dropped_place)
454 };
455
456 self.check_op_spanned(
457 ops::LiveDrop {
458 dropped_at: terminator_span,
459 dropped_ty: ty_of_dropped_place,
460 needs_non_const_drop,
461 },
462 err_span,
463 );
464 }
465
466 fn check_callee_stability(&mut self, def_id: DefId) {
468 match self.tcx.lookup_const_stability(def_id) {
469 Some(hir::ConstStability { level: hir::StabilityLevel::Stable { .. }, .. }) => {
470 }
472 None => {
473 if self.enforce_recursive_const_stability()
477 && !is_fn_or_trait_safe_to_expose_on_stable(self.tcx, def_id)
478 {
479 self.dcx().emit_err(errors::UnmarkedConstItemExposed {
480 span: self.span,
481 def_path: self.tcx.def_path_str(def_id),
482 });
483 }
484 }
485 Some(hir::ConstStability {
486 level: hir::StabilityLevel::Unstable { implied_by: implied_feature, issue, .. },
487 feature,
488 ..
489 }) => {
490 let callee_safe_to_expose_on_stable =
492 is_fn_or_trait_safe_to_expose_on_stable(self.tcx, def_id);
493
494 if (self.span.allows_unstable(feature)
503 || implied_feature.is_some_and(|f| self.span.allows_unstable(f)))
504 && callee_safe_to_expose_on_stable
505 {
506 return;
507 }
508
509 let feature_enabled = def_id.is_local()
514 || self.tcx.features().enabled(feature)
515 || implied_feature.is_some_and(|f| self.tcx.features().enabled(f))
516 || {
517 feature == sym::rustc_private
529 && issue == NonZero::new(27812)
530 && self.tcx.sess.opts.unstable_opts.force_unstable_if_unmarked
531 };
532 if !feature_enabled || !callee_safe_to_expose_on_stable {
535 self.check_op(ops::CallUnstable {
536 def_id,
537 feature,
538 feature_enabled,
539 safe_to_expose_on_stable: callee_safe_to_expose_on_stable,
540 is_function_call: self.tcx.def_kind(def_id) != DefKind::Trait,
541 });
542 }
543 }
544 }
545 }
546}
547
548impl<'tcx> Visitor<'tcx> for Checker<'_, 'tcx> {
549 fn visit_basic_block_data(&mut self, bb: BasicBlock, block: &BasicBlockData<'tcx>) {
550 {
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_const_eval/src/check_consts/check.rs:550",
"rustc_const_eval::check_consts::check",
::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_const_eval/src/check_consts/check.rs"),
::tracing_core::__macro_support::Option::Some(550u32),
::tracing_core::__macro_support::Option::Some("rustc_const_eval::check_consts::check"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("visit_basic_block_data: bb={0:?} is_cleanup={1:?}",
bb, block.is_cleanup) as &dyn Value))])
});
} else { ; }
};trace!("visit_basic_block_data: bb={:?} is_cleanup={:?}", bb, block.is_cleanup);
551
552 if block.is_cleanup {
560 return;
561 }
562
563 self.super_basic_block_data(bb, block);
564 }
565
566 fn visit_rvalue(&mut self, rvalue: &Rvalue<'tcx>, location: Location) {
567 {
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_const_eval/src/check_consts/check.rs:567",
"rustc_const_eval::check_consts::check",
::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_const_eval/src/check_consts/check.rs"),
::tracing_core::__macro_support::Option::Some(567u32),
::tracing_core::__macro_support::Option::Some("rustc_const_eval::check_consts::check"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("visit_rvalue: rvalue={0:?} location={1:?}",
rvalue, location) as &dyn Value))])
});
} else { ; }
};trace!("visit_rvalue: rvalue={:?} location={:?}", rvalue, location);
568
569 self.super_rvalue(rvalue, location);
570
571 match rvalue {
572 Rvalue::ThreadLocalRef(_) => self.check_op(ops::ThreadLocalAccess),
573
574 Rvalue::Use(_)
575 | Rvalue::CopyForDeref(..)
576 | Rvalue::Repeat(..)
577 | Rvalue::Discriminant(..) => {}
578
579 Rvalue::Aggregate(kind, ..) => {
580 if let AggregateKind::Coroutine(def_id, ..) = kind.as_ref()
581 && let Some(coroutine_kind) = self.tcx.coroutine_kind(def_id)
582 {
583 self.check_op(ops::Coroutine(coroutine_kind));
584 }
585 }
586
587 Rvalue::Ref(_, BorrowKind::Mut { .. }, place)
588 | Rvalue::RawPtr(RawPtrKind::Mut, place) => {
589 let is_allowed =
594 self.const_kind() == hir::ConstContext::Static(hir::Mutability::Mut);
595
596 if !is_allowed && self.place_may_escape(place) {
597 self.check_op(ops::EscapingMutBorrow);
598 }
599 }
600
601 Rvalue::Ref(_, BorrowKind::Shared | BorrowKind::Fake(_), place)
602 | Rvalue::RawPtr(RawPtrKind::Const, place) => {
603 let borrowed_place_has_mut_interior = qualifs::in_place::<HasMutInterior, _>(
604 self.ccx,
605 &mut |local| self.qualifs.has_mut_interior(self.ccx, local, location),
606 place.as_ref(),
607 );
608
609 if borrowed_place_has_mut_interior && self.place_may_escape(place) {
610 self.check_op(ops::EscapingCellBorrow);
611 }
612 }
613
614 Rvalue::RawPtr(RawPtrKind::FakeForPtrMetadata, place) => {
615 if !place.is_indirect() {
618 self.tcx.dcx().span_delayed_bug(
619 self.body.source_info(location).span,
620 "fake borrows are always indirect",
621 );
622 }
623 }
624
625 Rvalue::Cast(
626 CastKind::PointerCoercion(
627 PointerCoercion::MutToConstPointer
628 | PointerCoercion::ArrayToPointer
629 | PointerCoercion::UnsafeFnPointer
630 | PointerCoercion::ClosureFnPointer(_)
631 | PointerCoercion::ReifyFnPointer(_),
632 _,
633 ),
634 _,
635 _,
636 ) => {
637 }
639
640 Rvalue::Cast(CastKind::PointerExposeProvenance, _, _) => {
641 self.check_op(ops::RawPtrToIntCast);
642 }
643 Rvalue::Cast(CastKind::PointerWithExposedProvenance, _, _) => {
644 }
646
647 Rvalue::Cast(_, _, _) => {}
648
649 Rvalue::ShallowInitBox(_, _) => {}
650
651 Rvalue::UnaryOp(op, operand) => {
652 let ty = operand.ty(self.body, self.tcx);
653 match op {
654 UnOp::Not | UnOp::Neg => {
655 if is_int_bool_float_or_char(ty) {
656 } else {
658 ::rustc_middle::util::bug::span_bug_fmt(self.span,
format_args!("non-primitive type in `Rvalue::UnaryOp{0:?}`: {1:?}", op,
ty));span_bug!(
659 self.span,
660 "non-primitive type in `Rvalue::UnaryOp{op:?}`: {ty:?}",
661 );
662 }
663 }
664 UnOp::PtrMetadata => {
665 }
668 }
669 }
670
671 Rvalue::BinaryOp(op, box (lhs, rhs)) => {
672 let lhs_ty = lhs.ty(self.body, self.tcx);
673 let rhs_ty = rhs.ty(self.body, self.tcx);
674
675 if is_int_bool_float_or_char(lhs_ty) && is_int_bool_float_or_char(rhs_ty) {
676 } else if lhs_ty.is_fn_ptr() || lhs_ty.is_raw_ptr() {
678 match op {
BinOp::Eq | BinOp::Ne | BinOp::Le | BinOp::Lt | BinOp::Ge | BinOp::Gt |
BinOp::Offset => {}
ref left_val => {
::core::panicking::assert_matches_failed(left_val,
"BinOp::Eq | BinOp::Ne | BinOp::Le | BinOp::Lt | BinOp::Ge | BinOp::Gt |\nBinOp::Offset",
::core::option::Option::None);
}
};assert_matches!(
679 op,
680 BinOp::Eq
681 | BinOp::Ne
682 | BinOp::Le
683 | BinOp::Lt
684 | BinOp::Ge
685 | BinOp::Gt
686 | BinOp::Offset
687 );
688
689 self.check_op(ops::RawPtrComparison);
690 } else {
691 ::rustc_middle::util::bug::span_bug_fmt(self.span,
format_args!("non-primitive type in `Rvalue::BinaryOp`: {0:?} ⚬ {1:?}",
lhs_ty, rhs_ty));span_bug!(
692 self.span,
693 "non-primitive type in `Rvalue::BinaryOp`: {:?} ⚬ {:?}",
694 lhs_ty,
695 rhs_ty
696 );
697 }
698 }
699
700 Rvalue::WrapUnsafeBinder(..) => {
701 }
703 }
704 }
705
706 fn visit_operand(&mut self, op: &Operand<'tcx>, location: Location) {
707 self.super_operand(op, location);
708 if let Operand::Constant(c) = op
709 && let Some(def_id) = c.check_static_ptr(self.tcx)
710 {
711 self.check_static(def_id, self.span);
712 }
713 }
714
715 fn visit_source_info(&mut self, source_info: &SourceInfo) {
716 {
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_const_eval/src/check_consts/check.rs:716",
"rustc_const_eval::check_consts::check",
::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_const_eval/src/check_consts/check.rs"),
::tracing_core::__macro_support::Option::Some(716u32),
::tracing_core::__macro_support::Option::Some("rustc_const_eval::check_consts::check"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("visit_source_info: source_info={0:?}",
source_info) as &dyn Value))])
});
} else { ; }
};trace!("visit_source_info: source_info={:?}", source_info);
717 self.span = source_info.span;
718 }
719
720 fn visit_statement(&mut self, statement: &Statement<'tcx>, location: Location) {
721 {
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_const_eval/src/check_consts/check.rs:721",
"rustc_const_eval::check_consts::check",
::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_const_eval/src/check_consts/check.rs"),
::tracing_core::__macro_support::Option::Some(721u32),
::tracing_core::__macro_support::Option::Some("rustc_const_eval::check_consts::check"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("visit_statement: statement={0:?} location={1:?}",
statement, location) as &dyn Value))])
});
} else { ; }
};trace!("visit_statement: statement={:?} location={:?}", statement, location);
722
723 self.super_statement(statement, location);
724
725 match statement.kind {
726 StatementKind::Assign(..)
727 | StatementKind::SetDiscriminant { .. }
728 | StatementKind::FakeRead(..)
729 | StatementKind::StorageLive(_)
730 | StatementKind::StorageDead(_)
731 | StatementKind::Retag { .. }
732 | StatementKind::PlaceMention(..)
733 | StatementKind::AscribeUserType(..)
734 | StatementKind::Coverage(..)
735 | StatementKind::Intrinsic(..)
736 | StatementKind::ConstEvalCounter
737 | StatementKind::BackwardIncompatibleDropHint { .. }
738 | StatementKind::Nop => {}
739 }
740 }
741
742 #[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("visit_terminator",
"rustc_const_eval::check_consts::check",
::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_const_eval/src/check_consts/check.rs"),
::tracing_core::__macro_support::Option::Some(742u32),
::tracing_core::__macro_support::Option::Some("rustc_const_eval::check_consts::check"),
::tracing_core::field::FieldSet::new(&["terminator",
"location"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&terminator)
as &dyn Value)),
(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&location)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
self.super_terminator(terminator, location);
match &terminator.kind {
TerminatorKind::Call { func, args, fn_span, .. } |
TerminatorKind::TailCall { func, args, fn_span, .. } => {
let call_source =
match terminator.kind {
TerminatorKind::Call { call_source, .. } => call_source,
TerminatorKind::TailCall { .. } => CallSource::Normal,
_ =>
::core::panicking::panic("internal error: entered unreachable code"),
};
let ConstCx { tcx, body, .. } = *self.ccx;
let fn_ty = func.ty(body, tcx);
let (callee, fn_args) =
match *fn_ty.kind() {
ty::FnDef(def_id, fn_args) => (def_id, fn_args),
ty::FnPtr(..) => {
self.check_op(ops::FnCallIndirect);
return;
}
_ => {
::rustc_middle::util::bug::span_bug_fmt(terminator.source_info.span,
format_args!("invalid callee of type {0:?}", fn_ty))
}
};
let has_const_conditions =
self.revalidate_conditional_constness(callee, fn_args,
*fn_span);
if let Some(trait_did) = tcx.trait_of_assoc(callee) {
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_const_eval/src/check_consts/check.rs:781",
"rustc_const_eval::check_consts::check",
::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_const_eval/src/check_consts/check.rs"),
::tracing_core::__macro_support::Option::Some(781u32),
::tracing_core::__macro_support::Option::Some("rustc_const_eval::check_consts::check"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::TRACE <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("attempting to call a trait method")
as &dyn Value))])
});
} else { ; }
};
let is_const =
tcx.constness(callee) == hir::Constness::Const;
if is_const &&
has_const_conditions == Some(ConstConditionsHold::Yes) {
self.check_op(ops::ConditionallyConstCall {
callee,
args: fn_args,
span: *fn_span,
call_source,
});
self.check_callee_stability(trait_did);
} else {
self.check_op(ops::FnCallNonConst {
callee,
args: fn_args,
span: *fn_span,
call_source,
});
}
return;
}
if has_const_conditions.is_some() {
self.check_op(ops::ConditionallyConstCall {
callee,
args: fn_args,
span: *fn_span,
call_source,
});
}
if self.tcx.fn_sig(callee).skip_binder().c_variadic() {
self.check_op(ops::FnCallCVariadic)
}
if tcx.is_lang_item(callee, LangItem::BeginPanic) {
match args[0].node.ty(&self.ccx.body.local_decls,
tcx).kind() {
ty::Ref(_, ty, _) if ty.is_str() => {}
_ => self.check_op(ops::PanicNonStr),
}
return;
}
if tcx.is_lang_item(callee, LangItem::PanicDisplay) {
if let ty::Ref(_, ty, _) =
args[0].node.ty(&self.ccx.body.local_decls, tcx).kind() &&
let ty::Ref(_, ty, _) = ty.kind() && ty.is_str()
{} else { self.check_op(ops::PanicNonStr); }
return;
}
if let Some(intrinsic) = tcx.intrinsic(callee) {
if !tcx.is_const_fn(callee) {
self.check_op(ops::IntrinsicNonConst {
name: intrinsic.name,
});
return;
}
let is_const_stable =
intrinsic.const_stable ||
(!intrinsic.must_be_overridden &&
is_fn_or_trait_safe_to_expose_on_stable(tcx, callee));
match tcx.lookup_const_stability(callee) {
None => {
if !is_const_stable &&
self.enforce_recursive_const_stability() {
self.dcx().emit_err(errors::UnmarkedIntrinsicExposed {
span: self.span,
def_path: self.tcx.def_path_str(callee),
});
}
}
Some(hir::ConstStability {
level: hir::StabilityLevel::Unstable { .. }, feature, .. })
=> {
if self.span.allows_unstable(feature) && is_const_stable {
return;
}
self.check_op(ops::IntrinsicUnstable {
name: intrinsic.name,
feature,
const_stable_indirect: is_const_stable,
});
}
Some(hir::ConstStability {
level: hir::StabilityLevel::Stable { .. }, .. }) => {}
}
return;
}
if !tcx.is_const_fn(callee) {
self.check_op(ops::FnCallNonConst {
callee,
args: fn_args,
span: *fn_span,
call_source,
});
return;
}
self.check_callee_stability(callee);
}
TerminatorKind::Drop { place: dropped_place, .. } => {
if super::post_drop_elaboration::checking_enabled(self.ccx)
{
return;
}
self.check_drop_terminator(*dropped_place, location,
terminator.source_info.span);
}
TerminatorKind::InlineAsm { .. } =>
self.check_op(ops::InlineAsm),
TerminatorKind::Yield { .. } => {
self.check_op(ops::Coroutine(self.tcx.coroutine_kind(self.body.source.def_id()).expect("Only expected to have a yield in a coroutine")));
}
TerminatorKind::CoroutineDrop => {
::rustc_middle::util::bug::span_bug_fmt(self.body.source_info(location).span,
format_args!("We should not encounter TerminatorKind::CoroutineDrop after coroutine transform"));
}
TerminatorKind::UnwindTerminate(_) => {
::rustc_middle::util::bug::span_bug_fmt(self.span,
format_args!("`Terminate` terminator outside of cleanup block"))
}
TerminatorKind::Assert { .. } | TerminatorKind::FalseEdge { ..
} | TerminatorKind::FalseUnwind { .. } |
TerminatorKind::Goto { .. } | TerminatorKind::UnwindResume |
TerminatorKind::Return | TerminatorKind::SwitchInt { .. } |
TerminatorKind::Unreachable => {}
}
}
}
}#[instrument(level = "debug", skip(self))]
743 fn visit_terminator(&mut self, terminator: &Terminator<'tcx>, location: Location) {
744 self.super_terminator(terminator, location);
745
746 match &terminator.kind {
747 TerminatorKind::Call { func, args, fn_span, .. }
748 | TerminatorKind::TailCall { func, args, fn_span, .. } => {
749 let call_source = match terminator.kind {
750 TerminatorKind::Call { call_source, .. } => call_source,
751 TerminatorKind::TailCall { .. } => CallSource::Normal,
752 _ => unreachable!(),
753 };
754
755 let ConstCx { tcx, body, .. } = *self.ccx;
756
757 let fn_ty = func.ty(body, tcx);
758
759 let (callee, fn_args) = match *fn_ty.kind() {
760 ty::FnDef(def_id, fn_args) => (def_id, fn_args),
761
762 ty::FnPtr(..) => {
763 self.check_op(ops::FnCallIndirect);
764 return;
767 }
768 _ => {
769 span_bug!(terminator.source_info.span, "invalid callee of type {:?}", fn_ty)
770 }
771 };
772
773 let has_const_conditions =
774 self.revalidate_conditional_constness(callee, fn_args, *fn_span);
775
776 if let Some(trait_did) = tcx.trait_of_assoc(callee) {
778 trace!("attempting to call a trait method");
782 let is_const = tcx.constness(callee) == hir::Constness::Const;
783
784 if is_const && has_const_conditions == Some(ConstConditionsHold::Yes) {
788 self.check_op(ops::ConditionallyConstCall {
790 callee,
791 args: fn_args,
792 span: *fn_span,
793 call_source,
794 });
795 self.check_callee_stability(trait_did);
796 } else {
797 self.check_op(ops::FnCallNonConst {
799 callee,
800 args: fn_args,
801 span: *fn_span,
802 call_source,
803 });
804 }
805 return;
807 }
808
809 if has_const_conditions.is_some() {
811 self.check_op(ops::ConditionallyConstCall {
812 callee,
813 args: fn_args,
814 span: *fn_span,
815 call_source,
816 });
817 }
818
819 if self.tcx.fn_sig(callee).skip_binder().c_variadic() {
820 self.check_op(ops::FnCallCVariadic)
821 }
822
823 if tcx.is_lang_item(callee, LangItem::BeginPanic) {
831 match args[0].node.ty(&self.ccx.body.local_decls, tcx).kind() {
832 ty::Ref(_, ty, _) if ty.is_str() => {}
833 _ => self.check_op(ops::PanicNonStr),
834 }
835 return;
837 }
838
839 if tcx.is_lang_item(callee, LangItem::PanicDisplay) {
841 if let ty::Ref(_, ty, _) =
842 args[0].node.ty(&self.ccx.body.local_decls, tcx).kind()
843 && let ty::Ref(_, ty, _) = ty.kind()
844 && ty.is_str()
845 {
846 } else {
847 self.check_op(ops::PanicNonStr);
848 }
849 return;
851 }
852
853 if let Some(intrinsic) = tcx.intrinsic(callee) {
855 if !tcx.is_const_fn(callee) {
856 self.check_op(ops::IntrinsicNonConst { name: intrinsic.name });
858 return;
861 }
862 let is_const_stable = intrinsic.const_stable
868 || (!intrinsic.must_be_overridden
869 && is_fn_or_trait_safe_to_expose_on_stable(tcx, callee));
870 match tcx.lookup_const_stability(callee) {
871 None => {
872 if !is_const_stable && self.enforce_recursive_const_stability() {
876 self.dcx().emit_err(errors::UnmarkedIntrinsicExposed {
877 span: self.span,
878 def_path: self.tcx.def_path_str(callee),
879 });
880 }
881 }
882 Some(hir::ConstStability {
883 level: hir::StabilityLevel::Unstable { .. },
884 feature,
885 ..
886 }) => {
887 if self.span.allows_unstable(feature) && is_const_stable {
893 return;
894 }
895
896 self.check_op(ops::IntrinsicUnstable {
897 name: intrinsic.name,
898 feature,
899 const_stable_indirect: is_const_stable,
900 });
901 }
902 Some(hir::ConstStability {
903 level: hir::StabilityLevel::Stable { .. },
904 ..
905 }) => {
906 }
911 }
912 return;
914 }
915
916 if !tcx.is_const_fn(callee) {
917 self.check_op(ops::FnCallNonConst {
918 callee,
919 args: fn_args,
920 span: *fn_span,
921 call_source,
922 });
923 return;
926 }
927
928 self.check_callee_stability(callee);
930 }
931
932 TerminatorKind::Drop { place: dropped_place, .. } => {
935 if super::post_drop_elaboration::checking_enabled(self.ccx) {
938 return;
939 }
940
941 self.check_drop_terminator(*dropped_place, location, terminator.source_info.span);
942 }
943
944 TerminatorKind::InlineAsm { .. } => self.check_op(ops::InlineAsm),
945
946 TerminatorKind::Yield { .. } => {
947 self.check_op(ops::Coroutine(
948 self.tcx
949 .coroutine_kind(self.body.source.def_id())
950 .expect("Only expected to have a yield in a coroutine"),
951 ));
952 }
953
954 TerminatorKind::CoroutineDrop => {
955 span_bug!(
956 self.body.source_info(location).span,
957 "We should not encounter TerminatorKind::CoroutineDrop after coroutine transform"
958 );
959 }
960
961 TerminatorKind::UnwindTerminate(_) => {
962 span_bug!(self.span, "`Terminate` terminator outside of cleanup block")
964 }
965
966 TerminatorKind::Assert { .. }
967 | TerminatorKind::FalseEdge { .. }
968 | TerminatorKind::FalseUnwind { .. }
969 | TerminatorKind::Goto { .. }
970 | TerminatorKind::UnwindResume
971 | TerminatorKind::Return
972 | TerminatorKind::SwitchInt { .. }
973 | TerminatorKind::Unreachable => {}
974 }
975 }
976}
977
978fn is_int_bool_float_or_char(ty: Ty<'_>) -> bool {
979 ty.is_bool() || ty.is_integral() || ty.is_char() || ty.is_floating_point()
980}
981
982fn emit_unstable_in_stable_exposed_error(
983 ccx: &ConstCx<'_, '_>,
984 span: Span,
985 gate: Symbol,
986 is_function_call: bool,
987) -> ErrorGuaranteed {
988 let attr_span = ccx.tcx.def_span(ccx.def_id()).shrink_to_lo();
989
990 ccx.dcx().emit_err(errors::UnstableInStableExposed {
991 gate: gate.to_string(),
992 span,
993 attr_span,
994 is_function_call,
995 is_function_call2: is_function_call,
996 })
997}