1//! Structural const qualification.
2//!
3//! See the `Qualif` trait for more info.
45// FIXME(const_trait_impl): This API should be really reworked. It's dangerously general for
6// having basically only two use-cases that act in different ways.
78use rustc_errors::ErrorGuaranteed;
9use rustc_hir::LangItem;
10use rustc_infer::infer::TyCtxtInferExt;
11use rustc_middle::mir::*;
12use rustc_middle::ty::{self, AdtDef, Ty};
13use rustc_middle::{bug, mir};
14use rustc_trait_selection::traits::{Obligation, ObligationCause, ObligationCtxt};
15use tracing::instrument;
1617use super::ConstCx;
1819pub fn in_any_value_of_ty<'tcx>(
20 cx: &ConstCx<'_, 'tcx>,
21 ty: Ty<'tcx>,
22 tainted_by_errors: Option<ErrorGuaranteed>,
23) -> ConstQualifs {
24ConstQualifs {
25 has_mut_interior: HasMutInterior::in_any_value_of_ty(cx, ty),
26 needs_drop: NeedsDrop::in_any_value_of_ty(cx, ty),
27 needs_non_const_drop: NeedsNonConstDrop::in_any_value_of_ty(cx, ty),
28tainted_by_errors,
29 }
30}
3132/// A "qualif"(-ication) is a way to look for something "bad" in the MIR that would disqualify some
33/// code for promotion or prevent it from evaluating at compile time.
34///
35/// Normally, we would determine what qualifications apply to each type and error when an illegal
36/// operation is performed on such a type. However, this was found to be too imprecise, especially
37/// in the presence of `enum`s. If only a single variant of an enum has a certain qualification, we
38/// needn't reject code unless it actually constructs and operates on the qualified variant.
39///
40/// To accomplish this, const-checking and promotion use a value-based analysis (as opposed to a
41/// type-based one). Qualifications propagate structurally across variables: If a local (or a
42/// projection of a local) is assigned a qualified value, that local itself becomes qualified.
43pub trait Qualif {
44/// The name of the file used to debug the dataflow analysis that computes this qualif.
45const ANALYSIS_NAME: &'static str;
4647/// Whether this `Qualif` is cleared when a local is moved from.
48const IS_CLEARED_ON_MOVE: bool = false;
4950/// Whether this `Qualif` might be evaluated after the promotion and can encounter a promoted.
51const ALLOW_PROMOTED: bool = false;
5253/// Extracts the field of `ConstQualifs` that corresponds to this `Qualif`.
54fn in_qualifs(qualifs: &ConstQualifs) -> bool;
5556/// Returns `true` if *any* value of the given type could possibly have this `Qualif`.
57 ///
58 /// This function determines `Qualif`s when we cannot do a value-based analysis. Since qualif
59 /// propagation is context-insensitive, this includes function arguments and values returned
60 /// from a call to another function.
61 ///
62 /// It also determines the `Qualif`s for primitive types.
63fn in_any_value_of_ty<'tcx>(cx: &ConstCx<'_, 'tcx>, ty: Ty<'tcx>) -> bool;
6465/// Returns `true` if the `Qualif` is structural in an ADT's fields, i.e. if we may
66 /// recurse into an operand *value* to determine whether it has this `Qualif`.
67 ///
68 /// If this returns false, `in_any_value_of_ty` will be invoked to determine the
69 /// final qualif for this ADT.
70fn is_structural_in_adt_value<'tcx>(cx: &ConstCx<'_, 'tcx>, adt: AdtDef<'tcx>) -> bool;
71}
7273/// Constant containing interior mutability (`UnsafeCell<T>`).
74/// This must be ruled out to make sure that evaluating the constant at compile-time
75/// and at *any point* during the run-time would produce the same result. In particular,
76/// promotion of temporaries must not change program behavior; if the promoted could be
77/// written to, that would be a problem.
78pub struct HasMutInterior;
7980impl Qualiffor HasMutInterior {
81const ANALYSIS_NAME: &'static str = "flow_has_mut_interior";
8283fn in_qualifs(qualifs: &ConstQualifs) -> bool {
84qualifs.has_mut_interior
85 }
8687fn in_any_value_of_ty<'tcx>(cx: &ConstCx<'_, 'tcx>, ty: Ty<'tcx>) -> bool {
88// Avoid selecting for simple cases, such as builtin types.
89if ty.is_trivially_freeze() {
90return false;
91 }
9293// Avoid selecting for `UnsafeCell` either.
94if ty.ty_adt_def().is_some_and(|adt| adt.is_unsafe_cell()) {
95return true;
96 }
9798// We do not use `ty.is_freeze` here, because that requires revealing opaque types, which
99 // requires borrowck, which in turn will invoke mir_const_qualifs again, causing a cycle error.
100 // Instead we invoke an obligation context manually, and provide the opaque type inference settings
101 // that allow the trait solver to just error out instead of cycling.
102let freeze_def_id = cx.tcx.require_lang_item(LangItem::Freeze, cx.body.span);
103// FIXME(#132279): Once we've got a typing mode which reveals opaque types using the HIR
104 // typeck results without causing query cycles, we should use this here instead of defining
105 // opaque types.
106let typing_env = ty::TypingEnv::new(
107cx.typing_env.param_env,
108 ty::TypingMode::analysis_in_body(cx.tcx, cx.body.source.def_id().expect_local()),
109 );
110let (infcx, param_env) = cx.tcx.infer_ctxt().build_with_typing_env(typing_env);
111let ocx = ObligationCtxt::new(&infcx);
112let obligation = Obligation::new(
113cx.tcx,
114ObligationCause::dummy_with_span(cx.body.span),
115param_env,
116 ty::TraitRef::new(cx.tcx, freeze_def_id, [ty::GenericArg::from(ty)]),
117 );
118ocx.register_obligation(obligation);
119let errors = ocx.evaluate_obligations_error_on_ambiguity();
120 !errors.is_empty()
121 }
122123fn is_structural_in_adt_value<'tcx>(_cx: &ConstCx<'_, 'tcx>, adt: AdtDef<'tcx>) -> bool {
124// Exactly one type, `UnsafeCell`, has the `HasMutInterior` qualif inherently.
125 // It arises structurally for all other types.
126!adt.is_unsafe_cell()
127 }
128}
129130/// Constant containing an ADT that implements `Drop`.
131/// This must be ruled out because implicit promotion would remove side-effects
132/// that occur as part of dropping that value. N.B., the implicit promotion has
133/// to reject const Drop implementations because even if side-effects are ruled
134/// out through other means, the execution of the drop could diverge.
135pub struct NeedsDrop;
136137impl Qualiffor NeedsDrop {
138const ANALYSIS_NAME: &'static str = "flow_needs_drop";
139const IS_CLEARED_ON_MOVE: bool = true;
140const ALLOW_PROMOTED: bool = true;
141142fn in_qualifs(qualifs: &ConstQualifs) -> bool {
143qualifs.needs_drop
144 }
145146fn in_any_value_of_ty<'tcx>(cx: &ConstCx<'_, 'tcx>, ty: Ty<'tcx>) -> bool {
147ty.needs_drop(cx.tcx, cx.typing_env)
148 }
149150fn is_structural_in_adt_value<'tcx>(cx: &ConstCx<'_, 'tcx>, adt: AdtDef<'tcx>) -> bool {
151 !adt.has_dtor(cx.tcx)
152 }
153}
154155/// Constant containing an ADT that implements non-const `Drop`.
156/// This must be ruled out because we cannot run `Drop` during compile-time.
157pub struct NeedsNonConstDrop;
158159impl Qualiffor NeedsNonConstDrop {
160const ANALYSIS_NAME: &'static str = "flow_needs_nonconst_drop";
161const IS_CLEARED_ON_MOVE: bool = true;
162const ALLOW_PROMOTED: bool = true;
163164fn in_qualifs(qualifs: &ConstQualifs) -> bool {
165qualifs.needs_non_const_drop
166 }
167168x;#[instrument(level = "trace", skip(cx), ret)]169fn in_any_value_of_ty<'tcx>(cx: &ConstCx<'_, 'tcx>, ty: Ty<'tcx>) -> bool {
170// If this doesn't need drop at all, then don't select `[const] Destruct`.
171if !ty.needs_drop(cx.tcx, cx.typing_env) {
172return false;
173 }
174175// We check that the type is `[const] Destruct` since that will verify that
176 // the type is both `[const] Drop` (if a drop impl exists for the adt), *and*
177 // that the components of this type are also `[const] Destruct`. This
178 // amounts to verifying that there are no values in this ADT that may have
179 // a non-const drop.
180let destruct_def_id = cx.tcx.require_lang_item(LangItem::Destruct, cx.body.span);
181let (infcx, param_env) = cx.tcx.infer_ctxt().build_with_typing_env(cx.typing_env);
182let ocx = ObligationCtxt::new(&infcx);
183 ocx.register_obligation(Obligation::new(
184 cx.tcx,
185 ObligationCause::misc(cx.body.span, cx.def_id()),
186 param_env,
187 ty::Binder::dummy(ty::TraitRef::new(cx.tcx, destruct_def_id, [ty]))
188 .to_host_effect_clause(
189 cx.tcx,
190match cx.const_kind() {
191 rustc_hir::ConstContext::ConstFn => ty::BoundConstness::Maybe,
192 rustc_hir::ConstContext::Static(_)
193 | rustc_hir::ConstContext::Const { .. } => ty::BoundConstness::Const,
194 },
195 ),
196 ));
197 !ocx.evaluate_obligations_error_on_ambiguity().is_empty()
198 }
199200fn is_structural_in_adt_value<'tcx>(cx: &ConstCx<'_, 'tcx>, adt: AdtDef<'tcx>) -> bool {
201// As soon as an ADT has a destructor, then the drop becomes non-structural
202 // in its value since:
203 // 1. The destructor may have `[const]` bounds which are not present on the type.
204 // Someone needs to check that those are satisfied.
205 // While this could be instead satisfied by checking that the `[const] Drop`
206 // impl holds (i.e. replicating part of the `in_any_value_of_ty` logic above),
207 // even in this case, we have another problem, which is,
208 // 2. The destructor may *modify* the operand being dropped, so even if we
209 // did recurse on the components of the operand, we may not be even dropping
210 // the same values that were present before the custom destructor was invoked.
211!adt.has_dtor(cx.tcx)
212 }
213}
214215// FIXME: Use `mir::visit::Visitor` for the `in_*` functions if/when it supports early return.
216217/// Returns `true` if this `Rvalue` contains qualif `Q`.
218pub fn in_rvalue<'tcx, Q, F>(
219 cx: &ConstCx<'_, 'tcx>,
220 in_local: &mut F,
221 rvalue: &Rvalue<'tcx>,
222) -> bool223where
224Q: Qualif,
225 F: FnMut(Local) -> bool,
226{
227match rvalue {
228 Rvalue::ThreadLocalRef(_) => Q::in_any_value_of_ty(cx, rvalue.ty(cx.body, cx.tcx)),
229230 Rvalue::Discriminant(place) => in_place::<Q, _>(cx, in_local, place.as_ref()),
231232 Rvalue::CopyForDeref(place) => in_place::<Q, _>(cx, in_local, place.as_ref()),
233234 Rvalue::Use(operand)
235 | Rvalue::Repeat(operand, _)
236 | Rvalue::UnaryOp(_, operand)
237 | Rvalue::Cast(_, operand, _) => in_operand::<Q, _>(cx, in_local, operand),
238239 Rvalue::BinaryOp(_, box (lhs, rhs)) => {
240 in_operand::<Q, _>(cx, in_local, lhs) || in_operand::<Q, _>(cx, in_local, rhs)
241 }
242243 Rvalue::Ref(_, _, place) | Rvalue::RawPtr(_, place) => {
244// Special-case reborrows to be more like a copy of the reference.
245if let Some((place_base, ProjectionElem::Deref)) = place.as_ref().last_projection() {
246let base_ty = place_base.ty(cx.body, cx.tcx).ty;
247if let ty::Ref(..) = base_ty.kind() {
248return in_place::<Q, _>(cx, in_local, place_base);
249 }
250 }
251252 in_place::<Q, _>(cx, in_local, place.as_ref())
253 }
254255 Rvalue::WrapUnsafeBinder(op, _) => in_operand::<Q, _>(cx, in_local, op),
256257 Rvalue::Aggregate(kind, operands) => {
258// Return early if we know that the struct or enum being constructed is always
259 // qualified.
260if let AggregateKind::Adt(adt_did, ..) = **kind {
261let def = cx.tcx.adt_def(adt_did);
262// Don't do any value-based reasoning for unions.
263 // Also, if the ADT is not structural in its fields,
264 // then we cannot recurse on its fields. Instead,
265 // we fall back to checking the qualif for *any* value
266 // of the ADT.
267if def.is_union() || !Q::is_structural_in_adt_value(cx, def) {
268return Q::in_any_value_of_ty(cx, rvalue.ty(cx.body, cx.tcx));
269 }
270 }
271272// Otherwise, proceed structurally...
273operands.iter().any(|o| in_operand::<Q, _>(cx, in_local, o))
274 }
275 }
276}
277278/// Returns `true` if this `Place` contains qualif `Q`.
279pub fn in_place<'tcx, Q, F>(cx: &ConstCx<'_, 'tcx>, in_local: &mut F, place: PlaceRef<'tcx>) -> bool280where
281Q: Qualif,
282 F: FnMut(Local) -> bool,
283{
284let mut place = place;
285while let Some((place_base, elem)) = place.last_projection() {
286match elem {
287 ProjectionElem::Index(index) if in_local(index) => return true,
288289 ProjectionElem::Deref
290 | ProjectionElem::Field(_, _)
291 | ProjectionElem::OpaqueCast(_)
292 | ProjectionElem::ConstantIndex { .. }
293 | ProjectionElem::Subslice { .. }
294 | ProjectionElem::Downcast(_, _)
295 | ProjectionElem::Index(_)
296 | ProjectionElem::UnwrapUnsafeBinder(_) => {}
297 }
298299let base_ty = place_base.ty(cx.body, cx.tcx);
300let proj_ty = base_ty.projection_ty(cx.tcx, elem).ty;
301if !Q::in_any_value_of_ty(cx, proj_ty) {
302return false;
303 }
304305// `Deref` currently unconditionally "qualifies" if `in_any_value_of_ty` returns true,
306 // i.e., we treat all qualifs as non-structural for deref projections. Generally,
307 // we can say very little about `*ptr` even if we know that `ptr` satisfies all
308 // sorts of properties.
309if elem == ProjectionElem::Deref {
310// We have to assume that this qualifies.
311return true;
312 }
313314 place = place_base;
315 }
316317if !place.projection.is_empty() {
::core::panicking::panic("assertion failed: place.projection.is_empty()")
};assert!(place.projection.is_empty());
318in_local(place.local)
319}
320321/// Returns `true` if this `Operand` contains qualif `Q`.
322pub fn in_operand<'tcx, Q, F>(
323 cx: &ConstCx<'_, 'tcx>,
324 in_local: &mut F,
325 operand: &Operand<'tcx>,
326) -> bool327where
328Q: Qualif,
329 F: FnMut(Local) -> bool,
330{
331let constant = match operand {
332 Operand::Copy(place) | Operand::Move(place) => {
333return in_place::<Q, _>(cx, in_local, place.as_ref());
334 }
335 Operand::RuntimeChecks(_) => return Q::in_any_value_of_ty(cx, cx.tcx.types.bool),
336337 Operand::Constant(c) => c,
338 };
339340// Check the qualifs of the value of `const` items.
341let uneval = match constant.const_ {
342 Const::Ty(_, ct) => match ct.kind() {
343 ty::ConstKind::Param(_) | ty::ConstKind::Error(_) => None,
344// Unevaluated consts in MIR bodies don't have associated MIR (e.g. `type const`).
345ty::ConstKind::Unevaluated(_) => None,
346// FIXME(mgca): Investigate whether using `None` for `ConstKind::Value` is overly
347 // strict, and if instead we should be doing some kind of value-based analysis.
348ty::ConstKind::Value(_) => None,
349_ => ::rustc_middle::util::bug::bug_fmt(format_args!("expected ConstKind::Param, ConstKind::Value, ConstKind::Unevaluated, or ConstKind::Error here, found {0:?}",
ct))bug!(
350"expected ConstKind::Param, ConstKind::Value, ConstKind::Unevaluated, or ConstKind::Error here, found {:?}",
351 ct
352 ),
353 },
354 Const::Unevaluated(uv, _) => Some(uv),
355 Const::Val(..) => None,
356 };
357358if let Some(mir::UnevaluatedConst { def, args: _, promoted }) = uneval {
359// Use qualifs of the type for the promoted. Promoteds in MIR body should be possible
360 // only for `NeedsNonConstDrop` with precise drop checking. This is the only const
361 // check performed after the promotion. Verify that with an assertion.
362if !(promoted.is_none() || Q::ALLOW_PROMOTED) {
::core::panicking::panic("assertion failed: promoted.is_none() || Q::ALLOW_PROMOTED")
};assert!(promoted.is_none() || Q::ALLOW_PROMOTED);
363364// Don't peak inside trait associated constants.
365if promoted.is_none() && cx.tcx.trait_of_assoc(def).is_none() {
366let qualifs = cx.tcx.at(constant.span).mir_const_qualif(def);
367368if !Q::in_qualifs(&qualifs) {
369return false;
370 }
371372// Just in case the type is more specific than
373 // the definition, e.g., impl associated const
374 // with type parameters, take it into account.
375}
376 }
377378// Otherwise use the qualifs of the type.
379Q::in_any_value_of_ty(cx, constant.const_.ty())
380}