rustc_const_eval/interpret/
operand.rs

1//! Functions concerning immediate values and operands, and reading from operands.
2//! All high-level functions to read from memory work on operands as sources.
3
4use std::assert_matches::assert_matches;
5
6use either::{Either, Left, Right};
7use rustc_abi as abi;
8use rustc_abi::{BackendRepr, HasDataLayout, Size};
9use rustc_hir::def::Namespace;
10use rustc_middle::mir::interpret::ScalarSizeMismatch;
11use rustc_middle::ty::layout::{HasTyCtxt, HasTypingEnv, TyAndLayout};
12use rustc_middle::ty::print::{FmtPrinter, PrettyPrinter};
13use rustc_middle::ty::{ConstInt, ScalarInt, Ty, TyCtxt};
14use rustc_middle::{bug, mir, span_bug, ty};
15use rustc_span::DUMMY_SP;
16use tracing::field::Empty;
17use tracing::trace;
18
19use super::{
20    CtfeProvenance, Frame, InterpCx, InterpResult, MPlaceTy, Machine, MemPlace, MemPlaceMeta,
21    OffsetMode, PlaceTy, Pointer, Projectable, Provenance, Scalar, alloc_range, err_ub,
22    from_known_layout, interp_ok, mir_assign_valid_types, throw_ub,
23};
24use crate::enter_trace_span;
25
26/// An `Immediate` represents a single immediate self-contained Rust value.
27///
28/// For optimization of a few very common cases, there is also a representation for a pair of
29/// primitive values (`ScalarPair`). It allows Miri to avoid making allocations for checked binary
30/// operations and wide pointers. This idea was taken from rustc's codegen.
31/// In particular, thanks to `ScalarPair`, arithmetic operations and casts can be entirely
32/// defined on `Immediate`, and do not have to work with a `Place`.
33#[derive(Copy, Clone, Debug)]
34pub enum Immediate<Prov: Provenance = CtfeProvenance> {
35    /// A single scalar value (must have *initialized* `Scalar` ABI).
36    Scalar(Scalar<Prov>),
37    /// A pair of two scalar value (must have `ScalarPair` ABI where both fields are
38    /// `Scalar::Initialized`).
39    ScalarPair(Scalar<Prov>, Scalar<Prov>),
40    /// A value of fully uninitialized memory. Can have arbitrary size and layout, but must be sized.
41    Uninit,
42}
43
44impl<Prov: Provenance> From<Scalar<Prov>> for Immediate<Prov> {
45    #[inline(always)]
46    fn from(val: Scalar<Prov>) -> Self {
47        Immediate::Scalar(val)
48    }
49}
50
51impl<Prov: Provenance> Immediate<Prov> {
52    pub fn new_pointer_with_meta(
53        ptr: Pointer<Option<Prov>>,
54        meta: MemPlaceMeta<Prov>,
55        cx: &impl HasDataLayout,
56    ) -> Self {
57        let ptr = Scalar::from_maybe_pointer(ptr, cx);
58        match meta {
59            MemPlaceMeta::None => Immediate::from(ptr),
60            MemPlaceMeta::Meta(meta) => Immediate::ScalarPair(ptr, meta),
61        }
62    }
63
64    pub fn new_slice(ptr: Pointer<Option<Prov>>, len: u64, cx: &impl HasDataLayout) -> Self {
65        Immediate::ScalarPair(
66            Scalar::from_maybe_pointer(ptr, cx),
67            Scalar::from_target_usize(len, cx),
68        )
69    }
70
71    pub fn new_dyn_trait(
72        val: Pointer<Option<Prov>>,
73        vtable: Pointer<Option<Prov>>,
74        cx: &impl HasDataLayout,
75    ) -> Self {
76        Immediate::ScalarPair(
77            Scalar::from_maybe_pointer(val, cx),
78            Scalar::from_maybe_pointer(vtable, cx),
79        )
80    }
81
82    #[inline]
83    #[cfg_attr(debug_assertions, track_caller)] // only in debug builds due to perf (see #98980)
84    pub fn to_scalar(self) -> Scalar<Prov> {
85        match self {
86            Immediate::Scalar(val) => val,
87            Immediate::ScalarPair(..) => bug!("Got a scalar pair where a scalar was expected"),
88            Immediate::Uninit => bug!("Got uninit where a scalar was expected"),
89        }
90    }
91
92    #[inline]
93    #[cfg_attr(debug_assertions, track_caller)] // only in debug builds due to perf (see #98980)
94    pub fn to_scalar_int(self) -> ScalarInt {
95        self.to_scalar().try_to_scalar_int().unwrap()
96    }
97
98    #[inline]
99    #[cfg_attr(debug_assertions, track_caller)] // only in debug builds due to perf (see #98980)
100    pub fn to_scalar_pair(self) -> (Scalar<Prov>, Scalar<Prov>) {
101        match self {
102            Immediate::ScalarPair(val1, val2) => (val1, val2),
103            Immediate::Scalar(..) => bug!("Got a scalar where a scalar pair was expected"),
104            Immediate::Uninit => bug!("Got uninit where a scalar pair was expected"),
105        }
106    }
107
108    /// Returns the scalar from the first component and optionally the 2nd component as metadata.
109    #[inline]
110    #[cfg_attr(debug_assertions, track_caller)] // only in debug builds due to perf (see #98980)
111    pub fn to_scalar_and_meta(self) -> (Scalar<Prov>, MemPlaceMeta<Prov>) {
112        match self {
113            Immediate::ScalarPair(val1, val2) => (val1, MemPlaceMeta::Meta(val2)),
114            Immediate::Scalar(val) => (val, MemPlaceMeta::None),
115            Immediate::Uninit => bug!("Got uninit where a scalar or scalar pair was expected"),
116        }
117    }
118
119    /// Assert that this immediate is a valid value for the given ABI.
120    pub fn assert_matches_abi(self, abi: BackendRepr, msg: &str, cx: &impl HasDataLayout) {
121        match (self, abi) {
122            (Immediate::Scalar(scalar), BackendRepr::Scalar(s)) => {
123                assert_eq!(scalar.size(), s.size(cx), "{msg}: scalar value has wrong size");
124                if !matches!(s.primitive(), abi::Primitive::Pointer(..)) {
125                    // This is not a pointer, it should not carry provenance.
126                    assert!(
127                        matches!(scalar, Scalar::Int(..)),
128                        "{msg}: scalar value should be an integer, but has provenance"
129                    );
130                }
131            }
132            (Immediate::ScalarPair(a_val, b_val), BackendRepr::ScalarPair(a, b)) => {
133                assert_eq!(
134                    a_val.size(),
135                    a.size(cx),
136                    "{msg}: first component of scalar pair has wrong size"
137                );
138                if !matches!(a.primitive(), abi::Primitive::Pointer(..)) {
139                    assert!(
140                        matches!(a_val, Scalar::Int(..)),
141                        "{msg}: first component of scalar pair should be an integer, but has provenance"
142                    );
143                }
144                assert_eq!(
145                    b_val.size(),
146                    b.size(cx),
147                    "{msg}: second component of scalar pair has wrong size"
148                );
149                if !matches!(b.primitive(), abi::Primitive::Pointer(..)) {
150                    assert!(
151                        matches!(b_val, Scalar::Int(..)),
152                        "{msg}: second component of scalar pair should be an integer, but has provenance"
153                    );
154                }
155            }
156            (Immediate::Uninit, _) => {
157                assert!(abi.is_sized(), "{msg}: unsized immediates are not a thing");
158            }
159            _ => {
160                bug!("{msg}: value {self:?} does not match ABI {abi:?})",)
161            }
162        }
163    }
164
165    pub fn clear_provenance<'tcx>(&mut self) -> InterpResult<'tcx> {
166        match self {
167            Immediate::Scalar(s) => {
168                s.clear_provenance()?;
169            }
170            Immediate::ScalarPair(a, b) => {
171                a.clear_provenance()?;
172                b.clear_provenance()?;
173            }
174            Immediate::Uninit => {}
175        }
176        interp_ok(())
177    }
178
179    pub fn has_provenance(&self) -> bool {
180        match self {
181            Immediate::Scalar(scalar) => matches!(scalar, Scalar::Ptr { .. }),
182            Immediate::ScalarPair(s1, s2) => {
183                matches!(s1, Scalar::Ptr { .. }) || matches!(s2, Scalar::Ptr { .. })
184            }
185            Immediate::Uninit => false,
186        }
187    }
188}
189
190// ScalarPair needs a type to interpret, so we often have an immediate and a type together
191// as input for binary and cast operations.
192#[derive(Clone)]
193pub struct ImmTy<'tcx, Prov: Provenance = CtfeProvenance> {
194    imm: Immediate<Prov>,
195    pub layout: TyAndLayout<'tcx>,
196}
197
198impl<Prov: Provenance> std::fmt::Display for ImmTy<'_, Prov> {
199    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
200        /// Helper function for printing a scalar to a FmtPrinter
201        fn print_scalar<'a, 'tcx, Prov: Provenance>(
202            p: &mut FmtPrinter<'a, 'tcx>,
203            s: Scalar<Prov>,
204            ty: Ty<'tcx>,
205        ) -> Result<(), std::fmt::Error> {
206            match s {
207                Scalar::Int(int) => p.pretty_print_const_scalar_int(int, ty, true),
208                Scalar::Ptr(ptr, _sz) => {
209                    // Just print the ptr value. `pretty_print_const_scalar_ptr` would also try to
210                    // print what is points to, which would fail since it has no access to the local
211                    // memory.
212                    p.pretty_print_const_pointer(ptr, ty)
213                }
214            }
215        }
216        ty::tls::with(|tcx| {
217            match self.imm {
218                Immediate::Scalar(s) => {
219                    if let Some(ty) = tcx.lift(self.layout.ty) {
220                        let s = FmtPrinter::print_string(tcx, Namespace::ValueNS, |p| {
221                            print_scalar(p, s, ty)
222                        })?;
223                        f.write_str(&s)?;
224                        return Ok(());
225                    }
226                    write!(f, "{:x}: {}", s, self.layout.ty)
227                }
228                Immediate::ScalarPair(a, b) => {
229                    // FIXME(oli-obk): at least print tuples and slices nicely
230                    write!(f, "({:x}, {:x}): {}", a, b, self.layout.ty)
231                }
232                Immediate::Uninit => {
233                    write!(f, "uninit: {}", self.layout.ty)
234                }
235            }
236        })
237    }
238}
239
240impl<Prov: Provenance> std::fmt::Debug for ImmTy<'_, Prov> {
241    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
242        // Printing `layout` results in too much noise; just print a nice version of the type.
243        f.debug_struct("ImmTy")
244            .field("imm", &self.imm)
245            .field("ty", &format_args!("{}", self.layout.ty))
246            .finish()
247    }
248}
249
250impl<'tcx, Prov: Provenance> std::ops::Deref for ImmTy<'tcx, Prov> {
251    type Target = Immediate<Prov>;
252    #[inline(always)]
253    fn deref(&self) -> &Immediate<Prov> {
254        &self.imm
255    }
256}
257
258impl<'tcx, Prov: Provenance> ImmTy<'tcx, Prov> {
259    #[inline]
260    pub fn from_scalar(val: Scalar<Prov>, layout: TyAndLayout<'tcx>) -> Self {
261        debug_assert!(layout.backend_repr.is_scalar(), "`ImmTy::from_scalar` on non-scalar layout");
262        debug_assert_eq!(val.size(), layout.size);
263        ImmTy { imm: val.into(), layout }
264    }
265
266    #[inline]
267    pub fn from_scalar_pair(a: Scalar<Prov>, b: Scalar<Prov>, layout: TyAndLayout<'tcx>) -> Self {
268        debug_assert!(
269            matches!(layout.backend_repr, BackendRepr::ScalarPair(..)),
270            "`ImmTy::from_scalar_pair` on non-scalar-pair layout"
271        );
272        let imm = Immediate::ScalarPair(a, b);
273        ImmTy { imm, layout }
274    }
275
276    #[inline(always)]
277    pub fn from_immediate(imm: Immediate<Prov>, layout: TyAndLayout<'tcx>) -> Self {
278        // Without a `cx` we cannot call `assert_matches_abi`.
279        debug_assert!(
280            match (imm, layout.backend_repr) {
281                (Immediate::Scalar(..), BackendRepr::Scalar(..)) => true,
282                (Immediate::ScalarPair(..), BackendRepr::ScalarPair(..)) => true,
283                (Immediate::Uninit, _) if layout.is_sized() => true,
284                _ => false,
285            },
286            "immediate {imm:?} does not fit to layout {layout:?}",
287        );
288        ImmTy { imm, layout }
289    }
290
291    #[inline]
292    pub fn uninit(layout: TyAndLayout<'tcx>) -> Self {
293        debug_assert!(layout.is_sized(), "immediates must be sized");
294        ImmTy { imm: Immediate::Uninit, layout }
295    }
296
297    #[inline]
298    pub fn from_scalar_int(s: ScalarInt, layout: TyAndLayout<'tcx>) -> Self {
299        Self::from_scalar(Scalar::from(s), layout)
300    }
301
302    #[inline]
303    pub fn from_uint(i: impl Into<u128>, layout: TyAndLayout<'tcx>) -> Self {
304        Self::from_scalar(Scalar::from_uint(i, layout.size), layout)
305    }
306
307    #[inline]
308    pub fn from_int(i: impl Into<i128>, layout: TyAndLayout<'tcx>) -> Self {
309        Self::from_scalar(Scalar::from_int(i, layout.size), layout)
310    }
311
312    #[inline]
313    pub fn from_bool(b: bool, tcx: TyCtxt<'tcx>) -> Self {
314        // Can use any typing env, since `bool` is always monomorphic.
315        let layout = tcx
316            .layout_of(ty::TypingEnv::fully_monomorphized().as_query_input(tcx.types.bool))
317            .unwrap();
318        Self::from_scalar(Scalar::from_bool(b), layout)
319    }
320
321    #[inline]
322    pub fn from_ordering(c: std::cmp::Ordering, tcx: TyCtxt<'tcx>) -> Self {
323        // Can use any typing env, since `Ordering` is always monomorphic.
324        let ty = tcx.ty_ordering_enum(DUMMY_SP);
325        let layout =
326            tcx.layout_of(ty::TypingEnv::fully_monomorphized().as_query_input(ty)).unwrap();
327        Self::from_scalar(Scalar::Int(c.into()), layout)
328    }
329
330    pub fn from_pair(a: Self, b: Self, cx: &(impl HasTypingEnv<'tcx> + HasTyCtxt<'tcx>)) -> Self {
331        let layout = cx
332            .tcx()
333            .layout_of(
334                cx.typing_env().as_query_input(Ty::new_tup(cx.tcx(), &[a.layout.ty, b.layout.ty])),
335            )
336            .unwrap();
337        Self::from_scalar_pair(a.to_scalar(), b.to_scalar(), layout)
338    }
339
340    /// Return the immediate as a `ScalarInt`. Ensures that it has the size that the layout of the
341    /// immediate indicates.
342    #[inline]
343    pub fn to_scalar_int(&self) -> InterpResult<'tcx, ScalarInt> {
344        let s = self.to_scalar().to_scalar_int()?;
345        if s.size() != self.layout.size {
346            throw_ub!(ScalarSizeMismatch(ScalarSizeMismatch {
347                target_size: self.layout.size.bytes(),
348                data_size: s.size().bytes(),
349            }));
350        }
351        interp_ok(s)
352    }
353
354    #[inline]
355    pub fn to_const_int(self) -> ConstInt {
356        assert!(self.layout.ty.is_integral());
357        let int = self.imm.to_scalar_int();
358        assert_eq!(int.size(), self.layout.size);
359        ConstInt::new(int, self.layout.ty.is_signed(), self.layout.ty.is_ptr_sized_integral())
360    }
361
362    #[inline]
363    #[cfg_attr(debug_assertions, track_caller)] // only in debug builds due to perf (see #98980)
364    pub fn to_pair(self, cx: &(impl HasTyCtxt<'tcx> + HasTypingEnv<'tcx>)) -> (Self, Self) {
365        let layout = self.layout;
366        let (val0, val1) = self.to_scalar_pair();
367        (
368            ImmTy::from_scalar(val0, layout.field(cx, 0)),
369            ImmTy::from_scalar(val1, layout.field(cx, 1)),
370        )
371    }
372
373    /// Compute the "sub-immediate" that is located within the `base` at the given offset with the
374    /// given layout.
375    // Not called `offset` to avoid confusion with the trait method.
376    fn offset_(&self, offset: Size, layout: TyAndLayout<'tcx>, cx: &impl HasDataLayout) -> Self {
377        // Verify that the input matches its type.
378        if cfg!(debug_assertions) {
379            self.assert_matches_abi(
380                self.layout.backend_repr,
381                "invalid input to Immediate::offset",
382                cx,
383            );
384        }
385        // `ImmTy` have already been checked to be in-bounds, so we can just check directly if this
386        // remains in-bounds. This cannot actually be violated since projections are type-checked
387        // and bounds-checked.
388        assert!(
389            offset + layout.size <= self.layout.size,
390            "attempting to project to field at offset {} with size {} into immediate with layout {:#?}",
391            offset.bytes(),
392            layout.size.bytes(),
393            self.layout,
394        );
395        // This makes several assumptions about what layouts we will encounter; we match what
396        // codegen does as good as we can (see `extract_field` in `rustc_codegen_ssa/src/mir/operand.rs`).
397        let inner_val: Immediate<_> = match (**self, self.layout.backend_repr) {
398            // If the entire value is uninit, then so is the field (can happen in ConstProp).
399            (Immediate::Uninit, _) => Immediate::Uninit,
400            // If the field is uninhabited, we can forget the data (can happen in ConstProp).
401            // `enum S { A(!), B, C }` is an example of an enum with Scalar layout that
402            // has an uninhabited variant, which means this case is possible.
403            _ if layout.is_uninhabited() => Immediate::Uninit,
404            // the field contains no information, can be left uninit
405            // (Scalar/ScalarPair can contain even aligned ZST, not just 1-ZST)
406            _ if layout.is_zst() => Immediate::Uninit,
407            // some fieldless enum variants can have non-zero size but still `Aggregate` ABI... try
408            // to detect those here and also give them no data
409            _ if matches!(layout.backend_repr, BackendRepr::Memory { .. })
410                && matches!(layout.variants, abi::Variants::Single { .. })
411                && matches!(&layout.fields, abi::FieldsShape::Arbitrary { offsets, .. } if offsets.len() == 0) =>
412            {
413                Immediate::Uninit
414            }
415            // the field covers the entire type
416            _ if layout.size == self.layout.size => {
417                assert_eq!(offset.bytes(), 0);
418                **self
419            }
420            // extract fields from types with `ScalarPair` ABI
421            (Immediate::ScalarPair(a_val, b_val), BackendRepr::ScalarPair(a, b)) => {
422                Immediate::from(if offset.bytes() == 0 {
423                    a_val
424                } else {
425                    assert_eq!(offset, a.size(cx).align_to(b.align(cx).abi));
426                    b_val
427                })
428            }
429            // everything else is a bug
430            _ => bug!(
431                "invalid field access on immediate {} at offset {}, original layout {:#?}",
432                self,
433                offset.bytes(),
434                self.layout
435            ),
436        };
437        // Ensure the new layout matches the new value.
438        inner_val.assert_matches_abi(
439            layout.backend_repr,
440            "invalid field type in Immediate::offset",
441            cx,
442        );
443
444        ImmTy::from_immediate(inner_val, layout)
445    }
446}
447
448impl<'tcx, Prov: Provenance> Projectable<'tcx, Prov> for ImmTy<'tcx, Prov> {
449    #[inline(always)]
450    fn layout(&self) -> TyAndLayout<'tcx> {
451        self.layout
452    }
453
454    #[inline(always)]
455    fn meta(&self) -> MemPlaceMeta<Prov> {
456        debug_assert!(self.layout.is_sized()); // unsized ImmTy can only exist temporarily and should never reach this here
457        MemPlaceMeta::None
458    }
459
460    fn offset_with_meta<M: Machine<'tcx, Provenance = Prov>>(
461        &self,
462        offset: Size,
463        _mode: OffsetMode,
464        meta: MemPlaceMeta<Prov>,
465        layout: TyAndLayout<'tcx>,
466        ecx: &InterpCx<'tcx, M>,
467    ) -> InterpResult<'tcx, Self> {
468        assert_matches!(meta, MemPlaceMeta::None); // we can't store this anywhere anyway
469        interp_ok(self.offset_(offset, layout, ecx))
470    }
471
472    #[inline(always)]
473    fn to_op<M: Machine<'tcx, Provenance = Prov>>(
474        &self,
475        _ecx: &InterpCx<'tcx, M>,
476    ) -> InterpResult<'tcx, OpTy<'tcx, M::Provenance>> {
477        interp_ok(self.clone().into())
478    }
479}
480
481/// An `Operand` is the result of computing a `mir::Operand`. It can be immediate,
482/// or still in memory. The latter is an optimization, to delay reading that chunk of
483/// memory and to avoid having to store arbitrary-sized data here.
484#[derive(Copy, Clone, Debug)]
485pub(super) enum Operand<Prov: Provenance = CtfeProvenance> {
486    Immediate(Immediate<Prov>),
487    Indirect(MemPlace<Prov>),
488}
489
490#[derive(Clone)]
491pub struct OpTy<'tcx, Prov: Provenance = CtfeProvenance> {
492    op: Operand<Prov>, // Keep this private; it helps enforce invariants.
493    pub layout: TyAndLayout<'tcx>,
494}
495
496impl<Prov: Provenance> std::fmt::Debug for OpTy<'_, Prov> {
497    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
498        // Printing `layout` results in too much noise; just print a nice version of the type.
499        f.debug_struct("OpTy")
500            .field("op", &self.op)
501            .field("ty", &format_args!("{}", self.layout.ty))
502            .finish()
503    }
504}
505
506impl<'tcx, Prov: Provenance> From<ImmTy<'tcx, Prov>> for OpTy<'tcx, Prov> {
507    #[inline(always)]
508    fn from(val: ImmTy<'tcx, Prov>) -> Self {
509        OpTy { op: Operand::Immediate(val.imm), layout: val.layout }
510    }
511}
512
513impl<'tcx, Prov: Provenance> From<MPlaceTy<'tcx, Prov>> for OpTy<'tcx, Prov> {
514    #[inline(always)]
515    fn from(mplace: MPlaceTy<'tcx, Prov>) -> Self {
516        OpTy { op: Operand::Indirect(*mplace.mplace()), layout: mplace.layout }
517    }
518}
519
520impl<'tcx, Prov: Provenance> OpTy<'tcx, Prov> {
521    #[inline(always)]
522    pub(super) fn op(&self) -> &Operand<Prov> {
523        &self.op
524    }
525
526    pub fn is_immediate_uninit(&self) -> bool {
527        matches!(self.op, Operand::Immediate(Immediate::Uninit))
528    }
529}
530
531impl<'tcx, Prov: Provenance> Projectable<'tcx, Prov> for OpTy<'tcx, Prov> {
532    #[inline(always)]
533    fn layout(&self) -> TyAndLayout<'tcx> {
534        self.layout
535    }
536
537    #[inline]
538    fn meta(&self) -> MemPlaceMeta<Prov> {
539        match self.as_mplace_or_imm() {
540            Left(mplace) => mplace.meta(),
541            Right(_) => {
542                debug_assert!(self.layout.is_sized(), "unsized immediates are not a thing");
543                MemPlaceMeta::None
544            }
545        }
546    }
547
548    fn offset_with_meta<M: Machine<'tcx, Provenance = Prov>>(
549        &self,
550        offset: Size,
551        mode: OffsetMode,
552        meta: MemPlaceMeta<Prov>,
553        layout: TyAndLayout<'tcx>,
554        ecx: &InterpCx<'tcx, M>,
555    ) -> InterpResult<'tcx, Self> {
556        match self.as_mplace_or_imm() {
557            Left(mplace) => {
558                interp_ok(mplace.offset_with_meta(offset, mode, meta, layout, ecx)?.into())
559            }
560            Right(imm) => {
561                assert_matches!(meta, MemPlaceMeta::None); // no place to store metadata here
562                // Every part of an uninit is uninit.
563                interp_ok(imm.offset_(offset, layout, ecx).into())
564            }
565        }
566    }
567
568    #[inline(always)]
569    fn to_op<M: Machine<'tcx, Provenance = Prov>>(
570        &self,
571        _ecx: &InterpCx<'tcx, M>,
572    ) -> InterpResult<'tcx, OpTy<'tcx, M::Provenance>> {
573        interp_ok(self.clone())
574    }
575}
576
577impl<'tcx, M: Machine<'tcx>> InterpCx<'tcx, M> {
578    /// Try reading an immediate in memory; this is interesting particularly for `ScalarPair`.
579    /// Returns `None` if the layout does not permit loading this as a value.
580    ///
581    /// This is an internal function; call `read_immediate` instead.
582    fn read_immediate_from_mplace_raw(
583        &self,
584        mplace: &MPlaceTy<'tcx, M::Provenance>,
585    ) -> InterpResult<'tcx, Option<ImmTy<'tcx, M::Provenance>>> {
586        if mplace.layout.is_unsized() {
587            // Don't touch unsized
588            return interp_ok(None);
589        }
590
591        let Some(alloc) = self.get_place_alloc(mplace)? else {
592            // zero-sized type can be left uninit
593            return interp_ok(Some(ImmTy::uninit(mplace.layout)));
594        };
595
596        // It may seem like all types with `Scalar` or `ScalarPair` ABI are fair game at this point.
597        // However, `MaybeUninit<u64>` is considered a `Scalar` as far as its layout is concerned --
598        // and yet cannot be represented by an interpreter `Scalar`, since we have to handle the
599        // case where some of the bytes are initialized and others are not. So, we need an extra
600        // check that walks over the type of `mplace` to make sure it is truly correct to treat this
601        // like a `Scalar` (or `ScalarPair`).
602        interp_ok(match mplace.layout.backend_repr {
603            BackendRepr::Scalar(abi::Scalar::Initialized { value: s, .. }) => {
604                let size = s.size(self);
605                assert_eq!(size, mplace.layout.size, "abi::Scalar size does not match layout size");
606                let scalar = alloc.read_scalar(
607                    alloc_range(Size::ZERO, size),
608                    /*read_provenance*/ matches!(s, abi::Primitive::Pointer(_)),
609                )?;
610                Some(ImmTy::from_scalar(scalar, mplace.layout))
611            }
612            BackendRepr::ScalarPair(
613                abi::Scalar::Initialized { value: a, .. },
614                abi::Scalar::Initialized { value: b, .. },
615            ) => {
616                // We checked `ptr_align` above, so all fields will have the alignment they need.
617                // We would anyway check against `ptr_align.restrict_for_offset(b_offset)`,
618                // which `ptr.offset(b_offset)` cannot possibly fail to satisfy.
619                let (a_size, b_size) = (a.size(self), b.size(self));
620                let b_offset = a_size.align_to(b.align(self).abi);
621                assert!(b_offset.bytes() > 0); // in `operand_field` we use the offset to tell apart the fields
622                let a_val = alloc.read_scalar(
623                    alloc_range(Size::ZERO, a_size),
624                    /*read_provenance*/ matches!(a, abi::Primitive::Pointer(_)),
625                )?;
626                let b_val = alloc.read_scalar(
627                    alloc_range(b_offset, b_size),
628                    /*read_provenance*/ matches!(b, abi::Primitive::Pointer(_)),
629                )?;
630                Some(ImmTy::from_immediate(Immediate::ScalarPair(a_val, b_val), mplace.layout))
631            }
632            _ => {
633                // Neither a scalar nor scalar pair.
634                None
635            }
636        })
637    }
638
639    /// Try returning an immediate for the operand. If the layout does not permit loading this as an
640    /// immediate, return where in memory we can find the data.
641    /// Note that for a given layout, this operation will either always return Left or Right!
642    /// succeed!  Whether it returns Left depends on whether the layout can be represented
643    /// in an `Immediate`, not on which data is stored there currently.
644    ///
645    /// This is an internal function that should not usually be used; call `read_immediate` instead.
646    /// ConstProp needs it, though.
647    pub fn read_immediate_raw(
648        &self,
649        src: &impl Projectable<'tcx, M::Provenance>,
650    ) -> InterpResult<'tcx, Either<MPlaceTy<'tcx, M::Provenance>, ImmTy<'tcx, M::Provenance>>> {
651        interp_ok(match src.to_op(self)?.as_mplace_or_imm() {
652            Left(ref mplace) => {
653                if let Some(val) = self.read_immediate_from_mplace_raw(mplace)? {
654                    Right(val)
655                } else {
656                    Left(mplace.clone())
657                }
658            }
659            Right(val) => Right(val),
660        })
661    }
662
663    /// Read an immediate from a place, asserting that that is possible with the given layout.
664    ///
665    /// If this succeeds, the `ImmTy` is never `Uninit`.
666    #[inline(always)]
667    pub fn read_immediate(
668        &self,
669        op: &impl Projectable<'tcx, M::Provenance>,
670    ) -> InterpResult<'tcx, ImmTy<'tcx, M::Provenance>> {
671        if !matches!(
672            op.layout().backend_repr,
673            BackendRepr::Scalar(abi::Scalar::Initialized { .. })
674                | BackendRepr::ScalarPair(
675                    abi::Scalar::Initialized { .. },
676                    abi::Scalar::Initialized { .. }
677                )
678        ) {
679            span_bug!(self.cur_span(), "primitive read not possible for type: {}", op.layout().ty);
680        }
681        let imm = self.read_immediate_raw(op)?.right().unwrap();
682        if matches!(*imm, Immediate::Uninit) {
683            throw_ub!(InvalidUninitBytes(None));
684        }
685        interp_ok(imm)
686    }
687
688    /// Read a scalar from a place
689    pub fn read_scalar(
690        &self,
691        op: &impl Projectable<'tcx, M::Provenance>,
692    ) -> InterpResult<'tcx, Scalar<M::Provenance>> {
693        interp_ok(self.read_immediate(op)?.to_scalar())
694    }
695
696    // Pointer-sized reads are fairly common and need target layout access, so we wrap them in
697    // convenience functions.
698
699    /// Read a pointer from a place.
700    pub fn read_pointer(
701        &self,
702        op: &impl Projectable<'tcx, M::Provenance>,
703    ) -> InterpResult<'tcx, Pointer<Option<M::Provenance>>> {
704        self.read_scalar(op)?.to_pointer(self)
705    }
706    /// Read a pointer-sized unsigned integer from a place.
707    pub fn read_target_usize(
708        &self,
709        op: &impl Projectable<'tcx, M::Provenance>,
710    ) -> InterpResult<'tcx, u64> {
711        self.read_scalar(op)?.to_target_usize(self)
712    }
713    /// Read a pointer-sized signed integer from a place.
714    pub fn read_target_isize(
715        &self,
716        op: &impl Projectable<'tcx, M::Provenance>,
717    ) -> InterpResult<'tcx, i64> {
718        self.read_scalar(op)?.to_target_isize(self)
719    }
720
721    /// Turn the wide MPlace into a string (must already be dereferenced!)
722    pub fn read_str(&self, mplace: &MPlaceTy<'tcx, M::Provenance>) -> InterpResult<'tcx, &str> {
723        let len = mplace.len(self)?;
724        let bytes = self.read_bytes_ptr_strip_provenance(mplace.ptr(), Size::from_bytes(len))?;
725        let s = std::str::from_utf8(bytes).map_err(|err| err_ub!(InvalidStr(err)))?;
726        interp_ok(s)
727    }
728
729    /// Read from a local of the current frame. Convenience method for [`InterpCx::local_at_frame_to_op`].
730    pub fn local_to_op(
731        &self,
732        local: mir::Local,
733        layout: Option<TyAndLayout<'tcx>>,
734    ) -> InterpResult<'tcx, OpTy<'tcx, M::Provenance>> {
735        self.local_at_frame_to_op(self.frame(), local, layout)
736    }
737
738    /// Read from a local of a given frame.
739    /// Will not access memory, instead an indirect `Operand` is returned.
740    ///
741    /// This is public because it is used by [Aquascope](https://github.com/cognitive-engineering-lab/aquascope/)
742    /// to get an OpTy from a local.
743    pub fn local_at_frame_to_op(
744        &self,
745        frame: &Frame<'tcx, M::Provenance, M::FrameExtra>,
746        local: mir::Local,
747        layout: Option<TyAndLayout<'tcx>>,
748    ) -> InterpResult<'tcx, OpTy<'tcx, M::Provenance>> {
749        let layout = self.layout_of_local(frame, local, layout)?;
750        let op = *frame.locals[local].access()?;
751        if matches!(op, Operand::Immediate(_)) {
752            assert!(!layout.is_unsized());
753        }
754        M::after_local_read(self, frame, local)?;
755        interp_ok(OpTy { op, layout })
756    }
757
758    /// Every place can be read from, so we can turn them into an operand.
759    /// This will definitely return `Indirect` if the place is a `Ptr`, i.e., this
760    /// will never actually read from memory.
761    pub fn place_to_op(
762        &self,
763        place: &PlaceTy<'tcx, M::Provenance>,
764    ) -> InterpResult<'tcx, OpTy<'tcx, M::Provenance>> {
765        match place.as_mplace_or_local() {
766            Left(mplace) => interp_ok(mplace.into()),
767            Right((local, offset, locals_addr, _)) => {
768                debug_assert!(place.layout.is_sized()); // only sized locals can ever be `Place::Local`.
769                debug_assert_eq!(locals_addr, self.frame().locals_addr());
770                let base = self.local_to_op(local, None)?;
771                interp_ok(match offset {
772                    Some(offset) => base.offset(offset, place.layout, self)?,
773                    None => {
774                        // In the common case this hasn't been projected.
775                        debug_assert_eq!(place.layout, base.layout);
776                        base
777                    }
778                })
779            }
780        }
781    }
782
783    /// Evaluate a place with the goal of reading from it. This lets us sometimes
784    /// avoid allocations.
785    pub fn eval_place_to_op(
786        &self,
787        mir_place: mir::Place<'tcx>,
788        layout: Option<TyAndLayout<'tcx>>,
789    ) -> InterpResult<'tcx, OpTy<'tcx, M::Provenance>> {
790        let _trace = enter_trace_span!(
791            M,
792            step::eval_place_to_op,
793            ?mir_place,
794            tracing_separate_thread = Empty
795        );
796
797        // Do not use the layout passed in as argument if the base we are looking at
798        // here is not the entire place.
799        let layout = if mir_place.projection.is_empty() { layout } else { None };
800
801        let mut op = self.local_to_op(mir_place.local, layout)?;
802        // Using `try_fold` turned out to be bad for performance, hence the loop.
803        for elem in mir_place.projection.iter() {
804            op = self.project(&op, elem)?
805        }
806
807        trace!("eval_place_to_op: got {:?}", op);
808        // Sanity-check the type we ended up with.
809        if cfg!(debug_assertions) {
810            let normalized_place_ty = self
811                .instantiate_from_current_frame_and_normalize_erasing_regions(
812                    mir_place.ty(&self.frame().body.local_decls, *self.tcx).ty,
813                )?;
814            if !mir_assign_valid_types(
815                *self.tcx,
816                self.typing_env(),
817                self.layout_of(normalized_place_ty)?,
818                op.layout,
819            ) {
820                span_bug!(
821                    self.cur_span(),
822                    "eval_place of a MIR place with type {} produced an interpreter operand with type {}",
823                    normalized_place_ty,
824                    op.layout.ty,
825                )
826            }
827        }
828        interp_ok(op)
829    }
830
831    /// Evaluate the operand, returning a place where you can then find the data.
832    /// If you already know the layout, you can save two table lookups
833    /// by passing it in here.
834    #[inline]
835    pub fn eval_operand(
836        &self,
837        mir_op: &mir::Operand<'tcx>,
838        layout: Option<TyAndLayout<'tcx>>,
839    ) -> InterpResult<'tcx, OpTy<'tcx, M::Provenance>> {
840        let _trace =
841            enter_trace_span!(M, step::eval_operand, ?mir_op, tracing_separate_thread = Empty);
842
843        use rustc_middle::mir::Operand::*;
844        let op = match mir_op {
845            // FIXME: do some more logic on `move` to invalidate the old location
846            &Copy(place) | &Move(place) => self.eval_place_to_op(place, layout)?,
847
848            Constant(constant) => {
849                let c = self.instantiate_from_current_frame_and_normalize_erasing_regions(
850                    constant.const_,
851                )?;
852
853                // This can still fail:
854                // * During ConstProp, with `TooGeneric` or since the `required_consts` were not all
855                //   checked yet.
856                // * During CTFE, since promoteds in `const`/`static` initializer bodies can fail.
857                self.eval_mir_constant(&c, constant.span, layout)?
858            }
859        };
860        trace!("{:?}: {:?}", mir_op, op);
861        interp_ok(op)
862    }
863
864    pub(crate) fn const_val_to_op(
865        &self,
866        val_val: mir::ConstValue,
867        ty: Ty<'tcx>,
868        layout: Option<TyAndLayout<'tcx>>,
869    ) -> InterpResult<'tcx, OpTy<'tcx, M::Provenance>> {
870        // Other cases need layout.
871        let adjust_scalar = |scalar| -> InterpResult<'tcx, _> {
872            interp_ok(match scalar {
873                Scalar::Ptr(ptr, size) => Scalar::Ptr(self.global_root_pointer(ptr)?, size),
874                Scalar::Int(int) => Scalar::Int(int),
875            })
876        };
877        let layout =
878            from_known_layout(self.tcx, self.typing_env(), layout, || self.layout_of(ty).into())?;
879        let imm = match val_val {
880            mir::ConstValue::Indirect { alloc_id, offset } => {
881                // This is const data, no mutation allowed.
882                let ptr = self.global_root_pointer(Pointer::new(
883                    CtfeProvenance::from(alloc_id).as_immutable(),
884                    offset,
885                ))?;
886                return interp_ok(self.ptr_to_mplace(ptr.into(), layout).into());
887            }
888            mir::ConstValue::Scalar(x) => adjust_scalar(x)?.into(),
889            mir::ConstValue::ZeroSized => Immediate::Uninit,
890            mir::ConstValue::Slice { alloc_id, meta } => {
891                // This is const data, no mutation allowed.
892                let ptr = Pointer::new(CtfeProvenance::from(alloc_id).as_immutable(), Size::ZERO);
893                Immediate::new_slice(self.global_root_pointer(ptr)?.into(), meta, self)
894            }
895        };
896        interp_ok(OpTy { op: Operand::Immediate(imm), layout })
897    }
898}
899
900// Some nodes are used a lot. Make sure they don't unintentionally get bigger.
901#[cfg(target_pointer_width = "64")]
902mod size_asserts {
903    use rustc_data_structures::static_assert_size;
904
905    use super::*;
906    // tidy-alphabetical-start
907    static_assert_size!(ImmTy<'_>, 64);
908    static_assert_size!(Immediate, 48);
909    static_assert_size!(OpTy<'_>, 72);
910    static_assert_size!(Operand, 56);
911    // tidy-alphabetical-end
912}