]> git.lizzy.rs Git - rust.git/blob - src/librustc_mir/transform/generator.rs
Rollup merge of #60428 - wesleywiser:refactor_const_eval, r=oli-obk
[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 rustc::hir;
53 use rustc::hir::def_id::DefId;
54 use rustc::mir::*;
55 use rustc::mir::visit::{PlaceContext, Visitor, MutVisitor};
56 use rustc::ty::{self, TyCtxt, AdtDef, Ty};
57 use rustc::ty::layout::VariantIdx;
58 use rustc::ty::subst::SubstsRef;
59 use rustc_data_structures::fx::FxHashMap;
60 use rustc_data_structures::indexed_vec::Idx;
61 use rustc_data_structures::bit_set::BitSet;
62 use std::borrow::Cow;
63 use std::iter::once;
64 use std::mem;
65 use crate::transform::{MirPass, MirSource};
66 use crate::transform::simplify;
67 use crate::transform::no_landing_pads::no_landing_pads;
68 use crate::dataflow::{do_dataflow, DebugFormatted, state_for_location};
69 use crate::dataflow::{MaybeStorageLive, HaveBeenBorrowedLocals};
70 use crate::util::dump_mir;
71 use crate::util::liveness;
72
73 pub struct StateTransform;
74
75 struct RenameLocalVisitor {
76     from: Local,
77     to: Local,
78 }
79
80 impl<'tcx> MutVisitor<'tcx> for RenameLocalVisitor {
81     fn visit_local(&mut self,
82                    local: &mut Local,
83                    _: PlaceContext,
84                    _: Location) {
85         if *local == self.from {
86             *local = self.to;
87         }
88     }
89 }
90
91 struct DerefArgVisitor;
92
93 impl<'tcx> MutVisitor<'tcx> for DerefArgVisitor {
94     fn visit_local(&mut self,
95                    local: &mut Local,
96                    _: PlaceContext,
97                    _: Location) {
98         assert_ne!(*local, self_arg());
99     }
100
101     fn visit_place(&mut self,
102                     place: &mut Place<'tcx>,
103                     context: PlaceContext,
104                     location: Location) {
105         if *place == Place::Base(PlaceBase::Local(self_arg())) {
106             *place = Place::Projection(Box::new(Projection {
107                 base: place.clone(),
108                 elem: ProjectionElem::Deref,
109             }));
110         } else {
111             self.super_place(place, context, location);
112         }
113     }
114 }
115
116 struct PinArgVisitor<'tcx> {
117     ref_gen_ty: Ty<'tcx>,
118 }
119
120 impl<'tcx> MutVisitor<'tcx> for PinArgVisitor<'tcx> {
121     fn visit_local(&mut self,
122                    local: &mut Local,
123                    _: PlaceContext,
124                    _: Location) {
125         assert_ne!(*local, self_arg());
126     }
127
128     fn visit_place(&mut self,
129                     place: &mut Place<'tcx>,
130                     context: PlaceContext,
131                     location: Location) {
132         if *place == Place::Base(PlaceBase::Local(self_arg())) {
133             *place = Place::Projection(Box::new(Projection {
134                 base: place.clone(),
135                 elem: ProjectionElem::Field(Field::new(0), self.ref_gen_ty),
136             }));
137         } else {
138             self.super_place(place, context, location);
139         }
140     }
141 }
142
143 fn self_arg() -> Local {
144     Local::new(1)
145 }
146
147 /// Generator have not been resumed yet
148 const UNRESUMED: u32 = 0;
149 /// Generator has returned / is completed
150 const RETURNED: u32 = 1;
151 /// Generator has been poisoned
152 const POISONED: u32 = 2;
153
154 struct SuspensionPoint {
155     state: u32,
156     resume: BasicBlock,
157     drop: Option<BasicBlock>,
158     storage_liveness: liveness::LiveVarSet,
159 }
160
161 struct TransformVisitor<'a, 'tcx: 'a> {
162     tcx: TyCtxt<'a, 'tcx, 'tcx>,
163     state_adt_ref: &'tcx AdtDef,
164     state_substs: SubstsRef<'tcx>,
165
166     // The index of the generator state in the generator struct
167     state_field: usize,
168
169     // Mapping from Local to (type of local, generator struct index)
170     // FIXME(eddyb) This should use `IndexVec<Local, Option<_>>`.
171     remap: FxHashMap<Local, (Ty<'tcx>, usize)>,
172
173     // A map from a suspension point in a block to the locals which have live storage at that point
174     // FIXME(eddyb) This should use `IndexVec<BasicBlock, Option<_>>`.
175     storage_liveness: FxHashMap<BasicBlock, liveness::LiveVarSet>,
176
177     // A list of suspension points, generated during the transform
178     suspension_points: Vec<SuspensionPoint>,
179
180     // The original RETURN_PLACE local
181     new_ret_local: Local,
182 }
183
184 impl<'a, 'tcx> TransformVisitor<'a, 'tcx> {
185     // Make a GeneratorState rvalue
186     fn make_state(&self, idx: VariantIdx, val: Operand<'tcx>) -> Rvalue<'tcx> {
187         let adt = AggregateKind::Adt(self.state_adt_ref, idx, self.state_substs, None, None);
188         Rvalue::Aggregate(box adt, vec![val])
189     }
190
191     // Create a Place referencing a generator struct field
192     fn make_field(&self, idx: usize, ty: Ty<'tcx>) -> Place<'tcx> {
193         let base = Place::Base(PlaceBase::Local(self_arg()));
194         let field = Projection {
195             base: base,
196             elem: ProjectionElem::Field(Field::new(idx), ty),
197         };
198         Place::Projection(Box::new(field))
199     }
200
201     // Create a statement which changes the generator state
202     fn set_state(&self, state_disc: u32, source_info: SourceInfo) -> Statement<'tcx> {
203         let state = self.make_field(self.state_field, self.tcx.types.u32);
204         let val = Operand::Constant(box Constant {
205             span: source_info.span,
206             ty: self.tcx.types.u32,
207             user_ty: None,
208             literal: self.tcx.mk_const(ty::Const::from_bits(
209                 self.tcx,
210                 state_disc.into(),
211                 ty::ParamEnv::empty().and(self.tcx.types.u32)
212             )),
213         });
214         Statement {
215             source_info,
216             kind: StatementKind::Assign(state, box Rvalue::Use(val)),
217         }
218     }
219 }
220
221 impl<'a, 'tcx> MutVisitor<'tcx> for TransformVisitor<'a, 'tcx> {
222     fn visit_local(&mut self,
223                    local: &mut Local,
224                    _: PlaceContext,
225                    _: Location) {
226         assert_eq!(self.remap.get(local), None);
227     }
228
229     fn visit_place(&mut self,
230                     place: &mut Place<'tcx>,
231                     context: PlaceContext,
232                     location: Location) {
233         if let Place::Base(PlaceBase::Local(l)) = *place {
234             // Replace an Local in the remap with a generator struct access
235             if let Some(&(ty, idx)) = self.remap.get(&l) {
236                 *place = self.make_field(idx, ty);
237             }
238         } else {
239             self.super_place(place, context, location);
240         }
241     }
242
243     fn visit_basic_block_data(&mut self,
244                               block: BasicBlock,
245                               data: &mut BasicBlockData<'tcx>) {
246         // Remove StorageLive and StorageDead statements for remapped locals
247         data.retain_statements(|s| {
248             match s.kind {
249                 StatementKind::StorageLive(l) | StatementKind::StorageDead(l) => {
250                     !self.remap.contains_key(&l)
251                 }
252                 _ => true
253             }
254         });
255
256         let ret_val = match data.terminator().kind {
257             TerminatorKind::Return => Some((VariantIdx::new(1),
258                 None,
259                 Operand::Move(Place::Base(PlaceBase::Local(self.new_ret_local))),
260                 None)),
261             TerminatorKind::Yield { ref value, resume, drop } => Some((VariantIdx::new(0),
262                 Some(resume),
263                 value.clone(),
264                 drop)),
265             _ => None
266         };
267
268         if let Some((state_idx, resume, v, drop)) = ret_val {
269             let source_info = data.terminator().source_info;
270             // We must assign the value first in case it gets declared dead below
271             data.statements.push(Statement {
272                 source_info,
273                 kind: StatementKind::Assign(Place::RETURN_PLACE,
274                                             box self.make_state(state_idx, v)),
275             });
276             let state = if let Some(resume) = resume { // Yield
277                 let state = 3 + self.suspension_points.len() as u32;
278
279                 self.suspension_points.push(SuspensionPoint {
280                     state,
281                     resume,
282                     drop,
283                     storage_liveness: self.storage_liveness.get(&block).unwrap().clone(),
284                 });
285
286                 state
287             } else { // Return
288                 RETURNED // state for returned
289             };
290             data.statements.push(self.set_state(state, source_info));
291             data.terminator.as_mut().unwrap().kind = TerminatorKind::Return;
292         }
293
294         self.super_basic_block_data(block, data);
295     }
296 }
297
298 fn make_generator_state_argument_indirect<'a, 'tcx>(
299                 tcx: TyCtxt<'a, 'tcx, 'tcx>,
300                 def_id: DefId,
301                 mir: &mut Mir<'tcx>) {
302     let gen_ty = mir.local_decls.raw[1].ty;
303
304     let region = ty::ReFree(ty::FreeRegion {
305         scope: def_id,
306         bound_region: ty::BoundRegion::BrEnv,
307     });
308
309     let region = tcx.mk_region(region);
310
311     let ref_gen_ty = tcx.mk_ref(region, ty::TypeAndMut {
312         ty: gen_ty,
313         mutbl: hir::MutMutable
314     });
315
316     // Replace the by value generator argument
317     mir.local_decls.raw[1].ty = ref_gen_ty;
318
319     // Add a deref to accesses of the generator state
320     DerefArgVisitor.visit_mir(mir);
321 }
322
323 fn make_generator_state_argument_pinned<'a, 'tcx>(
324                 tcx: TyCtxt<'a, 'tcx, 'tcx>,
325                 mir: &mut Mir<'tcx>) {
326     let ref_gen_ty = mir.local_decls.raw[1].ty;
327
328     let pin_did = tcx.lang_items().pin_type().unwrap();
329     let pin_adt_ref = tcx.adt_def(pin_did);
330     let substs = tcx.intern_substs(&[ref_gen_ty.into()]);
331     let pin_ref_gen_ty = tcx.mk_adt(pin_adt_ref, substs);
332
333     // Replace the by ref generator argument
334     mir.local_decls.raw[1].ty = pin_ref_gen_ty;
335
336     // Add the Pin field access to accesses of the generator state
337     PinArgVisitor { ref_gen_ty }.visit_mir(mir);
338 }
339
340 fn replace_result_variable<'tcx>(
341     ret_ty: Ty<'tcx>,
342     mir: &mut Mir<'tcx>,
343 ) -> Local {
344     let source_info = source_info(mir);
345     let new_ret = LocalDecl {
346         mutability: Mutability::Mut,
347         ty: ret_ty,
348         user_ty: UserTypeProjections::none(),
349         name: None,
350         source_info,
351         visibility_scope: source_info.scope,
352         internal: false,
353         is_block_tail: None,
354         is_user_variable: None,
355     };
356     let new_ret_local = Local::new(mir.local_decls.len());
357     mir.local_decls.push(new_ret);
358     mir.local_decls.swap(RETURN_PLACE, new_ret_local);
359
360     RenameLocalVisitor {
361         from: RETURN_PLACE,
362         to: new_ret_local,
363     }.visit_mir(mir);
364
365     new_ret_local
366 }
367
368 struct StorageIgnored(liveness::LiveVarSet);
369
370 impl<'tcx> Visitor<'tcx> for StorageIgnored {
371     fn visit_statement(&mut self,
372                        statement: &Statement<'tcx>,
373                        _location: Location) {
374         match statement.kind {
375             StatementKind::StorageLive(l) |
376             StatementKind::StorageDead(l) => { self.0.remove(l); }
377             _ => (),
378         }
379     }
380 }
381
382 fn locals_live_across_suspend_points(
383     tcx: TyCtxt<'a, 'tcx, 'tcx>,
384     mir: &Mir<'tcx>,
385     source: MirSource<'tcx>,
386     movable: bool,
387 ) -> (
388     liveness::LiveVarSet,
389     FxHashMap<BasicBlock, liveness::LiveVarSet>,
390 ) {
391     let dead_unwinds = BitSet::new_empty(mir.basic_blocks().len());
392     let def_id = source.def_id();
393
394     // Calculate when MIR locals have live storage. This gives us an upper bound of their
395     // lifetimes.
396     let storage_live_analysis = MaybeStorageLive::new(mir);
397     let storage_live =
398         do_dataflow(tcx, mir, def_id, &[], &dead_unwinds, storage_live_analysis,
399                     |bd, p| DebugFormatted::new(&bd.mir().local_decls[p]));
400
401     // Find the MIR locals which do not use StorageLive/StorageDead statements.
402     // The storage of these locals are always live.
403     let mut ignored = StorageIgnored(BitSet::new_filled(mir.local_decls.len()));
404     ignored.visit_mir(mir);
405
406     // Calculate the MIR locals which have been previously
407     // borrowed (even if they are still active).
408     // This is only used for immovable generators.
409     let borrowed_locals = if !movable {
410         let analysis = HaveBeenBorrowedLocals::new(mir);
411         let result =
412             do_dataflow(tcx, mir, def_id, &[], &dead_unwinds, analysis,
413                         |bd, p| DebugFormatted::new(&bd.mir().local_decls[p]));
414         Some((analysis, result))
415     } else {
416         None
417     };
418
419     // Calculate the liveness of MIR locals ignoring borrows.
420     let mut set = liveness::LiveVarSet::new_empty(mir.local_decls.len());
421     let mut liveness = liveness::liveness_of_locals(
422         mir,
423     );
424     liveness::dump_mir(
425         tcx,
426         "generator_liveness",
427         source,
428         mir,
429         &liveness,
430     );
431
432     let mut storage_liveness_map = FxHashMap::default();
433
434     for (block, data) in mir.basic_blocks().iter_enumerated() {
435         if let TerminatorKind::Yield { .. } = data.terminator().kind {
436             let loc = Location {
437                 block: block,
438                 statement_index: data.statements.len(),
439             };
440
441             if let Some((ref analysis, ref result)) = borrowed_locals {
442                 let borrowed_locals = state_for_location(loc,
443                                                          analysis,
444                                                          result,
445                                                          mir);
446                 // The `liveness` variable contains the liveness of MIR locals ignoring borrows.
447                 // This is correct for movable generators since borrows cannot live across
448                 // suspension points. However for immovable generators we need to account for
449                 // borrows, so we conseratively assume that all borrowed locals are live until
450                 // we find a StorageDead statement referencing the locals.
451                 // To do this we just union our `liveness` result with `borrowed_locals`, which
452                 // contains all the locals which has been borrowed before this suspension point.
453                 // If a borrow is converted to a raw reference, we must also assume that it lives
454                 // forever. Note that the final liveness is still bounded by the storage liveness
455                 // of the local, which happens using the `intersect` operation below.
456                 liveness.outs[block].union(&borrowed_locals);
457             }
458
459             let mut storage_liveness = state_for_location(loc,
460                                                           &storage_live_analysis,
461                                                           &storage_live,
462                                                           mir);
463
464             // Store the storage liveness for later use so we can restore the state
465             // after a suspension point
466             storage_liveness_map.insert(block, storage_liveness.clone());
467
468             // Mark locals without storage statements as always having live storage
469             storage_liveness.union(&ignored.0);
470
471             // Locals live are live at this point only if they are used across
472             // suspension points (the `liveness` variable)
473             // and their storage is live (the `storage_liveness` variable)
474             storage_liveness.intersect(&liveness.outs[block]);
475
476             let live_locals = storage_liveness;
477
478             // Add the locals life at this suspension point to the set of locals which live across
479             // any suspension points
480             set.union(&live_locals);
481         }
482     }
483
484     // The generator argument is ignored
485     set.remove(self_arg());
486
487     (set, storage_liveness_map)
488 }
489
490 fn compute_layout<'a, 'tcx>(tcx: TyCtxt<'a, 'tcx, 'tcx>,
491                             source: MirSource<'tcx>,
492                             upvars: &Vec<Ty<'tcx>>,
493                             interior: Ty<'tcx>,
494                             movable: bool,
495                             mir: &mut Mir<'tcx>)
496     -> (FxHashMap<Local, (Ty<'tcx>, usize)>,
497         GeneratorLayout<'tcx>,
498         FxHashMap<BasicBlock, liveness::LiveVarSet>)
499 {
500     // Use a liveness analysis to compute locals which are live across a suspension point
501     let (live_locals, storage_liveness) = locals_live_across_suspend_points(tcx,
502                                                                             mir,
503                                                                             source,
504                                                                             movable);
505     // Erase regions from the types passed in from typeck so we can compare them with
506     // MIR types
507     let allowed_upvars = tcx.erase_regions(upvars);
508     let allowed = match interior.sty {
509         ty::GeneratorWitness(s) => tcx.erase_late_bound_regions(&s),
510         _ => bug!(),
511     };
512
513     for (local, decl) in mir.local_decls.iter_enumerated() {
514         // Ignore locals which are internal or not live
515         if !live_locals.contains(local) || decl.internal {
516             continue;
517         }
518
519         // Sanity check that typeck knows about the type of locals which are
520         // live across a suspension point
521         if !allowed.contains(&decl.ty) && !allowed_upvars.contains(&decl.ty) {
522             span_bug!(mir.span,
523                       "Broken MIR: generator contains type {} in MIR, \
524                        but typeck only knows about {}",
525                       decl.ty,
526                       interior);
527         }
528     }
529
530     let upvar_len = upvars.len();
531     let dummy_local = LocalDecl::new_internal(tcx.mk_unit(), mir.span);
532
533     // Gather live locals and their indices replacing values in mir.local_decls with a dummy
534     // to avoid changing local indices
535     let live_decls = live_locals.iter().map(|local| {
536         let var = mem::replace(&mut mir.local_decls[local], dummy_local.clone());
537         (local, var)
538     });
539
540     // Create a map from local indices to generator struct indices.
541     // These are offset by (upvar_len + 1) because of fields which comes before locals.
542     // We also create a vector of the LocalDecls of these locals.
543     let (remap, vars) = live_decls.enumerate().map(|(idx, (local, var))| {
544         ((local, (var.ty, upvar_len + 1 + idx)), var)
545     }).unzip();
546
547     let layout = GeneratorLayout {
548         fields: vars
549     };
550
551     (remap, layout, storage_liveness)
552 }
553
554 fn insert_switch<'a, 'tcx>(tcx: TyCtxt<'a, 'tcx, 'tcx>,
555                            mir: &mut Mir<'tcx>,
556                            cases: Vec<(u32, BasicBlock)>,
557                            transform: &TransformVisitor<'a, 'tcx>,
558                            default: TerminatorKind<'tcx>) {
559     let default_block = insert_term_block(mir, default);
560
561     let switch = TerminatorKind::SwitchInt {
562         discr: Operand::Copy(transform.make_field(transform.state_field, tcx.types.u32)),
563         switch_ty: tcx.types.u32,
564         values: Cow::from(cases.iter().map(|&(i, _)| i.into()).collect::<Vec<_>>()),
565         targets: cases.iter().map(|&(_, d)| d).chain(once(default_block)).collect(),
566     };
567
568     let source_info = source_info(mir);
569     mir.basic_blocks_mut().raw.insert(0, BasicBlockData {
570         statements: Vec::new(),
571         terminator: Some(Terminator {
572             source_info,
573             kind: switch,
574         }),
575         is_cleanup: false,
576     });
577
578     let blocks = mir.basic_blocks_mut().iter_mut();
579
580     for target in blocks.flat_map(|b| b.terminator_mut().successors_mut()) {
581         *target = BasicBlock::new(target.index() + 1);
582     }
583 }
584
585 fn elaborate_generator_drops<'a, 'tcx>(tcx: TyCtxt<'a, 'tcx, 'tcx>,
586                                        def_id: DefId,
587                                        mir: &mut Mir<'tcx>) {
588     use crate::util::elaborate_drops::{elaborate_drop, Unwind};
589     use crate::util::patch::MirPatch;
590     use crate::shim::DropShimElaborator;
591
592     // Note that `elaborate_drops` only drops the upvars of a generator, and
593     // this is ok because `open_drop` can only be reached within that own
594     // generator's resume function.
595
596     let param_env = tcx.param_env(def_id);
597     let gen = self_arg();
598
599     let mut elaborator = DropShimElaborator {
600         mir: mir,
601         patch: MirPatch::new(mir),
602         tcx,
603         param_env
604     };
605
606     for (block, block_data) in mir.basic_blocks().iter_enumerated() {
607         let (target, unwind, source_info) = match block_data.terminator() {
608             &Terminator {
609                 source_info,
610                 kind: TerminatorKind::Drop {
611                     location: Place::Base(PlaceBase::Local(local)),
612                     target,
613                     unwind
614                 }
615             } if local == gen => (target, unwind, source_info),
616             _ => continue,
617         };
618         let unwind = if block_data.is_cleanup {
619             Unwind::InCleanup
620         } else {
621             Unwind::To(unwind.unwrap_or_else(|| elaborator.patch.resume_block()))
622         };
623         elaborate_drop(
624             &mut elaborator,
625             source_info,
626             &Place::Base(PlaceBase::Local(gen)),
627             (),
628             target,
629             unwind,
630             block,
631         );
632     }
633     elaborator.patch.apply(mir);
634 }
635
636 fn create_generator_drop_shim<'a, 'tcx>(
637                 tcx: TyCtxt<'a, 'tcx, 'tcx>,
638                 transform: &TransformVisitor<'a, 'tcx>,
639                 def_id: DefId,
640                 source: MirSource<'tcx>,
641                 gen_ty: Ty<'tcx>,
642                 mir: &Mir<'tcx>,
643                 drop_clean: BasicBlock) -> Mir<'tcx> {
644     let mut mir = mir.clone();
645
646     let source_info = source_info(&mir);
647
648     let mut cases = create_cases(&mut mir, transform, |point| point.drop);
649
650     cases.insert(0, (UNRESUMED, drop_clean));
651
652     // The returned state and the poisoned state fall through to the default
653     // case which is just to return
654
655     insert_switch(tcx, &mut mir, cases, &transform, TerminatorKind::Return);
656
657     for block in mir.basic_blocks_mut() {
658         let kind = &mut block.terminator_mut().kind;
659         if let TerminatorKind::GeneratorDrop = *kind {
660             *kind = TerminatorKind::Return;
661         }
662     }
663
664     // Replace the return variable
665     mir.local_decls[RETURN_PLACE] = LocalDecl {
666         mutability: Mutability::Mut,
667         ty: tcx.mk_unit(),
668         user_ty: UserTypeProjections::none(),
669         name: None,
670         source_info,
671         visibility_scope: source_info.scope,
672         internal: false,
673         is_block_tail: None,
674         is_user_variable: None,
675     };
676
677     make_generator_state_argument_indirect(tcx, def_id, &mut mir);
678
679     // Change the generator argument from &mut to *mut
680     mir.local_decls[self_arg()] = LocalDecl {
681         mutability: Mutability::Mut,
682         ty: tcx.mk_ptr(ty::TypeAndMut {
683             ty: gen_ty,
684             mutbl: hir::Mutability::MutMutable,
685         }),
686         user_ty: UserTypeProjections::none(),
687         name: None,
688         source_info,
689         visibility_scope: source_info.scope,
690         internal: false,
691         is_block_tail: None,
692         is_user_variable: None,
693     };
694     if tcx.sess.opts.debugging_opts.mir_emit_retag {
695         // Alias tracking must know we changed the type
696         mir.basic_blocks_mut()[START_BLOCK].statements.insert(0, Statement {
697             source_info,
698             kind: StatementKind::Retag(RetagKind::Raw, Place::Base(PlaceBase::Local(self_arg()))),
699         })
700     }
701
702     no_landing_pads(tcx, &mut mir);
703
704     // Make sure we remove dead blocks to remove
705     // unrelated code from the resume part of the function
706     simplify::remove_dead_blocks(&mut mir);
707
708     dump_mir(tcx, None, "generator_drop", &0, source, &mut mir, |_, _| Ok(()) );
709
710     mir
711 }
712
713 fn insert_term_block<'tcx>(mir: &mut Mir<'tcx>, kind: TerminatorKind<'tcx>) -> BasicBlock {
714     let term_block = BasicBlock::new(mir.basic_blocks().len());
715     let source_info = source_info(mir);
716     mir.basic_blocks_mut().push(BasicBlockData {
717         statements: Vec::new(),
718         terminator: Some(Terminator {
719             source_info,
720             kind,
721         }),
722         is_cleanup: false,
723     });
724     term_block
725 }
726
727 fn insert_panic_block<'a, 'tcx>(tcx: TyCtxt<'a, 'tcx, 'tcx>,
728                                 mir: &mut Mir<'tcx>,
729                                 message: AssertMessage<'tcx>) -> BasicBlock {
730     let assert_block = BasicBlock::new(mir.basic_blocks().len());
731     let term = TerminatorKind::Assert {
732         cond: Operand::Constant(box Constant {
733             span: mir.span,
734             ty: tcx.types.bool,
735             user_ty: None,
736             literal: tcx.mk_const(
737                 ty::Const::from_bool(tcx, false),
738             ),
739         }),
740         expected: true,
741         msg: message,
742         target: assert_block,
743         cleanup: None,
744     };
745
746     let source_info = source_info(mir);
747     mir.basic_blocks_mut().push(BasicBlockData {
748         statements: Vec::new(),
749         terminator: Some(Terminator {
750             source_info,
751             kind: term,
752         }),
753         is_cleanup: false,
754     });
755
756     assert_block
757 }
758
759 fn create_generator_resume_function<'a, 'tcx>(
760         tcx: TyCtxt<'a, 'tcx, 'tcx>,
761         transform: TransformVisitor<'a, 'tcx>,
762         def_id: DefId,
763         source: MirSource<'tcx>,
764         mir: &mut Mir<'tcx>) {
765     // Poison the generator when it unwinds
766     for block in mir.basic_blocks_mut() {
767         let source_info = block.terminator().source_info;
768         if let &TerminatorKind::Resume = &block.terminator().kind {
769             block.statements.push(transform.set_state(POISONED, source_info));
770         }
771     }
772
773     let mut cases = create_cases(mir, &transform, |point| Some(point.resume));
774
775     use rustc::mir::interpret::InterpError::{
776         GeneratorResumedAfterPanic,
777         GeneratorResumedAfterReturn,
778     };
779
780     // Jump to the entry point on the unresumed
781     cases.insert(0, (UNRESUMED, BasicBlock::new(0)));
782     // Panic when resumed on the returned state
783     cases.insert(1, (RETURNED, insert_panic_block(tcx, mir, GeneratorResumedAfterReturn)));
784     // Panic when resumed on the poisoned state
785     cases.insert(2, (POISONED, insert_panic_block(tcx, mir, GeneratorResumedAfterPanic)));
786
787     insert_switch(tcx, mir, cases, &transform, TerminatorKind::Unreachable);
788
789     make_generator_state_argument_indirect(tcx, def_id, mir);
790     make_generator_state_argument_pinned(tcx, mir);
791
792     no_landing_pads(tcx, mir);
793
794     // Make sure we remove dead blocks to remove
795     // unrelated code from the drop part of the function
796     simplify::remove_dead_blocks(mir);
797
798     dump_mir(tcx, None, "generator_resume", &0, source, mir, |_, _| Ok(()) );
799 }
800
801 fn source_info<'a, 'tcx>(mir: &Mir<'tcx>) -> SourceInfo {
802     SourceInfo {
803         span: mir.span,
804         scope: OUTERMOST_SOURCE_SCOPE,
805     }
806 }
807
808 fn insert_clean_drop<'a, 'tcx>(mir: &mut Mir<'tcx>) -> BasicBlock {
809     let return_block = insert_term_block(mir, TerminatorKind::Return);
810
811     // Create a block to destroy an unresumed generators. This can only destroy upvars.
812     let drop_clean = BasicBlock::new(mir.basic_blocks().len());
813     let term = TerminatorKind::Drop {
814         location: Place::Base(PlaceBase::Local(self_arg())),
815         target: return_block,
816         unwind: None,
817     };
818     let source_info = source_info(mir);
819     mir.basic_blocks_mut().push(BasicBlockData {
820         statements: Vec::new(),
821         terminator: Some(Terminator {
822             source_info,
823             kind: term,
824         }),
825         is_cleanup: false,
826     });
827
828     drop_clean
829 }
830
831 fn create_cases<'a, 'tcx, F>(mir: &mut Mir<'tcx>,
832                           transform: &TransformVisitor<'a, 'tcx>,
833                           target: F) -> Vec<(u32, BasicBlock)>
834     where F: Fn(&SuspensionPoint) -> Option<BasicBlock> {
835     let source_info = source_info(mir);
836
837     transform.suspension_points.iter().filter_map(|point| {
838         // Find the target for this suspension point, if applicable
839         target(point).map(|target| {
840             let block = BasicBlock::new(mir.basic_blocks().len());
841             let mut statements = Vec::new();
842
843             // Create StorageLive instructions for locals with live storage
844             for i in 0..(mir.local_decls.len()) {
845                 let l = Local::new(i);
846                 if point.storage_liveness.contains(l) && !transform.remap.contains_key(&l) {
847                     statements.push(Statement {
848                         source_info,
849                         kind: StatementKind::StorageLive(l),
850                     });
851                 }
852             }
853
854             // Then jump to the real target
855             mir.basic_blocks_mut().push(BasicBlockData {
856                 statements,
857                 terminator: Some(Terminator {
858                     source_info,
859                     kind: TerminatorKind::Goto {
860                         target,
861                     },
862                 }),
863                 is_cleanup: false,
864             });
865
866             (point.state, block)
867         })
868     }).collect()
869 }
870
871 impl MirPass for StateTransform {
872     fn run_pass<'a, 'tcx>(&self,
873                     tcx: TyCtxt<'a, 'tcx, 'tcx>,
874                     source: MirSource<'tcx>,
875                     mir: &mut Mir<'tcx>) {
876         let yield_ty = if let Some(yield_ty) = mir.yield_ty {
877             yield_ty
878         } else {
879             // This only applies to generators
880             return
881         };
882
883         assert!(mir.generator_drop.is_none());
884
885         let def_id = source.def_id();
886
887         // The first argument is the generator type passed by value
888         let gen_ty = mir.local_decls.raw[1].ty;
889
890         // Get the interior types and substs which typeck computed
891         let (upvars, interior, movable) = match gen_ty.sty {
892             ty::Generator(_, substs, movability) => {
893                 (substs.upvar_tys(def_id, tcx).collect(),
894                  substs.witness(def_id, tcx),
895                  movability == hir::GeneratorMovability::Movable)
896             }
897             _ => bug!(),
898         };
899
900         // Compute GeneratorState<yield_ty, return_ty>
901         let state_did = tcx.lang_items().gen_state().unwrap();
902         let state_adt_ref = tcx.adt_def(state_did);
903         let state_substs = tcx.intern_substs(&[
904             yield_ty.into(),
905             mir.return_ty().into(),
906         ]);
907         let ret_ty = tcx.mk_adt(state_adt_ref, state_substs);
908
909         // We rename RETURN_PLACE which has type mir.return_ty to new_ret_local
910         // RETURN_PLACE then is a fresh unused local with type ret_ty.
911         let new_ret_local = replace_result_variable(ret_ty, mir);
912
913         // Extract locals which are live across suspension point into `layout`
914         // `remap` gives a mapping from local indices onto generator struct indices
915         // `storage_liveness` tells us which locals have live storage at suspension points
916         let (remap, layout, storage_liveness) = compute_layout(
917             tcx,
918             source,
919             &upvars,
920             interior,
921             movable,
922             mir);
923
924         let state_field = upvars.len();
925
926         // Run the transformation which converts Places from Local to generator struct
927         // accesses for locals in `remap`.
928         // It also rewrites `return x` and `yield y` as writing a new generator state and returning
929         // GeneratorState::Complete(x) and GeneratorState::Yielded(y) respectively.
930         let mut transform = TransformVisitor {
931             tcx,
932             state_adt_ref,
933             state_substs,
934             remap,
935             storage_liveness,
936             suspension_points: Vec::new(),
937             new_ret_local,
938             state_field,
939         };
940         transform.visit_mir(mir);
941
942         // Update our MIR struct to reflect the changed we've made
943         mir.yield_ty = None;
944         mir.arg_count = 1;
945         mir.spread_arg = None;
946         mir.generator_layout = Some(layout);
947
948         // Insert `drop(generator_struct)` which is used to drop upvars for generators in
949         // the unresumed state.
950         // This is expanded to a drop ladder in `elaborate_generator_drops`.
951         let drop_clean = insert_clean_drop(mir);
952
953         dump_mir(tcx, None, "generator_pre-elab", &0, source, mir, |_, _| Ok(()) );
954
955         // Expand `drop(generator_struct)` to a drop ladder which destroys upvars.
956         // If any upvars are moved out of, drop elaboration will handle upvar destruction.
957         // However we need to also elaborate the code generated by `insert_clean_drop`.
958         elaborate_generator_drops(tcx, def_id, mir);
959
960         dump_mir(tcx, None, "generator_post-transform", &0, source, mir, |_, _| Ok(()) );
961
962         // Create a copy of our MIR and use it to create the drop shim for the generator
963         let drop_shim = create_generator_drop_shim(tcx,
964             &transform,
965             def_id,
966             source,
967             gen_ty,
968             &mir,
969             drop_clean);
970
971         mir.generator_drop = Some(box drop_shim);
972
973         // Create the Generator::resume function
974         create_generator_resume_function(tcx, transform, def_id, source, mir);
975     }
976 }