]> git.lizzy.rs Git - rust.git/blob - src/librustc_mir/interpret/eval_context.rs
Auto merge of #60252 - davidtwco:issue-57672, r=Mark-Simulacrum
[rust.git] / src / librustc_mir / interpret / eval_context.rs
1 use std::cell::Cell;
2 use std::fmt::Write;
3 use std::mem;
4
5 use syntax::source_map::{self, Span, DUMMY_SP};
6 use rustc::hir::def_id::DefId;
7 use rustc::hir::def::DefKind;
8 use rustc::mir;
9 use rustc::ty::layout::{
10     self, Size, Align, HasDataLayout, LayoutOf, TyLayout
11 };
12 use rustc::ty::subst::{Subst, SubstsRef};
13 use rustc::ty::{self, Ty, TyCtxt, TypeFoldable};
14 use rustc::ty::query::TyCtxtAt;
15 use rustc_data_structures::indexed_vec::IndexVec;
16 use rustc::mir::interpret::{
17     ErrorHandled,
18     GlobalId, Scalar, FrameInfo, AllocId,
19     EvalResult, InterpError,
20     truncate, sign_extend,
21 };
22 use rustc_data_structures::fx::FxHashMap;
23
24 use super::{
25     Immediate, Operand, MemPlace, MPlaceTy, Place, PlaceTy, ScalarMaybeUndef,
26     Memory, Machine
27 };
28
29 pub struct InterpretCx<'a, 'mir, 'tcx: 'a + 'mir, M: Machine<'a, 'mir, 'tcx>> {
30     /// Stores the `Machine` instance.
31     pub machine: M,
32
33     /// The results of the type checker, from rustc.
34     pub tcx: TyCtxtAt<'a, 'tcx, 'tcx>,
35
36     /// Bounds in scope for polymorphic evaluations.
37     pub(crate) param_env: ty::ParamEnv<'tcx>,
38
39     /// The virtual memory system.
40     pub(crate) memory: Memory<'a, 'mir, 'tcx, M>,
41
42     /// The virtual call stack.
43     pub(crate) stack: Vec<Frame<'mir, 'tcx, M::PointerTag, M::FrameExtra>>,
44
45     /// A cache for deduplicating vtables
46     pub(super) vtables: FxHashMap<(Ty<'tcx>, Option<ty::PolyExistentialTraitRef<'tcx>>), AllocId>,
47 }
48
49 /// A stack frame.
50 #[derive(Clone)]
51 pub struct Frame<'mir, 'tcx: 'mir, Tag=(), Extra=()> {
52     ////////////////////////////////////////////////////////////////////////////////
53     // Function and callsite information
54     ////////////////////////////////////////////////////////////////////////////////
55     /// The MIR for the function called on this frame.
56     pub mir: &'mir mir::Mir<'tcx>,
57
58     /// The def_id and substs of the current function.
59     pub instance: ty::Instance<'tcx>,
60
61     /// The span of the call site.
62     pub span: source_map::Span,
63
64     ////////////////////////////////////////////////////////////////////////////////
65     // Return place and locals
66     ////////////////////////////////////////////////////////////////////////////////
67     /// Work to perform when returning from this function.
68     pub return_to_block: StackPopCleanup,
69
70     /// The location where the result of the current stack frame should be written to,
71     /// and its layout in the caller.
72     pub return_place: Option<PlaceTy<'tcx, Tag>>,
73
74     /// The list of locals for this stack frame, stored in order as
75     /// `[return_ptr, arguments..., variables..., temporaries...]`.
76     /// The locals are stored as `Option<Value>`s.
77     /// `None` represents a local that is currently dead, while a live local
78     /// can either directly contain `Scalar` or refer to some part of an `Allocation`.
79     pub locals: IndexVec<mir::Local, LocalState<'tcx, Tag>>,
80
81     ////////////////////////////////////////////////////////////////////////////////
82     // Current position within the function
83     ////////////////////////////////////////////////////////////////////////////////
84     /// The block that is currently executed (or will be executed after the above call stacks
85     /// return).
86     pub block: mir::BasicBlock,
87
88     /// The index of the currently evaluated statement.
89     pub stmt: usize,
90
91     /// Extra data for the machine.
92     pub extra: Extra,
93 }
94
95 #[derive(Clone, Debug, Eq, PartialEq, Hash)]
96 pub enum StackPopCleanup {
97     /// Jump to the next block in the caller, or cause UB if None (that's a function
98     /// that may never return). Also store layout of return place so
99     /// we can validate it at that layout.
100     Goto(Option<mir::BasicBlock>),
101     /// Just do nohing: Used by Main and for the box_alloc hook in miri.
102     /// `cleanup` says whether locals are deallocated. Static computation
103     /// wants them leaked to intern what they need (and just throw away
104     /// the entire `ecx` when it is done).
105     None { cleanup: bool },
106 }
107
108 /// State of a local variable including a memoized layout
109 #[derive(Clone, PartialEq, Eq)]
110 pub struct LocalState<'tcx, Tag=(), Id=AllocId> {
111     pub value: LocalValue<Tag, Id>,
112     /// Don't modify if `Some`, this is only used to prevent computing the layout twice
113     pub layout: Cell<Option<TyLayout<'tcx>>>,
114 }
115
116 /// Current value of a local variable
117 #[derive(Copy, Clone, PartialEq, Eq, Hash, Debug)]
118 pub enum LocalValue<Tag=(), Id=AllocId> {
119     /// This local is not currently alive, and cannot be used at all.
120     Dead,
121     /// This local is alive but not yet initialized. It can be written to
122     /// but not read from or its address taken. Locals get initialized on
123     /// first write because for unsized locals, we do not know their size
124     /// before that.
125     Uninitialized,
126     /// A normal, live local.
127     /// Mostly for convenience, we re-use the `Operand` type here.
128     /// This is an optimization over just always having a pointer here;
129     /// we can thus avoid doing an allocation when the local just stores
130     /// immediate values *and* never has its address taken.
131     Live(Operand<Tag, Id>),
132 }
133
134 impl<'tcx, Tag: Copy + 'static> LocalState<'tcx, Tag> {
135     pub fn access(&self) -> EvalResult<'tcx, Operand<Tag>> {
136         match self.value {
137             LocalValue::Dead => err!(DeadLocal),
138             LocalValue::Uninitialized =>
139                 bug!("The type checker should prevent reading from a never-written local"),
140             LocalValue::Live(val) => Ok(val),
141         }
142     }
143
144     /// Overwrite the local.  If the local can be overwritten in place, return a reference
145     /// to do so; otherwise return the `MemPlace` to consult instead.
146     pub fn access_mut(
147         &mut self,
148     ) -> EvalResult<'tcx, Result<&mut LocalValue<Tag>, MemPlace<Tag>>> {
149         match self.value {
150             LocalValue::Dead => err!(DeadLocal),
151             LocalValue::Live(Operand::Indirect(mplace)) => Ok(Err(mplace)),
152             ref mut local @ LocalValue::Live(Operand::Immediate(_)) |
153             ref mut local @ LocalValue::Uninitialized => {
154                 Ok(Ok(local))
155             }
156         }
157     }
158 }
159
160 impl<'a, 'mir, 'tcx, M: Machine<'a, 'mir, 'tcx>> HasDataLayout
161     for InterpretCx<'a, 'mir, 'tcx, M>
162 {
163     #[inline]
164     fn data_layout(&self) -> &layout::TargetDataLayout {
165         &self.tcx.data_layout
166     }
167 }
168
169 impl<'a, 'mir, 'tcx, M> layout::HasTyCtxt<'tcx> for InterpretCx<'a, 'mir, 'tcx, M>
170     where M: Machine<'a, 'mir, 'tcx>
171 {
172     #[inline]
173     fn tcx<'d>(&'d self) -> TyCtxt<'d, 'tcx, 'tcx> {
174         *self.tcx
175     }
176 }
177
178 impl<'a, 'mir, 'tcx, M> layout::HasParamEnv<'tcx> for InterpretCx<'a, 'mir, 'tcx, M>
179     where M: Machine<'a, 'mir, 'tcx>
180 {
181     fn param_env(&self) -> ty::ParamEnv<'tcx> {
182         self.param_env
183     }
184 }
185
186 impl<'a, 'mir, 'tcx, M: Machine<'a, 'mir, 'tcx>> LayoutOf
187     for InterpretCx<'a, 'mir, 'tcx, M>
188 {
189     type Ty = Ty<'tcx>;
190     type TyLayout = EvalResult<'tcx, TyLayout<'tcx>>;
191
192     #[inline]
193     fn layout_of(&self, ty: Ty<'tcx>) -> Self::TyLayout {
194         self.tcx.layout_of(self.param_env.and(ty))
195             .map_err(|layout| InterpError::Layout(layout).into())
196     }
197 }
198
199 impl<'a, 'mir, 'tcx: 'mir, M: Machine<'a, 'mir, 'tcx>> InterpretCx<'a, 'mir, 'tcx, M> {
200     pub fn new(
201         tcx: TyCtxtAt<'a, 'tcx, 'tcx>,
202         param_env: ty::ParamEnv<'tcx>,
203         machine: M,
204     ) -> Self {
205         InterpretCx {
206             machine,
207             tcx,
208             param_env,
209             memory: Memory::new(tcx),
210             stack: Vec::new(),
211             vtables: FxHashMap::default(),
212         }
213     }
214
215     #[inline(always)]
216     pub fn memory(&self) -> &Memory<'a, 'mir, 'tcx, M> {
217         &self.memory
218     }
219
220     #[inline(always)]
221     pub fn memory_mut(&mut self) -> &mut Memory<'a, 'mir, 'tcx, M> {
222         &mut self.memory
223     }
224
225     #[inline(always)]
226     pub fn stack(&self) -> &[Frame<'mir, 'tcx, M::PointerTag, M::FrameExtra>] {
227         &self.stack
228     }
229
230     #[inline(always)]
231     pub fn cur_frame(&self) -> usize {
232         assert!(self.stack.len() > 0);
233         self.stack.len() - 1
234     }
235
236     #[inline(always)]
237     pub fn frame(&self) -> &Frame<'mir, 'tcx, M::PointerTag, M::FrameExtra> {
238         self.stack.last().expect("no call frames exist")
239     }
240
241     #[inline(always)]
242     pub fn frame_mut(&mut self) -> &mut Frame<'mir, 'tcx, M::PointerTag, M::FrameExtra> {
243         self.stack.last_mut().expect("no call frames exist")
244     }
245
246     #[inline(always)]
247     pub(super) fn mir(&self) -> &'mir mir::Mir<'tcx> {
248         self.frame().mir
249     }
250
251     pub(super) fn subst_and_normalize_erasing_regions<T: TypeFoldable<'tcx>>(
252         &self,
253         substs: T,
254     ) -> EvalResult<'tcx, T> {
255         match self.stack.last() {
256             Some(frame) => Ok(self.tcx.subst_and_normalize_erasing_regions(
257                 frame.instance.substs,
258                 self.param_env,
259                 &substs,
260             )),
261             None => if substs.needs_subst() {
262                 err!(TooGeneric).into()
263             } else {
264                 Ok(substs)
265             },
266         }
267     }
268
269     pub(super) fn resolve(
270         &self,
271         def_id: DefId,
272         substs: SubstsRef<'tcx>
273     ) -> EvalResult<'tcx, ty::Instance<'tcx>> {
274         trace!("resolve: {:?}, {:#?}", def_id, substs);
275         trace!("param_env: {:#?}", self.param_env);
276         let substs = self.subst_and_normalize_erasing_regions(substs)?;
277         trace!("substs: {:#?}", substs);
278         ty::Instance::resolve(
279             *self.tcx,
280             self.param_env,
281             def_id,
282             substs,
283         ).ok_or_else(|| InterpError::TooGeneric.into())
284     }
285
286     pub fn type_is_sized(&self, ty: Ty<'tcx>) -> bool {
287         ty.is_sized(self.tcx, self.param_env)
288     }
289
290     pub fn type_is_freeze(&self, ty: Ty<'tcx>) -> bool {
291         ty.is_freeze(*self.tcx, self.param_env, DUMMY_SP)
292     }
293
294     pub fn load_mir(
295         &self,
296         instance: ty::InstanceDef<'tcx>,
297     ) -> EvalResult<'tcx, &'tcx mir::Mir<'tcx>> {
298         // do not continue if typeck errors occurred (can only occur in local crate)
299         let did = instance.def_id();
300         if did.is_local()
301             && self.tcx.has_typeck_tables(did)
302             && self.tcx.typeck_tables_of(did).tainted_by_errors
303         {
304             return err!(TypeckError);
305         }
306         trace!("load mir {:?}", instance);
307         match instance {
308             ty::InstanceDef::Item(def_id) => if self.tcx.is_mir_available(did) {
309                 Ok(self.tcx.optimized_mir(did))
310             } else {
311                 err!(NoMirFor(self.tcx.def_path_str(def_id)))
312             },
313             _ => Ok(self.tcx.instance_mir(instance)),
314         }
315     }
316
317     pub(super) fn monomorphize<T: TypeFoldable<'tcx> + Subst<'tcx>>(
318         &self,
319         t: T,
320     ) -> EvalResult<'tcx, T> {
321         match self.stack.last() {
322             Some(frame) => Ok(self.monomorphize_with_substs(t, frame.instance.substs)),
323             None => if t.needs_subst() {
324                 err!(TooGeneric).into()
325             } else {
326                 Ok(t)
327             },
328         }
329     }
330
331     fn monomorphize_with_substs<T: TypeFoldable<'tcx> + Subst<'tcx>>(
332         &self,
333         t: T,
334         substs: SubstsRef<'tcx>
335     ) -> T {
336         // miri doesn't care about lifetimes, and will choke on some crazy ones
337         // let's simply get rid of them
338         let substituted = t.subst(*self.tcx, substs);
339         self.tcx.normalize_erasing_regions(ty::ParamEnv::reveal_all(), substituted)
340     }
341
342     pub fn layout_of_local(
343         &self,
344         frame: &Frame<'mir, 'tcx, M::PointerTag, M::FrameExtra>,
345         local: mir::Local,
346         layout: Option<TyLayout<'tcx>>,
347     ) -> EvalResult<'tcx, TyLayout<'tcx>> {
348         match frame.locals[local].layout.get() {
349             None => {
350                 let layout = crate::interpret::operand::from_known_layout(layout, || {
351                     let local_ty = frame.mir.local_decls[local].ty;
352                     let local_ty = self.monomorphize_with_substs(local_ty, frame.instance.substs);
353                     self.layout_of(local_ty)
354                 })?;
355                 // Layouts of locals are requested a lot, so we cache them.
356                 frame.locals[local].layout.set(Some(layout));
357                 Ok(layout)
358             }
359             Some(layout) => Ok(layout),
360         }
361     }
362
363     pub fn str_to_immediate(&mut self, s: &str) -> EvalResult<'tcx, Immediate<M::PointerTag>> {
364         let ptr = self.memory.allocate_static_bytes(s.as_bytes()).with_default_tag();
365         Ok(Immediate::new_slice(Scalar::Ptr(ptr), s.len() as u64, self))
366     }
367
368     /// Returns the actual dynamic size and alignment of the place at the given type.
369     /// Only the "meta" (metadata) part of the place matters.
370     /// This can fail to provide an answer for extern types.
371     pub(super) fn size_and_align_of(
372         &self,
373         metadata: Option<Scalar<M::PointerTag>>,
374         layout: TyLayout<'tcx>,
375     ) -> EvalResult<'tcx, Option<(Size, Align)>> {
376         if !layout.is_unsized() {
377             return Ok(Some((layout.size, layout.align.abi)));
378         }
379         match layout.ty.sty {
380             ty::Adt(..) | ty::Tuple(..) => {
381                 // First get the size of all statically known fields.
382                 // Don't use type_of::sizing_type_of because that expects t to be sized,
383                 // and it also rounds up to alignment, which we want to avoid,
384                 // as the unsized field's alignment could be smaller.
385                 assert!(!layout.ty.is_simd());
386                 trace!("DST layout: {:?}", layout);
387
388                 let sized_size = layout.fields.offset(layout.fields.count() - 1);
389                 let sized_align = layout.align.abi;
390                 trace!(
391                     "DST {} statically sized prefix size: {:?} align: {:?}",
392                     layout.ty,
393                     sized_size,
394                     sized_align
395                 );
396
397                 // Recurse to get the size of the dynamically sized field (must be
398                 // the last field).  Can't have foreign types here, how would we
399                 // adjust alignment and size for them?
400                 let field = layout.field(self, layout.fields.count() - 1)?;
401                 let (unsized_size, unsized_align) = match self.size_and_align_of(metadata, field)? {
402                     Some(size_and_align) => size_and_align,
403                     None => {
404                         // A field with extern type.  If this field is at offset 0, we behave
405                         // like the underlying extern type.
406                         // FIXME: Once we have made decisions for how to handle size and alignment
407                         // of `extern type`, this should be adapted.  It is just a temporary hack
408                         // to get some code to work that probably ought to work.
409                         if sized_size == Size::ZERO {
410                             return Ok(None)
411                         } else {
412                             bug!("Fields cannot be extern types, unless they are at offset 0")
413                         }
414                     }
415                 };
416
417                 // FIXME (#26403, #27023): We should be adding padding
418                 // to `sized_size` (to accommodate the `unsized_align`
419                 // required of the unsized field that follows) before
420                 // summing it with `sized_size`. (Note that since #26403
421                 // is unfixed, we do not yet add the necessary padding
422                 // here. But this is where the add would go.)
423
424                 // Return the sum of sizes and max of aligns.
425                 let size = sized_size + unsized_size;
426
427                 // Choose max of two known alignments (combined value must
428                 // be aligned according to more restrictive of the two).
429                 let align = sized_align.max(unsized_align);
430
431                 // Issue #27023: must add any necessary padding to `size`
432                 // (to make it a multiple of `align`) before returning it.
433                 //
434                 // Namely, the returned size should be, in C notation:
435                 //
436                 //   `size + ((size & (align-1)) ? align : 0)`
437                 //
438                 // emulated via the semi-standard fast bit trick:
439                 //
440                 //   `(size + (align-1)) & -align`
441
442                 Ok(Some((size.align_to(align), align)))
443             }
444             ty::Dynamic(..) => {
445                 let vtable = metadata.expect("dyn trait fat ptr must have vtable").to_ptr()?;
446                 // the second entry in the vtable is the dynamic size of the object.
447                 Ok(Some(self.read_size_and_align_from_vtable(vtable)?))
448             }
449
450             ty::Slice(_) | ty::Str => {
451                 let len = metadata.expect("slice fat ptr must have vtable").to_usize(self)?;
452                 let elem = layout.field(self, 0)?;
453                 Ok(Some((elem.size * len, elem.align.abi)))
454             }
455
456             ty::Foreign(_) => {
457                 Ok(None)
458             }
459
460             _ => bug!("size_and_align_of::<{:?}> not supported", layout.ty),
461         }
462     }
463     #[inline]
464     pub fn size_and_align_of_mplace(
465         &self,
466         mplace: MPlaceTy<'tcx, M::PointerTag>
467     ) -> EvalResult<'tcx, Option<(Size, Align)>> {
468         self.size_and_align_of(mplace.meta, mplace.layout)
469     }
470
471     pub fn push_stack_frame(
472         &mut self,
473         instance: ty::Instance<'tcx>,
474         span: source_map::Span,
475         mir: &'mir mir::Mir<'tcx>,
476         return_place: Option<PlaceTy<'tcx, M::PointerTag>>,
477         return_to_block: StackPopCleanup,
478     ) -> EvalResult<'tcx> {
479         if self.stack.len() > 0 {
480             info!("PAUSING({}) {}", self.cur_frame(), self.frame().instance);
481         }
482         ::log_settings::settings().indentation += 1;
483
484         // first push a stack frame so we have access to the local substs
485         let extra = M::stack_push(self)?;
486         self.stack.push(Frame {
487             mir,
488             block: mir::START_BLOCK,
489             return_to_block,
490             return_place,
491             // empty local array, we fill it in below, after we are inside the stack frame and
492             // all methods actually know about the frame
493             locals: IndexVec::new(),
494             span,
495             instance,
496             stmt: 0,
497             extra,
498         });
499
500         // don't allocate at all for trivial constants
501         if mir.local_decls.len() > 1 {
502             // Locals are initially uninitialized.
503             let dummy = LocalState {
504                 value: LocalValue::Uninitialized,
505                 layout: Cell::new(None),
506             };
507             let mut locals = IndexVec::from_elem(dummy, &mir.local_decls);
508             // Return place is handled specially by the `eval_place` functions, and the
509             // entry in `locals` should never be used. Make it dead, to be sure.
510             locals[mir::RETURN_PLACE].value = LocalValue::Dead;
511             // Now mark those locals as dead that we do not want to initialize
512             match self.tcx.def_kind(instance.def_id()) {
513                 // statics and constants don't have `Storage*` statements, no need to look for them
514                 Some(DefKind::Static)
515                 | Some(DefKind::Const)
516                 | Some(DefKind::AssociatedConst) => {},
517                 _ => {
518                     trace!("push_stack_frame: {:?}: num_bbs: {}", span, mir.basic_blocks().len());
519                     for block in mir.basic_blocks() {
520                         for stmt in block.statements.iter() {
521                             use rustc::mir::StatementKind::{StorageDead, StorageLive};
522                             match stmt.kind {
523                                 StorageLive(local) |
524                                 StorageDead(local) => {
525                                     locals[local].value = LocalValue::Dead;
526                                 }
527                                 _ => {}
528                             }
529                         }
530                     }
531                 },
532             }
533             // done
534             self.frame_mut().locals = locals;
535         }
536
537         info!("ENTERING({}) {}", self.cur_frame(), self.frame().instance);
538
539         if self.stack.len() > self.tcx.sess.const_eval_stack_frame_limit {
540             err!(StackFrameLimitReached)
541         } else {
542             Ok(())
543         }
544     }
545
546     pub(super) fn pop_stack_frame(&mut self) -> EvalResult<'tcx> {
547         info!("LEAVING({}) {}", self.cur_frame(), self.frame().instance);
548         ::log_settings::settings().indentation -= 1;
549         let frame = self.stack.pop().expect(
550             "tried to pop a stack frame, but there were none",
551         );
552         M::stack_pop(self, frame.extra)?;
553         // Abort early if we do not want to clean up: We also avoid validation in that case,
554         // because this is CTFE and the final value will be thoroughly validated anyway.
555         match frame.return_to_block {
556             StackPopCleanup::Goto(_) => {},
557             StackPopCleanup::None { cleanup } => {
558                 if !cleanup {
559                     assert!(self.stack.is_empty(), "only the topmost frame should ever be leaked");
560                     // Leak the locals, skip validation.
561                     return Ok(());
562                 }
563             }
564         }
565         // Deallocate all locals that are backed by an allocation.
566         for local in frame.locals {
567             self.deallocate_local(local.value)?;
568         }
569         // Validate the return value. Do this after deallocating so that we catch dangling
570         // references.
571         if let Some(return_place) = frame.return_place {
572             if M::enforce_validity(self) {
573                 // Data got changed, better make sure it matches the type!
574                 // It is still possible that the return place held invalid data while
575                 // the function is running, but that's okay because nobody could have
576                 // accessed that same data from the "outside" to observe any broken
577                 // invariant -- that is, unless a function somehow has a ptr to
578                 // its return place... but the way MIR is currently generated, the
579                 // return place is always a local and then this cannot happen.
580                 self.validate_operand(
581                     self.place_to_op(return_place)?,
582                     vec![],
583                     None,
584                     /*const_mode*/false,
585                 )?;
586             }
587         } else {
588             // Uh, that shouldn't happen... the function did not intend to return
589             return err!(Unreachable);
590         }
591         // Jump to new block -- *after* validation so that the spans make more sense.
592         match frame.return_to_block {
593             StackPopCleanup::Goto(block) => {
594                 self.goto_block(block)?;
595             }
596             StackPopCleanup::None { .. } => {}
597         }
598
599         if self.stack.len() > 0 {
600             info!("CONTINUING({}) {}", self.cur_frame(), self.frame().instance);
601         }
602
603         Ok(())
604     }
605
606     /// Mark a storage as live, killing the previous content and returning it.
607     /// Remember to deallocate that!
608     pub fn storage_live(
609         &mut self,
610         local: mir::Local
611     ) -> EvalResult<'tcx, LocalValue<M::PointerTag>> {
612         assert!(local != mir::RETURN_PLACE, "Cannot make return place live");
613         trace!("{:?} is now live", local);
614
615         let local_val = LocalValue::Uninitialized;
616         // StorageLive *always* kills the value that's currently stored
617         Ok(mem::replace(&mut self.frame_mut().locals[local].value, local_val))
618     }
619
620     /// Returns the old value of the local.
621     /// Remember to deallocate that!
622     pub fn storage_dead(&mut self, local: mir::Local) -> LocalValue<M::PointerTag> {
623         assert!(local != mir::RETURN_PLACE, "Cannot make return place dead");
624         trace!("{:?} is now dead", local);
625
626         mem::replace(&mut self.frame_mut().locals[local].value, LocalValue::Dead)
627     }
628
629     pub(super) fn deallocate_local(
630         &mut self,
631         local: LocalValue<M::PointerTag>,
632     ) -> EvalResult<'tcx> {
633         // FIXME: should we tell the user that there was a local which was never written to?
634         if let LocalValue::Live(Operand::Indirect(MemPlace { ptr, .. })) = local {
635             trace!("deallocating local");
636             let ptr = ptr.to_ptr()?;
637             self.memory.dump_alloc(ptr.alloc_id);
638             self.memory.deallocate_local(ptr)?;
639         };
640         Ok(())
641     }
642
643     pub fn const_eval_raw(
644         &self,
645         gid: GlobalId<'tcx>,
646     ) -> EvalResult<'tcx, MPlaceTy<'tcx, M::PointerTag>> {
647         let param_env = if self.tcx.is_static(gid.instance.def_id()) {
648             ty::ParamEnv::reveal_all()
649         } else {
650             self.param_env
651         };
652         // We use `const_eval_raw` here, and get an unvalidated result.  That is okay:
653         // Our result will later be validated anyway, and there seems no good reason
654         // to have to fail early here.  This is also more consistent with
655         // `Memory::get_static_alloc` which has to use `const_eval_raw` to avoid cycles.
656         let val = self.tcx.const_eval_raw(param_env.and(gid)).map_err(|err| {
657             match err {
658                 ErrorHandled::Reported => InterpError::ReferencedConstant,
659                 ErrorHandled::TooGeneric => InterpError::TooGeneric,
660             }
661         })?;
662         self.raw_const_to_mplace(val)
663     }
664
665     pub fn dump_place(&self, place: Place<M::PointerTag>) {
666         // Debug output
667         if !log_enabled!(::log::Level::Trace) {
668             return;
669         }
670         match place {
671             Place::Local { frame, local } => {
672                 let mut allocs = Vec::new();
673                 let mut msg = format!("{:?}", local);
674                 if frame != self.cur_frame() {
675                     write!(msg, " ({} frames up)", self.cur_frame() - frame).unwrap();
676                 }
677                 write!(msg, ":").unwrap();
678
679                 match self.stack[frame].locals[local].value {
680                     LocalValue::Dead => write!(msg, " is dead").unwrap(),
681                     LocalValue::Uninitialized => write!(msg, " is uninitialized").unwrap(),
682                     LocalValue::Live(Operand::Indirect(mplace)) => {
683                         match mplace.ptr {
684                             Scalar::Ptr(ptr) => {
685                                 write!(msg, " by align({}){} ref:",
686                                     mplace.align.bytes(),
687                                     match mplace.meta {
688                                         Some(meta) => format!(" meta({:?})", meta),
689                                         None => String::new()
690                                     }
691                                 ).unwrap();
692                                 allocs.push(ptr.alloc_id);
693                             }
694                             ptr => write!(msg, " by integral ref: {:?}", ptr).unwrap(),
695                         }
696                     }
697                     LocalValue::Live(Operand::Immediate(Immediate::Scalar(val))) => {
698                         write!(msg, " {:?}", val).unwrap();
699                         if let ScalarMaybeUndef::Scalar(Scalar::Ptr(ptr)) = val {
700                             allocs.push(ptr.alloc_id);
701                         }
702                     }
703                     LocalValue::Live(Operand::Immediate(Immediate::ScalarPair(val1, val2))) => {
704                         write!(msg, " ({:?}, {:?})", val1, val2).unwrap();
705                         if let ScalarMaybeUndef::Scalar(Scalar::Ptr(ptr)) = val1 {
706                             allocs.push(ptr.alloc_id);
707                         }
708                         if let ScalarMaybeUndef::Scalar(Scalar::Ptr(ptr)) = val2 {
709                             allocs.push(ptr.alloc_id);
710                         }
711                     }
712                 }
713
714                 trace!("{}", msg);
715                 self.memory.dump_allocs(allocs);
716             }
717             Place::Ptr(mplace) => {
718                 match mplace.ptr {
719                     Scalar::Ptr(ptr) => {
720                         trace!("by align({}) ref:", mplace.align.bytes());
721                         self.memory.dump_alloc(ptr.alloc_id);
722                     }
723                     ptr => trace!(" integral by ref: {:?}", ptr),
724                 }
725             }
726         }
727     }
728
729     pub fn generate_stacktrace(&self, explicit_span: Option<Span>) -> Vec<FrameInfo<'tcx>> {
730         let mut last_span = None;
731         let mut frames = Vec::new();
732         for &Frame { instance, span, mir, block, stmt, .. } in self.stack().iter().rev() {
733             // make sure we don't emit frames that are duplicates of the previous
734             if explicit_span == Some(span) {
735                 last_span = Some(span);
736                 continue;
737             }
738             if let Some(last) = last_span {
739                 if last == span {
740                     continue;
741                 }
742             } else {
743                 last_span = Some(span);
744             }
745             let block = &mir.basic_blocks()[block];
746             let source_info = if stmt < block.statements.len() {
747                 block.statements[stmt].source_info
748             } else {
749                 block.terminator().source_info
750             };
751             let lint_root = match mir.source_scope_local_data {
752                 mir::ClearCrossCrate::Set(ref ivs) => Some(ivs[source_info.scope].lint_root),
753                 mir::ClearCrossCrate::Clear => None,
754             };
755             frames.push(FrameInfo { call_site: span, instance, lint_root });
756         }
757         trace!("generate stacktrace: {:#?}, {:?}", frames, explicit_span);
758         frames
759     }
760
761     #[inline(always)]
762     pub fn sign_extend(&self, value: u128, ty: TyLayout<'_>) -> u128 {
763         assert!(ty.abi.is_signed());
764         sign_extend(value, ty.size)
765     }
766
767     #[inline(always)]
768     pub fn truncate(&self, value: u128, ty: TyLayout<'_>) -> u128 {
769         truncate(value, ty.size)
770     }
771 }