]> git.lizzy.rs Git - rust.git/blob - src/librustc_mir/interpret/operand.rs
Rollup merge of #62497 - o01eg:fix-62496, r=alexcrichton
[rust.git] / src / librustc_mir / 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
4 use std::convert::TryInto;
5
6 use rustc::{mir, ty};
7 use rustc::ty::layout::{
8     self, Size, LayoutOf, TyLayout, HasDataLayout, IntegerExt, VariantIdx,
9 };
10
11 use rustc::mir::interpret::{
12     GlobalId, AllocId,
13     ConstValue, Pointer, Scalar,
14     InterpResult, sign_extend, truncate,
15 };
16 use super::{
17     InterpCx, Machine,
18     MemPlace, MPlaceTy, PlaceTy, Place,
19 };
20 pub use rustc::mir::interpret::ScalarMaybeUndef;
21
22 /// A `Value` represents a single immediate self-contained Rust value.
23 ///
24 /// For optimization of a few very common cases, there is also a representation for a pair of
25 /// primitive values (`ScalarPair`). It allows Miri to avoid making allocations for checked binary
26 /// operations and fat pointers. This idea was taken from rustc's codegen.
27 /// In particular, thanks to `ScalarPair`, arithmetic operations and casts can be entirely
28 /// defined on `Immediate`, and do not have to work with a `Place`.
29 #[derive(Copy, Clone, Debug, Hash, PartialEq, Eq)]
30 pub enum Immediate<Tag=(), Id=AllocId> {
31     Scalar(ScalarMaybeUndef<Tag, Id>),
32     ScalarPair(ScalarMaybeUndef<Tag, Id>, ScalarMaybeUndef<Tag, Id>),
33 }
34
35 impl<Tag> From<ScalarMaybeUndef<Tag>> for Immediate<Tag> {
36     #[inline(always)]
37     fn from(val: ScalarMaybeUndef<Tag>) -> Self {
38         Immediate::Scalar(val)
39     }
40 }
41
42 impl<Tag> From<Scalar<Tag>> for Immediate<Tag> {
43     #[inline(always)]
44     fn from(val: Scalar<Tag>) -> Self {
45         Immediate::Scalar(val.into())
46     }
47 }
48
49 impl<'tcx, Tag> Immediate<Tag> {
50     pub fn new_slice(
51         val: Scalar<Tag>,
52         len: u64,
53         cx: &impl HasDataLayout
54     ) -> Self {
55         Immediate::ScalarPair(
56             val.into(),
57             Scalar::from_uint(len, cx.data_layout().pointer_size).into(),
58         )
59     }
60
61     pub fn new_dyn_trait(val: Scalar<Tag>, vtable: Pointer<Tag>) -> Self {
62         Immediate::ScalarPair(val.into(), Scalar::Ptr(vtable).into())
63     }
64
65     #[inline]
66     pub fn to_scalar_or_undef(self) -> ScalarMaybeUndef<Tag> {
67         match self {
68             Immediate::Scalar(val) => val,
69             Immediate::ScalarPair(..) => bug!("Got a fat pointer where a scalar was expected"),
70         }
71     }
72
73     #[inline]
74     pub fn to_scalar(self) -> InterpResult<'tcx, Scalar<Tag>> {
75         self.to_scalar_or_undef().not_undef()
76     }
77
78     #[inline]
79     pub fn to_scalar_pair(self) -> InterpResult<'tcx, (Scalar<Tag>, Scalar<Tag>)> {
80         match self {
81             Immediate::Scalar(..) => bug!("Got a thin pointer where a scalar pair was expected"),
82             Immediate::ScalarPair(a, b) => Ok((a.not_undef()?, b.not_undef()?))
83         }
84     }
85
86     /// Converts the immediate into a pointer (or a pointer-sized integer).
87     /// Throws away the second half of a ScalarPair!
88     #[inline]
89     pub fn to_scalar_ptr(self) -> InterpResult<'tcx, Scalar<Tag>> {
90         match self {
91             Immediate::Scalar(ptr) |
92             Immediate::ScalarPair(ptr, _) => ptr.not_undef(),
93         }
94     }
95
96     /// Converts the value into its metadata.
97     /// Throws away the first half of a ScalarPair!
98     #[inline]
99     pub fn to_meta(self) -> InterpResult<'tcx, Option<Scalar<Tag>>> {
100         Ok(match self {
101             Immediate::Scalar(_) => None,
102             Immediate::ScalarPair(_, meta) => Some(meta.not_undef()?),
103         })
104     }
105 }
106
107 // ScalarPair needs a type to interpret, so we often have an immediate and a type together
108 // as input for binary and cast operations.
109 #[derive(Copy, Clone, Debug)]
110 pub struct ImmTy<'tcx, Tag=()> {
111     pub(crate) imm: Immediate<Tag>,
112     pub layout: TyLayout<'tcx>,
113 }
114
115 impl<'tcx, Tag> ::std::ops::Deref for ImmTy<'tcx, Tag> {
116     type Target = Immediate<Tag>;
117     #[inline(always)]
118     fn deref(&self) -> &Immediate<Tag> {
119         &self.imm
120     }
121 }
122
123 /// An `Operand` is the result of computing a `mir::Operand`. It can be immediate,
124 /// or still in memory. The latter is an optimization, to delay reading that chunk of
125 /// memory and to avoid having to store arbitrary-sized data here.
126 #[derive(Copy, Clone, Debug, Hash, PartialEq, Eq)]
127 pub enum Operand<Tag=(), Id=AllocId> {
128     Immediate(Immediate<Tag, Id>),
129     Indirect(MemPlace<Tag, Id>),
130 }
131
132 impl<Tag> Operand<Tag> {
133     #[inline]
134     pub fn assert_mem_place(self) -> MemPlace<Tag>
135         where Tag: ::std::fmt::Debug
136     {
137         match self {
138             Operand::Indirect(mplace) => mplace,
139             _ => bug!("assert_mem_place: expected Operand::Indirect, got {:?}", self),
140
141         }
142     }
143
144     #[inline]
145     pub fn assert_immediate(self) -> Immediate<Tag>
146         where Tag: ::std::fmt::Debug
147     {
148         match self {
149             Operand::Immediate(imm) => imm,
150             _ => bug!("assert_immediate: expected Operand::Immediate, got {:?}", self),
151
152         }
153     }
154 }
155
156 #[derive(Copy, Clone, Debug, Hash, PartialEq, Eq)]
157 pub struct OpTy<'tcx, Tag=()> {
158     op: Operand<Tag>, // Keep this private, it helps enforce invariants
159     pub layout: TyLayout<'tcx>,
160 }
161
162 impl<'tcx, Tag> ::std::ops::Deref for OpTy<'tcx, Tag> {
163     type Target = Operand<Tag>;
164     #[inline(always)]
165     fn deref(&self) -> &Operand<Tag> {
166         &self.op
167     }
168 }
169
170 impl<'tcx, Tag: Copy> From<MPlaceTy<'tcx, Tag>> for OpTy<'tcx, Tag> {
171     #[inline(always)]
172     fn from(mplace: MPlaceTy<'tcx, Tag>) -> Self {
173         OpTy {
174             op: Operand::Indirect(*mplace),
175             layout: mplace.layout
176         }
177     }
178 }
179
180 impl<'tcx, Tag> From<ImmTy<'tcx, Tag>> for OpTy<'tcx, Tag> {
181     #[inline(always)]
182     fn from(val: ImmTy<'tcx, Tag>) -> Self {
183         OpTy {
184             op: Operand::Immediate(val.imm),
185             layout: val.layout
186         }
187     }
188 }
189
190 impl<'tcx, Tag: Copy> ImmTy<'tcx, Tag> {
191     #[inline]
192     pub fn from_scalar(val: Scalar<Tag>, layout: TyLayout<'tcx>) -> Self {
193         ImmTy { imm: val.into(), layout }
194     }
195
196     #[inline]
197     pub fn from_uint(i: impl Into<u128>, layout: TyLayout<'tcx>) -> Self {
198         Self::from_scalar(Scalar::from_uint(i, layout.size), layout)
199     }
200
201     #[inline]
202     pub fn from_int(i: impl Into<i128>, layout: TyLayout<'tcx>) -> Self {
203         Self::from_scalar(Scalar::from_int(i, layout.size), layout)
204     }
205
206     #[inline]
207     pub fn to_bits(self) -> InterpResult<'tcx, u128> {
208         self.to_scalar()?.to_bits(self.layout.size)
209     }
210 }
211
212 // Use the existing layout if given (but sanity check in debug mode),
213 // or compute the layout.
214 #[inline(always)]
215 pub(super) fn from_known_layout<'tcx>(
216     layout: Option<TyLayout<'tcx>>,
217     compute: impl FnOnce() -> InterpResult<'tcx, TyLayout<'tcx>>
218 ) -> InterpResult<'tcx, TyLayout<'tcx>> {
219     match layout {
220         None => compute(),
221         Some(layout) => {
222             if cfg!(debug_assertions) {
223                 let layout2 = compute()?;
224                 assert_eq!(layout.details, layout2.details,
225                     "Mismatch in layout of supposedly equal-layout types {:?} and {:?}",
226                     layout.ty, layout2.ty);
227             }
228             Ok(layout)
229         }
230     }
231 }
232
233 impl<'mir, 'tcx, M: Machine<'mir, 'tcx>> InterpCx<'mir, 'tcx, M> {
234     /// Normalice `place.ptr` to a `Pointer` if this is a place and not a ZST.
235     /// Can be helpful to avoid lots of `force_ptr` calls later, if this place is used a lot.
236     #[inline]
237     pub fn force_op_ptr(
238         &self,
239         op: OpTy<'tcx, M::PointerTag>,
240     ) -> InterpResult<'tcx, OpTy<'tcx, M::PointerTag>> {
241         match op.try_as_mplace() {
242             Ok(mplace) => Ok(self.force_mplace_ptr(mplace)?.into()),
243             Err(imm) => Ok(imm.into()), // Nothing to cast/force
244         }
245     }
246
247     /// Try reading an immediate in memory; this is interesting particularly for `ScalarPair`.
248     /// Returns `None` if the layout does not permit loading this as a value.
249     fn try_read_immediate_from_mplace(
250         &self,
251         mplace: MPlaceTy<'tcx, M::PointerTag>,
252     ) -> InterpResult<'tcx, Option<ImmTy<'tcx, M::PointerTag>>> {
253         if mplace.layout.is_unsized() {
254             // Don't touch unsized
255             return Ok(None);
256         }
257
258         let ptr = match self.check_mplace_access(mplace, None)
259             .expect("places should be checked on creation")
260         {
261             Some(ptr) => ptr,
262             None => return Ok(Some(ImmTy { // zero-sized type
263                 imm: Scalar::zst().into(),
264                 layout: mplace.layout,
265             })),
266         };
267
268         match mplace.layout.abi {
269             layout::Abi::Scalar(..) => {
270                 let scalar = self.memory
271                     .get(ptr.alloc_id)?
272                     .read_scalar(self, ptr, mplace.layout.size)?;
273                 Ok(Some(ImmTy {
274                     imm: scalar.into(),
275                     layout: mplace.layout,
276                 }))
277             }
278             layout::Abi::ScalarPair(ref a, ref b) => {
279                 // We checked `ptr_align` above, so all fields will have the alignment they need.
280                 // We would anyway check against `ptr_align.restrict_for_offset(b_offset)`,
281                 // which `ptr.offset(b_offset)` cannot possibly fail to satisfy.
282                 let (a, b) = (&a.value, &b.value);
283                 let (a_size, b_size) = (a.size(self), b.size(self));
284                 let a_ptr = ptr;
285                 let b_offset = a_size.align_to(b.align(self).abi);
286                 assert!(b_offset.bytes() > 0); // we later use the offset to tell apart the fields
287                 let b_ptr = ptr.offset(b_offset, self)?;
288                 let a_val = self.memory
289                     .get(ptr.alloc_id)?
290                     .read_scalar(self, a_ptr, a_size)?;
291                 let b_val = self.memory
292                     .get(ptr.alloc_id)?
293                     .read_scalar(self, b_ptr, b_size)?;
294                 Ok(Some(ImmTy {
295                     imm: Immediate::ScalarPair(a_val, b_val),
296                     layout: mplace.layout,
297                 }))
298             }
299             _ => Ok(None),
300         }
301     }
302
303     /// Try returning an immediate for the operand.
304     /// If the layout does not permit loading this as an immediate, return where in memory
305     /// we can find the data.
306     /// Note that for a given layout, this operation will either always fail or always
307     /// succeed!  Whether it succeeds depends on whether the layout can be represented
308     /// in a `Immediate`, not on which data is stored there currently.
309     pub(crate) fn try_read_immediate(
310         &self,
311         src: OpTy<'tcx, M::PointerTag>,
312     ) -> InterpResult<'tcx, Result<ImmTy<'tcx, M::PointerTag>, MPlaceTy<'tcx, M::PointerTag>>> {
313         Ok(match src.try_as_mplace() {
314             Ok(mplace) => {
315                 if let Some(val) = self.try_read_immediate_from_mplace(mplace)? {
316                     Ok(val)
317                 } else {
318                     Err(mplace)
319                 }
320             },
321             Err(val) => Ok(val),
322         })
323     }
324
325     /// Read an immediate from a place, asserting that that is possible with the given layout.
326     #[inline(always)]
327     pub fn read_immediate(
328         &self,
329         op: OpTy<'tcx, M::PointerTag>
330     ) -> InterpResult<'tcx, ImmTy<'tcx, M::PointerTag>> {
331         if let Ok(imm) = self.try_read_immediate(op)? {
332             Ok(imm)
333         } else {
334             bug!("primitive read failed for type: {:?}", op.layout.ty);
335         }
336     }
337
338     /// Read a scalar from a place
339     pub fn read_scalar(
340         &self,
341         op: OpTy<'tcx, M::PointerTag>
342     ) -> InterpResult<'tcx, ScalarMaybeUndef<M::PointerTag>> {
343         Ok(self.read_immediate(op)?.to_scalar_or_undef())
344     }
345
346     // Turn the MPlace into a string (must already be dereferenced!)
347     pub fn read_str(
348         &self,
349         mplace: MPlaceTy<'tcx, M::PointerTag>,
350     ) -> InterpResult<'tcx, &str> {
351         let len = mplace.len(self)?;
352         let bytes = self.memory.read_bytes(mplace.ptr, Size::from_bytes(len as u64))?;
353         let str = ::std::str::from_utf8(bytes).map_err(|err| {
354             err_unsup!(ValidationFailure(err.to_string()))
355         })?;
356         Ok(str)
357     }
358
359     /// Projection functions
360     pub fn operand_field(
361         &self,
362         op: OpTy<'tcx, M::PointerTag>,
363         field: u64,
364     ) -> InterpResult<'tcx, OpTy<'tcx, M::PointerTag>> {
365         let base = match op.try_as_mplace() {
366             Ok(mplace) => {
367                 // The easy case
368                 let field = self.mplace_field(mplace, field)?;
369                 return Ok(field.into());
370             },
371             Err(value) => value
372         };
373
374         let field = field.try_into().unwrap();
375         let field_layout = op.layout.field(self, field)?;
376         if field_layout.is_zst() {
377             let immediate = Scalar::zst().into();
378             return Ok(OpTy { op: Operand::Immediate(immediate), layout: field_layout });
379         }
380         let offset = op.layout.fields.offset(field);
381         let immediate = match *base {
382             // the field covers the entire type
383             _ if offset.bytes() == 0 && field_layout.size == op.layout.size => *base,
384             // extract fields from types with `ScalarPair` ABI
385             Immediate::ScalarPair(a, b) => {
386                 let val = if offset.bytes() == 0 { a } else { b };
387                 Immediate::from(val)
388             },
389             Immediate::Scalar(val) =>
390                 bug!("field access on non aggregate {:#?}, {:#?}", val, op.layout),
391         };
392         Ok(OpTy { op: Operand::Immediate(immediate), layout: field_layout })
393     }
394
395     pub fn operand_downcast(
396         &self,
397         op: OpTy<'tcx, M::PointerTag>,
398         variant: VariantIdx,
399     ) -> InterpResult<'tcx, OpTy<'tcx, M::PointerTag>> {
400         // Downcasts only change the layout
401         Ok(match op.try_as_mplace() {
402             Ok(mplace) => {
403                 self.mplace_downcast(mplace, variant)?.into()
404             },
405             Err(..) => {
406                 let layout = op.layout.for_variant(self, variant);
407                 OpTy { layout, ..op }
408             }
409         })
410     }
411
412     pub fn operand_projection(
413         &self,
414         base: OpTy<'tcx, M::PointerTag>,
415         proj_elem: &mir::PlaceElem<'tcx>,
416     ) -> InterpResult<'tcx, OpTy<'tcx, M::PointerTag>> {
417         use rustc::mir::ProjectionElem::*;
418         Ok(match *proj_elem {
419             Field(field, _) => self.operand_field(base, field.index() as u64)?,
420             Downcast(_, variant) => self.operand_downcast(base, variant)?,
421             Deref => self.deref_operand(base)?.into(),
422             Subslice { .. } | ConstantIndex { .. } | Index(_) => if base.layout.is_zst() {
423                 OpTy {
424                     op: Operand::Immediate(Scalar::zst().into()),
425                     // the actual index doesn't matter, so we just pick a convenient one like 0
426                     layout: base.layout.field(self, 0)?,
427                 }
428             } else {
429                 // The rest should only occur as mplace, we do not use Immediates for types
430                 // allowing such operations.  This matches place_projection forcing an allocation.
431                 let mplace = base.assert_mem_place();
432                 self.mplace_projection(mplace, proj_elem)?.into()
433             }
434         })
435     }
436
437     /// This is used by [priroda](https://github.com/oli-obk/priroda) to get an OpTy from a local
438     pub fn access_local(
439         &self,
440         frame: &super::Frame<'mir, 'tcx, M::PointerTag, M::FrameExtra>,
441         local: mir::Local,
442         layout: Option<TyLayout<'tcx>>,
443     ) -> InterpResult<'tcx, OpTy<'tcx, M::PointerTag>> {
444         assert_ne!(local, mir::RETURN_PLACE);
445         let layout = self.layout_of_local(frame, local, layout)?;
446         let op = if layout.is_zst() {
447             // Do not read from ZST, they might not be initialized
448             Operand::Immediate(Scalar::zst().into())
449         } else {
450             frame.locals[local].access()?
451         };
452         Ok(OpTy { op, layout })
453     }
454
455     /// Every place can be read from, so we can turn them into an operand
456     #[inline(always)]
457     pub fn place_to_op(
458         &self,
459         place: PlaceTy<'tcx, M::PointerTag>
460     ) -> InterpResult<'tcx, OpTy<'tcx, M::PointerTag>> {
461         let op = match *place {
462             Place::Ptr(mplace) => {
463                 Operand::Indirect(mplace)
464             }
465             Place::Local { frame, local } =>
466                 *self.access_local(&self.stack[frame], local, None)?
467         };
468         Ok(OpTy { op, layout: place.layout })
469     }
470
471     // Evaluate a place with the goal of reading from it.  This lets us sometimes
472     // avoid allocations.
473     pub(super) fn eval_place_to_op(
474         &self,
475         mir_place: &mir::Place<'tcx>,
476         layout: Option<TyLayout<'tcx>>,
477     ) -> InterpResult<'tcx, OpTy<'tcx, M::PointerTag>> {
478         use rustc::mir::PlaceBase;
479
480         mir_place.iterate(|place_base, place_projection| {
481             let mut op = match place_base {
482                 PlaceBase::Local(mir::RETURN_PLACE) =>
483                     throw_unsup!(ReadFromReturnPointer),
484                 PlaceBase::Local(local) => {
485                     // Do not use the layout passed in as argument if the base we are looking at
486                     // here is not the entire place.
487                     // FIXME use place_projection.is_empty() when is available
488                     let layout = if mir_place.projection.is_none() {
489                         layout
490                     } else {
491                         None
492                     };
493
494                     self.access_local(self.frame(), *local, layout)?
495                 }
496                 PlaceBase::Static(place_static) => {
497                     self.eval_static_to_mplace(place_static)?.into()
498                 }
499             };
500
501             for proj in place_projection {
502                 op = self.operand_projection(op, &proj.elem)?
503             }
504
505             trace!("eval_place_to_op: got {:?}", *op);
506             Ok(op)
507         })
508     }
509
510     /// Evaluate the operand, returning a place where you can then find the data.
511     /// If you already know the layout, you can save two table lookups
512     /// by passing it in here.
513     pub fn eval_operand(
514         &self,
515         mir_op: &mir::Operand<'tcx>,
516         layout: Option<TyLayout<'tcx>>,
517     ) -> InterpResult<'tcx, OpTy<'tcx, M::PointerTag>> {
518         use rustc::mir::Operand::*;
519         let op = match *mir_op {
520             // FIXME: do some more logic on `move` to invalidate the old location
521             Copy(ref place) |
522             Move(ref place) =>
523                 self.eval_place_to_op(place, layout)?,
524
525             Constant(ref constant) => {
526                 let val = self.subst_from_frame_and_normalize_erasing_regions(constant.literal);
527                 self.eval_const_to_op(val, layout)?
528             }
529         };
530         trace!("{:?}: {:?}", mir_op, *op);
531         Ok(op)
532     }
533
534     /// Evaluate a bunch of operands at once
535     pub(super) fn eval_operands(
536         &self,
537         ops: &[mir::Operand<'tcx>],
538     ) -> InterpResult<'tcx, Vec<OpTy<'tcx, M::PointerTag>>> {
539         ops.into_iter()
540             .map(|op| self.eval_operand(op, None))
541             .collect()
542     }
543
544     // Used when the miri-engine runs into a constant and for extracting information from constants
545     // in patterns via the `const_eval` module
546     /// The `val` and `layout` are assumed to already be in our interpreter
547     /// "universe" (param_env).
548     crate fn eval_const_to_op(
549         &self,
550         val: &'tcx ty::Const<'tcx>,
551         layout: Option<TyLayout<'tcx>>,
552     ) -> InterpResult<'tcx, OpTy<'tcx, M::PointerTag>> {
553         let tag_scalar = |scalar| match scalar {
554             Scalar::Ptr(ptr) => Scalar::Ptr(self.tag_static_base_pointer(ptr)),
555             Scalar::Raw { data, size } => Scalar::Raw { data, size },
556         };
557         // Early-return cases.
558         match val.val {
559             ConstValue::Param(_) =>
560                 throw_inval!(TooGeneric),
561             ConstValue::Unevaluated(def_id, substs) => {
562                 let instance = self.resolve(def_id, substs)?;
563                 return Ok(OpTy::from(self.const_eval_raw(GlobalId {
564                     instance,
565                     promoted: None,
566                 })?));
567             }
568             _ => {}
569         }
570         // Other cases need layout.
571         let layout = from_known_layout(layout, || {
572             self.layout_of(val.ty)
573         })?;
574         let op = match val.val {
575             ConstValue::ByRef { alloc, offset } => {
576                 let id = self.tcx.alloc_map.lock().create_memory_alloc(alloc);
577                 // We rely on mutability being set correctly in that allocation to prevent writes
578                 // where none should happen.
579                 let ptr = self.tag_static_base_pointer(Pointer::new(id, offset));
580                 Operand::Indirect(MemPlace::from_ptr(ptr, layout.align.abi))
581             },
582             ConstValue::Scalar(x) =>
583                 Operand::Immediate(tag_scalar(x).into()),
584             ConstValue::Slice { data, start, end } => {
585                 // We rely on mutability being set correctly in `data` to prevent writes
586                 // where none should happen.
587                 let ptr = Pointer::new(
588                     self.tcx.alloc_map.lock().create_memory_alloc(data),
589                     Size::from_bytes(start as u64), // offset: `start`
590                 );
591                 Operand::Immediate(Immediate::new_slice(
592                     self.tag_static_base_pointer(ptr).into(),
593                     (end - start) as u64, // len: `end - start`
594                     self,
595                 ))
596             }
597             ConstValue::Param(..) |
598             ConstValue::Infer(..) |
599             ConstValue::Placeholder(..) |
600             ConstValue::Unevaluated(..) =>
601                 bug!("eval_const_to_op: Unexpected ConstValue {:?}", val),
602         };
603         Ok(OpTy { op, layout })
604     }
605
606     /// Read discriminant, return the runtime value as well as the variant index.
607     pub fn read_discriminant(
608         &self,
609         rval: OpTy<'tcx, M::PointerTag>,
610     ) -> InterpResult<'tcx, (u128, VariantIdx)> {
611         trace!("read_discriminant_value {:#?}", rval.layout);
612
613         let (discr_kind, discr_index) = match rval.layout.variants {
614             layout::Variants::Single { index } => {
615                 let discr_val = rval.layout.ty.discriminant_for_variant(*self.tcx, index).map_or(
616                     index.as_u32() as u128,
617                     |discr| discr.val);
618                 return Ok((discr_val, index));
619             }
620             layout::Variants::Multiple { ref discr_kind, discr_index, .. } =>
621                 (discr_kind, discr_index),
622         };
623
624         // read raw discriminant value
625         let discr_op = self.operand_field(rval, discr_index as u64)?;
626         let discr_val = self.read_immediate(discr_op)?;
627         let raw_discr = discr_val.to_scalar_or_undef();
628         trace!("discr value: {:?}", raw_discr);
629         // post-process
630         Ok(match *discr_kind {
631             layout::DiscriminantKind::Tag => {
632                 let bits_discr = match raw_discr.to_bits(discr_val.layout.size) {
633                     Ok(raw_discr) => raw_discr,
634                     Err(_) =>
635                         throw_unsup!(InvalidDiscriminant(raw_discr.erase_tag())),
636                 };
637                 let real_discr = if discr_val.layout.ty.is_signed() {
638                     // going from layout tag type to typeck discriminant type
639                     // requires first sign extending with the layout discriminant
640                     let sexted = sign_extend(bits_discr, discr_val.layout.size) as i128;
641                     // and then zeroing with the typeck discriminant type
642                     let discr_ty = rval.layout.ty
643                         .ty_adt_def().expect("tagged layout corresponds to adt")
644                         .repr
645                         .discr_type();
646                     let size = layout::Integer::from_attr(self, discr_ty).size();
647                     let truncatee = sexted as u128;
648                     truncate(truncatee, size)
649                 } else {
650                     bits_discr
651                 };
652                 // Make sure we catch invalid discriminants
653                 let index = match &rval.layout.ty.sty {
654                     ty::Adt(adt, _) => adt
655                         .discriminants(self.tcx.tcx)
656                         .find(|(_, var)| var.val == real_discr),
657                     ty::Generator(def_id, substs, _) => substs
658                         .discriminants(*def_id, self.tcx.tcx)
659                         .find(|(_, var)| var.val == real_discr),
660                     _ => bug!("tagged layout for non-adt non-generator"),
661                 }.ok_or_else(
662                     || err_unsup!(InvalidDiscriminant(raw_discr.erase_tag()))
663                 )?;
664                 (real_discr, index.0)
665             },
666             layout::DiscriminantKind::Niche {
667                 dataful_variant,
668                 ref niche_variants,
669                 niche_start,
670             } => {
671                 let variants_start = niche_variants.start().as_u32() as u128;
672                 let variants_end = niche_variants.end().as_u32() as u128;
673                 let raw_discr = raw_discr.not_undef().map_err(|_| {
674                     err_unsup!(InvalidDiscriminant(ScalarMaybeUndef::Undef))
675                 })?;
676                 match raw_discr.to_bits_or_ptr(discr_val.layout.size, self) {
677                     Err(ptr) => {
678                         // The niche must be just 0 (which an inbounds pointer value never is)
679                         let ptr_valid = niche_start == 0 && variants_start == variants_end &&
680                             !self.memory.ptr_may_be_null(ptr);
681                         if !ptr_valid {
682                             throw_unsup!(InvalidDiscriminant(raw_discr.erase_tag().into()))
683                         }
684                         (dataful_variant.as_u32() as u128, dataful_variant)
685                     },
686                     Ok(raw_discr) => {
687                         let adjusted_discr = raw_discr.wrapping_sub(niche_start)
688                             .wrapping_add(variants_start);
689                         if variants_start <= adjusted_discr && adjusted_discr <= variants_end {
690                             let index = adjusted_discr as usize;
691                             assert_eq!(index as u128, adjusted_discr);
692                             assert!(index < rval.layout.ty
693                                 .ty_adt_def()
694                                 .expect("tagged layout for non adt")
695                                 .variants.len());
696                             (adjusted_discr, VariantIdx::from_usize(index))
697                         } else {
698                             (dataful_variant.as_u32() as u128, dataful_variant)
699                         }
700                     },
701                 }
702             }
703         })
704     }
705 }