]> git.lizzy.rs Git - rust.git/blob - src/librustc_mir/transform/promote_consts.rs
330f6c1640ff493ecd0b9ce443982a6ae22943f7
[rust.git] / src / librustc_mir / transform / promote_consts.rs
1 //! A pass that promotes borrows of constant rvalues.
2 //!
3 //! The rvalues considered constant are trees of temps,
4 //! each with exactly one initialization, and holding
5 //! a constant value with no interior mutability.
6 //! They are placed into a new MIR constant body in
7 //! `promoted` and the borrow rvalue is replaced with
8 //! a `Literal::Promoted` using the index into `promoted`
9 //! of that constant MIR.
10 //!
11 //! This pass assumes that every use is dominated by an
12 //! initialization and can otherwise silence errors, if
13 //! move analysis runs after promotion on broken MIR.
14
15 use rustc_ast::ast::LitKind;
16 use rustc_hir as hir;
17 use rustc_hir::def_id::DefId;
18 use rustc_middle::mir::traversal::ReversePostorder;
19 use rustc_middle::mir::visit::{MutVisitor, MutatingUseContext, PlaceContext, Visitor};
20 use rustc_middle::mir::*;
21 use rustc_middle::ty::cast::CastTy;
22 use rustc_middle::ty::subst::InternalSubsts;
23 use rustc_middle::ty::{self, List, TyCtxt, TypeFoldable};
24 use rustc_span::symbol::sym;
25 use rustc_span::{Span, DUMMY_SP};
26
27 use rustc_index::vec::{Idx, IndexVec};
28 use rustc_target::spec::abi::Abi;
29
30 use std::cell::Cell;
31 use std::{cmp, iter, mem};
32
33 use crate::const_eval::{is_const_fn, is_unstable_const_fn};
34 use crate::transform::check_consts::{is_lang_panic_fn, qualifs, ConstCx};
35 use crate::transform::{MirPass, MirSource};
36
37 /// A `MirPass` for promotion.
38 ///
39 /// Promotion is the extraction of promotable temps into separate MIR bodies. This pass also emits
40 /// errors when promotion of `#[rustc_args_required_const]` arguments fails.
41 ///
42 /// After this pass is run, `promoted_fragments` will hold the MIR body corresponding to each
43 /// newly created `Constant`.
44 #[derive(Default)]
45 pub struct PromoteTemps<'tcx> {
46     pub promoted_fragments: Cell<IndexVec<Promoted, Body<'tcx>>>,
47 }
48
49 impl<'tcx> MirPass<'tcx> for PromoteTemps<'tcx> {
50     fn run_pass(&self, tcx: TyCtxt<'tcx>, src: MirSource<'tcx>, body: &mut Body<'tcx>) {
51         // There's not really any point in promoting errorful MIR.
52         //
53         // This does not include MIR that failed const-checking, which we still try to promote.
54         if body.return_ty().references_error() {
55             tcx.sess.delay_span_bug(body.span, "PromoteTemps: MIR had errors");
56             return;
57         }
58
59         if src.promoted.is_some() {
60             return;
61         }
62
63         let def_id = src.def_id();
64
65         let mut rpo = traversal::reverse_postorder(body);
66         let ccx = ConstCx::new(tcx, def_id.expect_local(), body);
67         let (temps, all_candidates) = collect_temps_and_candidates(&ccx, &mut rpo);
68
69         let promotable_candidates = validate_candidates(&ccx, &temps, &all_candidates);
70
71         let promoted = promote_candidates(def_id, body, tcx, temps, promotable_candidates);
72         self.promoted_fragments.set(promoted);
73     }
74 }
75
76 /// State of a temporary during collection and promotion.
77 #[derive(Copy, Clone, PartialEq, Eq, Debug)]
78 pub enum TempState {
79     /// No references to this temp.
80     Undefined,
81     /// One direct assignment and any number of direct uses.
82     /// A borrow of this temp is promotable if the assigned
83     /// value is qualified as constant.
84     Defined { location: Location, uses: usize },
85     /// Any other combination of assignments/uses.
86     Unpromotable,
87     /// This temp was part of an rvalue which got extracted
88     /// during promotion and needs cleanup.
89     PromotedOut,
90 }
91
92 impl TempState {
93     pub fn is_promotable(&self) -> bool {
94         debug!("is_promotable: self={:?}", self);
95         if let TempState::Defined { .. } = *self { true } else { false }
96     }
97 }
98
99 /// A "root candidate" for promotion, which will become the
100 /// returned value in a promoted MIR, unless it's a subset
101 /// of a larger candidate.
102 #[derive(Copy, Clone, PartialEq, Eq, Debug)]
103 pub enum Candidate {
104     /// Borrow of a constant temporary.
105     Ref(Location),
106
107     /// Promotion of the `x` in `[x; 32]`.
108     Repeat(Location),
109
110     /// Currently applied to function calls where the callee has the unstable
111     /// `#[rustc_args_required_const]` attribute as well as the SIMD shuffle
112     /// intrinsic. The intrinsic requires the arguments are indeed constant and
113     /// the attribute currently provides the semantic requirement that arguments
114     /// must be constant.
115     Argument { bb: BasicBlock, index: usize },
116
117     /// `const` operand in asm!.
118     InlineAsm { bb: BasicBlock, index: usize },
119 }
120
121 impl Candidate {
122     /// Returns `true` if we should use the "explicit" rules for promotability for this `Candidate`.
123     fn forces_explicit_promotion(&self) -> bool {
124         match self {
125             Candidate::Ref(_) | Candidate::Repeat(_) => false,
126             Candidate::Argument { .. } | Candidate::InlineAsm { .. } => true,
127         }
128     }
129 }
130
131 fn args_required_const(tcx: TyCtxt<'_>, def_id: DefId) -> Option<Vec<usize>> {
132     let attrs = tcx.get_attrs(def_id);
133     let attr = attrs.iter().find(|a| a.check_name(sym::rustc_args_required_const))?;
134     let mut ret = vec![];
135     for meta in attr.meta_item_list()? {
136         match meta.literal()?.kind {
137             LitKind::Int(a, _) => {
138                 ret.push(a as usize);
139             }
140             _ => return None,
141         }
142     }
143     Some(ret)
144 }
145
146 struct Collector<'a, 'tcx> {
147     ccx: &'a ConstCx<'a, 'tcx>,
148     temps: IndexVec<Local, TempState>,
149     candidates: Vec<Candidate>,
150 }
151
152 impl<'tcx> Visitor<'tcx> for Collector<'_, 'tcx> {
153     fn visit_local(&mut self, &index: &Local, context: PlaceContext, location: Location) {
154         debug!("visit_local: index={:?} context={:?} location={:?}", index, context, location);
155         // We're only interested in temporaries and the return place
156         match self.ccx.body.local_kind(index) {
157             LocalKind::Temp | LocalKind::ReturnPointer => {}
158             LocalKind::Arg | LocalKind::Var => return,
159         }
160
161         // Ignore drops, if the temp gets promoted,
162         // then it's constant and thus drop is noop.
163         // Non-uses are also irrelevant.
164         if context.is_drop() || !context.is_use() {
165             debug!(
166                 "visit_local: context.is_drop={:?} context.is_use={:?}",
167                 context.is_drop(),
168                 context.is_use(),
169             );
170             return;
171         }
172
173         let temp = &mut self.temps[index];
174         debug!("visit_local: temp={:?}", temp);
175         if *temp == TempState::Undefined {
176             match context {
177                 PlaceContext::MutatingUse(MutatingUseContext::Store)
178                 | PlaceContext::MutatingUse(MutatingUseContext::Call) => {
179                     *temp = TempState::Defined { location, uses: 0 };
180                     return;
181                 }
182                 _ => { /* mark as unpromotable below */ }
183             }
184         } else if let TempState::Defined { ref mut uses, .. } = *temp {
185             // We always allow borrows, even mutable ones, as we need
186             // to promote mutable borrows of some ZSTs e.g., `&mut []`.
187             let allowed_use = match context {
188                 PlaceContext::MutatingUse(MutatingUseContext::Borrow)
189                 | PlaceContext::NonMutatingUse(_) => true,
190                 PlaceContext::MutatingUse(_) | PlaceContext::NonUse(_) => false,
191             };
192             debug!("visit_local: allowed_use={:?}", allowed_use);
193             if allowed_use {
194                 *uses += 1;
195                 return;
196             }
197             /* mark as unpromotable below */
198         }
199         *temp = TempState::Unpromotable;
200     }
201
202     fn visit_rvalue(&mut self, rvalue: &Rvalue<'tcx>, location: Location) {
203         self.super_rvalue(rvalue, location);
204
205         match *rvalue {
206             Rvalue::Ref(..) => {
207                 self.candidates.push(Candidate::Ref(location));
208             }
209             Rvalue::Repeat(..) if self.ccx.tcx.features().const_in_array_repeat_expressions => {
210                 // FIXME(#49147) only promote the element when it isn't `Copy`
211                 // (so that code that can copy it at runtime is unaffected).
212                 self.candidates.push(Candidate::Repeat(location));
213             }
214             _ => {}
215         }
216     }
217
218     fn visit_terminator(&mut self, terminator: &Terminator<'tcx>, location: Location) {
219         self.super_terminator(terminator, location);
220
221         match terminator.kind {
222             TerminatorKind::Call { ref func, .. } => {
223                 if let ty::FnDef(def_id, _) = func.ty(self.ccx.body, self.ccx.tcx).kind {
224                     let fn_sig = self.ccx.tcx.fn_sig(def_id);
225                     if let Abi::RustIntrinsic | Abi::PlatformIntrinsic = fn_sig.abi() {
226                         let name = self.ccx.tcx.item_name(def_id);
227                         // FIXME(eddyb) use `#[rustc_args_required_const(2)]` for shuffles.
228                         if name.as_str().starts_with("simd_shuffle") {
229                             self.candidates
230                                 .push(Candidate::Argument { bb: location.block, index: 2 });
231
232                             return; // Don't double count `simd_shuffle` candidates
233                         }
234                     }
235
236                     if let Some(constant_args) = args_required_const(self.ccx.tcx, def_id) {
237                         for index in constant_args {
238                             self.candidates.push(Candidate::Argument { bb: location.block, index });
239                         }
240                     }
241                 }
242             }
243             TerminatorKind::InlineAsm { ref operands, .. } => {
244                 for (index, op) in operands.iter().enumerate() {
245                     match op {
246                         InlineAsmOperand::Const { .. } => {
247                             self.candidates.push(Candidate::InlineAsm { bb: location.block, index })
248                         }
249                         _ => {}
250                     }
251                 }
252             }
253             _ => {}
254         }
255     }
256 }
257
258 pub fn collect_temps_and_candidates(
259     ccx: &ConstCx<'mir, 'tcx>,
260     rpo: &mut ReversePostorder<'_, 'tcx>,
261 ) -> (IndexVec<Local, TempState>, Vec<Candidate>) {
262     let mut collector = Collector {
263         temps: IndexVec::from_elem(TempState::Undefined, &ccx.body.local_decls),
264         candidates: vec![],
265         ccx,
266     };
267     for (bb, data) in rpo {
268         collector.visit_basic_block_data(bb, data);
269     }
270     (collector.temps, collector.candidates)
271 }
272
273 /// Checks whether locals that appear in a promotion context (`Candidate`) are actually promotable.
274 ///
275 /// This wraps an `Item`, and has access to all fields of that `Item` via `Deref` coercion.
276 struct Validator<'a, 'tcx> {
277     ccx: &'a ConstCx<'a, 'tcx>,
278     temps: &'a IndexVec<Local, TempState>,
279
280     /// Explicit promotion happens e.g. for constant arguments declared via
281     /// `rustc_args_required_const`.
282     /// Implicit promotion has almost the same rules, except that disallows `const fn`
283     /// except for those marked `#[rustc_promotable]`. This is to avoid changing
284     /// a legitimate run-time operation into a failing compile-time operation
285     /// e.g. due to addresses being compared inside the function.
286     explicit: bool,
287 }
288
289 impl std::ops::Deref for Validator<'a, 'tcx> {
290     type Target = ConstCx<'a, 'tcx>;
291
292     fn deref(&self) -> &Self::Target {
293         &self.ccx
294     }
295 }
296
297 struct Unpromotable;
298
299 impl<'tcx> Validator<'_, 'tcx> {
300     fn validate_candidate(&self, candidate: Candidate) -> Result<(), Unpromotable> {
301         match candidate {
302             Candidate::Ref(loc) => {
303                 assert!(!self.explicit);
304
305                 let statement = &self.body[loc.block].statements[loc.statement_index];
306                 match &statement.kind {
307                     StatementKind::Assign(box (_, Rvalue::Ref(_, kind, place))) => {
308                         match kind {
309                             BorrowKind::Shared | BorrowKind::Mut { .. } => {}
310
311                             // FIXME(eddyb) these aren't promoted here but *could*
312                             // be promoted as part of a larger value because
313                             // `validate_rvalue`  doesn't check them, need to
314                             // figure out what is the intended behavior.
315                             BorrowKind::Shallow | BorrowKind::Unique => return Err(Unpromotable),
316                         }
317
318                         // We can only promote interior borrows of promotable temps (non-temps
319                         // don't get promoted anyway).
320                         self.validate_local(place.local)?;
321
322                         if place.projection.contains(&ProjectionElem::Deref) {
323                             return Err(Unpromotable);
324                         }
325
326                         let mut has_mut_interior =
327                             self.qualif_local::<qualifs::HasMutInterior>(place.local);
328                         // HACK(eddyb) this should compute the same thing as
329                         // `<HasMutInterior as Qualif>::in_projection` from
330                         // `check_consts::qualifs` but without recursion.
331                         if has_mut_interior {
332                             // This allows borrowing fields which don't have
333                             // `HasMutInterior`, from a type that does, e.g.:
334                             // `let _: &'static _ = &(Cell::new(1), 2).1;`
335                             let mut place_projection = &place.projection[..];
336                             // FIXME(eddyb) use a forward loop instead of a reverse one.
337                             while let &[ref proj_base @ .., elem] = place_projection {
338                                 // FIXME(eddyb) this is probably excessive, with
339                                 // the exception of `union` member accesses.
340                                 let ty =
341                                     Place::ty_from(place.local, proj_base, self.body, self.tcx)
342                                         .projection_ty(self.tcx, elem)
343                                         .ty;
344                                 if ty.is_freeze(self.tcx, self.param_env, DUMMY_SP) {
345                                     has_mut_interior = false;
346                                     break;
347                                 }
348
349                                 place_projection = proj_base;
350                             }
351                         }
352
353                         // FIXME(eddyb) this duplicates part of `validate_rvalue`.
354                         if has_mut_interior {
355                             return Err(Unpromotable);
356                         }
357                         if self.qualif_local::<qualifs::NeedsDrop>(place.local) {
358                             return Err(Unpromotable);
359                         }
360
361                         if let BorrowKind::Mut { .. } = kind {
362                             let ty = place.ty(self.body, self.tcx).ty;
363
364                             // In theory, any zero-sized value could be borrowed
365                             // mutably without consequences. However, only &mut []
366                             // is allowed right now, and only in functions.
367                             if self.const_kind
368                                 == Some(hir::ConstContext::Static(hir::Mutability::Mut))
369                             {
370                                 // Inside a `static mut`, &mut [...] is also allowed.
371                                 match ty.kind {
372                                     ty::Array(..) | ty::Slice(_) => {}
373                                     _ => return Err(Unpromotable),
374                                 }
375                             } else if let ty::Array(_, len) = ty.kind {
376                                 // FIXME(eddyb) the `self.is_non_const_fn` condition
377                                 // seems unnecessary, given that this is merely a ZST.
378                                 match len.try_eval_usize(self.tcx, self.param_env) {
379                                     Some(0) if self.const_kind.is_none() => {}
380                                     _ => return Err(Unpromotable),
381                                 }
382                             } else {
383                                 return Err(Unpromotable);
384                             }
385                         }
386
387                         Ok(())
388                     }
389                     _ => bug!(),
390                 }
391             }
392             Candidate::Repeat(loc) => {
393                 assert!(!self.explicit);
394
395                 let statement = &self.body[loc.block].statements[loc.statement_index];
396                 match &statement.kind {
397                     StatementKind::Assign(box (_, Rvalue::Repeat(ref operand, _))) => {
398                         if !self.tcx.features().const_in_array_repeat_expressions {
399                             return Err(Unpromotable);
400                         }
401
402                         self.validate_operand(operand)
403                     }
404                     _ => bug!(),
405                 }
406             }
407             Candidate::Argument { bb, index } => {
408                 assert!(self.explicit);
409
410                 let terminator = self.body[bb].terminator();
411                 match &terminator.kind {
412                     TerminatorKind::Call { args, .. } => self.validate_operand(&args[index]),
413                     _ => bug!(),
414                 }
415             }
416             Candidate::InlineAsm { bb, index } => {
417                 assert!(self.explicit);
418
419                 let terminator = self.body[bb].terminator();
420                 match &terminator.kind {
421                     TerminatorKind::InlineAsm { operands, .. } => match &operands[index] {
422                         InlineAsmOperand::Const { value } => self.validate_operand(value),
423                         _ => bug!(),
424                     },
425                     _ => bug!(),
426                 }
427             }
428         }
429     }
430
431     // FIXME(eddyb) maybe cache this?
432     fn qualif_local<Q: qualifs::Qualif>(&self, local: Local) -> bool {
433         if let TempState::Defined { location: loc, .. } = self.temps[local] {
434             let num_stmts = self.body[loc.block].statements.len();
435
436             if loc.statement_index < num_stmts {
437                 let statement = &self.body[loc.block].statements[loc.statement_index];
438                 match &statement.kind {
439                     StatementKind::Assign(box (_, rhs)) => qualifs::in_rvalue::<Q, _>(
440                         &self.ccx,
441                         &mut |l| self.qualif_local::<Q>(l),
442                         rhs,
443                     ),
444                     _ => {
445                         span_bug!(
446                             statement.source_info.span,
447                             "{:?} is not an assignment",
448                             statement
449                         );
450                     }
451                 }
452             } else {
453                 let terminator = self.body[loc.block].terminator();
454                 match &terminator.kind {
455                     TerminatorKind::Call { .. } => {
456                         let return_ty = self.body.local_decls[local].ty;
457                         Q::in_any_value_of_ty(&self.ccx, return_ty)
458                     }
459                     kind => {
460                         span_bug!(terminator.source_info.span, "{:?} not promotable", kind);
461                     }
462                 }
463             }
464         } else {
465             let span = self.body.local_decls[local].source_info.span;
466             span_bug!(span, "{:?} not promotable, qualif_local shouldn't have been called", local);
467         }
468     }
469
470     // FIXME(eddyb) maybe cache this?
471     fn validate_local(&self, local: Local) -> Result<(), Unpromotable> {
472         if let TempState::Defined { location: loc, .. } = self.temps[local] {
473             let num_stmts = self.body[loc.block].statements.len();
474
475             if loc.statement_index < num_stmts {
476                 let statement = &self.body[loc.block].statements[loc.statement_index];
477                 match &statement.kind {
478                     StatementKind::Assign(box (_, rhs)) => self.validate_rvalue(rhs),
479                     _ => {
480                         span_bug!(
481                             statement.source_info.span,
482                             "{:?} is not an assignment",
483                             statement
484                         );
485                     }
486                 }
487             } else {
488                 let terminator = self.body[loc.block].terminator();
489                 match &terminator.kind {
490                     TerminatorKind::Call { func, args, .. } => self.validate_call(func, args),
491                     TerminatorKind::Yield { .. } => Err(Unpromotable),
492                     kind => {
493                         span_bug!(terminator.source_info.span, "{:?} not promotable", kind);
494                     }
495                 }
496             }
497         } else {
498             Err(Unpromotable)
499         }
500     }
501
502     fn validate_place(&self, place: PlaceRef<'tcx>) -> Result<(), Unpromotable> {
503         match place {
504             PlaceRef { local, projection: [] } => self.validate_local(local),
505             PlaceRef { local: _, projection: [proj_base @ .., elem] } => {
506                 match *elem {
507                     ProjectionElem::Deref | ProjectionElem::Downcast(..) => {
508                         return Err(Unpromotable);
509                     }
510
511                     ProjectionElem::ConstantIndex { .. } | ProjectionElem::Subslice { .. } => {}
512
513                     ProjectionElem::Index(local) => {
514                         self.validate_local(local)?;
515                     }
516
517                     ProjectionElem::Field(..) => {
518                         if self.const_kind.is_none() {
519                             let base_ty =
520                                 Place::ty_from(place.local, proj_base, self.body, self.tcx).ty;
521                             if let Some(def) = base_ty.ty_adt_def() {
522                                 // No promotion of union field accesses.
523                                 if def.is_union() {
524                                     return Err(Unpromotable);
525                                 }
526                             }
527                         }
528                     }
529                 }
530
531                 self.validate_place(PlaceRef { local: place.local, projection: proj_base })
532             }
533         }
534     }
535
536     fn validate_operand(&self, operand: &Operand<'tcx>) -> Result<(), Unpromotable> {
537         match operand {
538             Operand::Copy(place) | Operand::Move(place) => self.validate_place(place.as_ref()),
539
540             // The qualifs for a constant (e.g. `HasMutInterior`) are checked in
541             // `validate_rvalue` upon access.
542             Operand::Constant(c) => {
543                 if let Some(def_id) = c.check_static_ptr(self.tcx) {
544                     // Only allow statics (not consts) to refer to other statics.
545                     // FIXME(eddyb) does this matter at all for promotion?
546                     let is_static = matches!(self.const_kind, Some(hir::ConstContext::Static(_)));
547                     if !is_static {
548                         return Err(Unpromotable);
549                     }
550
551                     let is_thread_local = self.tcx.is_thread_local_static(def_id);
552                     if is_thread_local {
553                         return Err(Unpromotable);
554                     }
555                 }
556
557                 Ok(())
558             }
559         }
560     }
561
562     fn validate_rvalue(&self, rvalue: &Rvalue<'tcx>) -> Result<(), Unpromotable> {
563         match *rvalue {
564             Rvalue::Cast(CastKind::Misc, ref operand, cast_ty) if self.const_kind.is_none() => {
565                 let operand_ty = operand.ty(self.body, self.tcx);
566                 let cast_in = CastTy::from_ty(operand_ty).expect("bad input type for cast");
567                 let cast_out = CastTy::from_ty(cast_ty).expect("bad output type for cast");
568                 match (cast_in, cast_out) {
569                     (CastTy::Ptr(_) | CastTy::FnPtr, CastTy::Int(_)) => {
570                         // in normal functions, mark such casts as not promotable
571                         return Err(Unpromotable);
572                     }
573                     _ => {}
574                 }
575             }
576
577             Rvalue::BinaryOp(op, ref lhs, _) if self.const_kind.is_none() => {
578                 if let ty::RawPtr(_) | ty::FnPtr(..) = lhs.ty(self.body, self.tcx).kind {
579                     assert!(
580                         op == BinOp::Eq
581                             || op == BinOp::Ne
582                             || op == BinOp::Le
583                             || op == BinOp::Lt
584                             || op == BinOp::Ge
585                             || op == BinOp::Gt
586                             || op == BinOp::Offset
587                     );
588
589                     // raw pointer operations are not allowed inside promoteds
590                     return Err(Unpromotable);
591                 }
592             }
593
594             Rvalue::NullaryOp(NullOp::Box, _) => return Err(Unpromotable),
595
596             _ => {}
597         }
598
599         match rvalue {
600             Rvalue::ThreadLocalRef(_) => Err(Unpromotable),
601
602             Rvalue::NullaryOp(..) => Ok(()),
603
604             Rvalue::Discriminant(place) | Rvalue::Len(place) => self.validate_place(place.as_ref()),
605
606             Rvalue::Use(operand)
607             | Rvalue::Repeat(operand, _)
608             | Rvalue::UnaryOp(_, operand)
609             | Rvalue::Cast(_, operand, _) => self.validate_operand(operand),
610
611             Rvalue::BinaryOp(_, lhs, rhs) | Rvalue::CheckedBinaryOp(_, lhs, rhs) => {
612                 self.validate_operand(lhs)?;
613                 self.validate_operand(rhs)
614             }
615
616             Rvalue::AddressOf(_, place) => {
617                 // Raw reborrows can come from reference to pointer coercions,
618                 // so are allowed.
619                 if let [proj_base @ .., ProjectionElem::Deref] = place.projection.as_ref() {
620                     let base_ty = Place::ty_from(place.local, proj_base, self.body, self.tcx).ty;
621                     if let ty::Ref(..) = base_ty.kind {
622                         return self.validate_place(PlaceRef {
623                             local: place.local,
624                             projection: proj_base,
625                         });
626                     }
627                 }
628                 Err(Unpromotable)
629             }
630
631             Rvalue::Ref(_, kind, place) => {
632                 if let BorrowKind::Mut { .. } = kind {
633                     let ty = place.ty(self.body, self.tcx).ty;
634
635                     // In theory, any zero-sized value could be borrowed
636                     // mutably without consequences. However, only &mut []
637                     // is allowed right now, and only in functions.
638                     if self.const_kind == Some(hir::ConstContext::Static(hir::Mutability::Mut)) {
639                         // Inside a `static mut`, &mut [...] is also allowed.
640                         match ty.kind {
641                             ty::Array(..) | ty::Slice(_) => {}
642                             _ => return Err(Unpromotable),
643                         }
644                     } else if let ty::Array(_, len) = ty.kind {
645                         // FIXME(eddyb): We only return `Unpromotable` for `&mut []` inside a
646                         // const context which seems unnecessary given that this is merely a ZST.
647                         match len.try_eval_usize(self.tcx, self.param_env) {
648                             Some(0) if self.const_kind.is_none() => {}
649                             _ => return Err(Unpromotable),
650                         }
651                     } else {
652                         return Err(Unpromotable);
653                     }
654                 }
655
656                 // Special-case reborrows to be more like a copy of the reference.
657                 let mut place = place.as_ref();
658                 if let [proj_base @ .., ProjectionElem::Deref] = &place.projection {
659                     let base_ty = Place::ty_from(place.local, proj_base, self.body, self.tcx).ty;
660                     if let ty::Ref(..) = base_ty.kind {
661                         place = PlaceRef { local: place.local, projection: proj_base };
662                     }
663                 }
664
665                 self.validate_place(place)?;
666
667                 // HACK(eddyb) this should compute the same thing as
668                 // `<HasMutInterior as Qualif>::in_projection` from
669                 // `check_consts::qualifs` but without recursion.
670                 let mut has_mut_interior =
671                     self.qualif_local::<qualifs::HasMutInterior>(place.local);
672                 if has_mut_interior {
673                     let mut place_projection = place.projection;
674                     // FIXME(eddyb) use a forward loop instead of a reverse one.
675                     while let &[ref proj_base @ .., elem] = place_projection {
676                         // FIXME(eddyb) this is probably excessive, with
677                         // the exception of `union` member accesses.
678                         let ty = Place::ty_from(place.local, proj_base, self.body, self.tcx)
679                             .projection_ty(self.tcx, elem)
680                             .ty;
681                         if ty.is_freeze(self.tcx, self.param_env, DUMMY_SP) {
682                             has_mut_interior = false;
683                             break;
684                         }
685
686                         place_projection = proj_base;
687                     }
688                 }
689                 if has_mut_interior {
690                     return Err(Unpromotable);
691                 }
692
693                 Ok(())
694             }
695
696             Rvalue::Aggregate(_, ref operands) => {
697                 for o in operands {
698                     self.validate_operand(o)?;
699                 }
700
701                 Ok(())
702             }
703         }
704     }
705
706     fn validate_call(
707         &self,
708         callee: &Operand<'tcx>,
709         args: &[Operand<'tcx>],
710     ) -> Result<(), Unpromotable> {
711         let fn_ty = callee.ty(self.body, self.tcx);
712
713         if !self.explicit && self.const_kind.is_none() {
714             if let ty::FnDef(def_id, _) = fn_ty.kind {
715                 // Never promote runtime `const fn` calls of
716                 // functions without `#[rustc_promotable]`.
717                 if !self.tcx.is_promotable_const_fn(def_id) {
718                     return Err(Unpromotable);
719                 }
720             }
721         }
722
723         let is_const_fn = match fn_ty.kind {
724             ty::FnDef(def_id, _) => {
725                 is_const_fn(self.tcx, def_id)
726                     || is_unstable_const_fn(self.tcx, def_id).is_some()
727                     || is_lang_panic_fn(self.tcx, self.def_id)
728             }
729             _ => false,
730         };
731         if !is_const_fn {
732             return Err(Unpromotable);
733         }
734
735         self.validate_operand(callee)?;
736         for arg in args {
737             self.validate_operand(arg)?;
738         }
739
740         Ok(())
741     }
742 }
743
744 // FIXME(eddyb) remove the differences for promotability in `static`, `const`, `const fn`.
745 pub fn validate_candidates(
746     ccx: &ConstCx<'_, '_>,
747     temps: &IndexVec<Local, TempState>,
748     candidates: &[Candidate],
749 ) -> Vec<Candidate> {
750     let mut validator = Validator { ccx, temps, explicit: false };
751
752     candidates
753         .iter()
754         .copied()
755         .filter(|&candidate| {
756             validator.explicit = candidate.forces_explicit_promotion();
757
758             // FIXME(eddyb) also emit the errors for shuffle indices
759             // and `#[rustc_args_required_const]` arguments here.
760
761             let is_promotable = validator.validate_candidate(candidate).is_ok();
762
763             // If we use explicit validation, we carry the risk of turning a legitimate run-time
764             // operation into a failing compile-time operation. Make sure that does not happen
765             // by asserting that there is no possible run-time behavior here in case promotion
766             // fails.
767             if validator.explicit && !is_promotable {
768                 ccx.tcx.sess.delay_span_bug(
769                     ccx.body.span,
770                     "Explicit promotion requested, but failed to promote",
771                 );
772             }
773
774             match candidate {
775                 Candidate::Argument { bb, index } | Candidate::InlineAsm { bb, index }
776                     if !is_promotable =>
777                 {
778                     let span = ccx.body[bb].terminator().source_info.span;
779                     let msg = format!("argument {} is required to be a constant", index + 1);
780                     ccx.tcx.sess.span_err(span, &msg);
781                 }
782                 _ => (),
783             }
784
785             is_promotable
786         })
787         .collect()
788 }
789
790 struct Promoter<'a, 'tcx> {
791     tcx: TyCtxt<'tcx>,
792     source: &'a mut Body<'tcx>,
793     promoted: Body<'tcx>,
794     temps: &'a mut IndexVec<Local, TempState>,
795     extra_statements: &'a mut Vec<(Location, Statement<'tcx>)>,
796
797     /// If true, all nested temps are also kept in the
798     /// source MIR, not moved to the promoted MIR.
799     keep_original: bool,
800 }
801
802 impl<'a, 'tcx> Promoter<'a, 'tcx> {
803     fn new_block(&mut self) -> BasicBlock {
804         let span = self.promoted.span;
805         self.promoted.basic_blocks_mut().push(BasicBlockData {
806             statements: vec![],
807             terminator: Some(Terminator {
808                 source_info: SourceInfo::outermost(span),
809                 kind: TerminatorKind::Return,
810             }),
811             is_cleanup: false,
812         })
813     }
814
815     fn assign(&mut self, dest: Local, rvalue: Rvalue<'tcx>, span: Span) {
816         let last = self.promoted.basic_blocks().last().unwrap();
817         let data = &mut self.promoted[last];
818         data.statements.push(Statement {
819             source_info: SourceInfo::outermost(span),
820             kind: StatementKind::Assign(box (Place::from(dest), rvalue)),
821         });
822     }
823
824     fn is_temp_kind(&self, local: Local) -> bool {
825         self.source.local_kind(local) == LocalKind::Temp
826     }
827
828     /// Copies the initialization of this temp to the
829     /// promoted MIR, recursing through temps.
830     fn promote_temp(&mut self, temp: Local) -> Local {
831         let old_keep_original = self.keep_original;
832         let loc = match self.temps[temp] {
833             TempState::Defined { location, uses } if uses > 0 => {
834                 if uses > 1 {
835                     self.keep_original = true;
836                 }
837                 location
838             }
839             state => {
840                 span_bug!(self.promoted.span, "{:?} not promotable: {:?}", temp, state);
841             }
842         };
843         if !self.keep_original {
844             self.temps[temp] = TempState::PromotedOut;
845         }
846
847         let num_stmts = self.source[loc.block].statements.len();
848         let new_temp = self.promoted.local_decls.push(LocalDecl::new(
849             self.source.local_decls[temp].ty,
850             self.source.local_decls[temp].source_info.span,
851         ));
852
853         debug!("promote({:?} @ {:?}/{:?}, {:?})", temp, loc, num_stmts, self.keep_original);
854
855         // First, take the Rvalue or Call out of the source MIR,
856         // or duplicate it, depending on keep_original.
857         if loc.statement_index < num_stmts {
858             let (mut rvalue, source_info) = {
859                 let statement = &mut self.source[loc.block].statements[loc.statement_index];
860                 let rhs = match statement.kind {
861                     StatementKind::Assign(box (_, ref mut rhs)) => rhs,
862                     _ => {
863                         span_bug!(
864                             statement.source_info.span,
865                             "{:?} is not an assignment",
866                             statement
867                         );
868                     }
869                 };
870
871                 (
872                     if self.keep_original {
873                         rhs.clone()
874                     } else {
875                         let unit = Rvalue::Use(Operand::Constant(box Constant {
876                             span: statement.source_info.span,
877                             user_ty: None,
878                             literal: ty::Const::zero_sized(self.tcx, self.tcx.types.unit),
879                         }));
880                         mem::replace(rhs, unit)
881                     },
882                     statement.source_info,
883                 )
884             };
885
886             self.visit_rvalue(&mut rvalue, loc);
887             self.assign(new_temp, rvalue, source_info.span);
888         } else {
889             let terminator = if self.keep_original {
890                 self.source[loc.block].terminator().clone()
891             } else {
892                 let terminator = self.source[loc.block].terminator_mut();
893                 let target = match terminator.kind {
894                     TerminatorKind::Call { destination: Some((_, target)), .. } => target,
895                     ref kind => {
896                         span_bug!(terminator.source_info.span, "{:?} not promotable", kind);
897                     }
898                 };
899                 Terminator {
900                     source_info: terminator.source_info,
901                     kind: mem::replace(&mut terminator.kind, TerminatorKind::Goto { target }),
902                 }
903             };
904
905             match terminator.kind {
906                 TerminatorKind::Call { mut func, mut args, from_hir_call, fn_span, .. } => {
907                     self.visit_operand(&mut func, loc);
908                     for arg in &mut args {
909                         self.visit_operand(arg, loc);
910                     }
911
912                     let last = self.promoted.basic_blocks().last().unwrap();
913                     let new_target = self.new_block();
914
915                     *self.promoted[last].terminator_mut() = Terminator {
916                         kind: TerminatorKind::Call {
917                             func,
918                             args,
919                             cleanup: None,
920                             destination: Some((Place::from(new_temp), new_target)),
921                             from_hir_call,
922                             fn_span,
923                         },
924                         ..terminator
925                     };
926                 }
927                 ref kind => {
928                     span_bug!(terminator.source_info.span, "{:?} not promotable", kind);
929                 }
930             };
931         };
932
933         self.keep_original = old_keep_original;
934         new_temp
935     }
936
937     fn promote_candidate(
938         mut self,
939         def_id: DefId,
940         candidate: Candidate,
941         next_promoted_id: usize,
942     ) -> Option<Body<'tcx>> {
943         let mut rvalue = {
944             let promoted = &mut self.promoted;
945             let promoted_id = Promoted::new(next_promoted_id);
946             let tcx = self.tcx;
947             let mut promoted_operand = |ty, span| {
948                 promoted.span = span;
949                 promoted.local_decls[RETURN_PLACE] = LocalDecl::new(ty, span);
950
951                 Operand::Constant(Box::new(Constant {
952                     span,
953                     user_ty: None,
954                     literal: tcx.mk_const(ty::Const {
955                         ty,
956                         val: ty::ConstKind::Unevaluated(
957                             def_id,
958                             InternalSubsts::for_item(tcx, def_id, |param, _| {
959                                 if let ty::GenericParamDefKind::Lifetime = param.kind {
960                                     tcx.lifetimes.re_erased.into()
961                                 } else {
962                                     tcx.mk_param_from_def(param)
963                                 }
964                             }),
965                             Some(promoted_id),
966                         ),
967                     }),
968                 }))
969             };
970             let (blocks, local_decls) = self.source.basic_blocks_and_local_decls_mut();
971             match candidate {
972                 Candidate::Ref(loc) => {
973                     let statement = &mut blocks[loc.block].statements[loc.statement_index];
974                     match statement.kind {
975                         StatementKind::Assign(box (
976                             _,
977                             Rvalue::Ref(ref mut region, borrow_kind, ref mut place),
978                         )) => {
979                             // Use the underlying local for this (necessarily interior) borrow.
980                             let ty = local_decls.local_decls()[place.local].ty;
981                             let span = statement.source_info.span;
982
983                             let ref_ty = tcx.mk_ref(
984                                 tcx.lifetimes.re_erased,
985                                 ty::TypeAndMut { ty, mutbl: borrow_kind.to_mutbl_lossy() },
986                             );
987
988                             *region = tcx.lifetimes.re_erased;
989
990                             let mut projection = vec![PlaceElem::Deref];
991                             projection.extend(place.projection);
992                             place.projection = tcx.intern_place_elems(&projection);
993
994                             // Create a temp to hold the promoted reference.
995                             // This is because `*r` requires `r` to be a local,
996                             // otherwise we would use the `promoted` directly.
997                             let mut promoted_ref = LocalDecl::new(ref_ty, span);
998                             promoted_ref.source_info = statement.source_info;
999                             let promoted_ref = local_decls.push(promoted_ref);
1000                             assert_eq!(self.temps.push(TempState::Unpromotable), promoted_ref);
1001
1002                             let promoted_ref_statement = Statement {
1003                                 source_info: statement.source_info,
1004                                 kind: StatementKind::Assign(Box::new((
1005                                     Place::from(promoted_ref),
1006                                     Rvalue::Use(promoted_operand(ref_ty, span)),
1007                                 ))),
1008                             };
1009                             self.extra_statements.push((loc, promoted_ref_statement));
1010
1011                             Rvalue::Ref(
1012                                 tcx.lifetimes.re_erased,
1013                                 borrow_kind,
1014                                 Place {
1015                                     local: mem::replace(&mut place.local, promoted_ref),
1016                                     projection: List::empty(),
1017                                 },
1018                             )
1019                         }
1020                         _ => bug!(),
1021                     }
1022                 }
1023                 Candidate::Repeat(loc) => {
1024                     let statement = &mut blocks[loc.block].statements[loc.statement_index];
1025                     match statement.kind {
1026                         StatementKind::Assign(box (_, Rvalue::Repeat(ref mut operand, _))) => {
1027                             let ty = operand.ty(local_decls, self.tcx);
1028                             let span = statement.source_info.span;
1029
1030                             Rvalue::Use(mem::replace(operand, promoted_operand(ty, span)))
1031                         }
1032                         _ => bug!(),
1033                     }
1034                 }
1035                 Candidate::Argument { bb, index } => {
1036                     let terminator = blocks[bb].terminator_mut();
1037                     match terminator.kind {
1038                         TerminatorKind::Call { ref mut args, .. } => {
1039                             let ty = args[index].ty(local_decls, self.tcx);
1040                             let span = terminator.source_info.span;
1041
1042                             Rvalue::Use(mem::replace(&mut args[index], promoted_operand(ty, span)))
1043                         }
1044                         // We expected a `TerminatorKind::Call` for which we'd like to promote an
1045                         // argument. `qualify_consts` saw a `TerminatorKind::Call` here, but
1046                         // we are seeing a `Goto`. That means that the `promote_temps` method
1047                         // already promoted this call away entirely. This case occurs when calling
1048                         // a function requiring a constant argument and as that constant value
1049                         // providing a value whose computation contains another call to a function
1050                         // requiring a constant argument.
1051                         TerminatorKind::Goto { .. } => return None,
1052                         _ => bug!(),
1053                     }
1054                 }
1055                 Candidate::InlineAsm { bb, index } => {
1056                     let terminator = blocks[bb].terminator_mut();
1057                     match terminator.kind {
1058                         TerminatorKind::InlineAsm { ref mut operands, .. } => {
1059                             match &mut operands[index] {
1060                                 InlineAsmOperand::Const { ref mut value } => {
1061                                     let ty = value.ty(local_decls, self.tcx);
1062                                     let span = terminator.source_info.span;
1063
1064                                     Rvalue::Use(mem::replace(value, promoted_operand(ty, span)))
1065                                 }
1066                                 _ => bug!(),
1067                             }
1068                         }
1069
1070                         _ => bug!(),
1071                     }
1072                 }
1073             }
1074         };
1075
1076         assert_eq!(self.new_block(), START_BLOCK);
1077         self.visit_rvalue(
1078             &mut rvalue,
1079             Location { block: BasicBlock::new(0), statement_index: usize::MAX },
1080         );
1081
1082         let span = self.promoted.span;
1083         self.assign(RETURN_PLACE, rvalue, span);
1084         Some(self.promoted)
1085     }
1086 }
1087
1088 /// Replaces all temporaries with their promoted counterparts.
1089 impl<'a, 'tcx> MutVisitor<'tcx> for Promoter<'a, 'tcx> {
1090     fn tcx(&self) -> TyCtxt<'tcx> {
1091         self.tcx
1092     }
1093
1094     fn visit_local(&mut self, local: &mut Local, _: PlaceContext, _: Location) {
1095         if self.is_temp_kind(*local) {
1096             *local = self.promote_temp(*local);
1097         }
1098     }
1099 }
1100
1101 pub fn promote_candidates<'tcx>(
1102     def_id: DefId,
1103     body: &mut Body<'tcx>,
1104     tcx: TyCtxt<'tcx>,
1105     mut temps: IndexVec<Local, TempState>,
1106     candidates: Vec<Candidate>,
1107 ) -> IndexVec<Promoted, Body<'tcx>> {
1108     // Visit candidates in reverse, in case they're nested.
1109     debug!("promote_candidates({:?})", candidates);
1110
1111     let mut promotions = IndexVec::new();
1112
1113     let mut extra_statements = vec![];
1114     for candidate in candidates.into_iter().rev() {
1115         match candidate {
1116             Candidate::Repeat(Location { block, statement_index })
1117             | Candidate::Ref(Location { block, statement_index }) => {
1118                 if let StatementKind::Assign(box (place, _)) =
1119                     &body[block].statements[statement_index].kind
1120                 {
1121                     if let Some(local) = place.as_local() {
1122                         if temps[local] == TempState::PromotedOut {
1123                             // Already promoted.
1124                             continue;
1125                         }
1126                     }
1127                 }
1128             }
1129             Candidate::Argument { .. } | Candidate::InlineAsm { .. } => {}
1130         }
1131
1132         // Declare return place local so that `mir::Body::new` doesn't complain.
1133         let initial_locals = iter::once(LocalDecl::new(tcx.types.never, body.span)).collect();
1134
1135         let mut promoted = Body::new(
1136             IndexVec::new(),
1137             // FIXME: maybe try to filter this to avoid blowing up
1138             // memory usage?
1139             body.source_scopes.clone(),
1140             initial_locals,
1141             IndexVec::new(),
1142             0,
1143             vec![],
1144             body.span,
1145             vec![],
1146             body.generator_kind,
1147         );
1148         promoted.ignore_interior_mut_in_const_validation = true;
1149
1150         let promoter = Promoter {
1151             promoted,
1152             tcx,
1153             source: body,
1154             temps: &mut temps,
1155             extra_statements: &mut extra_statements,
1156             keep_original: false,
1157         };
1158
1159         //FIXME(oli-obk): having a `maybe_push()` method on `IndexVec` might be nice
1160         if let Some(promoted) = promoter.promote_candidate(def_id, candidate, promotions.len()) {
1161             promotions.push(promoted);
1162         }
1163     }
1164
1165     // Insert each of `extra_statements` before its indicated location, which
1166     // has to be done in reverse location order, to not invalidate the rest.
1167     extra_statements.sort_by_key(|&(loc, _)| cmp::Reverse(loc));
1168     for (loc, statement) in extra_statements {
1169         body[loc.block].statements.insert(loc.statement_index, statement);
1170     }
1171
1172     // Eliminate assignments to, and drops of promoted temps.
1173     let promoted = |index: Local| temps[index] == TempState::PromotedOut;
1174     for block in body.basic_blocks_mut() {
1175         block.statements.retain(|statement| match &statement.kind {
1176             StatementKind::Assign(box (place, _)) => {
1177                 if let Some(index) = place.as_local() {
1178                     !promoted(index)
1179                 } else {
1180                     true
1181                 }
1182             }
1183             StatementKind::StorageLive(index) | StatementKind::StorageDead(index) => {
1184                 !promoted(*index)
1185             }
1186             _ => true,
1187         });
1188         let terminator = block.terminator_mut();
1189         if let TerminatorKind::Drop { place, target, .. } = &terminator.kind {
1190             if let Some(index) = place.as_local() {
1191                 if promoted(index) {
1192                     terminator.kind = TerminatorKind::Goto { target: *target };
1193                 }
1194             }
1195         }
1196     }
1197
1198     promotions
1199 }
1200
1201 /// This function returns `true` if the `const_in_array_repeat_expressions` feature attribute should
1202 /// be suggested. This function is probably quite expensive, it shouldn't be run in the happy path.
1203 /// Feature attribute should be suggested if `operand` can be promoted and the feature is not
1204 /// enabled.
1205 crate fn should_suggest_const_in_array_repeat_expressions_attribute<'tcx>(
1206     ccx: &ConstCx<'_, 'tcx>,
1207     operand: &Operand<'tcx>,
1208 ) -> bool {
1209     let mut rpo = traversal::reverse_postorder(&ccx.body);
1210     let (temps, _) = collect_temps_and_candidates(&ccx, &mut rpo);
1211     let validator = Validator { ccx, temps: &temps, explicit: false };
1212
1213     let should_promote = validator.validate_operand(operand).is_ok();
1214     let feature_flag = validator.ccx.tcx.features().const_in_array_repeat_expressions;
1215     debug!(
1216         "should_suggest_const_in_array_repeat_expressions_flag: def_id={:?} \
1217             should_promote={:?} feature_flag={:?}",
1218         validator.ccx.def_id, should_promote, feature_flag
1219     );
1220     should_promote && !feature_flag
1221 }