]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_codegen_ssa/src/mir/rvalue.rs
Bless NLL test
[rust.git] / compiler / rustc_codegen_ssa / src / mir / rvalue.rs
1 use super::operand::{OperandRef, OperandValue};
2 use super::place::PlaceRef;
3 use super::{FunctionCx, LocalRef};
4
5 use crate::base;
6 use crate::common::{self, IntPredicate, RealPredicate};
7 use crate::traits::*;
8 use crate::MemFlags;
9
10 use rustc_apfloat::{ieee, Float, Round, Status};
11 use rustc_hir::lang_items::LangItem;
12 use rustc_middle::mir;
13 use rustc_middle::ty::cast::{CastTy, IntTy};
14 use rustc_middle::ty::layout::{HasTyCtxt, TyAndLayout};
15 use rustc_middle::ty::{self, adjustment::PointerCast, Instance, Ty, TyCtxt};
16 use rustc_span::source_map::{Span, DUMMY_SP};
17 use rustc_span::symbol::sym;
18 use rustc_target::abi::{Abi, Int, LayoutOf, Variants};
19
20 impl<'a, 'tcx, Bx: BuilderMethods<'a, 'tcx>> FunctionCx<'a, 'tcx, Bx> {
21     pub fn codegen_rvalue(
22         &mut self,
23         mut bx: Bx,
24         dest: PlaceRef<'tcx, Bx::Value>,
25         rvalue: &mir::Rvalue<'tcx>,
26     ) -> Bx {
27         debug!("codegen_rvalue(dest.llval={:?}, rvalue={:?})", dest.llval, rvalue);
28
29         match *rvalue {
30             mir::Rvalue::Use(ref operand) => {
31                 let cg_operand = self.codegen_operand(&mut bx, operand);
32                 // FIXME: consider not copying constants through stack. (Fixable by codegen'ing
33                 // constants into `OperandValue::Ref`; why don’t we do that yet if we don’t?)
34                 cg_operand.val.store(&mut bx, dest);
35                 bx
36             }
37
38             mir::Rvalue::Cast(mir::CastKind::Pointer(PointerCast::Unsize), ref source, _) => {
39                 // The destination necessarily contains a fat pointer, so if
40                 // it's a scalar pair, it's a fat pointer or newtype thereof.
41                 if bx.cx().is_backend_scalar_pair(dest.layout) {
42                     // Into-coerce of a thin pointer to a fat pointer -- just
43                     // use the operand path.
44                     let (mut bx, temp) = self.codegen_rvalue_operand(bx, rvalue);
45                     temp.val.store(&mut bx, dest);
46                     return bx;
47                 }
48
49                 // Unsize of a nontrivial struct. I would prefer for
50                 // this to be eliminated by MIR building, but
51                 // `CoerceUnsized` can be passed by a where-clause,
52                 // so the (generic) MIR may not be able to expand it.
53                 let operand = self.codegen_operand(&mut bx, source);
54                 match operand.val {
55                     OperandValue::Pair(..) | OperandValue::Immediate(_) => {
56                         // Unsize from an immediate structure. We don't
57                         // really need a temporary alloca here, but
58                         // avoiding it would require us to have
59                         // `coerce_unsized_into` use `extractvalue` to
60                         // index into the struct, and this case isn't
61                         // important enough for it.
62                         debug!("codegen_rvalue: creating ugly alloca");
63                         let scratch = PlaceRef::alloca(&mut bx, operand.layout);
64                         scratch.storage_live(&mut bx);
65                         operand.val.store(&mut bx, scratch);
66                         base::coerce_unsized_into(&mut bx, scratch, dest);
67                         scratch.storage_dead(&mut bx);
68                     }
69                     OperandValue::Ref(llref, None, align) => {
70                         let source = PlaceRef::new_sized_aligned(llref, operand.layout, align);
71                         base::coerce_unsized_into(&mut bx, source, dest);
72                     }
73                     OperandValue::Ref(_, Some(_), _) => {
74                         bug!("unsized coercion on an unsized rvalue");
75                     }
76                 }
77                 bx
78             }
79
80             mir::Rvalue::Repeat(ref elem, count) => {
81                 let cg_elem = self.codegen_operand(&mut bx, elem);
82
83                 // Do not generate the loop for zero-sized elements or empty arrays.
84                 if dest.layout.is_zst() {
85                     return bx;
86                 }
87
88                 if let OperandValue::Immediate(v) = cg_elem.val {
89                     let zero = bx.const_usize(0);
90                     let start = dest.project_index(&mut bx, zero).llval;
91                     let size = bx.const_usize(dest.layout.size.bytes());
92
93                     // Use llvm.memset.p0i8.* to initialize all zero arrays
94                     if bx.cx().const_to_opt_uint(v) == Some(0) {
95                         let fill = bx.cx().const_u8(0);
96                         bx.memset(start, fill, size, dest.align, MemFlags::empty());
97                         return bx;
98                     }
99
100                     // Use llvm.memset.p0i8.* to initialize byte arrays
101                     let v = bx.from_immediate(v);
102                     if bx.cx().val_ty(v) == bx.cx().type_i8() {
103                         bx.memset(start, v, size, dest.align, MemFlags::empty());
104                         return bx;
105                     }
106                 }
107
108                 let count =
109                     self.monomorphize(count).eval_usize(bx.cx().tcx(), ty::ParamEnv::reveal_all());
110
111                 bx.write_operand_repeatedly(cg_elem, count, dest)
112             }
113
114             mir::Rvalue::Aggregate(ref kind, ref operands) => {
115                 let (dest, active_field_index) = match **kind {
116                     mir::AggregateKind::Adt(adt_def, variant_index, _, _, active_field_index) => {
117                         dest.codegen_set_discr(&mut bx, variant_index);
118                         if adt_def.is_enum() {
119                             (dest.project_downcast(&mut bx, variant_index), active_field_index)
120                         } else {
121                             (dest, active_field_index)
122                         }
123                     }
124                     _ => (dest, None),
125                 };
126                 for (i, operand) in operands.iter().enumerate() {
127                     let op = self.codegen_operand(&mut bx, operand);
128                     // Do not generate stores and GEPis for zero-sized fields.
129                     if !op.layout.is_zst() {
130                         let field_index = active_field_index.unwrap_or(i);
131                         let field = dest.project_field(&mut bx, field_index);
132                         op.val.store(&mut bx, field);
133                     }
134                 }
135                 bx
136             }
137
138             _ => {
139                 assert!(self.rvalue_creates_operand(rvalue, DUMMY_SP));
140                 let (mut bx, temp) = self.codegen_rvalue_operand(bx, rvalue);
141                 temp.val.store(&mut bx, dest);
142                 bx
143             }
144         }
145     }
146
147     pub fn codegen_rvalue_unsized(
148         &mut self,
149         mut bx: Bx,
150         indirect_dest: PlaceRef<'tcx, Bx::Value>,
151         rvalue: &mir::Rvalue<'tcx>,
152     ) -> Bx {
153         debug!(
154             "codegen_rvalue_unsized(indirect_dest.llval={:?}, rvalue={:?})",
155             indirect_dest.llval, rvalue
156         );
157
158         match *rvalue {
159             mir::Rvalue::Use(ref operand) => {
160                 let cg_operand = self.codegen_operand(&mut bx, operand);
161                 cg_operand.val.store_unsized(&mut bx, indirect_dest);
162                 bx
163             }
164
165             _ => bug!("unsized assignment other than `Rvalue::Use`"),
166         }
167     }
168
169     pub fn codegen_rvalue_operand(
170         &mut self,
171         mut bx: Bx,
172         rvalue: &mir::Rvalue<'tcx>,
173     ) -> (Bx, OperandRef<'tcx, Bx::Value>) {
174         assert!(
175             self.rvalue_creates_operand(rvalue, DUMMY_SP),
176             "cannot codegen {:?} to operand",
177             rvalue,
178         );
179
180         match *rvalue {
181             mir::Rvalue::Cast(ref kind, ref source, mir_cast_ty) => {
182                 let operand = self.codegen_operand(&mut bx, source);
183                 debug!("cast operand is {:?}", operand);
184                 let cast = bx.cx().layout_of(self.monomorphize(mir_cast_ty));
185
186                 let val = match *kind {
187                     mir::CastKind::Pointer(PointerCast::ReifyFnPointer) => {
188                         match *operand.layout.ty.kind() {
189                             ty::FnDef(def_id, substs) => {
190                                 if bx.cx().tcx().has_attr(def_id, sym::rustc_args_required_const) {
191                                     bug!("reifying a fn ptr that requires const arguments");
192                                 }
193                                 let instance = ty::Instance::resolve_for_fn_ptr(
194                                     bx.tcx(),
195                                     ty::ParamEnv::reveal_all(),
196                                     def_id,
197                                     substs,
198                                 )
199                                 .unwrap()
200                                 .polymorphize(bx.cx().tcx());
201                                 OperandValue::Immediate(bx.get_fn_addr(instance))
202                             }
203                             _ => bug!("{} cannot be reified to a fn ptr", operand.layout.ty),
204                         }
205                     }
206                     mir::CastKind::Pointer(PointerCast::ClosureFnPointer(_)) => {
207                         match *operand.layout.ty.kind() {
208                             ty::Closure(def_id, substs) => {
209                                 let instance = Instance::resolve_closure(
210                                     bx.cx().tcx(),
211                                     def_id,
212                                     substs,
213                                     ty::ClosureKind::FnOnce,
214                                 )
215                                 .polymorphize(bx.cx().tcx());
216                                 OperandValue::Immediate(bx.cx().get_fn_addr(instance))
217                             }
218                             _ => bug!("{} cannot be cast to a fn ptr", operand.layout.ty),
219                         }
220                     }
221                     mir::CastKind::Pointer(PointerCast::UnsafeFnPointer) => {
222                         // This is a no-op at the LLVM level.
223                         operand.val
224                     }
225                     mir::CastKind::Pointer(PointerCast::Unsize) => {
226                         assert!(bx.cx().is_backend_scalar_pair(cast));
227                         match operand.val {
228                             OperandValue::Pair(lldata, llextra) => {
229                                 // unsize from a fat pointer -- this is a
230                                 // "trait-object-to-supertrait" coercion, for
231                                 // example, `&'a fmt::Debug + Send => &'a fmt::Debug`.
232
233                                 // HACK(eddyb) have to bitcast pointers
234                                 // until LLVM removes pointee types.
235                                 let lldata = bx.pointercast(
236                                     lldata,
237                                     bx.cx().scalar_pair_element_backend_type(cast, 0, true),
238                                 );
239                                 OperandValue::Pair(lldata, llextra)
240                             }
241                             OperandValue::Immediate(lldata) => {
242                                 // "standard" unsize
243                                 let (lldata, llextra) = base::unsize_thin_ptr(
244                                     &mut bx,
245                                     lldata,
246                                     operand.layout.ty,
247                                     cast.ty,
248                                 );
249                                 OperandValue::Pair(lldata, llextra)
250                             }
251                             OperandValue::Ref(..) => {
252                                 bug!("by-ref operand {:?} in `codegen_rvalue_operand`", operand);
253                             }
254                         }
255                     }
256                     mir::CastKind::Pointer(PointerCast::MutToConstPointer)
257                     | mir::CastKind::Misc
258                         if bx.cx().is_backend_scalar_pair(operand.layout) =>
259                     {
260                         if let OperandValue::Pair(data_ptr, meta) = operand.val {
261                             if bx.cx().is_backend_scalar_pair(cast) {
262                                 let data_cast = bx.pointercast(
263                                     data_ptr,
264                                     bx.cx().scalar_pair_element_backend_type(cast, 0, true),
265                                 );
266                                 OperandValue::Pair(data_cast, meta)
267                             } else {
268                                 // cast to thin-ptr
269                                 // Cast of fat-ptr to thin-ptr is an extraction of data-ptr and
270                                 // pointer-cast of that pointer to desired pointer type.
271                                 let llcast_ty = bx.cx().immediate_backend_type(cast);
272                                 let llval = bx.pointercast(data_ptr, llcast_ty);
273                                 OperandValue::Immediate(llval)
274                             }
275                         } else {
276                             bug!("unexpected non-pair operand");
277                         }
278                     }
279                     mir::CastKind::Pointer(
280                         PointerCast::MutToConstPointer | PointerCast::ArrayToPointer,
281                     )
282                     | mir::CastKind::Misc => {
283                         assert!(bx.cx().is_backend_immediate(cast));
284                         let ll_t_out = bx.cx().immediate_backend_type(cast);
285                         if operand.layout.abi.is_uninhabited() {
286                             let val = OperandValue::Immediate(bx.cx().const_undef(ll_t_out));
287                             return (bx, OperandRef { val, layout: cast });
288                         }
289                         let r_t_in =
290                             CastTy::from_ty(operand.layout.ty).expect("bad input type for cast");
291                         let r_t_out = CastTy::from_ty(cast.ty).expect("bad output type for cast");
292                         let ll_t_in = bx.cx().immediate_backend_type(operand.layout);
293                         match operand.layout.variants {
294                             Variants::Single { index } => {
295                                 if let Some(discr) =
296                                     operand.layout.ty.discriminant_for_variant(bx.tcx(), index)
297                                 {
298                                     let discr_layout = bx.cx().layout_of(discr.ty);
299                                     let discr_t = bx.cx().immediate_backend_type(discr_layout);
300                                     let discr_val = bx.cx().const_uint_big(discr_t, discr.val);
301                                     let discr_val =
302                                         bx.intcast(discr_val, ll_t_out, discr.ty.is_signed());
303
304                                     return (
305                                         bx,
306                                         OperandRef {
307                                             val: OperandValue::Immediate(discr_val),
308                                             layout: cast,
309                                         },
310                                     );
311                                 }
312                             }
313                             Variants::Multiple { .. } => {}
314                         }
315                         let llval = operand.immediate();
316
317                         let mut signed = false;
318                         if let Abi::Scalar(ref scalar) = operand.layout.abi {
319                             if let Int(_, s) = scalar.value {
320                                 // We use `i1` for bytes that are always `0` or `1`,
321                                 // e.g., `#[repr(i8)] enum E { A, B }`, but we can't
322                                 // let LLVM interpret the `i1` as signed, because
323                                 // then `i1 1` (i.e., E::B) is effectively `i8 -1`.
324                                 signed = !scalar.is_bool() && s;
325
326                                 let er = scalar.valid_range_exclusive(bx.cx());
327                                 if er.end != er.start
328                                     && scalar.valid_range.end() > scalar.valid_range.start()
329                                 {
330                                     // We want `table[e as usize ± k]` to not
331                                     // have bound checks, and this is the most
332                                     // convenient place to put the `assume`s.
333                                     if *scalar.valid_range.start() > 0 {
334                                         let enum_value_lower_bound = bx
335                                             .cx()
336                                             .const_uint_big(ll_t_in, *scalar.valid_range.start());
337                                         let cmp_start = bx.icmp(
338                                             IntPredicate::IntUGE,
339                                             llval,
340                                             enum_value_lower_bound,
341                                         );
342                                         bx.assume(cmp_start);
343                                     }
344
345                                     let enum_value_upper_bound =
346                                         bx.cx().const_uint_big(ll_t_in, *scalar.valid_range.end());
347                                     let cmp_end = bx.icmp(
348                                         IntPredicate::IntULE,
349                                         llval,
350                                         enum_value_upper_bound,
351                                     );
352                                     bx.assume(cmp_end);
353                                 }
354                             }
355                         }
356
357                         let newval = match (r_t_in, r_t_out) {
358                             (CastTy::Int(_), CastTy::Int(_)) => bx.intcast(llval, ll_t_out, signed),
359                             (CastTy::Float, CastTy::Float) => {
360                                 let srcsz = bx.cx().float_width(ll_t_in);
361                                 let dstsz = bx.cx().float_width(ll_t_out);
362                                 if dstsz > srcsz {
363                                     bx.fpext(llval, ll_t_out)
364                                 } else if srcsz > dstsz {
365                                     bx.fptrunc(llval, ll_t_out)
366                                 } else {
367                                     llval
368                                 }
369                             }
370                             (CastTy::Int(_), CastTy::Float) => {
371                                 if signed {
372                                     bx.sitofp(llval, ll_t_out)
373                                 } else {
374                                     bx.uitofp(llval, ll_t_out)
375                                 }
376                             }
377                             (CastTy::Ptr(_) | CastTy::FnPtr, CastTy::Ptr(_)) => {
378                                 bx.pointercast(llval, ll_t_out)
379                             }
380                             (CastTy::Ptr(_) | CastTy::FnPtr, CastTy::Int(_)) => {
381                                 bx.ptrtoint(llval, ll_t_out)
382                             }
383                             (CastTy::Int(_), CastTy::Ptr(_)) => {
384                                 let usize_llval = bx.intcast(llval, bx.cx().type_isize(), signed);
385                                 bx.inttoptr(usize_llval, ll_t_out)
386                             }
387                             (CastTy::Float, CastTy::Int(IntTy::I)) => {
388                                 cast_float_to_int(&mut bx, true, llval, ll_t_in, ll_t_out, cast)
389                             }
390                             (CastTy::Float, CastTy::Int(_)) => {
391                                 cast_float_to_int(&mut bx, false, llval, ll_t_in, ll_t_out, cast)
392                             }
393                             _ => bug!("unsupported cast: {:?} to {:?}", operand.layout.ty, cast.ty),
394                         };
395                         OperandValue::Immediate(newval)
396                     }
397                 };
398                 (bx, OperandRef { val, layout: cast })
399             }
400
401             mir::Rvalue::Ref(_, bk, place) => {
402                 let mk_ref = move |tcx: TyCtxt<'tcx>, ty: Ty<'tcx>| {
403                     tcx.mk_ref(
404                         tcx.lifetimes.re_erased,
405                         ty::TypeAndMut { ty, mutbl: bk.to_mutbl_lossy() },
406                     )
407                 };
408                 self.codegen_place_to_pointer(bx, place, mk_ref)
409             }
410
411             mir::Rvalue::AddressOf(mutability, place) => {
412                 let mk_ptr = move |tcx: TyCtxt<'tcx>, ty: Ty<'tcx>| {
413                     tcx.mk_ptr(ty::TypeAndMut { ty, mutbl: mutability })
414                 };
415                 self.codegen_place_to_pointer(bx, place, mk_ptr)
416             }
417
418             mir::Rvalue::Len(place) => {
419                 let size = self.evaluate_array_len(&mut bx, place);
420                 let operand = OperandRef {
421                     val: OperandValue::Immediate(size),
422                     layout: bx.cx().layout_of(bx.tcx().types.usize),
423                 };
424                 (bx, operand)
425             }
426
427             mir::Rvalue::BinaryOp(op, ref lhs, ref rhs) => {
428                 let lhs = self.codegen_operand(&mut bx, lhs);
429                 let rhs = self.codegen_operand(&mut bx, rhs);
430                 let llresult = match (lhs.val, rhs.val) {
431                     (
432                         OperandValue::Pair(lhs_addr, lhs_extra),
433                         OperandValue::Pair(rhs_addr, rhs_extra),
434                     ) => self.codegen_fat_ptr_binop(
435                         &mut bx,
436                         op,
437                         lhs_addr,
438                         lhs_extra,
439                         rhs_addr,
440                         rhs_extra,
441                         lhs.layout.ty,
442                     ),
443
444                     (OperandValue::Immediate(lhs_val), OperandValue::Immediate(rhs_val)) => {
445                         self.codegen_scalar_binop(&mut bx, op, lhs_val, rhs_val, lhs.layout.ty)
446                     }
447
448                     _ => bug!(),
449                 };
450                 let operand = OperandRef {
451                     val: OperandValue::Immediate(llresult),
452                     layout: bx.cx().layout_of(op.ty(bx.tcx(), lhs.layout.ty, rhs.layout.ty)),
453                 };
454                 (bx, operand)
455             }
456             mir::Rvalue::CheckedBinaryOp(op, ref lhs, ref rhs) => {
457                 let lhs = self.codegen_operand(&mut bx, lhs);
458                 let rhs = self.codegen_operand(&mut bx, rhs);
459                 let result = self.codegen_scalar_checked_binop(
460                     &mut bx,
461                     op,
462                     lhs.immediate(),
463                     rhs.immediate(),
464                     lhs.layout.ty,
465                 );
466                 let val_ty = op.ty(bx.tcx(), lhs.layout.ty, rhs.layout.ty);
467                 let operand_ty = bx.tcx().intern_tup(&[val_ty, bx.tcx().types.bool]);
468                 let operand = OperandRef { val: result, layout: bx.cx().layout_of(operand_ty) };
469
470                 (bx, operand)
471             }
472
473             mir::Rvalue::UnaryOp(op, ref operand) => {
474                 let operand = self.codegen_operand(&mut bx, operand);
475                 let lloperand = operand.immediate();
476                 let is_float = operand.layout.ty.is_floating_point();
477                 let llval = match op {
478                     mir::UnOp::Not => bx.not(lloperand),
479                     mir::UnOp::Neg => {
480                         if is_float {
481                             bx.fneg(lloperand)
482                         } else {
483                             bx.neg(lloperand)
484                         }
485                     }
486                 };
487                 (bx, OperandRef { val: OperandValue::Immediate(llval), layout: operand.layout })
488             }
489
490             mir::Rvalue::Discriminant(ref place) => {
491                 let discr_ty = rvalue.ty(self.mir, bx.tcx());
492                 let discr = self
493                     .codegen_place(&mut bx, place.as_ref())
494                     .codegen_get_discr(&mut bx, discr_ty);
495                 (
496                     bx,
497                     OperandRef {
498                         val: OperandValue::Immediate(discr),
499                         layout: self.cx.layout_of(discr_ty),
500                     },
501                 )
502             }
503
504             mir::Rvalue::NullaryOp(mir::NullOp::SizeOf, ty) => {
505                 let ty = self.monomorphize(ty);
506                 assert!(bx.cx().type_is_sized(ty));
507                 let val = bx.cx().const_usize(bx.cx().layout_of(ty).size.bytes());
508                 let tcx = self.cx.tcx();
509                 (
510                     bx,
511                     OperandRef {
512                         val: OperandValue::Immediate(val),
513                         layout: self.cx.layout_of(tcx.types.usize),
514                     },
515                 )
516             }
517
518             mir::Rvalue::NullaryOp(mir::NullOp::Box, content_ty) => {
519                 let content_ty = self.monomorphize(content_ty);
520                 let content_layout = bx.cx().layout_of(content_ty);
521                 let llsize = bx.cx().const_usize(content_layout.size.bytes());
522                 let llalign = bx.cx().const_usize(content_layout.align.abi.bytes());
523                 let box_layout = bx.cx().layout_of(bx.tcx().mk_box(content_ty));
524                 let llty_ptr = bx.cx().backend_type(box_layout);
525
526                 // Allocate space:
527                 let def_id = match bx.tcx().lang_items().require(LangItem::ExchangeMalloc) {
528                     Ok(id) => id,
529                     Err(s) => {
530                         bx.cx().sess().fatal(&format!("allocation of `{}` {}", box_layout.ty, s));
531                     }
532                 };
533                 let instance = ty::Instance::mono(bx.tcx(), def_id);
534                 let r = bx.cx().get_fn_addr(instance);
535                 let call = bx.call(r, &[llsize, llalign], None);
536                 let val = bx.pointercast(call, llty_ptr);
537
538                 let operand = OperandRef { val: OperandValue::Immediate(val), layout: box_layout };
539                 (bx, operand)
540             }
541             mir::Rvalue::ThreadLocalRef(def_id) => {
542                 assert!(bx.cx().tcx().is_static(def_id));
543                 let static_ = bx.get_static(def_id);
544                 let layout = bx.layout_of(bx.cx().tcx().static_ptr_ty(def_id));
545                 let operand = OperandRef::from_immediate_or_packed_pair(&mut bx, static_, layout);
546                 (bx, operand)
547             }
548             mir::Rvalue::Use(ref operand) => {
549                 let operand = self.codegen_operand(&mut bx, operand);
550                 (bx, operand)
551             }
552             mir::Rvalue::Repeat(..) | mir::Rvalue::Aggregate(..) => {
553                 // According to `rvalue_creates_operand`, only ZST
554                 // aggregate rvalues are allowed to be operands.
555                 let ty = rvalue.ty(self.mir, self.cx.tcx());
556                 let operand =
557                     OperandRef::new_zst(&mut bx, self.cx.layout_of(self.monomorphize(ty)));
558                 (bx, operand)
559             }
560         }
561     }
562
563     fn evaluate_array_len(&mut self, bx: &mut Bx, place: mir::Place<'tcx>) -> Bx::Value {
564         // ZST are passed as operands and require special handling
565         // because codegen_place() panics if Local is operand.
566         if let Some(index) = place.as_local() {
567             if let LocalRef::Operand(Some(op)) = self.locals[index] {
568                 if let ty::Array(_, n) = op.layout.ty.kind() {
569                     let n = n.eval_usize(bx.cx().tcx(), ty::ParamEnv::reveal_all());
570                     return bx.cx().const_usize(n);
571                 }
572             }
573         }
574         // use common size calculation for non zero-sized types
575         let cg_value = self.codegen_place(bx, place.as_ref());
576         cg_value.len(bx.cx())
577     }
578
579     /// Codegen an `Rvalue::AddressOf` or `Rvalue::Ref`
580     fn codegen_place_to_pointer(
581         &mut self,
582         mut bx: Bx,
583         place: mir::Place<'tcx>,
584         mk_ptr_ty: impl FnOnce(TyCtxt<'tcx>, Ty<'tcx>) -> Ty<'tcx>,
585     ) -> (Bx, OperandRef<'tcx, Bx::Value>) {
586         let cg_place = self.codegen_place(&mut bx, place.as_ref());
587
588         let ty = cg_place.layout.ty;
589
590         // Note: places are indirect, so storing the `llval` into the
591         // destination effectively creates a reference.
592         let val = if !bx.cx().type_has_metadata(ty) {
593             OperandValue::Immediate(cg_place.llval)
594         } else {
595             OperandValue::Pair(cg_place.llval, cg_place.llextra.unwrap())
596         };
597         (bx, OperandRef { val, layout: self.cx.layout_of(mk_ptr_ty(self.cx.tcx(), ty)) })
598     }
599
600     pub fn codegen_scalar_binop(
601         &mut self,
602         bx: &mut Bx,
603         op: mir::BinOp,
604         lhs: Bx::Value,
605         rhs: Bx::Value,
606         input_ty: Ty<'tcx>,
607     ) -> Bx::Value {
608         let is_float = input_ty.is_floating_point();
609         let is_signed = input_ty.is_signed();
610         match op {
611             mir::BinOp::Add => {
612                 if is_float {
613                     bx.fadd(lhs, rhs)
614                 } else {
615                     bx.add(lhs, rhs)
616                 }
617             }
618             mir::BinOp::Sub => {
619                 if is_float {
620                     bx.fsub(lhs, rhs)
621                 } else {
622                     bx.sub(lhs, rhs)
623                 }
624             }
625             mir::BinOp::Mul => {
626                 if is_float {
627                     bx.fmul(lhs, rhs)
628                 } else {
629                     bx.mul(lhs, rhs)
630                 }
631             }
632             mir::BinOp::Div => {
633                 if is_float {
634                     bx.fdiv(lhs, rhs)
635                 } else if is_signed {
636                     bx.sdiv(lhs, rhs)
637                 } else {
638                     bx.udiv(lhs, rhs)
639                 }
640             }
641             mir::BinOp::Rem => {
642                 if is_float {
643                     bx.frem(lhs, rhs)
644                 } else if is_signed {
645                     bx.srem(lhs, rhs)
646                 } else {
647                     bx.urem(lhs, rhs)
648                 }
649             }
650             mir::BinOp::BitOr => bx.or(lhs, rhs),
651             mir::BinOp::BitAnd => bx.and(lhs, rhs),
652             mir::BinOp::BitXor => bx.xor(lhs, rhs),
653             mir::BinOp::Offset => bx.inbounds_gep(lhs, &[rhs]),
654             mir::BinOp::Shl => common::build_unchecked_lshift(bx, lhs, rhs),
655             mir::BinOp::Shr => common::build_unchecked_rshift(bx, input_ty, lhs, rhs),
656             mir::BinOp::Ne
657             | mir::BinOp::Lt
658             | mir::BinOp::Gt
659             | mir::BinOp::Eq
660             | mir::BinOp::Le
661             | mir::BinOp::Ge => {
662                 if is_float {
663                     bx.fcmp(base::bin_op_to_fcmp_predicate(op.to_hir_binop()), lhs, rhs)
664                 } else {
665                     bx.icmp(base::bin_op_to_icmp_predicate(op.to_hir_binop(), is_signed), lhs, rhs)
666                 }
667             }
668         }
669     }
670
671     pub fn codegen_fat_ptr_binop(
672         &mut self,
673         bx: &mut Bx,
674         op: mir::BinOp,
675         lhs_addr: Bx::Value,
676         lhs_extra: Bx::Value,
677         rhs_addr: Bx::Value,
678         rhs_extra: Bx::Value,
679         _input_ty: Ty<'tcx>,
680     ) -> Bx::Value {
681         match op {
682             mir::BinOp::Eq => {
683                 let lhs = bx.icmp(IntPredicate::IntEQ, lhs_addr, rhs_addr);
684                 let rhs = bx.icmp(IntPredicate::IntEQ, lhs_extra, rhs_extra);
685                 bx.and(lhs, rhs)
686             }
687             mir::BinOp::Ne => {
688                 let lhs = bx.icmp(IntPredicate::IntNE, lhs_addr, rhs_addr);
689                 let rhs = bx.icmp(IntPredicate::IntNE, lhs_extra, rhs_extra);
690                 bx.or(lhs, rhs)
691             }
692             mir::BinOp::Le | mir::BinOp::Lt | mir::BinOp::Ge | mir::BinOp::Gt => {
693                 // a OP b ~ a.0 STRICT(OP) b.0 | (a.0 == b.0 && a.1 OP a.1)
694                 let (op, strict_op) = match op {
695                     mir::BinOp::Lt => (IntPredicate::IntULT, IntPredicate::IntULT),
696                     mir::BinOp::Le => (IntPredicate::IntULE, IntPredicate::IntULT),
697                     mir::BinOp::Gt => (IntPredicate::IntUGT, IntPredicate::IntUGT),
698                     mir::BinOp::Ge => (IntPredicate::IntUGE, IntPredicate::IntUGT),
699                     _ => bug!(),
700                 };
701                 let lhs = bx.icmp(strict_op, lhs_addr, rhs_addr);
702                 let and_lhs = bx.icmp(IntPredicate::IntEQ, lhs_addr, rhs_addr);
703                 let and_rhs = bx.icmp(op, lhs_extra, rhs_extra);
704                 let rhs = bx.and(and_lhs, and_rhs);
705                 bx.or(lhs, rhs)
706             }
707             _ => {
708                 bug!("unexpected fat ptr binop");
709             }
710         }
711     }
712
713     pub fn codegen_scalar_checked_binop(
714         &mut self,
715         bx: &mut Bx,
716         op: mir::BinOp,
717         lhs: Bx::Value,
718         rhs: Bx::Value,
719         input_ty: Ty<'tcx>,
720     ) -> OperandValue<Bx::Value> {
721         // This case can currently arise only from functions marked
722         // with #[rustc_inherit_overflow_checks] and inlined from
723         // another crate (mostly core::num generic/#[inline] fns),
724         // while the current crate doesn't use overflow checks.
725         if !bx.cx().check_overflow() {
726             let val = self.codegen_scalar_binop(bx, op, lhs, rhs, input_ty);
727             return OperandValue::Pair(val, bx.cx().const_bool(false));
728         }
729
730         let (val, of) = match op {
731             // These are checked using intrinsics
732             mir::BinOp::Add | mir::BinOp::Sub | mir::BinOp::Mul => {
733                 let oop = match op {
734                     mir::BinOp::Add => OverflowOp::Add,
735                     mir::BinOp::Sub => OverflowOp::Sub,
736                     mir::BinOp::Mul => OverflowOp::Mul,
737                     _ => unreachable!(),
738                 };
739                 bx.checked_binop(oop, input_ty, lhs, rhs)
740             }
741             mir::BinOp::Shl | mir::BinOp::Shr => {
742                 let lhs_llty = bx.cx().val_ty(lhs);
743                 let rhs_llty = bx.cx().val_ty(rhs);
744                 let invert_mask = common::shift_mask_val(bx, lhs_llty, rhs_llty, true);
745                 let outer_bits = bx.and(rhs, invert_mask);
746
747                 let of = bx.icmp(IntPredicate::IntNE, outer_bits, bx.cx().const_null(rhs_llty));
748                 let val = self.codegen_scalar_binop(bx, op, lhs, rhs, input_ty);
749
750                 (val, of)
751             }
752             _ => bug!("Operator `{:?}` is not a checkable operator", op),
753         };
754
755         OperandValue::Pair(val, of)
756     }
757 }
758
759 impl<'a, 'tcx, Bx: BuilderMethods<'a, 'tcx>> FunctionCx<'a, 'tcx, Bx> {
760     pub fn rvalue_creates_operand(&self, rvalue: &mir::Rvalue<'tcx>, span: Span) -> bool {
761         match *rvalue {
762             mir::Rvalue::Ref(..) |
763             mir::Rvalue::AddressOf(..) |
764             mir::Rvalue::Len(..) |
765             mir::Rvalue::Cast(..) | // (*)
766             mir::Rvalue::BinaryOp(..) |
767             mir::Rvalue::CheckedBinaryOp(..) |
768             mir::Rvalue::UnaryOp(..) |
769             mir::Rvalue::Discriminant(..) |
770             mir::Rvalue::NullaryOp(..) |
771             mir::Rvalue::ThreadLocalRef(_) |
772             mir::Rvalue::Use(..) => // (*)
773                 true,
774             mir::Rvalue::Repeat(..) |
775             mir::Rvalue::Aggregate(..) => {
776                 let ty = rvalue.ty(self.mir, self.cx.tcx());
777                 let ty = self.monomorphize(ty);
778                 self.cx.spanned_layout_of(ty, span).is_zst()
779             }
780         }
781
782         // (*) this is only true if the type is suitable
783     }
784 }
785
786 fn cast_float_to_int<'a, 'tcx, Bx: BuilderMethods<'a, 'tcx>>(
787     bx: &mut Bx,
788     signed: bool,
789     x: Bx::Value,
790     float_ty: Bx::Type,
791     int_ty: Bx::Type,
792     int_layout: TyAndLayout<'tcx>,
793 ) -> Bx::Value {
794     if let Some(false) = bx.cx().sess().opts.debugging_opts.saturating_float_casts {
795         return if signed { bx.fptosi(x, int_ty) } else { bx.fptoui(x, int_ty) };
796     }
797
798     let try_sat_result = if signed { bx.fptosi_sat(x, int_ty) } else { bx.fptoui_sat(x, int_ty) };
799     if let Some(try_sat_result) = try_sat_result {
800         return try_sat_result;
801     }
802
803     let int_width = bx.cx().int_width(int_ty);
804     let float_width = bx.cx().float_width(float_ty);
805     // LLVM's fpto[su]i returns undef when the input x is infinite, NaN, or does not fit into the
806     // destination integer type after rounding towards zero. This `undef` value can cause UB in
807     // safe code (see issue #10184), so we implement a saturating conversion on top of it:
808     // Semantically, the mathematical value of the input is rounded towards zero to the next
809     // mathematical integer, and then the result is clamped into the range of the destination
810     // integer type. Positive and negative infinity are mapped to the maximum and minimum value of
811     // the destination integer type. NaN is mapped to 0.
812     //
813     // Define f_min and f_max as the largest and smallest (finite) floats that are exactly equal to
814     // a value representable in int_ty.
815     // They are exactly equal to int_ty::{MIN,MAX} if float_ty has enough significand bits.
816     // Otherwise, int_ty::MAX must be rounded towards zero, as it is one less than a power of two.
817     // int_ty::MIN, however, is either zero or a negative power of two and is thus exactly
818     // representable. Note that this only works if float_ty's exponent range is sufficiently large.
819     // f16 or 256 bit integers would break this property. Right now the smallest float type is f32
820     // with exponents ranging up to 127, which is barely enough for i128::MIN = -2^127.
821     // On the other hand, f_max works even if int_ty::MAX is greater than float_ty::MAX. Because
822     // we're rounding towards zero, we just get float_ty::MAX (which is always an integer).
823     // This already happens today with u128::MAX = 2^128 - 1 > f32::MAX.
824     let int_max = |signed: bool, int_width: u64| -> u128 {
825         let shift_amount = 128 - int_width;
826         if signed { i128::MAX as u128 >> shift_amount } else { u128::MAX >> shift_amount }
827     };
828     let int_min = |signed: bool, int_width: u64| -> i128 {
829         if signed { i128::MIN >> (128 - int_width) } else { 0 }
830     };
831
832     let compute_clamp_bounds_single = |signed: bool, int_width: u64| -> (u128, u128) {
833         let rounded_min = ieee::Single::from_i128_r(int_min(signed, int_width), Round::TowardZero);
834         assert_eq!(rounded_min.status, Status::OK);
835         let rounded_max = ieee::Single::from_u128_r(int_max(signed, int_width), Round::TowardZero);
836         assert!(rounded_max.value.is_finite());
837         (rounded_min.value.to_bits(), rounded_max.value.to_bits())
838     };
839     let compute_clamp_bounds_double = |signed: bool, int_width: u64| -> (u128, u128) {
840         let rounded_min = ieee::Double::from_i128_r(int_min(signed, int_width), Round::TowardZero);
841         assert_eq!(rounded_min.status, Status::OK);
842         let rounded_max = ieee::Double::from_u128_r(int_max(signed, int_width), Round::TowardZero);
843         assert!(rounded_max.value.is_finite());
844         (rounded_min.value.to_bits(), rounded_max.value.to_bits())
845     };
846
847     let mut float_bits_to_llval = |bits| {
848         let bits_llval = match float_width {
849             32 => bx.cx().const_u32(bits as u32),
850             64 => bx.cx().const_u64(bits as u64),
851             n => bug!("unsupported float width {}", n),
852         };
853         bx.bitcast(bits_llval, float_ty)
854     };
855     let (f_min, f_max) = match float_width {
856         32 => compute_clamp_bounds_single(signed, int_width),
857         64 => compute_clamp_bounds_double(signed, int_width),
858         n => bug!("unsupported float width {}", n),
859     };
860     let f_min = float_bits_to_llval(f_min);
861     let f_max = float_bits_to_llval(f_max);
862     // To implement saturation, we perform the following steps:
863     //
864     // 1. Cast x to an integer with fpto[su]i. This may result in undef.
865     // 2. Compare x to f_min and f_max, and use the comparison results to select:
866     //  a) int_ty::MIN if x < f_min or x is NaN
867     //  b) int_ty::MAX if x > f_max
868     //  c) the result of fpto[su]i otherwise
869     // 3. If x is NaN, return 0.0, otherwise return the result of step 2.
870     //
871     // This avoids resulting undef because values in range [f_min, f_max] by definition fit into the
872     // destination type. It creates an undef temporary, but *producing* undef is not UB. Our use of
873     // undef does not introduce any non-determinism either.
874     // More importantly, the above procedure correctly implements saturating conversion.
875     // Proof (sketch):
876     // If x is NaN, 0 is returned by definition.
877     // Otherwise, x is finite or infinite and thus can be compared with f_min and f_max.
878     // This yields three cases to consider:
879     // (1) if x in [f_min, f_max], the result of fpto[su]i is returned, which agrees with
880     //     saturating conversion for inputs in that range.
881     // (2) if x > f_max, then x is larger than int_ty::MAX. This holds even if f_max is rounded
882     //     (i.e., if f_max < int_ty::MAX) because in those cases, nextUp(f_max) is already larger
883     //     than int_ty::MAX. Because x is larger than int_ty::MAX, the return value of int_ty::MAX
884     //     is correct.
885     // (3) if x < f_min, then x is smaller than int_ty::MIN. As shown earlier, f_min exactly equals
886     //     int_ty::MIN and therefore the return value of int_ty::MIN is correct.
887     // QED.
888
889     let int_max = bx.cx().const_uint_big(int_ty, int_max(signed, int_width));
890     let int_min = bx.cx().const_uint_big(int_ty, int_min(signed, int_width) as u128);
891     let zero = bx.cx().const_uint(int_ty, 0);
892
893     // The codegen here differs quite a bit depending on whether our builder's
894     // `fptosi` and `fptoui` instructions may trap for out-of-bounds values. If
895     // they don't trap then we can start doing everything inline with a
896     // `select` instruction because it's ok to execute `fptosi` and `fptoui`
897     // even if we don't use the results.
898     if !bx.fptosui_may_trap(x, int_ty) {
899         // Step 1 ...
900         let fptosui_result = if signed { bx.fptosi(x, int_ty) } else { bx.fptoui(x, int_ty) };
901         let less_or_nan = bx.fcmp(RealPredicate::RealULT, x, f_min);
902         let greater = bx.fcmp(RealPredicate::RealOGT, x, f_max);
903
904         // Step 2: We use two comparisons and two selects, with %s1 being the
905         // result:
906         //     %less_or_nan = fcmp ult %x, %f_min
907         //     %greater = fcmp olt %x, %f_max
908         //     %s0 = select %less_or_nan, int_ty::MIN, %fptosi_result
909         //     %s1 = select %greater, int_ty::MAX, %s0
910         // Note that %less_or_nan uses an *unordered* comparison. This
911         // comparison is true if the operands are not comparable (i.e., if x is
912         // NaN). The unordered comparison ensures that s1 becomes int_ty::MIN if
913         // x is NaN.
914         //
915         // Performance note: Unordered comparison can be lowered to a "flipped"
916         // comparison and a negation, and the negation can be merged into the
917         // select. Therefore, it not necessarily any more expensive than a
918         // ordered ("normal") comparison. Whether these optimizations will be
919         // performed is ultimately up to the backend, but at least x86 does
920         // perform them.
921         let s0 = bx.select(less_or_nan, int_min, fptosui_result);
922         let s1 = bx.select(greater, int_max, s0);
923
924         // Step 3: NaN replacement.
925         // For unsigned types, the above step already yielded int_ty::MIN == 0 if x is NaN.
926         // Therefore we only need to execute this step for signed integer types.
927         if signed {
928             // LLVM has no isNaN predicate, so we use (x == x) instead
929             let cmp = bx.fcmp(RealPredicate::RealOEQ, x, x);
930             bx.select(cmp, s1, zero)
931         } else {
932             s1
933         }
934     } else {
935         // In this case we cannot execute `fptosi` or `fptoui` and then later
936         // discard the result. The builder is telling us that these instructions
937         // will trap on out-of-bounds values, so we need to use basic blocks and
938         // control flow to avoid executing the `fptosi` and `fptoui`
939         // instructions.
940         //
941         // The general idea of what we're constructing here is, for f64 -> i32:
942         //
943         //      ;; block so far... %0 is the argument
944         //      %result = alloca i32, align 4
945         //      %inbound_lower = fcmp oge double %0, 0xC1E0000000000000
946         //      %inbound_upper = fcmp ole double %0, 0x41DFFFFFFFC00000
947         //      ;; match (inbound_lower, inbound_upper) {
948         //      ;;     (true, true) => %0 can be converted without trapping
949         //      ;;     (false, false) => %0 is a NaN
950         //      ;;     (true, false) => %0 is too large
951         //      ;;     (false, true) => %0 is too small
952         //      ;; }
953         //      ;;
954         //      ;; The (true, true) check, go to %convert if so.
955         //      %inbounds = and i1 %inbound_lower, %inbound_upper
956         //      br i1 %inbounds, label %convert, label %specialcase
957         //
958         //  convert:
959         //      %cvt = call i32 @llvm.wasm.trunc.signed.i32.f64(double %0)
960         //      store i32 %cvt, i32* %result, align 4
961         //      br label %done
962         //
963         //  specialcase:
964         //      ;; Handle the cases where the number is NaN, too large or too small
965         //
966         //      ;; Either (true, false) or (false, true)
967         //      %is_not_nan = or i1 %inbound_lower, %inbound_upper
968         //      ;; Figure out which saturated value we are interested in if not `NaN`
969         //      %saturated = select i1 %inbound_lower, i32 2147483647, i32 -2147483648
970         //      ;; Figure out between saturated and NaN representations
971         //      %result_nan = select i1 %is_not_nan, i32 %saturated, i32 0
972         //      store i32 %result_nan, i32* %result, align 4
973         //      br label %done
974         //
975         //  done:
976         //      %r = load i32, i32* %result, align 4
977         //      ;; ...
978         let done = bx.build_sibling_block("float_cast_done");
979         let mut convert = bx.build_sibling_block("float_cast_convert");
980         let mut specialcase = bx.build_sibling_block("float_cast_specialcase");
981
982         let result = PlaceRef::alloca(bx, int_layout);
983         result.storage_live(bx);
984
985         // Use control flow to figure out whether we can execute `fptosi` in a
986         // basic block, or whether we go to a different basic block to implement
987         // the saturating logic.
988         let inbound_lower = bx.fcmp(RealPredicate::RealOGE, x, f_min);
989         let inbound_upper = bx.fcmp(RealPredicate::RealOLE, x, f_max);
990         let inbounds = bx.and(inbound_lower, inbound_upper);
991         bx.cond_br(inbounds, convert.llbb(), specialcase.llbb());
992
993         // Translation of the `convert` basic block
994         let cvt = if signed { convert.fptosi(x, int_ty) } else { convert.fptoui(x, int_ty) };
995         convert.store(cvt, result.llval, result.align);
996         convert.br(done.llbb());
997
998         // Translation of the `specialcase` basic block. Note that like above
999         // we try to be a bit clever here for unsigned conversions. In those
1000         // cases the `int_min` is zero so we don't need two select instructions,
1001         // just one to choose whether we need `int_max` or not. If
1002         // `inbound_lower` is true then we're guaranteed to not be `NaN` and
1003         // since we're greater than zero we must be saturating to `int_max`. If
1004         // `inbound_lower` is false then we're either NaN or less than zero, so
1005         // we saturate to zero.
1006         let result_nan = if signed {
1007             let is_not_nan = specialcase.or(inbound_lower, inbound_upper);
1008             let saturated = specialcase.select(inbound_lower, int_max, int_min);
1009             specialcase.select(is_not_nan, saturated, zero)
1010         } else {
1011             specialcase.select(inbound_lower, int_max, int_min)
1012         };
1013         specialcase.store(result_nan, result.llval, result.align);
1014         specialcase.br(done.llbb());
1015
1016         // Translation of the `done` basic block, positioning ourselves to
1017         // continue from that point as well.
1018         *bx = done;
1019         let ret = bx.load(result.llval, result.align);
1020         result.storage_dead(bx);
1021         ret
1022     }
1023 }