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