Merge pull request #2201 from rolfbjarne/linker-better-xml-processing-errors
[mono.git] / mcs / mcs / statement.cs
1 //
2 // statement.cs: Statement representation for the IL tree.
3 //
4 // Authors:
5 //   Miguel de Icaza (miguel@ximian.com)
6 //   Martin Baulig (martin@ximian.com)
7 //   Marek Safar (marek.safar@gmail.com)
8 //
9 // Copyright 2001, 2002, 2003 Ximian, Inc.
10 // Copyright 2003, 2004 Novell, Inc.
11 // Copyright 2011 Xamarin Inc.
12 //
13
14 using System;
15 using System.Collections.Generic;
16
17 #if STATIC
18 using IKVM.Reflection.Emit;
19 #else
20 using System.Reflection.Emit;
21 #endif
22
23 namespace Mono.CSharp {
24         
25         public abstract class Statement {
26                 public Location loc;
27                 protected bool reachable;
28
29                 public bool IsUnreachable {
30                         get {
31                                 return !reachable;
32                         }
33                 }
34                 
35                 /// <summary>
36                 ///   Resolves the statement, true means that all sub-statements
37                 ///   did resolve ok.
38                 ///  </summary>
39                 public virtual bool Resolve (BlockContext bc)
40                 {
41                         return true;
42                 }
43
44                 /// <summary>
45                 ///   Return value indicates whether all code paths emitted return.
46                 /// </summary>
47                 protected abstract void DoEmit (EmitContext ec);
48
49                 public virtual void Emit (EmitContext ec)
50                 {
51                         ec.Mark (loc);
52                         DoEmit (ec);
53
54                         if (ec.StatementEpilogue != null) {
55                                 ec.EmitEpilogue ();
56                         }
57                 }
58
59                 //
60                 // This routine must be overrided in derived classes and make copies
61                 // of all the data that might be modified if resolved
62                 // 
63                 protected abstract void CloneTo (CloneContext clonectx, Statement target);
64
65                 public Statement Clone (CloneContext clonectx)
66                 {
67                         Statement s = (Statement) this.MemberwiseClone ();
68                         CloneTo (clonectx, s);
69                         return s;
70                 }
71
72                 public virtual Expression CreateExpressionTree (ResolveContext ec)
73                 {
74                         ec.Report.Error (834, loc, "A lambda expression with statement body cannot be converted to an expresion tree");
75                         return null;
76                 }
77                 
78                 public virtual object Accept (StructuralVisitor visitor)
79                 {
80                         return visitor.Visit (this);
81                 }
82
83                 //
84                 // Return value indicates whether statement has unreachable end
85                 //
86                 protected abstract bool DoFlowAnalysis (FlowAnalysisContext fc);
87
88                 public bool FlowAnalysis (FlowAnalysisContext fc)
89                 {
90                         if (reachable) {
91                                 fc.UnreachableReported = false;
92                                 var res = DoFlowAnalysis (fc);
93                                 return res;
94                         }
95
96                         //
97                         // Special handling cases
98                         //
99                         if (this is Block) {
100                                 return DoFlowAnalysis (fc);
101                         }
102
103                         if (this is EmptyStatement || loc.IsNull)
104                                 return true;
105
106                         if (fc.UnreachableReported)
107                                 return true;
108
109                         fc.Report.Warning (162, 2, loc, "Unreachable code detected");
110                         fc.UnreachableReported = true;
111                         return true;
112                 }
113
114                 public virtual Reachability MarkReachable (Reachability rc)
115                 {
116                         if (!rc.IsUnreachable)
117                                 reachable = true;
118
119                         return rc;
120                 }
121
122                 protected void CheckExitBoundaries (BlockContext bc, Block scope)
123                 {
124                         if (bc.CurrentBlock.ParametersBlock.Original != scope.ParametersBlock.Original) {
125                                 bc.Report.Error (1632, loc, "Control cannot leave the body of an anonymous method");
126                                 return;
127                         }
128
129                         for (var b = bc.CurrentBlock; b != null && b != scope; b = b.Parent) {
130                                 if (b.IsFinallyBlock) {
131                                         Error_FinallyClauseExit (bc);
132                                         break;
133                                 }
134                         }
135                 }
136
137                 protected void Error_FinallyClauseExit (BlockContext bc)
138                 {
139                         bc.Report.Error (157, loc, "Control cannot leave the body of a finally clause");
140                 }
141         }
142
143         public sealed class EmptyStatement : Statement
144         {
145                 public EmptyStatement (Location loc)
146                 {
147                         this.loc = loc;
148                 }
149
150                 public override bool Resolve (BlockContext ec)
151                 {
152                         return true;
153                 }
154
155                 public override void Emit (EmitContext ec)
156                 {
157                 }
158
159                 protected override void DoEmit (EmitContext ec)
160                 {
161                         throw new NotSupportedException ();
162                 }
163
164                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
165                 {
166                         return false;
167                 }
168
169                 protected override void CloneTo (CloneContext clonectx, Statement target)
170                 {
171                         // nothing needed.
172                 }
173                 
174                 public override object Accept (StructuralVisitor visitor)
175                 {
176                         return visitor.Visit (this);
177                 }
178         }
179
180         public class If : Statement {
181                 Expression expr;
182                 public Statement TrueStatement;
183                 public Statement FalseStatement;
184
185                 bool true_returns, false_returns;
186
187                 public If (Expression bool_expr, Statement true_statement, Location l)
188                         : this (bool_expr, true_statement, null, l)
189                 {
190                 }
191
192                 public If (Expression bool_expr,
193                            Statement true_statement,
194                            Statement false_statement,
195                            Location l)
196                 {
197                         this.expr = bool_expr;
198                         TrueStatement = true_statement;
199                         FalseStatement = false_statement;
200                         loc = l;
201                 }
202
203                 public Expression Expr {
204                         get {
205                                 return this.expr;
206                         }
207                 }
208                 
209                 public override bool Resolve (BlockContext ec)
210                 {
211                         expr = expr.Resolve (ec);
212
213                         var ok = TrueStatement.Resolve (ec);
214
215                         if (FalseStatement != null) {
216                                 ok &= FalseStatement.Resolve (ec);
217                         }
218
219                         return ok;
220                 }
221                 
222                 protected override void DoEmit (EmitContext ec)
223                 {
224                         Label false_target = ec.DefineLabel ();
225                         Label end;
226
227                         //
228                         // If we're a boolean constant, Resolve() already
229                         // eliminated dead code for us.
230                         //
231                         Constant c = expr as Constant;
232                         if (c != null){
233                                 c.EmitSideEffect (ec);
234
235                                 if (!c.IsDefaultValue)
236                                         TrueStatement.Emit (ec);
237                                 else if (FalseStatement != null)
238                                         FalseStatement.Emit (ec);
239
240                                 return;
241                         }                       
242                         
243                         expr.EmitBranchable (ec, false_target, false);
244                         
245                         TrueStatement.Emit (ec);
246
247                         if (FalseStatement != null){
248                                 bool branch_emitted = false;
249                                 
250                                 end = ec.DefineLabel ();
251                                 if (!true_returns){
252                                         ec.Emit (OpCodes.Br, end);
253                                         branch_emitted = true;
254                                 }
255
256                                 ec.MarkLabel (false_target);
257                                 FalseStatement.Emit (ec);
258
259                                 if (branch_emitted)
260                                         ec.MarkLabel (end);
261                         } else {
262                                 ec.MarkLabel (false_target);
263                         }
264                 }
265
266                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
267                 {
268                         expr.FlowAnalysisConditional (fc);
269
270                         var da_false = new DefiniteAssignmentBitSet (fc.DefiniteAssignmentOnFalse);
271
272                         fc.DefiniteAssignment = fc.DefiniteAssignmentOnTrue;
273
274                         var res = TrueStatement.FlowAnalysis (fc);
275
276                         if (FalseStatement == null) {
277                                 var c = expr as Constant;
278                                 if (c != null && !c.IsDefaultValue)
279                                         return true_returns;
280
281                                 if (true_returns)
282                                         fc.DefiniteAssignment = da_false;
283                                 else
284                                         fc.DefiniteAssignment &= da_false;
285  
286                                 return false;
287                         }
288
289                         if (true_returns) {
290                                 fc.DefiniteAssignment = da_false;
291                                 return FalseStatement.FlowAnalysis (fc);
292                         }
293
294                         var da_true = fc.DefiniteAssignment;
295
296                         fc.DefiniteAssignment = da_false;
297                         res &= FalseStatement.FlowAnalysis (fc);
298
299                         if (!TrueStatement.IsUnreachable) {
300                                 if (false_returns || FalseStatement.IsUnreachable)
301                                         fc.DefiniteAssignment = da_true;
302                                 else
303                                         fc.DefiniteAssignment &= da_true;
304                         }
305
306                         return res;
307                 }
308
309                 public override Reachability MarkReachable (Reachability rc)
310                 {
311                         if (rc.IsUnreachable)
312                                 return rc;
313
314                         base.MarkReachable (rc);
315
316                         var c = expr as Constant;
317                         if (c != null) {
318                                 bool take = !c.IsDefaultValue;
319                                 if (take) {
320                                         rc = TrueStatement.MarkReachable (rc);
321                                 } else {
322                                         if (FalseStatement != null)
323                                                 rc = FalseStatement.MarkReachable (rc);
324                                 }
325
326                                 return rc;
327                         }
328
329                         var true_rc = TrueStatement.MarkReachable (rc);
330                         true_returns = true_rc.IsUnreachable;
331         
332                         if (FalseStatement == null)
333                                 return rc;
334
335                         var false_rc = FalseStatement.MarkReachable (rc);
336                         false_returns = false_rc.IsUnreachable;
337
338                         return true_rc & false_rc;
339                 }
340
341                 protected override void CloneTo (CloneContext clonectx, Statement t)
342                 {
343                         If target = (If) t;
344
345                         target.expr = expr.Clone (clonectx);
346                         target.TrueStatement = TrueStatement.Clone (clonectx);
347                         if (FalseStatement != null)
348                                 target.FalseStatement = FalseStatement.Clone (clonectx);
349                 }
350                 
351                 public override object Accept (StructuralVisitor visitor)
352                 {
353                         return visitor.Visit (this);
354                 }
355         }
356
357         public class Do : LoopStatement
358         {
359                 public Expression expr;
360                 bool iterator_reachable, end_reachable;
361
362                 public Do (Statement statement, BooleanExpression bool_expr, Location doLocation, Location whileLocation)
363                         : base (statement)
364                 {
365                         expr = bool_expr;
366                         loc = doLocation;
367                         WhileLocation = whileLocation;
368                 }
369
370                 public Location WhileLocation {
371                         get; private set;
372                 }
373
374                 public override bool Resolve (BlockContext bc)
375                 {
376                         var ok = base.Resolve (bc);
377
378                         expr = expr.Resolve (bc);
379
380                         return ok;
381                 }
382                 
383                 protected override void DoEmit (EmitContext ec)
384                 {
385                         Label loop = ec.DefineLabel ();
386                         Label old_begin = ec.LoopBegin;
387                         Label old_end = ec.LoopEnd;
388                         
389                         ec.LoopBegin = ec.DefineLabel ();
390                         ec.LoopEnd = ec.DefineLabel ();
391                                 
392                         ec.MarkLabel (loop);
393                         Statement.Emit (ec);
394                         ec.MarkLabel (ec.LoopBegin);
395
396                         // Mark start of while condition
397                         ec.Mark (WhileLocation);
398
399                         //
400                         // Dead code elimination
401                         //
402                         if (expr is Constant) {
403                                 bool res = !((Constant) expr).IsDefaultValue;
404
405                                 expr.EmitSideEffect (ec);
406                                 if (res)
407                                         ec.Emit (OpCodes.Br, loop);
408                         } else {
409                                 expr.EmitBranchable (ec, loop, true);
410                         }
411                         
412                         ec.MarkLabel (ec.LoopEnd);
413
414                         ec.LoopBegin = old_begin;
415                         ec.LoopEnd = old_end;
416                 }
417
418                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
419                 {
420                         var res = Statement.FlowAnalysis (fc);
421
422                         expr.FlowAnalysisConditional (fc);
423
424                         fc.DefiniteAssignment = fc.DefiniteAssignmentOnFalse;
425
426                         if (res && !iterator_reachable)
427                                 return !end_reachable;
428
429                         if (!end_reachable) {
430                                 var c = expr as Constant;
431                                 if (c != null && !c.IsDefaultValue)
432                                         return true;
433                         }
434
435                         return false;
436                 }
437                 
438                 public override Reachability MarkReachable (Reachability rc)
439                 {
440                         base.MarkReachable (rc);
441                         
442                         var body_rc = Statement.MarkReachable (rc);
443
444                         if (body_rc.IsUnreachable && !iterator_reachable) {
445                                 expr = new UnreachableExpression (expr);
446                                 return end_reachable ? rc : Reachability.CreateUnreachable ();
447                         }
448
449                         if (!end_reachable) {
450                                 var c = expr as Constant;
451                                 if (c != null && !c.IsDefaultValue)
452                                         return Reachability.CreateUnreachable ();
453                         }
454
455                         return rc;
456                 }
457
458                 protected override void CloneTo (CloneContext clonectx, Statement t)
459                 {
460                         Do target = (Do) t;
461
462                         target.Statement = Statement.Clone (clonectx);
463                         target.expr = expr.Clone (clonectx);
464                 }
465                 
466                 public override object Accept (StructuralVisitor visitor)
467                 {
468                         return visitor.Visit (this);
469                 }
470
471                 public override void SetEndReachable ()
472                 {
473                         end_reachable = true;
474                 }
475
476                 public override void SetIteratorReachable ()
477                 {
478                         iterator_reachable = true;
479                 }
480         }
481
482         public class While : LoopStatement
483         {
484                 public Expression expr;
485                 bool empty, infinite, end_reachable;
486                 List<DefiniteAssignmentBitSet> end_reachable_das;
487
488                 public While (BooleanExpression bool_expr, Statement statement, Location l)
489                         : base (statement)
490                 {
491                         this.expr = bool_expr;
492                         loc = l;
493                 }
494
495                 public override bool Resolve (BlockContext bc)
496                 {
497                         bool ok = true;
498
499                         expr = expr.Resolve (bc);
500                         if (expr == null)
501                                 ok = false;
502
503                         var c = expr as Constant;
504                         if (c != null) {
505                                 empty = c.IsDefaultValue;
506                                 infinite = !empty;
507                         }
508
509                         ok &= base.Resolve (bc);
510                         return ok;
511                 }
512                 
513                 protected override void DoEmit (EmitContext ec)
514                 {
515                         if (empty) {
516                                 expr.EmitSideEffect (ec);
517                                 return;
518                         }
519
520                         Label old_begin = ec.LoopBegin;
521                         Label old_end = ec.LoopEnd;
522                         
523                         ec.LoopBegin = ec.DefineLabel ();
524                         ec.LoopEnd = ec.DefineLabel ();
525
526                         //
527                         // Inform whether we are infinite or not
528                         //
529                         if (expr is Constant) {
530                                 // expr is 'true', since the 'empty' case above handles the 'false' case
531                                 ec.MarkLabel (ec.LoopBegin);
532
533                                 if (ec.EmitAccurateDebugInfo)
534                                         ec.Emit (OpCodes.Nop);
535
536                                 expr.EmitSideEffect (ec);
537                                 Statement.Emit (ec);
538                                 ec.Emit (OpCodes.Br, ec.LoopBegin);
539                                         
540                                 //
541                                 // Inform that we are infinite (ie, `we return'), only
542                                 // if we do not `break' inside the code.
543                                 //
544                                 ec.MarkLabel (ec.LoopEnd);
545                         } else {
546                                 Label while_loop = ec.DefineLabel ();
547
548                                 ec.Emit (OpCodes.Br, ec.LoopBegin);
549                                 ec.MarkLabel (while_loop);
550
551                                 Statement.Emit (ec);
552                         
553                                 ec.MarkLabel (ec.LoopBegin);
554
555                                 ec.Mark (loc);
556                                 expr.EmitBranchable (ec, while_loop, true);
557                                 
558                                 ec.MarkLabel (ec.LoopEnd);
559                         }       
560
561                         ec.LoopBegin = old_begin;
562                         ec.LoopEnd = old_end;
563                 }
564
565                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
566                 {
567                         expr.FlowAnalysisConditional (fc);
568
569                         fc.DefiniteAssignment = fc.DefiniteAssignmentOnTrue;
570                         var da_false = new DefiniteAssignmentBitSet (fc.DefiniteAssignmentOnFalse);
571
572                         Statement.FlowAnalysis (fc);
573
574                         //
575                         // Special case infinite while with breaks
576                         //
577                         if (end_reachable_das != null) {
578                                 da_false = DefiniteAssignmentBitSet.And (end_reachable_das);
579                                 end_reachable_das = null;
580                         }
581
582                         fc.DefiniteAssignment = da_false;
583
584                         if (infinite && !end_reachable)
585                                 return true;
586
587                         return false;
588                 }
589
590                 public override Reachability MarkReachable (Reachability rc)
591                 {
592                         if (rc.IsUnreachable)
593                                 return rc;
594
595                         base.MarkReachable (rc);
596
597                         //
598                         // Special case unreachable while body
599                         //
600                         if (empty) {
601                                 Statement.MarkReachable (Reachability.CreateUnreachable ());
602                                 return rc;
603                         }
604
605                         Statement.MarkReachable (rc);
606
607                         //
608                         // When infinite while end is unreachable via break anything what follows is unreachable too
609                         //
610                         if (infinite && !end_reachable)
611                                 return Reachability.CreateUnreachable ();
612
613                         return rc;
614                 }
615
616                 protected override void CloneTo (CloneContext clonectx, Statement t)
617                 {
618                         While target = (While) t;
619
620                         target.expr = expr.Clone (clonectx);
621                         target.Statement = Statement.Clone (clonectx);
622                 }
623                 
624                 public override object Accept (StructuralVisitor visitor)
625                 {
626                         return visitor.Visit (this);
627                 }
628
629                 public override void AddEndDefiniteAssignment (FlowAnalysisContext fc)
630                 {
631                         if (!infinite)
632                                 return;
633
634                         if (end_reachable_das == null)
635                                 end_reachable_das = new List<DefiniteAssignmentBitSet> ();
636
637                         end_reachable_das.Add (fc.DefiniteAssignment);
638                 }
639
640                 public override void SetEndReachable ()
641                 {
642                         end_reachable = true;
643                 }
644         }
645
646         public class For : LoopStatement
647         {
648                 bool infinite, empty, iterator_reachable, end_reachable;
649                 List<DefiniteAssignmentBitSet> end_reachable_das;
650                 
651                 public For (Location l)
652                         : base (null)
653                 {
654                         loc = l;
655                 }
656
657                 public Statement Initializer {
658                         get; set;
659                 }
660
661                 public Expression Condition {
662                         get; set;
663                 }
664
665                 public Statement Iterator {
666                         get; set;
667                 }
668
669                 public override bool Resolve (BlockContext bc)
670                 {
671                         Initializer.Resolve (bc);
672
673                         if (Condition != null) {
674                                 Condition = Condition.Resolve (bc);
675                                 var condition_constant = Condition as Constant;
676                                 if (condition_constant != null) {
677                                         if (condition_constant.IsDefaultValue) {
678                                                 empty = true;
679                                         } else {
680                                                 infinite = true;
681                                         }
682                                 }
683                         } else {
684                                 infinite = true;
685                         }
686
687                         return base.Resolve (bc) && Iterator.Resolve (bc);
688                 }
689
690                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
691                 {
692                         Initializer.FlowAnalysis (fc);
693
694                         DefiniteAssignmentBitSet da_false;
695                         if (Condition != null) {
696                                 Condition.FlowAnalysisConditional (fc);
697                                 fc.DefiniteAssignment = fc.DefiniteAssignmentOnTrue;
698                                 da_false = new DefiniteAssignmentBitSet (fc.DefiniteAssignmentOnFalse);
699                         } else {
700                                 da_false = fc.BranchDefiniteAssignment ();
701                         }
702
703                         Statement.FlowAnalysis (fc);
704
705                         Iterator.FlowAnalysis (fc);
706
707                         //
708                         // Special case infinite for with breaks
709                         //
710                         if (end_reachable_das != null) {
711                                 da_false = DefiniteAssignmentBitSet.And (end_reachable_das);
712                                 end_reachable_das = null;
713                         }
714
715                         fc.DefiniteAssignment = da_false;
716
717                         if (infinite && !end_reachable)
718                                 return true;
719
720                         return false;
721                 }
722
723                 public override Reachability MarkReachable (Reachability rc)
724                 {
725                         base.MarkReachable (rc);
726
727                         Initializer.MarkReachable (rc);
728
729                         var body_rc = Statement.MarkReachable (rc);
730                         if (!body_rc.IsUnreachable || iterator_reachable) {
731                                 Iterator.MarkReachable (rc);
732                         }
733
734                         //
735                         // When infinite for end is unreachable via break anything what follows is unreachable too
736                         //
737                         if (infinite && !end_reachable) {
738                                 return Reachability.CreateUnreachable ();
739                         }
740
741                         return rc;
742                 }
743
744                 protected override void DoEmit (EmitContext ec)
745                 {
746                         if (Initializer != null)
747                                 Initializer.Emit (ec);
748
749                         if (empty) {
750                                 Condition.EmitSideEffect (ec);
751                                 return;
752                         }
753
754                         Label old_begin = ec.LoopBegin;
755                         Label old_end = ec.LoopEnd;
756                         Label loop = ec.DefineLabel ();
757                         Label test = ec.DefineLabel ();
758
759                         ec.LoopBegin = ec.DefineLabel ();
760                         ec.LoopEnd = ec.DefineLabel ();
761
762                         ec.Emit (OpCodes.Br, test);
763                         ec.MarkLabel (loop);
764                         Statement.Emit (ec);
765
766                         ec.MarkLabel (ec.LoopBegin);
767                         Iterator.Emit (ec);
768
769                         ec.MarkLabel (test);
770                         //
771                         // If test is null, there is no test, and we are just
772                         // an infinite loop
773                         //
774                         if (Condition != null) {
775                                 ec.Mark (Condition.Location);
776
777                                 //
778                                 // The Resolve code already catches the case for
779                                 // Test == Constant (false) so we know that
780                                 // this is true
781                                 //
782                                 if (Condition is Constant) {
783                                         Condition.EmitSideEffect (ec);
784                                         ec.Emit (OpCodes.Br, loop);
785                                 } else {
786                                         Condition.EmitBranchable (ec, loop, true);
787                                 }
788                                 
789                         } else
790                                 ec.Emit (OpCodes.Br, loop);
791                         ec.MarkLabel (ec.LoopEnd);
792
793                         ec.LoopBegin = old_begin;
794                         ec.LoopEnd = old_end;
795                 }
796
797                 protected override void CloneTo (CloneContext clonectx, Statement t)
798                 {
799                         For target = (For) t;
800
801                         if (Initializer != null)
802                                 target.Initializer = Initializer.Clone (clonectx);
803                         if (Condition != null)
804                                 target.Condition = Condition.Clone (clonectx);
805                         if (Iterator != null)
806                                 target.Iterator = Iterator.Clone (clonectx);
807                         target.Statement = Statement.Clone (clonectx);
808                 }
809
810                 public override object Accept (StructuralVisitor visitor)
811                 {
812                         return visitor.Visit (this);
813                 }
814
815                 public override void AddEndDefiniteAssignment (FlowAnalysisContext fc)
816                 {
817                         if (!infinite)
818                                 return;
819
820                         if (end_reachable_das == null)
821                                 end_reachable_das = new List<DefiniteAssignmentBitSet> ();
822
823                         end_reachable_das.Add (fc.DefiniteAssignment);
824                 }
825
826                 public override void SetEndReachable ()
827                 {
828                         end_reachable = true;
829                 }
830
831                 public override void SetIteratorReachable ()
832                 {
833                         iterator_reachable = true;
834                 }
835         }
836
837         public abstract class LoopStatement : Statement
838         {
839                 protected LoopStatement (Statement statement)
840                 {
841                         Statement = statement;
842                 }
843
844                 public Statement Statement { get; set; }
845
846                 public override bool Resolve (BlockContext bc)
847                 {
848                         var prev_loop = bc.EnclosingLoop;
849                         var prev_los = bc.EnclosingLoopOrSwitch;
850                         bc.EnclosingLoopOrSwitch = bc.EnclosingLoop = this;
851                         var ok = Statement.Resolve (bc);
852                         bc.EnclosingLoopOrSwitch = prev_los;
853                         bc.EnclosingLoop = prev_loop;
854
855                         return ok;
856                 }
857
858                 //
859                 // Needed by possibly infinite loops statements (for, while) and switch statment
860                 //
861                 public virtual void AddEndDefiniteAssignment (FlowAnalysisContext fc)
862                 {
863                 }
864
865                 public virtual void SetEndReachable ()
866                 {
867                 }
868
869                 public virtual void SetIteratorReachable ()
870                 {
871                 }
872         }
873         
874         public class StatementExpression : Statement
875         {
876                 ExpressionStatement expr;
877                 
878                 public StatementExpression (ExpressionStatement expr)
879                 {
880                         this.expr = expr;
881                         loc = expr.StartLocation;
882                 }
883
884                 public StatementExpression (ExpressionStatement expr, Location loc)
885                 {
886                         this.expr = expr;
887                         this.loc = loc;
888                 }
889
890                 public ExpressionStatement Expr {
891                         get {
892                                 return this.expr;
893                         }
894                 }
895                 
896                 protected override void CloneTo (CloneContext clonectx, Statement t)
897                 {
898                         StatementExpression target = (StatementExpression) t;
899                         target.expr = (ExpressionStatement) expr.Clone (clonectx);
900                 }
901                 
902                 protected override void DoEmit (EmitContext ec)
903                 {
904                         expr.EmitStatement (ec);
905                 }
906
907                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
908                 {
909                         expr.FlowAnalysis (fc);
910                         return false;
911                 }
912
913                 public override Reachability MarkReachable (Reachability rc)
914                 {
915                         base.MarkReachable (rc);
916                         expr.MarkReachable (rc);
917                         return rc;
918                 }
919
920                 public override bool Resolve (BlockContext ec)
921                 {
922                         expr = expr.ResolveStatement (ec);
923                         return expr != null;
924                 }
925                 
926                 public override object Accept (StructuralVisitor visitor)
927                 {
928                         return visitor.Visit (this);
929                 }
930         }
931
932         public class StatementErrorExpression : Statement
933         {
934                 Expression expr;
935
936                 public StatementErrorExpression (Expression expr)
937                 {
938                         this.expr = expr;
939                         this.loc = expr.StartLocation;
940                 }
941
942                 public Expression Expr {
943                         get {
944                                 return expr;
945                         }
946                 }
947
948                 public override bool Resolve (BlockContext bc)
949                 {
950                         expr.Error_InvalidExpressionStatement (bc);
951                         return true;
952                 }
953
954                 protected override void DoEmit (EmitContext ec)
955                 {
956                         throw new NotSupportedException ();
957                 }
958
959                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
960                 {
961                         return false;
962                 }
963
964                 protected override void CloneTo (CloneContext clonectx, Statement target)
965                 {
966                         var t = (StatementErrorExpression) target;
967
968                         t.expr = expr.Clone (clonectx);
969                 }
970                 
971                 public override object Accept (StructuralVisitor visitor)
972                 {
973                         return visitor.Visit (this);
974                 }
975         }
976
977         //
978         // Simple version of statement list not requiring a block
979         //
980         public class StatementList : Statement
981         {
982                 List<Statement> statements;
983
984                 public StatementList (Statement first, Statement second)
985                 {
986                         statements = new List<Statement> { first, second };
987                 }
988
989                 #region Properties
990                 public IList<Statement> Statements {
991                         get {
992                                 return statements;
993                         }
994                 }
995                 #endregion
996
997                 public void Add (Statement statement)
998                 {
999                         statements.Add (statement);
1000                 }
1001
1002                 public override bool Resolve (BlockContext ec)
1003                 {
1004                         foreach (var s in statements)
1005                                 s.Resolve (ec);
1006
1007                         return true;
1008                 }
1009
1010                 protected override void DoEmit (EmitContext ec)
1011                 {
1012                         foreach (var s in statements)
1013                                 s.Emit (ec);
1014                 }
1015
1016                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
1017                 {
1018                         foreach (var s in statements)
1019                                 s.FlowAnalysis (fc);
1020
1021                         return false;
1022                 }
1023
1024                 public override Reachability MarkReachable (Reachability rc)
1025                 {
1026                         base.MarkReachable (rc);
1027
1028                         Reachability res = rc;
1029                         foreach (var s in statements)
1030                                 res = s.MarkReachable (rc);
1031
1032                         return res;
1033                 }
1034
1035                 protected override void CloneTo (CloneContext clonectx, Statement target)
1036                 {
1037                         StatementList t = (StatementList) target;
1038
1039                         t.statements = new List<Statement> (statements.Count);
1040                         foreach (Statement s in statements)
1041                                 t.statements.Add (s.Clone (clonectx));
1042                 }
1043                 
1044                 public override object Accept (StructuralVisitor visitor)
1045                 {
1046                         return visitor.Visit (this);
1047                 }
1048         }
1049
1050         //
1051         // For statements which require special handling when inside try or catch block
1052         //
1053         public abstract class ExitStatement : Statement
1054         {
1055                 protected bool unwind_protect;
1056
1057                 protected abstract bool DoResolve (BlockContext bc);
1058                 protected abstract bool IsLocalExit { get; }
1059
1060                 public override bool Resolve (BlockContext bc)
1061                 {
1062                         var res = DoResolve (bc);
1063
1064                         if (!IsLocalExit) {
1065                                 //
1066                                 // We are inside finally scope but is it the scope we are exiting
1067                                 //
1068                                 if (bc.HasSet (ResolveContext.Options.FinallyScope)) {
1069
1070                                         for (var b = bc.CurrentBlock; b != null; b = b.Parent) {
1071                                                 if (b.IsFinallyBlock) {
1072                                                         Error_FinallyClauseExit (bc);
1073                                                         break;
1074                                                 }
1075
1076                                                 if (b is ParametersBlock)
1077                                                         break;
1078                                         }
1079                                 }
1080                         }
1081
1082                         unwind_protect = bc.HasAny (ResolveContext.Options.TryScope | ResolveContext.Options.CatchScope);
1083                         return res;
1084                 }
1085
1086                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
1087                 {
1088                         if (IsLocalExit)
1089                                 return true;
1090
1091                         if (fc.TryFinally != null) {
1092                             fc.TryFinally.RegisterForControlExitCheck (new DefiniteAssignmentBitSet (fc.DefiniteAssignment));
1093                         } else {
1094                             fc.ParametersBlock.CheckControlExit (fc);
1095                         }
1096
1097                         return true;
1098                 }
1099         }
1100
1101         /// <summary>
1102         ///   Implements the return statement
1103         /// </summary>
1104         public class Return : ExitStatement
1105         {
1106                 Expression expr;
1107
1108                 public Return (Expression expr, Location l)
1109                 {
1110                         this.expr = expr;
1111                         loc = l;
1112                 }
1113
1114                 #region Properties
1115
1116                 public Expression Expr {
1117                         get {
1118                                 return expr;
1119                         }
1120                         protected set {
1121                                 expr = value;
1122                         }
1123                 }
1124
1125                 protected override bool IsLocalExit {
1126                         get {
1127                                 return false;
1128                         }
1129                 }
1130
1131                 #endregion
1132
1133                 protected override bool DoResolve (BlockContext ec)
1134                 {
1135                         var block_return_type = ec.ReturnType;
1136
1137                         if (expr == null) {
1138                                 if (block_return_type.Kind == MemberKind.Void || block_return_type == InternalType.ErrorType)
1139                                         return true;
1140
1141                                 //
1142                                 // Return must not be followed by an expression when
1143                                 // the method return type is Task
1144                                 //
1145                                 if (ec.CurrentAnonymousMethod is AsyncInitializer) {
1146                                         var storey = (AsyncTaskStorey) ec.CurrentAnonymousMethod.Storey;
1147                                         if (storey.ReturnType == ec.Module.PredefinedTypes.Task.TypeSpec) {
1148                                                 //
1149                                                 // Extra trick not to emit ret/leave inside awaiter body
1150                                                 //
1151                                                 expr = EmptyExpression.Null;
1152                                                 return true;
1153                                         }
1154
1155                                         if (storey.ReturnType.IsGenericTask)
1156                                                 block_return_type = storey.ReturnType.TypeArguments[0];
1157                                 }
1158
1159                                 if (ec.CurrentIterator != null) {
1160                                         Error_ReturnFromIterator (ec);
1161                                 } else if (block_return_type != InternalType.ErrorType) {
1162                                         ec.Report.Error (126, loc,
1163                                                 "An object of a type convertible to `{0}' is required for the return statement",
1164                                                 block_return_type.GetSignatureForError ());
1165                                 }
1166
1167                                 return false;
1168                         }
1169
1170                         expr = expr.Resolve (ec);
1171
1172                         AnonymousExpression am = ec.CurrentAnonymousMethod;
1173                         if (am == null) {
1174                                 if (block_return_type.Kind == MemberKind.Void) {
1175                                         ec.Report.Error (127, loc,
1176                                                 "`{0}': A return keyword must not be followed by any expression when method returns void",
1177                                                 ec.GetSignatureForError ());
1178
1179                                         return false;
1180                                 }
1181                         } else {
1182                                 if (am.IsIterator) {
1183                                         Error_ReturnFromIterator (ec);
1184                                         return false;
1185                                 }
1186
1187                                 var async_block = am as AsyncInitializer;
1188                                 if (async_block != null) {
1189                                         if (expr != null) {
1190                                                 var storey = (AsyncTaskStorey) am.Storey;
1191                                                 var async_type = storey.ReturnType;
1192
1193                                                 if (async_type == null && async_block.ReturnTypeInference != null) {
1194                                                         if (expr.Type.Kind == MemberKind.Void && !(this is ContextualReturn))
1195                                                                 ec.Report.Error (4029, loc, "Cannot return an expression of type `void'");
1196                                                         else
1197                                                                 async_block.ReturnTypeInference.AddCommonTypeBoundAsync (expr.Type);
1198                                                         return true;
1199                                                 }
1200
1201                                                 if (async_type.Kind == MemberKind.Void) {
1202                                                         ec.Report.Error (8030, loc,
1203                                                                 "Anonymous function or lambda expression converted to a void returning delegate cannot return a value");
1204                                                         return false;
1205                                                 }
1206
1207                                                 if (!async_type.IsGenericTask) {
1208                                                         if (this is ContextualReturn)
1209                                                                 return true;
1210
1211                                                         if (async_block.DelegateType != null) {
1212                                                                 ec.Report.Error (8031, loc,
1213                                                                         "Async lambda expression or anonymous method converted to a `Task' cannot return a value. Consider returning `Task<T>'");
1214                                                         } else {
1215                                                                 ec.Report.Error (1997, loc,
1216                                                                         "`{0}': A return keyword must not be followed by an expression when async method returns `Task'. Consider using `Task<T>' return type",
1217                                                                         ec.GetSignatureForError ());
1218                                                         }
1219                                                         return false;
1220                                                 }
1221
1222                                                 //
1223                                                 // The return type is actually Task<T> type argument
1224                                                 //
1225                                                 if (expr.Type == async_type && async_type.TypeArguments [0] != ec.Module.PredefinedTypes.Task.TypeSpec) {
1226                                                         ec.Report.Error (4016, loc,
1227                                                                 "`{0}': The return expression type of async method must be `{1}' rather than `Task<{1}>'",
1228                                                                 ec.GetSignatureForError (), async_type.TypeArguments[0].GetSignatureForError ());
1229                                                 } else {
1230                                                         block_return_type = async_type.TypeArguments[0];
1231                                                 }
1232                                         }
1233                                 } else {
1234                                         if (block_return_type.Kind == MemberKind.Void) {
1235                                                 ec.Report.Error (8030, loc,
1236                                                         "Anonymous function or lambda expression converted to a void returning delegate cannot return a value");
1237                                                 return false;
1238                                         }
1239
1240                                         var l = am as AnonymousMethodBody;
1241                                         if (l != null && expr != null) {
1242                                                 if (l.ReturnTypeInference != null) {
1243                                                         l.ReturnTypeInference.AddCommonTypeBound (expr.Type);
1244                                                         return true;
1245                                                 }
1246
1247                                                 //
1248                                                 // Try to optimize simple lambda. Only when optimizations are enabled not to cause
1249                                                 // unexpected debugging experience
1250                                                 //
1251                                                 if (this is ContextualReturn && !ec.IsInProbingMode && ec.Module.Compiler.Settings.Optimize) {
1252                                                         l.DirectMethodGroupConversion = expr.CanReduceLambda (l);
1253                                                 }
1254                                         }
1255                                 }
1256                         }
1257
1258                         if (expr == null)
1259                                 return false;
1260
1261                         if (expr.Type != block_return_type && expr.Type != InternalType.ErrorType) {
1262                                 expr = Convert.ImplicitConversionRequired (ec, expr, block_return_type, loc);
1263
1264                                 if (expr == null) {
1265                                         if (am != null && block_return_type == ec.ReturnType) {
1266                                                 ec.Report.Error (1662, loc,
1267                                                         "Cannot convert `{0}' to delegate type `{1}' because some of the return types in the block are not implicitly convertible to the delegate return type",
1268                                                         am.ContainerType, am.GetSignatureForError ());
1269                                         }
1270                                         return false;
1271                                 }
1272                         }
1273
1274                         return true;                    
1275                 }
1276                 
1277                 protected override void DoEmit (EmitContext ec)
1278                 {
1279                         if (expr != null) {
1280
1281                                 var async_body = ec.CurrentAnonymousMethod as AsyncInitializer;
1282                                 if (async_body != null) {
1283                                         var storey = (AsyncTaskStorey)async_body.Storey;
1284                                         Label exit_label = async_body.BodyEnd;
1285
1286                                         //
1287                                         // It's null for await without async
1288                                         //
1289                                         if (storey.HoistedReturnValue != null) {
1290                                                 //
1291                                                 // Special case hoisted return value (happens in try/finally scenario)
1292                                                 //
1293                                                 if (ec.TryFinallyUnwind != null) {
1294                                                         if (storey.HoistedReturnValue is VariableReference) {
1295                                                                 storey.HoistedReturnValue = ec.GetTemporaryField (storey.HoistedReturnValue.Type);
1296                                                         }
1297
1298                                                         exit_label = TryFinally.EmitRedirectedReturn (ec, async_body);
1299                                                 }
1300
1301                                                 var async_return = (IAssignMethod)storey.HoistedReturnValue;
1302                                                 async_return.EmitAssign (ec, expr, false, false);
1303                                                 ec.EmitEpilogue ();
1304                                         } else {
1305                                                 expr.Emit (ec);
1306
1307                                                 if (ec.TryFinallyUnwind != null)
1308                                                         exit_label = TryFinally.EmitRedirectedReturn (ec, async_body);
1309                                         }
1310
1311                                         ec.Emit (OpCodes.Leave, exit_label);
1312                                         return;
1313                                 }
1314
1315                                 expr.Emit (ec);
1316                                 ec.EmitEpilogue ();
1317
1318                                 if (unwind_protect || ec.EmitAccurateDebugInfo)
1319                                         ec.Emit (OpCodes.Stloc, ec.TemporaryReturn ());
1320                         }
1321
1322                         if (unwind_protect) {
1323                                 ec.Emit (OpCodes.Leave, ec.CreateReturnLabel ());
1324                         } else if (ec.EmitAccurateDebugInfo) {
1325                                 ec.Emit (OpCodes.Br, ec.CreateReturnLabel ());
1326                         } else {
1327                                 ec.Emit (OpCodes.Ret);
1328                         }
1329                 }
1330
1331                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
1332                 {
1333                         if (expr != null)
1334                                 expr.FlowAnalysis (fc);
1335
1336                         base.DoFlowAnalysis (fc);
1337                         return true;
1338                 }
1339
1340                 void Error_ReturnFromIterator (ResolveContext rc)
1341                 {
1342                         rc.Report.Error (1622, loc,
1343                                 "Cannot return a value from iterators. Use the yield return statement to return a value, or yield break to end the iteration");
1344                 }
1345
1346                 public override Reachability MarkReachable (Reachability rc)
1347                 {
1348                         base.MarkReachable (rc);
1349                         return Reachability.CreateUnreachable ();
1350                 }
1351
1352                 protected override void CloneTo (CloneContext clonectx, Statement t)
1353                 {
1354                         Return target = (Return) t;
1355                         // It's null for simple return;
1356                         if (expr != null)
1357                                 target.expr = expr.Clone (clonectx);
1358                 }
1359
1360                 public override object Accept (StructuralVisitor visitor)
1361                 {
1362                         return visitor.Visit (this);
1363                 }
1364         }
1365
1366         public class Goto : ExitStatement
1367         {
1368                 string target;
1369                 LabeledStatement label;
1370                 TryFinally try_finally;
1371
1372                 public Goto (string label, Location l)
1373                 {
1374                         loc = l;
1375                         target = label;
1376                 }
1377
1378                 public string Target {
1379                         get { return target; }
1380                 }
1381
1382                 protected override bool IsLocalExit {
1383                         get {
1384                                 return true;
1385                         }
1386                 }
1387
1388                 protected override bool DoResolve (BlockContext bc)
1389                 {
1390                         label = bc.CurrentBlock.LookupLabel (target);
1391                         if (label == null) {
1392                                 Error_UnknownLabel (bc, target, loc);
1393                                 return false;
1394                         }
1395
1396                         try_finally = bc.CurrentTryBlock as TryFinally;
1397
1398                         CheckExitBoundaries (bc, label.Block);
1399
1400                         return true;
1401                 }
1402
1403                 public static void Error_UnknownLabel (BlockContext bc, string label, Location loc)
1404                 {
1405                         bc.Report.Error (159, loc, "The label `{0}:' could not be found within the scope of the goto statement",
1406                                 label);
1407                 }
1408
1409                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
1410                 {
1411                         // Goto to unreachable label
1412                         if (label == null)
1413                                 return true;
1414
1415                         if (fc.AddReachedLabel (label))
1416                                 return true;
1417
1418                         label.Block.ScanGotoJump (label, fc);
1419                         return true;
1420                 }
1421
1422                 public override Reachability MarkReachable (Reachability rc)
1423                 {
1424                         if (rc.IsUnreachable)
1425                                 return rc;
1426
1427                         base.MarkReachable (rc);
1428
1429                         if (try_finally != null) {
1430                                 if (try_finally.FinallyBlock.HasReachableClosingBrace) {
1431                                         label.AddGotoReference (rc);
1432                                 } else {
1433                                         label = null;
1434                                 }
1435                         } else {
1436                                 label.AddGotoReference (rc);
1437                         }
1438
1439                         return Reachability.CreateUnreachable ();
1440                 }
1441
1442                 protected override void CloneTo (CloneContext clonectx, Statement target)
1443                 {
1444                         // Nothing to clone
1445                 }
1446
1447                 protected override void DoEmit (EmitContext ec)
1448                 {
1449                         // This should only happen for goto from try block to unrechable label
1450                         if (label == null)
1451                                 return;
1452
1453                         Label l = label.LabelTarget (ec);
1454
1455                         if (ec.TryFinallyUnwind != null && IsLeavingFinally (label.Block)) {
1456                                 var async_body = (AsyncInitializer) ec.CurrentAnonymousMethod;
1457                                 l = TryFinally.EmitRedirectedJump (ec, async_body, l, label.Block);
1458                         }
1459
1460                         ec.Emit (unwind_protect ? OpCodes.Leave : OpCodes.Br, l);
1461                 }
1462
1463                 bool IsLeavingFinally (Block labelBlock)
1464                 {
1465                         var b = try_finally.Statement as Block;
1466                         while (b != null) {
1467                                 if (b == labelBlock)
1468                                         return true;
1469
1470                                 b = b.Parent;
1471                         }
1472
1473                         return false;
1474                 }
1475                 
1476                 public override object Accept (StructuralVisitor visitor)
1477                 {
1478                         return visitor.Visit (this);
1479                 }
1480         }
1481
1482         public class LabeledStatement : Statement {
1483                 string name;
1484                 bool defined;
1485                 bool referenced;
1486                 Label label;
1487                 Block block;
1488                 
1489                 public LabeledStatement (string name, Block block, Location l)
1490                 {
1491                         this.name = name;
1492                         this.block = block;
1493                         this.loc = l;
1494                 }
1495
1496                 public Label LabelTarget (EmitContext ec)
1497                 {
1498                         if (defined)
1499                                 return label;
1500
1501                         label = ec.DefineLabel ();
1502                         defined = true;
1503                         return label;
1504                 }
1505
1506                 public Block Block {
1507                         get {
1508                                 return block;
1509                         }
1510                 }
1511
1512                 public string Name {
1513                         get { return name; }
1514                 }
1515
1516                 protected override void CloneTo (CloneContext clonectx, Statement target)
1517                 {
1518                         var t = (LabeledStatement) target;
1519
1520                         t.block = clonectx.RemapBlockCopy (block);
1521                 }
1522
1523                 public override bool Resolve (BlockContext bc)
1524                 {
1525                         return true;
1526                 }
1527
1528                 protected override void DoEmit (EmitContext ec)
1529                 {
1530                         LabelTarget (ec);
1531                         ec.MarkLabel (label);
1532                 }
1533
1534                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
1535                 {
1536                         if (!referenced) {
1537                                 fc.Report.Warning (164, 2, loc, "This label has not been referenced");
1538                         }
1539
1540                         return false;
1541                 }
1542
1543                 public override Reachability MarkReachable (Reachability rc)
1544                 {
1545                         base.MarkReachable (rc);
1546
1547                         if (referenced)
1548                                 rc = new Reachability ();
1549
1550                         return rc;
1551                 }
1552
1553                 public void AddGotoReference (Reachability rc)
1554                 {
1555                         if (referenced)
1556                                 return;
1557
1558                         referenced = true;
1559                         MarkReachable (rc);
1560
1561                         block.ScanGotoJump (this);
1562                 }
1563
1564                 public override object Accept (StructuralVisitor visitor)
1565                 {
1566                         return visitor.Visit (this);
1567                 }
1568         }
1569         
1570
1571         /// <summary>
1572         ///   `goto default' statement
1573         /// </summary>
1574         public class GotoDefault : SwitchGoto
1575         {               
1576                 public GotoDefault (Location l)
1577                         : base (l)
1578                 {
1579                 }
1580
1581                 public override bool Resolve (BlockContext bc)
1582                 {
1583                         if (bc.Switch == null) {
1584                                 Error_GotoCaseRequiresSwitchBlock (bc);
1585                                 return false;
1586                         }
1587
1588                         bc.Switch.RegisterGotoCase (null, null);
1589                         base.Resolve (bc);
1590
1591                         return true;
1592                 }
1593
1594                 protected override void DoEmit (EmitContext ec)
1595                 {
1596                         ec.Emit (unwind_protect ? OpCodes.Leave : OpCodes.Br, ec.Switch.DefaultLabel.GetILLabel (ec));
1597                 }
1598
1599                 public override Reachability MarkReachable (Reachability rc)
1600                 {
1601                         if (!rc.IsUnreachable) {
1602                                 var label = switch_statement.DefaultLabel;
1603                                 if (label.IsUnreachable) {
1604                                         label.MarkReachable (rc);
1605                                         switch_statement.Block.ScanGotoJump (label);
1606                                 }
1607                         }
1608
1609                         return base.MarkReachable (rc);
1610                 }
1611
1612                 public override object Accept (StructuralVisitor visitor)
1613                 {
1614                         return visitor.Visit (this);
1615                 }
1616         }
1617
1618         /// <summary>
1619         ///   `goto case' statement
1620         /// </summary>
1621         public class GotoCase : SwitchGoto
1622         {
1623                 Expression expr;
1624                 
1625                 public GotoCase (Expression e, Location l)
1626                         : base (l)
1627                 {
1628                         expr = e;
1629                 }
1630
1631                 public Expression Expr {
1632                         get {
1633                                 return expr;
1634                         }
1635                 }
1636
1637                 public SwitchLabel Label { get; set; }
1638
1639                 public override bool Resolve (BlockContext ec)
1640                 {
1641                         if (ec.Switch == null) {
1642                                 Error_GotoCaseRequiresSwitchBlock (ec);
1643                                 return false;
1644                         }
1645
1646                         Constant c = expr.ResolveLabelConstant (ec);
1647                         if (c == null) {
1648                                 return false;
1649                         }
1650
1651                         Constant res;
1652                         if (ec.Switch.IsNullable && c is NullLiteral) {
1653                                 res = c;
1654                         } else {
1655                                 TypeSpec type = ec.Switch.SwitchType;
1656                                 res = c.Reduce (ec, type);
1657                                 if (res == null) {
1658                                         c.Error_ValueCannotBeConverted (ec, type, true);
1659                                         return false;
1660                                 }
1661
1662                                 if (!Convert.ImplicitStandardConversionExists (c, type))
1663                                         ec.Report.Warning (469, 2, loc,
1664                                                 "The `goto case' value is not implicitly convertible to type `{0}'",
1665                                                 type.GetSignatureForError ());
1666
1667                         }
1668
1669                         ec.Switch.RegisterGotoCase (this, res);
1670                         base.Resolve (ec);
1671                         expr = res;
1672
1673                         return true;
1674                 }
1675
1676                 protected override void DoEmit (EmitContext ec)
1677                 {
1678                         ec.Emit (unwind_protect ? OpCodes.Leave : OpCodes.Br, Label.GetILLabel (ec));
1679                 }
1680
1681                 protected override void CloneTo (CloneContext clonectx, Statement t)
1682                 {
1683                         GotoCase target = (GotoCase) t;
1684
1685                         target.expr = expr.Clone (clonectx);
1686                 }
1687
1688                 public override Reachability MarkReachable (Reachability rc)
1689                 {
1690                         if (!rc.IsUnreachable) {
1691                                 var label = switch_statement.FindLabel ((Constant) expr);
1692                                 if (label.IsUnreachable) {
1693                                         label.MarkReachable (rc);
1694                                         switch_statement.Block.ScanGotoJump (label);
1695                                 }
1696                         }
1697
1698                         return base.MarkReachable (rc);
1699                 }
1700                 
1701                 public override object Accept (StructuralVisitor visitor)
1702                 {
1703                         return visitor.Visit (this);
1704                 }
1705         }
1706
1707         public abstract class SwitchGoto : Statement
1708         {
1709                 protected bool unwind_protect;
1710                 protected Switch switch_statement;
1711
1712                 protected SwitchGoto (Location loc)
1713                 {
1714                         this.loc = loc;
1715                 }
1716
1717                 protected override void CloneTo (CloneContext clonectx, Statement target)
1718                 {
1719                         // Nothing to clone
1720                 }
1721
1722                 public override bool Resolve (BlockContext bc)
1723                 {
1724                         CheckExitBoundaries (bc, bc.Switch.Block);
1725
1726                         unwind_protect = bc.HasAny (ResolveContext.Options.TryScope | ResolveContext.Options.CatchScope);
1727                         switch_statement = bc.Switch;
1728
1729                         return true;
1730                 }
1731
1732                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
1733                 {
1734                         return true;
1735                 }
1736
1737                 public override Reachability MarkReachable (Reachability rc)
1738                 {
1739                         base.MarkReachable (rc);
1740                         return Reachability.CreateUnreachable ();
1741                 }
1742
1743                 protected void Error_GotoCaseRequiresSwitchBlock (BlockContext bc)
1744                 {
1745                         bc.Report.Error (153, loc, "A goto case is only valid inside a switch statement");
1746                 }
1747         }
1748         
1749         public class Throw : Statement {
1750                 Expression expr;
1751                 
1752                 public Throw (Expression expr, Location l)
1753                 {
1754                         this.expr = expr;
1755                         loc = l;
1756                 }
1757
1758                 public Expression Expr {
1759                         get {
1760                                 return this.expr;
1761                         }
1762                 }
1763
1764                 public override bool Resolve (BlockContext ec)
1765                 {
1766                         if (expr == null) {
1767                                 if (!ec.HasSet (ResolveContext.Options.CatchScope)) {
1768                                         ec.Report.Error (156, loc, "A throw statement with no arguments is not allowed outside of a catch clause");
1769                                 } else if (ec.HasSet (ResolveContext.Options.FinallyScope)) {
1770                                         for (var b = ec.CurrentBlock; b != null && !b.IsCatchBlock; b = b.Parent) {
1771                                                 if (b.IsFinallyBlock) {
1772                                                         ec.Report.Error (724, loc,
1773                                                                 "A throw statement with no arguments is not allowed inside of a finally clause nested inside of the innermost catch clause");
1774                                                         break;
1775                                                 }
1776                                         }
1777                                 }
1778
1779                                 return true;
1780                         }
1781
1782                         expr = expr.Resolve (ec, ResolveFlags.Type | ResolveFlags.VariableOrValue);
1783
1784                         if (expr == null)
1785                                 return false;
1786
1787                         var et = ec.BuiltinTypes.Exception;
1788                         if (Convert.ImplicitConversionExists (ec, expr, et))
1789                                 expr = Convert.ImplicitConversion (ec, expr, et, loc);
1790                         else
1791                                 ec.Report.Error (155, expr.Location, "The type caught or thrown must be derived from System.Exception");
1792
1793                         return true;
1794                 }
1795                         
1796                 protected override void DoEmit (EmitContext ec)
1797                 {
1798                         if (expr == null) {
1799                                 var atv = ec.AsyncThrowVariable;
1800                                 if (atv != null) {
1801                                         if (atv.HoistedVariant != null) {
1802                                                 atv.HoistedVariant.Emit (ec);
1803                                         } else {
1804                                                 atv.Emit (ec);
1805                                         }
1806
1807                                         ec.Emit (OpCodes.Throw);
1808                                 } else {
1809                                         ec.Emit (OpCodes.Rethrow);
1810                                 }
1811                         } else {
1812                                 expr.Emit (ec);
1813
1814                                 ec.Emit (OpCodes.Throw);
1815                         }
1816                 }
1817
1818                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
1819                 {
1820                         if (expr != null)
1821                                 expr.FlowAnalysis (fc);
1822
1823                         return true;
1824                 }
1825
1826                 public override Reachability MarkReachable (Reachability rc)
1827                 {
1828                         base.MarkReachable (rc);
1829                         return Reachability.CreateUnreachable ();
1830                 }
1831
1832                 protected override void CloneTo (CloneContext clonectx, Statement t)
1833                 {
1834                         Throw target = (Throw) t;
1835
1836                         if (expr != null)
1837                                 target.expr = expr.Clone (clonectx);
1838                 }
1839                 
1840                 public override object Accept (StructuralVisitor visitor)
1841                 {
1842                         return visitor.Visit (this);
1843                 }
1844         }
1845
1846         public class Break : LocalExitStatement
1847         {               
1848                 public Break (Location l)
1849                         : base (l)
1850                 {
1851                 }
1852                 
1853                 public override object Accept (StructuralVisitor visitor)
1854                 {
1855                         return visitor.Visit (this);
1856                 }
1857
1858                 protected override void DoEmit (EmitContext ec)
1859                 {
1860                         var l = ec.LoopEnd;
1861
1862                         if (ec.TryFinallyUnwind != null) {
1863                                 var async_body = (AsyncInitializer) ec.CurrentAnonymousMethod;
1864                                 l = TryFinally.EmitRedirectedJump (ec, async_body, l, enclosing_loop.Statement as Block);
1865                         }
1866
1867                         ec.Emit (unwind_protect ? OpCodes.Leave : OpCodes.Br, l);
1868                 }
1869
1870                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
1871                 {
1872                         enclosing_loop.AddEndDefiniteAssignment (fc);
1873                         return true;
1874                 }
1875
1876                 protected override bool DoResolve (BlockContext bc)
1877                 {
1878                         enclosing_loop = bc.EnclosingLoopOrSwitch;
1879                         return base.DoResolve (bc);
1880                 }
1881
1882                 public override Reachability MarkReachable (Reachability rc)
1883                 {
1884                         base.MarkReachable (rc);
1885
1886                         if (!rc.IsUnreachable)
1887                                 enclosing_loop.SetEndReachable ();
1888
1889                         return Reachability.CreateUnreachable ();
1890                 }
1891         }
1892
1893         public class Continue : LocalExitStatement
1894         {               
1895                 public Continue (Location l)
1896                         : base (l)
1897                 {
1898                 }
1899
1900                 public override object Accept (StructuralVisitor visitor)
1901                 {
1902                         return visitor.Visit (this);
1903                 }
1904
1905
1906                 protected override void DoEmit (EmitContext ec)
1907                 {
1908                         var l = ec.LoopBegin;
1909
1910                         if (ec.TryFinallyUnwind != null) {
1911                                 var async_body = (AsyncInitializer) ec.CurrentAnonymousMethod;
1912                                 l = TryFinally.EmitRedirectedJump (ec, async_body, l, enclosing_loop.Statement as Block);
1913                         }
1914
1915                         ec.Emit (unwind_protect ? OpCodes.Leave : OpCodes.Br, l);
1916                 }
1917
1918                 protected override bool DoResolve (BlockContext bc)
1919                 {
1920                         enclosing_loop = bc.EnclosingLoop;
1921                         return base.DoResolve (bc);
1922                 }
1923
1924                 public override Reachability MarkReachable (Reachability rc)
1925                 {
1926                         base.MarkReachable (rc);
1927
1928                         if (!rc.IsUnreachable)
1929                                 enclosing_loop.SetIteratorReachable ();
1930
1931                         return Reachability.CreateUnreachable ();
1932                 }
1933         }
1934
1935         public abstract class LocalExitStatement : ExitStatement
1936         {
1937                 protected LoopStatement enclosing_loop;
1938
1939                 protected LocalExitStatement (Location loc)
1940                 {
1941                         this.loc = loc;
1942                 }
1943
1944                 protected override bool IsLocalExit {
1945                         get {
1946                                 return true;
1947                         }
1948                 }
1949
1950                 protected override void CloneTo (CloneContext clonectx, Statement t)
1951                 {
1952                         // nothing needed.
1953                 }
1954
1955                 protected override bool DoResolve (BlockContext bc)
1956                 {
1957                         if (enclosing_loop == null) {
1958                                 bc.Report.Error (139, loc, "No enclosing loop out of which to break or continue");
1959                                 return false;
1960                         }
1961
1962                         var block = enclosing_loop.Statement as Block;
1963
1964                         // Don't need to do extra checks for simple statements loops
1965                         if (block != null) {
1966                                 CheckExitBoundaries (bc, block);
1967                         }
1968
1969                         return true;
1970                 }
1971         }
1972
1973         public interface ILocalVariable
1974         {
1975                 void Emit (EmitContext ec);
1976                 void EmitAssign (EmitContext ec);
1977                 void EmitAddressOf (EmitContext ec);
1978         }
1979
1980         public interface INamedBlockVariable
1981         {
1982                 Block Block { get; }
1983                 Expression CreateReferenceExpression (ResolveContext rc, Location loc);
1984                 bool IsDeclared { get; }
1985                 bool IsParameter { get; }
1986                 Location Location { get; }
1987         }
1988
1989         public class BlockVariableDeclarator
1990         {
1991                 LocalVariable li;
1992                 Expression initializer;
1993
1994                 public BlockVariableDeclarator (LocalVariable li, Expression initializer)
1995                 {
1996                         if (li.Type != null)
1997                                 throw new ArgumentException ("Expected null variable type");
1998
1999                         this.li = li;
2000                         this.initializer = initializer;
2001                 }
2002
2003                 #region Properties
2004
2005                 public LocalVariable Variable {
2006                         get {
2007                                 return li;
2008                         }
2009                 }
2010
2011                 public Expression Initializer {
2012                         get {
2013                                 return initializer;
2014                         }
2015                         set {
2016                                 initializer = value;
2017                         }
2018                 }
2019
2020                 #endregion
2021
2022                 public virtual BlockVariableDeclarator Clone (CloneContext cloneCtx)
2023                 {
2024                         var t = (BlockVariableDeclarator) MemberwiseClone ();
2025                         if (initializer != null)
2026                                 t.initializer = initializer.Clone (cloneCtx);
2027
2028                         return t;
2029                 }
2030         }
2031
2032         public class BlockVariable : Statement
2033         {
2034                 Expression initializer;
2035                 protected FullNamedExpression type_expr;
2036                 protected LocalVariable li;
2037                 protected List<BlockVariableDeclarator> declarators;
2038                 TypeSpec type;
2039
2040                 public BlockVariable (FullNamedExpression type, LocalVariable li)
2041                 {
2042                         this.type_expr = type;
2043                         this.li = li;
2044                         this.loc = type_expr.Location;
2045                 }
2046
2047                 protected BlockVariable (LocalVariable li)
2048                 {
2049                         this.li = li;
2050                 }
2051
2052                 #region Properties
2053
2054                 public List<BlockVariableDeclarator> Declarators {
2055                         get {
2056                                 return declarators;
2057                         }
2058                 }
2059
2060                 public Expression Initializer {
2061                         get {
2062                                 return initializer;
2063                         }
2064                         set {
2065                                 initializer = value;
2066                         }
2067                 }
2068
2069                 public FullNamedExpression TypeExpression {
2070                         get {
2071                                 return type_expr;
2072                         }
2073                 }
2074
2075                 public LocalVariable Variable {
2076                         get {
2077                                 return li;
2078                         }
2079                 }
2080
2081                 #endregion
2082
2083                 public void AddDeclarator (BlockVariableDeclarator decl)
2084                 {
2085                         if (declarators == null)
2086                                 declarators = new List<BlockVariableDeclarator> ();
2087
2088                         declarators.Add (decl);
2089                 }
2090
2091                 static void CreateEvaluatorVariable (BlockContext bc, LocalVariable li)
2092                 {
2093                         if (bc.Report.Errors != 0)
2094                                 return;
2095
2096                         var container = bc.CurrentMemberDefinition.Parent.PartialContainer;
2097
2098                         Field f = new Field (container, new TypeExpression (li.Type, li.Location), Modifiers.PUBLIC | Modifiers.STATIC,
2099                                 new MemberName (li.Name, li.Location), null);
2100
2101                         container.AddField (f);
2102                         f.Define ();
2103
2104                         li.HoistedVariant = new HoistedEvaluatorVariable (f);
2105                         li.SetIsUsed ();
2106                 }
2107
2108                 public override bool Resolve (BlockContext bc)
2109                 {
2110                         return Resolve (bc, true);
2111                 }
2112
2113                 public bool Resolve (BlockContext bc, bool resolveDeclaratorInitializers)
2114                 {
2115                         if (type == null && !li.IsCompilerGenerated) {
2116                                 var vexpr = type_expr as VarExpr;
2117
2118                                 //
2119                                 // C# 3.0 introduced contextual keywords (var) which behaves like a type if type with
2120                                 // same name exists or as a keyword when no type was found
2121                                 //
2122                                 if (vexpr != null && !vexpr.IsPossibleType (bc)) {
2123                                         if (bc.Module.Compiler.Settings.Version < LanguageVersion.V_3)
2124                                                 bc.Report.FeatureIsNotAvailable (bc.Module.Compiler, loc, "implicitly typed local variable");
2125
2126                                         if (li.IsFixed) {
2127                                                 bc.Report.Error (821, loc, "A fixed statement cannot use an implicitly typed local variable");
2128                                                 return false;
2129                                         }
2130
2131                                         if (li.IsConstant) {
2132                                                 bc.Report.Error (822, loc, "An implicitly typed local variable cannot be a constant");
2133                                                 return false;
2134                                         }
2135
2136                                         if (Initializer == null) {
2137                                                 bc.Report.Error (818, loc, "An implicitly typed local variable declarator must include an initializer");
2138                                                 return false;
2139                                         }
2140
2141                                         if (declarators != null) {
2142                                                 bc.Report.Error (819, loc, "An implicitly typed local variable declaration cannot include multiple declarators");
2143                                                 declarators = null;
2144                                         }
2145
2146                                         Initializer = Initializer.Resolve (bc);
2147                                         if (Initializer != null) {
2148                                                 ((VarExpr) type_expr).InferType (bc, Initializer);
2149                                                 type = type_expr.Type;
2150                                         } else {
2151                                                 // Set error type to indicate the var was placed correctly but could
2152                                                 // not be infered
2153                                                 //
2154                                                 // var a = missing ();
2155                                                 //
2156                                                 type = InternalType.ErrorType;
2157                                         }
2158                                 }
2159
2160                                 if (type == null) {
2161                                         type = type_expr.ResolveAsType (bc);
2162                                         if (type == null)
2163                                                 return false;
2164
2165                                         if (li.IsConstant && !type.IsConstantCompatible) {
2166                                                 Const.Error_InvalidConstantType (type, loc, bc.Report);
2167                                         }
2168                                 }
2169
2170                                 if (type.IsStatic)
2171                                         FieldBase.Error_VariableOfStaticClass (loc, li.Name, type, bc.Report);
2172
2173                                 li.Type = type;
2174                         }
2175
2176                         bool eval_global = bc.Module.Compiler.Settings.StatementMode && bc.CurrentBlock is ToplevelBlock;
2177                         if (eval_global) {
2178                                 CreateEvaluatorVariable (bc, li);
2179                         } else if (type != InternalType.ErrorType) {
2180                                 li.PrepareAssignmentAnalysis (bc);
2181                         }
2182
2183                         if (initializer != null) {
2184                                 initializer = ResolveInitializer (bc, li, initializer);
2185                                 // li.Variable.DefinitelyAssigned 
2186                         }
2187
2188                         if (declarators != null) {
2189                                 foreach (var d in declarators) {
2190                                         d.Variable.Type = li.Type;
2191                                         if (eval_global) {
2192                                                 CreateEvaluatorVariable (bc, d.Variable);
2193                                         } else if (type != InternalType.ErrorType) {
2194                                                 d.Variable.PrepareAssignmentAnalysis (bc);
2195                                         }
2196
2197                                         if (d.Initializer != null && resolveDeclaratorInitializers) {
2198                                                 d.Initializer = ResolveInitializer (bc, d.Variable, d.Initializer);
2199                                                 // d.Variable.DefinitelyAssigned 
2200                                         } 
2201                                 }
2202                         }
2203
2204                         return true;
2205                 }
2206
2207                 protected virtual Expression ResolveInitializer (BlockContext bc, LocalVariable li, Expression initializer)
2208                 {
2209                         var a = new SimpleAssign (li.CreateReferenceExpression (bc, li.Location), initializer, li.Location);
2210                         return a.ResolveStatement (bc);
2211                 }
2212
2213                 protected override void DoEmit (EmitContext ec)
2214                 {
2215                         li.CreateBuilder (ec);
2216
2217                         if (Initializer != null && !IsUnreachable)
2218                                 ((ExpressionStatement) Initializer).EmitStatement (ec);
2219
2220                         if (declarators != null) {
2221                                 foreach (var d in declarators) {
2222                                         d.Variable.CreateBuilder (ec);
2223                                         if (d.Initializer != null && !IsUnreachable) {
2224                                                 ec.Mark (d.Variable.Location);
2225                                                 ((ExpressionStatement) d.Initializer).EmitStatement (ec);
2226                                         }
2227                                 }
2228                         }
2229                 }
2230
2231                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
2232                 {
2233                         if (Initializer != null)
2234                                 Initializer.FlowAnalysis (fc);
2235
2236                         if (declarators != null) {
2237                                 foreach (var d in declarators) {
2238                                         if (d.Initializer != null)
2239                                                 d.Initializer.FlowAnalysis (fc);
2240                                 }
2241                         }
2242
2243                         return false;
2244                 }
2245
2246                 public override Reachability MarkReachable (Reachability rc)
2247                 {
2248                         var init = initializer as ExpressionStatement;
2249                         if (init != null)
2250                                 init.MarkReachable (rc);
2251
2252                         return base.MarkReachable (rc);
2253                 }
2254
2255                 protected override void CloneTo (CloneContext clonectx, Statement target)
2256                 {
2257                         BlockVariable t = (BlockVariable) target;
2258
2259                         if (type_expr != null)
2260                                 t.type_expr = (FullNamedExpression) type_expr.Clone (clonectx);
2261
2262                         if (initializer != null)
2263                                 t.initializer = initializer.Clone (clonectx);
2264
2265                         if (declarators != null) {
2266                                 t.declarators = null;
2267                                 foreach (var d in declarators)
2268                                         t.AddDeclarator (d.Clone (clonectx));
2269                         }
2270                 }
2271
2272                 public override object Accept (StructuralVisitor visitor)
2273                 {
2274                         return visitor.Visit (this);
2275                 }
2276         }
2277
2278         public class BlockConstant : BlockVariable
2279         {
2280                 public BlockConstant (FullNamedExpression type, LocalVariable li)
2281                         : base (type, li)
2282                 {
2283                 }
2284
2285                 public override void Emit (EmitContext ec)
2286                 {
2287                         // Nothing to emit, not even sequence point
2288                 }
2289
2290                 protected override Expression ResolveInitializer (BlockContext bc, LocalVariable li, Expression initializer)
2291                 {
2292                         initializer = initializer.Resolve (bc);
2293                         if (initializer == null)
2294                                 return null;
2295
2296                         var c = initializer as Constant;
2297                         if (c == null) {
2298                                 initializer.Error_ExpressionMustBeConstant (bc, initializer.Location, li.Name);
2299                                 return null;
2300                         }
2301
2302                         c = c.ConvertImplicitly (li.Type);
2303                         if (c == null) {
2304                                 if (TypeSpec.IsReferenceType (li.Type))
2305                                         initializer.Error_ConstantCanBeInitializedWithNullOnly (bc, li.Type, initializer.Location, li.Name);
2306                                 else
2307                                         initializer.Error_ValueCannotBeConverted (bc, li.Type, false);
2308
2309                                 return null;
2310                         }
2311
2312                         li.ConstantValue = c;
2313                         return initializer;
2314                 }
2315                 
2316                 public override object Accept (StructuralVisitor visitor)
2317                 {
2318                         return visitor.Visit (this);
2319                 }
2320         }
2321
2322         //
2323         // The information about a user-perceived local variable
2324         //
2325         public sealed class LocalVariable : INamedBlockVariable, ILocalVariable
2326         {
2327                 [Flags]
2328                 public enum Flags
2329                 {
2330                         Used = 1,
2331                         IsThis = 1 << 1,
2332                         AddressTaken = 1 << 2,
2333                         CompilerGenerated = 1 << 3,
2334                         Constant = 1 << 4,
2335                         ForeachVariable = 1 << 5,
2336                         FixedVariable = 1 << 6,
2337                         UsingVariable = 1 << 7,
2338                         IsLocked = 1 << 8,
2339                         SymbolFileHidden = 1 << 9,
2340
2341                         ReadonlyMask = ForeachVariable | FixedVariable | UsingVariable
2342                 }
2343
2344                 TypeSpec type;
2345                 readonly string name;
2346                 readonly Location loc;
2347                 readonly Block block;
2348                 Flags flags;
2349                 Constant const_value;
2350
2351                 public VariableInfo VariableInfo;
2352                 HoistedVariable hoisted_variant;
2353
2354                 LocalBuilder builder;
2355
2356                 public LocalVariable (Block block, string name, Location loc)
2357                 {
2358                         this.block = block;
2359                         this.name = name;
2360                         this.loc = loc;
2361                 }
2362
2363                 public LocalVariable (Block block, string name, Flags flags, Location loc)
2364                         : this (block, name, loc)
2365                 {
2366                         this.flags = flags;
2367                 }
2368
2369                 //
2370                 // Used by variable declarators
2371                 //
2372                 public LocalVariable (LocalVariable li, string name, Location loc)
2373                         : this (li.block, name, li.flags, loc)
2374                 {
2375                 }
2376
2377                 #region Properties
2378
2379                 public bool AddressTaken {
2380                         get {
2381                                 return (flags & Flags.AddressTaken) != 0;
2382                         }
2383                 }
2384
2385                 public Block Block {
2386                         get {
2387                                 return block;
2388                         }
2389                 }
2390
2391                 public Constant ConstantValue {
2392                         get {
2393                                 return const_value;
2394                         }
2395                         set {
2396                                 const_value = value;
2397                         }
2398                 }
2399
2400                 //
2401                 // Hoisted local variable variant
2402                 //
2403                 public HoistedVariable HoistedVariant {
2404                         get {
2405                                 return hoisted_variant;
2406                         }
2407                         set {
2408                                 hoisted_variant = value;
2409                         }
2410                 }
2411
2412                 public bool IsDeclared {
2413                         get {
2414                                 return type != null;
2415                         }
2416                 }
2417
2418                 public bool IsCompilerGenerated {
2419                         get {
2420                                 return (flags & Flags.CompilerGenerated) != 0;
2421                         }
2422                 }
2423
2424                 public bool IsConstant {
2425                         get {
2426                                 return (flags & Flags.Constant) != 0;
2427                         }
2428                 }
2429
2430                 public bool IsLocked {
2431                         get {
2432                                 return (flags & Flags.IsLocked) != 0;
2433                         }
2434                         set {
2435                                 flags = value ? flags | Flags.IsLocked : flags & ~Flags.IsLocked;
2436                         }
2437                 }
2438
2439                 public bool IsThis {
2440                         get {
2441                                 return (flags & Flags.IsThis) != 0;
2442                         }
2443                 }
2444
2445                 public bool IsFixed {
2446                         get {
2447                                 return (flags & Flags.FixedVariable) != 0;
2448                         }
2449                         set {
2450                                 flags = value ? flags | Flags.FixedVariable : flags & ~Flags.FixedVariable;
2451                         }
2452                 }
2453
2454                 bool INamedBlockVariable.IsParameter {
2455                         get {
2456                                 return false;
2457                         }
2458                 }
2459
2460                 public bool IsReadonly {
2461                         get {
2462                                 return (flags & Flags.ReadonlyMask) != 0;
2463                         }
2464                 }
2465
2466                 public Location Location {
2467                         get {
2468                                 return loc;
2469                         }
2470                 }
2471
2472                 public string Name {
2473                         get {
2474                                 return name;
2475                         }
2476                 }
2477
2478                 public TypeSpec Type {
2479                     get {
2480                                 return type;
2481                         }
2482                     set {
2483                                 type = value;
2484                         }
2485                 }
2486
2487                 #endregion
2488
2489                 public void CreateBuilder (EmitContext ec)
2490                 {
2491                         if ((flags & Flags.Used) == 0) {
2492                                 if (VariableInfo == null) {
2493                                         // Missing flow analysis or wrong variable flags
2494                                         throw new InternalErrorException ("VariableInfo is null and the variable `{0}' is not used", name);
2495                                 }
2496
2497                                 if (VariableInfo.IsEverAssigned)
2498                                         ec.Report.Warning (219, 3, Location, "The variable `{0}' is assigned but its value is never used", Name);
2499                                 else
2500                                         ec.Report.Warning (168, 3, Location, "The variable `{0}' is declared but never used", Name);
2501                         }
2502
2503                         if (HoistedVariant != null)
2504                                 return;
2505
2506                         if (builder != null) {
2507                                 if ((flags & Flags.CompilerGenerated) != 0)
2508                                         return;
2509
2510                                 // To avoid Used warning duplicates
2511                                 throw new InternalErrorException ("Already created variable `{0}'", name);
2512                         }
2513
2514                         //
2515                         // All fixed variabled are pinned, a slot has to be alocated
2516                         //
2517                         builder = ec.DeclareLocal (Type, IsFixed);
2518                         if ((flags & Flags.SymbolFileHidden) == 0)
2519                                 ec.DefineLocalVariable (name, builder);
2520                 }
2521
2522                 public static LocalVariable CreateCompilerGenerated (TypeSpec type, Block block, Location loc, bool writeToSymbolFile = false)
2523                 {
2524                         LocalVariable li = new LocalVariable (block, GetCompilerGeneratedName (block), Flags.CompilerGenerated | Flags.Used, loc);
2525                         if (!writeToSymbolFile)
2526                                 li.flags |= Flags.SymbolFileHidden;
2527                         
2528                         li.Type = type;
2529                         return li;
2530                 }
2531
2532                 public Expression CreateReferenceExpression (ResolveContext rc, Location loc)
2533                 {
2534                         if (IsConstant && const_value != null)
2535                                 return Constant.CreateConstantFromValue (Type, const_value.GetValue (), loc);
2536
2537                         return new LocalVariableReference (this, loc);
2538                 }
2539
2540                 public void Emit (EmitContext ec)
2541                 {
2542                         // TODO: Need something better for temporary variables
2543                         if ((flags & Flags.CompilerGenerated) != 0)
2544                                 CreateBuilder (ec);
2545
2546                         ec.Emit (OpCodes.Ldloc, builder);
2547                 }
2548
2549                 public void EmitAssign (EmitContext ec)
2550                 {
2551                         // TODO: Need something better for temporary variables
2552                         if ((flags & Flags.CompilerGenerated) != 0)
2553                                 CreateBuilder (ec);
2554
2555                         ec.Emit (OpCodes.Stloc, builder);
2556                 }
2557
2558                 public void EmitAddressOf (EmitContext ec)
2559                 {
2560                         // TODO: Need something better for temporary variables
2561                         if ((flags & Flags.CompilerGenerated) != 0)
2562                                 CreateBuilder (ec);
2563
2564                         ec.Emit (OpCodes.Ldloca, builder);
2565                 }
2566
2567                 public static string GetCompilerGeneratedName (Block block)
2568                 {
2569                         // HACK: Debugger depends on the name semantics
2570                         return "$locvar" + block.ParametersBlock.TemporaryLocalsCount++.ToString ("X");
2571                 }
2572
2573                 public string GetReadOnlyContext ()
2574                 {
2575                         switch (flags & Flags.ReadonlyMask) {
2576                         case Flags.FixedVariable:
2577                                 return "fixed variable";
2578                         case Flags.ForeachVariable:
2579                                 return "foreach iteration variable";
2580                         case Flags.UsingVariable:
2581                                 return "using variable";
2582                         }
2583
2584                         throw new InternalErrorException ("Variable is not readonly");
2585                 }
2586
2587                 public bool IsThisAssigned (FlowAnalysisContext fc, Block block)
2588                 {
2589                         if (VariableInfo == null)
2590                                 throw new Exception ();
2591
2592                         if (IsAssigned (fc))
2593                                 return true;
2594
2595                         return VariableInfo.IsFullyInitialized (fc, block.StartLocation);
2596                 }
2597
2598                 public bool IsAssigned (FlowAnalysisContext fc)
2599                 {
2600                         return fc.IsDefinitelyAssigned (VariableInfo);
2601                 }
2602
2603                 public void PrepareAssignmentAnalysis (BlockContext bc)
2604                 {
2605                         //
2606                         // No need to run assignment analysis for these guys
2607                         //
2608                         if ((flags & (Flags.Constant | Flags.ReadonlyMask | Flags.CompilerGenerated)) != 0)
2609                                 return;
2610
2611                         VariableInfo = VariableInfo.Create (bc, this);
2612                 }
2613
2614                 //
2615                 // Mark the variables as referenced in the user code
2616                 //
2617                 public void SetIsUsed ()
2618                 {
2619                         flags |= Flags.Used;
2620                 }
2621
2622                 public void SetHasAddressTaken ()
2623                 {
2624                         flags |= (Flags.AddressTaken | Flags.Used);
2625                 }
2626
2627                 public override string ToString ()
2628                 {
2629                         return string.Format ("LocalInfo ({0},{1},{2},{3})", name, type, VariableInfo, Location);
2630                 }
2631         }
2632
2633         /// <summary>
2634         ///   Block represents a C# block.
2635         /// </summary>
2636         ///
2637         /// <remarks>
2638         ///   This class is used in a number of places: either to represent
2639         ///   explicit blocks that the programmer places or implicit blocks.
2640         ///
2641         ///   Implicit blocks are used as labels or to introduce variable
2642         ///   declarations.
2643         ///
2644         ///   Top-level blocks derive from Block, and they are called ToplevelBlock
2645         ///   they contain extra information that is not necessary on normal blocks.
2646         /// </remarks>
2647         public class Block : Statement {
2648                 [Flags]
2649                 public enum Flags
2650                 {
2651                         Unchecked = 1,
2652                         ReachableEnd = 8,
2653                         Unsafe = 16,
2654                         HasCapturedVariable = 64,
2655                         HasCapturedThis = 1 << 7,
2656                         IsExpressionTree = 1 << 8,
2657                         CompilerGenerated = 1 << 9,
2658                         HasAsyncModifier = 1 << 10,
2659                         Resolved = 1 << 11,
2660                         YieldBlock = 1 << 12,
2661                         AwaitBlock = 1 << 13,
2662                         FinallyBlock = 1 << 14,
2663                         CatchBlock = 1 << 15,
2664                         Iterator = 1 << 20,
2665                         NoFlowAnalysis = 1 << 21,
2666                         InitializationEmitted = 1 << 22
2667                 }
2668
2669                 public Block Parent;
2670                 public Location StartLocation;
2671                 public Location EndLocation;
2672
2673                 public ExplicitBlock Explicit;
2674                 public ParametersBlock ParametersBlock;
2675
2676                 protected Flags flags;
2677
2678                 //
2679                 // The statements in this block
2680                 //
2681                 protected List<Statement> statements;
2682
2683                 protected List<Statement> scope_initializers;
2684
2685                 int? resolving_init_idx;
2686
2687                 Block original;
2688
2689 #if DEBUG
2690                 static int id;
2691                 public int ID = id++;
2692
2693                 static int clone_id_counter;
2694                 int clone_id;
2695 #endif
2696
2697 //              int assignable_slots;
2698
2699                 public Block (Block parent, Location start, Location end)
2700                         : this (parent, 0, start, end)
2701                 {
2702                 }
2703
2704                 public Block (Block parent, Flags flags, Location start, Location end)
2705                 {
2706                         if (parent != null) {
2707                                 // the appropriate constructors will fixup these fields
2708                                 ParametersBlock = parent.ParametersBlock;
2709                                 Explicit = parent.Explicit;
2710                         }
2711                         
2712                         this.Parent = parent;
2713                         this.flags = flags;
2714                         this.StartLocation = start;
2715                         this.EndLocation = end;
2716                         this.loc = start;
2717                         statements = new List<Statement> (4);
2718
2719                         this.original = this;
2720                 }
2721
2722                 #region Properties
2723
2724                 public Block Original {
2725                         get {
2726                                 return original;
2727                         }
2728                         protected set {
2729                                 original = value;
2730                         }
2731                 }
2732
2733                 public bool IsCompilerGenerated {
2734                         get { return (flags & Flags.CompilerGenerated) != 0; }
2735                         set { flags = value ? flags | Flags.CompilerGenerated : flags & ~Flags.CompilerGenerated; }
2736                 }
2737
2738
2739                 public bool IsCatchBlock {
2740                         get {
2741                                 return (flags & Flags.CatchBlock) != 0;
2742                         }
2743                 }
2744
2745                 public bool IsFinallyBlock {
2746                         get {
2747                                 return (flags & Flags.FinallyBlock) != 0;
2748                         }
2749                 }
2750
2751                 public bool Unchecked {
2752                         get { return (flags & Flags.Unchecked) != 0; }
2753                         set { flags = value ? flags | Flags.Unchecked : flags & ~Flags.Unchecked; }
2754                 }
2755
2756                 public bool Unsafe {
2757                         get { return (flags & Flags.Unsafe) != 0; }
2758                         set { flags |= Flags.Unsafe; }
2759                 }
2760
2761                 public List<Statement> Statements {
2762                         get { return statements; }
2763                 }
2764
2765                 #endregion
2766
2767                 public void SetEndLocation (Location loc)
2768                 {
2769                         EndLocation = loc;
2770                 }
2771
2772                 public void AddLabel (LabeledStatement target)
2773                 {
2774                         ParametersBlock.TopBlock.AddLabel (target.Name, target);
2775                 }
2776
2777                 public void AddLocalName (LocalVariable li)
2778                 {
2779                         AddLocalName (li.Name, li);
2780                 }
2781
2782                 public void AddLocalName (string name, INamedBlockVariable li)
2783                 {
2784                         ParametersBlock.TopBlock.AddLocalName (name, li, false);
2785                 }
2786
2787                 public virtual void Error_AlreadyDeclared (string name, INamedBlockVariable variable, string reason)
2788                 {
2789                         if (reason == null) {
2790                                 Error_AlreadyDeclared (name, variable);
2791                                 return;
2792                         }
2793
2794                         ParametersBlock.TopBlock.Report.Error (136, variable.Location,
2795                                 "A local variable named `{0}' cannot be declared in this scope because it would give a different meaning " +
2796                                 "to `{0}', which is already used in a `{1}' scope to denote something else",
2797                                 name, reason);
2798                 }
2799
2800                 public virtual void Error_AlreadyDeclared (string name, INamedBlockVariable variable)
2801                 {
2802                         var pi = variable as ParametersBlock.ParameterInfo;
2803                         if (pi != null) {
2804                                 pi.Parameter.Error_DuplicateName (ParametersBlock.TopBlock.Report);
2805                         } else {
2806                                 ParametersBlock.TopBlock.Report.Error (128, variable.Location,
2807                                         "A local variable named `{0}' is already defined in this scope", name);
2808                         }
2809                 }
2810                                         
2811                 public virtual void Error_AlreadyDeclaredTypeParameter (string name, Location loc)
2812                 {
2813                         ParametersBlock.TopBlock.Report.Error (412, loc,
2814                                 "The type parameter name `{0}' is the same as local variable or parameter name",
2815                                 name);
2816                 }
2817
2818                 //
2819                 // It should be used by expressions which require to
2820                 // register a statement during resolve process.
2821                 //
2822                 public void AddScopeStatement (Statement s)
2823                 {
2824                         if (scope_initializers == null)
2825                                 scope_initializers = new List<Statement> ();
2826
2827                         //
2828                         // Simple recursive helper, when resolve scope initializer another
2829                         // new scope initializer can be added, this ensures it's initialized
2830                         // before existing one. For now this can happen with expression trees
2831                         // in base ctor initializer only
2832                         //
2833                         if (resolving_init_idx.HasValue) {
2834                                 scope_initializers.Insert (resolving_init_idx.Value, s);
2835                                 ++resolving_init_idx;
2836                         } else {
2837                                 scope_initializers.Add (s);
2838                         }
2839                 }
2840
2841                 public void InsertStatement (int index, Statement s)
2842                 {
2843                         statements.Insert (index, s);
2844                 }
2845                 
2846                 public void AddStatement (Statement s)
2847                 {
2848                         statements.Add (s);
2849                 }
2850
2851                 public LabeledStatement LookupLabel (string name)
2852                 {
2853                         return ParametersBlock.GetLabel (name, this);
2854                 }
2855
2856                 public override Reachability MarkReachable (Reachability rc)
2857                 {
2858                         if (rc.IsUnreachable)
2859                                 return rc;
2860
2861                         MarkReachableScope (rc);
2862
2863                         foreach (var s in statements) {
2864                                 rc = s.MarkReachable (rc);
2865                                 if (rc.IsUnreachable) {
2866                                         if ((flags & Flags.ReachableEnd) != 0)
2867                                                 return new Reachability ();
2868
2869                                         return rc;
2870                                 }
2871                         }
2872
2873                         flags |= Flags.ReachableEnd;
2874
2875                         return rc;
2876                 }
2877
2878                 public void MarkReachableScope (Reachability rc)
2879                 {
2880                         base.MarkReachable (rc);
2881
2882                         if (scope_initializers != null) {
2883                                 foreach (var si in scope_initializers)
2884                                         si.MarkReachable (rc);
2885                         }
2886                 }
2887
2888                 public override bool Resolve (BlockContext bc)
2889                 {
2890                         if ((flags & Flags.Resolved) != 0)
2891                                 return true;
2892
2893                         Block prev_block = bc.CurrentBlock;
2894                         bc.CurrentBlock = this;
2895
2896                         //
2897                         // Compiler generated scope statements
2898                         //
2899                         if (scope_initializers != null) {
2900                                 for (resolving_init_idx = 0; resolving_init_idx < scope_initializers.Count; ++resolving_init_idx) {
2901                                         scope_initializers[resolving_init_idx.Value].Resolve (bc);
2902                                 }
2903
2904                                 resolving_init_idx = null;
2905                         }
2906
2907                         bool ok = true;
2908                         int statement_count = statements.Count;
2909                         for (int ix = 0; ix < statement_count; ix++){
2910                                 Statement s = statements [ix];
2911
2912                                 if (!s.Resolve (bc)) {
2913                                         ok = false;
2914                                         statements [ix] = new EmptyStatement (s.loc);
2915                                         continue;
2916                                 }
2917                         }
2918
2919                         bc.CurrentBlock = prev_block;
2920
2921                         flags |= Flags.Resolved;
2922                         return ok;
2923                 }
2924
2925                 protected override void DoEmit (EmitContext ec)
2926                 {
2927                         for (int ix = 0; ix < statements.Count; ix++){
2928                                 statements [ix].Emit (ec);
2929                         }
2930                 }
2931
2932                 public override void Emit (EmitContext ec)
2933                 {
2934                         if (scope_initializers != null)
2935                                 EmitScopeInitializers (ec);
2936
2937                         DoEmit (ec);
2938                 }
2939
2940                 protected void EmitScopeInitializers (EmitContext ec)
2941                 {
2942                         foreach (Statement s in scope_initializers)
2943                                 s.Emit (ec);
2944                 }
2945
2946                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
2947                 {
2948                         if (scope_initializers != null) {
2949                                 foreach (var si in scope_initializers)
2950                                         si.FlowAnalysis (fc);
2951                         }
2952
2953                         return DoFlowAnalysis (fc, 0);  
2954                 }
2955
2956                 bool DoFlowAnalysis (FlowAnalysisContext fc, int startIndex)
2957                 {
2958                         bool end_unreachable = !reachable;
2959                         bool goto_flow_analysis = startIndex != 0;
2960                         for (; startIndex < statements.Count; ++startIndex) {
2961                                 var s = statements[startIndex];
2962
2963                                 end_unreachable = s.FlowAnalysis (fc);
2964                                 if (s.IsUnreachable) {
2965                                         statements [startIndex] = RewriteUnreachableStatement (s);
2966                                         continue;
2967                                 }
2968
2969                                 //
2970                                 // Statement end reachability is needed mostly due to goto support. Consider
2971                                 //
2972                                 // if (cond) {
2973                                 //    goto X;
2974                                 // } else {
2975                                 //    goto Y;
2976                                 // }
2977                                 // X:
2978                                 //
2979                                 // X label is reachable only via goto not as another statement after if. We need
2980                                 // this for flow-analysis only to carry variable info correctly.
2981                                 //
2982                                 if (end_unreachable) {
2983                                         bool after_goto_case = goto_flow_analysis && s is GotoCase;
2984
2985                                         var f = s as TryFinally;
2986                                         if (f != null && !f.FinallyBlock.HasReachableClosingBrace) {
2987                                                 //
2988                                                 // Special case for try-finally with unreachable code after
2989                                                 // finally block. Try block has to include leave opcode but there is
2990                                                 // no label to leave to after unreachable finally block closing
2991                                                 // brace. This sentinel ensures there is always IL instruction to
2992                                                 // leave to even if we know it'll never be reached.
2993                                                 //
2994                                                 statements.Insert (startIndex + 1, new SentinelStatement ());
2995                                         } else {
2996                                                 for (++startIndex; startIndex < statements.Count; ++startIndex) {
2997                                                         s = statements [startIndex];
2998                                                         if (s is SwitchLabel) {
2999                                                                 if (!after_goto_case)
3000                                                                         s.FlowAnalysis (fc);
3001
3002                                                                 break;
3003                                                         }
3004
3005                                                         if (s.IsUnreachable) {
3006                                                                 s.FlowAnalysis (fc);
3007                                                                 statements [startIndex] = RewriteUnreachableStatement (s);
3008                                                         }
3009                                                 }
3010                                         }
3011
3012                                         //
3013                                         // Idea is to stop after goto case because goto case will always have at least same
3014                                         // variable assigned as switch case label. This saves a lot for complex goto case tests
3015                                         //
3016                                         if (after_goto_case)
3017                                                 break;
3018
3019                                         continue;
3020                                 }
3021
3022                                 var lb = s as LabeledStatement;
3023                                 if (lb != null && fc.AddReachedLabel (lb))
3024                                         break;
3025                         }
3026
3027                         //
3028                         // The condition should be true unless there is forward jumping goto
3029                         // 
3030                         // if (this is ExplicitBlock && end_unreachable != Explicit.HasReachableClosingBrace)
3031                         //      Debug.Fail ();
3032
3033                         return !Explicit.HasReachableClosingBrace;
3034                 }
3035
3036                 static Statement RewriteUnreachableStatement (Statement s)
3037                 {
3038                         // LAMESPEC: It's not clear whether declararion statement should be part of reachability
3039                         // analysis. Even csc report unreachable warning for it but it's actually used hence
3040                         // we try to emulate this behaviour
3041                         //
3042                         // Consider:
3043                         //      goto L;
3044                         //      int v;
3045                         // L:
3046                         //      v = 1;
3047
3048                         if (s is BlockVariable || s is EmptyStatement || s is SentinelStatement)
3049                                 return s;
3050
3051                         return new EmptyStatement (s.loc);
3052                 }
3053
3054                 public void ScanGotoJump (Statement label)
3055                 {
3056                         int i;
3057                         for (i = 0; i < statements.Count; ++i) {
3058                                 if (statements[i] == label)
3059                                         break;
3060                         }
3061
3062                         var rc = new Reachability ();
3063                         for (++i; i < statements.Count; ++i) {
3064                                 var s = statements[i];
3065                                 rc = s.MarkReachable (rc);
3066                                 if (rc.IsUnreachable)
3067                                         return;
3068                         }
3069
3070                         flags |= Flags.ReachableEnd;
3071                 }
3072
3073                 public void ScanGotoJump (Statement label, FlowAnalysisContext fc)
3074                 {
3075                         int i;
3076                         for (i = 0; i < statements.Count; ++i) {
3077                                 if (statements[i] == label)
3078                                         break;
3079                         }
3080
3081                         DoFlowAnalysis (fc, ++i);
3082                 }
3083
3084 #if DEBUG
3085                 public override string ToString ()
3086                 {
3087                         return String.Format ("{0}: ID={1} Clone={2} Location={3}", GetType (), ID, clone_id != 0, StartLocation);
3088                 }
3089 #endif
3090
3091                 protected override void CloneTo (CloneContext clonectx, Statement t)
3092                 {
3093                         Block target = (Block) t;
3094 #if DEBUG
3095                         target.clone_id = ++clone_id_counter;
3096 #endif
3097
3098                         clonectx.AddBlockMap (this, target);
3099                         if (original != this)
3100                                 clonectx.AddBlockMap (original, target);
3101
3102                         target.ParametersBlock = (ParametersBlock) (ParametersBlock == this ? target : clonectx.RemapBlockCopy (ParametersBlock));
3103                         target.Explicit = (ExplicitBlock) (Explicit == this ? target : clonectx.LookupBlock (Explicit));
3104
3105                         if (Parent != null)
3106                                 target.Parent = clonectx.RemapBlockCopy (Parent);
3107
3108                         target.statements = new List<Statement> (statements.Count);
3109                         foreach (Statement s in statements)
3110                                 target.statements.Add (s.Clone (clonectx));
3111                 }
3112
3113                 public override object Accept (StructuralVisitor visitor)
3114                 {
3115                         return visitor.Visit (this);
3116                 }
3117         }
3118
3119         public class ExplicitBlock : Block
3120         {
3121                 protected AnonymousMethodStorey am_storey;
3122
3123                 public ExplicitBlock (Block parent, Location start, Location end)
3124                         : this (parent, (Flags) 0, start, end)
3125                 {
3126                 }
3127
3128                 public ExplicitBlock (Block parent, Flags flags, Location start, Location end)
3129                         : base (parent, flags, start, end)
3130                 {
3131                         this.Explicit = this;
3132                 }
3133
3134                 #region Properties
3135
3136                 public AnonymousMethodStorey AnonymousMethodStorey {
3137                         get {
3138                                 return am_storey;
3139                         }
3140                 }
3141
3142                 public bool HasAwait {
3143                         get {
3144                                 return (flags & Flags.AwaitBlock) != 0;
3145                         }
3146                 }
3147
3148                 public bool HasCapturedThis {
3149                         set {
3150                                 flags = value ? flags | Flags.HasCapturedThis : flags & ~Flags.HasCapturedThis;
3151                         }
3152                         get {
3153                                 return (flags & Flags.HasCapturedThis) != 0;
3154                         }
3155                 }
3156
3157                 //
3158                 // Used to indicate that the block has reference to parent
3159                 // block and cannot be made static when defining anonymous method
3160                 //
3161                 public bool HasCapturedVariable {
3162                         set {
3163                                 flags = value ? flags | Flags.HasCapturedVariable : flags & ~Flags.HasCapturedVariable;
3164                         }
3165                         get {
3166                                 return (flags & Flags.HasCapturedVariable) != 0;
3167                         }
3168                 }
3169
3170                 public bool HasReachableClosingBrace {
3171                     get {
3172                         return (flags & Flags.ReachableEnd) != 0;
3173                     }
3174                         set {
3175                                 flags = value ? flags | Flags.ReachableEnd : flags & ~Flags.ReachableEnd;
3176                         }
3177                 }
3178
3179                 public bool HasYield {
3180                         get {
3181                                 return (flags & Flags.YieldBlock) != 0;
3182                         }
3183                 }
3184
3185                 #endregion
3186
3187                 //
3188                 // Creates anonymous method storey in current block
3189                 //
3190                 public AnonymousMethodStorey CreateAnonymousMethodStorey (ResolveContext ec)
3191                 {
3192                         //
3193                         // Return same story for iterator and async blocks unless we are
3194                         // in nested anonymous method
3195                         //
3196                         if (ec.CurrentAnonymousMethod is StateMachineInitializer && ParametersBlock.Original == ec.CurrentAnonymousMethod.Block.Original)
3197                                 return ec.CurrentAnonymousMethod.Storey;
3198
3199                         if (am_storey == null) {
3200                                 MemberBase mc = ec.MemberContext as MemberBase;
3201
3202                                 //
3203                                 // Creates anonymous method storey for this block
3204                                 //
3205                                 am_storey = new AnonymousMethodStorey (this, ec.CurrentMemberDefinition.Parent.PartialContainer, mc, ec.CurrentTypeParameters, "AnonStorey", MemberKind.Class);
3206                         }
3207
3208                         return am_storey;
3209                 }
3210
3211                 public void EmitScopeInitialization (EmitContext ec)
3212                 {
3213                         if ((flags & Flags.InitializationEmitted) != 0)
3214                                 return;
3215
3216                         if (am_storey != null) {
3217                                 DefineStoreyContainer (ec, am_storey);
3218                                 am_storey.EmitStoreyInstantiation (ec, this);
3219                         }
3220
3221                         if (scope_initializers != null)
3222                                 EmitScopeInitializers (ec);
3223
3224                         flags |= Flags.InitializationEmitted;
3225                 }
3226
3227                 public override void Emit (EmitContext ec)
3228                 {
3229                         if (Parent != null)
3230                                 ec.BeginScope ();
3231
3232                         EmitScopeInitialization (ec);
3233
3234                         if (ec.EmitAccurateDebugInfo && !IsCompilerGenerated && ec.Mark (StartLocation)) {
3235                                 ec.Emit (OpCodes.Nop);
3236                         }
3237
3238                         DoEmit (ec);
3239
3240                         if (Parent != null)
3241                                 ec.EndScope ();
3242
3243                         if (ec.EmitAccurateDebugInfo && HasReachableClosingBrace && !(this is ParametersBlock) &&
3244                                 !IsCompilerGenerated && ec.Mark (EndLocation)) {
3245                                 ec.Emit (OpCodes.Nop);
3246                         }
3247                 }
3248
3249                 protected void DefineStoreyContainer (EmitContext ec, AnonymousMethodStorey storey)
3250                 {
3251                         if (ec.CurrentAnonymousMethod != null && ec.CurrentAnonymousMethod.Storey != null) {
3252                                 storey.SetNestedStoryParent (ec.CurrentAnonymousMethod.Storey);
3253                                 storey.Mutator = ec.CurrentAnonymousMethod.Storey.Mutator;
3254                         }
3255
3256                         //
3257                         // Creates anonymous method storey
3258                         //
3259                         storey.CreateContainer ();
3260                         storey.DefineContainer ();
3261
3262                         if (Original.Explicit.HasCapturedThis && Original.ParametersBlock.TopBlock.ThisReferencesFromChildrenBlock != null) {
3263
3264                                 //
3265                                 // Only first storey in path will hold this reference. All children blocks will
3266                                 // reference it indirectly using $ref field
3267                                 //
3268                                 for (Block b = Original.Explicit; b != null; b = b.Parent) {
3269                                         if (b.Parent != null) {
3270                                                 var s = b.Parent.Explicit.AnonymousMethodStorey;
3271                                                 if (s != null) {
3272                                                         storey.HoistedThis = s.HoistedThis;
3273                                                         break;
3274                                                 }
3275                                         }
3276
3277                                         if (b.Explicit == b.Explicit.ParametersBlock && b.Explicit.ParametersBlock.StateMachine != null) {
3278                                                 if (storey.HoistedThis == null)
3279                                                         storey.HoistedThis = b.Explicit.ParametersBlock.StateMachine.HoistedThis;
3280
3281                                                 if (storey.HoistedThis != null)
3282                                                         break;
3283                                         }
3284                                 }
3285                                 
3286                                 //
3287                                 // We are the first storey on path and 'this' has to be hoisted
3288                                 //
3289                                 if (storey.HoistedThis == null || !(storey.Parent is HoistedStoreyClass)) {
3290                                         foreach (ExplicitBlock ref_block in Original.ParametersBlock.TopBlock.ThisReferencesFromChildrenBlock) {
3291                                                 //
3292                                                 // ThisReferencesFromChildrenBlock holds all reference even if they
3293                                                 // are not on this path. It saves some memory otherwise it'd have to
3294                                                 // be in every explicit block. We run this check to see if the reference
3295                                                 // is valid for this storey
3296                                                 //
3297                                                 Block block_on_path = ref_block;
3298                                                 for (; block_on_path != null && block_on_path != Original; block_on_path = block_on_path.Parent);
3299
3300                                                 if (block_on_path == null)
3301                                                         continue;
3302
3303                                                 if (storey.HoistedThis == null) {
3304                                                         storey.AddCapturedThisField (ec, null);
3305                                                 }
3306
3307                                                 for (ExplicitBlock b = ref_block; b.AnonymousMethodStorey != storey; b = b.Parent.Explicit) {
3308                                                         ParametersBlock pb;
3309                                                         AnonymousMethodStorey b_storey = b.AnonymousMethodStorey;
3310
3311                                                         if (b_storey != null) {
3312                                                                 //
3313                                                                 // Don't add storey cross reference for `this' when the storey ends up not
3314                                                                 // beeing attached to any parent
3315                                                                 //
3316                                                                 if (b.ParametersBlock.StateMachine == null) {
3317                                                                         AnonymousMethodStorey s = null;
3318                                                                         for (Block ab = b.AnonymousMethodStorey.OriginalSourceBlock.Parent; ab != null; ab = ab.Parent) {
3319                                                                                 s = ab.Explicit.AnonymousMethodStorey;
3320                                                                                 if (s != null)
3321                                                                                         break;
3322                                                                         }
3323
3324                                                                         // Needs to be in sync with AnonymousMethodBody::DoCreateMethodHost
3325                                                                         if (s == null) {
3326                                                                                 var parent = storey == null || storey.Kind == MemberKind.Struct ? null : storey;
3327                                                                                 b.AnonymousMethodStorey.AddCapturedThisField (ec, parent);
3328                                                                                 break;
3329                                                                         }
3330
3331                                                                 }
3332
3333                                                                 //
3334                                                                 // Stop propagation inside same top block
3335                                                                 //
3336                                                                 if (b.ParametersBlock == ParametersBlock.Original) {
3337                                                                         b_storey.AddParentStoreyReference (ec, storey);
3338 //                                                                      b_storey.HoistedThis = storey.HoistedThis;
3339                                                                         break;
3340                                                                 }
3341
3342                                                                 b = pb = b.ParametersBlock;
3343                                                         } else {
3344                                                                 pb = b as ParametersBlock;
3345                                                         }
3346
3347                                                         if (pb != null && pb.StateMachine != null) {
3348                                                                 if (pb.StateMachine == storey)
3349                                                                         break;
3350
3351                                                                 //
3352                                                                 // If we are state machine with no parent. We can hook into parent without additional
3353                                                                 // reference and capture this directly
3354                                                                 //
3355                                                                 ExplicitBlock parent_storey_block = pb;
3356                                                                 while (parent_storey_block.Parent != null) {
3357                                                                         parent_storey_block = parent_storey_block.Parent.Explicit;
3358                                                                         if (parent_storey_block.AnonymousMethodStorey != null) {
3359                                                                                 break;
3360                                                                         }
3361                                                                 }
3362
3363                                                                 if (parent_storey_block.AnonymousMethodStorey == null) {
3364                                                                         if (pb.StateMachine.HoistedThis == null) {
3365                                                                                 pb.StateMachine.AddCapturedThisField (ec, null);
3366                                                                                 b.HasCapturedThis = true;
3367                                                                         }
3368
3369                                                                         continue;
3370                                                                 }
3371
3372                                                                 var parent_this_block = pb;
3373                                                                 while (parent_this_block.Parent != null) {
3374                                                                         parent_this_block = parent_this_block.Parent.ParametersBlock;
3375                                                                         if (parent_this_block.StateMachine != null && parent_this_block.StateMachine.HoistedThis != null) {
3376                                                                                 break;
3377                                                                         }
3378                                                                 }
3379
3380                                                                 //
3381                                                                 // Add reference to closest storey which holds captured this
3382                                                                 //
3383                                                                 pb.StateMachine.AddParentStoreyReference (ec, parent_this_block.StateMachine ?? storey);
3384                                                         }
3385
3386                                                         //
3387                                                         // Add parent storey reference only when this is not captured directly
3388                                                         //
3389                                                         if (b_storey != null) {
3390                                                                 b_storey.AddParentStoreyReference (ec, storey);
3391                                                                 b_storey.HoistedThis = storey.HoistedThis;
3392                                                         }
3393                                                 }
3394                                         }
3395                                 }
3396                         }
3397
3398                         var ref_blocks = storey.ReferencesFromChildrenBlock;
3399                         if (ref_blocks != null) {
3400                                 foreach (ExplicitBlock ref_block in ref_blocks) {
3401                                         for (ExplicitBlock b = ref_block; b.AnonymousMethodStorey != storey; b = b.Parent.Explicit) {
3402                                                 if (b.AnonymousMethodStorey != null) {
3403                                                         b.AnonymousMethodStorey.AddParentStoreyReference (ec, storey);
3404
3405                                                         //
3406                                                         // Stop propagation inside same top block
3407                                                         //
3408                                                         if (b.ParametersBlock == ParametersBlock.Original)
3409                                                                 break;
3410
3411                                                         b = b.ParametersBlock;
3412                                                 }
3413
3414                                                 var pb = b as ParametersBlock;
3415                                                 if (pb != null && pb.StateMachine != null) {
3416                                                         if (pb.StateMachine == storey)
3417                                                                 break;
3418
3419                                                         pb.StateMachine.AddParentStoreyReference (ec, storey);
3420                                                 }
3421
3422                                                 b.HasCapturedVariable = true;
3423                                         }
3424                                 }
3425                         }
3426
3427                         storey.Define ();
3428                         storey.PrepareEmit ();
3429                         storey.Parent.PartialContainer.AddCompilerGeneratedClass (storey);
3430                 }
3431
3432                 public void RegisterAsyncAwait ()
3433                 {
3434                         var block = this;
3435                         while ((block.flags & Flags.AwaitBlock) == 0) {
3436                                 block.flags |= Flags.AwaitBlock;
3437
3438                                 if (block is ParametersBlock)
3439                                         return;
3440
3441                                 block = block.Parent.Explicit;
3442                         }
3443                 }
3444
3445                 public void RegisterIteratorYield ()
3446                 {
3447                         ParametersBlock.TopBlock.IsIterator = true;
3448
3449                         var block = this;
3450                         while ((block.flags & Flags.YieldBlock) == 0) {
3451                                 block.flags |= Flags.YieldBlock;
3452
3453                                 if (block.Parent == null)
3454                                         return;
3455
3456                                 block = block.Parent.Explicit;
3457                         }
3458                 }
3459
3460                 public void SetCatchBlock ()
3461                 {
3462                         flags |= Flags.CatchBlock;
3463                 }
3464
3465                 public void SetFinallyBlock ()
3466                 {
3467                         flags |= Flags.FinallyBlock;
3468                 }
3469
3470                 public void WrapIntoDestructor (TryFinally tf, ExplicitBlock tryBlock)
3471                 {
3472                         tryBlock.statements = statements;
3473                         statements = new List<Statement> (1);
3474                         statements.Add (tf);
3475                 }
3476         }
3477
3478         //
3479         // ParametersBlock was introduced to support anonymous methods
3480         // and lambda expressions
3481         // 
3482         public class ParametersBlock : ExplicitBlock
3483         {
3484                 public class ParameterInfo : INamedBlockVariable
3485                 {
3486                         readonly ParametersBlock block;
3487                         readonly int index;
3488                         public VariableInfo VariableInfo;
3489                         bool is_locked;
3490
3491                         public ParameterInfo (ParametersBlock block, int index)
3492                         {
3493                                 this.block = block;
3494                                 this.index = index;
3495                         }
3496
3497                         #region Properties
3498
3499                         public ParametersBlock Block {
3500                                 get {
3501                                         return block;
3502                                 }
3503                         }
3504
3505                         Block INamedBlockVariable.Block {
3506                                 get {
3507                                         return block;
3508                                 }
3509                         }
3510
3511                         public bool IsDeclared {
3512                                 get {
3513                                         return true;
3514                                 }
3515                         }
3516
3517                         public bool IsParameter {
3518                                 get {
3519                                         return true;
3520                                 }
3521                         }
3522
3523                         public bool IsLocked {
3524                                 get {
3525                                         return is_locked;
3526                                 }
3527                                 set {
3528                                         is_locked = value;
3529                                 }
3530                         }
3531
3532                         public Location Location {
3533                                 get {
3534                                         return Parameter.Location;
3535                                 }
3536                         }
3537
3538                         public Parameter Parameter {
3539                                 get {
3540                                         return block.Parameters [index];
3541                                 }
3542                         }
3543
3544                         public TypeSpec ParameterType {
3545                                 get {
3546                                         return Parameter.Type;
3547                                 }
3548                         }
3549
3550                         #endregion
3551
3552                         public Expression CreateReferenceExpression (ResolveContext rc, Location loc)
3553                         {
3554                                 return new ParameterReference (this, loc);
3555                         }
3556                 }
3557
3558                 // 
3559                 // Block is converted into an expression
3560                 //
3561                 sealed class BlockScopeExpression : Expression
3562                 {
3563                         Expression child;
3564                         readonly ParametersBlock block;
3565
3566                         public BlockScopeExpression (Expression child, ParametersBlock block)
3567                         {
3568                                 this.child = child;
3569                                 this.block = block;
3570                         }
3571
3572                         public override bool ContainsEmitWithAwait ()
3573                         {
3574                                 return child.ContainsEmitWithAwait ();
3575                         }
3576
3577                         public override Expression CreateExpressionTree (ResolveContext ec)
3578                         {
3579                                 throw new NotSupportedException ();
3580                         }
3581
3582                         protected override Expression DoResolve (ResolveContext ec)
3583                         {
3584                                 if (child == null)
3585                                         return null;
3586
3587                                 child = child.Resolve (ec);
3588                                 if (child == null)
3589                                         return null;
3590
3591                                 eclass = child.eclass;
3592                                 type = child.Type;
3593                                 return this;
3594                         }
3595
3596                         public override void Emit (EmitContext ec)
3597                         {
3598                                 block.EmitScopeInitializers (ec);
3599                                 child.Emit (ec);
3600                         }
3601                 }
3602
3603                 protected ParametersCompiled parameters;
3604                 protected ParameterInfo[] parameter_info;
3605                 protected bool resolved;
3606                 protected ToplevelBlock top_block;
3607                 protected StateMachine state_machine;
3608                 protected Dictionary<string, object> labels;
3609
3610                 public ParametersBlock (Block parent, ParametersCompiled parameters, Location start, Flags flags = 0)
3611                         : base (parent, 0, start, start)
3612                 {
3613                         if (parameters == null)
3614                                 throw new ArgumentNullException ("parameters");
3615
3616                         this.parameters = parameters;
3617                         ParametersBlock = this;
3618
3619                         this.flags |= flags | (parent.ParametersBlock.flags & (Flags.YieldBlock | Flags.AwaitBlock));
3620
3621                         this.top_block = parent.ParametersBlock.top_block;
3622                         ProcessParameters ();
3623                 }
3624
3625                 protected ParametersBlock (ParametersCompiled parameters, Location start)
3626                         : base (null, 0, start, start)
3627                 {
3628                         if (parameters == null)
3629                                 throw new ArgumentNullException ("parameters");
3630
3631                         this.parameters = parameters;
3632                         ParametersBlock = this;
3633                 }
3634
3635                 //
3636                 // It's supposed to be used by method body implementation of anonymous methods
3637                 //
3638                 protected ParametersBlock (ParametersBlock source, ParametersCompiled parameters)
3639                         : base (null, 0, source.StartLocation, source.EndLocation)
3640                 {
3641                         this.parameters = parameters;
3642                         this.statements = source.statements;
3643                         this.scope_initializers = source.scope_initializers;
3644
3645                         this.resolved = true;
3646                         this.reachable = source.reachable;
3647                         this.am_storey = source.am_storey;
3648                         this.state_machine = source.state_machine;
3649                         this.flags = source.flags & Flags.ReachableEnd;
3650
3651                         ParametersBlock = this;
3652
3653                         //
3654                         // Overwrite original for comparison purposes when linking cross references
3655                         // between anonymous methods
3656                         //
3657                         Original = source.Original;
3658                 }
3659
3660                 #region Properties
3661
3662                 public bool IsAsync {
3663                         get {
3664                                 return (flags & Flags.HasAsyncModifier) != 0;
3665                         }
3666                         set {
3667                                 flags = value ? flags | Flags.HasAsyncModifier : flags & ~Flags.HasAsyncModifier;
3668                         }
3669                 }
3670
3671                 //
3672                 // Block has been converted to expression tree
3673                 //
3674                 public bool IsExpressionTree {
3675                         get {
3676                                 return (flags & Flags.IsExpressionTree) != 0;
3677                         }
3678                 }
3679
3680                 //
3681                 // The parameters for the block.
3682                 //
3683                 public ParametersCompiled Parameters {
3684                         get {
3685                                 return parameters;
3686                         }
3687                 }
3688
3689                 public StateMachine StateMachine {
3690                         get {
3691                                 return state_machine;
3692                         }
3693                 }
3694
3695                 public ToplevelBlock TopBlock {
3696                         get {
3697                                 return top_block;
3698                         }
3699                         set {
3700                                 top_block = value;
3701                         }
3702                 }
3703
3704                 public bool Resolved {
3705                         get {
3706                                 return (flags & Flags.Resolved) != 0;
3707                         }
3708                 }
3709
3710                 public int TemporaryLocalsCount { get; set; }
3711
3712                 #endregion
3713
3714                 //
3715                 // Checks whether all `out' parameters have been assigned.
3716                 //
3717                 public void CheckControlExit (FlowAnalysisContext fc)
3718                 {
3719                         CheckControlExit (fc, fc.DefiniteAssignment);
3720                 }
3721
3722                 public virtual void CheckControlExit (FlowAnalysisContext fc, DefiniteAssignmentBitSet dat)
3723                 {
3724                         if (parameter_info == null)
3725                                 return;
3726
3727                         foreach (var p in parameter_info) {
3728                                 if (p.VariableInfo == null)
3729                                         continue;
3730
3731                                 if (p.VariableInfo.IsAssigned (dat))
3732                                         continue;
3733
3734                                 fc.Report.Error (177, p.Location,
3735                                         "The out parameter `{0}' must be assigned to before control leaves the current method",
3736                                         p.Parameter.Name);
3737                         }                                       
3738                 }
3739
3740                 protected override void CloneTo (CloneContext clonectx, Statement t)
3741                 {
3742                         base.CloneTo (clonectx, t);
3743
3744                         var target = (ParametersBlock) t;
3745
3746                         //
3747                         // Clone label statements as well as they contain block reference
3748                         //
3749                         var pb = this;
3750                         while (true) {
3751                                 if (pb.labels != null) {
3752                                         target.labels = new Dictionary<string, object> ();
3753
3754                                         foreach (var entry in pb.labels) {
3755                                                 var list = entry.Value as List<LabeledStatement>;
3756
3757                                                 if (list != null) {
3758                                                         var list_clone = new List<LabeledStatement> ();
3759                                                         foreach (var lentry in list) {
3760                                                                 list_clone.Add (RemapLabeledStatement (lentry, clonectx.RemapBlockCopy (lentry.Block)));
3761                                                         }
3762
3763                                                         target.labels.Add (entry.Key, list_clone);
3764                                                 } else {
3765                                                         var labeled = (LabeledStatement) entry.Value;
3766                                                         target.labels.Add (entry.Key, RemapLabeledStatement (labeled, clonectx.RemapBlockCopy (labeled.Block)));
3767                                                 }
3768                                         }
3769
3770                                         break;
3771                                 }
3772
3773                                 if (pb.Parent == null)
3774                                         break;
3775
3776                                 pb = pb.Parent.ParametersBlock;
3777                         }
3778                 }
3779
3780                 public override Expression CreateExpressionTree (ResolveContext ec)
3781                 {
3782                         if (statements.Count == 1) {
3783                                 Expression expr = statements[0].CreateExpressionTree (ec);
3784                                 if (scope_initializers != null)
3785                                         expr = new BlockScopeExpression (expr, this);
3786
3787                                 return expr;
3788                         }
3789
3790                         return base.CreateExpressionTree (ec);
3791                 }
3792
3793                 public override void Emit (EmitContext ec)
3794                 {
3795                         if (state_machine != null && state_machine.OriginalSourceBlock != this) {
3796                                 DefineStoreyContainer (ec, state_machine);
3797                                 state_machine.EmitStoreyInstantiation (ec, this);
3798                         }
3799
3800                         base.Emit (ec);
3801                 }
3802
3803                 public void EmitEmbedded (EmitContext ec)
3804                 {
3805                         if (state_machine != null && state_machine.OriginalSourceBlock != this) {
3806                                 DefineStoreyContainer (ec, state_machine);
3807                                 state_machine.EmitStoreyInstantiation (ec, this);
3808                         }
3809
3810                         base.Emit (ec);
3811                 }
3812
3813                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
3814                 {
3815                         var res = base.DoFlowAnalysis (fc);
3816
3817                         if (HasReachableClosingBrace)
3818                                 CheckControlExit (fc);
3819
3820                         return res;
3821                 }
3822
3823                 public LabeledStatement GetLabel (string name, Block block)
3824                 {
3825                         //
3826                         // Cloned parameters blocks can have their own cloned version of top-level labels
3827                         //
3828                         if (labels == null) {
3829                                 if (Parent != null)
3830                                         return Parent.ParametersBlock.GetLabel (name, block);
3831
3832                                 return null;
3833                         }
3834
3835                         object value;
3836                         if (!labels.TryGetValue (name, out value)) {
3837                                 return null;
3838                         }
3839
3840                         var label = value as LabeledStatement;
3841                         Block b = block;
3842                         if (label != null) {
3843                                 if (IsLabelVisible (label, b))
3844                                         return label;
3845
3846                         } else {
3847                                 List<LabeledStatement> list = (List<LabeledStatement>) value;
3848                                 for (int i = 0; i < list.Count; ++i) {
3849                                         label = list[i];
3850                                         if (IsLabelVisible (label, b))
3851                                                 return label;
3852                                 }
3853                         }
3854
3855                         return null;
3856                 }
3857
3858                 static bool IsLabelVisible (LabeledStatement label, Block b)
3859                 {
3860                         do {
3861                                 if (label.Block == b)
3862                                         return true;
3863                                 b = b.Parent;
3864                         } while (b != null);
3865
3866                         return false;
3867                 }
3868
3869                 public ParameterInfo GetParameterInfo (Parameter p)
3870                 {
3871                         for (int i = 0; i < parameters.Count; ++i) {
3872                                 if (parameters[i] == p)
3873                                         return parameter_info[i];
3874                         }
3875
3876                         throw new ArgumentException ("Invalid parameter");
3877                 }
3878
3879                 public ParameterReference GetParameterReference (int index, Location loc)
3880                 {
3881                         return new ParameterReference (parameter_info[index], loc);
3882                 }
3883
3884                 public Statement PerformClone (ref HashSet<LocalVariable> undeclaredVariables)
3885                 {
3886                         undeclaredVariables = TopBlock.GetUndeclaredVariables ();
3887
3888                         CloneContext clonectx = new CloneContext ();
3889                         return Clone (clonectx);
3890                 }
3891
3892                 protected void ProcessParameters ()
3893                 {
3894                         if (parameters.Count == 0)
3895                                 return;
3896
3897                         parameter_info = new ParameterInfo[parameters.Count];
3898                         for (int i = 0; i < parameter_info.Length; ++i) {
3899                                 var p = parameters.FixedParameters[i];
3900                                 if (p == null)
3901                                         continue;
3902
3903                                 // TODO: Should use Parameter only and more block there
3904                                 parameter_info[i] = new ParameterInfo (this, i);
3905                                 if (p.Name != null)
3906                                         AddLocalName (p.Name, parameter_info[i]);
3907                         }
3908                 }
3909
3910                 LabeledStatement RemapLabeledStatement (LabeledStatement stmt, Block dst)
3911                 {
3912                         var src = stmt.Block;
3913
3914                         //
3915                         // Cannot remap label block if the label was not yet cloned which
3916                         // can happen in case of anonymous method inside anoynymous method
3917                         // with a label. But in this case we don't care because goto cannot
3918                         // jump of out anonymous method
3919                         //
3920                         if (src.ParametersBlock != this)
3921                                 return stmt;
3922
3923                         var src_stmts = src.Statements;
3924                         for (int i = 0; i < src_stmts.Count; ++i) {
3925                                 if (src_stmts[i] == stmt)
3926                                         return (LabeledStatement) dst.Statements[i];
3927                         }
3928
3929                         throw new InternalErrorException ("Should never be reached");
3930                 }
3931
3932                 public override bool Resolve (BlockContext bc)
3933                 {
3934                         // TODO: if ((flags & Flags.Resolved) != 0)
3935
3936                         if (resolved)
3937                                 return true;
3938
3939                         resolved = true;
3940
3941                         if (bc.HasSet (ResolveContext.Options.ExpressionTreeConversion))
3942                                 flags |= Flags.IsExpressionTree;
3943
3944                         try {
3945                                 PrepareAssignmentAnalysis (bc);
3946
3947                                 if (!base.Resolve (bc))
3948                                         return false;
3949
3950                         } catch (Exception e) {
3951                                 if (e is CompletionResult || bc.Report.IsDisabled || e is FatalException || bc.Report.Printer is NullReportPrinter || bc.Module.Compiler.Settings.BreakOnInternalError)
3952                                         throw;
3953
3954                                 if (bc.CurrentBlock != null) {
3955                                         bc.Report.Error (584, bc.CurrentBlock.StartLocation, "Internal compiler error: {0}", e.Message);
3956                                 } else {
3957                                         bc.Report.Error (587, "Internal compiler error: {0}", e.Message);
3958                                 }
3959                         }
3960
3961                         //
3962                         // If an asynchronous body of F is either an expression classified as nothing, or a 
3963                         // statement block where no return statements have expressions, the inferred return type is Task
3964                         //
3965                         if (IsAsync) {
3966                                 var am = bc.CurrentAnonymousMethod as AnonymousMethodBody;
3967                                 if (am != null && am.ReturnTypeInference != null && !am.ReturnTypeInference.HasBounds (0)) {
3968                                         am.ReturnTypeInference = null;
3969                                         am.ReturnType = bc.Module.PredefinedTypes.Task.TypeSpec;
3970                                         return true;
3971                                 }
3972                         }
3973
3974                         return true;
3975                 }
3976
3977                 void PrepareAssignmentAnalysis (BlockContext bc)
3978                 {
3979                         for (int i = 0; i < parameters.Count; ++i) {
3980                                 var par = parameters.FixedParameters[i];
3981
3982                                 if ((par.ModFlags & Parameter.Modifier.OUT) == 0)
3983                                         continue;
3984
3985                                 parameter_info [i].VariableInfo = VariableInfo.Create (bc, (Parameter) par);
3986                         }
3987                 }
3988
3989                 public ToplevelBlock ConvertToIterator (IMethodData method, TypeDefinition host, TypeSpec iterator_type, bool is_enumerable)
3990                 {
3991                         var iterator = new Iterator (this, method, host, iterator_type, is_enumerable);
3992                         var stateMachine = new IteratorStorey (iterator);
3993
3994                         state_machine = stateMachine;
3995                         iterator.SetStateMachine (stateMachine);
3996
3997                         var tlb = new ToplevelBlock (host.Compiler, Parameters, Location.Null, Flags.CompilerGenerated);
3998                         tlb.Original = this;
3999                         tlb.state_machine = stateMachine;
4000                         tlb.AddStatement (new Return (iterator, iterator.Location));
4001                         return tlb;
4002                 }
4003
4004                 public ParametersBlock ConvertToAsyncTask (IMemberContext context, TypeDefinition host, ParametersCompiled parameters, TypeSpec returnType, TypeSpec delegateType, Location loc)
4005                 {
4006                         for (int i = 0; i < parameters.Count; i++) {
4007                                 Parameter p = parameters[i];
4008                                 Parameter.Modifier mod = p.ModFlags;
4009                                 if ((mod & Parameter.Modifier.RefOutMask) != 0) {
4010                                         host.Compiler.Report.Error (1988, p.Location,
4011                                                 "Async methods cannot have ref or out parameters");
4012                                         return this;
4013                                 }
4014
4015                                 if (p is ArglistParameter) {
4016                                         host.Compiler.Report.Error (4006, p.Location,
4017                                                 "__arglist is not allowed in parameter list of async methods");
4018                                         return this;
4019                                 }
4020
4021                                 if (parameters.Types[i].IsPointer) {
4022                                         host.Compiler.Report.Error (4005, p.Location,
4023                                                 "Async methods cannot have unsafe parameters");
4024                                         return this;
4025                                 }
4026                         }
4027
4028                         if (!HasAwait) {
4029                                 host.Compiler.Report.Warning (1998, 1, loc,
4030                                         "Async block lacks `await' operator and will run synchronously");
4031                         }
4032
4033                         var block_type = host.Module.Compiler.BuiltinTypes.Void;
4034                         var initializer = new AsyncInitializer (this, host, block_type);
4035                         initializer.Type = block_type;
4036                         initializer.DelegateType = delegateType;
4037
4038                         var stateMachine = new AsyncTaskStorey (this, context, initializer, returnType);
4039
4040                         state_machine = stateMachine;
4041                         initializer.SetStateMachine (stateMachine);
4042
4043                         const Flags flags = Flags.CompilerGenerated;
4044
4045                         var b = this is ToplevelBlock ?
4046                                 new ToplevelBlock (host.Compiler, Parameters, Location.Null, flags) :
4047                                 new ParametersBlock (Parent, parameters, Location.Null, flags | Flags.HasAsyncModifier);
4048
4049                         b.Original = this;
4050                         b.state_machine = stateMachine;
4051                         b.AddStatement (new AsyncInitializerStatement (initializer));
4052                         return b;
4053                 }
4054         }
4055
4056         //
4057         //
4058         //
4059         public class ToplevelBlock : ParametersBlock
4060         {
4061                 LocalVariable this_variable;
4062                 CompilerContext compiler;
4063                 Dictionary<string, object> names;
4064
4065                 List<ExplicitBlock> this_references;
4066
4067                 public ToplevelBlock (CompilerContext ctx, Location loc)
4068                         : this (ctx, ParametersCompiled.EmptyReadOnlyParameters, loc)
4069                 {
4070                 }
4071
4072                 public ToplevelBlock (CompilerContext ctx, ParametersCompiled parameters, Location start, Flags flags = 0)
4073                         : base (parameters, start)
4074                 {
4075                         this.compiler = ctx;
4076                         this.flags = flags;
4077                         top_block = this;
4078
4079                         ProcessParameters ();
4080                 }
4081
4082                 //
4083                 // Recreates a top level block from parameters block. Used for
4084                 // compiler generated methods where the original block comes from
4085                 // explicit child block. This works for already resolved blocks
4086                 // only to ensure we resolve them in the correct flow order
4087                 //
4088                 public ToplevelBlock (ParametersBlock source, ParametersCompiled parameters)
4089                         : base (source, parameters)
4090                 {
4091                         this.compiler = source.TopBlock.compiler;
4092                         top_block = this;
4093                 }
4094
4095                 public bool IsIterator {
4096                         get {
4097                                 return (flags & Flags.Iterator) != 0;
4098                         }
4099                         set {
4100                                 flags = value ? flags | Flags.Iterator : flags & ~Flags.Iterator;
4101                         }
4102                 }
4103
4104                 public Report Report {
4105                         get {
4106                                 return compiler.Report;
4107                         }
4108                 }
4109
4110                 //
4111                 // Used by anonymous blocks to track references of `this' variable
4112                 //
4113                 public List<ExplicitBlock> ThisReferencesFromChildrenBlock {
4114                         get {
4115                                 return this_references;
4116                         }
4117                 }
4118
4119                 //
4120                 // Returns the "this" instance variable of this block.
4121                 // See AddThisVariable() for more information.
4122                 //
4123                 public LocalVariable ThisVariable {
4124                         get {
4125                                 return this_variable;
4126                         }
4127                 }
4128
4129                 public void AddLocalName (string name, INamedBlockVariable li, bool ignoreChildrenBlocks)
4130                 {
4131                         if (names == null)
4132                                 names = new Dictionary<string, object> ();
4133
4134                         object value;
4135                         if (!names.TryGetValue (name, out value)) {
4136                                 names.Add (name, li);
4137                                 return;
4138                         }
4139
4140                         INamedBlockVariable existing = value as INamedBlockVariable;
4141                         List<INamedBlockVariable> existing_list;
4142                         if (existing != null) {
4143                                 existing_list = new List<INamedBlockVariable> ();
4144                                 existing_list.Add (existing);
4145                                 names[name] = existing_list;
4146                         } else {
4147                                 existing_list = (List<INamedBlockVariable>) value;
4148                         }
4149
4150                         //
4151                         // A collision checking between local names
4152                         //
4153                         var variable_block = li.Block.Explicit;
4154                         for (int i = 0; i < existing_list.Count; ++i) {
4155                                 existing = existing_list[i];
4156                                 Block b = existing.Block.Explicit;
4157
4158                                 // Collision at same level
4159                                 if (variable_block == b) {
4160                                         li.Block.Error_AlreadyDeclared (name, li);
4161                                         break;
4162                                 }
4163
4164                                 // Collision with parent
4165                                 Block parent = variable_block;
4166                                 while ((parent = parent.Parent) != null) {
4167                                         if (parent == b) {
4168                                                 li.Block.Error_AlreadyDeclared (name, li, "parent or current");
4169                                                 i = existing_list.Count;
4170                                                 break;
4171                                         }
4172                                 }
4173
4174                                 if (!ignoreChildrenBlocks && variable_block.Parent != b.Parent) {
4175                                         // Collision with children
4176                                         while ((b = b.Parent) != null) {
4177                                                 if (variable_block == b) {
4178                                                         li.Block.Error_AlreadyDeclared (name, li, "child");
4179                                                         i = existing_list.Count;
4180                                                         break;
4181                                                 }
4182                                         }
4183                                 }
4184                         }
4185
4186                         existing_list.Add (li);
4187                 }
4188
4189                 public void AddLabel (string name, LabeledStatement label)
4190                 {
4191                         if (labels == null)
4192                                 labels = new Dictionary<string, object> ();
4193
4194                         object value;
4195                         if (!labels.TryGetValue (name, out value)) {
4196                                 labels.Add (name, label);
4197                                 return;
4198                         }
4199
4200                         LabeledStatement existing = value as LabeledStatement;
4201                         List<LabeledStatement> existing_list;
4202                         if (existing != null) {
4203                                 existing_list = new List<LabeledStatement> ();
4204                                 existing_list.Add (existing);
4205                                 labels[name] = existing_list;
4206                         } else {
4207                                 existing_list = (List<LabeledStatement>) value;
4208                         }
4209
4210                         //
4211                         // A collision checking between labels
4212                         //
4213                         for (int i = 0; i < existing_list.Count; ++i) {
4214                                 existing = existing_list[i];
4215                                 Block b = existing.Block;
4216
4217                                 // Collision at same level
4218                                 if (label.Block == b) {
4219                                         Report.SymbolRelatedToPreviousError (existing.loc, name);
4220                                         Report.Error (140, label.loc, "The label `{0}' is a duplicate", name);
4221                                         break;
4222                                 }
4223
4224                                 // Collision with parent
4225                                 b = label.Block;
4226                                 while ((b = b.Parent) != null) {
4227                                         if (existing.Block == b) {
4228                                                 Report.Error (158, label.loc,
4229                                                         "The label `{0}' shadows another label by the same name in a contained scope", name);
4230                                                 i = existing_list.Count;
4231                                                 break;
4232                                         }
4233                                 }
4234
4235                                 // Collision with with children
4236                                 b = existing.Block;
4237                                 while ((b = b.Parent) != null) {
4238                                         if (label.Block == b) {
4239                                                 Report.Error (158, label.loc,
4240                                                         "The label `{0}' shadows another label by the same name in a contained scope", name);
4241                                                 i = existing_list.Count;
4242                                                 break;
4243                                         }
4244                                 }
4245                         }
4246
4247                         existing_list.Add (label);
4248                 }
4249
4250                 public void AddThisReferenceFromChildrenBlock (ExplicitBlock block)
4251                 {
4252                         if (this_references == null)
4253                                 this_references = new List<ExplicitBlock> ();
4254
4255                         if (!this_references.Contains (block))
4256                                 this_references.Add (block);
4257                 }
4258
4259                 public void RemoveThisReferenceFromChildrenBlock (ExplicitBlock block)
4260                 {
4261                         this_references.Remove (block);
4262                 }
4263
4264                 //
4265                 // Creates an arguments set from all parameters, useful for method proxy calls
4266                 //
4267                 public Arguments GetAllParametersArguments ()
4268                 {
4269                         int count = parameters.Count;
4270                         Arguments args = new Arguments (count);
4271                         for (int i = 0; i < count; ++i) {
4272                                 var pi = parameter_info[i];
4273                                 var arg_expr = GetParameterReference (i, pi.Location);
4274
4275                                 Argument.AType atype_modifier;
4276                                 switch (pi.Parameter.ParameterModifier & Parameter.Modifier.RefOutMask) {
4277                                 case Parameter.Modifier.REF:
4278                                         atype_modifier = Argument.AType.Ref;
4279                                         break;
4280                                 case Parameter.Modifier.OUT:
4281                                         atype_modifier = Argument.AType.Out;
4282                                         break;
4283                                 default:
4284                                         atype_modifier = 0;
4285                                         break;
4286                                 }
4287
4288                                 args.Add (new Argument (arg_expr, atype_modifier));
4289                         }
4290
4291                         return args;
4292                 }
4293
4294                 //
4295                 // Lookup inside a block, the returned value can represent 3 states
4296                 //
4297                 // true+variable: A local name was found and it's valid
4298                 // false+variable: A local name was found in a child block only
4299                 // false+null: No local name was found
4300                 //
4301                 public bool GetLocalName (string name, Block block, ref INamedBlockVariable variable)
4302                 {
4303                         if (names == null)
4304                                 return false;
4305
4306                         object value;
4307                         if (!names.TryGetValue (name, out value))
4308                                 return false;
4309
4310                         variable = value as INamedBlockVariable;
4311                         Block b = block;
4312                         if (variable != null) {
4313                                 do {
4314                                         if (variable.Block == b.Original)
4315                                                 return true;
4316
4317                                         b = b.Parent;
4318                                 } while (b != null);
4319
4320                                 b = variable.Block;
4321                                 do {
4322                                         if (block == b)
4323                                                 return false;
4324
4325                                         b = b.Parent;
4326                                 } while (b != null);
4327                         } else {
4328                                 List<INamedBlockVariable> list = (List<INamedBlockVariable>) value;
4329                                 for (int i = 0; i < list.Count; ++i) {
4330                                         variable = list[i];
4331                                         do {
4332                                                 if (variable.Block == b.Original)
4333                                                         return true;
4334
4335                                                 b = b.Parent;
4336                                         } while (b != null);
4337
4338                                         b = variable.Block;
4339                                         do {
4340                                                 if (block == b)
4341                                                         return false;
4342
4343                                                 b = b.Parent;
4344                                         } while (b != null);
4345
4346                                         b = block;
4347                                 }
4348                         }
4349
4350                         variable = null;
4351                         return false;
4352                 }
4353
4354                 public void IncludeBlock (ParametersBlock pb, ToplevelBlock block)
4355                 {
4356                         if (block.names != null) {
4357                                 foreach (var n in block.names) {
4358                                         var variable = n.Value as INamedBlockVariable;
4359                                         if (variable != null) {
4360                                                 if (variable.Block.ParametersBlock == pb)
4361                                                         AddLocalName (n.Key, variable, false);
4362                                                 continue;
4363                                         }
4364
4365                                         foreach (var v in (List<INamedBlockVariable>) n.Value)
4366                                                 if (v.Block.ParametersBlock == pb)
4367                                                         AddLocalName (n.Key, v, false);
4368                                 }
4369                         }
4370                 }
4371
4372                 // <summary>
4373                 //   This is used by non-static `struct' constructors which do not have an
4374                 //   initializer - in this case, the constructor must initialize all of the
4375                 //   struct's fields.  To do this, we add a "this" variable and use the flow
4376                 //   analysis code to ensure that it's been fully initialized before control
4377                 //   leaves the constructor.
4378                 // </summary>
4379                 public void AddThisVariable (BlockContext bc)
4380                 {
4381                         if (this_variable != null)
4382                                 throw new InternalErrorException (StartLocation.ToString ());
4383
4384                         this_variable = new LocalVariable (this, "this", LocalVariable.Flags.IsThis | LocalVariable.Flags.Used, StartLocation);
4385                         this_variable.Type = bc.CurrentType;
4386                         this_variable.PrepareAssignmentAnalysis (bc);
4387                 }
4388
4389                 public override void CheckControlExit (FlowAnalysisContext fc, DefiniteAssignmentBitSet dat)
4390                 {
4391                         //
4392                         // If we're a non-static struct constructor which doesn't have an
4393                         // initializer, then we must initialize all of the struct's fields.
4394                         //
4395                         if (this_variable != null)
4396                                 this_variable.IsThisAssigned (fc, this);
4397
4398                         base.CheckControlExit (fc, dat);
4399                 }
4400
4401                 public HashSet<LocalVariable> GetUndeclaredVariables ()
4402                 {
4403                         if (names == null)
4404                                 return null;
4405
4406                         HashSet<LocalVariable> variables = null;
4407
4408                         foreach (var entry in names) {
4409                                 var complex = entry.Value as List<INamedBlockVariable>;
4410                                 if (complex != null) {
4411                                         foreach (var centry in complex) {
4412                                                 if (IsUndeclaredVariable (centry)) {
4413                                                         if (variables == null)
4414                                                                 variables = new HashSet<LocalVariable> ();
4415
4416                                                         variables.Add ((LocalVariable) centry);
4417                                                 }
4418                                         }
4419                                 } else if (IsUndeclaredVariable ((INamedBlockVariable)entry.Value)) {
4420                                         if (variables == null)
4421                                                 variables = new HashSet<LocalVariable> ();
4422
4423                                         variables.Add ((LocalVariable)entry.Value);                                     
4424                                 }
4425                         }
4426
4427                         return variables;
4428                 }
4429
4430                 static bool IsUndeclaredVariable (INamedBlockVariable namedBlockVariable)
4431                 {
4432                         var lv = namedBlockVariable as LocalVariable;
4433                         return lv != null && !lv.IsDeclared;
4434                 }
4435
4436                 public void SetUndeclaredVariables (HashSet<LocalVariable> undeclaredVariables)
4437                 {
4438                         if (names == null)
4439                                 return;
4440                         
4441                         foreach (var entry in names) {
4442                                 var complex = entry.Value as List<INamedBlockVariable>;
4443                                 if (complex != null) {
4444                                         foreach (var centry in complex) {
4445                                                 var lv = centry as LocalVariable;
4446                                                 if (lv != null && undeclaredVariables.Contains (lv)) {
4447                                                         lv.Type = null;
4448                                                 }
4449                                         }
4450                                 } else {
4451                                         var lv = entry.Value as LocalVariable;
4452                                         if (lv != null && undeclaredVariables.Contains (lv))
4453                                                 lv.Type = null;
4454                                 }
4455                         }
4456                 }
4457
4458                 public override void Emit (EmitContext ec)
4459                 {
4460                         if (Report.Errors > 0)
4461                                 return;
4462
4463                         try {
4464                         if (IsCompilerGenerated) {
4465                                 using (ec.With (BuilderContext.Options.OmitDebugInfo, true)) {
4466                                         base.Emit (ec);
4467                                 }
4468                         } else {
4469                                 base.Emit (ec);
4470                         }
4471
4472                         //
4473                         // If `HasReturnLabel' is set, then we already emitted a
4474                         // jump to the end of the method, so we must emit a `ret'
4475                         // there.
4476                         //
4477                         // Unfortunately, System.Reflection.Emit automatically emits
4478                         // a leave to the end of a finally block.  This is a problem
4479                         // if no code is following the try/finally block since we may
4480                         // jump to a point after the end of the method.
4481                         // As a workaround, we're always creating a return label in
4482                         // this case.
4483                         //
4484                         if (ec.HasReturnLabel || HasReachableClosingBrace) {
4485                                 if (ec.HasReturnLabel)
4486                                         ec.MarkLabel (ec.ReturnLabel);
4487
4488                                 if (ec.EmitAccurateDebugInfo && !IsCompilerGenerated)
4489                                         ec.Mark (EndLocation);
4490
4491                                 if (ec.ReturnType.Kind != MemberKind.Void)
4492                                         ec.Emit (OpCodes.Ldloc, ec.TemporaryReturn ());
4493
4494                                 ec.Emit (OpCodes.Ret);
4495                         }
4496
4497                         } catch (Exception e) {
4498                                 throw new InternalErrorException (e, StartLocation);
4499                         }
4500                 }
4501
4502                 public bool Resolve (BlockContext bc, IMethodData md)
4503                 {
4504                         if (resolved)
4505                                 return true;
4506
4507                         var errors = bc.Report.Errors;
4508
4509                         base.Resolve (bc);
4510
4511                         if (bc.Report.Errors > errors)
4512                                 return false;
4513
4514                         MarkReachable (new Reachability ());
4515
4516                         if (HasReachableClosingBrace && bc.ReturnType.Kind != MemberKind.Void) {
4517                                 // TODO: var md = bc.CurrentMemberDefinition;
4518                                 bc.Report.Error (161, md.Location, "`{0}': not all code paths return a value", md.GetSignatureForError ());
4519                         }
4520
4521                         if ((flags & Flags.NoFlowAnalysis) != 0)
4522                                 return true;
4523
4524                         var fc = new FlowAnalysisContext (bc.Module.Compiler, this, bc.AssignmentInfoOffset);
4525                         try {
4526                                 FlowAnalysis (fc);
4527                         } catch (Exception e) {
4528                                 throw new InternalErrorException (e, StartLocation);
4529                         }
4530
4531                         return true;
4532                 }
4533         }
4534         
4535         public class SwitchLabel : Statement
4536         {
4537                 Constant converted;
4538                 Expression label;
4539
4540                 Label? il_label;
4541
4542                 //
4543                 // if expr == null, then it is the default case.
4544                 //
4545                 public SwitchLabel (Expression expr, Location l)
4546                 {
4547                         label = expr;
4548                         loc = l;
4549                 }
4550
4551                 public bool IsDefault {
4552                         get {
4553                                 return label == null;
4554                         }
4555                 }
4556
4557                 public Expression Label {
4558                         get {
4559                                 return label;
4560                         }
4561                 }
4562
4563                 public Location Location {
4564                         get {
4565                                 return loc;
4566                         }
4567                 }
4568
4569                 public Constant Converted {
4570                         get {
4571                                 return converted;
4572                         }
4573                         set {
4574                                 converted = value; 
4575                         }
4576                 }
4577
4578                 public bool PatternMatching { get; set; }
4579
4580                 public bool SectionStart { get; set; }
4581
4582                 public Label GetILLabel (EmitContext ec)
4583                 {
4584                         if (il_label == null){
4585                                 il_label = ec.DefineLabel ();
4586                         }
4587
4588                         return il_label.Value;
4589                 }
4590
4591                 protected override void DoEmit (EmitContext ec)
4592                 {
4593                         ec.MarkLabel (GetILLabel (ec));
4594                 }
4595
4596                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
4597                 {
4598                         if (!SectionStart)
4599                                 return false;
4600
4601                         fc.BranchDefiniteAssignment (fc.SwitchInitialDefinitiveAssignment);
4602                         return false;
4603                 }
4604
4605                 public override bool Resolve (BlockContext bc)
4606                 {
4607                         if (ResolveAndReduce (bc))
4608                                 bc.Switch.RegisterLabel (bc, this);
4609
4610                         return true;
4611                 }
4612
4613                 //
4614                 // Resolves the expression, reduces it to a literal if possible
4615                 // and then converts it to the requested type.
4616                 //
4617                 bool ResolveAndReduce (BlockContext bc)
4618                 {
4619                         if (IsDefault)
4620                                 return true;
4621
4622                         var switch_statement = bc.Switch;
4623
4624                         if (PatternMatching) {
4625                                 label = new Is (switch_statement.ExpressionValue, label, loc).Resolve (bc);
4626                                 return label != null;
4627                         }
4628
4629                         var c = label.ResolveLabelConstant (bc);
4630                         if (c == null)
4631                                 return false;
4632
4633                         if (switch_statement.IsNullable && c is NullLiteral) {
4634                                 converted = c;
4635                                 return true;
4636                         }
4637
4638                         if (switch_statement.IsPatternMatching) {
4639                                 label = new Is (switch_statement.ExpressionValue, label, loc).Resolve (bc);
4640                                 return true;
4641                         }
4642
4643                         converted = c.ImplicitConversionRequired (bc, switch_statement.SwitchType);
4644                         return converted != null;
4645                 }
4646
4647                 public void Error_AlreadyOccurs (ResolveContext ec, SwitchLabel collision_with)
4648                 {
4649                         ec.Report.SymbolRelatedToPreviousError (collision_with.loc, null);
4650                         ec.Report.Error (152, loc, "The label `{0}' already occurs in this switch statement", GetSignatureForError ());
4651                 }
4652
4653                 protected override void CloneTo (CloneContext clonectx, Statement target)
4654                 {
4655                         var t = (SwitchLabel) target;
4656                         if (label != null)
4657                                 t.label = label.Clone (clonectx);
4658                 }
4659
4660                 public override object Accept (StructuralVisitor visitor)
4661                 {
4662                         return visitor.Visit (this);
4663                 }
4664
4665                 public string GetSignatureForError ()
4666                 {
4667                         string label;
4668                         if (converted == null)
4669                                 label = "default";
4670                         else
4671                                 label = converted.GetValueAsLiteral ();
4672
4673                         return string.Format ("case {0}:", label);
4674                 }
4675         }
4676
4677         public class Switch : LoopStatement
4678         {
4679                 // structure used to hold blocks of keys while calculating table switch
4680                 sealed class LabelsRange : IComparable<LabelsRange>
4681                 {
4682                         public readonly long min;
4683                         public long max;
4684                         public readonly List<long> label_values;
4685
4686                         public LabelsRange (long value)
4687                         {
4688                                 min = max = value;
4689                                 label_values = new List<long> ();
4690                                 label_values.Add (value);
4691                         }
4692
4693                         public LabelsRange (long min, long max, ICollection<long> values)
4694                         {
4695                                 this.min = min;
4696                                 this.max = max;
4697                                 this.label_values = new List<long> (values);
4698                         }
4699
4700                         public long Range {
4701                                 get {
4702                                         return max - min + 1;
4703                                 }
4704                         }
4705
4706                         public bool AddValue (long value)
4707                         {
4708                                 var gap = value - min + 1;
4709                                 // Ensure the range has > 50% occupancy
4710                                 if (gap > 2 * (label_values.Count + 1) || gap <= 0)
4711                                         return false;
4712
4713                                 max = value;
4714                                 label_values.Add (value);
4715                                 return true;
4716                         }
4717
4718                         public int CompareTo (LabelsRange other)
4719                         {
4720                                 int nLength = label_values.Count;
4721                                 int nLengthOther = other.label_values.Count;
4722                                 if (nLengthOther == nLength)
4723                                         return (int) (other.min - min);
4724
4725                                 return nLength - nLengthOther;
4726                         }
4727                 }
4728
4729                 sealed class DispatchStatement : Statement
4730                 {
4731                         readonly Switch body;
4732
4733                         public DispatchStatement (Switch body)
4734                         {
4735                                 this.body = body;
4736                         }
4737
4738                         protected override void CloneTo (CloneContext clonectx, Statement target)
4739                         {
4740                                 throw new NotImplementedException ();
4741                         }
4742
4743                         protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
4744                         {
4745                                 return false;
4746                         }
4747
4748                         protected override void DoEmit (EmitContext ec)
4749                         {
4750                                 body.EmitDispatch (ec);
4751                         }
4752                 }
4753
4754                 class MissingBreak : Statement
4755                 {
4756                         readonly SwitchLabel label;
4757
4758                         public MissingBreak (SwitchLabel sl)
4759                         {
4760                                 this.label = sl;
4761                                 this.loc = sl.loc;
4762                         }
4763
4764                         public bool FallOut { get; set; }
4765
4766                         protected override void DoEmit (EmitContext ec)
4767                         {
4768                         }
4769
4770                         protected override void CloneTo (CloneContext clonectx, Statement target)
4771                         {
4772                         }
4773
4774                         protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
4775                         {
4776                                 if (FallOut) {
4777                                         fc.Report.Error (8070, loc, "Control cannot fall out of switch statement through final case label `{0}'",
4778                                                 label.GetSignatureForError ());
4779                                 } else {
4780                                         fc.Report.Error (163, loc, "Control cannot fall through from one case label `{0}' to another",
4781                                                 label.GetSignatureForError ());
4782                                 }
4783                                 return true;
4784                         }
4785                 }
4786
4787                 public Expression Expr;
4788
4789                 //
4790                 // Mapping of all labels to their SwitchLabels
4791                 //
4792                 Dictionary<long, SwitchLabel> labels;
4793                 Dictionary<string, SwitchLabel> string_labels;
4794                 List<SwitchLabel> case_labels;
4795
4796                 List<Tuple<GotoCase, Constant>> goto_cases;
4797                 List<DefiniteAssignmentBitSet> end_reachable_das;
4798
4799                 /// <summary>
4800                 ///   The governing switch type
4801                 /// </summary>
4802                 public TypeSpec SwitchType;
4803
4804                 Expression new_expr;
4805
4806                 SwitchLabel case_null;
4807                 SwitchLabel case_default;
4808
4809                 Label defaultLabel, nullLabel;
4810                 VariableReference value;
4811                 ExpressionStatement string_dictionary;
4812                 FieldExpr switch_cache_field;
4813                 ExplicitBlock block;
4814                 bool end_reachable;
4815
4816                 //
4817                 // Nullable Types support
4818                 //
4819                 Nullable.Unwrap unwrap;
4820
4821                 public Switch (Expression e, ExplicitBlock block, Location l)
4822                         : base (block)
4823                 {
4824                         Expr = e;
4825                         this.block = block;
4826                         loc = l;
4827                 }
4828
4829                 public SwitchLabel ActiveLabel { get; set; }
4830
4831                 public ExplicitBlock Block {
4832                         get {
4833                                 return block;
4834                         }
4835                 }
4836
4837                 public SwitchLabel DefaultLabel {
4838                         get {
4839                                 return case_default;
4840                         }
4841                 }
4842
4843                 public bool IsNullable {
4844                         get {
4845                                 return unwrap != null;
4846                         }
4847                 }
4848
4849                 public bool IsPatternMatching {
4850                         get {
4851                                 return new_expr == null && SwitchType != null;
4852                         }
4853                 }
4854
4855                 public List<SwitchLabel> RegisteredLabels {
4856                         get {
4857                                 return case_labels;
4858                         }
4859                 }
4860
4861                 public VariableReference ExpressionValue {
4862                         get {
4863                                 return value;
4864                         }
4865                 }
4866
4867                 //
4868                 // Determines the governing type for a switch.  The returned
4869                 // expression might be the expression from the switch, or an
4870                 // expression that includes any potential conversions to
4871                 //
4872                 static Expression SwitchGoverningType (ResolveContext rc, Expression expr, bool unwrapExpr)
4873                 {
4874                         switch (expr.Type.BuiltinType) {
4875                         case BuiltinTypeSpec.Type.Byte:
4876                         case BuiltinTypeSpec.Type.SByte:
4877                         case BuiltinTypeSpec.Type.UShort:
4878                         case BuiltinTypeSpec.Type.Short:
4879                         case BuiltinTypeSpec.Type.UInt:
4880                         case BuiltinTypeSpec.Type.Int:
4881                         case BuiltinTypeSpec.Type.ULong:
4882                         case BuiltinTypeSpec.Type.Long:
4883                         case BuiltinTypeSpec.Type.Char:
4884                         case BuiltinTypeSpec.Type.String:
4885                         case BuiltinTypeSpec.Type.Bool:
4886                                 return expr;
4887                         }
4888
4889                         if (expr.Type.IsEnum)
4890                                 return expr;
4891
4892                         //
4893                         // Try to find a *user* defined implicit conversion.
4894                         //
4895                         // If there is no implicit conversion, or if there are multiple
4896                         // conversions, we have to report an error
4897                         //
4898                         Expression converted = null;
4899                         foreach (TypeSpec tt in rc.Module.PredefinedTypes.SwitchUserTypes) {
4900
4901                                 if (!unwrapExpr && tt.IsNullableType && expr.Type.IsNullableType)
4902                                         break;
4903
4904                                 var restr = Convert.UserConversionRestriction.ImplicitOnly |
4905                                         Convert.UserConversionRestriction.ProbingOnly;
4906
4907                                 if (unwrapExpr)
4908                                         restr |= Convert.UserConversionRestriction.NullableSourceOnly;
4909
4910                                 var e = Convert.UserDefinedConversion (rc, expr, tt, restr, Location.Null);
4911                                 if (e == null)
4912                                         continue;
4913
4914                                 //
4915                                 // Ignore over-worked ImplicitUserConversions that do
4916                                 // an implicit conversion in addition to the user conversion.
4917                                 // 
4918                                 var uc = e as UserCast;
4919                                 if (uc == null)
4920                                         continue;
4921
4922                                 if (converted != null){
4923 //                                      rc.Report.ExtraInformation (loc, "(Ambiguous implicit user defined conversion in previous ");
4924                                         return null;
4925                                 }
4926
4927                                 converted = e;
4928                         }
4929                         return converted;
4930                 }
4931
4932                 public static TypeSpec[] CreateSwitchUserTypes (ModuleContainer module, TypeSpec nullable)
4933                 {
4934                         var types = module.Compiler.BuiltinTypes;
4935
4936                         // LAMESPEC: For some reason it does not contain bool which looks like csc bug
4937                         TypeSpec[] stypes = new[] {
4938                                 types.SByte,
4939                                 types.Byte,
4940                                 types.Short,
4941                                 types.UShort,
4942                                 types.Int,
4943                                 types.UInt,
4944                                 types.Long,
4945                                 types.ULong,
4946                                 types.Char,
4947                                 types.String
4948                         };
4949
4950                         if (nullable != null) {
4951
4952                                 Array.Resize (ref stypes, stypes.Length + 9);
4953
4954                                 for (int i = 0; i < 9; ++i) {
4955                                         stypes [10 + i] = nullable.MakeGenericType (module, new [] { stypes [i] });
4956                                 }
4957                         }
4958
4959                         return stypes;
4960                 }
4961
4962                 public void RegisterLabel (BlockContext rc, SwitchLabel sl)
4963                 {
4964                         case_labels.Add (sl);
4965
4966                         if (sl.IsDefault) {
4967                                 if (case_default != null) {
4968                                         sl.Error_AlreadyOccurs (rc, case_default);
4969                                 } else {
4970                                         case_default = sl;
4971                                 }
4972
4973                                 return;
4974                         }
4975
4976                         if (sl.Converted == null)
4977                                 return;
4978
4979                         try {
4980                                 if (string_labels != null) {
4981                                         string string_value = sl.Converted.GetValue () as string;
4982                                         if (string_value == null)
4983                                                 case_null = sl;
4984                                         else
4985                                                 string_labels.Add (string_value, sl);
4986                                 } else {
4987                                         if (sl.Converted.IsNull) {
4988                                                 case_null = sl;
4989                                         } else {
4990                                                 labels.Add (sl.Converted.GetValueAsLong (), sl);
4991                                         }
4992                                 }
4993                         } catch (ArgumentException) {
4994                                 if (string_labels != null)
4995                                         sl.Error_AlreadyOccurs (rc, string_labels[(string) sl.Converted.GetValue ()]);
4996                                 else
4997                                         sl.Error_AlreadyOccurs (rc, labels[sl.Converted.GetValueAsLong ()]);
4998                         }
4999                 }
5000                 
5001                 //
5002                 // This method emits code for a lookup-based switch statement (non-string)
5003                 // Basically it groups the cases into blocks that are at least half full,
5004                 // and then spits out individual lookup opcodes for each block.
5005                 // It emits the longest blocks first, and short blocks are just
5006                 // handled with direct compares.
5007                 //
5008                 void EmitTableSwitch (EmitContext ec, Expression val)
5009                 {
5010                         if (labels != null && labels.Count > 0) {
5011                                 List<LabelsRange> ranges;
5012                                 if (string_labels != null) {
5013                                         // We have done all hard work for string already
5014                                         // setup single range only
5015                                         ranges = new List<LabelsRange> (1);
5016                                         ranges.Add (new LabelsRange (0, labels.Count - 1, labels.Keys));
5017                                 } else {
5018                                         var element_keys = new long[labels.Count];
5019                                         labels.Keys.CopyTo (element_keys, 0);
5020                                         Array.Sort (element_keys);
5021
5022                                         //
5023                                         // Build possible ranges of switch labes to reduce number
5024                                         // of comparisons
5025                                         //
5026                                         ranges = new List<LabelsRange> (element_keys.Length);
5027                                         var range = new LabelsRange (element_keys[0]);
5028                                         ranges.Add (range);
5029                                         for (int i = 1; i < element_keys.Length; ++i) {
5030                                                 var l = element_keys[i];
5031                                                 if (range.AddValue (l))
5032                                                         continue;
5033
5034                                                 range = new LabelsRange (l);
5035                                                 ranges.Add (range);
5036                                         }
5037
5038                                         // sort the blocks so we can tackle the largest ones first
5039                                         ranges.Sort ();
5040                                 }
5041
5042                                 Label lbl_default = defaultLabel;
5043                                 TypeSpec compare_type = SwitchType.IsEnum ? EnumSpec.GetUnderlyingType (SwitchType) : SwitchType;
5044
5045                                 for (int range_index = ranges.Count - 1; range_index >= 0; --range_index) {
5046                                         LabelsRange kb = ranges[range_index];
5047                                         lbl_default = (range_index == 0) ? defaultLabel : ec.DefineLabel ();
5048
5049                                         // Optimize small ranges using simple equality check
5050                                         if (kb.Range <= 2) {
5051                                                 foreach (var key in kb.label_values) {
5052                                                         SwitchLabel sl = labels[key];
5053                                                         if (sl == case_default || sl == case_null)
5054                                                                 continue;
5055
5056                                                         if (sl.Converted.IsZeroInteger) {
5057                                                                 val.EmitBranchable (ec, sl.GetILLabel (ec), false);
5058                                                         } else {
5059                                                                 val.Emit (ec);
5060                                                                 sl.Converted.Emit (ec);
5061                                                                 ec.Emit (OpCodes.Beq, sl.GetILLabel (ec));
5062                                                         }
5063                                                 }
5064                                         } else {
5065                                                 // TODO: if all the keys in the block are the same and there are
5066                                                 //       no gaps/defaults then just use a range-check.
5067                                                 if (compare_type.BuiltinType == BuiltinTypeSpec.Type.Long || compare_type.BuiltinType == BuiltinTypeSpec.Type.ULong) {
5068                                                         // TODO: optimize constant/I4 cases
5069
5070                                                         // check block range (could be > 2^31)
5071                                                         val.Emit (ec);
5072                                                         ec.EmitLong (kb.min);
5073                                                         ec.Emit (OpCodes.Blt, lbl_default);
5074
5075                                                         val.Emit (ec);
5076                                                         ec.EmitLong (kb.max);
5077                                                         ec.Emit (OpCodes.Bgt, lbl_default);
5078
5079                                                         // normalize range
5080                                                         val.Emit (ec);
5081                                                         if (kb.min != 0) {
5082                                                                 ec.EmitLong (kb.min);
5083                                                                 ec.Emit (OpCodes.Sub);
5084                                                         }
5085
5086                                                         ec.Emit (OpCodes.Conv_I4);      // assumes < 2^31 labels!
5087                                                 } else {
5088                                                         // normalize range
5089                                                         val.Emit (ec);
5090                                                         int first = (int) kb.min;
5091                                                         if (first > 0) {
5092                                                                 ec.EmitInt (first);
5093                                                                 ec.Emit (OpCodes.Sub);
5094                                                         } else if (first < 0) {
5095                                                                 ec.EmitInt (-first);
5096                                                                 ec.Emit (OpCodes.Add);
5097                                                         }
5098                                                 }
5099
5100                                                 // first, build the list of labels for the switch
5101                                                 int iKey = 0;
5102                                                 long cJumps = kb.Range;
5103                                                 Label[] switch_labels = new Label[cJumps];
5104                                                 for (int iJump = 0; iJump < cJumps; iJump++) {
5105                                                         var key = kb.label_values[iKey];
5106                                                         if (key == kb.min + iJump) {
5107                                                                 switch_labels[iJump] = labels[key].GetILLabel (ec);
5108                                                                 iKey++;
5109                                                         } else {
5110                                                                 switch_labels[iJump] = lbl_default;
5111                                                         }
5112                                                 }
5113
5114                                                 // emit the switch opcode
5115                                                 ec.Emit (OpCodes.Switch, switch_labels);
5116                                         }
5117
5118                                         // mark the default for this block
5119                                         if (range_index != 0)
5120                                                 ec.MarkLabel (lbl_default);
5121                                 }
5122
5123                                 // the last default just goes to the end
5124                                 if (ranges.Count > 0)
5125                                         ec.Emit (OpCodes.Br, lbl_default);
5126                         }
5127                 }
5128                 
5129                 public SwitchLabel FindLabel (Constant value)
5130                 {
5131                         SwitchLabel sl = null;
5132
5133                         if (string_labels != null) {
5134                                 string s = value.GetValue () as string;
5135                                 if (s == null) {
5136                                         if (case_null != null)
5137                                                 sl = case_null;
5138                                         else if (case_default != null)
5139                                                 sl = case_default;
5140                                 } else {
5141                                         string_labels.TryGetValue (s, out sl);
5142                                 }
5143                         } else {
5144                                 if (value is NullLiteral) {
5145                                         sl = case_null;
5146                                 } else {
5147                                         labels.TryGetValue (value.GetValueAsLong (), out sl);
5148                                 }
5149                         }
5150
5151                         if (sl == null || sl.SectionStart)
5152                                 return sl;
5153
5154                         //
5155                         // Always return section start, it simplifies handling of switch labels
5156                         //
5157                         for (int idx = case_labels.IndexOf (sl); ; --idx) {
5158                                 var cs = case_labels [idx];
5159                                 if (cs.SectionStart)
5160                                         return cs;
5161                         }
5162                 }
5163
5164                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
5165                 {
5166                         Expr.FlowAnalysis (fc);
5167
5168                         var prev_switch = fc.SwitchInitialDefinitiveAssignment;
5169                         var InitialDefinitiveAssignment = fc.DefiniteAssignment;
5170                         fc.SwitchInitialDefinitiveAssignment = InitialDefinitiveAssignment;
5171
5172                         block.FlowAnalysis (fc);
5173
5174                         fc.SwitchInitialDefinitiveAssignment = prev_switch;
5175
5176                         if (end_reachable_das != null) {
5177                                 var sections_das = DefiniteAssignmentBitSet.And (end_reachable_das);
5178                                 InitialDefinitiveAssignment |= sections_das;
5179                                 end_reachable_das = null;
5180                         }
5181
5182                         fc.DefiniteAssignment = InitialDefinitiveAssignment;
5183
5184                         return case_default != null && !end_reachable;
5185                 }
5186
5187                 public override bool Resolve (BlockContext ec)
5188                 {
5189                         Expr = Expr.Resolve (ec);
5190                         if (Expr == null)
5191                                 return false;
5192
5193                         //
5194                         // LAMESPEC: User conversion from non-nullable governing type has a priority
5195                         //
5196                         new_expr = SwitchGoverningType (ec, Expr, false);
5197
5198                         if (new_expr == null) {
5199                                 if (Expr.Type.IsNullableType) {
5200                                         unwrap = Nullable.Unwrap.Create (Expr, false);
5201                                         if (unwrap == null)
5202                                                 return false;
5203
5204                                         //
5205                                         // Unwrap + user conversion using non-nullable type is not allowed but user operator
5206                                         // involving nullable Expr and nullable governing type is
5207                                         //
5208                                         new_expr = SwitchGoverningType (ec, unwrap, true);
5209                                 }
5210                         }
5211
5212                         Expression switch_expr;
5213                         if (new_expr == null) {
5214                                 if (ec.Module.Compiler.Settings.Version != LanguageVersion.Experimental) {
5215                                         if (Expr.Type != InternalType.ErrorType) {
5216                                                 ec.Report.Error (151, loc,
5217                                                         "A switch expression of type `{0}' cannot be converted to an integral type, bool, char, string, enum or nullable type",
5218                                                         Expr.Type.GetSignatureForError ());
5219                                         }
5220
5221                                         return false;
5222                                 }
5223
5224                                 switch_expr = Expr;
5225                                 SwitchType = Expr.Type;
5226                         } else {
5227                                 switch_expr = new_expr;
5228                                 SwitchType = new_expr.Type;
5229                                 if (SwitchType.IsNullableType) {
5230                                         new_expr = unwrap = Nullable.Unwrap.Create (new_expr, true);
5231                                         SwitchType = Nullable.NullableInfo.GetUnderlyingType (SwitchType);
5232                                 }
5233
5234                                 if (SwitchType.BuiltinType == BuiltinTypeSpec.Type.Bool && ec.Module.Compiler.Settings.Version == LanguageVersion.ISO_1) {
5235                                         ec.Report.FeatureIsNotAvailable (ec.Module.Compiler, loc, "switch expression of boolean type");
5236                                         return false;
5237                                 }
5238
5239                                 if (block.Statements.Count == 0)
5240                                         return true;
5241
5242                                 if (SwitchType.BuiltinType == BuiltinTypeSpec.Type.String) {
5243                                         string_labels = new Dictionary<string, SwitchLabel> ();
5244                                 } else {
5245                                         labels = new Dictionary<long, SwitchLabel> ();
5246                                 }
5247                         }
5248
5249                         var constant = switch_expr as Constant;
5250
5251                         //
5252                         // Don't need extra variable for constant switch or switch with
5253                         // only default case
5254                         //
5255                         if (constant == null) {
5256                                 //
5257                                 // Store switch expression for comparison purposes
5258                                 //
5259                                 value = switch_expr as VariableReference;
5260                                 if (value == null && !HasOnlyDefaultSection ()) {
5261                                         var current_block = ec.CurrentBlock;
5262                                         ec.CurrentBlock = Block;
5263                                         // Create temporary variable inside switch scope
5264                                         value = TemporaryVariableReference.Create (SwitchType, ec.CurrentBlock, loc);
5265                                         value.Resolve (ec);
5266                                         ec.CurrentBlock = current_block;
5267                                 }
5268                         }
5269
5270                         case_labels = new List<SwitchLabel> ();
5271
5272                         Switch old_switch = ec.Switch;
5273                         ec.Switch = this;
5274                         var parent_los = ec.EnclosingLoopOrSwitch;
5275                         ec.EnclosingLoopOrSwitch = this;
5276
5277                         var ok = Statement.Resolve (ec);
5278
5279                         ec.EnclosingLoopOrSwitch = parent_los;
5280                         ec.Switch = old_switch;
5281
5282                         //
5283                         // Check if all goto cases are valid. Needs to be done after switch
5284                         // is resolved because goto can jump forward in the scope.
5285                         //
5286                         if (goto_cases != null) {
5287                                 foreach (var gc in goto_cases) {
5288                                         if (gc.Item1 == null) {
5289                                                 if (DefaultLabel == null) {
5290                                                         Goto.Error_UnknownLabel (ec, "default", loc);
5291                                                 }
5292
5293                                                 continue;
5294                                         }
5295
5296                                         var sl = FindLabel (gc.Item2);
5297                                         if (sl == null) {
5298                                                 Goto.Error_UnknownLabel (ec, "case " + gc.Item2.GetValueAsLiteral (), loc);
5299                                         } else {
5300                                                 gc.Item1.Label = sl;
5301                                         }
5302                                 }
5303                         }
5304
5305                         if (!ok)
5306                                 return false;
5307
5308                         if (constant == null && SwitchType.BuiltinType == BuiltinTypeSpec.Type.String && string_labels.Count > 6) {
5309                                 ResolveStringSwitchMap (ec);
5310                         }
5311
5312                         //
5313                         // Anonymous storey initialization has to happen before
5314                         // any generated switch dispatch
5315                         //
5316                         block.InsertStatement (0, new DispatchStatement (this));
5317
5318                         return true;
5319                 }
5320
5321                 bool HasOnlyDefaultSection ()
5322                 {
5323                         for (int i = 0; i < block.Statements.Count; ++i) {
5324                                 var s = block.Statements[i] as SwitchLabel;
5325
5326                                 if (s == null || s.IsDefault)
5327                                         continue;
5328
5329                                 return false;
5330                         }
5331
5332                         return true;
5333                 }
5334
5335                 public override Reachability MarkReachable (Reachability rc)
5336                 {
5337                         if (rc.IsUnreachable)
5338                                 return rc;
5339
5340                         base.MarkReachable (rc);
5341
5342                         block.MarkReachableScope (rc);
5343
5344                         if (block.Statements.Count == 0)
5345                                 return rc;
5346
5347                         SwitchLabel constant_label = null;
5348                         var constant = new_expr as Constant;
5349
5350                         if (constant != null) {
5351                                 constant_label = FindLabel (constant) ?? case_default;
5352                                 if (constant_label == null) {
5353                                         block.Statements.RemoveAt (0);
5354                                         return rc;
5355                                 }
5356                         }
5357
5358                         var section_rc = new Reachability ();
5359                         SwitchLabel prev_label = null;
5360
5361                         for (int i = 0; i < block.Statements.Count; ++i) {
5362                                 var s = block.Statements[i];
5363                                 var sl = s as SwitchLabel;
5364
5365                                 if (sl != null && sl.SectionStart) {
5366                                         //
5367                                         // Section is marked already via goto case
5368                                         //
5369                                         if (!sl.IsUnreachable) {
5370                                                 section_rc = new Reachability ();
5371                                                 continue;
5372                                         }
5373
5374                                         if (constant_label != null && constant_label != sl)
5375                                                 section_rc = Reachability.CreateUnreachable ();
5376                                         else if (section_rc.IsUnreachable) {
5377                                                 section_rc = new Reachability ();
5378                                         } else {
5379                                                 if (prev_label != null) {
5380                                                         sl.SectionStart = false;
5381                                                         s = new MissingBreak (prev_label);
5382                                                         s.MarkReachable (rc);
5383                                                         block.Statements.Insert (i - 1, s);
5384                                                         ++i;
5385                                                 }
5386                                         }
5387
5388                                         prev_label = sl;
5389                                 }
5390
5391                                 section_rc = s.MarkReachable (section_rc);
5392                         }
5393
5394                         if (!section_rc.IsUnreachable && prev_label != null) {
5395                                 prev_label.SectionStart = false;
5396                                 var s = new MissingBreak (prev_label) {
5397                                         FallOut = true
5398                                 };
5399
5400                                 s.MarkReachable (rc);
5401                                 block.Statements.Add (s);
5402                         }
5403
5404                         //
5405                         // Reachability can affect parent only when all possible paths are handled but
5406                         // we still need to run reachability check on switch body to check for fall-through
5407                         //
5408                         if (case_default == null && constant_label == null)
5409                                 return rc;
5410
5411                         //
5412                         // We have at least one local exit from the switch
5413                         //
5414                         if (end_reachable)
5415                                 return rc;
5416
5417                         return Reachability.CreateUnreachable ();
5418                 }
5419
5420                 public void RegisterGotoCase (GotoCase gotoCase, Constant value)
5421                 {
5422                         if (goto_cases == null)
5423                                 goto_cases = new List<Tuple<GotoCase, Constant>> ();
5424
5425                         goto_cases.Add (Tuple.Create (gotoCase, value));
5426                 }
5427
5428                 //
5429                 // Converts string switch into string hashtable
5430                 //
5431                 void ResolveStringSwitchMap (ResolveContext ec)
5432                 {
5433                         FullNamedExpression string_dictionary_type;
5434                         if (ec.Module.PredefinedTypes.Dictionary.Define ()) {
5435                                 string_dictionary_type = new TypeExpression (
5436                                         ec.Module.PredefinedTypes.Dictionary.TypeSpec.MakeGenericType (ec,
5437                                                 new [] { ec.BuiltinTypes.String, ec.BuiltinTypes.Int }),
5438                                         loc);
5439                         } else if (ec.Module.PredefinedTypes.Hashtable.Define ()) {
5440                                 string_dictionary_type = new TypeExpression (ec.Module.PredefinedTypes.Hashtable.TypeSpec, loc);
5441                         } else {
5442                                 ec.Module.PredefinedTypes.Dictionary.Resolve ();
5443                                 return;
5444                         }
5445
5446                         var ctype = ec.CurrentMemberDefinition.Parent.PartialContainer;
5447                         Field field = new Field (ctype, string_dictionary_type,
5448                                 Modifiers.STATIC | Modifiers.PRIVATE | Modifiers.COMPILER_GENERATED,
5449                                 new MemberName (CompilerGeneratedContainer.MakeName (null, "f", "switch$map", ec.Module.CounterSwitchTypes++), loc), null);
5450                         if (!field.Define ())
5451                                 return;
5452                         ctype.AddField (field);
5453
5454                         var init = new List<Expression> ();
5455                         int counter = -1;
5456                         labels = new Dictionary<long, SwitchLabel> (string_labels.Count);
5457                         string value = null;
5458
5459                         foreach (SwitchLabel sl in case_labels) {
5460
5461                                 if (sl.SectionStart)
5462                                         labels.Add (++counter, sl);
5463
5464                                 if (sl == case_default || sl == case_null)
5465                                         continue;
5466
5467                                 value = (string) sl.Converted.GetValue ();
5468                                 var init_args = new List<Expression> (2);
5469                                 init_args.Add (new StringLiteral (ec.BuiltinTypes, value, sl.Location));
5470
5471                                 sl.Converted = new IntConstant (ec.BuiltinTypes, counter, loc);
5472                                 init_args.Add (sl.Converted);
5473
5474                                 init.Add (new CollectionElementInitializer (init_args, loc));
5475                         }
5476         
5477                         Arguments args = new Arguments (1);
5478                         args.Add (new Argument (new IntConstant (ec.BuiltinTypes, init.Count, loc)));
5479                         Expression initializer = new NewInitialize (string_dictionary_type, args,
5480                                 new CollectionOrObjectInitializers (init, loc), loc);
5481
5482                         switch_cache_field = new FieldExpr (field, loc);
5483                         string_dictionary = new SimpleAssign (switch_cache_field, initializer.Resolve (ec));
5484                 }
5485
5486                 void DoEmitStringSwitch (EmitContext ec)
5487                 {
5488                         Label l_initialized = ec.DefineLabel ();
5489
5490                         //
5491                         // Skip initialization when value is null
5492                         //
5493                         value.EmitBranchable (ec, nullLabel, false);
5494
5495                         //
5496                         // Check if string dictionary is initialized and initialize
5497                         //
5498                         switch_cache_field.EmitBranchable (ec, l_initialized, true);
5499                         using (ec.With (BuilderContext.Options.OmitDebugInfo, true)) {
5500                                 string_dictionary.EmitStatement (ec);
5501                         }
5502                         ec.MarkLabel (l_initialized);
5503
5504                         LocalTemporary string_switch_variable = new LocalTemporary (ec.BuiltinTypes.Int);
5505
5506                         ResolveContext rc = new ResolveContext (ec.MemberContext);
5507
5508                         if (switch_cache_field.Type.IsGeneric) {
5509                                 Arguments get_value_args = new Arguments (2);
5510                                 get_value_args.Add (new Argument (value));
5511                                 get_value_args.Add (new Argument (string_switch_variable, Argument.AType.Out));
5512                                 Expression get_item = new Invocation (new MemberAccess (switch_cache_field, "TryGetValue", loc), get_value_args).Resolve (rc);
5513                                 if (get_item == null)
5514                                         return;
5515
5516                                 //
5517                                 // A value was not found, go to default case
5518                                 //
5519                                 get_item.EmitBranchable (ec, defaultLabel, false);
5520                         } else {
5521                                 Arguments get_value_args = new Arguments (1);
5522                                 get_value_args.Add (new Argument (value));
5523
5524                                 Expression get_item = new ElementAccess (switch_cache_field, get_value_args, loc).Resolve (rc);
5525                                 if (get_item == null)
5526                                         return;
5527
5528                                 LocalTemporary get_item_object = new LocalTemporary (ec.BuiltinTypes.Object);
5529                                 get_item_object.EmitAssign (ec, get_item, true, false);
5530                                 ec.Emit (OpCodes.Brfalse, defaultLabel);
5531
5532                                 ExpressionStatement get_item_int = (ExpressionStatement) new SimpleAssign (string_switch_variable,
5533                                         new Cast (new TypeExpression (ec.BuiltinTypes.Int, loc), get_item_object, loc)).Resolve (rc);
5534
5535                                 get_item_int.EmitStatement (ec);
5536                                 get_item_object.Release (ec);
5537                         }
5538
5539                         EmitTableSwitch (ec, string_switch_variable);
5540                         string_switch_variable.Release (ec);
5541                 }
5542
5543                 //
5544                 // Emits switch using simple if/else comparison for small label count (4 + optional default)
5545                 //
5546                 void EmitShortSwitch (EmitContext ec)
5547                 {
5548                         MethodSpec equal_method = null;
5549                         if (SwitchType.BuiltinType == BuiltinTypeSpec.Type.String) {
5550                                 equal_method = ec.Module.PredefinedMembers.StringEqual.Resolve (loc);
5551                         }
5552
5553                         if (equal_method != null) {
5554                                 value.EmitBranchable (ec, nullLabel, false);
5555                         }
5556
5557                         for (int i = 0; i < case_labels.Count; ++i) {
5558                                 var label = case_labels [i];
5559                                 if (label == case_default || label == case_null)
5560                                         continue;
5561
5562                                 var constant = label.Converted;
5563
5564                                 if (constant == null) {
5565                                         label.Label.EmitBranchable (ec, label.GetILLabel (ec), true);
5566                                         continue;
5567                                 }
5568
5569                                 if (equal_method != null) {
5570                                         value.Emit (ec);
5571                                         constant.Emit (ec);
5572
5573                                         var call = new CallEmitter ();
5574                                         call.EmitPredefined (ec, equal_method, new Arguments (0));
5575                                         ec.Emit (OpCodes.Brtrue, label.GetILLabel (ec));
5576                                         continue;
5577                                 }
5578
5579                                 if (constant.IsZeroInteger && constant.Type.BuiltinType != BuiltinTypeSpec.Type.Long && constant.Type.BuiltinType != BuiltinTypeSpec.Type.ULong) {
5580                                         value.EmitBranchable (ec, label.GetILLabel (ec), false);
5581                                         continue;
5582                                 }
5583
5584                                 value.Emit (ec);
5585                                 constant.Emit (ec);
5586                                 ec.Emit (OpCodes.Beq, label.GetILLabel (ec));
5587                         }
5588
5589                         ec.Emit (OpCodes.Br, defaultLabel);
5590                 }
5591
5592                 void EmitDispatch (EmitContext ec)
5593                 {
5594                         if (IsPatternMatching) {
5595                                 EmitShortSwitch (ec);
5596                                 return;
5597                         }
5598
5599                         if (value == null) {
5600                                 //
5601                                 // Constant switch, we've already done the work if there is only 1 label
5602                                 // referenced
5603                                 //
5604                                 int reachable = 0;
5605                                 foreach (var sl in case_labels) {
5606                                         if (sl.IsUnreachable)
5607                                                 continue;
5608
5609                                         if (reachable++ > 0) {
5610                                                 var constant = (Constant) new_expr;
5611                                                 var constant_label = FindLabel (constant) ?? case_default;
5612
5613                                                 ec.Emit (OpCodes.Br, constant_label.GetILLabel (ec));
5614                                                 break;
5615                                         }
5616                                 }
5617
5618                                 return;
5619                         }
5620
5621                         if (string_dictionary != null) {
5622                                 DoEmitStringSwitch (ec);
5623                         } else if (case_labels.Count < 4 || string_labels != null) {
5624                                 EmitShortSwitch (ec);
5625                         } else {
5626                                 EmitTableSwitch (ec, value);
5627                         }
5628                 }
5629
5630                 protected override void DoEmit (EmitContext ec)
5631                 {
5632                         //
5633                         // Setup the codegen context
5634                         //
5635                         Label old_end = ec.LoopEnd;
5636                         Switch old_switch = ec.Switch;
5637
5638                         ec.LoopEnd = ec.DefineLabel ();
5639                         ec.Switch = this;
5640
5641                         defaultLabel = case_default == null ? ec.LoopEnd : case_default.GetILLabel (ec);
5642                         nullLabel = case_null == null ? defaultLabel : case_null.GetILLabel (ec);
5643
5644                         if (value != null) {
5645                                 ec.Mark (loc);
5646
5647                                 var switch_expr = new_expr ?? Expr;
5648                                 if (IsNullable) {
5649                                         unwrap.EmitCheck (ec);
5650                                         ec.Emit (OpCodes.Brfalse, nullLabel);
5651                                         value.EmitAssign (ec, switch_expr, false, false);
5652                                 } else if (switch_expr != value) {
5653                                         value.EmitAssign (ec, switch_expr, false, false);
5654                                 }
5655
5656
5657                                 //
5658                                 // Next statement is compiler generated we don't need extra
5659                                 // nop when we can use the statement for sequence point
5660                                 //
5661                                 ec.Mark (block.StartLocation);
5662                                 block.IsCompilerGenerated = true;
5663                         } else {
5664                                 new_expr.EmitSideEffect (ec);
5665                         }
5666
5667                         block.Emit (ec);
5668
5669                         // Restore context state. 
5670                         ec.MarkLabel (ec.LoopEnd);
5671
5672                         //
5673                         // Restore the previous context
5674                         //
5675                         ec.LoopEnd = old_end;
5676                         ec.Switch = old_switch;
5677                 }
5678
5679                 protected override void CloneTo (CloneContext clonectx, Statement t)
5680                 {
5681                         Switch target = (Switch) t;
5682
5683                         target.Expr = Expr.Clone (clonectx);
5684                         target.Statement = target.block = (ExplicitBlock) block.Clone (clonectx);
5685                 }
5686                 
5687                 public override object Accept (StructuralVisitor visitor)
5688                 {
5689                         return visitor.Visit (this);
5690                 }
5691
5692                 public override void AddEndDefiniteAssignment (FlowAnalysisContext fc)
5693                 {
5694                         if (case_default == null && !(new_expr is Constant))
5695                                 return;
5696
5697                         if (end_reachable_das == null)
5698                                 end_reachable_das = new List<DefiniteAssignmentBitSet> ();
5699
5700                         end_reachable_das.Add (fc.DefiniteAssignment);
5701                 }
5702
5703                 public override void SetEndReachable ()
5704                 {
5705                         end_reachable = true;
5706                 }
5707         }
5708
5709         // A place where execution can restart in a state machine
5710         public abstract class ResumableStatement : Statement
5711         {
5712                 bool prepared;
5713                 protected Label resume_point;
5714
5715                 public Label PrepareForEmit (EmitContext ec)
5716                 {
5717                         if (!prepared) {
5718                                 prepared = true;
5719                                 resume_point = ec.DefineLabel ();
5720                         }
5721                         return resume_point;
5722                 }
5723
5724                 public virtual Label PrepareForDispose (EmitContext ec, Label end)
5725                 {
5726                         return end;
5727                 }
5728
5729                 public virtual void EmitForDispose (EmitContext ec, LocalBuilder pc, Label end, bool have_dispatcher)
5730                 {
5731                 }
5732         }
5733
5734         public abstract class TryFinallyBlock : ExceptionStatement
5735         {
5736                 protected Statement stmt;
5737                 Label dispose_try_block;
5738                 bool prepared_for_dispose, emitted_dispose;
5739                 Method finally_host;
5740
5741                 protected TryFinallyBlock (Statement stmt, Location loc)
5742                         : base (loc)
5743                 {
5744                         this.stmt = stmt;
5745                 }
5746
5747                 #region Properties
5748
5749                 public Statement Statement {
5750                         get {
5751                                 return stmt;
5752                         }
5753                 }
5754
5755                 #endregion
5756
5757                 protected abstract void EmitTryBody (EmitContext ec);
5758                 public abstract void EmitFinallyBody (EmitContext ec);
5759
5760                 public override Label PrepareForDispose (EmitContext ec, Label end)
5761                 {
5762                         if (!prepared_for_dispose) {
5763                                 prepared_for_dispose = true;
5764                                 dispose_try_block = ec.DefineLabel ();
5765                         }
5766                         return dispose_try_block;
5767                 }
5768
5769                 protected sealed override void DoEmit (EmitContext ec)
5770                 {
5771                         EmitTryBodyPrepare (ec);
5772                         EmitTryBody (ec);
5773
5774                         bool beginFinally = EmitBeginFinallyBlock (ec);
5775
5776                         Label start_finally = ec.DefineLabel ();
5777                         if (resume_points != null && beginFinally) {
5778                                 var state_machine = (StateMachineInitializer) ec.CurrentAnonymousMethod;
5779
5780                                 ec.Emit (OpCodes.Ldloc, state_machine.SkipFinally);
5781                                 ec.Emit (OpCodes.Brfalse_S, start_finally);
5782                                 ec.Emit (OpCodes.Endfinally);
5783                         }
5784
5785                         ec.MarkLabel (start_finally);
5786
5787                         if (finally_host != null) {
5788                                 finally_host.Define ();
5789                                 finally_host.PrepareEmit ();
5790                                 finally_host.Emit ();
5791
5792                                 // Now it's safe to add, to close it properly and emit sequence points
5793                                 finally_host.Parent.AddMember (finally_host);
5794
5795                                 var ce = new CallEmitter ();
5796                                 ce.InstanceExpression = new CompilerGeneratedThis (ec.CurrentType, loc);
5797                                 ce.EmitPredefined (ec, finally_host.Spec, new Arguments (0), true);
5798                         } else {
5799                                 EmitFinallyBody (ec);
5800                         }
5801
5802                         if (beginFinally)
5803                                 ec.EndExceptionBlock ();
5804                 }
5805
5806                 public override void EmitForDispose (EmitContext ec, LocalBuilder pc, Label end, bool have_dispatcher)
5807                 {
5808                         if (emitted_dispose)
5809                                 return;
5810
5811                         emitted_dispose = true;
5812
5813                         Label end_of_try = ec.DefineLabel ();
5814
5815                         // Ensure that the only way we can get into this code is through a dispatcher
5816                         if (have_dispatcher)
5817                                 ec.Emit (OpCodes.Br, end);
5818
5819                         ec.BeginExceptionBlock ();
5820
5821                         ec.MarkLabel (dispose_try_block);
5822
5823                         Label[] labels = null;
5824                         for (int i = 0; i < resume_points.Count; ++i) {
5825                                 ResumableStatement s = resume_points[i];
5826                                 Label ret = s.PrepareForDispose (ec, end_of_try);
5827                                 if (ret.Equals (end_of_try) && labels == null)
5828                                         continue;
5829                                 if (labels == null) {
5830                                         labels = new Label[resume_points.Count];
5831                                         for (int j = 0; j < i; ++j)
5832                                                 labels[j] = end_of_try;
5833                                 }
5834                                 labels[i] = ret;
5835                         }
5836
5837                         if (labels != null) {
5838                                 int j;
5839                                 for (j = 1; j < labels.Length; ++j)
5840                                         if (!labels[0].Equals (labels[j]))
5841                                                 break;
5842                                 bool emit_dispatcher = j < labels.Length;
5843
5844                                 if (emit_dispatcher) {
5845                                         ec.Emit (OpCodes.Ldloc, pc);
5846                                         ec.EmitInt (first_resume_pc);
5847                                         ec.Emit (OpCodes.Sub);
5848                                         ec.Emit (OpCodes.Switch, labels);
5849                                 }
5850
5851                                 foreach (ResumableStatement s in resume_points)
5852                                         s.EmitForDispose (ec, pc, end_of_try, emit_dispatcher);
5853                         }
5854
5855                         ec.MarkLabel (end_of_try);
5856
5857                         ec.BeginFinallyBlock ();
5858
5859                         if (finally_host != null) {
5860                                 var ce = new CallEmitter ();
5861                                 ce.InstanceExpression = new CompilerGeneratedThis (ec.CurrentType, loc);
5862                                 ce.EmitPredefined (ec, finally_host.Spec, new Arguments (0), true);
5863                         } else {
5864                                 EmitFinallyBody (ec);
5865                         }
5866
5867                         ec.EndExceptionBlock ();
5868                 }
5869
5870                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
5871                 {
5872                         var res = stmt.FlowAnalysis (fc);
5873                         parent = null;
5874                         return res;
5875                 }
5876
5877                 protected virtual bool EmitBeginFinallyBlock (EmitContext ec)
5878                 {
5879                         ec.BeginFinallyBlock ();
5880                         return true;
5881                 }
5882
5883                 public override Reachability MarkReachable (Reachability rc)
5884                 {
5885                         base.MarkReachable (rc);
5886                         return Statement.MarkReachable (rc);
5887                 }
5888
5889                 public override bool Resolve (BlockContext bc)
5890                 {
5891                         bool ok;
5892
5893                         parent = bc.CurrentTryBlock;
5894                         bc.CurrentTryBlock = this;
5895
5896                         using (bc.Set (ResolveContext.Options.TryScope)) {
5897                                 ok = stmt.Resolve (bc);
5898                         }
5899
5900                         bc.CurrentTryBlock = parent;
5901
5902                         //
5903                         // Finally block inside iterator is called from MoveNext and
5904                         // Dispose methods that means we need to lift the block into
5905                         // newly created host method to emit the body only once. The
5906                         // original block then simply calls the newly generated method.
5907                         //
5908                         if (bc.CurrentIterator != null && !bc.IsInProbingMode) {
5909                                 var b = stmt as Block;
5910                                 if (b != null && b.Explicit.HasYield) {
5911                                         finally_host = bc.CurrentIterator.CreateFinallyHost (this);
5912                                 }
5913                         }
5914
5915                         return base.Resolve (bc) && ok;
5916                 }
5917         }
5918
5919         //
5920         // Base class for blocks using exception handling
5921         //
5922         public abstract class ExceptionStatement : ResumableStatement
5923         {
5924                 protected List<ResumableStatement> resume_points;
5925                 protected int first_resume_pc;
5926                 protected ExceptionStatement parent;
5927
5928                 protected ExceptionStatement (Location loc)
5929                 {
5930                         this.loc = loc;
5931                 }
5932
5933                 protected virtual void EmitBeginException (EmitContext ec)
5934                 {
5935                         ec.BeginExceptionBlock ();
5936                 }
5937
5938                 protected virtual void EmitTryBodyPrepare (EmitContext ec)
5939                 {
5940                         StateMachineInitializer state_machine = null;
5941                         if (resume_points != null) {
5942                                 state_machine = (StateMachineInitializer) ec.CurrentAnonymousMethod;
5943
5944                                 ec.EmitInt ((int) IteratorStorey.State.Running);
5945                                 ec.Emit (OpCodes.Stloc, state_machine.CurrentPC);
5946                         }
5947
5948                         EmitBeginException (ec);
5949
5950                         if (resume_points != null) {
5951                                 ec.MarkLabel (resume_point);
5952
5953                                 // For normal control flow, we want to fall-through the Switch
5954                                 // So, we use CurrentPC rather than the $PC field, and initialize it to an outside value above
5955                                 ec.Emit (OpCodes.Ldloc, state_machine.CurrentPC);
5956                                 ec.EmitInt (first_resume_pc);
5957                                 ec.Emit (OpCodes.Sub);
5958
5959                                 Label[] labels = new Label[resume_points.Count];
5960                                 for (int i = 0; i < resume_points.Count; ++i)
5961                                         labels[i] = resume_points[i].PrepareForEmit (ec);
5962                                 ec.Emit (OpCodes.Switch, labels);
5963                         }
5964                 }
5965
5966                 public virtual int AddResumePoint (ResumableStatement stmt, int pc, StateMachineInitializer stateMachine)
5967                 {
5968                         if (parent != null) {
5969                                 // TODO: MOVE to virtual TryCatch
5970                                 var tc = this as TryCatch;
5971                                 var s = tc != null && tc.IsTryCatchFinally ? stmt : this;
5972
5973                                 pc = parent.AddResumePoint (s, pc, stateMachine);
5974                         } else {
5975                                 pc = stateMachine.AddResumePoint (this);
5976                         }
5977
5978                         if (resume_points == null) {
5979                                 resume_points = new List<ResumableStatement> ();
5980                                 first_resume_pc = pc;
5981                         }
5982
5983                         if (pc != first_resume_pc + resume_points.Count)
5984                                 throw new InternalErrorException ("missed an intervening AddResumePoint?");
5985
5986                         resume_points.Add (stmt);
5987                         return pc;
5988                 }
5989         }
5990
5991         public class Lock : TryFinallyBlock
5992         {
5993                 Expression expr;
5994                 TemporaryVariableReference expr_copy;
5995                 TemporaryVariableReference lock_taken;
5996                         
5997                 public Lock (Expression expr, Statement stmt, Location loc)
5998                         : base (stmt, loc)
5999                 {
6000                         this.expr = expr;
6001                 }
6002
6003                 public Expression Expr {
6004                         get {
6005                                 return this.expr;
6006                         }
6007                 }
6008
6009                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
6010                 {
6011                         expr.FlowAnalysis (fc);
6012                         return base.DoFlowAnalysis (fc);
6013                 }
6014
6015                 public override bool Resolve (BlockContext ec)
6016                 {
6017                         expr = expr.Resolve (ec);
6018                         if (expr == null)
6019                                 return false;
6020
6021                         if (!TypeSpec.IsReferenceType (expr.Type) && expr.Type != InternalType.ErrorType) {
6022                                 ec.Report.Error (185, loc,
6023                                         "`{0}' is not a reference type as required by the lock statement",
6024                                         expr.Type.GetSignatureForError ());
6025                         }
6026
6027                         if (expr.Type.IsGenericParameter) {
6028                                 expr = Convert.ImplicitTypeParameterConversion (expr, (TypeParameterSpec)expr.Type, ec.BuiltinTypes.Object);
6029                         }
6030
6031                         VariableReference lv = expr as VariableReference;
6032                         bool locked;
6033                         if (lv != null) {
6034                                 locked = lv.IsLockedByStatement;
6035                                 lv.IsLockedByStatement = true;
6036                         } else {
6037                                 lv = null;
6038                                 locked = false;
6039                         }
6040
6041                         //
6042                         // Have to keep original lock value around to unlock same location
6043                         // in the case of original value has changed or is null
6044                         //
6045                         expr_copy = TemporaryVariableReference.Create (ec.BuiltinTypes.Object, ec.CurrentBlock, loc);
6046                         expr_copy.Resolve (ec);
6047
6048                         //
6049                         // Ensure Monitor methods are available
6050                         //
6051                         if (ResolvePredefinedMethods (ec) > 1) {
6052                                 lock_taken = TemporaryVariableReference.Create (ec.BuiltinTypes.Bool, ec.CurrentBlock, loc);
6053                                 lock_taken.Resolve (ec);
6054                         }
6055
6056                         using (ec.Set (ResolveContext.Options.LockScope)) {
6057                                 base.Resolve (ec);
6058                         }
6059
6060                         if (lv != null) {
6061                                 lv.IsLockedByStatement = locked;
6062                         }
6063
6064                         return true;
6065                 }
6066                 
6067                 protected override void EmitTryBodyPrepare (EmitContext ec)
6068                 {
6069                         expr_copy.EmitAssign (ec, expr);
6070
6071                         if (lock_taken != null) {
6072                                 //
6073                                 // Initialize ref variable
6074                                 //
6075                                 lock_taken.EmitAssign (ec, new BoolLiteral (ec.BuiltinTypes, false, loc));
6076                         } else {
6077                                 //
6078                                 // Monitor.Enter (expr_copy)
6079                                 //
6080                                 expr_copy.Emit (ec);
6081                                 ec.Emit (OpCodes.Call, ec.Module.PredefinedMembers.MonitorEnter.Get ());
6082                         }
6083
6084                         base.EmitTryBodyPrepare (ec);
6085                 }
6086
6087                 protected override void EmitTryBody (EmitContext ec)
6088                 {
6089                         //
6090                         // Monitor.Enter (expr_copy, ref lock_taken)
6091                         //
6092                         if (lock_taken != null) {
6093                                 expr_copy.Emit (ec);
6094                                 lock_taken.LocalInfo.CreateBuilder (ec);
6095                                 lock_taken.AddressOf (ec, AddressOp.Load);
6096                                 ec.Emit (OpCodes.Call, ec.Module.PredefinedMembers.MonitorEnter_v4.Get ());
6097                         }
6098
6099                         Statement.Emit (ec);
6100                 }
6101
6102                 public override void EmitFinallyBody (EmitContext ec)
6103                 {
6104                         //
6105                         // if (lock_taken) Monitor.Exit (expr_copy)
6106                         //
6107                         Label skip = ec.DefineLabel ();
6108
6109                         if (lock_taken != null) {
6110                                 lock_taken.Emit (ec);
6111                                 ec.Emit (OpCodes.Brfalse_S, skip);
6112                         }
6113
6114                         expr_copy.Emit (ec);
6115                         var m = ec.Module.PredefinedMembers.MonitorExit.Resolve (loc);
6116                         if (m != null)
6117                                 ec.Emit (OpCodes.Call, m);
6118
6119                         ec.MarkLabel (skip);
6120                 }
6121
6122                 int ResolvePredefinedMethods (ResolveContext rc)
6123                 {
6124                         // Try 4.0 Monitor.Enter (object, ref bool) overload first
6125                         var m = rc.Module.PredefinedMembers.MonitorEnter_v4.Get ();
6126                         if (m != null)
6127                                 return 4;
6128
6129                         m = rc.Module.PredefinedMembers.MonitorEnter.Get ();
6130                         if (m != null)
6131                                 return 1;
6132
6133                         rc.Module.PredefinedMembers.MonitorEnter_v4.Resolve (loc);
6134                         return 0;
6135                 }
6136
6137                 protected override void CloneTo (CloneContext clonectx, Statement t)
6138                 {
6139                         Lock target = (Lock) t;
6140
6141                         target.expr = expr.Clone (clonectx);
6142                         target.stmt = Statement.Clone (clonectx);
6143                 }
6144                 
6145                 public override object Accept (StructuralVisitor visitor)
6146                 {
6147                         return visitor.Visit (this);
6148                 }
6149
6150         }
6151
6152         public class Unchecked : Statement {
6153                 public Block Block;
6154                 
6155                 public Unchecked (Block b, Location loc)
6156                 {
6157                         Block = b;
6158                         b.Unchecked = true;
6159                         this.loc = loc;
6160                 }
6161
6162                 public override bool Resolve (BlockContext ec)
6163                 {
6164                         using (ec.With (ResolveContext.Options.AllCheckStateFlags, false))
6165                                 return Block.Resolve (ec);
6166                 }
6167                 
6168                 protected override void DoEmit (EmitContext ec)
6169                 {
6170                         using (ec.With (EmitContext.Options.CheckedScope, false))
6171                                 Block.Emit (ec);
6172                 }
6173
6174                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
6175                 {
6176                         return Block.FlowAnalysis (fc);
6177                 }
6178
6179                 public override Reachability MarkReachable (Reachability rc)
6180                 {
6181                         base.MarkReachable (rc);
6182                         return Block.MarkReachable (rc);
6183                 }
6184
6185                 protected override void CloneTo (CloneContext clonectx, Statement t)
6186                 {
6187                         Unchecked target = (Unchecked) t;
6188
6189                         target.Block = clonectx.LookupBlock (Block);
6190                 }
6191                 
6192                 public override object Accept (StructuralVisitor visitor)
6193                 {
6194                         return visitor.Visit (this);
6195                 }
6196         }
6197
6198         public class Checked : Statement {
6199                 public Block Block;
6200                 
6201                 public Checked (Block b, Location loc)
6202                 {
6203                         Block = b;
6204                         b.Unchecked = false;
6205                         this.loc = loc;
6206                 }
6207
6208                 public override bool Resolve (BlockContext ec)
6209                 {
6210                         using (ec.With (ResolveContext.Options.AllCheckStateFlags, true))
6211                                 return Block.Resolve (ec);
6212                 }
6213
6214                 protected override void DoEmit (EmitContext ec)
6215                 {
6216                         using (ec.With (EmitContext.Options.CheckedScope, true))
6217                                 Block.Emit (ec);
6218                 }
6219
6220                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
6221                 {
6222                         return Block.FlowAnalysis (fc);
6223                 }
6224
6225                 public override Reachability MarkReachable (Reachability rc)
6226                 {
6227                         base.MarkReachable (rc);
6228                         return Block.MarkReachable (rc);
6229                 }
6230
6231                 protected override void CloneTo (CloneContext clonectx, Statement t)
6232                 {
6233                         Checked target = (Checked) t;
6234
6235                         target.Block = clonectx.LookupBlock (Block);
6236                 }
6237                 
6238                 public override object Accept (StructuralVisitor visitor)
6239                 {
6240                         return visitor.Visit (this);
6241                 }
6242         }
6243
6244         public class Unsafe : Statement {
6245                 public Block Block;
6246
6247                 public Unsafe (Block b, Location loc)
6248                 {
6249                         Block = b;
6250                         Block.Unsafe = true;
6251                         this.loc = loc;
6252                 }
6253
6254                 public override bool Resolve (BlockContext ec)
6255                 {
6256                         if (ec.CurrentIterator != null)
6257                                 ec.Report.Error (1629, loc, "Unsafe code may not appear in iterators");
6258
6259                         using (ec.Set (ResolveContext.Options.UnsafeScope))
6260                                 return Block.Resolve (ec);
6261                 }
6262                 
6263                 protected override void DoEmit (EmitContext ec)
6264                 {
6265                         Block.Emit (ec);
6266                 }
6267
6268                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
6269                 {
6270                         return Block.FlowAnalysis (fc);
6271                 }
6272
6273                 public override Reachability MarkReachable (Reachability rc)
6274                 {
6275                         base.MarkReachable (rc);
6276                         return Block.MarkReachable (rc);
6277                 }
6278
6279                 protected override void CloneTo (CloneContext clonectx, Statement t)
6280                 {
6281                         Unsafe target = (Unsafe) t;
6282
6283                         target.Block = clonectx.LookupBlock (Block);
6284                 }
6285                 
6286                 public override object Accept (StructuralVisitor visitor)
6287                 {
6288                         return visitor.Visit (this);
6289                 }
6290         }
6291
6292         // 
6293         // Fixed statement
6294         //
6295         public class Fixed : Statement
6296         {
6297                 abstract class Emitter : ShimExpression
6298                 {
6299                         protected LocalVariable vi;
6300
6301                         protected Emitter (Expression expr, LocalVariable li)
6302                                 : base (expr)
6303                         {
6304                                 vi = li;
6305                         }
6306
6307                         public abstract void EmitExit (EmitContext ec);
6308
6309                         public override void FlowAnalysis (FlowAnalysisContext fc)
6310                         {
6311                                 expr.FlowAnalysis (fc);
6312                         }
6313                 }
6314
6315                 sealed class ExpressionEmitter : Emitter {
6316                         public ExpressionEmitter (Expression converted, LocalVariable li)
6317                                 : base (converted, li)
6318                         {
6319                         }
6320
6321                         protected override Expression DoResolve (ResolveContext rc)
6322                         {
6323                                 throw new NotImplementedException ();
6324                         }
6325
6326                         public override void Emit (EmitContext ec) {
6327                                 //
6328                                 // Store pointer in pinned location
6329                                 //
6330                                 expr.Emit (ec);
6331                                 vi.EmitAssign (ec);
6332                         }
6333
6334                         public override void EmitExit (EmitContext ec)
6335                         {
6336                                 ec.EmitInt (0);
6337                                 ec.Emit (OpCodes.Conv_U);
6338                                 vi.EmitAssign (ec);
6339                         }
6340                 }
6341
6342                 class StringEmitter : Emitter
6343                 {
6344                         LocalVariable pinned_string;
6345
6346                         public StringEmitter (Expression expr, LocalVariable li)
6347                                 : base (expr, li)
6348                         {
6349                         }
6350
6351                         protected override Expression DoResolve (ResolveContext rc)
6352                         {
6353                                 pinned_string = new LocalVariable (vi.Block, "$pinned",
6354                                         LocalVariable.Flags.FixedVariable | LocalVariable.Flags.CompilerGenerated | LocalVariable.Flags.Used,
6355                                         vi.Location);
6356                                 pinned_string.Type = rc.BuiltinTypes.String;
6357                                 vi.IsFixed = false;
6358
6359                                 eclass = ExprClass.Variable;
6360                                 type = rc.BuiltinTypes.Int;
6361                                 return this;
6362                         }
6363
6364                         public override void Emit (EmitContext ec)
6365                         {
6366                                 pinned_string.CreateBuilder (ec);
6367
6368                                 expr.Emit (ec);
6369                                 pinned_string.EmitAssign (ec);
6370
6371                                 // TODO: Should use Binary::Add
6372                                 pinned_string.Emit (ec);
6373                                 ec.Emit (OpCodes.Conv_I);
6374
6375                                 var m = ec.Module.PredefinedMembers.RuntimeHelpersOffsetToStringData.Resolve (loc);
6376                                 if (m == null)
6377                                         return;
6378
6379                                 PropertyExpr pe = new PropertyExpr (m, pinned_string.Location);
6380                                 //pe.InstanceExpression = pinned_string;
6381                                 pe.Resolve (new ResolveContext (ec.MemberContext)).Emit (ec);
6382
6383                                 ec.Emit (OpCodes.Add);
6384                                 vi.EmitAssign (ec);
6385                         }
6386
6387                         public override void EmitExit (EmitContext ec)
6388                         {
6389                                 ec.EmitNull ();
6390                                 pinned_string.EmitAssign (ec);
6391                         }
6392                 }
6393
6394                 public class VariableDeclaration : BlockVariable
6395                 {
6396                         public VariableDeclaration (FullNamedExpression type, LocalVariable li)
6397                                 : base (type, li)
6398                         {
6399                         }
6400
6401                         protected override Expression ResolveInitializer (BlockContext bc, LocalVariable li, Expression initializer)
6402                         {
6403                                 if (!Variable.Type.IsPointer && li == Variable) {
6404                                         bc.Report.Error (209, TypeExpression.Location,
6405                                                 "The type of locals declared in a fixed statement must be a pointer type");
6406                                         return null;
6407                                 }
6408
6409                                 var res = initializer.Resolve (bc);
6410                                 if (res == null)
6411                                         return null;
6412
6413                                 //
6414                                 // Case 1: Array
6415                                 //
6416                                 var ac = res.Type as ArrayContainer;
6417                                 if (ac != null) {
6418                                         TypeSpec array_type = ac.Element;
6419
6420                                         //
6421                                         // Provided that array_type is unmanaged,
6422                                         //
6423                                         if (!TypeManager.VerifyUnmanaged (bc.Module, array_type, loc))
6424                                                 return null;
6425
6426                                         Expression res_init;
6427                                         if (ExpressionAnalyzer.IsInexpensiveLoad (res)) {
6428                                                 res_init = res;
6429                                         } else {
6430                                                 var expr_variable = LocalVariable.CreateCompilerGenerated (ac, bc.CurrentBlock, loc);
6431                                                 res_init = new CompilerAssign (expr_variable.CreateReferenceExpression (bc, loc), res, loc);
6432                                                 res = expr_variable.CreateReferenceExpression (bc, loc);
6433                                         }
6434
6435                                         //
6436                                         // and T* is implicitly convertible to the
6437                                         // pointer type given in the fixed statement.
6438                                         //
6439                                         ArrayPtr array_ptr = new ArrayPtr (res, array_type, loc);
6440
6441                                         Expression converted = Convert.ImplicitConversionRequired (bc, array_ptr.Resolve (bc), li.Type, loc);
6442                                         if (converted == null)
6443                                                 return null;
6444
6445                                         //
6446                                         // fixed (T* e_ptr = (e == null || e.Length == 0) ? null : converted [0])
6447                                         //
6448                                         converted = new Conditional (new BooleanExpression (new Binary (Binary.Operator.LogicalOr,
6449                                                 new Binary (Binary.Operator.Equality, res_init, new NullLiteral (loc)),
6450                                                 new Binary (Binary.Operator.Equality, new MemberAccess (res, "Length"), new IntConstant (bc.BuiltinTypes, 0, loc)))),
6451                                                         new NullLiteral (loc),
6452                                                         converted, loc);
6453
6454                                         converted = converted.Resolve (bc);
6455
6456                                         return new ExpressionEmitter (converted, li);
6457                                 }
6458
6459                                 //
6460                                 // Case 2: string
6461                                 //
6462                                 if (res.Type.BuiltinType == BuiltinTypeSpec.Type.String) {
6463                                         return new StringEmitter (res, li).Resolve (bc);
6464                                 }
6465
6466                                 // Case 3: fixed buffer
6467                                 if (res is FixedBufferPtr) {
6468                                         return new ExpressionEmitter (res, li);
6469                                 }
6470
6471                                 bool already_fixed = true;
6472
6473                                 //
6474                                 // Case 4: & object.
6475                                 //
6476                                 Unary u = res as Unary;
6477                                 if (u != null) {
6478                                         if (u.Oper == Unary.Operator.AddressOf) {
6479                                                 IVariableReference vr = u.Expr as IVariableReference;
6480                                                 if (vr == null || !vr.IsFixed) {
6481                                                         already_fixed = false;
6482                                                 }
6483                                         }
6484                                 } else if (initializer is Cast) {
6485                                         bc.Report.Error (254, initializer.Location, "The right hand side of a fixed statement assignment may not be a cast expression");
6486                                         return null;
6487                                 }
6488
6489                                 if (already_fixed) {
6490                                         bc.Report.Error (213, loc, "You cannot use the fixed statement to take the address of an already fixed expression");
6491                                 }
6492
6493                                 res = Convert.ImplicitConversionRequired (bc, res, li.Type, loc);
6494                                 return new ExpressionEmitter (res, li);
6495                         }
6496                 }
6497
6498
6499                 VariableDeclaration decl;
6500                 Statement statement;
6501                 bool has_ret;
6502
6503                 public Fixed (VariableDeclaration decl, Statement stmt, Location l)
6504                 {
6505                         this.decl = decl;
6506                         statement = stmt;
6507                         loc = l;
6508                 }
6509
6510                 #region Properties
6511
6512                 public Statement Statement {
6513                         get {
6514                                 return statement;
6515                         }
6516                 }
6517
6518                 public BlockVariable Variables {
6519                         get {
6520                                 return decl;
6521                         }
6522                 }
6523
6524                 #endregion
6525
6526                 public override bool Resolve (BlockContext bc)
6527                 {
6528                         using (bc.Set (ResolveContext.Options.FixedInitializerScope)) {
6529                                 if (!decl.Resolve (bc))
6530                                         return false;
6531                         }
6532
6533                         return statement.Resolve (bc);
6534                 }
6535
6536                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
6537                 {
6538                         decl.FlowAnalysis (fc);
6539                         return statement.FlowAnalysis (fc);
6540                 }
6541                 
6542                 protected override void DoEmit (EmitContext ec)
6543                 {
6544                         decl.Variable.CreateBuilder (ec);
6545                         decl.Initializer.Emit (ec);
6546                         if (decl.Declarators != null) {
6547                                 foreach (var d in decl.Declarators) {
6548                                         d.Variable.CreateBuilder (ec);
6549                                         d.Initializer.Emit (ec);
6550                                 }
6551                         }
6552
6553                         statement.Emit (ec);
6554
6555                         if (has_ret)
6556                                 return;
6557
6558                         //
6559                         // Clear the pinned variable
6560                         //
6561                         ((Emitter) decl.Initializer).EmitExit (ec);
6562                         if (decl.Declarators != null) {
6563                                 foreach (var d in decl.Declarators) {
6564                                         ((Emitter)d.Initializer).EmitExit (ec);
6565                                 }
6566                         }
6567                 }
6568
6569                 public override Reachability MarkReachable (Reachability rc)
6570                 {
6571                         base.MarkReachable (rc);
6572
6573                         decl.MarkReachable (rc);
6574
6575                         rc = statement.MarkReachable (rc);
6576
6577                         // TODO: What if there is local exit?
6578                         has_ret = rc.IsUnreachable;
6579                         return rc;
6580                 }
6581
6582                 protected override void CloneTo (CloneContext clonectx, Statement t)
6583                 {
6584                         Fixed target = (Fixed) t;
6585
6586                         target.decl = (VariableDeclaration) decl.Clone (clonectx);
6587                         target.statement = statement.Clone (clonectx);
6588                 }
6589                 
6590                 public override object Accept (StructuralVisitor visitor)
6591                 {
6592                         return visitor.Visit (this);
6593                 }
6594         }
6595
6596         public class Catch : Statement
6597         {
6598                 class CatchVariableStore : Statement
6599                 {
6600                         readonly Catch ctch;
6601
6602                         public CatchVariableStore (Catch ctch)
6603                         {
6604                                 this.ctch = ctch;
6605                         }
6606
6607                         protected override void CloneTo (CloneContext clonectx, Statement target)
6608                         {
6609                         }
6610
6611                         protected override void DoEmit (EmitContext ec)
6612                         {
6613                                 // Emits catch variable debug information inside correct block
6614                                 ctch.EmitCatchVariableStore (ec);
6615                         }
6616
6617                         protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
6618                         {
6619                                 return true;
6620                         }
6621                 }
6622
6623                 class FilterStatement : Statement
6624                 {
6625                         readonly Catch ctch;
6626
6627                         public FilterStatement (Catch ctch)
6628                         {
6629                                 this.ctch = ctch;
6630                         }
6631
6632                         protected override void CloneTo (CloneContext clonectx, Statement target)
6633                         {
6634                         }
6635
6636                         protected override void DoEmit (EmitContext ec)
6637                         {
6638                                 if (ctch.li != null) {
6639                                         if (ctch.hoisted_temp != null)
6640                                                 ctch.hoisted_temp.Emit (ec);
6641                                         else
6642                                                 ctch.li.Emit (ec);
6643
6644                                         if (!ctch.IsGeneral && ctch.type.Kind == MemberKind.TypeParameter)
6645                                                 ec.Emit (OpCodes.Box, ctch.type);
6646                                 }
6647
6648                                 var expr_start = ec.DefineLabel ();
6649                                 var end = ec.DefineLabel ();
6650
6651                                 ec.Emit (OpCodes.Brtrue_S, expr_start);
6652                                 ec.EmitInt (0);
6653                                 ec.Emit (OpCodes.Br, end);
6654                                 ec.MarkLabel (expr_start);
6655
6656                                 ctch.Filter.Emit (ec);
6657
6658                                 ec.MarkLabel (end);
6659                                 ec.Emit (OpCodes.Endfilter);
6660                                 ec.BeginFilterHandler ();
6661                                 ec.Emit (OpCodes.Pop);
6662                         }
6663
6664                         protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
6665                         {
6666                                 ctch.Filter.FlowAnalysis (fc);
6667                                 return true;
6668                         }
6669
6670                         public override bool Resolve (BlockContext bc)
6671                         {
6672                                 ctch.Filter = ctch.Filter.Resolve (bc);
6673
6674                                 if (ctch.Filter != null) {
6675                                         if (ctch.Filter.ContainsEmitWithAwait ()) {
6676                                                 bc.Report.Error (7094, ctch.Filter.Location, "The `await' operator cannot be used in the filter expression of a catch clause");
6677                                         }
6678
6679                                         var c = ctch.Filter as Constant;
6680                                         if (c != null && !c.IsDefaultValue) {
6681                                                 bc.Report.Warning (7095, 1, ctch.Filter.Location, "Exception filter expression is a constant");
6682                                         }
6683                                 }
6684
6685                                 return true;
6686                         }
6687                 }
6688
6689                 ExplicitBlock block;
6690                 LocalVariable li;
6691                 FullNamedExpression type_expr;
6692                 CompilerAssign assign;
6693                 TypeSpec type;
6694                 LocalTemporary hoisted_temp;
6695
6696                 public Catch (ExplicitBlock block, Location loc)
6697                 {
6698                         this.block = block;
6699                         this.loc = loc;
6700                 }
6701
6702                 #region Properties
6703
6704                 public ExplicitBlock Block {
6705                         get {
6706                                 return block;
6707                         }
6708                 }
6709
6710                 public TypeSpec CatchType {
6711                         get {
6712                                 return type;
6713                         }
6714                 }
6715
6716                 public Expression Filter {
6717                         get; set;
6718                 }
6719
6720                 public bool IsGeneral {
6721                         get {
6722                                 return type_expr == null;
6723                         }
6724                 }
6725
6726                 public FullNamedExpression TypeExpression {
6727                         get {
6728                                 return type_expr;
6729                         }
6730                         set {
6731                                 type_expr = value;
6732                         }
6733                 }
6734
6735                 public LocalVariable Variable {
6736                         get {
6737                                 return li;
6738                         }
6739                         set {
6740                                 li = value;
6741                         }
6742                 }
6743
6744                 #endregion
6745
6746                 protected override void DoEmit (EmitContext ec)
6747                 {
6748                         if (Filter != null) {
6749                                 ec.BeginExceptionFilterBlock ();
6750                                 ec.Emit (OpCodes.Isinst, IsGeneral ? ec.BuiltinTypes.Object : CatchType);
6751
6752                                 if (Block.HasAwait) {
6753                                         Block.EmitScopeInitialization (ec);
6754                                 } else {
6755                                         Block.Emit (ec);
6756                                 }
6757
6758                                 return;
6759                         }
6760
6761                         if (IsGeneral)
6762                                 ec.BeginCatchBlock (ec.BuiltinTypes.Object);
6763                         else
6764                                 ec.BeginCatchBlock (CatchType);
6765
6766                         if (li == null)
6767                                 ec.Emit (OpCodes.Pop);
6768
6769                         if (Block.HasAwait) {
6770                                 if (li != null)
6771                                         EmitCatchVariableStore (ec);
6772                         } else {
6773                                 Block.Emit (ec);
6774                         }
6775                 }
6776
6777                 void EmitCatchVariableStore (EmitContext ec)
6778                 {
6779                         li.CreateBuilder (ec);
6780
6781                         //
6782                         // For hoisted catch variable we have to use a temporary local variable
6783                         // for captured variable initialization during storey setup because variable
6784                         // needs to be on the stack after storey instance for stfld operation
6785                         //
6786                         if (li.HoistedVariant != null) {
6787                                 hoisted_temp = new LocalTemporary (li.Type);
6788                                 hoisted_temp.Store (ec);
6789
6790                                 // switch to assignment from temporary variable and not from top of the stack
6791                                 assign.UpdateSource (hoisted_temp);
6792                         }
6793                 }
6794
6795                 public override bool Resolve (BlockContext bc)
6796                 {
6797                         using (bc.Set (ResolveContext.Options.CatchScope)) {
6798                                 if (type_expr == null) {
6799                                         if (CreateExceptionVariable (bc.Module.Compiler.BuiltinTypes.Object)) {
6800                                                 if (!block.HasAwait || Filter != null)
6801                                                         block.AddScopeStatement (new CatchVariableStore (this));
6802
6803                                                 Expression source = new EmptyExpression (li.Type);
6804                                                 assign = new CompilerAssign (new LocalVariableReference (li, Location.Null), source, Location.Null);
6805                                                 Block.AddScopeStatement (new StatementExpression (assign, Location.Null));
6806                                         }
6807                                 } else {
6808                                         type = type_expr.ResolveAsType (bc);
6809                                         if (type == null)
6810                                                 return false;
6811
6812                                         if (li == null)
6813                                                 CreateExceptionVariable (type);
6814
6815                                         if (type.BuiltinType != BuiltinTypeSpec.Type.Exception && !TypeSpec.IsBaseClass (type, bc.BuiltinTypes.Exception, false)) {
6816                                                 bc.Report.Error (155, loc, "The type caught or thrown must be derived from System.Exception");
6817                                         } else if (li != null) {
6818                                                 li.Type = type;
6819                                                 li.PrepareAssignmentAnalysis (bc);
6820
6821                                                 // source variable is at the top of the stack
6822                                                 Expression source = new EmptyExpression (li.Type);
6823                                                 if (li.Type.IsGenericParameter)
6824                                                         source = new UnboxCast (source, li.Type);
6825
6826                                                 if (!block.HasAwait || Filter != null)
6827                                                         block.AddScopeStatement (new CatchVariableStore (this));
6828
6829                                                 //
6830                                                 // Uses Location.Null to hide from symbol file
6831                                                 //
6832                                                 assign = new CompilerAssign (new LocalVariableReference (li, Location.Null), source, Location.Null);
6833                                                 Block.AddScopeStatement (new StatementExpression (assign, Location.Null));
6834                                         }
6835                                 }
6836
6837                                 if (Filter != null) {
6838                                         Block.AddScopeStatement (new FilterStatement (this));
6839                                 }
6840
6841                                 Block.SetCatchBlock ();
6842                                 return Block.Resolve (bc);
6843                         }
6844                 }
6845
6846                 bool CreateExceptionVariable (TypeSpec type)
6847                 {
6848                         if (!Block.HasAwait)
6849                                 return false;
6850
6851                         // TODO: Scan the block for rethrow expression
6852                         //if (!Block.HasRethrow)
6853                         //      return;
6854
6855                         li = LocalVariable.CreateCompilerGenerated (type, block, Location.Null);
6856                         return true;
6857                 }
6858
6859                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
6860                 {
6861                         if (li != null && !li.IsCompilerGenerated) {
6862                                 fc.SetVariableAssigned (li.VariableInfo, true);
6863                         }
6864
6865                         return block.FlowAnalysis (fc);
6866                 }
6867
6868                 public override Reachability MarkReachable (Reachability rc)
6869                 {
6870                         base.MarkReachable (rc);
6871
6872                         var c = Filter as Constant;
6873                         if (c != null && c.IsDefaultValue)
6874                                 return Reachability.CreateUnreachable ();
6875
6876                         return block.MarkReachable (rc);
6877                 }
6878
6879                 protected override void CloneTo (CloneContext clonectx, Statement t)
6880                 {
6881                         Catch target = (Catch) t;
6882
6883                         if (type_expr != null)
6884                                 target.type_expr = (FullNamedExpression) type_expr.Clone (clonectx);
6885
6886                         if (Filter != null)
6887                                 target.Filter = Filter.Clone (clonectx);
6888
6889                         target.block = (ExplicitBlock) clonectx.LookupBlock (block);
6890                 }
6891         }
6892
6893         public class TryFinally : TryFinallyBlock
6894         {
6895                 ExplicitBlock fini;
6896                 List<DefiniteAssignmentBitSet> try_exit_dat;
6897                 List<Label> redirected_jumps;
6898                 Label? start_fin_label;
6899
6900                 public TryFinally (Statement stmt, ExplicitBlock fini, Location loc)
6901                          : base (stmt, loc)
6902                 {
6903                         this.fini = fini;
6904                 }
6905
6906                 public ExplicitBlock FinallyBlock {
6907                         get {
6908                                 return fini;
6909                         }
6910                 }
6911
6912                 public void RegisterForControlExitCheck (DefiniteAssignmentBitSet vector)
6913                 {
6914                         if (try_exit_dat == null)
6915                                 try_exit_dat = new List<DefiniteAssignmentBitSet> ();
6916
6917                         try_exit_dat.Add (vector);
6918                 }
6919
6920                 public override bool Resolve (BlockContext bc)
6921                 {
6922                         bool ok = base.Resolve (bc);
6923
6924                         fini.SetFinallyBlock ();
6925                         using (bc.Set (ResolveContext.Options.FinallyScope)) {
6926                                 ok &= fini.Resolve (bc);
6927                         }
6928
6929                         return ok;
6930                 }
6931
6932                 protected override void EmitBeginException (EmitContext ec)
6933                 {
6934                         if (fini.HasAwait && stmt is TryCatch)
6935                                 ec.BeginExceptionBlock ();
6936
6937                         base.EmitBeginException (ec);
6938                 }
6939
6940                 protected override void EmitTryBody (EmitContext ec)
6941                 {
6942                         if (fini.HasAwait) {
6943                                 if (ec.TryFinallyUnwind == null)
6944                                         ec.TryFinallyUnwind = new List<TryFinally> ();
6945
6946                                 ec.TryFinallyUnwind.Add (this);
6947                                 stmt.Emit (ec);
6948
6949                                 if (stmt is TryCatch)
6950                                         ec.EndExceptionBlock ();
6951
6952                                 ec.TryFinallyUnwind.Remove (this);
6953
6954                                 if (start_fin_label != null)
6955                                         ec.MarkLabel (start_fin_label.Value);
6956
6957                                 return;
6958                         }
6959
6960                         stmt.Emit (ec);
6961                 }
6962
6963                 protected override bool EmitBeginFinallyBlock (EmitContext ec)
6964                 {
6965                         if (fini.HasAwait)
6966                                 return false;
6967
6968                         return base.EmitBeginFinallyBlock (ec);
6969                 }
6970
6971                 public override void EmitFinallyBody (EmitContext ec)
6972                 {
6973                         if (!fini.HasAwait) {
6974                                 fini.Emit (ec);
6975                                 return;
6976                         }
6977
6978                         //
6979                         // Emits catch block like
6980                         //
6981                         // catch (object temp) {
6982                         //      this.exception_field = temp;
6983                         // }
6984                         //
6985                         var type = ec.BuiltinTypes.Object;
6986                         ec.BeginCatchBlock (type);
6987
6988                         var temp = ec.GetTemporaryLocal (type);
6989                         ec.Emit (OpCodes.Stloc, temp);
6990
6991                         var exception_field = ec.GetTemporaryField (type);
6992                         ec.EmitThis ();
6993                         ec.Emit (OpCodes.Ldloc, temp);
6994                         exception_field.EmitAssignFromStack (ec);
6995
6996                         ec.EndExceptionBlock ();
6997
6998                         ec.FreeTemporaryLocal (temp, type);
6999
7000                         fini.Emit (ec);
7001
7002                         //
7003                         // Emits exception rethrow
7004                         //
7005                         // if (this.exception_field != null)
7006                         //      throw this.exception_field;
7007                         //
7008                         exception_field.Emit (ec);
7009                         var skip_throw = ec.DefineLabel ();
7010                         ec.Emit (OpCodes.Brfalse_S, skip_throw);
7011                         exception_field.Emit (ec);
7012                         ec.Emit (OpCodes.Throw);
7013                         ec.MarkLabel (skip_throw);
7014
7015                         exception_field.IsAvailableForReuse = true;
7016
7017                         EmitUnwindFinallyTable (ec);
7018                 }
7019
7020                 bool IsParentBlock (Block block)
7021                 {
7022                         for (Block b = fini; b != null; b = b.Parent) {
7023                                 if (b == block)
7024                                         return true;
7025                         }
7026
7027                         return false;
7028                 }
7029
7030                 public static Label EmitRedirectedJump (EmitContext ec, AsyncInitializer initializer, Label label, Block labelBlock)
7031                 {
7032                         int idx;
7033                         if (labelBlock != null) {
7034                                 for (idx = ec.TryFinallyUnwind.Count; idx != 0; --idx) {
7035                                         var fin = ec.TryFinallyUnwind [idx - 1];
7036                                         if (!fin.IsParentBlock (labelBlock))
7037                                                 break;
7038                                 }
7039                         } else {
7040                                 idx = 0;
7041                         }
7042
7043                         bool set_return_state = true;
7044
7045                         for (; idx < ec.TryFinallyUnwind.Count; ++idx) {
7046                                 var fin = ec.TryFinallyUnwind [idx];
7047                                 if (labelBlock != null && !fin.IsParentBlock (labelBlock))
7048                                         break;
7049
7050                                 fin.EmitRedirectedExit (ec, label, initializer, set_return_state);
7051                                 set_return_state = false;
7052
7053                                 if (fin.start_fin_label == null) {
7054                                         fin.start_fin_label = ec.DefineLabel ();
7055                                 }
7056
7057                                 label = fin.start_fin_label.Value;
7058                         }
7059
7060                         return label;
7061                 }
7062
7063                 public static Label EmitRedirectedReturn (EmitContext ec, AsyncInitializer initializer)
7064                 {
7065                         return EmitRedirectedJump (ec, initializer, initializer.BodyEnd, null);
7066                 }
7067
7068                 void EmitRedirectedExit (EmitContext ec, Label label, AsyncInitializer initializer, bool setReturnState)
7069                 {
7070                         if (redirected_jumps == null) {
7071                                 redirected_jumps = new List<Label> ();
7072
7073                                 // Add fallthrough label
7074                                 redirected_jumps.Add (ec.DefineLabel ());
7075
7076                                 if (setReturnState)
7077                                         initializer.HoistedReturnState = ec.GetTemporaryField (ec.Module.Compiler.BuiltinTypes.Int, true);
7078                         }
7079
7080                         int index = redirected_jumps.IndexOf (label);
7081                         if (index < 0) {
7082                                 redirected_jumps.Add (label);
7083                                 index = redirected_jumps.Count - 1;
7084                         }
7085
7086                         //
7087                         // Indicates we have captured exit jump
7088                         //
7089                         if (setReturnState) {
7090                                 var value = new IntConstant (initializer.HoistedReturnState.Type, index, Location.Null);
7091                                 initializer.HoistedReturnState.EmitAssign (ec, value, false, false);
7092                         }
7093                 }
7094
7095                 //
7096                 // Emits state table of jumps outside of try block and reload of return
7097                 // value when try block returns value
7098                 //
7099                 void EmitUnwindFinallyTable (EmitContext ec)
7100                 {
7101                         if (redirected_jumps == null)
7102                                 return;
7103
7104                         var initializer = (AsyncInitializer)ec.CurrentAnonymousMethod;
7105                         initializer.HoistedReturnState.EmitLoad (ec);
7106                         ec.Emit (OpCodes.Switch, redirected_jumps.ToArray ());
7107
7108                         // Mark fallthrough label
7109                         ec.MarkLabel (redirected_jumps [0]);
7110                 }
7111
7112                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
7113                 {
7114                         var da = fc.BranchDefiniteAssignment ();
7115
7116                         var tf = fc.TryFinally;
7117                         fc.TryFinally = this;
7118
7119                         var res_stmt = Statement.FlowAnalysis (fc);
7120
7121                         fc.TryFinally = tf;
7122
7123                         var try_da = fc.DefiniteAssignment;
7124                         fc.DefiniteAssignment = da;
7125
7126                         var res_fin = fini.FlowAnalysis (fc);
7127
7128                         if (try_exit_dat != null) {
7129                                 //
7130                                 // try block has global exit but we need to run definite assignment check
7131                                 // for parameter block out parameter after finally block because it's always
7132                                 // executed before exit
7133                                 //
7134                                 foreach (var try_da_part in try_exit_dat)
7135                                         fc.ParametersBlock.CheckControlExit (fc, fc.DefiniteAssignment | try_da_part);
7136
7137                                 try_exit_dat = null;
7138                         }
7139
7140                         fc.DefiniteAssignment |= try_da;
7141                         return res_stmt | res_fin;
7142                 }
7143
7144                 public override Reachability MarkReachable (Reachability rc)
7145                 {
7146                         //
7147                         // Mark finally block first for any exit statement in try block
7148                         // to know whether the code which follows finally is reachable
7149                         //
7150                         return fini.MarkReachable (rc) | base.MarkReachable (rc);
7151                 }
7152
7153                 protected override void CloneTo (CloneContext clonectx, Statement t)
7154                 {
7155                         TryFinally target = (TryFinally) t;
7156
7157                         target.stmt = stmt.Clone (clonectx);
7158                         if (fini != null)
7159                                 target.fini = (ExplicitBlock) clonectx.LookupBlock (fini);
7160                 }
7161                 
7162                 public override object Accept (StructuralVisitor visitor)
7163                 {
7164                         return visitor.Visit (this);
7165                 }
7166         }
7167
7168         public class TryCatch : ExceptionStatement
7169         {
7170                 public Block Block;
7171                 List<Catch> clauses;
7172                 readonly bool inside_try_finally;
7173                 List<Catch> catch_sm;
7174
7175                 public TryCatch (Block block, List<Catch> catch_clauses, Location l, bool inside_try_finally)
7176                         : base (l)
7177                 {
7178                         this.Block = block;
7179                         this.clauses = catch_clauses;
7180                         this.inside_try_finally = inside_try_finally;
7181                 }
7182
7183                 public List<Catch> Clauses {
7184                         get {
7185                                 return clauses;
7186                         }
7187                 }
7188
7189                 public bool IsTryCatchFinally {
7190                         get {
7191                                 return inside_try_finally;
7192                         }
7193                 }
7194
7195                 public override bool Resolve (BlockContext bc)
7196                 {
7197                         bool ok;
7198
7199                         using (bc.Set (ResolveContext.Options.TryScope)) {
7200                                 parent = bc.CurrentTryBlock;
7201
7202                                 if (IsTryCatchFinally) {
7203                                         ok = Block.Resolve (bc);
7204                                 } else {
7205                                         using (bc.Set (ResolveContext.Options.TryWithCatchScope)) {
7206                                                 bc.CurrentTryBlock = this;
7207                                                 ok = Block.Resolve (bc);
7208                                                 bc.CurrentTryBlock = parent;
7209                                         }
7210                                 }
7211                         }
7212
7213                         for (int i = 0; i < clauses.Count; ++i) {
7214                                 var c = clauses[i];
7215
7216                                 ok &= c.Resolve (bc);
7217
7218                                 if (c.Block.HasAwait) {
7219                                         if (catch_sm == null)
7220                                                 catch_sm = new List<Catch> ();
7221
7222                                         catch_sm.Add (c);
7223                                 }
7224
7225                                 if (c.Filter != null)
7226                                         continue;
7227
7228                                 TypeSpec resolved_type = c.CatchType;
7229                                 if (resolved_type == null)
7230                                         continue;
7231
7232                                 for (int ii = 0; ii < clauses.Count; ++ii) {
7233                                         if (ii == i)
7234                                                 continue;
7235
7236                                         if (clauses[ii].Filter != null)
7237                                                 continue;
7238
7239                                         if (clauses[ii].IsGeneral) {
7240                                                 if (resolved_type.BuiltinType != BuiltinTypeSpec.Type.Exception)
7241                                                         continue;
7242
7243                                                 if (!bc.Module.DeclaringAssembly.WrapNonExceptionThrows)
7244                                                         continue;
7245
7246                                                 if (!bc.Module.PredefinedAttributes.RuntimeCompatibility.IsDefined)
7247                                                         continue;
7248
7249                                                 bc.Report.Warning (1058, 1, c.loc,
7250                                                         "A previous catch clause already catches all exceptions. All non-exceptions thrown will be wrapped in a `System.Runtime.CompilerServices.RuntimeWrappedException'");
7251
7252                                                 continue;
7253                                         }
7254
7255                                         if (ii >= i)
7256                                                 continue;
7257
7258                                         var ct = clauses[ii].CatchType;
7259                                         if (ct == null)
7260                                                 continue;
7261
7262                                         if (resolved_type == ct || TypeSpec.IsBaseClass (resolved_type, ct, true)) {
7263                                                 bc.Report.Error (160, c.loc,
7264                                                         "A previous catch clause already catches all exceptions of this or a super type `{0}'",
7265                                                         ct.GetSignatureForError ());
7266                                                 ok = false;
7267                                         }
7268                                 }
7269                         }
7270
7271                         return base.Resolve (bc) && ok;
7272                 }
7273
7274                 protected sealed override void DoEmit (EmitContext ec)
7275                 {
7276                         if (!inside_try_finally)
7277                                 EmitTryBodyPrepare (ec);
7278
7279                         Block.Emit (ec);
7280
7281                         LocalBuilder state_variable = null;
7282                         foreach (Catch c in clauses) {
7283                                 c.Emit (ec);
7284
7285                                 if (catch_sm != null) {
7286                                         if (state_variable == null) {
7287                                                 //
7288                                                 // Cannot reuse temp variable because non-catch path assumes the value is 0
7289                                                 // which may not be true for reused local variable
7290                                                 //
7291                                                 state_variable = ec.DeclareLocal (ec.Module.Compiler.BuiltinTypes.Int, false);
7292                                         }
7293
7294                                         var index = catch_sm.IndexOf (c);
7295                                         if (index < 0)
7296                                                 continue;
7297
7298                                         ec.EmitInt (index + 1);
7299                                         ec.Emit (OpCodes.Stloc, state_variable);
7300                                 }
7301                         }
7302
7303                         if (!inside_try_finally)
7304                                 ec.EndExceptionBlock ();
7305
7306                         if (state_variable != null) {
7307                                 ec.Emit (OpCodes.Ldloc, state_variable);
7308
7309                                 var labels = new Label [catch_sm.Count + 1];
7310                                 for (int i = 0; i < labels.Length; ++i) {
7311                                         labels [i] = ec.DefineLabel ();
7312                                 }
7313
7314                                 var end = ec.DefineLabel ();
7315                                 ec.Emit (OpCodes.Switch, labels);
7316
7317                                 // 0 value is default label
7318                                 ec.MarkLabel (labels [0]);
7319                                 ec.Emit (OpCodes.Br, end);
7320
7321                                 var atv = ec.AsyncThrowVariable;
7322                                 Catch c = null;
7323                                 for (int i = 0; i < catch_sm.Count; ++i) {
7324                                         if (c != null && c.Block.HasReachableClosingBrace)
7325                                                 ec.Emit (OpCodes.Br, end);
7326
7327                                         ec.MarkLabel (labels [i + 1]);
7328                                         c = catch_sm [i];
7329                                         ec.AsyncThrowVariable = c.Variable;
7330                                         c.Block.Emit (ec);
7331                                 }
7332                                 ec.AsyncThrowVariable = atv;
7333
7334                                 ec.MarkLabel (end);
7335                         }
7336                 }
7337
7338                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
7339                 {
7340                         var start_fc = fc.BranchDefiniteAssignment ();
7341                         var res = Block.FlowAnalysis (fc);
7342
7343                         DefiniteAssignmentBitSet try_fc = res ? null : fc.DefiniteAssignment;
7344
7345                         foreach (var c in clauses) {
7346                                 fc.BranchDefiniteAssignment (start_fc);
7347                                 if (!c.FlowAnalysis (fc)) {
7348                                         if (try_fc == null)
7349                                                 try_fc = fc.DefiniteAssignment;
7350                                         else
7351                                                 try_fc &= fc.DefiniteAssignment;
7352
7353                                         res = false;
7354                                 }
7355                         }
7356
7357                         fc.DefiniteAssignment = try_fc ?? start_fc;
7358                         parent = null;
7359                         return res;
7360                 }
7361
7362                 public override Reachability MarkReachable (Reachability rc)
7363                 {
7364                         if (rc.IsUnreachable)
7365                                 return rc;
7366
7367                         base.MarkReachable (rc);
7368
7369                         var tc_rc = Block.MarkReachable (rc);
7370
7371                         foreach (var c in clauses)
7372                                 tc_rc &= c.MarkReachable (rc);
7373
7374                         return tc_rc;
7375                 }
7376
7377                 protected override void CloneTo (CloneContext clonectx, Statement t)
7378                 {
7379                         TryCatch target = (TryCatch) t;
7380
7381                         target.Block = clonectx.LookupBlock (Block);
7382                         if (clauses != null){
7383                                 target.clauses = new List<Catch> ();
7384                                 foreach (Catch c in clauses)
7385                                         target.clauses.Add ((Catch) c.Clone (clonectx));
7386                         }
7387                 }
7388
7389                 public override object Accept (StructuralVisitor visitor)
7390                 {
7391                         return visitor.Visit (this);
7392                 }
7393         }
7394
7395         public class Using : TryFinallyBlock
7396         {
7397                 public class VariableDeclaration : BlockVariable
7398                 {
7399                         Statement dispose_call;
7400
7401                         public VariableDeclaration (FullNamedExpression type, LocalVariable li)
7402                                 : base (type, li)
7403                         {
7404                         }
7405
7406                         public VariableDeclaration (LocalVariable li, Location loc)
7407                                 : base (li)
7408                         {
7409                                 reachable = true;
7410                                 this.loc = loc;
7411                         }
7412
7413                         public VariableDeclaration (Expression expr)
7414                                 : base (null)
7415                         {
7416                                 loc = expr.Location;
7417                                 Initializer = expr;
7418                         }
7419
7420                         #region Properties
7421
7422                         public bool IsNested { get; private set; }
7423
7424                         #endregion
7425
7426                         public void EmitDispose (EmitContext ec)
7427                         {
7428                                 dispose_call.Emit (ec);
7429                         }
7430
7431                         public override bool Resolve (BlockContext bc)
7432                         {
7433                                 if (IsNested)
7434                                         return true;
7435
7436                                 return base.Resolve (bc, false);
7437                         }
7438
7439                         public Expression ResolveExpression (BlockContext bc)
7440                         {
7441                                 var e = Initializer.Resolve (bc);
7442                                 if (e == null)
7443                                         return null;
7444
7445                                 li = LocalVariable.CreateCompilerGenerated (e.Type, bc.CurrentBlock, loc);
7446                                 Initializer = ResolveInitializer (bc, Variable, e);
7447                                 return e;
7448                         }
7449
7450                         protected override Expression ResolveInitializer (BlockContext bc, LocalVariable li, Expression initializer)
7451                         {
7452                                 if (li.Type.BuiltinType == BuiltinTypeSpec.Type.Dynamic) {
7453                                         initializer = initializer.Resolve (bc);
7454                                         if (initializer == null)
7455                                                 return null;
7456
7457                                         // Once there is dynamic used defer conversion to runtime even if we know it will never succeed
7458                                         Arguments args = new Arguments (1);
7459                                         args.Add (new Argument (initializer));
7460                                         initializer = new DynamicConversion (bc.BuiltinTypes.IDisposable, 0, args, initializer.Location).Resolve (bc);
7461                                         if (initializer == null)
7462                                                 return null;
7463
7464                                         var var = LocalVariable.CreateCompilerGenerated (initializer.Type, bc.CurrentBlock, loc);
7465                                         dispose_call = CreateDisposeCall (bc, var);
7466                                         dispose_call.Resolve (bc);
7467
7468                                         return base.ResolveInitializer (bc, li, new SimpleAssign (var.CreateReferenceExpression (bc, loc), initializer, loc));
7469                                 }
7470
7471                                 if (li == Variable) {
7472                                         CheckIDiposableConversion (bc, li, initializer);
7473                                         dispose_call = CreateDisposeCall (bc, li);
7474                                         dispose_call.Resolve (bc);
7475                                 }
7476
7477                                 return base.ResolveInitializer (bc, li, initializer);
7478                         }
7479
7480                         protected virtual void CheckIDiposableConversion (BlockContext bc, LocalVariable li, Expression initializer)
7481                         {
7482                                 var type = li.Type;
7483
7484                                 if (type.BuiltinType != BuiltinTypeSpec.Type.IDisposable && !CanConvertToIDisposable (bc, type)) {
7485                                         if (type.IsNullableType) {
7486                                                 // it's handled in CreateDisposeCall
7487                                                 return;
7488                                         }
7489
7490                                         if (type != InternalType.ErrorType) {
7491                                                 bc.Report.SymbolRelatedToPreviousError (type);
7492                                                 var loc = type_expr == null ? initializer.Location : type_expr.Location;
7493                                                 bc.Report.Error (1674, loc, "`{0}': type used in a using statement must be implicitly convertible to `System.IDisposable'",
7494                                                         type.GetSignatureForError ());
7495                                         }
7496
7497                                         return;
7498                                 }
7499                         }
7500
7501                         static bool CanConvertToIDisposable (BlockContext bc, TypeSpec type)
7502                         {
7503                                 var target = bc.BuiltinTypes.IDisposable;
7504                                 var tp = type as TypeParameterSpec;
7505                                 if (tp != null)
7506                                         return Convert.ImplicitTypeParameterConversion (null, tp, target) != null;
7507
7508                                 return type.ImplementsInterface (target, false);
7509                         }
7510
7511                         protected virtual Statement CreateDisposeCall (BlockContext bc, LocalVariable lv)
7512                         {
7513                                 var lvr = lv.CreateReferenceExpression (bc, lv.Location);
7514                                 var type = lv.Type;
7515                                 var loc = lv.Location;
7516
7517                                 var idt = bc.BuiltinTypes.IDisposable;
7518                                 var m = bc.Module.PredefinedMembers.IDisposableDispose.Resolve (loc);
7519
7520                                 var dispose_mg = MethodGroupExpr.CreatePredefined (m, idt, loc);
7521                                 dispose_mg.InstanceExpression = type.IsNullableType ?
7522                                         new Cast (new TypeExpression (idt, loc), lvr, loc).Resolve (bc) :
7523                                         lvr;
7524
7525                                 //
7526                                 // Hide it from symbol file via null location
7527                                 //
7528                                 Statement dispose = new StatementExpression (new Invocation (dispose_mg, null), Location.Null);
7529
7530                                 // Add conditional call when disposing possible null variable
7531                                 if (!TypeSpec.IsValueType (type) || type.IsNullableType)
7532                                         dispose = new If (new Binary (Binary.Operator.Inequality, lvr, new NullLiteral (loc)), dispose, dispose.loc);
7533
7534                                 return dispose;
7535                         }
7536
7537                         public void ResolveDeclaratorInitializer (BlockContext bc)
7538                         {
7539                                 Initializer = base.ResolveInitializer (bc, Variable, Initializer);
7540                         }
7541
7542                         public Statement RewriteUsingDeclarators (BlockContext bc, Statement stmt)
7543                         {
7544                                 for (int i = declarators.Count - 1; i >= 0; --i) {
7545                                         var d = declarators [i];
7546                                         var vd = new VariableDeclaration (d.Variable, d.Variable.Location);
7547                                         vd.Initializer = d.Initializer;
7548                                         vd.IsNested = true;
7549                                         vd.dispose_call = CreateDisposeCall (bc, d.Variable);
7550                                         vd.dispose_call.Resolve (bc);
7551
7552                                         stmt = new Using (vd, stmt, d.Variable.Location);
7553                                 }
7554
7555                                 declarators = null;
7556                                 return stmt;
7557                         }       
7558
7559                         public override object Accept (StructuralVisitor visitor)
7560                         {
7561                                 return visitor.Visit (this);
7562                         }       
7563                 }
7564
7565                 VariableDeclaration decl;
7566
7567                 public Using (VariableDeclaration decl, Statement stmt, Location loc)
7568                         : base (stmt, loc)
7569                 {
7570                         this.decl = decl;
7571                 }
7572
7573                 public Using (Expression expr, Statement stmt, Location loc)
7574                         : base (stmt, loc)
7575                 {
7576                         this.decl = new VariableDeclaration (expr);
7577                 }
7578
7579                 #region Properties
7580
7581                 public Expression Expr {
7582                         get {
7583                                 return decl.Variable == null ? decl.Initializer : null;
7584                         }
7585                 }
7586
7587                 public BlockVariable Variables {
7588                         get {
7589                                 return decl;
7590                         }
7591                 }
7592
7593                 #endregion
7594
7595                 public override void Emit (EmitContext ec)
7596                 {
7597                         //
7598                         // Don't emit sequence point it will be set on variable declaration
7599                         //
7600                         DoEmit (ec);
7601                 }
7602
7603                 protected override void EmitTryBodyPrepare (EmitContext ec)
7604                 {
7605                         decl.Emit (ec);
7606                         base.EmitTryBodyPrepare (ec);
7607                 }
7608
7609                 protected override void EmitTryBody (EmitContext ec)
7610                 {
7611                         stmt.Emit (ec);
7612                 }
7613
7614                 public override void EmitFinallyBody (EmitContext ec)
7615                 {
7616                         decl.EmitDispose (ec);
7617                 }
7618
7619                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
7620                 {
7621                         decl.FlowAnalysis (fc);
7622                         return stmt.FlowAnalysis (fc);
7623                 }
7624
7625                 public override Reachability MarkReachable (Reachability rc)
7626                 {
7627                         decl.MarkReachable (rc);
7628                         return base.MarkReachable (rc);
7629                 }
7630
7631                 public override bool Resolve (BlockContext ec)
7632                 {
7633                         VariableReference vr;
7634                         bool vr_locked = false;
7635
7636                         using (ec.Set (ResolveContext.Options.UsingInitializerScope)) {
7637                                 if (decl.Variable == null) {
7638                                         vr = decl.ResolveExpression (ec) as VariableReference;
7639                                         if (vr != null) {
7640                                                 vr_locked = vr.IsLockedByStatement;
7641                                                 vr.IsLockedByStatement = true;
7642                                         }
7643                                 } else {
7644                                         if (decl.IsNested) {
7645                                                 decl.ResolveDeclaratorInitializer (ec);
7646                                         } else {
7647                                                 if (!decl.Resolve (ec))
7648                                                         return false;
7649
7650                                                 if (decl.Declarators != null) {
7651                                                         stmt = decl.RewriteUsingDeclarators (ec, stmt);
7652                                                 }
7653                                         }
7654
7655                                         vr = null;
7656                                 }
7657                         }
7658
7659                         var ok = base.Resolve (ec);
7660
7661                         if (vr != null)
7662                                 vr.IsLockedByStatement = vr_locked;
7663
7664                         return ok;
7665                 }
7666
7667                 protected override void CloneTo (CloneContext clonectx, Statement t)
7668                 {
7669                         Using target = (Using) t;
7670
7671                         target.decl = (VariableDeclaration) decl.Clone (clonectx);
7672                         target.stmt = stmt.Clone (clonectx);
7673                 }
7674
7675                 public override object Accept (StructuralVisitor visitor)
7676                 {
7677                         return visitor.Visit (this);
7678                 }
7679         }
7680
7681         /// <summary>
7682         ///   Implementation of the foreach C# statement
7683         /// </summary>
7684         public class Foreach : LoopStatement
7685         {
7686                 abstract class IteratorStatement : Statement
7687                 {
7688                         protected readonly Foreach for_each;
7689
7690                         protected IteratorStatement (Foreach @foreach)
7691                         {
7692                                 this.for_each = @foreach;
7693                                 this.loc = @foreach.expr.Location;
7694                         }
7695
7696                         protected override void CloneTo (CloneContext clonectx, Statement target)
7697                         {
7698                                 throw new NotImplementedException ();
7699                         }
7700
7701                         public override void Emit (EmitContext ec)
7702                         {
7703                                 if (ec.EmitAccurateDebugInfo) {
7704                                         ec.Emit (OpCodes.Nop);
7705                                 }
7706
7707                                 base.Emit (ec);
7708                         }
7709
7710                         protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
7711                         {
7712                                 throw new NotImplementedException ();
7713                         }
7714                 }
7715
7716                 sealed class ArrayForeach : IteratorStatement
7717                 {
7718                         TemporaryVariableReference[] lengths;
7719                         Expression [] length_exprs;
7720                         StatementExpression[] counter;
7721                         TemporaryVariableReference[] variables;
7722
7723                         TemporaryVariableReference copy;
7724
7725                         public ArrayForeach (Foreach @foreach, int rank)
7726                                 : base (@foreach)
7727                         {
7728                                 counter = new StatementExpression[rank];
7729                                 variables = new TemporaryVariableReference[rank];
7730                                 length_exprs = new Expression [rank];
7731
7732                                 //
7733                                 // Only use temporary length variables when dealing with
7734                                 // multi-dimensional arrays
7735                                 //
7736                                 if (rank > 1)
7737                                         lengths = new TemporaryVariableReference [rank];
7738                         }
7739
7740                         public override bool Resolve (BlockContext ec)
7741                         {
7742                                 Block variables_block = for_each.variable.Block;
7743                                 copy = TemporaryVariableReference.Create (for_each.expr.Type, variables_block, loc);
7744                                 copy.Resolve (ec);
7745
7746                                 int rank = length_exprs.Length;
7747                                 Arguments list = new Arguments (rank);
7748                                 for (int i = 0; i < rank; i++) {
7749                                         var v = TemporaryVariableReference.Create (ec.BuiltinTypes.Int, variables_block, loc);
7750                                         variables[i] = v;
7751                                         counter[i] = new StatementExpression (new UnaryMutator (UnaryMutator.Mode.PostIncrement, v, Location.Null));
7752                                         counter[i].Resolve (ec);
7753
7754                                         if (rank == 1) {
7755                                                 length_exprs [i] = new MemberAccess (copy, "Length").Resolve (ec);
7756                                         } else {
7757                                                 lengths[i] = TemporaryVariableReference.Create (ec.BuiltinTypes.Int, variables_block, loc);
7758                                                 lengths[i].Resolve (ec);
7759
7760                                                 Arguments args = new Arguments (1);
7761                                                 args.Add (new Argument (new IntConstant (ec.BuiltinTypes, i, loc)));
7762                                                 length_exprs [i] = new Invocation (new MemberAccess (copy, "GetLength"), args).Resolve (ec);
7763                                         }
7764
7765                                         list.Add (new Argument (v));
7766                                 }
7767
7768                                 var access = new ElementAccess (copy, list, loc).Resolve (ec);
7769                                 if (access == null)
7770                                         return false;
7771
7772                                 TypeSpec var_type;
7773                                 if (for_each.type is VarExpr) {
7774                                         // Infer implicitly typed local variable from foreach array type
7775                                         var_type = access.Type;
7776                                 } else {
7777                                         var_type = for_each.type.ResolveAsType (ec);
7778
7779                                         if (var_type == null)
7780                                                 return false;
7781
7782                                         access = Convert.ExplicitConversion (ec, access, var_type, loc);
7783                                         if (access == null)
7784                                                 return false;
7785                                 }
7786
7787                                 for_each.variable.Type = var_type;
7788
7789                                 var variable_ref = new LocalVariableReference (for_each.variable, loc).Resolve (ec);
7790                                 if (variable_ref == null)
7791                                         return false;
7792
7793                                 for_each.body.AddScopeStatement (new StatementExpression (new CompilerAssign (variable_ref, access, Location.Null), for_each.type.Location));
7794
7795                                 return for_each.body.Resolve (ec);
7796                         }
7797
7798                         protected override void DoEmit (EmitContext ec)
7799                         {
7800                                 copy.EmitAssign (ec, for_each.expr);
7801
7802                                 int rank = length_exprs.Length;
7803                                 Label[] test = new Label [rank];
7804                                 Label[] loop = new Label [rank];
7805
7806                                 for (int i = 0; i < rank; i++) {
7807                                         test [i] = ec.DefineLabel ();
7808                                         loop [i] = ec.DefineLabel ();
7809
7810                                         if (lengths != null)
7811                                                 lengths [i].EmitAssign (ec, length_exprs [i]);
7812                                 }
7813
7814                                 IntConstant zero = new IntConstant (ec.BuiltinTypes, 0, loc);
7815                                 for (int i = 0; i < rank; i++) {
7816                                         variables [i].EmitAssign (ec, zero);
7817
7818                                         ec.Emit (OpCodes.Br, test [i]);
7819                                         ec.MarkLabel (loop [i]);
7820                                 }
7821
7822                                 for_each.body.Emit (ec);
7823
7824                                 ec.MarkLabel (ec.LoopBegin);
7825                                 ec.Mark (for_each.expr.Location);
7826
7827                                 for (int i = rank - 1; i >= 0; i--){
7828                                         counter [i].Emit (ec);
7829
7830                                         ec.MarkLabel (test [i]);
7831                                         variables [i].Emit (ec);
7832
7833                                         if (lengths != null)
7834                                                 lengths [i].Emit (ec);
7835                                         else
7836                                                 length_exprs [i].Emit (ec);
7837
7838                                         ec.Emit (OpCodes.Blt, loop [i]);
7839                                 }
7840
7841                                 ec.MarkLabel (ec.LoopEnd);
7842                         }
7843                 }
7844
7845                 sealed class CollectionForeach : IteratorStatement, OverloadResolver.IErrorHandler
7846                 {
7847                         class RuntimeDispose : Using.VariableDeclaration
7848                         {
7849                                 public RuntimeDispose (LocalVariable lv, Location loc)
7850                                         : base (lv, loc)
7851                                 {
7852                                         reachable = true;
7853                                 }
7854
7855                                 protected override void CheckIDiposableConversion (BlockContext bc, LocalVariable li, Expression initializer)
7856                                 {
7857                                         // Defered to runtime check
7858                                 }
7859
7860                                 protected override Statement CreateDisposeCall (BlockContext bc, LocalVariable lv)
7861                                 {
7862                                         var idt = bc.BuiltinTypes.IDisposable;
7863
7864                                         //
7865                                         // Fabricates code like
7866                                         //
7867                                         // if ((temp = vr as IDisposable) != null) temp.Dispose ();
7868                                         //
7869
7870                                         var dispose_variable = LocalVariable.CreateCompilerGenerated (idt, bc.CurrentBlock, loc);
7871
7872                                         var idisaposable_test = new Binary (Binary.Operator.Inequality, new CompilerAssign (
7873                                                 dispose_variable.CreateReferenceExpression (bc, loc),
7874                                                 new As (lv.CreateReferenceExpression (bc, loc), new TypeExpression (dispose_variable.Type, loc), loc),
7875                                                 loc), new NullLiteral (loc));
7876
7877                                         var m = bc.Module.PredefinedMembers.IDisposableDispose.Resolve (loc);
7878
7879                                         var dispose_mg = MethodGroupExpr.CreatePredefined (m, idt, loc);
7880                                         dispose_mg.InstanceExpression = dispose_variable.CreateReferenceExpression (bc, loc);
7881
7882                                         Statement dispose = new StatementExpression (new Invocation (dispose_mg, null));
7883                                         return new If (idisaposable_test, dispose, loc);
7884                                 }
7885                         }
7886
7887                         LocalVariable variable;
7888                         Expression expr;
7889                         Statement statement;
7890                         ExpressionStatement init;
7891                         TemporaryVariableReference enumerator_variable;
7892                         bool ambiguous_getenumerator_name;
7893
7894                         public CollectionForeach (Foreach @foreach, LocalVariable var, Expression expr)
7895                                 : base (@foreach)
7896                         {
7897                                 this.variable = var;
7898                                 this.expr = expr;
7899                         }
7900
7901                         void Error_WrongEnumerator (ResolveContext rc, MethodSpec enumerator)
7902                         {
7903                                 rc.Report.SymbolRelatedToPreviousError (enumerator);
7904                                 rc.Report.Error (202, loc,
7905                                         "foreach statement requires that the return type `{0}' of `{1}' must have a suitable public MoveNext method and public Current property",
7906                                                 enumerator.ReturnType.GetSignatureForError (), enumerator.GetSignatureForError ());
7907                         }
7908
7909                         MethodGroupExpr ResolveGetEnumerator (ResolveContext rc)
7910                         {
7911                                 //
7912                                 // Option 1: Try to match by name GetEnumerator first
7913                                 //
7914                                 var mexpr = Expression.MemberLookup (rc, false, expr.Type,
7915                                         "GetEnumerator", 0, Expression.MemberLookupRestrictions.ExactArity, loc);               // TODO: What if CS0229 ?
7916
7917                                 var mg = mexpr as MethodGroupExpr;
7918                                 if (mg != null) {
7919                                         mg.InstanceExpression = expr;
7920                                         Arguments args = new Arguments (0);
7921                                         mg = mg.OverloadResolve (rc, ref args, this, OverloadResolver.Restrictions.ProbingOnly | OverloadResolver.Restrictions.GetEnumeratorLookup);
7922
7923                                         // For ambiguous GetEnumerator name warning CS0278 was reported, but Option 2 could still apply
7924                                         if (ambiguous_getenumerator_name)
7925                                                 mg = null;
7926
7927                                         if (mg != null && !mg.BestCandidate.IsStatic && mg.BestCandidate.IsPublic) {
7928                                                 return mg;
7929                                         }
7930                                 }
7931
7932                                 //
7933                                 // Option 2: Try to match using IEnumerable interfaces with preference of generic version
7934                                 //
7935                                 var t = expr.Type;
7936                                 PredefinedMember<MethodSpec> iface_candidate = null;
7937                                 var ptypes = rc.Module.PredefinedTypes;
7938                                 var gen_ienumerable = ptypes.IEnumerableGeneric;
7939                                 if (!gen_ienumerable.Define ())
7940                                         gen_ienumerable = null;
7941
7942                                 var ifaces = t.Interfaces;
7943                                 if (ifaces != null) {
7944                                         foreach (var iface in ifaces) {
7945                                                 if (gen_ienumerable != null && iface.MemberDefinition == gen_ienumerable.TypeSpec.MemberDefinition) {
7946                                                         if (iface_candidate != null && iface_candidate != rc.Module.PredefinedMembers.IEnumerableGetEnumerator) {
7947                                                                 rc.Report.SymbolRelatedToPreviousError (expr.Type);
7948                                                                 rc.Report.Error (1640, loc,
7949                                                                         "foreach statement cannot operate on variables of type `{0}' because it contains multiple implementation of `{1}'. Try casting to a specific implementation",
7950                                                                         expr.Type.GetSignatureForError (), gen_ienumerable.TypeSpec.GetSignatureForError ());
7951
7952                                                                 return null;
7953                                                         }
7954
7955                                                         // TODO: Cache this somehow
7956                                                         iface_candidate = new PredefinedMember<MethodSpec> (rc.Module, iface,
7957                                                                 MemberFilter.Method ("GetEnumerator", 0, ParametersCompiled.EmptyReadOnlyParameters, null));
7958
7959                                                         continue;
7960                                                 }
7961
7962                                                 if (iface.BuiltinType == BuiltinTypeSpec.Type.IEnumerable && iface_candidate == null) {
7963                                                         iface_candidate = rc.Module.PredefinedMembers.IEnumerableGetEnumerator;
7964                                                 }
7965                                         }
7966                                 }
7967
7968                                 if (iface_candidate == null) {
7969                                         if (expr.Type != InternalType.ErrorType) {
7970                                                 rc.Report.Error (1579, loc,
7971                                                         "foreach statement cannot operate on variables of type `{0}' because it does not contain a definition for `{1}' or is inaccessible",
7972                                                         expr.Type.GetSignatureForError (), "GetEnumerator");
7973                                         }
7974
7975                                         return null;
7976                                 }
7977
7978                                 var method = iface_candidate.Resolve (loc);
7979                                 if (method == null)
7980                                         return null;
7981
7982                                 mg = MethodGroupExpr.CreatePredefined (method, expr.Type, loc);
7983                                 mg.InstanceExpression = expr;
7984                                 return mg;
7985                         }
7986
7987                         MethodGroupExpr ResolveMoveNext (ResolveContext rc, MethodSpec enumerator)
7988                         {
7989                                 var ms = MemberCache.FindMember (enumerator.ReturnType,
7990                                         MemberFilter.Method ("MoveNext", 0, ParametersCompiled.EmptyReadOnlyParameters, rc.BuiltinTypes.Bool),
7991                                         BindingRestriction.InstanceOnly) as MethodSpec;
7992
7993                                 if (ms == null || !ms.IsPublic) {
7994                                         Error_WrongEnumerator (rc, enumerator);
7995                                         return null;
7996                                 }
7997
7998                                 return MethodGroupExpr.CreatePredefined (ms, enumerator.ReturnType, expr.Location);
7999                         }
8000
8001                         PropertySpec ResolveCurrent (ResolveContext rc, MethodSpec enumerator)
8002                         {
8003                                 var ps = MemberCache.FindMember (enumerator.ReturnType,
8004                                         MemberFilter.Property ("Current", null),
8005                                         BindingRestriction.InstanceOnly) as PropertySpec;
8006
8007                                 if (ps == null || !ps.IsPublic) {
8008                                         Error_WrongEnumerator (rc, enumerator);
8009                                         return null;
8010                                 }
8011
8012                                 return ps;
8013                         }
8014
8015                         public override bool Resolve (BlockContext ec)
8016                         {
8017                                 bool is_dynamic = expr.Type.BuiltinType == BuiltinTypeSpec.Type.Dynamic;
8018
8019                                 if (is_dynamic) {
8020                                         expr = Convert.ImplicitConversionRequired (ec, expr, ec.BuiltinTypes.IEnumerable, loc);
8021                                 } else if (expr.Type.IsNullableType) {
8022                                         expr = new Nullable.UnwrapCall (expr).Resolve (ec);
8023                                 }
8024
8025                                 var get_enumerator_mg = ResolveGetEnumerator (ec);
8026                                 if (get_enumerator_mg == null) {
8027                                         return false;
8028                                 }
8029
8030                                 var get_enumerator = get_enumerator_mg.BestCandidate;
8031                                 enumerator_variable = TemporaryVariableReference.Create (get_enumerator.ReturnType, variable.Block, loc);
8032                                 enumerator_variable.Resolve (ec);
8033
8034                                 // Prepare bool MoveNext ()
8035                                 var move_next_mg = ResolveMoveNext (ec, get_enumerator);
8036                                 if (move_next_mg == null) {
8037                                         return false;
8038                                 }
8039
8040                                 move_next_mg.InstanceExpression = enumerator_variable;
8041
8042                                 // Prepare ~T~ Current { get; }
8043                                 var current_prop = ResolveCurrent (ec, get_enumerator);
8044                                 if (current_prop == null) {
8045                                         return false;
8046                                 }
8047
8048                                 var current_pe = new PropertyExpr (current_prop, loc) { InstanceExpression = enumerator_variable }.Resolve (ec);
8049                                 if (current_pe == null)
8050                                         return false;
8051
8052                                 VarExpr ve = for_each.type as VarExpr;
8053
8054                                 if (ve != null) {
8055                                         if (is_dynamic) {
8056                                                 // Source type is dynamic, set element type to dynamic too
8057                                                 variable.Type = ec.BuiltinTypes.Dynamic;
8058                                         } else {
8059                                                 // Infer implicitly typed local variable from foreach enumerable type
8060                                                 variable.Type = current_pe.Type;
8061                                         }
8062                                 } else {
8063                                         if (is_dynamic) {
8064                                                 // Explicit cast of dynamic collection elements has to be done at runtime
8065                                                 current_pe = EmptyCast.Create (current_pe, ec.BuiltinTypes.Dynamic);
8066                                         }
8067
8068                                         variable.Type = for_each.type.ResolveAsType (ec);
8069
8070                                         if (variable.Type == null)
8071                                                 return false;
8072
8073                                         current_pe = Convert.ExplicitConversion (ec, current_pe, variable.Type, loc);
8074                                         if (current_pe == null)
8075                                                 return false;
8076                                 }
8077
8078                                 var variable_ref = new LocalVariableReference (variable, loc).Resolve (ec);
8079                                 if (variable_ref == null)
8080                                         return false;
8081
8082                                 for_each.body.AddScopeStatement (new StatementExpression (new CompilerAssign (variable_ref, current_pe, Location.Null), for_each.type.Location));
8083
8084                                 var init = new Invocation.Predefined (get_enumerator_mg, null);
8085
8086                                 statement = new While (new BooleanExpression (new Invocation (move_next_mg, null)),
8087                                          for_each.body, Location.Null);
8088
8089                                 var enum_type = enumerator_variable.Type;
8090
8091                                 //
8092                                 // Add Dispose method call when enumerator can be IDisposable
8093                                 //
8094                                 if (!enum_type.ImplementsInterface (ec.BuiltinTypes.IDisposable, false)) {
8095                                         if (!enum_type.IsSealed && !TypeSpec.IsValueType (enum_type)) {
8096                                                 //
8097                                                 // Runtime Dispose check
8098                                                 //
8099                                                 var vd = new RuntimeDispose (enumerator_variable.LocalInfo, Location.Null);
8100                                                 vd.Initializer = init;
8101                                                 statement = new Using (vd, statement, Location.Null);
8102                                         } else {
8103                                                 //
8104                                                 // No Dispose call needed
8105                                                 //
8106                                                 this.init = new SimpleAssign (enumerator_variable, init, Location.Null);
8107                                                 this.init.Resolve (ec);
8108                                         }
8109                                 } else {
8110                                         //
8111                                         // Static Dispose check
8112                                         //
8113                                         var vd = new Using.VariableDeclaration (enumerator_variable.LocalInfo, Location.Null);
8114                                         vd.Initializer = init;
8115                                         statement = new Using (vd, statement, Location.Null);
8116                                 }
8117
8118                                 return statement.Resolve (ec);
8119                         }
8120
8121                         protected override void DoEmit (EmitContext ec)
8122                         {
8123                                 enumerator_variable.LocalInfo.CreateBuilder (ec);
8124
8125                                 if (init != null)
8126                                         init.EmitStatement (ec);
8127
8128                                 statement.Emit (ec);
8129                         }
8130
8131                         #region IErrorHandler Members
8132
8133                         bool OverloadResolver.IErrorHandler.AmbiguousCandidates (ResolveContext ec, MemberSpec best, MemberSpec ambiguous)
8134                         {
8135                                 ec.Report.SymbolRelatedToPreviousError (best);
8136                                 ec.Report.Warning (278, 2, expr.Location,
8137                                         "`{0}' contains ambiguous implementation of `{1}' pattern. Method `{2}' is ambiguous with method `{3}'",
8138                                         expr.Type.GetSignatureForError (), "enumerable",
8139                                         best.GetSignatureForError (), ambiguous.GetSignatureForError ());
8140
8141                                 ambiguous_getenumerator_name = true;
8142                                 return true;
8143                         }
8144
8145                         bool OverloadResolver.IErrorHandler.ArgumentMismatch (ResolveContext rc, MemberSpec best, Argument arg, int index)
8146                         {
8147                                 return false;
8148                         }
8149
8150                         bool OverloadResolver.IErrorHandler.NoArgumentMatch (ResolveContext rc, MemberSpec best)
8151                         {
8152                                 return false;
8153                         }
8154
8155                         bool OverloadResolver.IErrorHandler.TypeInferenceFailed (ResolveContext rc, MemberSpec best)
8156                         {
8157                                 return false;
8158                         }
8159
8160                         #endregion
8161                 }
8162
8163                 Expression type;
8164                 LocalVariable variable;
8165                 Expression expr;
8166                 Block body;
8167
8168                 public Foreach (Expression type, LocalVariable var, Expression expr, Statement stmt, Block body, Location l)
8169                         : base (stmt)
8170                 {
8171                         this.type = type;
8172                         this.variable = var;
8173                         this.expr = expr;
8174                         this.body = body;
8175                         loc = l;
8176                 }
8177
8178                 public Expression Expr {
8179                         get { return expr; }
8180                 }
8181
8182                 public Expression TypeExpression {
8183                         get { return type; }
8184                 }
8185
8186                 public LocalVariable Variable {
8187                         get { return variable; }
8188                 }
8189
8190                 public override Reachability MarkReachable (Reachability rc)
8191                 {
8192                         base.MarkReachable (rc);
8193
8194                         body.MarkReachable (rc);
8195
8196                         return rc;
8197                 }
8198
8199                 public override bool Resolve (BlockContext ec)
8200                 {
8201                         expr = expr.Resolve (ec);
8202                         if (expr == null)
8203                                 return false;
8204
8205                         if (expr.IsNull) {
8206                                 ec.Report.Error (186, loc, "Use of null is not valid in this context");
8207                                 return false;
8208                         }
8209
8210                         body.AddStatement (Statement);
8211
8212                         if (expr.Type.BuiltinType == BuiltinTypeSpec.Type.String) {
8213                                 Statement = new ArrayForeach (this, 1);
8214                         } else if (expr.Type is ArrayContainer) {
8215                                 Statement = new ArrayForeach (this, ((ArrayContainer) expr.Type).Rank);
8216                         } else {
8217                                 if (expr.eclass == ExprClass.MethodGroup || expr is AnonymousMethodExpression) {
8218                                         ec.Report.Error (446, expr.Location, "Foreach statement cannot operate on a `{0}'",
8219                                                 expr.ExprClassName);
8220                                         return false;
8221                                 }
8222
8223                                 Statement = new CollectionForeach (this, variable, expr);
8224                         }
8225
8226                         return base.Resolve (ec);
8227                 }
8228
8229                 protected override void DoEmit (EmitContext ec)
8230                 {
8231                         Label old_begin = ec.LoopBegin, old_end = ec.LoopEnd;
8232                         ec.LoopBegin = ec.DefineLabel ();
8233                         ec.LoopEnd = ec.DefineLabel ();
8234
8235                         if (!(Statement is Block))
8236                                 ec.BeginCompilerScope ();
8237
8238                         variable.CreateBuilder (ec);
8239
8240                         Statement.Emit (ec);
8241
8242                         if (!(Statement is Block))
8243                                 ec.EndScope ();
8244
8245                         ec.LoopBegin = old_begin;
8246                         ec.LoopEnd = old_end;
8247                 }
8248
8249                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
8250                 {
8251                         expr.FlowAnalysis (fc);
8252
8253                         var da = fc.BranchDefiniteAssignment ();
8254                         body.FlowAnalysis (fc);
8255                         fc.DefiniteAssignment = da;
8256                         return false;
8257                 }
8258
8259                 protected override void CloneTo (CloneContext clonectx, Statement t)
8260                 {
8261                         Foreach target = (Foreach) t;
8262
8263                         target.type = type.Clone (clonectx);
8264                         target.expr = expr.Clone (clonectx);
8265                         target.body = (Block) body.Clone (clonectx);
8266                         target.Statement = Statement.Clone (clonectx);
8267                 }
8268                 
8269                 public override object Accept (StructuralVisitor visitor)
8270                 {
8271                         return visitor.Visit (this);
8272                 }
8273         }
8274
8275         class SentinelStatement: Statement
8276         {
8277                 protected override void CloneTo (CloneContext clonectx, Statement target)
8278                 {
8279                 }
8280
8281                 protected override void DoEmit (EmitContext ec)
8282                 {
8283                         var l = ec.DefineLabel ();
8284                         ec.MarkLabel (l);
8285                         ec.Emit (OpCodes.Br_S, l);
8286                 }
8287
8288                 protected override bool DoFlowAnalysis (FlowAnalysisContext fc)
8289                 {
8290                         throw new NotImplementedException ();
8291                 }
8292         }
8293 }