]> git.lizzy.rs Git - rust.git/blob - src/librustc/mir/tcx.rs
ccf7d8fbf8668ed83603befccb698538c4f37630
[rust.git] / src / librustc / mir / tcx.rs
1 /*!
2  * Methods for the various MIR types. These are intended for use after
3  * building is complete.
4  */
5
6 use crate::mir::*;
7 use crate::ty::subst::Subst;
8 use crate::ty::{self, Ty, TyCtxt};
9 use crate::ty::layout::VariantIdx;
10 use crate::hir;
11 use crate::ty::util::IntTypeExt;
12
13 #[derive(Copy, Clone, Debug, TypeFoldable)]
14 pub struct PlaceTy<'tcx> {
15     pub ty: Ty<'tcx>,
16     /// Downcast to a particular variant of an enum, if included.
17     pub variant_index: Option<VariantIdx>,
18 }
19
20 // At least on 64 bit systems, `PlaceTy` should not be larger than two or three pointers.
21 #[cfg(target_arch = "x86_64")]
22 static_assert_size!(PlaceTy<'_>, 16);
23
24 impl<'tcx> PlaceTy<'tcx> {
25     pub fn from_ty(ty: Ty<'tcx>) -> PlaceTy<'tcx> {
26         PlaceTy { ty, variant_index: None }
27     }
28
29     /// `place_ty.field_ty(tcx, f)` computes the type at a given field
30     /// of a record or enum-variant. (Most clients of `PlaceTy` can
31     /// instead just extract the relevant type directly from their
32     /// `PlaceElem`, but some instances of `ProjectionElem<V, T>` do
33     /// not carry a `Ty` for `T`.)
34     ///
35     /// Note that the resulting type has not been normalized.
36     pub fn field_ty(self, tcx: TyCtxt<'tcx>, f: &Field) -> Ty<'tcx> {
37         let answer = match self.ty.kind {
38             ty::Adt(adt_def, substs) => {
39                 let variant_def = match self.variant_index {
40                     None => adt_def.non_enum_variant(),
41                     Some(variant_index) => {
42                         assert!(adt_def.is_enum());
43                         &adt_def.variants[variant_index]
44                     }
45                 };
46                 let field_def = &variant_def.fields[f.index()];
47                 field_def.ty(tcx, substs)
48             }
49             ty::Tuple(ref tys) => tys[f.index()].expect_ty(),
50             _ => bug!("extracting field of non-tuple non-adt: {:?}", self),
51         };
52         debug!("field_ty self: {:?} f: {:?} yields: {:?}", self, f, answer);
53         answer
54     }
55
56     /// Convenience wrapper around `projection_ty_core` for
57     /// `PlaceElem`, where we can just use the `Ty` that is already
58     /// stored inline on field projection elems.
59     pub fn projection_ty(self, tcx: TyCtxt<'tcx>, elem: &PlaceElem<'tcx>) -> PlaceTy<'tcx> {
60         self.projection_ty_core(tcx, ty::ParamEnv::empty(), elem, |_, _, ty| ty)
61     }
62
63     /// `place_ty.projection_ty_core(tcx, elem, |...| { ... })`
64     /// projects `place_ty` onto `elem`, returning the appropriate
65     /// `Ty` or downcast variant corresponding to that projection.
66     /// The `handle_field` callback must map a `Field` to its `Ty`,
67     /// (which should be trivial when `T` = `Ty`).
68     pub fn projection_ty_core<V, T>(
69         self,
70         tcx: TyCtxt<'tcx>,
71         param_env: ty::ParamEnv<'tcx>,
72         elem: &ProjectionElem<V, T>,
73         mut handle_field: impl FnMut(&Self, &Field, &T) -> Ty<'tcx>,
74     ) -> PlaceTy<'tcx>
75     where
76         V: ::std::fmt::Debug,
77         T: ::std::fmt::Debug,
78     {
79         let answer = match *elem {
80             ProjectionElem::Deref => {
81                 let ty = self.ty
82                              .builtin_deref(true)
83                              .unwrap_or_else(|| {
84                                  bug!("deref projection of non-dereferencable ty {:?}", self)
85                              })
86                              .ty;
87                 PlaceTy::from_ty(ty)
88             }
89             ProjectionElem::Index(_) | ProjectionElem::ConstantIndex { .. } =>
90                 PlaceTy::from_ty(self.ty.builtin_index().unwrap()),
91             ProjectionElem::Subslice { from, to } => {
92                 PlaceTy::from_ty(match self.ty.kind {
93                     ty::Array(inner, size) => {
94                         let size = size.eval_usize(tcx, param_env);
95                         let len = size - (from as u64) - (to as u64);
96                         tcx.mk_array(inner, len)
97                     }
98                     ty::Slice(..) => self.ty,
99                     _ => {
100                         bug!("cannot subslice non-array type: `{:?}`", self)
101                     }
102                 })
103             }
104             ProjectionElem::Downcast(_name, index) =>
105                 PlaceTy { ty: self.ty, variant_index: Some(index) },
106             ProjectionElem::Field(ref f, ref fty) =>
107                 PlaceTy::from_ty(handle_field(&self, f, fty)),
108         };
109         debug!("projection_ty self: {:?} elem: {:?} yields: {:?}", self, elem, answer);
110         answer
111     }
112 }
113
114 impl<'tcx> Place<'tcx> {
115     pub fn ty_from<D>(
116         base: &PlaceBase<'tcx>,
117         projection: &[PlaceElem<'tcx>],
118         local_decls: &D,
119         tcx: TyCtxt<'tcx>
120     ) -> PlaceTy<'tcx>
121         where D: HasLocalDecls<'tcx>
122     {
123         projection.iter().fold(
124             base.ty(local_decls),
125             |place_ty, elem| place_ty.projection_ty(tcx, elem)
126         )
127     }
128
129     pub fn ty<D>(&self, local_decls: &D, tcx: TyCtxt<'tcx>) -> PlaceTy<'tcx>
130     where
131         D: HasLocalDecls<'tcx>,
132     {
133         Place::ty_from(&self.base, &self.projection, local_decls, tcx)
134     }
135 }
136
137 impl<'tcx> PlaceBase<'tcx> {
138     pub fn ty<D>(&self, local_decls: &D) -> PlaceTy<'tcx>
139         where D: HasLocalDecls<'tcx>
140     {
141         match self {
142             PlaceBase::Local(index) => PlaceTy::from_ty(local_decls.local_decls()[*index].ty),
143             PlaceBase::Static(data) => PlaceTy::from_ty(data.ty),
144         }
145     }
146 }
147
148 pub enum RvalueInitializationState {
149     Shallow,
150     Deep
151 }
152
153 impl<'tcx> Rvalue<'tcx> {
154     pub fn ty<D>(&self, local_decls: &D, tcx: TyCtxt<'tcx>) -> Ty<'tcx>
155     where
156         D: HasLocalDecls<'tcx>,
157     {
158         match *self {
159             Rvalue::Use(ref operand) => operand.ty(local_decls, tcx),
160             Rvalue::Repeat(ref operand, count) => {
161                 tcx.mk_array(operand.ty(local_decls, tcx), count)
162             }
163             Rvalue::Ref(reg, bk, ref place) => {
164                 let place_ty = place.ty(local_decls, tcx).ty;
165                 tcx.mk_ref(reg,
166                     ty::TypeAndMut {
167                         ty: place_ty,
168                         mutbl: bk.to_mutbl_lossy()
169                     }
170                 )
171             }
172             Rvalue::Len(..) => tcx.types.usize,
173             Rvalue::Cast(.., ty) => ty,
174             Rvalue::BinaryOp(op, ref lhs, ref rhs) => {
175                 let lhs_ty = lhs.ty(local_decls, tcx);
176                 let rhs_ty = rhs.ty(local_decls, tcx);
177                 op.ty(tcx, lhs_ty, rhs_ty)
178             }
179             Rvalue::CheckedBinaryOp(op, ref lhs, ref rhs) => {
180                 let lhs_ty = lhs.ty(local_decls, tcx);
181                 let rhs_ty = rhs.ty(local_decls, tcx);
182                 let ty = op.ty(tcx, lhs_ty, rhs_ty);
183                 tcx.intern_tup(&[ty, tcx.types.bool])
184             }
185             Rvalue::UnaryOp(UnOp::Not, ref operand) |
186             Rvalue::UnaryOp(UnOp::Neg, ref operand) => {
187                 operand.ty(local_decls, tcx)
188             }
189             Rvalue::Discriminant(ref place) => {
190                 let ty = place.ty(local_decls, tcx).ty;
191                 match ty.kind {
192                     ty::Adt(adt_def, _) => adt_def.repr.discr_type().to_ty(tcx),
193                     ty::Generator(_, substs, _) => substs.as_generator().discr_ty(tcx),
194                     _ => {
195                         // This can only be `0`, for now, so `u8` will suffice.
196                         tcx.types.u8
197                     }
198                 }
199             }
200             Rvalue::NullaryOp(NullOp::Box, t) => tcx.mk_box(t),
201             Rvalue::NullaryOp(NullOp::SizeOf, _) => tcx.types.usize,
202             Rvalue::Aggregate(ref ak, ref ops) => {
203                 match **ak {
204                     AggregateKind::Array(ty) => {
205                         tcx.mk_array(ty, ops.len() as u64)
206                     }
207                     AggregateKind::Tuple => {
208                         tcx.mk_tup(ops.iter().map(|op| op.ty(local_decls, tcx)))
209                     }
210                     AggregateKind::Adt(def, _, substs, _, _) => {
211                         tcx.type_of(def.did).subst(tcx, substs)
212                     }
213                     AggregateKind::Closure(did, substs) => {
214                         tcx.mk_closure(did, substs)
215                     }
216                     AggregateKind::Generator(did, substs, movability) => {
217                         tcx.mk_generator(did, substs, movability)
218                     }
219                 }
220             }
221         }
222     }
223
224     #[inline]
225     /// Returns `true` if this rvalue is deeply initialized (most rvalues) or
226     /// whether its only shallowly initialized (`Rvalue::Box`).
227     pub fn initialization_state(&self) -> RvalueInitializationState {
228         match *self {
229             Rvalue::NullaryOp(NullOp::Box, _) => RvalueInitializationState::Shallow,
230             _ => RvalueInitializationState::Deep
231         }
232     }
233 }
234
235 impl<'tcx> Operand<'tcx> {
236     pub fn ty<D>(&self, local_decls: &D, tcx: TyCtxt<'tcx>) -> Ty<'tcx>
237     where
238         D: HasLocalDecls<'tcx>,
239     {
240         match self {
241             &Operand::Copy(ref l) |
242             &Operand::Move(ref l) => l.ty(local_decls, tcx).ty,
243             &Operand::Constant(ref c) => c.literal.ty,
244         }
245     }
246 }
247
248 impl<'tcx> BinOp {
249     pub fn ty(&self, tcx: TyCtxt<'tcx>, lhs_ty: Ty<'tcx>, rhs_ty: Ty<'tcx>) -> Ty<'tcx> {
250         // FIXME: handle SIMD correctly
251         match self {
252             &BinOp::Add | &BinOp::Sub | &BinOp::Mul | &BinOp::Div | &BinOp::Rem |
253             &BinOp::BitXor | &BinOp::BitAnd | &BinOp::BitOr => {
254                 // these should be integers or floats of the same size.
255                 assert_eq!(lhs_ty, rhs_ty);
256                 lhs_ty
257             }
258             &BinOp::Shl | &BinOp::Shr | &BinOp::Offset => {
259                 lhs_ty // lhs_ty can be != rhs_ty
260             }
261             &BinOp::Eq | &BinOp::Lt | &BinOp::Le |
262             &BinOp::Ne | &BinOp::Ge | &BinOp::Gt => {
263                 tcx.types.bool
264             }
265         }
266     }
267 }
268
269 impl BorrowKind {
270     pub fn to_mutbl_lossy(self) -> hir::Mutability {
271         match self {
272             BorrowKind::Mut { .. } => hir::Mutability::Mutable,
273             BorrowKind::Shared => hir::Mutability::Immutable,
274
275             // We have no type corresponding to a unique imm borrow, so
276             // use `&mut`. It gives all the capabilities of an `&uniq`
277             // and hence is a safe "over approximation".
278             BorrowKind::Unique => hir::Mutability::Mutable,
279
280             // We have no type corresponding to a shallow borrow, so use
281             // `&` as an approximation.
282             BorrowKind::Shallow => hir::Mutability::Immutable,
283         }
284     }
285 }
286
287 impl BinOp {
288     pub fn to_hir_binop(self) -> hir::BinOpKind {
289         match self {
290             BinOp::Add => hir::BinOpKind::Add,
291             BinOp::Sub => hir::BinOpKind::Sub,
292             BinOp::Mul => hir::BinOpKind::Mul,
293             BinOp::Div => hir::BinOpKind::Div,
294             BinOp::Rem => hir::BinOpKind::Rem,
295             BinOp::BitXor => hir::BinOpKind::BitXor,
296             BinOp::BitAnd => hir::BinOpKind::BitAnd,
297             BinOp::BitOr => hir::BinOpKind::BitOr,
298             BinOp::Shl => hir::BinOpKind::Shl,
299             BinOp::Shr => hir::BinOpKind::Shr,
300             BinOp::Eq => hir::BinOpKind::Eq,
301             BinOp::Ne => hir::BinOpKind::Ne,
302             BinOp::Lt => hir::BinOpKind::Lt,
303             BinOp::Gt => hir::BinOpKind::Gt,
304             BinOp::Le => hir::BinOpKind::Le,
305             BinOp::Ge => hir::BinOpKind::Ge,
306             BinOp::Offset => unreachable!()
307         }
308     }
309 }