]> git.lizzy.rs Git - rust.git/blob - src/librustc_mir/transform/generator.rs
Rollup merge of #75837 - GuillaumeGomez:fix-font-color-help-button, r=Cldfire
[rust.git] / src / librustc_mir / transform / generator.rs
1 //! This is the implementation of the pass which transforms generators into state machines.
2 //!
3 //! MIR generation for generators creates a function which has a self argument which
4 //! passes by value. This argument is effectively a generator type which only contains upvars and
5 //! is only used for this argument inside the MIR for the generator.
6 //! It is passed by value to enable upvars to be moved out of it. Drop elaboration runs on that
7 //! MIR before this pass and creates drop flags for MIR locals.
8 //! It will also drop the generator argument (which only consists of upvars) if any of the upvars
9 //! are moved out of. This pass elaborates the drops of upvars / generator argument in the case
10 //! that none of the upvars were moved out of. This is because we cannot have any drops of this
11 //! generator in the MIR, since it is used to create the drop glue for the generator. We'd get
12 //! infinite recursion otherwise.
13 //!
14 //! This pass creates the implementation for the Generator::resume function and the drop shim
15 //! for the generator based on the MIR input. It converts the generator argument from Self to
16 //! &mut Self adding derefs in the MIR as needed. It computes the final layout of the generator
17 //! struct which looks like this:
18 //!     First upvars are stored
19 //!     It is followed by the generator state field.
20 //!     Then finally the MIR locals which are live across a suspension point are stored.
21 //!
22 //!     struct Generator {
23 //!         upvars...,
24 //!         state: u32,
25 //!         mir_locals...,
26 //!     }
27 //!
28 //! This pass computes the meaning of the state field and the MIR locals which are live
29 //! across a suspension point. There are however three hardcoded generator states:
30 //!     0 - Generator have not been resumed yet
31 //!     1 - Generator has returned / is completed
32 //!     2 - Generator has been poisoned
33 //!
34 //! It also rewrites `return x` and `yield y` as setting a new generator state and returning
35 //! GeneratorState::Complete(x) and GeneratorState::Yielded(y) respectively.
36 //! MIR locals which are live across a suspension point are moved to the generator struct
37 //! with references to them being updated with references to the generator struct.
38 //!
39 //! The pass creates two functions which have a switch on the generator state giving
40 //! the action to take.
41 //!
42 //! One of them is the implementation of Generator::resume.
43 //! For generators with state 0 (unresumed) it starts the execution of the generator.
44 //! For generators with state 1 (returned) and state 2 (poisoned) it panics.
45 //! Otherwise it continues the execution from the last suspension point.
46 //!
47 //! The other function is the drop glue for the generator.
48 //! For generators with state 0 (unresumed) it drops the upvars of the generator.
49 //! For generators with state 1 (returned) and state 2 (poisoned) it does nothing.
50 //! Otherwise it drops all the values in scope at the last suspension point.
51
52 use crate::dataflow::impls::{
53     MaybeBorrowedLocals, MaybeLiveLocals, MaybeRequiresStorage, MaybeStorageLive,
54 };
55 use crate::dataflow::{self, Analysis};
56 use crate::transform::no_landing_pads::no_landing_pads;
57 use crate::transform::simplify;
58 use crate::transform::{MirPass, MirSource};
59 use crate::util::dump_mir;
60 use crate::util::expand_aggregate;
61 use crate::util::storage;
62 use rustc_data_structures::fx::FxHashMap;
63 use rustc_hir as hir;
64 use rustc_hir::def_id::DefId;
65 use rustc_hir::lang_items::LangItem;
66 use rustc_index::bit_set::{BitMatrix, BitSet};
67 use rustc_index::vec::{Idx, IndexVec};
68 use rustc_middle::mir::visit::{MutVisitor, PlaceContext, Visitor};
69 use rustc_middle::mir::*;
70 use rustc_middle::ty::subst::{Subst, SubstsRef};
71 use rustc_middle::ty::GeneratorSubsts;
72 use rustc_middle::ty::{self, AdtDef, Ty, TyCtxt};
73 use rustc_target::abi::VariantIdx;
74 use rustc_target::spec::PanicStrategy;
75 use std::borrow::Cow;
76 use std::{iter, ops};
77
78 pub struct StateTransform;
79
80 struct RenameLocalVisitor<'tcx> {
81     from: Local,
82     to: Local,
83     tcx: TyCtxt<'tcx>,
84 }
85
86 impl<'tcx> MutVisitor<'tcx> for RenameLocalVisitor<'tcx> {
87     fn tcx(&self) -> TyCtxt<'tcx> {
88         self.tcx
89     }
90
91     fn visit_local(&mut self, local: &mut Local, _: PlaceContext, _: Location) {
92         if *local == self.from {
93             *local = self.to;
94         }
95     }
96
97     fn visit_terminator(&mut self, terminator: &mut Terminator<'tcx>, location: Location) {
98         match terminator.kind {
99             TerminatorKind::Return => {
100                 // Do not replace the implicit `_0` access here, as that's not possible. The
101                 // transform already handles `return` correctly.
102             }
103             _ => self.super_terminator(terminator, location),
104         }
105     }
106 }
107
108 struct DerefArgVisitor<'tcx> {
109     tcx: TyCtxt<'tcx>,
110 }
111
112 impl<'tcx> MutVisitor<'tcx> for DerefArgVisitor<'tcx> {
113     fn tcx(&self) -> TyCtxt<'tcx> {
114         self.tcx
115     }
116
117     fn visit_local(&mut self, local: &mut Local, _: PlaceContext, _: Location) {
118         assert_ne!(*local, SELF_ARG);
119     }
120
121     fn visit_place(&mut self, place: &mut Place<'tcx>, context: PlaceContext, location: Location) {
122         if place.local == SELF_ARG {
123             replace_base(
124                 place,
125                 Place {
126                     local: SELF_ARG,
127                     projection: self.tcx().intern_place_elems(&[ProjectionElem::Deref]),
128                 },
129                 self.tcx,
130             );
131         } else {
132             self.visit_local(&mut place.local, context, location);
133
134             for elem in place.projection.iter() {
135                 if let PlaceElem::Index(local) = elem {
136                     assert_ne!(local, SELF_ARG);
137                 }
138             }
139         }
140     }
141 }
142
143 struct PinArgVisitor<'tcx> {
144     ref_gen_ty: Ty<'tcx>,
145     tcx: TyCtxt<'tcx>,
146 }
147
148 impl<'tcx> MutVisitor<'tcx> for PinArgVisitor<'tcx> {
149     fn tcx(&self) -> TyCtxt<'tcx> {
150         self.tcx
151     }
152
153     fn visit_local(&mut self, local: &mut Local, _: PlaceContext, _: Location) {
154         assert_ne!(*local, SELF_ARG);
155     }
156
157     fn visit_place(&mut self, place: &mut Place<'tcx>, context: PlaceContext, location: Location) {
158         if place.local == SELF_ARG {
159             replace_base(
160                 place,
161                 Place {
162                     local: SELF_ARG,
163                     projection: self.tcx().intern_place_elems(&[ProjectionElem::Field(
164                         Field::new(0),
165                         self.ref_gen_ty,
166                     )]),
167                 },
168                 self.tcx,
169             );
170         } else {
171             self.visit_local(&mut place.local, context, location);
172
173             for elem in place.projection.iter() {
174                 if let PlaceElem::Index(local) = elem {
175                     assert_ne!(local, SELF_ARG);
176                 }
177             }
178         }
179     }
180 }
181
182 fn replace_base<'tcx>(place: &mut Place<'tcx>, new_base: Place<'tcx>, tcx: TyCtxt<'tcx>) {
183     place.local = new_base.local;
184
185     let mut new_projection = new_base.projection.to_vec();
186     new_projection.append(&mut place.projection.to_vec());
187
188     place.projection = tcx.intern_place_elems(&new_projection);
189 }
190
191 const SELF_ARG: Local = Local::from_u32(1);
192
193 /// Generator has not been resumed yet.
194 const UNRESUMED: usize = GeneratorSubsts::UNRESUMED;
195 /// Generator has returned / is completed.
196 const RETURNED: usize = GeneratorSubsts::RETURNED;
197 /// Generator has panicked and is poisoned.
198 const POISONED: usize = GeneratorSubsts::POISONED;
199
200 /// A `yield` point in the generator.
201 struct SuspensionPoint<'tcx> {
202     /// State discriminant used when suspending or resuming at this point.
203     state: usize,
204     /// The block to jump to after resumption.
205     resume: BasicBlock,
206     /// Where to move the resume argument after resumption.
207     resume_arg: Place<'tcx>,
208     /// Which block to jump to if the generator is dropped in this state.
209     drop: Option<BasicBlock>,
210     /// Set of locals that have live storage while at this suspension point.
211     storage_liveness: BitSet<Local>,
212 }
213
214 struct TransformVisitor<'tcx> {
215     tcx: TyCtxt<'tcx>,
216     state_adt_ref: &'tcx AdtDef,
217     state_substs: SubstsRef<'tcx>,
218
219     // The type of the discriminant in the generator struct
220     discr_ty: Ty<'tcx>,
221
222     // Mapping from Local to (type of local, generator struct index)
223     // FIXME(eddyb) This should use `IndexVec<Local, Option<_>>`.
224     remap: FxHashMap<Local, (Ty<'tcx>, VariantIdx, usize)>,
225
226     // A map from a suspension point in a block to the locals which have live storage at that point
227     storage_liveness: IndexVec<BasicBlock, Option<BitSet<Local>>>,
228
229     // A list of suspension points, generated during the transform
230     suspension_points: Vec<SuspensionPoint<'tcx>>,
231
232     // The set of locals that have no `StorageLive`/`StorageDead` annotations.
233     always_live_locals: storage::AlwaysLiveLocals,
234
235     // The original RETURN_PLACE local
236     new_ret_local: Local,
237 }
238
239 impl TransformVisitor<'tcx> {
240     // Make a GeneratorState variant assignment. `core::ops::GeneratorState` only has single
241     // element tuple variants, so we can just write to the downcasted first field and then set the
242     // discriminant to the appropriate variant.
243     fn make_state(
244         &self,
245         idx: VariantIdx,
246         val: Operand<'tcx>,
247         source_info: SourceInfo,
248     ) -> impl Iterator<Item = Statement<'tcx>> {
249         let kind = AggregateKind::Adt(self.state_adt_ref, idx, self.state_substs, None, None);
250         assert_eq!(self.state_adt_ref.variants[idx].fields.len(), 1);
251         let ty = self
252             .tcx
253             .type_of(self.state_adt_ref.variants[idx].fields[0].did)
254             .subst(self.tcx, self.state_substs);
255         expand_aggregate(
256             Place::return_place(),
257             std::iter::once((val, ty)),
258             kind,
259             source_info,
260             self.tcx,
261         )
262     }
263
264     // Create a Place referencing a generator struct field
265     fn make_field(&self, variant_index: VariantIdx, idx: usize, ty: Ty<'tcx>) -> Place<'tcx> {
266         let self_place = Place::from(SELF_ARG);
267         let base = self.tcx.mk_place_downcast_unnamed(self_place, variant_index);
268         let mut projection = base.projection.to_vec();
269         projection.push(ProjectionElem::Field(Field::new(idx), ty));
270
271         Place { local: base.local, projection: self.tcx.intern_place_elems(&projection) }
272     }
273
274     // Create a statement which changes the discriminant
275     fn set_discr(&self, state_disc: VariantIdx, source_info: SourceInfo) -> Statement<'tcx> {
276         let self_place = Place::from(SELF_ARG);
277         Statement {
278             source_info,
279             kind: StatementKind::SetDiscriminant {
280                 place: box self_place,
281                 variant_index: state_disc,
282             },
283         }
284     }
285
286     // Create a statement which reads the discriminant into a temporary
287     fn get_discr(&self, body: &mut Body<'tcx>) -> (Statement<'tcx>, Place<'tcx>) {
288         let temp_decl = LocalDecl::new(self.discr_ty, body.span).internal();
289         let local_decls_len = body.local_decls.push(temp_decl);
290         let temp = Place::from(local_decls_len);
291
292         let self_place = Place::from(SELF_ARG);
293         let assign = Statement {
294             source_info: SourceInfo::outermost(body.span),
295             kind: StatementKind::Assign(box (temp, Rvalue::Discriminant(self_place))),
296         };
297         (assign, temp)
298     }
299 }
300
301 impl MutVisitor<'tcx> for TransformVisitor<'tcx> {
302     fn tcx(&self) -> TyCtxt<'tcx> {
303         self.tcx
304     }
305
306     fn visit_local(&mut self, local: &mut Local, _: PlaceContext, _: Location) {
307         assert_eq!(self.remap.get(local), None);
308     }
309
310     fn visit_place(
311         &mut self,
312         place: &mut Place<'tcx>,
313         _context: PlaceContext,
314         _location: Location,
315     ) {
316         // Replace an Local in the remap with a generator struct access
317         if let Some(&(ty, variant_index, idx)) = self.remap.get(&place.local) {
318             replace_base(place, self.make_field(variant_index, idx, ty), self.tcx);
319         }
320     }
321
322     fn visit_basic_block_data(&mut self, block: BasicBlock, data: &mut BasicBlockData<'tcx>) {
323         // Remove StorageLive and StorageDead statements for remapped locals
324         data.retain_statements(|s| match s.kind {
325             StatementKind::StorageLive(l) | StatementKind::StorageDead(l) => {
326                 !self.remap.contains_key(&l)
327             }
328             _ => true,
329         });
330
331         let ret_val = match data.terminator().kind {
332             TerminatorKind::Return => Some((
333                 VariantIdx::new(1),
334                 None,
335                 Operand::Move(Place::from(self.new_ret_local)),
336                 None,
337             )),
338             TerminatorKind::Yield { ref value, resume, resume_arg, drop } => {
339                 Some((VariantIdx::new(0), Some((resume, resume_arg)), value.clone(), drop))
340             }
341             _ => None,
342         };
343
344         if let Some((state_idx, resume, v, drop)) = ret_val {
345             let source_info = data.terminator().source_info;
346             // We must assign the value first in case it gets declared dead below
347             data.statements.extend(self.make_state(state_idx, v, source_info));
348             let state = if let Some((resume, resume_arg)) = resume {
349                 // Yield
350                 let state = 3 + self.suspension_points.len();
351
352                 // The resume arg target location might itself be remapped if its base local is
353                 // live across a yield.
354                 let resume_arg =
355                     if let Some(&(ty, variant, idx)) = self.remap.get(&resume_arg.local) {
356                         self.make_field(variant, idx, ty)
357                     } else {
358                         resume_arg
359                     };
360
361                 self.suspension_points.push(SuspensionPoint {
362                     state,
363                     resume,
364                     resume_arg,
365                     drop,
366                     storage_liveness: self.storage_liveness[block].clone().unwrap(),
367                 });
368
369                 VariantIdx::new(state)
370             } else {
371                 // Return
372                 VariantIdx::new(RETURNED) // state for returned
373             };
374             data.statements.push(self.set_discr(state, source_info));
375             data.terminator_mut().kind = TerminatorKind::Return;
376         }
377
378         self.super_basic_block_data(block, data);
379     }
380 }
381
382 fn make_generator_state_argument_indirect<'tcx>(tcx: TyCtxt<'tcx>, body: &mut Body<'tcx>) {
383     let gen_ty = body.local_decls.raw[1].ty;
384
385     let ref_gen_ty =
386         tcx.mk_ref(tcx.lifetimes.re_erased, ty::TypeAndMut { ty: gen_ty, mutbl: Mutability::Mut });
387
388     // Replace the by value generator argument
389     body.local_decls.raw[1].ty = ref_gen_ty;
390
391     // Add a deref to accesses of the generator state
392     DerefArgVisitor { tcx }.visit_body(body);
393 }
394
395 fn make_generator_state_argument_pinned<'tcx>(tcx: TyCtxt<'tcx>, body: &mut Body<'tcx>) {
396     let ref_gen_ty = body.local_decls.raw[1].ty;
397
398     let pin_did = tcx.require_lang_item(LangItem::Pin, Some(body.span));
399     let pin_adt_ref = tcx.adt_def(pin_did);
400     let substs = tcx.intern_substs(&[ref_gen_ty.into()]);
401     let pin_ref_gen_ty = tcx.mk_adt(pin_adt_ref, substs);
402
403     // Replace the by ref generator argument
404     body.local_decls.raw[1].ty = pin_ref_gen_ty;
405
406     // Add the Pin field access to accesses of the generator state
407     PinArgVisitor { ref_gen_ty, tcx }.visit_body(body);
408 }
409
410 /// Allocates a new local and replaces all references of `local` with it. Returns the new local.
411 ///
412 /// `local` will be changed to a new local decl with type `ty`.
413 ///
414 /// Note that the new local will be uninitialized. It is the caller's responsibility to assign some
415 /// valid value to it before its first use.
416 fn replace_local<'tcx>(
417     local: Local,
418     ty: Ty<'tcx>,
419     body: &mut Body<'tcx>,
420     tcx: TyCtxt<'tcx>,
421 ) -> Local {
422     let new_decl = LocalDecl::new(ty, body.span);
423     let new_local = body.local_decls.push(new_decl);
424     body.local_decls.swap(local, new_local);
425
426     RenameLocalVisitor { from: local, to: new_local, tcx }.visit_body(body);
427
428     new_local
429 }
430
431 struct LivenessInfo {
432     /// Which locals are live across any suspension point.
433     saved_locals: GeneratorSavedLocals,
434
435     /// The set of saved locals live at each suspension point.
436     live_locals_at_suspension_points: Vec<BitSet<GeneratorSavedLocal>>,
437
438     /// Parallel vec to the above with SourceInfo for each yield terminator.
439     source_info_at_suspension_points: Vec<SourceInfo>,
440
441     /// For every saved local, the set of other saved locals that are
442     /// storage-live at the same time as this local. We cannot overlap locals in
443     /// the layout which have conflicting storage.
444     storage_conflicts: BitMatrix<GeneratorSavedLocal, GeneratorSavedLocal>,
445
446     /// For every suspending block, the locals which are storage-live across
447     /// that suspension point.
448     storage_liveness: IndexVec<BasicBlock, Option<BitSet<Local>>>,
449 }
450
451 fn locals_live_across_suspend_points(
452     tcx: TyCtxt<'tcx>,
453     body: &Body<'tcx>,
454     source: MirSource<'tcx>,
455     always_live_locals: &storage::AlwaysLiveLocals,
456     movable: bool,
457 ) -> LivenessInfo {
458     let def_id = source.def_id();
459     let body_ref: &Body<'_> = &body;
460
461     // Calculate when MIR locals have live storage. This gives us an upper bound of their
462     // lifetimes.
463     let mut storage_live = MaybeStorageLive::new(always_live_locals.clone())
464         .into_engine(tcx, body_ref, def_id)
465         .iterate_to_fixpoint()
466         .into_results_cursor(body_ref);
467
468     // Calculate the MIR locals which have been previously
469     // borrowed (even if they are still active).
470     let borrowed_locals_results =
471         MaybeBorrowedLocals::all_borrows().into_engine(tcx, body_ref, def_id).iterate_to_fixpoint();
472
473     let mut borrowed_locals_cursor =
474         dataflow::ResultsCursor::new(body_ref, &borrowed_locals_results);
475
476     // Calculate the MIR locals that we actually need to keep storage around
477     // for.
478     let requires_storage_results = MaybeRequiresStorage::new(body, &borrowed_locals_results)
479         .into_engine(tcx, body_ref, def_id)
480         .iterate_to_fixpoint();
481     let mut requires_storage_cursor =
482         dataflow::ResultsCursor::new(body_ref, &requires_storage_results);
483
484     // Calculate the liveness of MIR locals ignoring borrows.
485     let mut liveness = MaybeLiveLocals
486         .into_engine(tcx, body_ref, def_id)
487         .iterate_to_fixpoint()
488         .into_results_cursor(body_ref);
489
490     let mut storage_liveness_map = IndexVec::from_elem(None, body.basic_blocks());
491     let mut live_locals_at_suspension_points = Vec::new();
492     let mut source_info_at_suspension_points = Vec::new();
493     let mut live_locals_at_any_suspension_point = BitSet::new_empty(body.local_decls.len());
494
495     for (block, data) in body.basic_blocks().iter_enumerated() {
496         if let TerminatorKind::Yield { .. } = data.terminator().kind {
497             let loc = Location { block, statement_index: data.statements.len() };
498
499             liveness.seek_to_block_end(block);
500             let mut live_locals = liveness.get().clone();
501
502             if !movable {
503                 // The `liveness` variable contains the liveness of MIR locals ignoring borrows.
504                 // This is correct for movable generators since borrows cannot live across
505                 // suspension points. However for immovable generators we need to account for
506                 // borrows, so we conseratively assume that all borrowed locals are live until
507                 // we find a StorageDead statement referencing the locals.
508                 // To do this we just union our `liveness` result with `borrowed_locals`, which
509                 // contains all the locals which has been borrowed before this suspension point.
510                 // If a borrow is converted to a raw reference, we must also assume that it lives
511                 // forever. Note that the final liveness is still bounded by the storage liveness
512                 // of the local, which happens using the `intersect` operation below.
513                 borrowed_locals_cursor.seek_before_primary_effect(loc);
514                 live_locals.union(borrowed_locals_cursor.get());
515             }
516
517             // Store the storage liveness for later use so we can restore the state
518             // after a suspension point
519             storage_live.seek_before_primary_effect(loc);
520             storage_liveness_map[block] = Some(storage_live.get().clone());
521
522             // Locals live are live at this point only if they are used across
523             // suspension points (the `liveness` variable)
524             // and their storage is required (the `storage_required` variable)
525             requires_storage_cursor.seek_before_primary_effect(loc);
526             live_locals.intersect(requires_storage_cursor.get());
527
528             // The generator argument is ignored.
529             live_locals.remove(SELF_ARG);
530
531             debug!("loc = {:?}, live_locals = {:?}", loc, live_locals);
532
533             // Add the locals live at this suspension point to the set of locals which live across
534             // any suspension points
535             live_locals_at_any_suspension_point.union(&live_locals);
536
537             live_locals_at_suspension_points.push(live_locals);
538             source_info_at_suspension_points.push(data.terminator().source_info);
539         }
540     }
541
542     debug!("live_locals_anywhere = {:?}", live_locals_at_any_suspension_point);
543     let saved_locals = GeneratorSavedLocals(live_locals_at_any_suspension_point);
544
545     // Renumber our liveness_map bitsets to include only the locals we are
546     // saving.
547     let live_locals_at_suspension_points = live_locals_at_suspension_points
548         .iter()
549         .map(|live_here| saved_locals.renumber_bitset(&live_here))
550         .collect();
551
552     let storage_conflicts = compute_storage_conflicts(
553         body_ref,
554         &saved_locals,
555         always_live_locals.clone(),
556         requires_storage_results,
557     );
558
559     LivenessInfo {
560         saved_locals,
561         live_locals_at_suspension_points,
562         source_info_at_suspension_points,
563         storage_conflicts,
564         storage_liveness: storage_liveness_map,
565     }
566 }
567
568 /// The set of `Local`s that must be saved across yield points.
569 ///
570 /// `GeneratorSavedLocal` is indexed in terms of the elements in this set;
571 /// i.e. `GeneratorSavedLocal::new(1)` corresponds to the second local
572 /// included in this set.
573 struct GeneratorSavedLocals(BitSet<Local>);
574
575 impl GeneratorSavedLocals {
576     /// Returns an iterator over each `GeneratorSavedLocal` along with the `Local` it corresponds
577     /// to.
578     fn iter_enumerated(&self) -> impl '_ + Iterator<Item = (GeneratorSavedLocal, Local)> {
579         self.iter().enumerate().map(|(i, l)| (GeneratorSavedLocal::from(i), l))
580     }
581
582     /// Transforms a `BitSet<Local>` that contains only locals saved across yield points to the
583     /// equivalent `BitSet<GeneratorSavedLocal>`.
584     fn renumber_bitset(&self, input: &BitSet<Local>) -> BitSet<GeneratorSavedLocal> {
585         assert!(self.superset(&input), "{:?} not a superset of {:?}", self.0, input);
586         let mut out = BitSet::new_empty(self.count());
587         for (saved_local, local) in self.iter_enumerated() {
588             if input.contains(local) {
589                 out.insert(saved_local);
590             }
591         }
592         out
593     }
594
595     fn get(&self, local: Local) -> Option<GeneratorSavedLocal> {
596         if !self.contains(local) {
597             return None;
598         }
599
600         let idx = self.iter().take_while(|&l| l < local).count();
601         Some(GeneratorSavedLocal::new(idx))
602     }
603 }
604
605 impl ops::Deref for GeneratorSavedLocals {
606     type Target = BitSet<Local>;
607
608     fn deref(&self) -> &Self::Target {
609         &self.0
610     }
611 }
612
613 /// For every saved local, looks for which locals are StorageLive at the same
614 /// time. Generates a bitset for every local of all the other locals that may be
615 /// StorageLive simultaneously with that local. This is used in the layout
616 /// computation; see `GeneratorLayout` for more.
617 fn compute_storage_conflicts(
618     body: &'mir Body<'tcx>,
619     saved_locals: &GeneratorSavedLocals,
620     always_live_locals: storage::AlwaysLiveLocals,
621     requires_storage: dataflow::Results<'tcx, MaybeRequiresStorage<'mir, 'tcx>>,
622 ) -> BitMatrix<GeneratorSavedLocal, GeneratorSavedLocal> {
623     assert_eq!(body.local_decls.len(), saved_locals.domain_size());
624
625     debug!("compute_storage_conflicts({:?})", body.span);
626     debug!("always_live = {:?}", always_live_locals);
627
628     // Locals that are always live or ones that need to be stored across
629     // suspension points are not eligible for overlap.
630     let mut ineligible_locals = always_live_locals.into_inner();
631     ineligible_locals.intersect(saved_locals);
632
633     // Compute the storage conflicts for all eligible locals.
634     let mut visitor = StorageConflictVisitor {
635         body,
636         saved_locals: &saved_locals,
637         local_conflicts: BitMatrix::from_row_n(&ineligible_locals, body.local_decls.len()),
638     };
639
640     requires_storage.visit_reachable_with(body, &mut visitor);
641
642     let local_conflicts = visitor.local_conflicts;
643
644     // Compress the matrix using only stored locals (Local -> GeneratorSavedLocal).
645     //
646     // NOTE: Today we store a full conflict bitset for every local. Technically
647     // this is twice as many bits as we need, since the relation is symmetric.
648     // However, in practice these bitsets are not usually large. The layout code
649     // also needs to keep track of how many conflicts each local has, so it's
650     // simpler to keep it this way for now.
651     let mut storage_conflicts = BitMatrix::new(saved_locals.count(), saved_locals.count());
652     for (saved_local_a, local_a) in saved_locals.iter_enumerated() {
653         if ineligible_locals.contains(local_a) {
654             // Conflicts with everything.
655             storage_conflicts.insert_all_into_row(saved_local_a);
656         } else {
657             // Keep overlap information only for stored locals.
658             for (saved_local_b, local_b) in saved_locals.iter_enumerated() {
659                 if local_conflicts.contains(local_a, local_b) {
660                     storage_conflicts.insert(saved_local_a, saved_local_b);
661                 }
662             }
663         }
664     }
665     storage_conflicts
666 }
667
668 struct StorageConflictVisitor<'mir, 'tcx, 's> {
669     body: &'mir Body<'tcx>,
670     saved_locals: &'s GeneratorSavedLocals,
671     // FIXME(tmandry): Consider using sparse bitsets here once we have good
672     // benchmarks for generators.
673     local_conflicts: BitMatrix<Local, Local>,
674 }
675
676 impl dataflow::ResultsVisitor<'mir, 'tcx> for StorageConflictVisitor<'mir, 'tcx, '_> {
677     type FlowState = BitSet<Local>;
678
679     fn visit_statement_before_primary_effect(
680         &mut self,
681         state: &Self::FlowState,
682         _statement: &'mir Statement<'tcx>,
683         loc: Location,
684     ) {
685         self.apply_state(state, loc);
686     }
687
688     fn visit_terminator_before_primary_effect(
689         &mut self,
690         state: &Self::FlowState,
691         _terminator: &'mir Terminator<'tcx>,
692         loc: Location,
693     ) {
694         self.apply_state(state, loc);
695     }
696 }
697
698 impl<'body, 'tcx, 's> StorageConflictVisitor<'body, 'tcx, 's> {
699     fn apply_state(&mut self, flow_state: &BitSet<Local>, loc: Location) {
700         // Ignore unreachable blocks.
701         if self.body.basic_blocks()[loc.block].terminator().kind == TerminatorKind::Unreachable {
702             return;
703         }
704
705         let mut eligible_storage_live = flow_state.clone();
706         eligible_storage_live.intersect(&self.saved_locals);
707
708         for local in eligible_storage_live.iter() {
709             self.local_conflicts.union_row_with(&eligible_storage_live, local);
710         }
711
712         if eligible_storage_live.count() > 1 {
713             trace!("at {:?}, eligible_storage_live={:?}", loc, eligible_storage_live);
714         }
715     }
716 }
717
718 /// Validates the typeck view of the generator against the actual set of types saved between
719 /// yield points.
720 fn sanitize_witness<'tcx>(
721     tcx: TyCtxt<'tcx>,
722     body: &Body<'tcx>,
723     did: DefId,
724     witness: Ty<'tcx>,
725     upvars: &Vec<Ty<'tcx>>,
726     saved_locals: &GeneratorSavedLocals,
727 ) {
728     let allowed_upvars = tcx.erase_regions(upvars);
729     let allowed = match witness.kind {
730         ty::GeneratorWitness(s) => tcx.erase_late_bound_regions(&s),
731         _ => {
732             tcx.sess.delay_span_bug(
733                 body.span,
734                 &format!("unexpected generator witness type {:?}", witness.kind),
735             );
736             return;
737         }
738     };
739
740     let param_env = tcx.param_env(did);
741
742     for (local, decl) in body.local_decls.iter_enumerated() {
743         // Ignore locals which are internal or not saved between yields.
744         if !saved_locals.contains(local) || decl.internal {
745             continue;
746         }
747         let decl_ty = tcx.normalize_erasing_regions(param_env, decl.ty);
748
749         // Sanity check that typeck knows about the type of locals which are
750         // live across a suspension point
751         if !allowed.contains(&decl_ty) && !allowed_upvars.contains(&decl_ty) {
752             span_bug!(
753                 body.span,
754                 "Broken MIR: generator contains type {} in MIR, \
755                        but typeck only knows about {}",
756                 decl.ty,
757                 witness,
758             );
759         }
760     }
761 }
762
763 fn compute_layout<'tcx>(
764     liveness: LivenessInfo,
765     body: &mut Body<'tcx>,
766 ) -> (
767     FxHashMap<Local, (Ty<'tcx>, VariantIdx, usize)>,
768     GeneratorLayout<'tcx>,
769     IndexVec<BasicBlock, Option<BitSet<Local>>>,
770 ) {
771     let LivenessInfo {
772         saved_locals,
773         live_locals_at_suspension_points,
774         source_info_at_suspension_points,
775         storage_conflicts,
776         storage_liveness,
777     } = liveness;
778
779     // Gather live local types and their indices.
780     let mut locals = IndexVec::<GeneratorSavedLocal, _>::new();
781     let mut tys = IndexVec::<GeneratorSavedLocal, _>::new();
782     for (saved_local, local) in saved_locals.iter_enumerated() {
783         locals.push(local);
784         tys.push(body.local_decls[local].ty);
785         debug!("generator saved local {:?} => {:?}", saved_local, local);
786     }
787
788     // Leave empty variants for the UNRESUMED, RETURNED, and POISONED states.
789     // In debuginfo, these will correspond to the beginning (UNRESUMED) or end
790     // (RETURNED, POISONED) of the function.
791     const RESERVED_VARIANTS: usize = 3;
792     let body_span = body.source_scopes[OUTERMOST_SOURCE_SCOPE].span;
793     let mut variant_source_info: IndexVec<VariantIdx, SourceInfo> = [
794         SourceInfo::outermost(body_span.shrink_to_lo()),
795         SourceInfo::outermost(body_span.shrink_to_hi()),
796         SourceInfo::outermost(body_span.shrink_to_hi()),
797     ]
798     .iter()
799     .copied()
800     .collect();
801
802     // Build the generator variant field list.
803     // Create a map from local indices to generator struct indices.
804     let mut variant_fields: IndexVec<VariantIdx, IndexVec<Field, GeneratorSavedLocal>> =
805         iter::repeat(IndexVec::new()).take(RESERVED_VARIANTS).collect();
806     let mut remap = FxHashMap::default();
807     for (suspension_point_idx, live_locals) in live_locals_at_suspension_points.iter().enumerate() {
808         let variant_index = VariantIdx::from(RESERVED_VARIANTS + suspension_point_idx);
809         let mut fields = IndexVec::new();
810         for (idx, saved_local) in live_locals.iter().enumerate() {
811             fields.push(saved_local);
812             // Note that if a field is included in multiple variants, we will
813             // just use the first one here. That's fine; fields do not move
814             // around inside generators, so it doesn't matter which variant
815             // index we access them by.
816             remap.entry(locals[saved_local]).or_insert((tys[saved_local], variant_index, idx));
817         }
818         variant_fields.push(fields);
819         variant_source_info.push(source_info_at_suspension_points[suspension_point_idx]);
820     }
821     debug!("generator variant_fields = {:?}", variant_fields);
822     debug!("generator storage_conflicts = {:#?}", storage_conflicts);
823
824     let layout =
825         GeneratorLayout { field_tys: tys, variant_fields, variant_source_info, storage_conflicts };
826
827     (remap, layout, storage_liveness)
828 }
829
830 /// Replaces the entry point of `body` with a block that switches on the generator discriminant and
831 /// dispatches to blocks according to `cases`.
832 ///
833 /// After this function, the former entry point of the function will be bb1.
834 fn insert_switch<'tcx>(
835     body: &mut Body<'tcx>,
836     cases: Vec<(usize, BasicBlock)>,
837     transform: &TransformVisitor<'tcx>,
838     default: TerminatorKind<'tcx>,
839 ) {
840     let default_block = insert_term_block(body, default);
841     let (assign, discr) = transform.get_discr(body);
842     let switch = TerminatorKind::SwitchInt {
843         discr: Operand::Move(discr),
844         switch_ty: transform.discr_ty,
845         values: Cow::from(cases.iter().map(|&(i, _)| i as u128).collect::<Vec<_>>()),
846         targets: cases.iter().map(|&(_, d)| d).chain(iter::once(default_block)).collect(),
847     };
848
849     let source_info = SourceInfo::outermost(body.span);
850     body.basic_blocks_mut().raw.insert(
851         0,
852         BasicBlockData {
853             statements: vec![assign],
854             terminator: Some(Terminator { source_info, kind: switch }),
855             is_cleanup: false,
856         },
857     );
858
859     let blocks = body.basic_blocks_mut().iter_mut();
860
861     for target in blocks.flat_map(|b| b.terminator_mut().successors_mut()) {
862         *target = BasicBlock::new(target.index() + 1);
863     }
864 }
865
866 fn elaborate_generator_drops<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId, body: &mut Body<'tcx>) {
867     use crate::shim::DropShimElaborator;
868     use crate::util::elaborate_drops::{elaborate_drop, Unwind};
869     use crate::util::patch::MirPatch;
870
871     // Note that `elaborate_drops` only drops the upvars of a generator, and
872     // this is ok because `open_drop` can only be reached within that own
873     // generator's resume function.
874
875     let param_env = tcx.param_env(def_id);
876
877     let mut elaborator = DropShimElaborator { body, patch: MirPatch::new(body), tcx, param_env };
878
879     for (block, block_data) in body.basic_blocks().iter_enumerated() {
880         let (target, unwind, source_info) = match block_data.terminator() {
881             Terminator { source_info, kind: TerminatorKind::Drop { place, target, unwind } } => {
882                 if let Some(local) = place.as_local() {
883                     if local == SELF_ARG {
884                         (target, unwind, source_info)
885                     } else {
886                         continue;
887                     }
888                 } else {
889                     continue;
890                 }
891             }
892             _ => continue,
893         };
894         let unwind = if block_data.is_cleanup {
895             Unwind::InCleanup
896         } else {
897             Unwind::To(unwind.unwrap_or_else(|| elaborator.patch.resume_block()))
898         };
899         elaborate_drop(
900             &mut elaborator,
901             *source_info,
902             Place::from(SELF_ARG),
903             (),
904             *target,
905             unwind,
906             block,
907         );
908     }
909     elaborator.patch.apply(body);
910 }
911
912 fn create_generator_drop_shim<'tcx>(
913     tcx: TyCtxt<'tcx>,
914     transform: &TransformVisitor<'tcx>,
915     source: MirSource<'tcx>,
916     gen_ty: Ty<'tcx>,
917     body: &mut Body<'tcx>,
918     drop_clean: BasicBlock,
919 ) -> Body<'tcx> {
920     let mut body = body.clone();
921     body.arg_count = 1; // make sure the resume argument is not included here
922
923     let source_info = SourceInfo::outermost(body.span);
924
925     let mut cases = create_cases(&mut body, transform, Operation::Drop);
926
927     cases.insert(0, (UNRESUMED, drop_clean));
928
929     // The returned state and the poisoned state fall through to the default
930     // case which is just to return
931
932     insert_switch(&mut body, cases, &transform, TerminatorKind::Return);
933
934     for block in body.basic_blocks_mut() {
935         let kind = &mut block.terminator_mut().kind;
936         if let TerminatorKind::GeneratorDrop = *kind {
937             *kind = TerminatorKind::Return;
938         }
939     }
940
941     // Replace the return variable
942     body.local_decls[RETURN_PLACE] = LocalDecl::with_source_info(tcx.mk_unit(), source_info);
943
944     make_generator_state_argument_indirect(tcx, &mut body);
945
946     // Change the generator argument from &mut to *mut
947     body.local_decls[SELF_ARG] = LocalDecl::with_source_info(
948         tcx.mk_ptr(ty::TypeAndMut { ty: gen_ty, mutbl: hir::Mutability::Mut }),
949         source_info,
950     );
951     if tcx.sess.opts.debugging_opts.mir_emit_retag {
952         // Alias tracking must know we changed the type
953         body.basic_blocks_mut()[START_BLOCK].statements.insert(
954             0,
955             Statement {
956                 source_info,
957                 kind: StatementKind::Retag(RetagKind::Raw, box Place::from(SELF_ARG)),
958             },
959         )
960     }
961
962     no_landing_pads(tcx, &mut body);
963
964     // Make sure we remove dead blocks to remove
965     // unrelated code from the resume part of the function
966     simplify::remove_dead_blocks(&mut body);
967
968     dump_mir(tcx, None, "generator_drop", &0, source, &body, |_, _| Ok(()));
969
970     body
971 }
972
973 fn insert_term_block<'tcx>(body: &mut Body<'tcx>, kind: TerminatorKind<'tcx>) -> BasicBlock {
974     let source_info = SourceInfo::outermost(body.span);
975     body.basic_blocks_mut().push(BasicBlockData {
976         statements: Vec::new(),
977         terminator: Some(Terminator { source_info, kind }),
978         is_cleanup: false,
979     })
980 }
981
982 fn insert_panic_block<'tcx>(
983     tcx: TyCtxt<'tcx>,
984     body: &mut Body<'tcx>,
985     message: AssertMessage<'tcx>,
986 ) -> BasicBlock {
987     let assert_block = BasicBlock::new(body.basic_blocks().len());
988     let term = TerminatorKind::Assert {
989         cond: Operand::Constant(box Constant {
990             span: body.span,
991             user_ty: None,
992             literal: ty::Const::from_bool(tcx, false),
993         }),
994         expected: true,
995         msg: message,
996         target: assert_block,
997         cleanup: None,
998     };
999
1000     let source_info = SourceInfo::outermost(body.span);
1001     body.basic_blocks_mut().push(BasicBlockData {
1002         statements: Vec::new(),
1003         terminator: Some(Terminator { source_info, kind: term }),
1004         is_cleanup: false,
1005     });
1006
1007     assert_block
1008 }
1009
1010 fn can_return<'tcx>(tcx: TyCtxt<'tcx>, body: &Body<'tcx>) -> bool {
1011     // Returning from a function with an uninhabited return type is undefined behavior.
1012     if body.return_ty().conservative_is_privately_uninhabited(tcx) {
1013         return false;
1014     }
1015
1016     // If there's a return terminator the function may return.
1017     for block in body.basic_blocks() {
1018         if let TerminatorKind::Return = block.terminator().kind {
1019             return true;
1020         }
1021     }
1022
1023     // Otherwise the function can't return.
1024     false
1025 }
1026
1027 fn can_unwind<'tcx>(tcx: TyCtxt<'tcx>, body: &Body<'tcx>) -> bool {
1028     // Nothing can unwind when landing pads are off.
1029     if tcx.sess.panic_strategy() == PanicStrategy::Abort {
1030         return false;
1031     }
1032
1033     // Unwinds can only start at certain terminators.
1034     for block in body.basic_blocks() {
1035         match block.terminator().kind {
1036             // These never unwind.
1037             TerminatorKind::Goto { .. }
1038             | TerminatorKind::SwitchInt { .. }
1039             | TerminatorKind::Abort
1040             | TerminatorKind::Return
1041             | TerminatorKind::Unreachable
1042             | TerminatorKind::GeneratorDrop
1043             | TerminatorKind::FalseEdge { .. }
1044             | TerminatorKind::FalseUnwind { .. }
1045             | TerminatorKind::InlineAsm { .. } => {}
1046
1047             // Resume will *continue* unwinding, but if there's no other unwinding terminator it
1048             // will never be reached.
1049             TerminatorKind::Resume => {}
1050
1051             TerminatorKind::Yield { .. } => {
1052                 unreachable!("`can_unwind` called before generator transform")
1053             }
1054
1055             // These may unwind.
1056             TerminatorKind::Drop { .. }
1057             | TerminatorKind::DropAndReplace { .. }
1058             | TerminatorKind::Call { .. }
1059             | TerminatorKind::Assert { .. } => return true,
1060         }
1061     }
1062
1063     // If we didn't find an unwinding terminator, the function cannot unwind.
1064     false
1065 }
1066
1067 fn create_generator_resume_function<'tcx>(
1068     tcx: TyCtxt<'tcx>,
1069     transform: TransformVisitor<'tcx>,
1070     source: MirSource<'tcx>,
1071     body: &mut Body<'tcx>,
1072     can_return: bool,
1073 ) {
1074     let can_unwind = can_unwind(tcx, body);
1075
1076     // Poison the generator when it unwinds
1077     if can_unwind {
1078         let source_info = SourceInfo::outermost(body.span);
1079         let poison_block = body.basic_blocks_mut().push(BasicBlockData {
1080             statements: vec![transform.set_discr(VariantIdx::new(POISONED), source_info)],
1081             terminator: Some(Terminator { source_info, kind: TerminatorKind::Resume }),
1082             is_cleanup: true,
1083         });
1084
1085         for (idx, block) in body.basic_blocks_mut().iter_enumerated_mut() {
1086             let source_info = block.terminator().source_info;
1087
1088             if let TerminatorKind::Resume = block.terminator().kind {
1089                 // An existing `Resume` terminator is redirected to jump to our dedicated
1090                 // "poisoning block" above.
1091                 if idx != poison_block {
1092                     *block.terminator_mut() = Terminator {
1093                         source_info,
1094                         kind: TerminatorKind::Goto { target: poison_block },
1095                     };
1096                 }
1097             } else if !block.is_cleanup {
1098                 // Any terminators that *can* unwind but don't have an unwind target set are also
1099                 // pointed at our poisoning block (unless they're part of the cleanup path).
1100                 if let Some(unwind @ None) = block.terminator_mut().unwind_mut() {
1101                     *unwind = Some(poison_block);
1102                 }
1103             }
1104         }
1105     }
1106
1107     let mut cases = create_cases(body, &transform, Operation::Resume);
1108
1109     use rustc_middle::mir::AssertKind::{ResumedAfterPanic, ResumedAfterReturn};
1110
1111     // Jump to the entry point on the unresumed
1112     cases.insert(0, (UNRESUMED, BasicBlock::new(0)));
1113
1114     // Panic when resumed on the returned or poisoned state
1115     let generator_kind = body.generator_kind.unwrap();
1116
1117     if can_unwind {
1118         cases.insert(
1119             1,
1120             (POISONED, insert_panic_block(tcx, body, ResumedAfterPanic(generator_kind))),
1121         );
1122     }
1123
1124     if can_return {
1125         cases.insert(
1126             1,
1127             (RETURNED, insert_panic_block(tcx, body, ResumedAfterReturn(generator_kind))),
1128         );
1129     }
1130
1131     insert_switch(body, cases, &transform, TerminatorKind::Unreachable);
1132
1133     make_generator_state_argument_indirect(tcx, body);
1134     make_generator_state_argument_pinned(tcx, body);
1135
1136     no_landing_pads(tcx, body);
1137
1138     // Make sure we remove dead blocks to remove
1139     // unrelated code from the drop part of the function
1140     simplify::remove_dead_blocks(body);
1141
1142     dump_mir(tcx, None, "generator_resume", &0, source, body, |_, _| Ok(()));
1143 }
1144
1145 fn insert_clean_drop(body: &mut Body<'_>) -> BasicBlock {
1146     let return_block = insert_term_block(body, TerminatorKind::Return);
1147
1148     let term =
1149         TerminatorKind::Drop { place: Place::from(SELF_ARG), target: return_block, unwind: None };
1150     let source_info = SourceInfo::outermost(body.span);
1151
1152     // Create a block to destroy an unresumed generators. This can only destroy upvars.
1153     body.basic_blocks_mut().push(BasicBlockData {
1154         statements: Vec::new(),
1155         terminator: Some(Terminator { source_info, kind: term }),
1156         is_cleanup: false,
1157     })
1158 }
1159
1160 /// An operation that can be performed on a generator.
1161 #[derive(PartialEq, Copy, Clone)]
1162 enum Operation {
1163     Resume,
1164     Drop,
1165 }
1166
1167 impl Operation {
1168     fn target_block(self, point: &SuspensionPoint<'_>) -> Option<BasicBlock> {
1169         match self {
1170             Operation::Resume => Some(point.resume),
1171             Operation::Drop => point.drop,
1172         }
1173     }
1174 }
1175
1176 fn create_cases<'tcx>(
1177     body: &mut Body<'tcx>,
1178     transform: &TransformVisitor<'tcx>,
1179     operation: Operation,
1180 ) -> Vec<(usize, BasicBlock)> {
1181     let source_info = SourceInfo::outermost(body.span);
1182
1183     transform
1184         .suspension_points
1185         .iter()
1186         .filter_map(|point| {
1187             // Find the target for this suspension point, if applicable
1188             operation.target_block(point).map(|target| {
1189                 let mut statements = Vec::new();
1190
1191                 // Create StorageLive instructions for locals with live storage
1192                 for i in 0..(body.local_decls.len()) {
1193                     if i == 2 {
1194                         // The resume argument is live on function entry. Don't insert a
1195                         // `StorageLive`, or the following `Assign` will read from uninitialized
1196                         // memory.
1197                         continue;
1198                     }
1199
1200                     let l = Local::new(i);
1201                     let needs_storage_live = point.storage_liveness.contains(l)
1202                         && !transform.remap.contains_key(&l)
1203                         && !transform.always_live_locals.contains(l);
1204                     if needs_storage_live {
1205                         statements
1206                             .push(Statement { source_info, kind: StatementKind::StorageLive(l) });
1207                     }
1208                 }
1209
1210                 if operation == Operation::Resume {
1211                     // Move the resume argument to the destination place of the `Yield` terminator
1212                     let resume_arg = Local::new(2); // 0 = return, 1 = self
1213                     statements.push(Statement {
1214                         source_info,
1215                         kind: StatementKind::Assign(box (
1216                             point.resume_arg,
1217                             Rvalue::Use(Operand::Move(resume_arg.into())),
1218                         )),
1219                     });
1220                 }
1221
1222                 // Then jump to the real target
1223                 let block = body.basic_blocks_mut().push(BasicBlockData {
1224                     statements,
1225                     terminator: Some(Terminator {
1226                         source_info,
1227                         kind: TerminatorKind::Goto { target },
1228                     }),
1229                     is_cleanup: false,
1230                 });
1231
1232                 (point.state, block)
1233             })
1234         })
1235         .collect()
1236 }
1237
1238 impl<'tcx> MirPass<'tcx> for StateTransform {
1239     fn run_pass(&self, tcx: TyCtxt<'tcx>, source: MirSource<'tcx>, body: &mut Body<'tcx>) {
1240         let yield_ty = if let Some(yield_ty) = body.yield_ty {
1241             yield_ty
1242         } else {
1243             // This only applies to generators
1244             return;
1245         };
1246
1247         assert!(body.generator_drop.is_none());
1248
1249         let def_id = source.def_id();
1250
1251         // The first argument is the generator type passed by value
1252         let gen_ty = body.local_decls.raw[1].ty;
1253
1254         // Get the interior types and substs which typeck computed
1255         let (upvars, interior, discr_ty, movable) = match gen_ty.kind {
1256             ty::Generator(_, substs, movability) => {
1257                 let substs = substs.as_generator();
1258                 (
1259                     substs.upvar_tys().collect(),
1260                     substs.witness(),
1261                     substs.discr_ty(tcx),
1262                     movability == hir::Movability::Movable,
1263                 )
1264             }
1265             _ => {
1266                 tcx.sess
1267                     .delay_span_bug(body.span, &format!("unexpected generator type {}", gen_ty));
1268                 return;
1269             }
1270         };
1271
1272         // Compute GeneratorState<yield_ty, return_ty>
1273         let state_did = tcx.require_lang_item(LangItem::GeneratorState, None);
1274         let state_adt_ref = tcx.adt_def(state_did);
1275         let state_substs = tcx.intern_substs(&[yield_ty.into(), body.return_ty().into()]);
1276         let ret_ty = tcx.mk_adt(state_adt_ref, state_substs);
1277
1278         // We rename RETURN_PLACE which has type mir.return_ty to new_ret_local
1279         // RETURN_PLACE then is a fresh unused local with type ret_ty.
1280         let new_ret_local = replace_local(RETURN_PLACE, ret_ty, body, tcx);
1281
1282         // We also replace the resume argument and insert an `Assign`.
1283         // This is needed because the resume argument `_2` might be live across a `yield`, in which
1284         // case there is no `Assign` to it that the transform can turn into a store to the generator
1285         // state. After the yield the slot in the generator state would then be uninitialized.
1286         let resume_local = Local::new(2);
1287         let new_resume_local =
1288             replace_local(resume_local, body.local_decls[resume_local].ty, body, tcx);
1289
1290         // When first entering the generator, move the resume argument into its new local.
1291         let source_info = SourceInfo::outermost(body.span);
1292         let stmts = &mut body.basic_blocks_mut()[BasicBlock::new(0)].statements;
1293         stmts.insert(
1294             0,
1295             Statement {
1296                 source_info,
1297                 kind: StatementKind::Assign(box (
1298                     new_resume_local.into(),
1299                     Rvalue::Use(Operand::Move(resume_local.into())),
1300                 )),
1301             },
1302         );
1303
1304         let always_live_locals = storage::AlwaysLiveLocals::new(&body);
1305
1306         let liveness_info =
1307             locals_live_across_suspend_points(tcx, body, source, &always_live_locals, movable);
1308
1309         sanitize_witness(tcx, body, def_id, interior, &upvars, &liveness_info.saved_locals);
1310
1311         if tcx.sess.opts.debugging_opts.validate_mir {
1312             let mut vis = EnsureGeneratorFieldAssignmentsNeverAlias {
1313                 assigned_local: None,
1314                 saved_locals: &liveness_info.saved_locals,
1315                 storage_conflicts: &liveness_info.storage_conflicts,
1316             };
1317
1318             vis.visit_body(body);
1319         }
1320
1321         // Extract locals which are live across suspension point into `layout`
1322         // `remap` gives a mapping from local indices onto generator struct indices
1323         // `storage_liveness` tells us which locals have live storage at suspension points
1324         let (remap, layout, storage_liveness) = compute_layout(liveness_info, body);
1325
1326         let can_return = can_return(tcx, body);
1327
1328         // Run the transformation which converts Places from Local to generator struct
1329         // accesses for locals in `remap`.
1330         // It also rewrites `return x` and `yield y` as writing a new generator state and returning
1331         // GeneratorState::Complete(x) and GeneratorState::Yielded(y) respectively.
1332         let mut transform = TransformVisitor {
1333             tcx,
1334             state_adt_ref,
1335             state_substs,
1336             remap,
1337             storage_liveness,
1338             always_live_locals,
1339             suspension_points: Vec::new(),
1340             new_ret_local,
1341             discr_ty,
1342         };
1343         transform.visit_body(body);
1344
1345         // Update our MIR struct to reflect the changes we've made
1346         body.yield_ty = None;
1347         body.arg_count = 2; // self, resume arg
1348         body.spread_arg = None;
1349         body.generator_layout = Some(layout);
1350
1351         // Insert `drop(generator_struct)` which is used to drop upvars for generators in
1352         // the unresumed state.
1353         // This is expanded to a drop ladder in `elaborate_generator_drops`.
1354         let drop_clean = insert_clean_drop(body);
1355
1356         dump_mir(tcx, None, "generator_pre-elab", &0, source, body, |_, _| Ok(()));
1357
1358         // Expand `drop(generator_struct)` to a drop ladder which destroys upvars.
1359         // If any upvars are moved out of, drop elaboration will handle upvar destruction.
1360         // However we need to also elaborate the code generated by `insert_clean_drop`.
1361         elaborate_generator_drops(tcx, def_id, body);
1362
1363         dump_mir(tcx, None, "generator_post-transform", &0, source, body, |_, _| Ok(()));
1364
1365         // Create a copy of our MIR and use it to create the drop shim for the generator
1366         let drop_shim =
1367             create_generator_drop_shim(tcx, &transform, source, gen_ty, body, drop_clean);
1368
1369         body.generator_drop = Some(box drop_shim);
1370
1371         // Create the Generator::resume function
1372         create_generator_resume_function(tcx, transform, source, body, can_return);
1373     }
1374 }
1375
1376 /// Looks for any assignments between locals (e.g., `_4 = _5`) that will both be converted to fields
1377 /// in the generator state machine but whose storage is not marked as conflicting
1378 ///
1379 /// Validation needs to happen immediately *before* `TransformVisitor` is invoked, not after.
1380 ///
1381 /// This condition would arise when the assignment is the last use of `_5` but the initial
1382 /// definition of `_4` if we weren't extra careful to mark all locals used inside a statement as
1383 /// conflicting. Non-conflicting generator saved locals may be stored at the same location within
1384 /// the generator state machine, which would result in ill-formed MIR: the left-hand and right-hand
1385 /// sides of an assignment may not alias. This caused a miscompilation in [#73137].
1386 ///
1387 /// [#73137]: https://github.com/rust-lang/rust/issues/73137
1388 struct EnsureGeneratorFieldAssignmentsNeverAlias<'a> {
1389     saved_locals: &'a GeneratorSavedLocals,
1390     storage_conflicts: &'a BitMatrix<GeneratorSavedLocal, GeneratorSavedLocal>,
1391     assigned_local: Option<GeneratorSavedLocal>,
1392 }
1393
1394 impl EnsureGeneratorFieldAssignmentsNeverAlias<'_> {
1395     fn saved_local_for_direct_place(&self, place: Place<'_>) -> Option<GeneratorSavedLocal> {
1396         if place.is_indirect() {
1397             return None;
1398         }
1399
1400         self.saved_locals.get(place.local)
1401     }
1402
1403     fn check_assigned_place(&mut self, place: Place<'tcx>, f: impl FnOnce(&mut Self)) {
1404         if let Some(assigned_local) = self.saved_local_for_direct_place(place) {
1405             assert!(self.assigned_local.is_none(), "`check_assigned_place` must not recurse");
1406
1407             self.assigned_local = Some(assigned_local);
1408             f(self);
1409             self.assigned_local = None;
1410         }
1411     }
1412 }
1413
1414 impl Visitor<'tcx> for EnsureGeneratorFieldAssignmentsNeverAlias<'_> {
1415     fn visit_place(&mut self, place: &Place<'tcx>, context: PlaceContext, location: Location) {
1416         let lhs = match self.assigned_local {
1417             Some(l) => l,
1418             None => {
1419                 // This visitor only invokes `visit_place` for the right-hand side of an assignment
1420                 // and only after setting `self.assigned_local`. However, the default impl of
1421                 // `Visitor::super_body` may call `visit_place` with a `NonUseContext` for places
1422                 // with debuginfo. Ignore them here.
1423                 assert!(!context.is_use());
1424                 return;
1425             }
1426         };
1427
1428         let rhs = match self.saved_local_for_direct_place(*place) {
1429             Some(l) => l,
1430             None => return,
1431         };
1432
1433         if !self.storage_conflicts.contains(lhs, rhs) {
1434             bug!(
1435                 "Assignment between generator saved locals whose storage is not \
1436                     marked as conflicting: {:?}: {:?} = {:?}",
1437                 location,
1438                 lhs,
1439                 rhs,
1440             );
1441         }
1442     }
1443
1444     fn visit_statement(&mut self, statement: &Statement<'tcx>, location: Location) {
1445         match &statement.kind {
1446             StatementKind::Assign(box (lhs, rhs)) => {
1447                 self.check_assigned_place(*lhs, |this| this.visit_rvalue(rhs, location));
1448             }
1449
1450             // FIXME: Does `llvm_asm!` have any aliasing requirements?
1451             StatementKind::LlvmInlineAsm(_) => {}
1452
1453             StatementKind::FakeRead(..)
1454             | StatementKind::SetDiscriminant { .. }
1455             | StatementKind::StorageLive(_)
1456             | StatementKind::StorageDead(_)
1457             | StatementKind::Retag(..)
1458             | StatementKind::AscribeUserType(..)
1459             | StatementKind::Coverage(..)
1460             | StatementKind::Nop => {}
1461         }
1462     }
1463
1464     fn visit_terminator(&mut self, terminator: &Terminator<'tcx>, location: Location) {
1465         // Checking for aliasing in terminators is probably overkill, but until we have actual
1466         // semantics, we should be conservative here.
1467         match &terminator.kind {
1468             TerminatorKind::Call {
1469                 func,
1470                 args,
1471                 destination: Some((dest, _)),
1472                 cleanup: _,
1473                 from_hir_call: _,
1474                 fn_span: _,
1475             } => {
1476                 self.check_assigned_place(*dest, |this| {
1477                     this.visit_operand(func, location);
1478                     for arg in args {
1479                         this.visit_operand(arg, location);
1480                     }
1481                 });
1482             }
1483
1484             TerminatorKind::Yield { value, resume: _, resume_arg, drop: _ } => {
1485                 self.check_assigned_place(*resume_arg, |this| this.visit_operand(value, location));
1486             }
1487
1488             // FIXME: Does `asm!` have any aliasing requirements?
1489             TerminatorKind::InlineAsm { .. } => {}
1490
1491             TerminatorKind::Call { .. }
1492             | TerminatorKind::Goto { .. }
1493             | TerminatorKind::SwitchInt { .. }
1494             | TerminatorKind::Resume
1495             | TerminatorKind::Abort
1496             | TerminatorKind::Return
1497             | TerminatorKind::Unreachable
1498             | TerminatorKind::Drop { .. }
1499             | TerminatorKind::DropAndReplace { .. }
1500             | TerminatorKind::Assert { .. }
1501             | TerminatorKind::GeneratorDrop
1502             | TerminatorKind::FalseEdge { .. }
1503             | TerminatorKind::FalseUnwind { .. } => {}
1504         }
1505     }
1506 }