]> git.lizzy.rs Git - rust.git/blob - src/machine.rs
Remove lifetime from FileDescriptor trait
[rust.git] / src / machine.rs
1 //! Global machine state as well as implementation of the interpreter engine
2 //! `Machine` trait.
3
4 use std::borrow::Cow;
5 use std::cell::RefCell;
6 use std::num::NonZeroU64;
7 use std::rc::Rc;
8 use std::time::Instant;
9 use std::fmt;
10
11 use log::trace;
12 use rand::rngs::StdRng;
13
14 use rustc_data_structures::fx::FxHashMap;
15 use rustc_middle::{
16     mir,
17     ty::{
18         self,
19         layout::{LayoutCx, LayoutError, TyAndLayout},
20         TyCtxt,
21     },
22 };
23 use rustc_span::symbol::{sym, Symbol};
24 use rustc_span::def_id::DefId;
25 use rustc_target::abi::{LayoutOf, Size};
26
27 use crate::*;
28
29 // Some global facts about the emulated machine.
30 pub const PAGE_SIZE: u64 = 4 * 1024; // FIXME: adjust to target architecture
31 pub const STACK_ADDR: u64 = 32 * PAGE_SIZE; // not really about the "stack", but where we start assigning integer addresses to allocations
32 pub const STACK_SIZE: u64 = 16 * PAGE_SIZE; // whatever
33 pub const NUM_CPUS: u64 = 1;
34
35 /// Extra data stored with each stack frame
36 #[derive(Debug)]
37 pub struct FrameData<'tcx> {
38     /// Extra data for Stacked Borrows.
39     pub call_id: stacked_borrows::CallId,
40
41     /// If this is Some(), then this is a special "catch unwind" frame (the frame of `try_fn`
42     /// called by `try`). When this frame is popped during unwinding a panic,
43     /// we stop unwinding, use the `CatchUnwindData` to handle catching.
44     pub catch_unwind: Option<CatchUnwindData<'tcx>>,
45 }
46
47 /// Extra memory kinds
48 #[derive(Debug, Copy, Clone, PartialEq, Eq)]
49 pub enum MiriMemoryKind {
50     /// `__rust_alloc` memory.
51     Rust,
52     /// `malloc` memory.
53     C,
54     /// Windows `HeapAlloc` memory.
55     WinHeap,
56     /// Memory for args, errno, and other parts of the machine-managed environment.
57     /// This memory may leak.
58     Machine,
59     /// Memory for env vars. Separate from `Machine` because we clean it up and leak-check it.
60     Env,
61     /// Globals copied from `tcx`.
62     /// This memory may leak.
63     Global,
64     /// Memory for extern statics.
65     /// This memory may leak.
66     ExternStatic,
67     /// Memory for thread-local statics.
68     /// This memory may leak.
69     Tls,
70 }
71
72 impl Into<MemoryKind<MiriMemoryKind>> for MiriMemoryKind {
73     #[inline(always)]
74     fn into(self) -> MemoryKind<MiriMemoryKind> {
75         MemoryKind::Machine(self)
76     }
77 }
78
79 impl MayLeak for MiriMemoryKind {
80     #[inline(always)]
81     fn may_leak(self) -> bool {
82         use self::MiriMemoryKind::*;
83         match self {
84             Rust | C | WinHeap | Env => false,
85             Machine | Global | ExternStatic | Tls => true,
86         }
87     }
88 }
89
90 impl fmt::Display for MiriMemoryKind {
91     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
92         use self::MiriMemoryKind::*;
93         match self {
94             Rust => write!(f, "Rust heap"),
95             C => write!(f, "C heap"),
96             WinHeap => write!(f, "Windows heap"),
97             Machine => write!(f, "machine-managed memory"),
98             Env => write!(f, "environment variable"),
99             Global => write!(f, "global (static or const)"),
100             ExternStatic => write!(f, "extern static"),
101             Tls =>  write!(f, "thread-local static"),
102         }
103     }
104 }
105
106 /// Extra per-allocation data
107 #[derive(Debug, Clone)]
108 pub struct AllocExtra {
109     /// Stacked Borrows state is only added if it is enabled.
110     pub stacked_borrows: Option<stacked_borrows::AllocExtra>,
111 }
112
113 /// Extra global memory data
114 #[derive(Clone, Debug)]
115 pub struct MemoryExtra {
116     pub stacked_borrows: Option<stacked_borrows::MemoryExtra>,
117     pub intptrcast: intptrcast::MemoryExtra,
118
119     /// Mapping extern static names to their canonical allocation.
120     extern_statics: FxHashMap<Symbol, AllocId>,
121
122     /// The random number generator used for resolving non-determinism.
123     /// Needs to be queried by ptr_to_int, hence needs interior mutability.
124     pub(crate) rng: RefCell<StdRng>,
125
126     /// An allocation ID to report when it is being allocated
127     /// (helps for debugging memory leaks and use after free bugs).
128     tracked_alloc_id: Option<AllocId>,
129
130     /// Controls whether alignment of memory accesses is being checked.
131     check_alignment: bool,
132 }
133
134 impl MemoryExtra {
135     pub fn new(
136         rng: StdRng,
137         stacked_borrows: bool,
138         tracked_pointer_tag: Option<PtrId>,
139         tracked_call_id: Option<CallId>,
140         tracked_alloc_id: Option<AllocId>,
141         check_alignment: bool,
142     ) -> Self {
143         let stacked_borrows = if stacked_borrows {
144             Some(Rc::new(RefCell::new(stacked_borrows::GlobalState::new(tracked_pointer_tag, tracked_call_id))))
145         } else {
146             None
147         };
148         MemoryExtra {
149             stacked_borrows,
150             intptrcast: Default::default(),
151             extern_statics: FxHashMap::default(),
152             rng: RefCell::new(rng),
153             tracked_alloc_id,
154             check_alignment,
155         }
156     }
157
158     fn add_extern_static<'tcx, 'mir>(
159         this: &mut MiriEvalContext<'mir, 'tcx>,
160         name: &str,
161         ptr: Scalar<Tag>,
162     ) {
163         let ptr = ptr.assert_ptr();
164         assert_eq!(ptr.offset, Size::ZERO);
165         this.memory
166             .extra
167             .extern_statics
168             .insert(Symbol::intern(name), ptr.alloc_id)
169             .unwrap_none();
170     }
171
172     /// Sets up the "extern statics" for this machine.
173     pub fn init_extern_statics<'tcx, 'mir>(
174         this: &mut MiriEvalContext<'mir, 'tcx>,
175     ) -> InterpResult<'tcx> {
176         match this.tcx.sess.target.target.target_os.as_str() {
177             "linux" => {
178                 // "__cxa_thread_atexit_impl"
179                 // This should be all-zero, pointer-sized.
180                 let layout = this.machine.layouts.usize;
181                 let place = this.allocate(layout, MiriMemoryKind::ExternStatic.into());
182                 this.write_scalar(Scalar::from_machine_usize(0, this), place.into())?;
183                 Self::add_extern_static(this, "__cxa_thread_atexit_impl", place.ptr);
184                 // "environ"
185                 Self::add_extern_static(this, "environ", this.machine.env_vars.environ.unwrap().ptr);
186             }
187             "windows" => {
188                 // "_tls_used"
189                 // This is some obscure hack that is part of the Windows TLS story. It's a `u8`.
190                 let layout = this.machine.layouts.u8;
191                 let place = this.allocate(layout, MiriMemoryKind::ExternStatic.into());
192                 this.write_scalar(Scalar::from_u8(0), place.into())?;
193                 Self::add_extern_static(this, "_tls_used", place.ptr);
194             }
195             _ => {} // No "extern statics" supported on this target
196         }
197         Ok(())
198     }
199 }
200
201 /// Precomputed layouts of primitive types
202 pub struct PrimitiveLayouts<'tcx> {
203     pub unit: TyAndLayout<'tcx>,
204     pub i8: TyAndLayout<'tcx>,
205     pub i32: TyAndLayout<'tcx>,
206     pub isize: TyAndLayout<'tcx>,
207     pub u8: TyAndLayout<'tcx>,
208     pub u32: TyAndLayout<'tcx>,
209     pub usize: TyAndLayout<'tcx>,
210 }
211
212 impl<'mir, 'tcx: 'mir> PrimitiveLayouts<'tcx> {
213     fn new(layout_cx: LayoutCx<'tcx, TyCtxt<'tcx>>) -> Result<Self, LayoutError<'tcx>> {
214         Ok(Self {
215             unit: layout_cx.layout_of(layout_cx.tcx.mk_unit())?,
216             i8: layout_cx.layout_of(layout_cx.tcx.types.i8)?,
217             i32: layout_cx.layout_of(layout_cx.tcx.types.i32)?,
218             isize: layout_cx.layout_of(layout_cx.tcx.types.isize)?,
219             u8: layout_cx.layout_of(layout_cx.tcx.types.u8)?,
220             u32: layout_cx.layout_of(layout_cx.tcx.types.u32)?,
221             usize: layout_cx.layout_of(layout_cx.tcx.types.usize)?,
222         })
223     }
224 }
225
226 /// The machine itself.
227 pub struct Evaluator<'mir, 'tcx> {
228     /// Environment variables set by `setenv`.
229     /// Miri does not expose env vars from the host to the emulated program.
230     pub(crate) env_vars: EnvVars<'tcx>,
231
232     /// Program arguments (`Option` because we can only initialize them after creating the ecx).
233     /// These are *pointers* to argc/argv because macOS.
234     /// We also need the full command line as one string because of Windows.
235     pub(crate) argc: Option<Scalar<Tag>>,
236     pub(crate) argv: Option<Scalar<Tag>>,
237     pub(crate) cmd_line: Option<Scalar<Tag>>,
238
239     /// Last OS error location in memory. It is a 32-bit integer.
240     pub(crate) last_error: Option<MPlaceTy<'tcx, Tag>>,
241
242     /// TLS state.
243     pub(crate) tls: TlsData<'tcx>,
244
245     /// If enabled, the `env_vars` field is populated with the host env vars during initialization
246     /// and random number generation is delegated to the host.
247     pub(crate) communicate: bool,
248
249     /// Whether to enforce the validity invariant.
250     pub(crate) validate: bool,
251
252     pub(crate) file_handler: shims::posix::FileHandler,
253     pub(crate) dir_handler: shims::posix::DirHandler,
254
255     /// The temporary used for storing the argument of
256     /// the call to `miri_start_panic` (the panic payload) when unwinding.
257     /// This is pointer-sized, and matches the `Payload` type in `src/libpanic_unwind/miri.rs`.
258     pub(crate) panic_payload: Option<Scalar<Tag>>,
259
260     /// The "time anchor" for this machine's monotone clock (for `Instant` simulation).
261     pub(crate) time_anchor: Instant,
262
263     /// The set of threads.
264     pub(crate) threads: ThreadManager<'mir, 'tcx>,
265
266     /// Precomputed `TyLayout`s for primitive data types that are commonly used inside Miri.
267     pub(crate) layouts: PrimitiveLayouts<'tcx>,
268
269     /// Allocations that are considered roots of static memory (that may leak).
270     pub(crate) static_roots: Vec<AllocId>,
271 }
272
273 impl<'mir, 'tcx> Evaluator<'mir, 'tcx> {
274     pub(crate) fn new(
275         communicate: bool,
276         validate: bool,
277         layout_cx: LayoutCx<'tcx, TyCtxt<'tcx>>,
278     ) -> Self {
279         let layouts = PrimitiveLayouts::new(layout_cx)
280             .expect("Couldn't get layouts of primitive types");
281         Evaluator {
282             // `env_vars` could be initialized properly here if `Memory` were available before
283             // calling this method.
284             env_vars: EnvVars::default(),
285             argc: None,
286             argv: None,
287             cmd_line: None,
288             last_error: None,
289             tls: TlsData::default(),
290             communicate,
291             validate,
292             file_handler: Default::default(),
293             dir_handler: Default::default(),
294             panic_payload: None,
295             time_anchor: Instant::now(),
296             layouts,
297             threads: ThreadManager::default(),
298             static_roots: Vec::new(),
299         }
300     }
301 }
302
303 /// A rustc InterpCx for Miri.
304 pub type MiriEvalContext<'mir, 'tcx> = InterpCx<'mir, 'tcx, Evaluator<'mir, 'tcx>>;
305
306 /// A little trait that's useful to be inherited by extension traits.
307 pub trait MiriEvalContextExt<'mir, 'tcx> {
308     fn eval_context_ref<'a>(&'a self) -> &'a MiriEvalContext<'mir, 'tcx>;
309     fn eval_context_mut<'a>(&'a mut self) -> &'a mut MiriEvalContext<'mir, 'tcx>;
310 }
311 impl<'mir, 'tcx> MiriEvalContextExt<'mir, 'tcx> for MiriEvalContext<'mir, 'tcx> {
312     #[inline(always)]
313     fn eval_context_ref(&self) -> &MiriEvalContext<'mir, 'tcx> {
314         self
315     }
316     #[inline(always)]
317     fn eval_context_mut(&mut self) -> &mut MiriEvalContext<'mir, 'tcx> {
318         self
319     }
320 }
321
322 /// Machine hook implementations.
323 impl<'mir, 'tcx> Machine<'mir, 'tcx> for Evaluator<'mir, 'tcx> {
324     type MemoryKind = MiriMemoryKind;
325
326     type FrameExtra = FrameData<'tcx>;
327     type MemoryExtra = MemoryExtra;
328     type AllocExtra = AllocExtra;
329     type PointerTag = Tag;
330     type ExtraFnVal = Dlsym;
331
332     type MemoryMap =
333         MonoHashMap<AllocId, (MemoryKind<MiriMemoryKind>, Allocation<Tag, Self::AllocExtra>)>;
334
335     const GLOBAL_KIND: Option<MiriMemoryKind> = Some(MiriMemoryKind::Global);
336
337     #[inline(always)]
338     fn enforce_alignment(memory_extra: &MemoryExtra) -> bool {
339         memory_extra.check_alignment
340     }
341
342     #[inline(always)]
343     fn enforce_validity(ecx: &InterpCx<'mir, 'tcx, Self>) -> bool {
344         ecx.machine.validate
345     }
346
347     #[inline(always)]
348     fn find_mir_or_eval_fn(
349         ecx: &mut InterpCx<'mir, 'tcx, Self>,
350         instance: ty::Instance<'tcx>,
351         args: &[OpTy<'tcx, Tag>],
352         ret: Option<(PlaceTy<'tcx, Tag>, mir::BasicBlock)>,
353         unwind: Option<mir::BasicBlock>,
354     ) -> InterpResult<'tcx, Option<&'mir mir::Body<'tcx>>> {
355         ecx.find_mir_or_eval_fn(instance, args, ret, unwind)
356     }
357
358     #[inline(always)]
359     fn call_extra_fn(
360         ecx: &mut InterpCx<'mir, 'tcx, Self>,
361         fn_val: Dlsym,
362         args: &[OpTy<'tcx, Tag>],
363         ret: Option<(PlaceTy<'tcx, Tag>, mir::BasicBlock)>,
364         _unwind: Option<mir::BasicBlock>,
365     ) -> InterpResult<'tcx> {
366         ecx.call_dlsym(fn_val, args, ret)
367     }
368
369     #[inline(always)]
370     fn call_intrinsic(
371         ecx: &mut rustc_mir::interpret::InterpCx<'mir, 'tcx, Self>,
372         instance: ty::Instance<'tcx>,
373         args: &[OpTy<'tcx, Tag>],
374         ret: Option<(PlaceTy<'tcx, Tag>, mir::BasicBlock)>,
375         unwind: Option<mir::BasicBlock>,
376     ) -> InterpResult<'tcx> {
377         ecx.call_intrinsic(instance, args, ret, unwind)
378     }
379
380     #[inline(always)]
381     fn assert_panic(
382         ecx: &mut InterpCx<'mir, 'tcx, Self>,
383         msg: &mir::AssertMessage<'tcx>,
384         unwind: Option<mir::BasicBlock>,
385     ) -> InterpResult<'tcx> {
386         ecx.assert_panic(msg, unwind)
387     }
388
389     #[inline(always)]
390     fn abort(_ecx: &mut InterpCx<'mir, 'tcx, Self>) -> InterpResult<'tcx, !> {
391         throw_machine_stop!(TerminationInfo::Abort(None))
392     }
393
394     #[inline(always)]
395     fn binary_ptr_op(
396         ecx: &rustc_mir::interpret::InterpCx<'mir, 'tcx, Self>,
397         bin_op: mir::BinOp,
398         left: ImmTy<'tcx, Tag>,
399         right: ImmTy<'tcx, Tag>,
400     ) -> InterpResult<'tcx, (Scalar<Tag>, bool, ty::Ty<'tcx>)> {
401         ecx.binary_ptr_op(bin_op, left, right)
402     }
403
404     fn box_alloc(
405         ecx: &mut InterpCx<'mir, 'tcx, Self>,
406         dest: PlaceTy<'tcx, Tag>,
407     ) -> InterpResult<'tcx> {
408         trace!("box_alloc for {:?}", dest.layout.ty);
409         let layout = ecx.layout_of(dest.layout.ty.builtin_deref(false).unwrap().ty)?;
410         // First argument: `size`.
411         // (`0` is allowed here -- this is expected to be handled by the lang item).
412         let size = Scalar::from_machine_usize(layout.size.bytes(), ecx);
413
414         // Second argument: `align`.
415         let align = Scalar::from_machine_usize(layout.align.abi.bytes(), ecx);
416
417         // Call the `exchange_malloc` lang item.
418         let malloc = ecx.tcx.lang_items().exchange_malloc_fn().unwrap();
419         let malloc = ty::Instance::mono(ecx.tcx.tcx, malloc);
420         ecx.call_function(
421             malloc,
422             &[size.into(), align.into()],
423             Some(dest),
424             // Don't do anything when we are done. The `statement()` function will increment
425             // the old stack frame's stmt counter to the next statement, which means that when
426             // `exchange_malloc` returns, we go on evaluating exactly where we want to be.
427             StackPopCleanup::None { cleanup: true },
428         )?;
429         Ok(())
430     }
431
432     fn thread_local_static_alloc_id(
433         ecx: &mut InterpCx<'mir, 'tcx, Self>,
434         def_id: DefId,
435     ) -> InterpResult<'tcx, AllocId> {
436         ecx.get_or_create_thread_local_alloc_id(def_id)
437     }
438
439     fn extern_static_alloc_id(
440         memory: &Memory<'mir, 'tcx, Self>,
441         def_id: DefId,
442     ) -> InterpResult<'tcx, AllocId> {
443         let attrs = memory.tcx.get_attrs(def_id);
444         let link_name = match memory.tcx.sess.first_attr_value_str_by_name(&attrs, sym::link_name) {
445             Some(name) => name,
446             None => memory.tcx.item_name(def_id),
447         };
448         if let Some(&id) = memory.extra.extern_statics.get(&link_name) {
449             Ok(id)
450         } else {
451             throw_unsup_format!("`extern` static {:?} is not supported by Miri", def_id)
452         }
453     }
454
455     fn init_allocation_extra<'b>(
456         memory_extra: &MemoryExtra,
457         id: AllocId,
458         alloc: Cow<'b, Allocation>,
459         kind: Option<MemoryKind<Self::MemoryKind>>,
460     ) -> (Cow<'b, Allocation<Self::PointerTag, Self::AllocExtra>>, Self::PointerTag) {
461         if Some(id) == memory_extra.tracked_alloc_id {
462             register_diagnostic(NonHaltingDiagnostic::CreatedAlloc(id));
463         }
464
465         let kind = kind.expect("we set our STATIC_KIND so this cannot be None");
466         let alloc = alloc.into_owned();
467         let (stacks, base_tag) =
468             if let Some(stacked_borrows) = &memory_extra.stacked_borrows {
469                 let (stacks, base_tag) =
470                     Stacks::new_allocation(id, alloc.size, Rc::clone(stacked_borrows), kind);
471                 (Some(stacks), base_tag)
472             } else {
473                 // No stacks, no tag.
474                 (None, Tag::Untagged)
475             };
476         let mut stacked_borrows = memory_extra.stacked_borrows.as_ref().map(|sb| sb.borrow_mut());
477         let alloc: Allocation<Tag, Self::AllocExtra> = alloc.with_tags_and_extra(
478             |alloc| {
479                 if let Some(stacked_borrows) = &mut stacked_borrows {
480                     // Only globals may already contain pointers at this point
481                     assert_eq!(kind, MiriMemoryKind::Global.into());
482                     stacked_borrows.global_base_ptr(alloc)
483                 } else {
484                     Tag::Untagged
485                 }
486             },
487             AllocExtra { stacked_borrows: stacks },
488         );
489         (Cow::Owned(alloc), base_tag)
490     }
491
492     #[inline(always)]
493     fn before_deallocation(
494         memory_extra: &mut Self::MemoryExtra,
495         id: AllocId,
496     ) -> InterpResult<'tcx> {
497         if Some(id) == memory_extra.tracked_alloc_id {
498             register_diagnostic(NonHaltingDiagnostic::FreedAlloc(id));
499         }
500
501         Ok(())
502     }
503
504     #[inline(always)]
505     fn tag_global_base_pointer(memory_extra: &MemoryExtra, id: AllocId) -> Self::PointerTag {
506         if let Some(stacked_borrows) = &memory_extra.stacked_borrows {
507             stacked_borrows.borrow_mut().global_base_ptr(id)
508         } else {
509             Tag::Untagged
510         }
511     }
512
513     #[inline(always)]
514     fn retag(
515         ecx: &mut InterpCx<'mir, 'tcx, Self>,
516         kind: mir::RetagKind,
517         place: PlaceTy<'tcx, Tag>,
518     ) -> InterpResult<'tcx> {
519         if ecx.memory.extra.stacked_borrows.is_some() {
520             ecx.retag(kind, place)
521         } else {
522             Ok(())
523         }
524     }
525
526     #[inline(always)]
527     fn init_frame_extra(
528         ecx: &mut InterpCx<'mir, 'tcx, Self>,
529         frame: Frame<'mir, 'tcx, Tag>,
530     ) -> InterpResult<'tcx, Frame<'mir, 'tcx, Tag, FrameData<'tcx>>> {
531         let stacked_borrows = ecx.memory.extra.stacked_borrows.as_ref();
532         let call_id = stacked_borrows.map_or(NonZeroU64::new(1).unwrap(), |stacked_borrows| {
533             stacked_borrows.borrow_mut().new_call()
534         });
535         let extra = FrameData { call_id, catch_unwind: None };
536         Ok(frame.with_extra(extra))
537     }
538
539     fn stack<'a>(
540         ecx: &'a InterpCx<'mir, 'tcx, Self>
541     ) -> &'a [Frame<'mir, 'tcx, Self::PointerTag, Self::FrameExtra>] {
542         ecx.active_thread_stack()
543     }
544
545     fn stack_mut<'a>(
546         ecx: &'a mut InterpCx<'mir, 'tcx, Self>
547     ) -> &'a mut Vec<Frame<'mir, 'tcx, Self::PointerTag, Self::FrameExtra>> {
548         ecx.active_thread_stack_mut()
549     }
550
551     #[inline(always)]
552     fn after_stack_push(ecx: &mut InterpCx<'mir, 'tcx, Self>) -> InterpResult<'tcx> {
553         if ecx.memory.extra.stacked_borrows.is_some() {
554             ecx.retag_return_place()
555         } else {
556             Ok(())
557         }
558     }
559
560     #[inline(always)]
561     fn after_stack_pop(
562         ecx: &mut InterpCx<'mir, 'tcx, Self>,
563         frame: Frame<'mir, 'tcx, Tag, FrameData<'tcx>>,
564         unwinding: bool,
565     ) -> InterpResult<'tcx, StackPopJump> {
566         ecx.handle_stack_pop(frame.extra, unwinding)
567     }
568
569     #[inline(always)]
570     fn int_to_ptr(
571         memory: &Memory<'mir, 'tcx, Self>,
572         int: u64,
573     ) -> InterpResult<'tcx, Pointer<Self::PointerTag>> {
574         intptrcast::GlobalState::int_to_ptr(int, memory)
575     }
576
577     #[inline(always)]
578     fn ptr_to_int(
579         memory: &Memory<'mir, 'tcx, Self>,
580         ptr: Pointer<Self::PointerTag>,
581     ) -> InterpResult<'tcx, u64> {
582         intptrcast::GlobalState::ptr_to_int(ptr, memory)
583     }
584 }
585
586 impl AllocationExtra<Tag> for AllocExtra {
587     #[inline(always)]
588     fn memory_read<'tcx>(
589         alloc: &Allocation<Tag, AllocExtra>,
590         ptr: Pointer<Tag>,
591         size: Size,
592     ) -> InterpResult<'tcx> {
593         if let Some(stacked_borrows) = &alloc.extra.stacked_borrows {
594             stacked_borrows.memory_read(ptr, size)
595         } else {
596             Ok(())
597         }
598     }
599
600     #[inline(always)]
601     fn memory_written<'tcx>(
602         alloc: &mut Allocation<Tag, AllocExtra>,
603         ptr: Pointer<Tag>,
604         size: Size,
605     ) -> InterpResult<'tcx> {
606         if let Some(stacked_borrows) = &mut alloc.extra.stacked_borrows {
607             stacked_borrows.memory_written(ptr, size)
608         } else {
609             Ok(())
610         }
611     }
612
613     #[inline(always)]
614     fn memory_deallocated<'tcx>(
615         alloc: &mut Allocation<Tag, AllocExtra>,
616         ptr: Pointer<Tag>,
617         size: Size,
618     ) -> InterpResult<'tcx> {
619         if let Some(stacked_borrows) = &mut alloc.extra.stacked_borrows {
620             stacked_borrows.memory_deallocated(ptr, size)
621         } else {
622             Ok(())
623         }
624     }
625 }