Merge pull request #9382 from BruceForstall/CallFinallyCleanup
[platform/upstream/coreclr.git] / src / jit / compiler.h
1 // Licensed to the .NET Foundation under one or more agreements.
2 // The .NET Foundation licenses this file to you under the MIT license.
3 // See the LICENSE file in the project root for more information.
4
5 /*XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
7 XX                                                                           XX
8 XX                           Compiler                                        XX
9 XX                                                                           XX
10 XX  Represents the method data we are currently JIT-compiling.               XX
11 XX  An instance of this class is created for every method we JIT.            XX
12 XX  This contains all the info needed for the method. So allocating a        XX
13 XX  a new instance per method makes it thread-safe.                          XX
14 XX  It should be used to do all the memory management for the compiler run.  XX
15 XX                                                                           XX
16 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
17 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
18 */
19
20 /*****************************************************************************/
21 #ifndef _COMPILER_H_
22 #define _COMPILER_H_
23 /*****************************************************************************/
24
25 #include "jit.h"
26 #include "opcode.h"
27 #include "varset.h"
28 #include "gentree.h"
29 #include "lir.h"
30 #include "block.h"
31 #include "inline.h"
32 #include "jiteh.h"
33 #include "instr.h"
34 #include "regalloc.h"
35 #include "sm.h"
36 #include "simplerhash.h"
37 #include "cycletimer.h"
38 #include "blockset.h"
39 #include "jitstd.h"
40 #include "arraystack.h"
41 #include "hashbv.h"
42 #include "fp.h"
43 #include "expandarray.h"
44 #include "tinyarray.h"
45 #include "valuenum.h"
46 #include "reglist.h"
47 #include "jittelemetry.h"
48 #ifdef LATE_DISASM
49 #include "disasm.h"
50 #endif
51
52 #include "codegeninterface.h"
53 #include "regset.h"
54 #include "jitgcinfo.h"
55
56 #if DUMP_GC_TABLES && defined(JIT32_GCENCODER)
57 #include "gcdump.h"
58 #endif
59
60 #include "emit.h"
61
62 #include "simd.h"
63
64 // This is only used locally in the JIT to indicate that
65 // a verification block should be inserted
66 #define SEH_VERIFICATION_EXCEPTION 0xe0564552 // VER
67
68 /*****************************************************************************
69  *                  Forward declarations
70  */
71
72 struct InfoHdr;            // defined in GCInfo.h
73 struct escapeMapping_t;    // defined in flowgraph.cpp
74 class emitter;             // defined in emit.h
75 struct ShadowParamVarInfo; // defined in GSChecks.cpp
76 struct InitVarDscInfo;     // defined in register_arg_convention.h
77 class FgStack;             // defined in flowgraph.cpp
78 #if FEATURE_STACK_FP_X87
79 struct FlatFPStateX87; // defined in fp.h
80 #endif
81 #if FEATURE_ANYCSE
82 class CSE_DataFlow; // defined in OptCSE.cpp
83 #endif
84 #ifdef DEBUG
85 struct IndentStack;
86 #endif
87
88 // The following are defined in this file, Compiler.h
89
90 class Compiler;
91
92 /*****************************************************************************
93  *                  Unwind info
94  */
95
96 #include "unwind.h"
97
98 /*****************************************************************************/
99
100 //
101 // Declare global operator new overloads that use the Compiler::compGetMem() function for allocation.
102 //
103
104 // Or the more-general IAllocator interface.
105 void* __cdecl operator new(size_t n, IAllocator* alloc);
106 void* __cdecl operator new[](size_t n, IAllocator* alloc);
107
108 // I wanted to make the second argument optional, with default = CMK_Unknown, but that
109 // caused these to be ambiguous with the global placement new operators.
110 void* __cdecl operator new(size_t n, Compiler* context, CompMemKind cmk);
111 void* __cdecl operator new[](size_t n, Compiler* context, CompMemKind cmk);
112 void* __cdecl operator new(size_t n, void* p, const jitstd::placement_t& syntax_difference);
113
114 // Requires the definitions of "operator new" so including "LoopCloning.h" after the definitions.
115 #include "loopcloning.h"
116
117 /*****************************************************************************/
118
119 /* This is included here and not earlier as it needs the definition of "CSE"
120  * which is defined in the section above */
121
122 /*****************************************************************************/
123
124 unsigned genLog2(unsigned value);
125 unsigned genLog2(unsigned __int64 value);
126
127 var_types genActualType(var_types type);
128 var_types genUnsignedType(var_types type);
129 var_types genSignedType(var_types type);
130
131 unsigned ReinterpretHexAsDecimal(unsigned);
132
133 /*****************************************************************************/
134
135 #ifdef FEATURE_SIMD
136 #ifdef FEATURE_AVX_SUPPORT
137 const unsigned TEMP_MAX_SIZE = YMM_REGSIZE_BYTES;
138 #else  // !FEATURE_AVX_SUPPORT
139 const unsigned TEMP_MAX_SIZE = XMM_REGSIZE_BYTES;
140 #endif // !FEATURE_AVX_SUPPORT
141 #else  // !FEATURE_SIMD
142 const unsigned TEMP_MAX_SIZE = sizeof(double);
143 #endif // !FEATURE_SIMD
144 const unsigned TEMP_SLOT_COUNT = (TEMP_MAX_SIZE / sizeof(int));
145
146 const unsigned FLG_CCTOR = (CORINFO_FLG_CONSTRUCTOR | CORINFO_FLG_STATIC);
147
148 #ifdef DEBUG
149 const int BAD_STK_OFFS = 0xBAADF00D; // for LclVarDsc::lvStkOffs
150 #endif
151
152 // The following holds the Local var info (scope information)
153 typedef const char* VarName; // Actual ASCII string
154 struct VarScopeDsc
155 {
156     IL_OFFSET vsdLifeBeg; // instr offset of beg of life
157     IL_OFFSET vsdLifeEnd; // instr offset of end of life
158     unsigned  vsdVarNum;  // (remapped) LclVarDsc number
159
160 #ifdef DEBUG
161     VarName vsdName; // name of the var
162 #endif
163
164     unsigned vsdLVnum; // 'which' in eeGetLVinfo().
165                        // Also, it is the index of this entry in the info.compVarScopes array,
166                        // which is useful since the array is also accessed via the
167                        // compEnterScopeList and compExitScopeList sorted arrays.
168 };
169
170 /*****************************************************************************
171  *
172  *  The following holds the local variable counts and the descriptor table.
173  */
174
175 // This is the location of a definition.
176 struct DefLoc
177 {
178     BasicBlock* m_blk;
179     GenTreePtr  m_tree;
180
181     DefLoc() : m_blk(nullptr), m_tree(nullptr)
182     {
183     }
184 };
185
186 // This class encapsulates all info about a local variable that may vary for different SSA names
187 // in the family.
188 class LclSsaVarDsc
189 {
190 public:
191     ValueNumPair m_vnPair;
192     DefLoc       m_defLoc;
193
194     LclSsaVarDsc()
195     {
196     }
197 };
198
199 typedef ExpandArray<LclSsaVarDsc> PerSsaArray;
200
201 class LclVarDsc
202 {
203 public:
204     // The constructor. Most things can just be zero'ed.
205     LclVarDsc(Compiler* comp);
206
207     // note this only packs because var_types is a typedef of unsigned char
208     var_types lvType : 5; // TYP_INT/LONG/FLOAT/DOUBLE/REF
209
210     unsigned char lvIsParam : 1;           // is this a parameter?
211     unsigned char lvIsRegArg : 1;          // is this a register argument?
212     unsigned char lvFramePointerBased : 1; // 0 = off of REG_SPBASE (e.g., ESP), 1 = off of REG_FPBASE (e.g., EBP)
213
214     unsigned char lvStructGcCount : 3; // if struct, how many GC pointer (stop counting at 7). The only use of values >1
215                                        // is to help determine whether to use block init in the prolog.
216     unsigned char lvOnFrame : 1;       // (part of) the variable lives on the frame
217     unsigned char lvDependReg : 1;     // did the predictor depend upon this being enregistered
218     unsigned char lvRegister : 1;      // assigned to live in a register? For RyuJIT backend, this is only set if the
219                                        // variable is in the same register for the entire function.
220     unsigned char lvTracked : 1;       // is this a tracked variable?
221     bool          lvTrackedNonStruct()
222     {
223         return lvTracked && lvType != TYP_STRUCT;
224     }
225     unsigned char lvPinned : 1; // is this a pinned variable?
226
227     unsigned char lvMustInit : 1;    // must be initialized
228     unsigned char lvAddrExposed : 1; // The address of this variable is "exposed" -- passed as an argument, stored in a
229                                      // global location, etc.
230                                      // We cannot reason reliably about the value of the variable.
231     unsigned char lvDoNotEnregister : 1; // Do not enregister this variable.
232     unsigned char lvFieldAccessed : 1;   // The var is a struct local, and a field of the variable is accessed.  Affects
233                                          // struct promotion.
234
235 #ifdef DEBUG
236     // These further document the reasons for setting "lvDoNotEnregister".  (Note that "lvAddrExposed" is one of the
237     // reasons;
238     // also, lvType == TYP_STRUCT prevents enregistration.  At least one of the reasons should be true.
239     unsigned char lvVMNeedsStackAddr : 1; // The VM may have access to a stack-relative address of the variable, and
240                                           // read/write its value.
241     unsigned char lvLiveInOutOfHndlr : 1; // The variable was live in or out of an exception handler, and this required
242                                           // the variable to be
243                                           // in the stack (at least at those boundaries.)
244     unsigned char lvLclFieldExpr : 1;     // The variable is not a struct, but was accessed like one (e.g., reading a
245                                           // particular byte from an int).
246     unsigned char lvLclBlockOpAddr : 1;   // The variable was written to via a block operation that took its address.
247     unsigned char lvLiveAcrossUCall : 1;  // The variable is live across an unmanaged call.
248 #endif
249     unsigned char lvIsCSE : 1;       // Indicates if this LclVar is a CSE variable.
250     unsigned char lvRefAssign : 1;   // involved in pointer assignment
251     unsigned char lvHasLdAddrOp : 1; // has ldloca or ldarga opcode on this local.
252     unsigned char lvStackByref : 1;  // This is a compiler temporary of TYP_BYREF that is known to point into our local
253                                      // stack frame.
254
255     unsigned char lvArgWrite : 1; // variable is a parameter and STARG was used on it
256     unsigned char lvIsTemp : 1;   // Short-lifetime compiler temp
257 #if OPT_BOOL_OPS
258     unsigned char lvIsBoolean : 1; // set if variable is boolean
259 #endif
260     unsigned char lvRngOptDone : 1; // considered for range check opt?
261     unsigned char lvLoopInc : 1;    // incremented in the loop?
262     unsigned char lvLoopAsg : 1;    // reassigned  in the loop (other than a monotonic inc/dec for the index var)?
263     unsigned char lvArrIndx : 1;    // used as an array index?
264     unsigned char lvArrIndxOff : 1; // used as an array index with an offset?
265     unsigned char lvArrIndxDom : 1; // index dominates loop exit
266 #if ASSERTION_PROP
267     unsigned char lvSingleDef : 1;    // variable has a single def
268     unsigned char lvDisqualify : 1;   // variable is no longer OK for add copy optimization
269     unsigned char lvVolatileHint : 1; // hint for AssertionProp
270 #endif
271
272     unsigned char lvSpilled : 1; // enregistered variable was spilled
273 #ifndef _TARGET_64BIT_
274     unsigned char lvStructDoubleAlign : 1; // Must we double align this struct?
275 #endif                                     // !_TARGET_64BIT_
276 #ifdef _TARGET_64BIT_
277     unsigned char lvQuirkToLong : 1; // Quirk to allocate this LclVar as a 64-bit long
278 #endif
279 #ifdef DEBUG
280     unsigned char lvKeepType : 1;       // Don't change the type of this variable
281     unsigned char lvNoLclFldStress : 1; // Can't apply local field stress on this one
282 #endif
283     unsigned char lvIsPtr : 1; // Might this be used in an address computation? (used by buffer overflow security
284                                // checks)
285     unsigned char lvIsUnsafeBuffer : 1; // Does this contain an unsafe buffer requiring buffer overflow security checks?
286     unsigned char lvPromoted : 1; // True when this local is a promoted struct, a normed struct, or a "split" long on a
287                                   // 32-bit target.
288     unsigned char lvIsStructField : 1;          // Is this local var a field of a promoted struct local?
289     unsigned char lvContainsFloatingFields : 1; // Does this struct contains floating point fields?
290     unsigned char lvOverlappingFields : 1;      // True when we have a struct with possibly overlapping fields
291     unsigned char lvContainsHoles : 1;          // True when we have a promoted struct that contains holes
292     unsigned char lvCustomLayout : 1;           // True when this struct has "CustomLayout"
293
294     unsigned char lvIsMultiRegArg : 1; // true if this is a multireg LclVar struct used in an argument context
295     unsigned char lvIsMultiRegRet : 1; // true if this is a multireg LclVar struct assigned from a multireg call
296
297 #ifdef FEATURE_HFA
298     unsigned char _lvIsHfa : 1;          // Is this a struct variable who's class handle is an HFA type
299     unsigned char _lvIsHfaRegArg : 1;    // Is this a HFA argument variable?    // TODO-CLEANUP: Remove this and replace
300                                          // with (lvIsRegArg && lvIsHfa())
301     unsigned char _lvHfaTypeIsFloat : 1; // Is the HFA type float or double?
302 #endif                                   // FEATURE_HFA
303
304 #ifdef DEBUG
305     // TODO-Cleanup: See the note on lvSize() - this flag is only in use by asserts that are checking for struct
306     // types, and is needed because of cases where TYP_STRUCT is bashed to an integral type.
307     // Consider cleaning this up so this workaround is not required.
308     unsigned char lvUnusedStruct : 1; // All references to this promoted struct are through its field locals.
309                                       // I.e. there is no longer any reference to the struct directly.
310                                       // In this case we can simply remove this struct local.
311 #endif
312 #ifndef LEGACY_BACKEND
313     unsigned char lvLRACandidate : 1; // Tracked for linear scan register allocation purposes
314 #endif                                // !LEGACY_BACKEND
315
316 #ifdef FEATURE_SIMD
317     // Note that both SIMD vector args and locals are marked as lvSIMDType = true, but the
318     // type of an arg node is TYP_BYREF and a local node is TYP_SIMD*.
319     unsigned char lvSIMDType : 1;            // This is a SIMD struct
320     unsigned char lvUsedInSIMDIntrinsic : 1; // This tells lclvar is used for simd intrinsic
321     var_types     lvBaseType : 5;            // Note: this only packs because var_types is a typedef of unsigned char
322 #endif                                       // FEATURE_SIMD
323     unsigned char lvRegStruct : 1;           // This is a reg-sized non-field-addressed struct.
324
325     union {
326         unsigned lvFieldLclStart; // The index of the local var representing the first field in the promoted struct
327                                   // local.
328         unsigned lvParentLcl; // The index of the local var representing the parent (i.e. the promoted struct local).
329                               // Valid on promoted struct local fields.
330     };
331
332     unsigned char lvFieldCnt; //  Number of fields in the promoted VarDsc.
333     unsigned char lvFldOffset;
334     unsigned char lvFldOrdinal;
335
336 #if FEATURE_MULTIREG_ARGS
337     regNumber lvRegNumForSlot(unsigned slotNum)
338     {
339         if (slotNum == 0)
340         {
341             return lvArgReg;
342         }
343         else if (slotNum == 1)
344         {
345             return lvOtherArgReg;
346         }
347         else
348         {
349             assert(false && "Invalid slotNum!");
350         }
351
352         unreached();
353     }
354 #endif // FEATURE_MULTIREG_ARGS
355
356     bool lvIsHfa() const
357     {
358 #ifdef FEATURE_HFA
359         return _lvIsHfa;
360 #else
361         return false;
362 #endif
363     }
364
365     void lvSetIsHfa()
366     {
367 #ifdef FEATURE_HFA
368         _lvIsHfa = true;
369 #endif
370     }
371
372     bool lvIsHfaRegArg() const
373     {
374 #ifdef FEATURE_HFA
375         return _lvIsHfaRegArg;
376 #else
377         return false;
378 #endif
379     }
380
381     void lvSetIsHfaRegArg()
382     {
383 #ifdef FEATURE_HFA
384         _lvIsHfaRegArg = true;
385 #endif
386     }
387
388     bool lvHfaTypeIsFloat() const
389     {
390 #ifdef FEATURE_HFA
391         return _lvHfaTypeIsFloat;
392 #else
393         return false;
394 #endif
395     }
396
397     void lvSetHfaTypeIsFloat(bool value)
398     {
399 #ifdef FEATURE_HFA
400         _lvHfaTypeIsFloat = value;
401 #endif
402     }
403
404     // on Arm64 - Returns 1-4 indicating the number of register slots used by the HFA
405     // on Arm32 - Returns the total number of single FP register slots used by the HFA, max is 8
406     //
407     unsigned lvHfaSlots() const
408     {
409         assert(lvIsHfa());
410         assert(lvType == TYP_STRUCT);
411 #ifdef _TARGET_ARM_
412         return lvExactSize / sizeof(float);
413 #else  //  _TARGET_ARM64_
414         if (lvHfaTypeIsFloat())
415         {
416             return lvExactSize / sizeof(float);
417         }
418         else
419         {
420             return lvExactSize / sizeof(double);
421         }
422 #endif //  _TARGET_ARM64_
423     }
424
425     // lvIsMultiRegArgOrRet()
426     //     returns true if this is a multireg LclVar struct used in an argument context
427     //               or if this is a multireg LclVar struct assigned from a multireg call
428     bool lvIsMultiRegArgOrRet()
429     {
430         return lvIsMultiRegArg || lvIsMultiRegRet;
431     }
432
433 private:
434     regNumberSmall _lvRegNum; // Used to store the register this variable is in (or, the low register of a
435                               // register pair). For LEGACY_BACKEND, this is only set if lvRegister is
436                               // non-zero. For non-LEGACY_BACKEND, it is set during codegen any time the
437                               // variable is enregistered (in non-LEGACY_BACKEND, lvRegister is only set
438                               // to non-zero if the variable gets the same register assignment for its entire
439                               // lifetime).
440 #if !defined(_TARGET_64BIT_)
441     regNumberSmall _lvOtherReg; // Used for "upper half" of long var.
442 #endif                          // !defined(_TARGET_64BIT_)
443
444     regNumberSmall _lvArgReg; // The register in which this argument is passed.
445
446 #if FEATURE_MULTIREG_ARGS
447     regNumberSmall _lvOtherArgReg; // Used for the second part of the struct passed in a register.
448                                    // Note this is defined but not used by ARM32
449 #endif                             // FEATURE_MULTIREG_ARGS
450
451 #ifndef LEGACY_BACKEND
452     union {
453         regNumberSmall _lvArgInitReg;     // the register      into which the argument is moved at entry
454         regPairNoSmall _lvArgInitRegPair; // the register pair into which the argument is moved at entry
455     };
456 #endif // !LEGACY_BACKEND
457
458 public:
459     // The register number is stored in a small format (8 bits), but the getters return and the setters take
460     // a full-size (unsigned) format, to localize the casts here.
461
462     /////////////////////
463
464     __declspec(property(get = GetRegNum, put = SetRegNum)) regNumber lvRegNum;
465
466     regNumber GetRegNum() const
467     {
468         return (regNumber)_lvRegNum;
469     }
470
471     void SetRegNum(regNumber reg)
472     {
473         _lvRegNum = (regNumberSmall)reg;
474         assert(_lvRegNum == reg);
475     }
476
477 /////////////////////
478
479 #if defined(_TARGET_64BIT_)
480     __declspec(property(get = GetOtherReg, put = SetOtherReg)) regNumber lvOtherReg;
481
482     regNumber GetOtherReg() const
483     {
484         assert(!"shouldn't get here"); // can't use "unreached();" because it's NORETURN, which causes C4072
485                                        // "unreachable code" warnings
486         return REG_NA;
487     }
488
489     void SetOtherReg(regNumber reg)
490     {
491         assert(!"shouldn't get here"); // can't use "unreached();" because it's NORETURN, which causes C4072
492                                        // "unreachable code" warnings
493     }
494 #else  // !_TARGET_64BIT_
495     __declspec(property(get = GetOtherReg, put = SetOtherReg)) regNumber lvOtherReg;
496
497     regNumber GetOtherReg() const
498     {
499         return (regNumber)_lvOtherReg;
500     }
501
502     void SetOtherReg(regNumber reg)
503     {
504         _lvOtherReg = (regNumberSmall)reg;
505         assert(_lvOtherReg == reg);
506     }
507 #endif // !_TARGET_64BIT_
508
509     /////////////////////
510
511     __declspec(property(get = GetArgReg, put = SetArgReg)) regNumber lvArgReg;
512
513     regNumber GetArgReg() const
514     {
515         return (regNumber)_lvArgReg;
516     }
517
518     void SetArgReg(regNumber reg)
519     {
520         _lvArgReg = (regNumberSmall)reg;
521         assert(_lvArgReg == reg);
522     }
523
524 #if FEATURE_MULTIREG_ARGS
525     __declspec(property(get = GetOtherArgReg, put = SetOtherArgReg)) regNumber lvOtherArgReg;
526
527     regNumber GetOtherArgReg() const
528     {
529         return (regNumber)_lvOtherArgReg;
530     }
531
532     void SetOtherArgReg(regNumber reg)
533     {
534         _lvOtherArgReg = (regNumberSmall)reg;
535         assert(_lvOtherArgReg == reg);
536     }
537 #endif // FEATURE_MULTIREG_ARGS
538
539 #ifdef FEATURE_SIMD
540     // Is this is a SIMD struct?
541     bool lvIsSIMDType() const
542     {
543         return lvSIMDType;
544     }
545
546     // Is this is a SIMD struct which is used for SIMD intrinsic?
547     bool lvIsUsedInSIMDIntrinsic() const
548     {
549         return lvUsedInSIMDIntrinsic;
550     }
551 #else
552     // If feature_simd not enabled, return false
553     bool lvIsSIMDType() const
554     {
555         return false;
556     }
557     bool lvIsUsedInSIMDIntrinsic() const
558     {
559         return false;
560     }
561 #endif
562
563 /////////////////////
564
565 #ifndef LEGACY_BACKEND
566     __declspec(property(get = GetArgInitReg, put = SetArgInitReg)) regNumber lvArgInitReg;
567
568     regNumber GetArgInitReg() const
569     {
570         return (regNumber)_lvArgInitReg;
571     }
572
573     void SetArgInitReg(regNumber reg)
574     {
575         _lvArgInitReg = (regNumberSmall)reg;
576         assert(_lvArgInitReg == reg);
577     }
578
579     /////////////////////
580
581     __declspec(property(get = GetArgInitRegPair, put = SetArgInitRegPair)) regPairNo lvArgInitRegPair;
582
583     regPairNo GetArgInitRegPair() const
584     {
585         regPairNo regPair = (regPairNo)_lvArgInitRegPair;
586         assert(regPair >= REG_PAIR_FIRST && regPair <= REG_PAIR_LAST);
587         return regPair;
588     }
589
590     void SetArgInitRegPair(regPairNo regPair)
591     {
592         assert(regPair >= REG_PAIR_FIRST && regPair <= REG_PAIR_LAST);
593         _lvArgInitRegPair = (regPairNoSmall)regPair;
594         assert(_lvArgInitRegPair == regPair);
595     }
596
597     /////////////////////
598
599     bool lvIsRegCandidate() const
600     {
601         return lvLRACandidate != 0;
602     }
603
604     bool lvIsInReg() const
605     {
606         return lvIsRegCandidate() && (lvRegNum != REG_STK);
607     }
608
609 #else // LEGACY_BACKEND
610
611     bool lvIsRegCandidate() const
612     {
613         return lvTracked != 0;
614     }
615
616     bool lvIsInReg() const
617     {
618         return lvRegister != 0;
619     }
620
621 #endif // LEGACY_BACKEND
622
623     regMaskTP lvRegMask() const
624     {
625         regMaskTP regMask = RBM_NONE;
626         if (varTypeIsFloating(TypeGet()))
627         {
628             if (lvRegNum != REG_STK)
629             {
630                 regMask = genRegMaskFloat(lvRegNum, TypeGet());
631             }
632         }
633         else
634         {
635             if (lvRegNum != REG_STK)
636             {
637                 regMask = genRegMask(lvRegNum);
638             }
639
640             // For longs we may have two regs
641             if (isRegPairType(lvType) && lvOtherReg != REG_STK)
642             {
643                 regMask |= genRegMask(lvOtherReg);
644             }
645         }
646         return regMask;
647     }
648
649     regMaskSmall lvPrefReg; // set of regs it prefers to live in
650
651     unsigned short lvVarIndex;  // variable tracking index
652     unsigned short lvRefCnt;    // unweighted (real) reference count
653     unsigned       lvRefCntWtd; // weighted reference count
654     int            lvStkOffs;   // stack offset of home
655     unsigned       lvExactSize; // (exact) size of the type in bytes
656
657     // Is this a promoted struct?
658     // This method returns true only for structs (including SIMD structs), not for
659     // locals that are split on a 32-bit target.
660     // It is only necessary to use this:
661     //   1) if only structs are wanted, and
662     //   2) if Lowering has already been done.
663     // Otherwise lvPromoted is valid.
664     bool lvPromotedStruct()
665     {
666 #if !defined(_TARGET_64BIT_)
667         return (lvPromoted && !varTypeIsLong(lvType));
668 #else  // defined(_TARGET_64BIT_)
669         return lvPromoted;
670 #endif // defined(_TARGET_64BIT_)
671     }
672
673     unsigned lvSize() const // Size needed for storage representation. Only used for structs or TYP_BLK.
674     {
675         // TODO-Review: Sometimes we get called on ARM with HFA struct variables that have been promoted,
676         // where the struct itself is no longer used because all access is via its member fields.
677         // When that happens, the struct is marked as unused and its type has been changed to
678         // TYP_INT (to keep the GC tracking code from looking at it).
679         // See Compiler::raAssignVars() for details. For example:
680         //      N002 (  4,  3) [00EA067C] -------------               return    struct $346
681         //      N001 (  3,  2) [00EA0628] -------------                  lclVar    struct(U) V03 loc2
682         //                                                                        float  V03.f1 (offs=0x00) -> V12 tmp7
683         //                                                                        f8 (last use) (last use) $345
684         // Here, the "struct(U)" shows that the "V03 loc2" variable is unused. Not shown is that V03
685         // is now TYP_INT in the local variable table. It's not really unused, because it's in the tree.
686
687         assert(varTypeIsStruct(lvType) || (lvType == TYP_BLK) || (lvPromoted && lvUnusedStruct));
688
689 #if defined(FEATURE_SIMD) && !defined(_TARGET_64BIT_)
690         // For 32-bit architectures, we make local variable SIMD12 types 16 bytes instead of just 12. We can't do
691         // this for arguments, which must be passed according the defined ABI. We don't want to do this for
692         // dependently promoted struct fields, but we don't know that here. See lvaMapSimd12ToSimd16().
693         if ((lvType == TYP_SIMD12) && !lvIsParam)
694         {
695             assert(lvExactSize == 12);
696             return 16;
697         }
698 #endif // defined(FEATURE_SIMD) && !defined(_TARGET_64BIT_)
699
700         return (unsigned)(roundUp(lvExactSize, TARGET_POINTER_SIZE));
701     }
702
703     unsigned lvSlotNum; // original slot # (if remapped)
704
705     typeInfo lvVerTypeInfo; // type info needed for verification
706
707     BYTE* lvGcLayout; // GC layout info for structs
708
709 #if ASSERTION_PROP
710     BlockSet   lvRefBlks;          // Set of blocks that contain refs
711     GenTreePtr lvDefStmt;          // Pointer to the statement with the single definition
712     void       lvaDisqualifyVar(); // Call to disqualify a local variable from use in optAddCopies
713 #endif
714     var_types TypeGet() const
715     {
716         return (var_types)lvType;
717     }
718     bool lvStackAligned() const
719     {
720         assert(lvIsStructField);
721         return ((lvFldOffset % sizeof(void*)) == 0);
722     }
723     bool lvNormalizeOnLoad() const
724     {
725         return varTypeIsSmall(TypeGet()) &&
726                // lvIsStructField is treated the same as the aliased local, see fgDoNormalizeOnStore.
727                (lvIsParam || lvAddrExposed || lvIsStructField);
728     }
729
730     bool lvNormalizeOnStore()
731     {
732         return varTypeIsSmall(TypeGet()) &&
733                // lvIsStructField is treated the same as the aliased local, see fgDoNormalizeOnStore.
734                !(lvIsParam || lvAddrExposed || lvIsStructField);
735     }
736
737     void lvaResetSortAgainFlag(Compiler* pComp);
738     void decRefCnts(BasicBlock::weight_t weight, Compiler* pComp, bool propagate = true);
739     void incRefCnts(BasicBlock::weight_t weight, Compiler* pComp, bool propagate = true);
740     void setPrefReg(regNumber regNum, Compiler* pComp);
741     void addPrefReg(regMaskTP regMask, Compiler* pComp);
742     bool IsFloatRegType() const
743     {
744         return isFloatRegType(lvType) || lvIsHfaRegArg();
745     }
746     var_types GetHfaType() const
747     {
748         return lvIsHfa() ? (lvHfaTypeIsFloat() ? TYP_FLOAT : TYP_DOUBLE) : TYP_UNDEF;
749     }
750     void SetHfaType(var_types type)
751     {
752         assert(varTypeIsFloating(type));
753         lvSetHfaTypeIsFloat(type == TYP_FLOAT);
754     }
755
756 #ifndef LEGACY_BACKEND
757     var_types lvaArgType();
758 #endif
759
760     PerSsaArray lvPerSsaData;
761
762 #ifdef DEBUG
763     // Keep track of the # of SsaNames, for a bounds check.
764     unsigned lvNumSsaNames;
765 #endif
766
767     // Returns the address of the per-Ssa data for the given ssaNum (which is required
768     // not to be the SsaConfig::RESERVED_SSA_NUM, which indicates that the variable is
769     // not an SSA variable).
770     LclSsaVarDsc* GetPerSsaData(unsigned ssaNum)
771     {
772         assert(ssaNum != SsaConfig::RESERVED_SSA_NUM);
773         assert(SsaConfig::RESERVED_SSA_NUM == 0);
774         unsigned zeroBased = ssaNum - SsaConfig::UNINIT_SSA_NUM;
775         assert(zeroBased < lvNumSsaNames);
776         return &lvPerSsaData.GetRef(zeroBased);
777     }
778
779 #ifdef DEBUG
780 public:
781     void PrintVarReg() const
782     {
783         if (isRegPairType(TypeGet()))
784         {
785             printf("%s:%s", getRegName(lvOtherReg), // hi32
786                    getRegName(lvRegNum));           // lo32
787         }
788         else
789         {
790             printf("%s", getRegName(lvRegNum));
791         }
792     }
793 #endif // DEBUG
794
795 }; // class LclVarDsc
796
797 /*
798 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
799 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
800 XX                                                                           XX
801 XX                           TempsInfo                                       XX
802 XX                                                                           XX
803 XX  The temporary lclVars allocated by the compiler for code generation      XX
804 XX                                                                           XX
805 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
806 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
807 */
808
809 /*****************************************************************************
810  *
811  *  The following keeps track of temporaries allocated in the stack frame
812  *  during code-generation (after register allocation). These spill-temps are
813  *  only used if we run out of registers while evaluating a tree.
814  *
815  *  These are different from the more common temps allocated by lvaGrabTemp().
816  */
817
818 class TempDsc
819 {
820 public:
821     TempDsc* tdNext;
822
823 private:
824     int tdOffs;
825 #ifdef DEBUG
826     static const int BAD_TEMP_OFFSET = 0xDDDDDDDD; // used as a sentinel "bad value" for tdOffs in DEBUG
827 #endif                                             // DEBUG
828
829     int       tdNum;
830     BYTE      tdSize;
831     var_types tdType;
832
833 public:
834     TempDsc(int _tdNum, unsigned _tdSize, var_types _tdType) : tdNum(_tdNum), tdSize((BYTE)_tdSize), tdType(_tdType)
835     {
836 #ifdef DEBUG
837         assert(tdNum <
838                0); // temps must have a negative number (so they have a different number from all local variables)
839         tdOffs = BAD_TEMP_OFFSET;
840 #endif // DEBUG
841         if (tdNum != _tdNum)
842         {
843             IMPL_LIMITATION("too many spill temps");
844         }
845     }
846
847 #ifdef DEBUG
848     bool tdLegalOffset() const
849     {
850         return tdOffs != BAD_TEMP_OFFSET;
851     }
852 #endif // DEBUG
853
854     int tdTempOffs() const
855     {
856         assert(tdLegalOffset());
857         return tdOffs;
858     }
859     void tdSetTempOffs(int offs)
860     {
861         tdOffs = offs;
862         assert(tdLegalOffset());
863     }
864     void tdAdjustTempOffs(int offs)
865     {
866         tdOffs += offs;
867         assert(tdLegalOffset());
868     }
869
870     int tdTempNum() const
871     {
872         assert(tdNum < 0);
873         return tdNum;
874     }
875     unsigned tdTempSize() const
876     {
877         return tdSize;
878     }
879     var_types tdTempType() const
880     {
881         return tdType;
882     }
883 };
884
885 // interface to hide linearscan implementation from rest of compiler
886 class LinearScanInterface
887 {
888 public:
889     virtual void doLinearScan()                                = 0;
890     virtual void recordVarLocationsAtStartOfBB(BasicBlock* bb) = 0;
891 };
892
893 LinearScanInterface* getLinearScanAllocator(Compiler* comp);
894
895 // Information about arrays: their element type and size, and the offset of the first element.
896 // We label GT_IND's that are array indices with GTF_IND_ARR_INDEX, and, for such nodes,
897 // associate an array info via the map retrieved by GetArrayInfoMap().  This information is used,
898 // for example, in value numbering of array index expressions.
899 struct ArrayInfo
900 {
901     var_types            m_elemType;
902     CORINFO_CLASS_HANDLE m_elemStructType;
903     unsigned             m_elemSize;
904     unsigned             m_elemOffset;
905
906     ArrayInfo() : m_elemType(TYP_UNDEF), m_elemStructType(nullptr), m_elemSize(0), m_elemOffset(0)
907     {
908     }
909
910     ArrayInfo(var_types elemType, unsigned elemSize, unsigned elemOffset, CORINFO_CLASS_HANDLE elemStructType)
911         : m_elemType(elemType), m_elemStructType(elemStructType), m_elemSize(elemSize), m_elemOffset(elemOffset)
912     {
913     }
914 };
915
916 // This enumeration names the phases into which we divide compilation.  The phases should completely
917 // partition a compilation.
918 enum Phases
919 {
920 #define CompPhaseNameMacro(enum_nm, string_nm, short_nm, hasChildren, parent) enum_nm,
921 #include "compphases.h"
922     PHASE_NUMBER_OF
923 };
924
925 extern const char*   PhaseNames[];
926 extern const char*   PhaseEnums[];
927 extern const LPCWSTR PhaseShortNames[];
928
929 // The following enum provides a simple 1:1 mapping to CLR API's
930 enum API_ICorJitInfo_Names
931 {
932 #define DEF_CLR_API(name) API_##name,
933 #include "ICorJitInfo_API_names.h"
934     API_COUNT
935 };
936
937 //---------------------------------------------------------------
938 // Compilation time.
939 //
940
941 // A "CompTimeInfo" is a structure for tracking the compilation time of one or more methods.
942 // We divide a compilation into a sequence of contiguous phases, and track the total (per-thread) cycles
943 // of the compilation, as well as the cycles for each phase.  We also track the number of bytecodes.
944 // If there is a failure in reading a timer at any point, the "CompTimeInfo" becomes invalid, as indicated
945 // by "m_timerFailure" being true.
946 // If FEATURE_JIT_METHOD_PERF is not set, we define a minimal form of this, enough to let other code compile.
947 struct CompTimeInfo
948 {
949 #ifdef FEATURE_JIT_METHOD_PERF
950     // The string names of the phases.
951     static const char* PhaseNames[];
952
953     static bool PhaseHasChildren[];
954     static int  PhaseParent[];
955
956     unsigned         m_byteCodeBytes;
957     unsigned __int64 m_totalCycles;
958     unsigned __int64 m_invokesByPhase[PHASE_NUMBER_OF];
959     unsigned __int64 m_cyclesByPhase[PHASE_NUMBER_OF];
960 #if MEASURE_CLRAPI_CALLS
961     unsigned __int64 m_CLRinvokesByPhase[PHASE_NUMBER_OF];
962     unsigned __int64 m_CLRcyclesByPhase[PHASE_NUMBER_OF];
963 #endif
964     // For better documentation, we call EndPhase on
965     // non-leaf phases.  We should also call EndPhase on the
966     // last leaf subphase; obviously, the elapsed cycles between the EndPhase
967     // for the last leaf subphase and the EndPhase for an ancestor should be very small.
968     // We add all such "redundant end phase" intervals to this variable below; we print
969     // it out in a report, so we can verify that it is, indeed, very small.  If it ever
970     // isn't, this means that we're doing something significant between the end of the last
971     // declared subphase and the end of its parent.
972     unsigned __int64 m_parentPhaseEndSlop;
973     bool             m_timerFailure;
974
975 #if MEASURE_CLRAPI_CALLS
976     // The following measures the time spent inside each individual CLR API call.
977     unsigned         m_allClrAPIcalls;
978     unsigned         m_perClrAPIcalls[API_ICorJitInfo_Names::API_COUNT];
979     unsigned __int64 m_allClrAPIcycles;
980     unsigned __int64 m_perClrAPIcycles[API_ICorJitInfo_Names::API_COUNT];
981     unsigned __int32 m_maxClrAPIcycles[API_ICorJitInfo_Names::API_COUNT];
982 #endif // MEASURE_CLRAPI_CALLS
983
984     CompTimeInfo(unsigned byteCodeBytes);
985 #endif
986 };
987
988 #ifdef FEATURE_JIT_METHOD_PERF
989
990 #if MEASURE_CLRAPI_CALLS
991 struct WrapICorJitInfo;
992 #endif
993
994 // This class summarizes the JIT time information over the course of a run: the number of methods compiled,
995 // and the total and maximum timings.  (These are instances of the "CompTimeInfo" type described above).
996 // The operation of adding a single method's timing to the summary may be performed concurrently by several
997 // threads, so it is protected by a lock.
998 // This class is intended to be used as a singleton type, with only a single instance.
999 class CompTimeSummaryInfo
1000 {
1001     // This lock protects the fields of all CompTimeSummaryInfo(s) (of which we expect there to be one).
1002     static CritSecObject s_compTimeSummaryLock;
1003
1004     int          m_numMethods;
1005     int          m_totMethods;
1006     CompTimeInfo m_total;
1007     CompTimeInfo m_maximum;
1008
1009     int          m_numFilteredMethods;
1010     CompTimeInfo m_filtered;
1011
1012     // This method computes the number of cycles/sec for the current machine.  The cycles are those counted
1013     // by GetThreadCycleTime; we assume that these are of equal duration, though that is not necessarily true.
1014     // If any OS interaction fails, returns 0.0.
1015     double CyclesPerSecond();
1016
1017     // This can use what ever data you want to determine if the value to be added
1018     // belongs in the filtered section (it's always included in the unfiltered section)
1019     bool IncludedInFilteredData(CompTimeInfo& info);
1020
1021 public:
1022     // This is the unique CompTimeSummaryInfo object for this instance of the runtime.
1023     static CompTimeSummaryInfo s_compTimeSummary;
1024
1025     CompTimeSummaryInfo()
1026         : m_numMethods(0), m_totMethods(0), m_total(0), m_maximum(0), m_numFilteredMethods(0), m_filtered(0)
1027     {
1028     }
1029
1030     // Assumes that "info" is a completed CompTimeInfo for a compilation; adds it to the summary.
1031     // This is thread safe.
1032     void AddInfo(CompTimeInfo& info, bool includePhases);
1033
1034     // Print the summary information to "f".
1035     // This is not thread-safe; assumed to be called by only one thread.
1036     void Print(FILE* f);
1037 };
1038
1039 // A JitTimer encapsulates a CompTimeInfo for a single compilation. It also tracks the start of compilation,
1040 // and when the current phase started.  This is intended to be part of a Compilation object.  This is
1041 // disabled (FEATURE_JIT_METHOD_PERF not defined) when FEATURE_CORECLR is set, or on non-windows platforms.
1042 //
1043 class JitTimer
1044 {
1045     unsigned __int64 m_start;         // Start of the compilation.
1046     unsigned __int64 m_curPhaseStart; // Start of the current phase.
1047 #if MEASURE_CLRAPI_CALLS
1048     unsigned __int64 m_CLRcallStart;   // Start of the current CLR API call (if any).
1049     unsigned __int64 m_CLRcallInvokes; // CLR API invokes under current outer so far
1050     unsigned __int64 m_CLRcallCycles;  // CLR API  cycles under current outer so far.
1051     int              m_CLRcallAPInum;  // The enum/index of the current CLR API call (or -1).
1052     static double    s_cyclesPerSec;   // Cached for speedier measurements
1053 #endif
1054 #ifdef DEBUG
1055     Phases m_lastPhase; // The last phase that was completed (or (Phases)-1 to start).
1056 #endif
1057     CompTimeInfo m_info; // The CompTimeInfo for this compilation.
1058
1059     static CritSecObject s_csvLock; // Lock to protect the time log file.
1060     void PrintCsvMethodStats(Compiler* comp);
1061
1062 private:
1063     void* operator new(size_t);
1064     void* operator new[](size_t);
1065     void operator delete(void*);
1066     void operator delete[](void*);
1067
1068 public:
1069     // Initialized the timer instance
1070     JitTimer(unsigned byteCodeSize);
1071
1072     static JitTimer* Create(Compiler* comp, unsigned byteCodeSize)
1073     {
1074         return ::new (comp, CMK_Unknown) JitTimer(byteCodeSize);
1075     }
1076
1077     static void PrintCsvHeader();
1078
1079     // Ends the current phase (argument is for a redundant check).
1080     void EndPhase(Phases phase);
1081
1082 #if MEASURE_CLRAPI_CALLS
1083     // Start and end a timed CLR API call.
1084     void CLRApiCallEnter(unsigned apix);
1085     void CLRApiCallLeave(unsigned apix);
1086 #endif // MEASURE_CLRAPI_CALLS
1087
1088     // Completes the timing of the current method, which is assumed to have "byteCodeBytes" bytes of bytecode,
1089     // and adds it to "sum".
1090     void Terminate(Compiler* comp, CompTimeSummaryInfo& sum, bool includePhases);
1091
1092     // Attempts to query the cycle counter of the current thread.  If successful, returns "true" and sets
1093     // *cycles to the cycle counter value.  Otherwise, returns false and sets the "m_timerFailure" flag of
1094     // "m_info" to true.
1095     bool GetThreadCycles(unsigned __int64* cycles)
1096     {
1097         bool res = CycleTimer::GetThreadCyclesS(cycles);
1098         if (!res)
1099         {
1100             m_info.m_timerFailure = true;
1101         }
1102         return res;
1103     }
1104 };
1105 #endif // FEATURE_JIT_METHOD_PERF
1106
1107 //------------------- Function/Funclet info -------------------------------
1108 DECLARE_TYPED_ENUM(FuncKind, BYTE)
1109 {
1110     FUNC_ROOT,        // The main/root function (always id==0)
1111         FUNC_HANDLER, // a funclet associated with an EH handler (finally, fault, catch, filter handler)
1112         FUNC_FILTER,  // a funclet associated with an EH filter
1113         FUNC_COUNT
1114 }
1115 END_DECLARE_TYPED_ENUM(FuncKind, BYTE)
1116
1117 class emitLocation;
1118
1119 struct FuncInfoDsc
1120 {
1121     FuncKind       funKind;
1122     BYTE           funFlags;   // Currently unused, just here for padding
1123     unsigned short funEHIndex; // index, into the ebd table, of innermost EH clause corresponding to this
1124                                // funclet. It is only valid if funKind field indicates this is a
1125                                // EH-related funclet: FUNC_HANDLER or FUNC_FILTER
1126
1127 #if defined(_TARGET_AMD64_)
1128
1129     // TODO-AMD64-Throughput: make the AMD64 info more like the ARM info to avoid having this large static array.
1130     emitLocation* startLoc;
1131     emitLocation* endLoc;
1132     emitLocation* coldStartLoc; // locations for the cold section, if there is one.
1133     emitLocation* coldEndLoc;
1134     UNWIND_INFO   unwindHeader;
1135     // Maximum of 255 UNWIND_CODE 'nodes' and then the unwind header. If there are an odd
1136     // number of codes, the VM or Zapper will 4-byte align the whole thing.
1137     BYTE     unwindCodes[offsetof(UNWIND_INFO, UnwindCode) + (0xFF * sizeof(UNWIND_CODE))];
1138     unsigned unwindCodeSlot;
1139
1140 #ifdef UNIX_AMD64_ABI
1141     jitstd::vector<CFI_CODE>* cfiCodes;
1142 #endif // UNIX_AMD64_ABI
1143
1144 #elif defined(_TARGET_ARMARCH_)
1145
1146     UnwindInfo  uwi;     // Unwind information for this function/funclet's hot  section
1147     UnwindInfo* uwiCold; // Unwind information for this function/funclet's cold section
1148                          //   Note: we only have a pointer here instead of the actual object,
1149                          //   to save memory in the JIT case (compared to the NGEN case),
1150                          //   where we don't have any cold section.
1151                          //   Note 2: we currently don't support hot/cold splitting in functions
1152                          //   with EH, so uwiCold will be NULL for all funclets.
1153
1154 #endif // _TARGET_ARMARCH_
1155
1156     // Eventually we may want to move rsModifiedRegsMask, lvaOutgoingArgSize, and anything else
1157     // that isn't shared between the main function body and funclets.
1158 };
1159
1160 struct fgArgTabEntry
1161 {
1162
1163 #if defined(FEATURE_UNIX_AMD64_STRUCT_PASSING)
1164     fgArgTabEntry()
1165     {
1166         otherRegNum = REG_NA;
1167         isStruct    = false; // is this a struct arg
1168     }
1169 #endif // defined(FEATURE_UNIX_AMD64_STRUCT_PASSING)
1170
1171     GenTreePtr node; // Initially points at the Op1 field of 'parent', but if the argument is replaced with an GT_ASG or
1172                      // placeholder
1173                      //  it will point at the actual argument in the gtCallLateArgs list.
1174     GenTreePtr parent; // Points at the GT_LIST node in the gtCallArgs for this argument
1175
1176     unsigned argNum; // The original argument number, also specifies the required argument evaluation order from the IL
1177
1178     regNumber regNum; // The (first) register to use when passing this argument, set to REG_STK for arguments passed on
1179                       // the stack
1180     unsigned numRegs; // Count of number of registers that this argument uses
1181
1182     // A slot is a pointer sized region in the OutArg area.
1183     unsigned slotNum;  // When an argument is passed in the OutArg area this is the slot number in the OutArg area
1184     unsigned numSlots; // Count of number of slots that this argument uses
1185
1186     unsigned alignment;  // 1 or 2 (slots/registers)
1187     unsigned lateArgInx; // index into gtCallLateArgs list
1188     unsigned tmpNum;     // the LclVar number if we had to force evaluation of this arg
1189 #if defined(UNIX_X86_ABI)
1190     unsigned padStkAlign; // Count of number of padding slots for stack alignment. For each Call, only the first
1191                           // argument may have a value to emit "sub esp, n" to adjust the stack before pushing
1192                           // the argument.
1193 #endif
1194
1195     bool isSplit : 1;       // True when this argument is split between the registers and OutArg area
1196     bool needTmp : 1;       // True when we force this argument's evaluation into a temp LclVar
1197     bool needPlace : 1;     // True when we must replace this argument with a placeholder node
1198     bool isTmp : 1;         // True when we setup a temp LclVar for this argument due to size issues with the struct
1199     bool processed : 1;     // True when we have decided the evaluation order for this argument in the gtCallLateArgs
1200     bool isHfaRegArg : 1;   // True when the argument is passed as a HFA in FP registers.
1201     bool isBackFilled : 1;  // True when the argument fills a register slot skipped due to alignment requirements of
1202                             // previous arguments.
1203     bool isNonStandard : 1; // True if it is an arg that is passed in a reg other than a standard arg reg, or is forced
1204                             // to be on the stack despite its arg list position.
1205
1206 #if defined(FEATURE_UNIX_AMD64_STRUCT_PASSING)
1207     bool isStruct : 1; // True if this is a struct arg
1208
1209     regNumber otherRegNum; // The (second) register to use when passing this argument.
1210
1211     SYSTEMV_AMD64_CORINFO_STRUCT_REG_PASSING_DESCRIPTOR structDesc;
1212 #elif defined(_TARGET_X86_)
1213     __declspec(property(get = getIsStruct)) bool isStruct;
1214     bool getIsStruct()
1215     {
1216         return varTypeIsStruct(node);
1217     }
1218 #endif // _TARGET_X86_
1219
1220 #ifdef _TARGET_ARM_
1221     void SetIsHfaRegArg(bool hfaRegArg)
1222     {
1223         isHfaRegArg = hfaRegArg;
1224     }
1225
1226     void SetIsBackFilled(bool backFilled)
1227     {
1228         isBackFilled = backFilled;
1229     }
1230
1231     bool IsBackFilled() const
1232     {
1233         return isBackFilled;
1234     }
1235 #else  // !_TARGET_ARM_
1236     // To make the callers easier, we allow these calls (and the isHfaRegArg and isBackFilled data members) for all
1237     // platforms.
1238     void SetIsHfaRegArg(bool hfaRegArg)
1239     {
1240     }
1241
1242     void SetIsBackFilled(bool backFilled)
1243     {
1244     }
1245
1246     bool IsBackFilled() const
1247     {
1248         return false;
1249     }
1250 #endif // !_TARGET_ARM_
1251
1252 #ifdef DEBUG
1253     void Dump();
1254 #endif
1255 };
1256 typedef struct fgArgTabEntry* fgArgTabEntryPtr;
1257
1258 //-------------------------------------------------------------------------
1259 //
1260 //  The class fgArgInfo is used to handle the arguments
1261 //  when morphing a GT_CALL node.
1262 //
1263
1264 class fgArgInfo
1265 {
1266     Compiler*  compiler;    // Back pointer to the compiler instance so that we can allocate memory
1267     GenTreePtr callTree;    // Back pointer to the GT_CALL node for this fgArgInfo
1268     unsigned   argCount;    // Updatable arg count value
1269     unsigned   nextSlotNum; // Updatable slot count value
1270     unsigned   stkLevel;    // Stack depth when we make this call (for x86)
1271 #if defined(UNIX_X86_ABI)
1272     unsigned padStkAlign; // Count of number of padding slots for stack alignment. This value is used to turn back
1273                           // stack pointer before it was adjusted after each Call
1274 #endif
1275
1276     unsigned          argTableSize; // size of argTable array (equal to the argCount when done with fgMorphArgs)
1277     bool              hasRegArgs;   // true if we have one or more register arguments
1278     bool              hasStackArgs; // true if we have one or more stack arguments
1279     bool              argsComplete; // marker for state
1280     bool              argsSorted;   // marker for state
1281     fgArgTabEntryPtr* argTable;     // variable sized array of per argument descrption: (i.e. argTable[argTableSize])
1282
1283 private:
1284     void AddArg(fgArgTabEntryPtr curArgTabEntry);
1285
1286 public:
1287     fgArgInfo(Compiler* comp, GenTreePtr call, unsigned argCount);
1288     fgArgInfo(GenTreePtr newCall, GenTreePtr oldCall);
1289
1290     fgArgTabEntryPtr AddRegArg(
1291         unsigned argNum, GenTreePtr node, GenTreePtr parent, regNumber regNum, unsigned numRegs, unsigned alignment);
1292
1293 #ifdef FEATURE_UNIX_AMD64_STRUCT_PASSING
1294     fgArgTabEntryPtr AddRegArg(
1295         unsigned                                                         argNum,
1296         GenTreePtr                                                       node,
1297         GenTreePtr                                                       parent,
1298         regNumber                                                        regNum,
1299         unsigned                                                         numRegs,
1300         unsigned                                                         alignment,
1301         const bool                                                       isStruct,
1302         const regNumber                                                  otherRegNum   = REG_NA,
1303         const SYSTEMV_AMD64_CORINFO_STRUCT_REG_PASSING_DESCRIPTOR* const structDescPtr = nullptr);
1304 #endif // FEATURE_UNIX_AMD64_STRUCT_PASSING
1305
1306     fgArgTabEntryPtr AddStkArg(unsigned   argNum,
1307                                GenTreePtr node,
1308                                GenTreePtr parent,
1309                                unsigned   numSlots,
1310                                unsigned alignment FEATURE_UNIX_AMD64_STRUCT_PASSING_ONLY_ARG(const bool isStruct));
1311
1312     void             RemorphReset();
1313     fgArgTabEntryPtr RemorphRegArg(
1314         unsigned argNum, GenTreePtr node, GenTreePtr parent, regNumber regNum, unsigned numRegs, unsigned alignment);
1315
1316     void RemorphStkArg(unsigned argNum, GenTreePtr node, GenTreePtr parent, unsigned numSlots, unsigned alignment);
1317
1318     void SplitArg(unsigned argNum, unsigned numRegs, unsigned numSlots);
1319
1320     void EvalToTmp(unsigned argNum, unsigned tmpNum, GenTreePtr newNode);
1321
1322     void ArgsComplete();
1323
1324 #if defined(UNIX_X86_ABI)
1325     void ArgsAlignPadding();
1326 #endif
1327
1328     void SortArgs();
1329
1330     void EvalArgsToTemps();
1331
1332     void RecordStkLevel(unsigned stkLvl);
1333     unsigned RetrieveStkLevel();
1334
1335     unsigned ArgCount()
1336     {
1337         return argCount;
1338     }
1339     fgArgTabEntryPtr* ArgTable()
1340     {
1341         return argTable;
1342     }
1343     unsigned GetNextSlotNum()
1344     {
1345         return nextSlotNum;
1346     }
1347 #if defined(UNIX_X86_ABI)
1348     unsigned GetPadStackAlign()
1349     {
1350         return padStkAlign;
1351     }
1352 #endif
1353     bool HasRegArgs()
1354     {
1355         return hasRegArgs;
1356     }
1357     bool HasStackArgs()
1358     {
1359         return hasStackArgs;
1360     }
1361     bool AreArgsComplete() const
1362     {
1363         return argsComplete;
1364     }
1365
1366     // Get the late arg for arg at position argIndex.  Caller must ensure this position has a late arg.
1367     GenTreePtr GetLateArg(unsigned argIndex);
1368 };
1369
1370 #ifdef DEBUG
1371 // XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
1372 // We have the ability to mark source expressions with "Test Labels."
1373 // These drive assertions within the JIT, or internal JIT testing.  For example, we could label expressions
1374 // that should be CSE defs, and other expressions that should uses of those defs, with a shared label.
1375
1376 enum TestLabel // This must be kept identical to System.Runtime.CompilerServices.JitTestLabel.TestLabel.
1377 {
1378     TL_SsaName,
1379     TL_VN,        // Defines a "VN equivalence class".  (For full VN, including exceptions thrown).
1380     TL_VNNorm,    // Like above, but uses the non-exceptional value of the expression.
1381     TL_CSE_Def,   //  This must be identified in the JIT as a CSE def
1382     TL_CSE_Use,   //  This must be identified in the JIT as a CSE use
1383     TL_LoopHoist, // Expression must (or must not) be hoisted out of the loop.
1384 };
1385
1386 struct TestLabelAndNum
1387 {
1388     TestLabel m_tl;
1389     ssize_t   m_num;
1390
1391     TestLabelAndNum() : m_tl(TestLabel(0)), m_num(0)
1392     {
1393     }
1394 };
1395
1396 typedef SimplerHashTable<GenTreePtr, PtrKeyFuncs<GenTree>, TestLabelAndNum, JitSimplerHashBehavior> NodeToTestDataMap;
1397
1398 // XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
1399 #endif // DEBUG
1400
1401 // This class implements the "IAllocator" interface, so that we can use
1402 // utilcode collection classes in the JIT, and have them use the JIT's allocator.
1403
1404 class CompAllocator : public IAllocator
1405 {
1406     Compiler* m_comp;
1407 #if MEASURE_MEM_ALLOC
1408     CompMemKind m_cmk;
1409 #endif
1410 public:
1411     CompAllocator(Compiler* comp, CompMemKind cmk)
1412         : m_comp(comp)
1413 #if MEASURE_MEM_ALLOC
1414         , m_cmk(cmk)
1415 #endif
1416     {
1417     }
1418
1419     inline void* Alloc(size_t sz);
1420
1421     inline void* ArrayAlloc(size_t elems, size_t elemSize);
1422
1423     // For the compiler's no-release allocator, free operations are no-ops.
1424     void Free(void* p)
1425     {
1426     }
1427 };
1428
1429 /*
1430 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
1431 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
1432 XX                                                                           XX
1433 XX   The big guy. The sections are currently organized as :                  XX
1434 XX                                                                           XX
1435 XX    o  GenTree and BasicBlock                                              XX
1436 XX    o  LclVarsInfo                                                         XX
1437 XX    o  Importer                                                            XX
1438 XX    o  FlowGraph                                                           XX
1439 XX    o  Optimizer                                                           XX
1440 XX    o  RegAlloc                                                            XX
1441 XX    o  EEInterface                                                         XX
1442 XX    o  TempsInfo                                                           XX
1443 XX    o  RegSet                                                              XX
1444 XX    o  GCInfo                                                              XX
1445 XX    o  Instruction                                                         XX
1446 XX    o  ScopeInfo                                                           XX
1447 XX    o  PrologScopeInfo                                                     XX
1448 XX    o  CodeGenerator                                                       XX
1449 XX    o  UnwindInfo                                                          XX
1450 XX    o  Compiler                                                            XX
1451 XX    o  typeInfo                                                            XX
1452 XX                                                                           XX
1453 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
1454 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
1455 */
1456
1457 class Compiler
1458 {
1459     friend class emitter;
1460     friend class UnwindInfo;
1461     friend class UnwindFragmentInfo;
1462     friend class UnwindEpilogInfo;
1463     friend class JitTimer;
1464     friend class LinearScan;
1465     friend class fgArgInfo;
1466     friend class Rationalizer;
1467     friend class Phase;
1468     friend class Lowering;
1469     friend class CSE_DataFlow;
1470     friend class CSE_Heuristic;
1471     friend class CodeGenInterface;
1472     friend class CodeGen;
1473     friend class LclVarDsc;
1474     friend class TempDsc;
1475     friend class LIR;
1476     friend class ObjectAllocator;
1477
1478 #ifndef _TARGET_64BIT_
1479     friend class DecomposeLongs;
1480 #endif // !_TARGET_64BIT_
1481
1482     /*
1483     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
1484     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
1485     XX                                                                           XX
1486     XX  Misc structs definitions                                                 XX
1487     XX                                                                           XX
1488     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
1489     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
1490     */
1491
1492 public:
1493     hashBvGlobalData hbvGlobalData; // Used by the hashBv bitvector package.
1494
1495 #ifdef DEBUG
1496     bool    verbose;
1497     bool    dumpIR;
1498     bool    dumpIRNodes;
1499     bool    dumpIRTypes;
1500     bool    dumpIRKinds;
1501     bool    dumpIRLocals;
1502     bool    dumpIRRegs;
1503     bool    dumpIRSsa;
1504     bool    dumpIRValnums;
1505     bool    dumpIRCosts;
1506     bool    dumpIRFlags;
1507     bool    dumpIRNoLists;
1508     bool    dumpIRNoLeafs;
1509     bool    dumpIRNoStmts;
1510     bool    dumpIRTrees;
1511     bool    dumpIRLinear;
1512     bool    dumpIRDataflow;
1513     bool    dumpIRBlockHeaders;
1514     bool    dumpIRExit;
1515     LPCWSTR dumpIRPhase;
1516     LPCWSTR dumpIRFormat;
1517     bool    verboseTrees;
1518     bool    shouldUseVerboseTrees();
1519     bool    asciiTrees; // If true, dump trees using only ASCII characters
1520     bool    shouldDumpASCIITrees();
1521     bool    verboseSsa; // If true, produce especially verbose dump output in SSA construction.
1522     bool    shouldUseVerboseSsa();
1523     bool    treesBeforeAfterMorph; // If true, print trees before/after morphing (paired by an intra-compilation id:
1524     int     morphNum; // This counts the the trees that have been morphed, allowing us to label each uniquely.
1525
1526     const char* VarNameToStr(VarName name)
1527     {
1528         return name;
1529     }
1530
1531     DWORD expensiveDebugCheckLevel;
1532 #endif
1533
1534 #if FEATURE_MULTIREG_RET
1535     GenTreePtr impAssignMultiRegTypeToVar(GenTreePtr op, CORINFO_CLASS_HANDLE hClass);
1536 #endif // FEATURE_MULTIREG_RET
1537
1538 #ifdef ARM_SOFTFP
1539     bool isSingleFloat32Struct(CORINFO_CLASS_HANDLE hClass);
1540 #endif // ARM_SOFTFP
1541
1542     //-------------------------------------------------------------------------
1543     // Functions to handle homogeneous floating-point aggregates (HFAs) in ARM.
1544     // HFAs are one to four element structs where each element is the same
1545     // type, either all float or all double. They are treated specially
1546     // in the ARM Procedure Call Standard, specifically, they are passed in
1547     // floating-point registers instead of the general purpose registers.
1548     //
1549
1550     bool IsHfa(CORINFO_CLASS_HANDLE hClass);
1551     bool IsHfa(GenTreePtr tree);
1552
1553     var_types GetHfaType(GenTreePtr tree);
1554     unsigned GetHfaCount(GenTreePtr tree);
1555
1556     var_types GetHfaType(CORINFO_CLASS_HANDLE hClass);
1557     unsigned GetHfaCount(CORINFO_CLASS_HANDLE hClass);
1558
1559     bool IsMultiRegPassedType(CORINFO_CLASS_HANDLE hClass);
1560     bool IsMultiRegReturnedType(CORINFO_CLASS_HANDLE hClass);
1561
1562     //-------------------------------------------------------------------------
1563     // The following is used for validating format of EH table
1564     //
1565
1566     struct EHNodeDsc;
1567     typedef struct EHNodeDsc* pEHNodeDsc;
1568
1569     EHNodeDsc* ehnTree; // root of the tree comprising the EHnodes.
1570     EHNodeDsc* ehnNext; // root of the tree comprising the EHnodes.
1571
1572     struct EHNodeDsc
1573     {
1574         enum EHBlockType
1575         {
1576             TryNode,
1577             FilterNode,
1578             HandlerNode,
1579             FinallyNode,
1580             FaultNode
1581         };
1582
1583         EHBlockType ehnBlockType;   // kind of EH block
1584         IL_OFFSET   ehnStartOffset; // IL offset of start of the EH block
1585         IL_OFFSET ehnEndOffset; // IL offset past end of the EH block. (TODO: looks like verInsertEhNode() sets this to
1586                                 // the last IL offset, not "one past the last one", i.e., the range Start to End is
1587                                 // inclusive).
1588         pEHNodeDsc ehnNext;     // next (non-nested) block in sequential order
1589         pEHNodeDsc ehnChild;    // leftmost nested block
1590         union {
1591             pEHNodeDsc ehnTryNode;     // for filters and handlers, the corresponding try node
1592             pEHNodeDsc ehnHandlerNode; // for a try node, the corresponding handler node
1593         };
1594         pEHNodeDsc ehnFilterNode; // if this is a try node and has a filter, otherwise 0
1595         pEHNodeDsc ehnEquivalent; // if blockType=tryNode, start offset and end offset is same,
1596
1597         inline void ehnSetTryNodeType()
1598         {
1599             ehnBlockType = TryNode;
1600         }
1601         inline void ehnSetFilterNodeType()
1602         {
1603             ehnBlockType = FilterNode;
1604         }
1605         inline void ehnSetHandlerNodeType()
1606         {
1607             ehnBlockType = HandlerNode;
1608         }
1609         inline void ehnSetFinallyNodeType()
1610         {
1611             ehnBlockType = FinallyNode;
1612         }
1613         inline void ehnSetFaultNodeType()
1614         {
1615             ehnBlockType = FaultNode;
1616         }
1617
1618         inline BOOL ehnIsTryBlock()
1619         {
1620             return ehnBlockType == TryNode;
1621         }
1622         inline BOOL ehnIsFilterBlock()
1623         {
1624             return ehnBlockType == FilterNode;
1625         }
1626         inline BOOL ehnIsHandlerBlock()
1627         {
1628             return ehnBlockType == HandlerNode;
1629         }
1630         inline BOOL ehnIsFinallyBlock()
1631         {
1632             return ehnBlockType == FinallyNode;
1633         }
1634         inline BOOL ehnIsFaultBlock()
1635         {
1636             return ehnBlockType == FaultNode;
1637         }
1638
1639         // returns true if there is any overlap between the two nodes
1640         static inline BOOL ehnIsOverlap(pEHNodeDsc node1, pEHNodeDsc node2)
1641         {
1642             if (node1->ehnStartOffset < node2->ehnStartOffset)
1643             {
1644                 return (node1->ehnEndOffset >= node2->ehnStartOffset);
1645             }
1646             else
1647             {
1648                 return (node1->ehnStartOffset <= node2->ehnEndOffset);
1649             }
1650         }
1651
1652         // fails with BADCODE if inner is not completely nested inside outer
1653         static inline BOOL ehnIsNested(pEHNodeDsc inner, pEHNodeDsc outer)
1654         {
1655             return ((inner->ehnStartOffset >= outer->ehnStartOffset) && (inner->ehnEndOffset <= outer->ehnEndOffset));
1656         }
1657     };
1658
1659 //-------------------------------------------------------------------------
1660 // Exception handling functions
1661 //
1662
1663 #if !FEATURE_EH_FUNCLETS
1664
1665     bool ehNeedsShadowSPslots()
1666     {
1667         return (info.compXcptnsCount || opts.compDbgEnC);
1668     }
1669
1670     // 0 for methods with no EH
1671     // 1 for methods with non-nested EH, or where only the try blocks are nested
1672     // 2 for a method with a catch within a catch
1673     // etc.
1674     unsigned ehMaxHndNestingCount;
1675
1676 #endif // !FEATURE_EH_FUNCLETS
1677
1678     static bool jitIsBetween(unsigned value, unsigned start, unsigned end);
1679     static bool jitIsBetweenInclusive(unsigned value, unsigned start, unsigned end);
1680
1681     bool bbInCatchHandlerILRange(BasicBlock* blk);
1682     bool bbInFilterILRange(BasicBlock* blk);
1683     bool bbInTryRegions(unsigned regionIndex, BasicBlock* blk);
1684     bool bbInExnFlowRegions(unsigned regionIndex, BasicBlock* blk);
1685     bool bbInHandlerRegions(unsigned regionIndex, BasicBlock* blk);
1686     bool bbInCatchHandlerRegions(BasicBlock* tryBlk, BasicBlock* hndBlk);
1687     unsigned short bbFindInnermostCommonTryRegion(BasicBlock* bbOne, BasicBlock* bbTwo);
1688
1689     unsigned short bbFindInnermostTryRegionContainingHandlerRegion(unsigned handlerIndex);
1690     unsigned short bbFindInnermostHandlerRegionContainingTryRegion(unsigned tryIndex);
1691
1692     // Returns true if "block" is the start of a try region.
1693     bool bbIsTryBeg(BasicBlock* block);
1694
1695     // Returns true if "block" is the start of a handler or filter region.
1696     bool bbIsHandlerBeg(BasicBlock* block);
1697
1698     // Returns true iff "block" is where control flows if an exception is raised in the
1699     // try region, and sets "*regionIndex" to the index of the try for the handler.
1700     // Differs from "IsHandlerBeg" in the case of filters, where this is true for the first
1701     // block of the filter, but not for the filter's handler.
1702     bool bbIsExFlowBlock(BasicBlock* block, unsigned* regionIndex);
1703
1704     bool ehHasCallableHandlers();
1705
1706     // Return the EH descriptor for the given region index.
1707     EHblkDsc* ehGetDsc(unsigned regionIndex);
1708
1709     // Return the EH index given a region descriptor.
1710     unsigned ehGetIndex(EHblkDsc* ehDsc);
1711
1712     // Return the EH descriptor index of the enclosing try, for the given region index.
1713     unsigned ehGetEnclosingTryIndex(unsigned regionIndex);
1714
1715     // Return the EH descriptor index of the enclosing handler, for the given region index.
1716     unsigned ehGetEnclosingHndIndex(unsigned regionIndex);
1717
1718     // Return the EH descriptor for the most nested 'try' region this BasicBlock is a member of (or nullptr if this
1719     // block is not in a 'try' region).
1720     EHblkDsc* ehGetBlockTryDsc(BasicBlock* block);
1721
1722     // Return the EH descriptor for the most nested filter or handler region this BasicBlock is a member of (or nullptr
1723     // if this block is not in a filter or handler region).
1724     EHblkDsc* ehGetBlockHndDsc(BasicBlock* block);
1725
1726     // Return the EH descriptor for the most nested region that may handle exceptions raised in this BasicBlock (or
1727     // nullptr if this block's exceptions propagate to caller).
1728     EHblkDsc* ehGetBlockExnFlowDsc(BasicBlock* block);
1729
1730     EHblkDsc* ehIsBlockTryLast(BasicBlock* block);
1731     EHblkDsc* ehIsBlockHndLast(BasicBlock* block);
1732     bool ehIsBlockEHLast(BasicBlock* block);
1733
1734     bool ehBlockHasExnFlowDsc(BasicBlock* block);
1735
1736     // Return the region index of the most nested EH region this block is in.
1737     unsigned ehGetMostNestedRegionIndex(BasicBlock* block, bool* inTryRegion);
1738
1739     // Find the true enclosing try index, ignoring 'mutual protect' try. Uses IL ranges to check.
1740     unsigned ehTrueEnclosingTryIndexIL(unsigned regionIndex);
1741
1742     // Return the index of the most nested enclosing region for a particular EH region. Returns NO_ENCLOSING_INDEX
1743     // if there is no enclosing region. If the returned index is not NO_ENCLOSING_INDEX, then '*inTryRegion'
1744     // is set to 'true' if the enclosing region is a 'try', or 'false' if the enclosing region is a handler.
1745     // (It can never be a filter.)
1746     unsigned ehGetEnclosingRegionIndex(unsigned regionIndex, bool* inTryRegion);
1747
1748     // A block has been deleted. Update the EH table appropriately.
1749     void ehUpdateForDeletedBlock(BasicBlock* block);
1750
1751     // Determine whether a block can be deleted while preserving the EH normalization rules.
1752     bool ehCanDeleteEmptyBlock(BasicBlock* block);
1753
1754     // Update the 'last' pointers in the EH table to reflect new or deleted blocks in an EH region.
1755     void ehUpdateLastBlocks(BasicBlock* oldLast, BasicBlock* newLast);
1756
1757     // For a finally handler, find the region index that the BBJ_CALLFINALLY lives in that calls the handler,
1758     // or NO_ENCLOSING_INDEX if the BBJ_CALLFINALLY lives in the main function body. Normally, the index
1759     // is the same index as the handler (and the BBJ_CALLFINALLY lives in the 'try' region), but for AMD64 the
1760     // BBJ_CALLFINALLY lives in the enclosing try or handler region, whichever is more nested, or the main function
1761     // body. If the returned index is not NO_ENCLOSING_INDEX, then '*inTryRegion' is set to 'true' if the
1762     // BBJ_CALLFINALLY lives in the returned index's 'try' region, or 'false' if lives in the handler region. (It never
1763     // lives in a filter.)
1764     unsigned ehGetCallFinallyRegionIndex(unsigned finallyIndex, bool* inTryRegion);
1765
1766     // Find the range of basic blocks in which all BBJ_CALLFINALLY will be found that target the 'finallyIndex' region's
1767     // handler. Set begBlk to the first block, and endBlk to the block after the last block of the range
1768     // (nullptr if the last block is the last block in the program).
1769     // Precondition: 'finallyIndex' is the EH region of a try/finally clause.
1770     void ehGetCallFinallyBlockRange(unsigned finallyIndex, BasicBlock** begBlk, BasicBlock** endBlk);
1771
1772 #ifdef DEBUG
1773     // Given a BBJ_CALLFINALLY block and the EH region index of the finally it is calling, return
1774     // 'true' if the BBJ_CALLFINALLY is in the correct EH region.
1775     bool ehCallFinallyInCorrectRegion(BasicBlock* blockCallFinally, unsigned finallyIndex);
1776 #endif // DEBUG
1777
1778 #if FEATURE_EH_FUNCLETS
1779     // Do we need a PSPSym in the main function? For codegen purposes, we only need one
1780     // if there is a filter that protects a region with a nested EH clause (such as a
1781     // try/catch nested in the 'try' body of a try/filter/filter-handler). See
1782     // genFuncletProlog() for more details. However, the VM seems to use it for more
1783     // purposes, maybe including debugging. Until we are sure otherwise, always create
1784     // a PSPSym for functions with any EH.
1785     bool ehNeedsPSPSym() const
1786     {
1787 #ifdef _TARGET_X86_
1788         return false;
1789 #else  // _TARGET_X86_
1790         return compHndBBtabCount > 0;
1791 #endif // _TARGET_X86_
1792     }
1793
1794     bool     ehAnyFunclets();  // Are there any funclets in this function?
1795     unsigned ehFuncletCount(); // Return the count of funclets in the function
1796
1797     unsigned bbThrowIndex(BasicBlock* blk); // Get the index to use as the cache key for sharing throw blocks
1798 #else                                       // !FEATURE_EH_FUNCLETS
1799     bool ehAnyFunclets()
1800     {
1801         return false;
1802     }
1803     unsigned ehFuncletCount()
1804     {
1805         return 0;
1806     }
1807
1808     unsigned bbThrowIndex(BasicBlock* blk)
1809     {
1810         return blk->bbTryIndex;
1811     } // Get the index to use as the cache key for sharing throw blocks
1812 #endif                                      // !FEATURE_EH_FUNCLETS
1813
1814     // Returns a flowList representing the "EH predecessors" of "blk".  These are the normal predecessors of
1815     // "blk", plus one special case: if "blk" is the first block of a handler, considers the predecessor(s) of the first
1816     // first block of the corresponding try region to be "EH predecessors".  (If there is a single such predecessor,
1817     // for example, we want to consider that the immediate dominator of the catch clause start block, so it's
1818     // convenient to also consider it a predecessor.)
1819     flowList* BlockPredsWithEH(BasicBlock* blk);
1820
1821     // This table is useful for memoization of the method above.
1822     typedef SimplerHashTable<BasicBlock*, PtrKeyFuncs<BasicBlock>, flowList*, JitSimplerHashBehavior>
1823                         BlockToFlowListMap;
1824     BlockToFlowListMap* m_blockToEHPreds;
1825     BlockToFlowListMap* GetBlockToEHPreds()
1826     {
1827         if (m_blockToEHPreds == nullptr)
1828         {
1829             m_blockToEHPreds = new (getAllocator()) BlockToFlowListMap(getAllocator());
1830         }
1831         return m_blockToEHPreds;
1832     }
1833
1834     void* ehEmitCookie(BasicBlock* block);
1835     UNATIVE_OFFSET ehCodeOffset(BasicBlock* block);
1836
1837     EHblkDsc* ehInitHndRange(BasicBlock* src, IL_OFFSET* hndBeg, IL_OFFSET* hndEnd, bool* inFilter);
1838
1839     EHblkDsc* ehInitTryRange(BasicBlock* src, IL_OFFSET* tryBeg, IL_OFFSET* tryEnd);
1840
1841     EHblkDsc* ehInitHndBlockRange(BasicBlock* blk, BasicBlock** hndBeg, BasicBlock** hndLast, bool* inFilter);
1842
1843     EHblkDsc* ehInitTryBlockRange(BasicBlock* blk, BasicBlock** tryBeg, BasicBlock** tryLast);
1844
1845     void fgSetTryEnd(EHblkDsc* handlerTab, BasicBlock* newTryLast);
1846
1847     void fgSetHndEnd(EHblkDsc* handlerTab, BasicBlock* newHndLast);
1848
1849     void fgSkipRmvdBlocks(EHblkDsc* handlerTab);
1850
1851     void fgAllocEHTable();
1852
1853     void fgRemoveEHTableEntry(unsigned XTnum);
1854
1855 #if FEATURE_EH_FUNCLETS
1856
1857     EHblkDsc* fgAddEHTableEntry(unsigned XTnum);
1858
1859 #endif // FEATURE_EH_FUNCLETS
1860
1861 #if !FEATURE_EH
1862     void fgRemoveEH();
1863 #endif // !FEATURE_EH
1864
1865     void fgSortEHTable();
1866
1867     // Causes the EH table to obey some well-formedness conditions, by inserting
1868     // empty BB's when necessary:
1869     //   * No block is both the first block of a handler and the first block of a try.
1870     //   * No block is the first block of multiple 'try' regions.
1871     //   * No block is the last block of multiple EH regions.
1872     void fgNormalizeEH();
1873     bool fgNormalizeEHCase1();
1874     bool fgNormalizeEHCase2();
1875     bool fgNormalizeEHCase3();
1876
1877 #ifdef DEBUG
1878     void dispIncomingEHClause(unsigned num, const CORINFO_EH_CLAUSE& clause);
1879     void dispOutgoingEHClause(unsigned num, const CORINFO_EH_CLAUSE& clause);
1880     void fgVerifyHandlerTab();
1881     void fgDispHandlerTab();
1882 #endif // DEBUG
1883
1884     bool fgNeedToSortEHTable;
1885
1886     void verInitEHTree(unsigned numEHClauses);
1887     void verInsertEhNode(CORINFO_EH_CLAUSE* clause, EHblkDsc* handlerTab);
1888     void verInsertEhNodeInTree(EHNodeDsc** ppRoot, EHNodeDsc* node);
1889     void verInsertEhNodeParent(EHNodeDsc** ppRoot, EHNodeDsc* node);
1890     void verCheckNestingLevel(EHNodeDsc* initRoot);
1891
1892     /*
1893     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
1894     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
1895     XX                                                                           XX
1896     XX                        GenTree and BasicBlock                             XX
1897     XX                                                                           XX
1898     XX  Functions to allocate and display the GenTrees and BasicBlocks           XX
1899     XX                                                                           XX
1900     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
1901     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
1902     */
1903
1904     // Functions to create nodes
1905     GenTreeStmt* gtNewStmt(GenTreePtr expr = nullptr, IL_OFFSETX offset = BAD_IL_OFFSET);
1906
1907     // For unary opers.
1908     GenTreePtr gtNewOperNode(genTreeOps oper, var_types type, GenTreePtr op1, bool doSimplifications = TRUE);
1909
1910     // For binary opers.
1911     GenTreePtr gtNewOperNode(genTreeOps oper, var_types type, GenTreePtr op1, GenTreePtr op2);
1912
1913     GenTreePtr gtNewQmarkNode(var_types type, GenTreePtr cond, GenTreePtr colon);
1914
1915     GenTreePtr gtNewLargeOperNode(genTreeOps oper,
1916                                   var_types  type = TYP_I_IMPL,
1917                                   GenTreePtr op1  = nullptr,
1918                                   GenTreePtr op2  = nullptr);
1919
1920     GenTreeIntCon* gtNewIconNode(ssize_t value, var_types type = TYP_INT);
1921
1922     GenTree* gtNewPhysRegNode(regNumber reg, var_types type);
1923
1924     GenTree* gtNewPhysRegNode(regNumber reg, GenTree* src);
1925
1926     GenTreePtr gtNewJmpTableNode();
1927     GenTreePtr gtNewIconHandleNode(
1928         size_t value, unsigned flags, FieldSeqNode* fields = nullptr, unsigned handle1 = 0, void* handle2 = nullptr);
1929
1930     unsigned gtTokenToIconFlags(unsigned token);
1931
1932     GenTreePtr gtNewIconEmbHndNode(void*    value,
1933                                    void*    pValue,
1934                                    unsigned flags,
1935                                    unsigned handle1           = 0,
1936                                    void*    handle2           = nullptr,
1937                                    void*    compileTimeHandle = nullptr);
1938
1939     GenTreePtr gtNewIconEmbScpHndNode(CORINFO_MODULE_HANDLE scpHnd, unsigned hnd1 = 0, void* hnd2 = nullptr);
1940     GenTreePtr gtNewIconEmbClsHndNode(CORINFO_CLASS_HANDLE clsHnd, unsigned hnd1 = 0, void* hnd2 = nullptr);
1941     GenTreePtr gtNewIconEmbMethHndNode(CORINFO_METHOD_HANDLE methHnd, unsigned hnd1 = 0, void* hnd2 = nullptr);
1942     GenTreePtr gtNewIconEmbFldHndNode(CORINFO_FIELD_HANDLE fldHnd, unsigned hnd1 = 0, void* hnd2 = nullptr);
1943
1944     GenTreePtr gtNewStringLiteralNode(InfoAccessType iat, void* pValue);
1945
1946     GenTreePtr gtNewLconNode(__int64 value);
1947
1948     GenTreePtr gtNewDconNode(double value);
1949
1950     GenTreePtr gtNewSconNode(int CPX, CORINFO_MODULE_HANDLE scpHandle);
1951
1952     GenTreePtr gtNewZeroConNode(var_types type);
1953
1954     GenTreePtr gtNewOneConNode(var_types type);
1955
1956 #ifdef FEATURE_SIMD
1957     GenTreePtr gtNewSIMDVectorZero(var_types simdType, var_types baseType, unsigned size);
1958     GenTreePtr gtNewSIMDVectorOne(var_types simdType, var_types baseType, unsigned size);
1959 #endif
1960
1961     GenTreeBlk* gtNewBlkOpNode(
1962         genTreeOps oper, GenTreePtr dst, GenTreePtr srcOrFillVal, GenTreePtr sizeOrClsTok, bool isVolatile);
1963
1964     GenTree* gtNewBlkOpNode(GenTreePtr dst, GenTreePtr srcOrFillVal, unsigned size, bool isVolatile, bool isCopyBlock);
1965
1966 protected:
1967     void gtBlockOpInit(GenTreePtr result, GenTreePtr dst, GenTreePtr srcOrFillVal, bool isVolatile);
1968
1969 public:
1970     GenTree* gtNewObjNode(CORINFO_CLASS_HANDLE structHnd, GenTreePtr addr);
1971     void gtSetObjGcInfo(GenTreeObj* objNode);
1972     GenTree* gtNewStructVal(CORINFO_CLASS_HANDLE structHnd, GenTreePtr addr);
1973     GenTree* gtNewBlockVal(GenTreePtr addr, unsigned size);
1974
1975     GenTree* gtNewCpObjNode(GenTreePtr dst, GenTreePtr src, CORINFO_CLASS_HANDLE structHnd, bool isVolatile);
1976
1977     GenTreeArgList* gtNewListNode(GenTreePtr op1, GenTreeArgList* op2);
1978
1979     GenTreeCall* gtNewCallNode(gtCallTypes           callType,
1980                                CORINFO_METHOD_HANDLE handle,
1981                                var_types             type,
1982                                GenTreeArgList*       args,
1983                                IL_OFFSETX            ilOffset = BAD_IL_OFFSET);
1984
1985     GenTreeCall* gtNewIndCallNode(GenTreePtr      addr,
1986                                   var_types       type,
1987                                   GenTreeArgList* args,
1988                                   IL_OFFSETX      ilOffset = BAD_IL_OFFSET);
1989
1990     GenTreeCall* gtNewHelperCallNode(unsigned        helper,
1991                                      var_types       type,
1992                                      unsigned        flags = 0,
1993                                      GenTreeArgList* args  = nullptr);
1994
1995     GenTreePtr gtNewLclvNode(unsigned lnum, var_types type, IL_OFFSETX ILoffs = BAD_IL_OFFSET);
1996
1997 #ifdef FEATURE_SIMD
1998     GenTreeSIMD* gtNewSIMDNode(
1999         var_types type, GenTreePtr op1, SIMDIntrinsicID simdIntrinsicID, var_types baseType, unsigned size);
2000     GenTreeSIMD* gtNewSIMDNode(var_types       type,
2001                                GenTreePtr      op1,
2002                                GenTreePtr      op2,
2003                                SIMDIntrinsicID simdIntrinsicID,
2004                                var_types       baseType,
2005                                unsigned        size);
2006     void SetOpLclRelatedToSIMDIntrinsic(GenTreePtr op);
2007 #endif
2008
2009     GenTreePtr gtNewLclLNode(unsigned lnum, var_types type, IL_OFFSETX ILoffs = BAD_IL_OFFSET);
2010     GenTreeLclFld* gtNewLclFldNode(unsigned lnum, var_types type, unsigned offset);
2011     GenTreePtr gtNewInlineCandidateReturnExpr(GenTreePtr inlineCandidate, var_types type);
2012
2013     GenTreePtr gtNewCodeRef(BasicBlock* block);
2014
2015     GenTreePtr gtNewFieldRef(
2016         var_types typ, CORINFO_FIELD_HANDLE fldHnd, GenTreePtr obj = nullptr, DWORD offset = 0, bool nullcheck = false);
2017
2018     GenTreePtr gtNewIndexRef(var_types typ, GenTreePtr arrayOp, GenTreePtr indexOp);
2019
2020     GenTreeArgList* gtNewArgList(GenTreePtr op);
2021     GenTreeArgList* gtNewArgList(GenTreePtr op1, GenTreePtr op2);
2022     GenTreeArgList* gtNewArgList(GenTreePtr op1, GenTreePtr op2, GenTreePtr op3);
2023
2024     static fgArgTabEntryPtr gtArgEntryByArgNum(GenTreePtr call, unsigned argNum);
2025     static fgArgTabEntryPtr gtArgEntryByNode(GenTreePtr call, GenTreePtr node);
2026     fgArgTabEntryPtr gtArgEntryByLateArgIndex(GenTreePtr call, unsigned lateArgInx);
2027     bool gtArgIsThisPtr(fgArgTabEntryPtr argEntry);
2028
2029     GenTreePtr gtNewAssignNode(GenTreePtr dst, GenTreePtr src);
2030
2031     GenTreePtr gtNewTempAssign(unsigned tmp, GenTreePtr val);
2032
2033     GenTreePtr gtNewRefCOMfield(GenTreePtr              objPtr,
2034                                 CORINFO_RESOLVED_TOKEN* pResolvedToken,
2035                                 CORINFO_ACCESS_FLAGS    access,
2036                                 CORINFO_FIELD_INFO*     pFieldInfo,
2037                                 var_types               lclTyp,
2038                                 CORINFO_CLASS_HANDLE    structType,
2039                                 GenTreePtr              assg);
2040
2041     GenTreePtr gtNewNothingNode();
2042
2043     GenTreePtr gtNewArgPlaceHolderNode(var_types type, CORINFO_CLASS_HANDLE clsHnd);
2044
2045     GenTreePtr gtUnusedValNode(GenTreePtr expr);
2046
2047     GenTreePtr gtNewCastNode(var_types typ, GenTreePtr op1, var_types castType);
2048
2049     GenTreePtr gtNewCastNodeL(var_types typ, GenTreePtr op1, var_types castType);
2050
2051     GenTreePtr gtNewAllocObjNode(unsigned int helper, CORINFO_CLASS_HANDLE clsHnd, var_types type, GenTreePtr op1);
2052
2053     //------------------------------------------------------------------------
2054     // Other GenTree functions
2055
2056     GenTreePtr gtClone(GenTree* tree, bool complexOK = false);
2057
2058     // If `tree` is a lclVar with lclNum `varNum`, return an IntCns with value `varVal`; otherwise,
2059     // create a copy of `tree`, adding specified flags, replacing uses of lclVar `deepVarNum` with
2060     // IntCnses with value `deepVarVal`.
2061     GenTreePtr gtCloneExpr(
2062         GenTree* tree, unsigned addFlags, unsigned varNum, int varVal, unsigned deepVarNum, int deepVarVal);
2063
2064     // Create a copy of `tree`, optionally adding specifed flags, and optionally mapping uses of local
2065     // `varNum` to int constants with value `varVal`.
2066     GenTreePtr gtCloneExpr(GenTree* tree, unsigned addFlags = 0, unsigned varNum = (unsigned)-1, int varVal = 0)
2067     {
2068         return gtCloneExpr(tree, addFlags, varNum, varVal, varNum, varVal);
2069     }
2070
2071     GenTreePtr gtReplaceTree(GenTreePtr stmt, GenTreePtr tree, GenTreePtr replacementTree);
2072
2073     void gtUpdateSideEffects(GenTreePtr tree, unsigned oldGtFlags, unsigned newGtFlags);
2074
2075     // Returns "true" iff the complexity (not formally defined, but first interpretation
2076     // is #of nodes in subtree) of "tree" is greater than "limit".
2077     // (This is somewhat redundant with the "gtCostEx/gtCostSz" fields, but can be used
2078     // before they have been set.)
2079     bool gtComplexityExceeds(GenTreePtr* tree, unsigned limit);
2080
2081     bool gtCompareTree(GenTree* op1, GenTree* op2);
2082
2083     GenTreePtr gtReverseCond(GenTree* tree);
2084
2085     bool gtHasRef(GenTree* tree, ssize_t lclNum, bool defOnly);
2086
2087     bool gtHasLocalsWithAddrOp(GenTreePtr tree);
2088
2089     unsigned gtSetListOrder(GenTree* list, bool regs, bool isListCallArgs);
2090
2091     void gtWalkOp(GenTree** op1, GenTree** op2, GenTree* adr, bool constOnly);
2092
2093 #ifdef DEBUG
2094     unsigned gtHashValue(GenTree* tree);
2095
2096     GenTreePtr gtWalkOpEffectiveVal(GenTreePtr op);
2097 #endif
2098
2099     void gtPrepareCost(GenTree* tree);
2100     bool gtIsLikelyRegVar(GenTree* tree);
2101
2102     unsigned gtSetEvalOrderAndRestoreFPstkLevel(GenTree* tree);
2103
2104     // Returns true iff the secondNode can be swapped with firstNode.
2105     bool gtCanSwapOrder(GenTree* firstNode, GenTree* secondNode);
2106
2107     unsigned gtSetEvalOrder(GenTree* tree);
2108
2109 #if FEATURE_STACK_FP_X87
2110     bool gtFPstLvlRedo;
2111     void gtComputeFPlvls(GenTreePtr tree);
2112 #endif // FEATURE_STACK_FP_X87
2113
2114     void gtSetStmtInfo(GenTree* stmt);
2115
2116     // Returns "true" iff "node" has any of the side effects in "flags".
2117     bool gtNodeHasSideEffects(GenTreePtr node, unsigned flags);
2118
2119     // Returns "true" iff "tree" or its (transitive) children have any of the side effects in "flags".
2120     bool gtTreeHasSideEffects(GenTreePtr tree, unsigned flags);
2121
2122     // Appends 'expr' in front of 'list'
2123     //    'list' will typically start off as 'nullptr'
2124     //    when 'list' is non-null a GT_COMMA node is used to insert 'expr'
2125     GenTreePtr gtBuildCommaList(GenTreePtr list, GenTreePtr expr);
2126
2127     void gtExtractSideEffList(GenTreePtr  expr,
2128                               GenTreePtr* pList,
2129                               unsigned    flags      = GTF_SIDE_EFFECT,
2130                               bool        ignoreRoot = false);
2131
2132     GenTreePtr gtGetThisArg(GenTreePtr call);
2133
2134     // Static fields of struct types (and sometimes the types that those are reduced to) are represented by having the
2135     // static field contain an object pointer to the boxed struct.  This simplifies the GC implementation...but
2136     // complicates the JIT somewhat.  This predicate returns "true" iff a node with type "fieldNodeType", representing
2137     // the given "fldHnd", is such an object pointer.
2138     bool gtIsStaticFieldPtrToBoxedStruct(var_types fieldNodeType, CORINFO_FIELD_HANDLE fldHnd);
2139
2140     // Return true if call is a recursive call; return false otherwise.
2141     bool gtIsRecursiveCall(GenTreeCall* call)
2142     {
2143         return (call->gtCallMethHnd == info.compMethodHnd);
2144     }
2145
2146     //-------------------------------------------------------------------------
2147
2148     GenTreePtr gtFoldExpr(GenTreePtr tree);
2149     GenTreePtr
2150 #ifdef __clang__
2151         // TODO-Amd64-Unix: Remove this when the clang optimizer is fixed and/or the method implementation is
2152         // refactored in a simpler code. This is a workaround for a bug in the clang-3.5 optimizer. The issue is that in
2153         // release build the optimizer is mistyping (or just wrongly decides to use 32 bit operation for a corner case
2154         // of MIN_LONG) the args of the (ltemp / lval2) to int (it does a 32 bit div operation instead of 64 bit) - see
2155         // the implementation of the method in gentree.cpp. For the case of lval1 and lval2 equal to MIN_LONG
2156         // (0x8000000000000000) this results in raising a SIGFPE. The method implementation is rather complex. Disable
2157         // optimizations for now.
2158         __attribute__((optnone))
2159 #endif // __clang__
2160         gtFoldExprConst(GenTreePtr tree);
2161     GenTreePtr gtFoldExprSpecial(GenTreePtr tree);
2162     GenTreePtr gtFoldExprCompare(GenTreePtr tree);
2163
2164     //-------------------------------------------------------------------------
2165     // Get the handle, if any.
2166     CORINFO_CLASS_HANDLE gtGetStructHandleIfPresent(GenTreePtr tree);
2167     // Get the handle, and assert if not found.
2168     CORINFO_CLASS_HANDLE gtGetStructHandle(GenTreePtr tree);
2169
2170 //-------------------------------------------------------------------------
2171 // Functions to display the trees
2172
2173 #ifdef DEBUG
2174     void gtDispNode(GenTreePtr tree, IndentStack* indentStack, __in_z const char* msg, bool isLIR);
2175
2176     void gtDispVN(GenTreePtr tree);
2177     void gtDispConst(GenTreePtr tree);
2178     void gtDispLeaf(GenTreePtr tree, IndentStack* indentStack);
2179     void gtDispNodeName(GenTreePtr tree);
2180     void gtDispRegVal(GenTreePtr tree);
2181
2182     enum IndentInfo
2183     {
2184         IINone,
2185         IIArc,
2186         IIArcTop,
2187         IIArcBottom,
2188         IIEmbedded,
2189         IIError,
2190         IndentInfoCount
2191     };
2192     void gtDispChild(GenTreePtr           child,
2193                      IndentStack*         indentStack,
2194                      IndentInfo           arcType,
2195                      __in_opt const char* msg     = nullptr,
2196                      bool                 topOnly = false);
2197     void gtDispTree(GenTreePtr           tree,
2198                     IndentStack*         indentStack = nullptr,
2199                     __in_opt const char* msg         = nullptr,
2200                     bool                 topOnly     = false,
2201                     bool                 isLIR       = false);
2202     void gtGetLclVarNameInfo(unsigned lclNum, const char** ilKindOut, const char** ilNameOut, unsigned* ilNumOut);
2203     int gtGetLclVarName(unsigned lclNum, char* buf, unsigned buf_remaining);
2204     char* gtGetLclVarName(unsigned lclNum);
2205     void gtDispLclVar(unsigned varNum, bool padForBiggestDisp = true);
2206     void gtDispTreeList(GenTreePtr tree, IndentStack* indentStack = nullptr);
2207     void gtGetArgMsg(GenTreePtr call, GenTreePtr arg, unsigned argNum, int listCount, char* bufp, unsigned bufLength);
2208     void gtGetLateArgMsg(GenTreePtr call, GenTreePtr arg, int argNum, int listCount, char* bufp, unsigned bufLength);
2209     void gtDispArgList(GenTreePtr tree, IndentStack* indentStack);
2210     void gtDispFieldSeq(FieldSeqNode* pfsn);
2211
2212     void gtDispRange(LIR::ReadOnlyRange const& range);
2213
2214     void gtDispTreeRange(LIR::Range& containingRange, GenTree* tree);
2215
2216     void gtDispLIRNode(GenTree* node);
2217 #endif
2218
2219     // For tree walks
2220
2221     enum fgWalkResult
2222     {
2223         WALK_CONTINUE,
2224         WALK_SKIP_SUBTREES,
2225         WALK_ABORT
2226     };
2227     struct fgWalkData;
2228     typedef fgWalkResult(fgWalkPreFn)(GenTreePtr* pTree, fgWalkData* data);
2229     typedef fgWalkResult(fgWalkPostFn)(GenTreePtr* pTree, fgWalkData* data);
2230
2231 #ifdef DEBUG
2232     static fgWalkPreFn gtAssertColonCond;
2233 #endif
2234     static fgWalkPreFn gtMarkColonCond;
2235     static fgWalkPreFn gtClearColonCond;
2236
2237     GenTreePtr* gtFindLink(GenTreePtr stmt, GenTreePtr node);
2238     bool gtHasCatchArg(GenTreePtr tree);
2239     bool gtHasUnmanagedCall(GenTreePtr tree);
2240
2241     typedef ArrayStack<GenTree*> GenTreeStack;
2242
2243     static bool gtHasCallOnStack(GenTreeStack* parentStack);
2244     void gtCheckQuirkAddrExposedLclVar(GenTreePtr argTree, GenTreeStack* parentStack);
2245
2246 //=========================================================================
2247 // BasicBlock functions
2248 #ifdef DEBUG
2249     // This is a debug flag we will use to assert when creating block during codegen
2250     // as this interferes with procedure splitting. If you know what you're doing, set
2251     // it to true before creating the block. (DEBUG only)
2252     bool fgSafeBasicBlockCreation;
2253 #endif
2254
2255     BasicBlock* bbNewBasicBlock(BBjumpKinds jumpKind);
2256
2257     /*
2258     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
2259     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
2260     XX                                                                           XX
2261     XX                           LclVarsInfo                                     XX
2262     XX                                                                           XX
2263     XX   The variables to be used by the code generator.                         XX
2264     XX                                                                           XX
2265     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
2266     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
2267     */
2268
2269     //
2270     // For both PROMOTION_TYPE_NONE and PROMOTION_TYPE_DEPENDENT the struct will
2271     // be placed in the stack frame and it's fields must be laid out sequentially.
2272     //
2273     // For PROMOTION_TYPE_INDEPENDENT each of the struct's fields is replaced by
2274     //  a local variable that can be enregistered or placed in the stack frame.
2275     //  The fields do not need to be laid out sequentially
2276     //
2277     enum lvaPromotionType
2278     {
2279         PROMOTION_TYPE_NONE,        // The struct local is not promoted
2280         PROMOTION_TYPE_INDEPENDENT, // The struct local is promoted,
2281                                     //   and its field locals are independent of its parent struct local.
2282         PROMOTION_TYPE_DEPENDENT    // The struct local is promoted,
2283                                     //   but its field locals depend on its parent struct local.
2284     };
2285
2286     static int __cdecl RefCntCmp(const void* op1, const void* op2);
2287     static int __cdecl WtdRefCntCmp(const void* op1, const void* op2);
2288
2289     /*****************************************************************************/
2290
2291     enum FrameLayoutState
2292     {
2293         NO_FRAME_LAYOUT,
2294         INITIAL_FRAME_LAYOUT,
2295         PRE_REGALLOC_FRAME_LAYOUT,
2296         REGALLOC_FRAME_LAYOUT,
2297         TENTATIVE_FRAME_LAYOUT,
2298         FINAL_FRAME_LAYOUT
2299     };
2300
2301 public:
2302     bool     lvaRefCountingStarted; // Set to true when we have started counting the local vars
2303     bool     lvaLocalVarRefCounted; // Set to true after we have called lvaMarkLocalVars()
2304     bool     lvaSortAgain;          // true: We need to sort the lvaTable
2305     bool     lvaTrackedFixed;       // true: We cannot add new 'tracked' variable
2306     unsigned lvaCount;              // total number of locals
2307
2308     unsigned   lvaRefCount; // total number of references to locals
2309     LclVarDsc* lvaTable;    // variable descriptor table
2310     unsigned   lvaTableCnt; // lvaTable size (>= lvaCount)
2311
2312     LclVarDsc** lvaRefSorted; // table sorted by refcount
2313
2314     unsigned short lvaTrackedCount;       // actual # of locals being tracked
2315     unsigned lvaTrackedCountInSizeTUnits; // min # of size_t's sufficient to hold a bit for all the locals being tracked
2316
2317 #ifdef FEATURE_UNIX_AMD64_STRUCT_PASSING
2318     // Only for AMD64 System V cache the first caller stack homed argument.
2319     unsigned lvaFirstStackIncomingArgNum; // First argument with stack slot in the caller.
2320 #endif                                    // !FEATURE_UNIX_AMD64_STRUCT_PASSING
2321
2322 #ifdef DEBUG
2323     VARSET_TP lvaTrackedVars; // set of tracked variables
2324 #endif
2325 #ifndef _TARGET_64BIT_
2326     VARSET_TP lvaLongVars; // set of long (64-bit) variables
2327 #endif
2328     VARSET_TP lvaFloatVars; // set of floating-point (32-bit and 64-bit) variables
2329
2330     unsigned lvaCurEpoch; // VarSets are relative to a specific set of tracked var indices.
2331                           // It that changes, this changes.  VarSets from different epochs
2332                           // cannot be meaningfully combined.
2333
2334     unsigned GetCurLVEpoch()
2335     {
2336         return lvaCurEpoch;
2337     }
2338
2339     // reverse map of tracked number to var number
2340     unsigned lvaTrackedToVarNum[lclMAX_TRACKED];
2341
2342 #ifdef LEGACY_BACKEND
2343     // variable interference graph
2344     VARSET_TP lvaVarIntf[lclMAX_TRACKED];
2345 #endif
2346
2347     // variable preference graph
2348     VARSET_TP lvaVarPref[lclMAX_TRACKED];
2349
2350 #if DOUBLE_ALIGN
2351 #ifdef DEBUG
2352     // # of procs compiled a with double-aligned stack
2353     static unsigned s_lvaDoubleAlignedProcsCount;
2354 #endif
2355 #endif
2356
2357     // Getters and setters for address-exposed and do-not-enregister local var properties.
2358     bool lvaVarAddrExposed(unsigned varNum);
2359     void lvaSetVarAddrExposed(unsigned varNum);
2360     bool lvaVarDoNotEnregister(unsigned varNum);
2361 #ifdef DEBUG
2362     // Reasons why we can't enregister.  Some of these correspond to debug properties of local vars.
2363     enum DoNotEnregisterReason
2364     {
2365         DNER_AddrExposed,
2366         DNER_IsStruct,
2367         DNER_LocalField,
2368         DNER_VMNeedsStackAddr,
2369         DNER_LiveInOutOfHandler,
2370         DNER_LiveAcrossUnmanagedCall,
2371         DNER_BlockOp,     // Is read or written via a block operation that explicitly takes the address.
2372         DNER_IsStructArg, // Is a struct passed as an argument in a way that requires a stack location.
2373 #ifdef JIT32_GCENCODER
2374         DNER_PinningRef,
2375 #endif
2376     };
2377 #endif
2378     void lvaSetVarDoNotEnregister(unsigned varNum DEBUGARG(DoNotEnregisterReason reason));
2379
2380     unsigned lvaVarargsHandleArg;
2381 #ifdef _TARGET_X86_
2382     unsigned lvaVarargsBaseOfStkArgs; // Pointer (computed based on incoming varargs handle) to the start of the stack
2383                                       // arguments
2384 #endif                                // _TARGET_X86_
2385
2386     unsigned lvaInlinedPInvokeFrameVar; // variable representing the InlinedCallFrame
2387     unsigned lvaReversePInvokeFrameVar; // variable representing the reverse PInvoke frame
2388 #if FEATURE_FIXED_OUT_ARGS
2389     unsigned lvaPInvokeFrameRegSaveVar; // variable representing the RegSave for PInvoke inlining.
2390 #endif
2391     unsigned lvaMonAcquired; // boolean variable introduced into in synchronized methods
2392                              // that tracks whether the lock has been taken
2393
2394     unsigned lvaArg0Var; // The lclNum of arg0. Normally this will be info.compThisArg.
2395                          // However, if there is a "ldarga 0" or "starg 0" in the IL,
2396                          // we will redirect all "ldarg(a) 0" and "starg 0" to this temp.
2397
2398     unsigned lvaInlineeReturnSpillTemp; // The temp to spill the non-VOID return expression
2399                                         // in case there are multiple BBJ_RETURN blocks in the inlinee.
2400
2401 #if FEATURE_FIXED_OUT_ARGS
2402     unsigned lvaOutgoingArgSpaceVar;  // dummy TYP_LCLBLK var for fixed outgoing argument space
2403     unsigned lvaOutgoingArgSpaceSize; // size of fixed outgoing argument space
2404 #endif                                // FEATURE_FIXED_OUT_ARGS
2405
2406 #ifdef _TARGET_ARM_
2407     // On architectures whose ABIs allow structs to be passed in registers, struct promotion will sometimes
2408     // require us to "rematerialize" a struct from it's separate constituent field variables.  Packing several sub-word
2409     // field variables into an argument register is a hard problem.  It's easier to reserve a word of memory into which
2410     // such field can be copied, after which the assembled memory word can be read into the register.  We will allocate
2411     // this variable to be this scratch word whenever struct promotion occurs.
2412     unsigned lvaPromotedStructAssemblyScratchVar;
2413 #endif // _TARGET_ARM_
2414
2415 #ifdef DEBUG
2416     unsigned lvaReturnEspCheck; // confirms ESP not corrupted on return
2417     unsigned lvaCallEspCheck;   // confirms ESP not corrupted after a call
2418 #endif
2419
2420     bool lvaGenericsContextUsed;
2421
2422     bool lvaKeepAliveAndReportThis(); // Synchronized instance method of a reference type, or
2423                                       // CORINFO_GENERICS_CTXT_FROM_THIS?
2424     bool lvaReportParamTypeArg();     // Exceptions and CORINFO_GENERICS_CTXT_FROM_PARAMTYPEARG?
2425
2426 //-------------------------------------------------------------------------
2427 // All these frame offsets are inter-related and must be kept in sync
2428
2429 #if !FEATURE_EH_FUNCLETS
2430     // This is used for the callable handlers
2431     unsigned lvaShadowSPslotsVar; // TYP_BLK variable for all the shadow SP slots
2432 #endif                            // FEATURE_EH_FUNCLETS
2433
2434     unsigned lvaCachedGenericContextArgOffs;
2435     unsigned lvaCachedGenericContextArgOffset(); // For CORINFO_CALLCONV_PARAMTYPE and if generic context is passed as
2436                                                  // THIS pointer
2437
2438     unsigned lvaLocAllocSPvar; // variable which has the result of the last alloca/localloc
2439
2440     unsigned lvaNewObjArrayArgs; // variable with arguments for new MD array helper
2441
2442     // TODO-Review: Prior to reg predict we reserve 24 bytes for Spill temps.
2443     //              after the reg predict we will use a computed maxTmpSize
2444     //              which is based upon the number of spill temps predicted by reg predict
2445     //              All this is necessary because if we under-estimate the size of the spill
2446     //              temps we could fail when encoding instructions that reference stack offsets for ARM.
2447     //
2448     // Pre codegen max spill temp size.
2449     static const unsigned MAX_SPILL_TEMP_SIZE = 24;
2450
2451     //-------------------------------------------------------------------------
2452
2453     unsigned lvaGetMaxSpillTempSize();
2454 #ifdef _TARGET_ARM_
2455     bool lvaIsPreSpilled(unsigned lclNum, regMaskTP preSpillMask);
2456 #endif // _TARGET_ARM_
2457     void lvaAssignFrameOffsets(FrameLayoutState curState);
2458     void lvaFixVirtualFrameOffsets();
2459
2460 #ifndef LEGACY_BACKEND
2461     void lvaUpdateArgsWithInitialReg();
2462 #endif // !LEGACY_BACKEND
2463
2464     void lvaAssignVirtualFrameOffsetsToArgs();
2465 #ifdef UNIX_AMD64_ABI
2466     int lvaAssignVirtualFrameOffsetToArg(unsigned lclNum, unsigned argSize, int argOffs, int* callerArgOffset);
2467 #else  // !UNIX_AMD64_ABI
2468     int lvaAssignVirtualFrameOffsetToArg(unsigned lclNum, unsigned argSize, int argOffs);
2469 #endif // !UNIX_AMD64_ABI
2470     void lvaAssignVirtualFrameOffsetsToLocals();
2471     int lvaAllocLocalAndSetVirtualOffset(unsigned lclNum, unsigned size, int stkOffs);
2472 #ifdef _TARGET_AMD64_
2473     // Returns true if compCalleeRegsPushed (including RBP if used as frame pointer) is even.
2474     bool lvaIsCalleeSavedIntRegCountEven();
2475 #endif
2476     void lvaAlignFrame();
2477     void lvaAssignFrameOffsetsToPromotedStructs();
2478     int lvaAllocateTemps(int stkOffs, bool mustDoubleAlign);
2479
2480 #ifdef DEBUG
2481     void lvaDumpRegLocation(unsigned lclNum);
2482     void lvaDumpFrameLocation(unsigned lclNum);
2483     void lvaDumpEntry(unsigned lclNum, FrameLayoutState curState, size_t refCntWtdWidth = 6);
2484     void lvaTableDump(FrameLayoutState curState = NO_FRAME_LAYOUT); // NO_FRAME_LAYOUT means use the current frame
2485                                                                     // layout state defined by lvaDoneFrameLayout
2486 #endif
2487
2488 // Limit frames size to 1GB. The maximum is 2GB in theory - make it intentionally smaller
2489 // to avoid bugs from borderline cases.
2490 #define MAX_FrameSize 0x3FFFFFFF
2491     void lvaIncrementFrameSize(unsigned size);
2492
2493     unsigned lvaFrameSize(FrameLayoutState curState);
2494
2495     // Returns the caller-SP-relative offset for the SP/FP relative offset determined by FP based.
2496     int lvaToCallerSPRelativeOffset(int offs, bool isFpBased);
2497
2498     // Returns the caller-SP-relative offset for the local variable "varNum."
2499     int lvaGetCallerSPRelativeOffset(unsigned varNum);
2500
2501     // Returns the SP-relative offset for the local variable "varNum". Illegal to ask this for functions with localloc.
2502     int lvaGetSPRelativeOffset(unsigned varNum);
2503
2504     int lvaToInitialSPRelativeOffset(unsigned offset, bool isFpBased);
2505     int lvaGetInitialSPRelativeOffset(unsigned varNum);
2506
2507     //------------------------ For splitting types ----------------------------
2508
2509     void lvaInitTypeRef();
2510
2511     void lvaInitArgs(InitVarDscInfo* varDscInfo);
2512     void lvaInitThisPtr(InitVarDscInfo* varDscInfo);
2513     void lvaInitRetBuffArg(InitVarDscInfo* varDscInfo);
2514     void lvaInitUserArgs(InitVarDscInfo* varDscInfo);
2515     void lvaInitGenericsCtxt(InitVarDscInfo* varDscInfo);
2516     void lvaInitVarArgsHandle(InitVarDscInfo* varDscInfo);
2517
2518     void lvaInitVarDsc(LclVarDsc*              varDsc,
2519                        unsigned                varNum,
2520                        CorInfoType             corInfoType,
2521                        CORINFO_CLASS_HANDLE    typeHnd,
2522                        CORINFO_ARG_LIST_HANDLE varList,
2523                        CORINFO_SIG_INFO*       varSig);
2524
2525     static unsigned lvaTypeRefMask(var_types type);
2526
2527     var_types lvaGetActualType(unsigned lclNum);
2528     var_types lvaGetRealType(unsigned lclNum);
2529
2530     //-------------------------------------------------------------------------
2531
2532     void lvaInit();
2533
2534     unsigned lvaLclSize(unsigned varNum);
2535     unsigned lvaLclExactSize(unsigned varNum);
2536
2537     bool lvaLclVarRefs(GenTreePtr tree, GenTreePtr* findPtr, varRefKinds* refsPtr, void* result);
2538
2539     // Call lvaLclVarRefs on "true"; accumulate "*result" into whichever of
2540     // "allVars" and "trkdVars" is indiated by the nullness of "findPtr"; return
2541     // the return result.
2542     bool lvaLclVarRefsAccum(
2543         GenTreePtr tree, GenTreePtr* findPtr, varRefKinds* refsPtr, ALLVARSET_TP* allVars, VARSET_TP* trkdVars);
2544
2545     // If "findPtr" is non-NULL, assumes "result" is an "ALLVARSET_TP*", and
2546     // (destructively) unions "allVars" into "*result".  Otherwise, assumes "result" is a "VARSET_TP*",
2547     // and (destructively) unions "trkedVars" into "*result".
2548     void lvaLclVarRefsAccumIntoRes(GenTreePtr*         findPtr,
2549                                    void*               result,
2550                                    ALLVARSET_VALARG_TP allVars,
2551                                    VARSET_VALARG_TP    trkdVars);
2552
2553     bool lvaHaveManyLocals() const;
2554
2555     unsigned lvaGrabTemp(bool shortLifetime DEBUGARG(const char* reason));
2556     unsigned lvaGrabTemps(unsigned cnt DEBUGARG(const char* reason));
2557     unsigned lvaGrabTempWithImplicitUse(bool shortLifetime DEBUGARG(const char* reason));
2558
2559     void lvaSortOnly();
2560     void lvaSortByRefCount();
2561     void lvaDumpRefCounts();
2562
2563     void lvaMarkLocalVars(BasicBlock* block);
2564
2565     void lvaMarkLocalVars(); // Local variable ref-counting
2566
2567     void lvaAllocOutgoingArgSpace(); // 'Commit' lvaOutgoingArgSpaceSize and lvaOutgoingArgSpaceVar
2568
2569     VARSET_VALRET_TP lvaStmtLclMask(GenTreePtr stmt);
2570
2571     static fgWalkPreFn lvaIncRefCntsCB;
2572     void lvaIncRefCnts(GenTreePtr tree);
2573
2574     static fgWalkPreFn lvaDecRefCntsCB;
2575     void lvaDecRefCnts(GenTreePtr tree);
2576     void lvaDecRefCnts(BasicBlock* basicBlock, GenTreePtr tree);
2577     void lvaRecursiveDecRefCounts(GenTreePtr tree);
2578     void lvaRecursiveIncRefCounts(GenTreePtr tree);
2579
2580 #ifdef DEBUG
2581     struct lvaStressLclFldArgs
2582     {
2583         Compiler* m_pCompiler;
2584         bool      m_bFirstPass;
2585     };
2586
2587     static fgWalkPreFn lvaStressLclFldCB;
2588     void               lvaStressLclFld();
2589
2590     void lvaDispVarSet(VARSET_VALARG_TP set, VARSET_VALARG_TP allVars);
2591     void lvaDispVarSet(VARSET_VALARG_TP set);
2592
2593 #endif
2594
2595 #ifdef _TARGET_ARM_
2596     int lvaFrameAddress(int varNum, bool mustBeFPBased, regNumber* pBaseReg, int addrModeOffset);
2597 #else
2598     int lvaFrameAddress(int varNum, bool* pFPbased);
2599 #endif
2600
2601     bool lvaIsParameter(unsigned varNum);
2602     bool lvaIsRegArgument(unsigned varNum);
2603     BOOL lvaIsOriginalThisArg(unsigned varNum); // Is this varNum the original this argument?
2604     BOOL lvaIsOriginalThisReadOnly();           // return TRUE if there is no place in the code
2605                                                 // that writes to arg0
2606
2607     // Struct parameters that are passed by reference are marked as both lvIsParam and lvIsTemp
2608     // (this is an overload of lvIsTemp because there are no temp parameters).
2609     // For x64 this is 3, 5, 6, 7, >8 byte structs that are passed by reference.
2610     // For ARM64, this is structs larger than 16 bytes that are passed by reference.
2611     bool lvaIsImplicitByRefLocal(unsigned varNum)
2612     {
2613 #if defined(_TARGET_AMD64_) || defined(_TARGET_ARM64_)
2614         LclVarDsc* varDsc = &(lvaTable[varNum]);
2615         if (varDsc->lvIsParam && varDsc->lvIsTemp)
2616         {
2617             assert((varDsc->lvType == TYP_STRUCT) || (varDsc->lvType == TYP_BYREF));
2618             return true;
2619         }
2620 #endif // defined(_TARGET_AMD64_) || defined(_TARGET_ARM64_)
2621         return false;
2622     }
2623
2624     // Returns true if this local var is a multireg struct
2625     bool lvaIsMultiregStruct(LclVarDsc* varDsc);
2626
2627     // If the class is a TYP_STRUCT, get/set a class handle describing it
2628
2629     CORINFO_CLASS_HANDLE lvaGetStruct(unsigned varNum);
2630     void lvaSetStruct(unsigned varNum, CORINFO_CLASS_HANDLE typeHnd, bool unsafeValueClsCheck, bool setTypeInfo = true);
2631
2632 #define MAX_NumOfFieldsInPromotableStruct 4 // Maximum number of fields in promotable struct
2633
2634     // Info about struct fields
2635     struct lvaStructFieldInfo
2636     {
2637         CORINFO_FIELD_HANDLE fldHnd;
2638         unsigned char        fldOffset;
2639         unsigned char        fldOrdinal;
2640         var_types            fldType;
2641         unsigned             fldSize;
2642         CORINFO_CLASS_HANDLE fldTypeHnd;
2643     };
2644
2645     // Info about struct to be promoted.
2646     struct lvaStructPromotionInfo
2647     {
2648         CORINFO_CLASS_HANDLE typeHnd;
2649         bool                 canPromote;
2650         bool                 requiresScratchVar;
2651         bool                 containsHoles;
2652         bool                 customLayout;
2653         unsigned char        fieldCnt;
2654         lvaStructFieldInfo   fields[MAX_NumOfFieldsInPromotableStruct];
2655
2656         lvaStructPromotionInfo()
2657             : typeHnd(nullptr), canPromote(false), requiresScratchVar(false), containsHoles(false), customLayout(false)
2658         {
2659         }
2660     };
2661
2662     static int __cdecl lvaFieldOffsetCmp(const void* field1, const void* field2);
2663     void lvaCanPromoteStructType(CORINFO_CLASS_HANDLE    typeHnd,
2664                                  lvaStructPromotionInfo* StructPromotionInfo,
2665                                  bool                    sortFields);
2666     void lvaCanPromoteStructVar(unsigned lclNum, lvaStructPromotionInfo* StructPromotionInfo);
2667     void lvaPromoteStructVar(unsigned lclNum, lvaStructPromotionInfo* StructPromotionInfo);
2668 #if !defined(_TARGET_64BIT_)
2669     void lvaPromoteLongVars();
2670 #endif // !defined(_TARGET_64BIT_)
2671     unsigned lvaGetFieldLocal(LclVarDsc* varDsc, unsigned int fldOffset);
2672     lvaPromotionType lvaGetPromotionType(const LclVarDsc* varDsc);
2673     lvaPromotionType lvaGetPromotionType(unsigned varNum);
2674     lvaPromotionType lvaGetParentPromotionType(const LclVarDsc* varDsc);
2675     lvaPromotionType lvaGetParentPromotionType(unsigned varNum);
2676     bool lvaIsFieldOfDependentlyPromotedStruct(const LclVarDsc* varDsc);
2677     bool lvaIsGCTracked(const LclVarDsc* varDsc);
2678
2679 #if defined(FEATURE_SIMD)
2680     bool lvaMapSimd12ToSimd16(const LclVarDsc* varDsc)
2681     {
2682         assert(varDsc->lvType == TYP_SIMD12);
2683         assert(varDsc->lvExactSize == 12);
2684
2685 #if defined(_TARGET_64BIT_)
2686         assert(varDsc->lvSize() == 16);
2687         return true;
2688 #else // !defined(_TARGET_64BIT_)
2689
2690         // For 32-bit architectures, we make local variable SIMD12 types 16 bytes instead of just 12. lvSize()
2691         // already does this calculation. However, we also need to prevent mapping types if the var is a
2692         // depenendently promoted struct field, which must remain its exact size within its parent struct.
2693         // However, we don't know this until late, so we may have already pretended the field is bigger
2694         // before that.
2695         if ((varDsc->lvSize() == 16) && !lvaIsFieldOfDependentlyPromotedStruct(varDsc))
2696         {
2697             return true;
2698         }
2699         else
2700         {
2701             return false;
2702         }
2703
2704 #endif // !defined(_TARGET_64BIT_)
2705     }
2706 #endif // defined(FEATURE_SIMD)
2707
2708     BYTE* lvaGetGcLayout(unsigned varNum);
2709     bool lvaTypeIsGC(unsigned varNum);
2710     unsigned lvaGSSecurityCookie; // LclVar number
2711     bool     lvaTempsHaveLargerOffsetThanVars();
2712
2713     unsigned lvaSecurityObject;  // variable representing the security object on the stack
2714     unsigned lvaStubArgumentVar; // variable representing the secret stub argument coming in EAX
2715
2716 #if FEATURE_EH_FUNCLETS
2717     unsigned lvaPSPSym; // variable representing the PSPSym
2718 #endif
2719
2720     InlineInfo*     impInlineInfo;
2721     InlineStrategy* m_inlineStrategy;
2722
2723     // The Compiler* that is the root of the inlining tree of which "this" is a member.
2724     Compiler* impInlineRoot();
2725
2726 #if defined(DEBUG) || defined(INLINE_DATA)
2727     unsigned __int64 getInlineCycleCount()
2728     {
2729         return m_compCycles;
2730     }
2731 #endif // defined(DEBUG) || defined(INLINE_DATA)
2732
2733     bool fgNoStructPromotion;      // Set to TRUE to turn off struct promotion for this method.
2734     bool fgNoStructParamPromotion; // Set to TRUE to turn off struct promotion for parameters this method.
2735
2736     //=========================================================================
2737     //                          PROTECTED
2738     //=========================================================================
2739
2740 protected:
2741 //---------------- Local variable ref-counting ----------------------------
2742
2743 #if ASSERTION_PROP
2744     BasicBlock* lvaMarkRefsCurBlock;
2745     GenTreePtr  lvaMarkRefsCurStmt;
2746 #endif
2747     BasicBlock::weight_t lvaMarkRefsWeight;
2748
2749     static fgWalkPreFn lvaMarkLclRefsCallback;
2750     void lvaMarkLclRefs(GenTreePtr tree);
2751
2752     // Keeps the mapping from SSA #'s to VN's for the implicit memory variables.
2753     PerSsaArray lvMemoryPerSsaData;
2754     unsigned    lvMemoryNumSsaNames;
2755
2756 public:
2757     // Returns the address of the per-Ssa data for memory at the given ssaNum (which is required
2758     // not to be the SsaConfig::RESERVED_SSA_NUM, which indicates that the variable is
2759     // not an SSA variable).
2760     LclSsaVarDsc* GetMemoryPerSsaData(unsigned ssaNum)
2761     {
2762         assert(ssaNum != SsaConfig::RESERVED_SSA_NUM);
2763         assert(SsaConfig::RESERVED_SSA_NUM == 0);
2764         ssaNum--;
2765         assert(ssaNum < lvMemoryNumSsaNames);
2766         return &lvMemoryPerSsaData.GetRef(ssaNum);
2767     }
2768
2769     /*
2770     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
2771     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
2772     XX                                                                           XX
2773     XX                           Importer                                        XX
2774     XX                                                                           XX
2775     XX   Imports the given method and converts it to semantic trees              XX
2776     XX                                                                           XX
2777     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
2778     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
2779     */
2780
2781 public:
2782     void impInit();
2783
2784     void impImport(BasicBlock* method);
2785
2786     CORINFO_CLASS_HANDLE impGetRefAnyClass();
2787     CORINFO_CLASS_HANDLE impGetRuntimeArgumentHandle();
2788     CORINFO_CLASS_HANDLE impGetTypeHandleClass();
2789     CORINFO_CLASS_HANDLE impGetStringClass();
2790     CORINFO_CLASS_HANDLE impGetObjectClass();
2791
2792     //=========================================================================
2793     //                          PROTECTED
2794     //=========================================================================
2795
2796 protected:
2797     //-------------------- Stack manipulation ---------------------------------
2798
2799     unsigned impStkSize; // Size of the full stack
2800
2801 #define SMALL_STACK_SIZE 16 // number of elements in impSmallStack
2802
2803     StackEntry impSmallStack[SMALL_STACK_SIZE]; // Use this array if possible
2804
2805     struct SavedStack // used to save/restore stack contents.
2806     {
2807         unsigned    ssDepth; // number of values on stack
2808         StackEntry* ssTrees; // saved tree values
2809     };
2810
2811     bool impIsPrimitive(CorInfoType type);
2812     bool impILConsumesAddr(const BYTE* codeAddr, CORINFO_METHOD_HANDLE fncHandle, CORINFO_MODULE_HANDLE scpHandle);
2813
2814     void impResolveToken(const BYTE* addr, CORINFO_RESOLVED_TOKEN* pResolvedToken, CorInfoTokenKind kind);
2815     void impPushOnStackNoType(GenTreePtr tree);
2816
2817     void impPushOnStack(GenTreePtr tree, typeInfo ti);
2818     void       impPushNullObjRefOnStack();
2819     StackEntry impPopStack();
2820     StackEntry impPopStack(CORINFO_CLASS_HANDLE& structTypeRet);
2821     GenTreePtr impPopStack(typeInfo& ti);
2822     StackEntry& impStackTop(unsigned n = 0);
2823
2824     void impSaveStackState(SavedStack* savePtr, bool copy);
2825     void impRestoreStackState(SavedStack* savePtr);
2826
2827     GenTreePtr impImportLdvirtftn(GenTreePtr              thisPtr,
2828                                   CORINFO_RESOLVED_TOKEN* pResolvedToken,
2829                                   CORINFO_CALL_INFO*      pCallInfo);
2830
2831     void impImportAndPushBox(CORINFO_RESOLVED_TOKEN* pResolvedToken);
2832
2833     void impImportNewObjArray(CORINFO_RESOLVED_TOKEN* pResolvedToken, CORINFO_CALL_INFO* pCallInfo);
2834
2835     bool impCanPInvokeInline();
2836     bool impCanPInvokeInlineCallSite(BasicBlock* block);
2837     void impCheckForPInvokeCall(
2838         GenTreePtr call, CORINFO_METHOD_HANDLE methHnd, CORINFO_SIG_INFO* sig, unsigned mflags, BasicBlock* block);
2839     GenTreePtr impImportIndirectCall(CORINFO_SIG_INFO* sig, IL_OFFSETX ilOffset = BAD_IL_OFFSET);
2840     void impPopArgsForUnmanagedCall(GenTreePtr call, CORINFO_SIG_INFO* sig);
2841
2842     void impInsertHelperCall(CORINFO_HELPER_DESC* helperCall);
2843     void impHandleAccessAllowed(CorInfoIsAccessAllowedResult result, CORINFO_HELPER_DESC* helperCall);
2844     void impHandleAccessAllowedInternal(CorInfoIsAccessAllowedResult result, CORINFO_HELPER_DESC* helperCall);
2845
2846     void impInsertCalloutForDelegate(CORINFO_METHOD_HANDLE callerMethodHnd,
2847                                      CORINFO_METHOD_HANDLE calleeMethodHnd,
2848                                      CORINFO_CLASS_HANDLE  delegateTypeHnd);
2849
2850     var_types impImportCall(OPCODE                  opcode,
2851                             CORINFO_RESOLVED_TOKEN* pResolvedToken,
2852                             CORINFO_RESOLVED_TOKEN* pConstrainedResolvedToken, // Is this a "constrained." call on a
2853                                                                                // type parameter?
2854                             GenTreePtr         newobjThis,
2855                             int                prefixFlags,
2856                             CORINFO_CALL_INFO* callInfo,
2857                             IL_OFFSET          rawILOffset);
2858
2859     bool impMethodInfo_hasRetBuffArg(CORINFO_METHOD_INFO* methInfo);
2860
2861     GenTreePtr impFixupCallStructReturn(GenTreePtr call, CORINFO_CLASS_HANDLE retClsHnd);
2862
2863     GenTreePtr impFixupStructReturnType(GenTreePtr op, CORINFO_CLASS_HANDLE retClsHnd);
2864
2865 #ifdef DEBUG
2866     var_types impImportJitTestLabelMark(int numArgs);
2867 #endif // DEBUG
2868
2869     GenTreePtr impInitClass(CORINFO_RESOLVED_TOKEN* pResolvedToken);
2870
2871     GenTreePtr impImportStaticReadOnlyField(void* fldAddr, var_types lclTyp);
2872
2873     GenTreePtr impImportStaticFieldAccess(CORINFO_RESOLVED_TOKEN* pResolvedToken,
2874                                           CORINFO_ACCESS_FLAGS    access,
2875                                           CORINFO_FIELD_INFO*     pFieldInfo,
2876                                           var_types               lclTyp);
2877
2878     static void impBashVarAddrsToI(GenTreePtr tree1, GenTreePtr tree2 = nullptr);
2879
2880     GenTreePtr impImplicitIorI4Cast(GenTreePtr tree, var_types dstTyp);
2881
2882     GenTreePtr impImplicitR4orR8Cast(GenTreePtr tree, var_types dstTyp);
2883
2884     void impImportLeave(BasicBlock* block);
2885     void impResetLeaveBlock(BasicBlock* block, unsigned jmpAddr);
2886     GenTreePtr impIntrinsic(GenTreePtr            newobjThis,
2887                             CORINFO_CLASS_HANDLE  clsHnd,
2888                             CORINFO_METHOD_HANDLE method,
2889                             CORINFO_SIG_INFO*     sig,
2890                             int                   memberRef,
2891                             bool                  readonlyCall,
2892                             bool                  tailCall,
2893                             CorInfoIntrinsics*    pIntrinsicID);
2894     GenTreePtr impArrayAccessIntrinsic(CORINFO_CLASS_HANDLE clsHnd,
2895                                        CORINFO_SIG_INFO*    sig,
2896                                        int                  memberRef,
2897                                        bool                 readonlyCall,
2898                                        CorInfoIntrinsics    intrinsicID);
2899     GenTreePtr impInitializeArrayIntrinsic(CORINFO_SIG_INFO* sig);
2900
2901     GenTreePtr impMethodPointer(CORINFO_RESOLVED_TOKEN* pResolvedToken, CORINFO_CALL_INFO* pCallInfo);
2902
2903     GenTreePtr impTransformThis(GenTreePtr              thisPtr,
2904                                 CORINFO_RESOLVED_TOKEN* pConstrainedResolvedToken,
2905                                 CORINFO_THIS_TRANSFORM  transform);
2906
2907     //----------------- Manipulating the trees and stmts ----------------------
2908
2909     GenTreePtr impTreeList; // Trees for the BB being imported
2910     GenTreePtr impTreeLast; // The last tree for the current BB
2911
2912     enum
2913     {
2914         CHECK_SPILL_ALL  = -1,
2915         CHECK_SPILL_NONE = -2
2916     };
2917
2918 public:
2919     void impBeginTreeList();
2920     void impEndTreeList(BasicBlock* block, GenTreePtr firstStmt, GenTreePtr lastStmt);
2921     void impEndTreeList(BasicBlock* block);
2922     void impAppendStmtCheck(GenTreePtr stmt, unsigned chkLevel);
2923     void impAppendStmt(GenTreePtr stmt, unsigned chkLevel);
2924     void impInsertStmtBefore(GenTreePtr stmt, GenTreePtr stmtBefore);
2925     GenTreePtr impAppendTree(GenTreePtr tree, unsigned chkLevel, IL_OFFSETX offset);
2926     void impInsertTreeBefore(GenTreePtr tree, IL_OFFSETX offset, GenTreePtr stmtBefore);
2927     void impAssignTempGen(unsigned    tmp,
2928                           GenTreePtr  val,
2929                           unsigned    curLevel,
2930                           GenTreePtr* pAfterStmt = nullptr,
2931                           IL_OFFSETX  ilOffset   = BAD_IL_OFFSET,
2932                           BasicBlock* block      = nullptr);
2933     void impAssignTempGen(unsigned             tmpNum,
2934                           GenTreePtr           val,
2935                           CORINFO_CLASS_HANDLE structHnd,
2936                           unsigned             curLevel,
2937                           GenTreePtr*          pAfterStmt = nullptr,
2938                           IL_OFFSETX           ilOffset   = BAD_IL_OFFSET,
2939                           BasicBlock*          block      = nullptr);
2940     GenTreePtr impCloneExpr(GenTreePtr           tree,
2941                             GenTreePtr*          clone,
2942                             CORINFO_CLASS_HANDLE structHnd,
2943                             unsigned             curLevel,
2944                             GenTreePtr* pAfterStmt DEBUGARG(const char* reason));
2945     GenTreePtr impAssignStruct(GenTreePtr           dest,
2946                                GenTreePtr           src,
2947                                CORINFO_CLASS_HANDLE structHnd,
2948                                unsigned             curLevel,
2949                                GenTreePtr*          pAfterStmt = nullptr,
2950                                BasicBlock*          block      = nullptr);
2951     GenTreePtr impAssignStructPtr(GenTreePtr           dest,
2952                                   GenTreePtr           src,
2953                                   CORINFO_CLASS_HANDLE structHnd,
2954                                   unsigned             curLevel,
2955                                   GenTreePtr*          pAfterStmt = nullptr,
2956                                   BasicBlock*          block      = nullptr);
2957
2958     GenTreePtr impGetStructAddr(GenTreePtr           structVal,
2959                                 CORINFO_CLASS_HANDLE structHnd,
2960                                 unsigned             curLevel,
2961                                 bool                 willDeref);
2962
2963     var_types impNormStructType(CORINFO_CLASS_HANDLE structHnd,
2964                                 BYTE*                gcLayout     = nullptr,
2965                                 unsigned*            numGCVars    = nullptr,
2966                                 var_types*           simdBaseType = nullptr);
2967
2968     GenTreePtr impNormStructVal(GenTreePtr           structVal,
2969                                 CORINFO_CLASS_HANDLE structHnd,
2970                                 unsigned             curLevel,
2971                                 bool                 forceNormalization = false);
2972
2973     GenTreePtr impTokenToHandle(CORINFO_RESOLVED_TOKEN* pResolvedToken,
2974                                 BOOL*                   pRuntimeLookup    = nullptr,
2975                                 BOOL                    mustRestoreHandle = FALSE,
2976                                 BOOL                    importParent      = FALSE);
2977
2978     GenTreePtr impParentClassTokenToHandle(CORINFO_RESOLVED_TOKEN* pResolvedToken,
2979                                            BOOL*                   pRuntimeLookup    = nullptr,
2980                                            BOOL                    mustRestoreHandle = FALSE)
2981     {
2982         return impTokenToHandle(pResolvedToken, pRuntimeLookup, mustRestoreHandle, TRUE);
2983     }
2984
2985     GenTreePtr impLookupToTree(CORINFO_RESOLVED_TOKEN* pResolvedToken,
2986                                CORINFO_LOOKUP*         pLookup,
2987                                unsigned                flags,
2988                                void*                   compileTimeHandle);
2989
2990     GenTreePtr getRuntimeContextTree(CORINFO_RUNTIME_LOOKUP_KIND kind);
2991
2992     GenTreePtr impRuntimeLookupToTree(CORINFO_RESOLVED_TOKEN* pResolvedToken,
2993                                       CORINFO_LOOKUP*         pLookup,
2994                                       void*                   compileTimeHandle);
2995
2996     GenTreePtr impReadyToRunLookupToTree(CORINFO_CONST_LOOKUP* pLookup, unsigned flags, void* compileTimeHandle);
2997
2998     GenTreePtr impReadyToRunHelperToTree(CORINFO_RESOLVED_TOKEN* pResolvedToken,
2999                                          CorInfoHelpFunc         helper,
3000                                          var_types               type,
3001                                          GenTreeArgList*         arg                = nullptr,
3002                                          CORINFO_LOOKUP_KIND*    pGenericLookupKind = nullptr);
3003
3004     GenTreePtr impCastClassOrIsInstToTree(GenTreePtr              op1,
3005                                           GenTreePtr              op2,
3006                                           CORINFO_RESOLVED_TOKEN* pResolvedToken,
3007                                           bool                    isCastClass);
3008
3009     bool VarTypeIsMultiByteAndCanEnreg(var_types            type,
3010                                        CORINFO_CLASS_HANDLE typeClass,
3011                                        unsigned*            typeSize,
3012                                        bool                 forReturn);
3013
3014     static bool IsIntrinsicImplementedByUserCall(CorInfoIntrinsics intrinsicId);
3015     static bool IsTargetIntrinsic(CorInfoIntrinsics intrinsicId);
3016     static bool IsMathIntrinsic(CorInfoIntrinsics intrinsicId);
3017     static bool IsMathIntrinsic(GenTreePtr tree);
3018
3019 private:
3020     //----------------- Importing the method ----------------------------------
3021
3022     CORINFO_CONTEXT_HANDLE impTokenLookupContextHandle; // The context used for looking up tokens.
3023
3024 #ifdef DEBUG
3025     unsigned    impCurOpcOffs;
3026     const char* impCurOpcName;
3027     bool        impNestedStackSpill;
3028
3029     // For displaying instrs with generated native code (-n:B)
3030     GenTreePtr impLastILoffsStmt; // oldest stmt added for which we did not gtStmtLastILoffs
3031     void       impNoteLastILoffs();
3032 #endif
3033
3034     /* IL offset of the stmt currently being imported. It gets set to
3035        BAD_IL_OFFSET after it has been set in the appended trees. Then it gets
3036        updated at IL offsets for which we have to report mapping info.
3037        It also includes flag bits, so use jitGetILoffs()
3038        to get the actual IL offset value.
3039     */
3040
3041     IL_OFFSETX impCurStmtOffs;
3042     void impCurStmtOffsSet(IL_OFFSET offs);
3043
3044     void impNoteBranchOffs();
3045
3046     unsigned impInitBlockLineInfo();
3047
3048     GenTreePtr impCheckForNullPointer(GenTreePtr obj);
3049     bool impIsThis(GenTreePtr obj);
3050     bool impIsLDFTN_TOKEN(const BYTE* delegateCreateStart, const BYTE* newobjCodeAddr);
3051     bool impIsDUP_LDVIRTFTN_TOKEN(const BYTE* delegateCreateStart, const BYTE* newobjCodeAddr);
3052     bool impIsAnySTLOC(OPCODE opcode)
3053     {
3054         return ((opcode == CEE_STLOC) || (opcode == CEE_STLOC_S) ||
3055                 ((opcode >= CEE_STLOC_0) && (opcode <= CEE_STLOC_3)));
3056     }
3057
3058     GenTreeArgList* impPopList(unsigned          count,
3059                                unsigned*         flagsPtr,
3060                                CORINFO_SIG_INFO* sig,
3061                                GenTreeArgList*   prefixTree = nullptr);
3062
3063     GenTreeArgList* impPopRevList(unsigned          count,
3064                                   unsigned*         flagsPtr,
3065                                   CORINFO_SIG_INFO* sig,
3066                                   unsigned          skipReverseCount = 0);
3067
3068     /*
3069      * Get current IL offset with stack-empty info incoporated
3070      */
3071     IL_OFFSETX impCurILOffset(IL_OFFSET offs, bool callInstruction = false);
3072
3073     //---------------- Spilling the importer stack ----------------------------
3074
3075     struct PendingDsc
3076     {
3077         PendingDsc*   pdNext;
3078         BasicBlock*   pdBB;
3079         SavedStack    pdSavedStack;
3080         ThisInitState pdThisPtrInit;
3081     };
3082
3083     PendingDsc* impPendingList; // list of BBs currently waiting to be imported.
3084     PendingDsc* impPendingFree; // Freed up dscs that can be reused
3085
3086     // We keep a byte-per-block map (dynamically extended) in the top-level Compiler object of a compilation.
3087     ExpandArray<BYTE> impPendingBlockMembers;
3088
3089     // Return the byte for "b" (allocating/extending impPendingBlockMembers if necessary.)
3090     // Operates on the map in the top-level ancestor.
3091     BYTE impGetPendingBlockMember(BasicBlock* blk)
3092     {
3093         return impInlineRoot()->impPendingBlockMembers.Get(blk->bbInd());
3094     }
3095
3096     // Set the byte for "b" to "val" (allocating/extending impPendingBlockMembers if necessary.)
3097     // Operates on the map in the top-level ancestor.
3098     void impSetPendingBlockMember(BasicBlock* blk, BYTE val)
3099     {
3100         impInlineRoot()->impPendingBlockMembers.Set(blk->bbInd(), val);
3101     }
3102
3103     bool impCanReimport;
3104
3105     bool impSpillStackEntry(unsigned level,
3106                             unsigned varNum
3107 #ifdef DEBUG
3108                             ,
3109                             bool        bAssertOnRecursion,
3110                             const char* reason
3111 #endif
3112                             );
3113
3114     void impSpillStackEnsure(bool spillLeaves = false);
3115     void impEvalSideEffects();
3116     void impSpillSpecialSideEff();
3117     void impSpillSideEffects(bool spillGlobEffects, unsigned chkLevel DEBUGARG(const char* reason));
3118     void               impSpillValueClasses();
3119     void               impSpillEvalStack();
3120     static fgWalkPreFn impFindValueClasses;
3121     void impSpillLclRefs(ssize_t lclNum);
3122
3123     BasicBlock* impPushCatchArgOnStack(BasicBlock* hndBlk, CORINFO_CLASS_HANDLE clsHnd);
3124
3125     void impImportBlockCode(BasicBlock* block);
3126
3127     void impReimportMarkBlock(BasicBlock* block);
3128     void impReimportMarkSuccessors(BasicBlock* block);
3129
3130     void impVerifyEHBlock(BasicBlock* block, bool isTryStart);
3131
3132     void impImportBlockPending(BasicBlock* block);
3133
3134     // Similar to impImportBlockPending, but assumes that block has already been imported once and is being
3135     // reimported for some reason.  It specifically does *not* look at verCurrentState to set the EntryState
3136     // for the block, but instead, just re-uses the block's existing EntryState.
3137     void impReimportBlockPending(BasicBlock* block);
3138
3139     var_types impGetByRefResultType(genTreeOps oper, bool fUnsigned, GenTreePtr* pOp1, GenTreePtr* pOp2);
3140
3141     void impImportBlock(BasicBlock* block);
3142
3143     // Assumes that "block" is a basic block that completes with a non-empty stack. We will assign the values
3144     // on the stack to local variables (the "spill temp" variables). The successor blocks will assume that
3145     // its incoming stack contents are in those locals. This requires "block" and its successors to agree on
3146     // the variables that will be used -- and for all the predecessors of those successors, and the
3147     // successors of those predecessors, etc. Call such a set of blocks closed under alternating
3148     // successor/predecessor edges a "spill clique." A block is a "predecessor" or "successor" member of the
3149     // clique (or, conceivably, both). Each block has a specified sequence of incoming and outgoing spill
3150     // temps. If "block" already has its outgoing spill temps assigned (they are always a contiguous series
3151     // of local variable numbers, so we represent them with the base local variable number), returns that.
3152     // Otherwise, picks a set of spill temps, and propagates this choice to all blocks in the spill clique of
3153     // which "block" is a member (asserting, in debug mode, that no block in this clique had its spill temps
3154     // chosen already. More precisely, that the incoming or outgoing spill temps are not chosen, depending
3155     // on which kind of member of the clique the block is).
3156     unsigned impGetSpillTmpBase(BasicBlock* block);
3157
3158     // Assumes that "block" is a basic block that completes with a non-empty stack. We have previously
3159     // assigned the values on the stack to local variables (the "spill temp" variables). The successor blocks
3160     // will assume that its incoming stack contents are in those locals. This requires "block" and its
3161     // successors to agree on the variables and their types that will be used.  The CLI spec allows implicit
3162     // conversions between 'int' and 'native int' or 'float' and 'double' stack types. So one predecessor can
3163     // push an int and another can push a native int.  For 64-bit we have chosen to implement this by typing
3164     // the "spill temp" as native int, and then importing (or re-importing as needed) so that all the
3165     // predecessors in the "spill clique" push a native int (sign-extending if needed), and all the
3166     // successors receive a native int. Similarly float and double are unified to double.
3167     // This routine is called after a type-mismatch is detected, and it will walk the spill clique to mark
3168     // blocks for re-importation as appropriate (both successors, so they get the right incoming type, and
3169     // predecessors, so they insert an upcast if needed).
3170     void impReimportSpillClique(BasicBlock* block);
3171
3172     // When we compute a "spill clique" (see above) these byte-maps are allocated to have a byte per basic
3173     // block, and represent the predecessor and successor members of the clique currently being computed.
3174     // *** Access to these will need to be locked in a parallel compiler.
3175     ExpandArray<BYTE> impSpillCliquePredMembers;
3176     ExpandArray<BYTE> impSpillCliqueSuccMembers;
3177
3178     enum SpillCliqueDir
3179     {
3180         SpillCliquePred,
3181         SpillCliqueSucc
3182     };
3183
3184     // Abstract class for receiving a callback while walking a spill clique
3185     class SpillCliqueWalker
3186     {
3187     public:
3188         virtual void Visit(SpillCliqueDir predOrSucc, BasicBlock* blk) = 0;
3189     };
3190
3191     // This class is used for setting the bbStkTempsIn and bbStkTempsOut on the blocks within a spill clique
3192     class SetSpillTempsBase : public SpillCliqueWalker
3193     {
3194         unsigned m_baseTmp;
3195
3196     public:
3197         SetSpillTempsBase(unsigned baseTmp) : m_baseTmp(baseTmp)
3198         {
3199         }
3200         virtual void Visit(SpillCliqueDir predOrSucc, BasicBlock* blk);
3201     };
3202
3203     // This class is used for implementing impReimportSpillClique part on each block within the spill clique
3204     class ReimportSpillClique : public SpillCliqueWalker
3205     {
3206         Compiler* m_pComp;
3207
3208     public:
3209         ReimportSpillClique(Compiler* pComp) : m_pComp(pComp)
3210         {
3211         }
3212         virtual void Visit(SpillCliqueDir predOrSucc, BasicBlock* blk);
3213     };
3214
3215     // This is the heart of the algorithm for walking spill cliques. It invokes callback->Visit for each
3216     // predecessor or successor within the spill clique
3217     void impWalkSpillCliqueFromPred(BasicBlock* pred, SpillCliqueWalker* callback);
3218
3219     // For a BasicBlock that has already been imported, the EntryState has an array of GenTrees for the
3220     // incoming locals. This walks that list an resets the types of the GenTrees to match the types of
3221     // the VarDscs. They get out of sync when we have int/native int issues (see impReimportSpillClique).
3222     void impRetypeEntryStateTemps(BasicBlock* blk);
3223
3224     BYTE impSpillCliqueGetMember(SpillCliqueDir predOrSucc, BasicBlock* blk);
3225     void impSpillCliqueSetMember(SpillCliqueDir predOrSucc, BasicBlock* blk, BYTE val);
3226
3227     void impPushVar(GenTree* op, typeInfo tiRetVal);
3228     void impLoadVar(unsigned lclNum, IL_OFFSET offset, typeInfo tiRetVal);
3229     void impLoadVar(unsigned lclNum, IL_OFFSET offset)
3230     {
3231         impLoadVar(lclNum, offset, lvaTable[lclNum].lvVerTypeInfo);
3232     }
3233     void impLoadArg(unsigned ilArgNum, IL_OFFSET offset);
3234     void impLoadLoc(unsigned ilLclNum, IL_OFFSET offset);
3235     bool impReturnInstruction(BasicBlock* block, int prefixFlags, OPCODE& opcode);
3236
3237 #ifdef _TARGET_ARM_
3238     void impMarkLclDstNotPromotable(unsigned tmpNum, GenTreePtr op, CORINFO_CLASS_HANDLE hClass);
3239 #endif
3240
3241     // A free list of linked list nodes used to represent to-do stacks of basic blocks.
3242     struct BlockListNode
3243     {
3244         BasicBlock*    m_blk;
3245         BlockListNode* m_next;
3246         BlockListNode(BasicBlock* blk, BlockListNode* next = nullptr) : m_blk(blk), m_next(next)
3247         {
3248         }
3249         void* operator new(size_t sz, Compiler* comp);
3250     };
3251     BlockListNode* impBlockListNodeFreeList;
3252
3253     BlockListNode* AllocBlockListNode();
3254     void FreeBlockListNode(BlockListNode* node);
3255
3256     bool impIsValueType(typeInfo* pTypeInfo);
3257     var_types mangleVarArgsType(var_types type);
3258
3259 #if FEATURE_VARARG
3260     regNumber getCallArgIntRegister(regNumber floatReg);
3261     regNumber getCallArgFloatRegister(regNumber intReg);
3262 #endif // FEATURE_VARARG
3263
3264 #if defined(DEBUG)
3265     static unsigned jitTotalMethodCompiled;
3266 #endif
3267
3268 #ifdef DEBUG
3269     static LONG jitNestingLevel;
3270 #endif // DEBUG
3271
3272     static BOOL impIsAddressInLocal(GenTreePtr tree, GenTreePtr* lclVarTreeOut);
3273
3274     void impMakeDiscretionaryInlineObservations(InlineInfo* pInlineInfo, InlineResult* inlineResult);
3275
3276     // STATIC inlining decision based on the IL code.
3277     void impCanInlineIL(CORINFO_METHOD_HANDLE fncHandle,
3278                         CORINFO_METHOD_INFO*  methInfo,
3279                         bool                  forceInline,
3280                         InlineResult*         inlineResult);
3281
3282     void impCheckCanInline(GenTreePtr             call,
3283                            CORINFO_METHOD_HANDLE  fncHandle,
3284                            unsigned               methAttr,
3285                            CORINFO_CONTEXT_HANDLE exactContextHnd,
3286                            InlineCandidateInfo**  ppInlineCandidateInfo,
3287                            InlineResult*          inlineResult);
3288
3289     void impInlineRecordArgInfo(InlineInfo*   pInlineInfo,
3290                                 GenTreePtr    curArgVal,
3291                                 unsigned      argNum,
3292                                 InlineResult* inlineResult);
3293
3294     void impInlineInitVars(InlineInfo* pInlineInfo);
3295
3296     unsigned impInlineFetchLocal(unsigned lclNum DEBUGARG(const char* reason));
3297
3298     GenTreePtr impInlineFetchArg(unsigned lclNum, InlArgInfo* inlArgInfo, InlLclVarInfo* lclTypeInfo);
3299
3300     BOOL impInlineIsThis(GenTreePtr tree, InlArgInfo* inlArgInfo);
3301
3302     BOOL impInlineIsGuaranteedThisDerefBeforeAnySideEffects(GenTreePtr  additionalTreesToBeEvaluatedBefore,
3303                                                             GenTreePtr  variableBeingDereferenced,
3304                                                             InlArgInfo* inlArgInfo);
3305
3306     void impMarkInlineCandidate(GenTreePtr call, CORINFO_CONTEXT_HANDLE exactContextHnd, CORINFO_CALL_INFO* callInfo);
3307
3308     bool impTailCallRetTypeCompatible(var_types            callerRetType,
3309                                       CORINFO_CLASS_HANDLE callerRetTypeClass,
3310                                       var_types            calleeRetType,
3311                                       CORINFO_CLASS_HANDLE calleeRetTypeClass);
3312
3313     bool impIsTailCallILPattern(bool        tailPrefixed,
3314                                 OPCODE      curOpcode,
3315                                 const BYTE* codeAddrOfNextOpcode,
3316                                 const BYTE* codeEnd,
3317                                 bool        isRecursive,
3318                                 bool*       IsCallPopRet = nullptr);
3319
3320     bool impIsImplicitTailCallCandidate(
3321         OPCODE curOpcode, const BYTE* codeAddrOfNextOpcode, const BYTE* codeEnd, int prefixFlags, bool isRecursive);
3322
3323     /*
3324     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
3325     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
3326     XX                                                                           XX
3327     XX                           FlowGraph                                       XX
3328     XX                                                                           XX
3329     XX   Info about the basic-blocks, their contents and the flow analysis       XX
3330     XX                                                                           XX
3331     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
3332     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
3333     */
3334
3335 public:
3336     BasicBlock* fgFirstBB;        // Beginning of the basic block list
3337     BasicBlock* fgLastBB;         // End of the basic block list
3338     BasicBlock* fgFirstColdBlock; // First block to be placed in the cold section
3339 #if FEATURE_EH_FUNCLETS
3340     BasicBlock* fgFirstFuncletBB; // First block of outlined funclets (to allow block insertion before the funclets)
3341 #endif
3342     BasicBlock* fgFirstBBScratch;   // Block inserted for initialization stuff. Is nullptr if no such block has been
3343                                     // created.
3344     BasicBlockList* fgReturnBlocks; // list of BBJ_RETURN blocks
3345     unsigned        fgEdgeCount;    // # of control flow edges between the BBs
3346     unsigned        fgBBcount;      // # of BBs in the method
3347 #ifdef DEBUG
3348     unsigned fgBBcountAtCodegen; // # of BBs in the method at the start of codegen
3349 #endif
3350     unsigned     fgBBNumMax;       // The max bbNum that has been assigned to basic blocks
3351     unsigned     fgDomBBcount;     // # of BBs for which we have dominator and reachability information
3352     BasicBlock** fgBBInvPostOrder; // The flow graph stored in an array sorted in topological order, needed to compute
3353                                    // dominance. Indexed by block number. Size: fgBBNumMax + 1.
3354
3355     // After the dominance tree is computed, we cache a DFS preorder number and DFS postorder number to compute
3356     // dominance queries in O(1). fgDomTreePreOrder and fgDomTreePostOrder are arrays giving the block's preorder and
3357     // postorder number, respectively. The arrays are indexed by basic block number. (Note that blocks are numbered
3358     // starting from one. Thus, we always waste element zero. This makes debugging easier and makes the code less likely
3359     // to suffer from bugs stemming from forgetting to add or subtract one from the block number to form an array
3360     // index). The arrays are of size fgBBNumMax + 1.
3361     unsigned* fgDomTreePreOrder;
3362     unsigned* fgDomTreePostOrder;
3363
3364     bool fgBBVarSetsInited;
3365
3366     // Allocate array like T* a = new T[fgBBNumMax + 1];
3367     // Using helper so we don't keep forgetting +1.
3368     template <typename T>
3369     T* fgAllocateTypeForEachBlk(CompMemKind cmk = CMK_Unknown)
3370     {
3371         return (T*)compGetMem((fgBBNumMax + 1) * sizeof(T), cmk);
3372     }
3373
3374     // BlockSets are relative to a specific set of BasicBlock numbers. If that changes
3375     // (if the blocks are renumbered), this changes. BlockSets from different epochs
3376     // cannot be meaningfully combined. Note that new blocks can be created with higher
3377     // block numbers without changing the basic block epoch. These blocks *cannot*
3378     // participate in a block set until the blocks are all renumbered, causing the epoch
3379     // to change. This is useful if continuing to use previous block sets is valuable.
3380     // If the epoch is zero, then it is uninitialized, and block sets can't be used.
3381     unsigned fgCurBBEpoch;
3382
3383     unsigned GetCurBasicBlockEpoch()
3384     {
3385         return fgCurBBEpoch;
3386     }
3387
3388     // The number of basic blocks in the current epoch. When the blocks are renumbered,
3389     // this is fgBBcount. As blocks are added, fgBBcount increases, fgCurBBEpochSize remains
3390     // the same, until a new BasicBlock epoch is created, such as when the blocks are all renumbered.
3391     unsigned fgCurBBEpochSize;
3392
3393     // The number of "size_t" elements required to hold a bitset large enough for fgCurBBEpochSize
3394     // bits. This is precomputed to avoid doing math every time BasicBlockBitSetTraits::GetArrSize() is called.
3395     unsigned fgBBSetCountInSizeTUnits;
3396
3397     void NewBasicBlockEpoch()
3398     {
3399         INDEBUG(unsigned oldEpochArrSize = fgBBSetCountInSizeTUnits);
3400
3401         // We have a new epoch. Compute and cache the size needed for new BlockSets.
3402         fgCurBBEpoch++;
3403         fgCurBBEpochSize = fgBBNumMax + 1;
3404         fgBBSetCountInSizeTUnits =
3405             unsigned(roundUp(fgCurBBEpochSize, sizeof(size_t) * 8)) / unsigned(sizeof(size_t) * 8);
3406
3407 #ifdef DEBUG
3408         // All BlockSet objects are now invalid!
3409         fgReachabilitySetsValid = false; // the bbReach sets are now invalid!
3410         fgEnterBlksSetValid     = false; // the fgEnterBlks set is now invalid!
3411
3412         if (verbose)
3413         {
3414             unsigned epochArrSize = BasicBlockBitSetTraits::GetArrSize(this, sizeof(size_t));
3415             printf("\nNew BlockSet epoch %d, # of blocks (including unused BB00): %u, bitset array size: %u (%s)",
3416                    fgCurBBEpoch, fgCurBBEpochSize, epochArrSize, (epochArrSize <= 1) ? "short" : "long");
3417             if ((fgCurBBEpoch != 1) && ((oldEpochArrSize <= 1) != (epochArrSize <= 1)))
3418             {
3419                 // If we're not just establishing the first epoch, and the epoch array size has changed such that we're
3420                 // going to change our bitset representation from short (just a size_t bitset) to long (a pointer to an
3421                 // array of size_t bitsets), then print that out.
3422                 printf("; NOTE: BlockSet size was previously %s!", (oldEpochArrSize <= 1) ? "short" : "long");
3423             }
3424             printf("\n");
3425         }
3426 #endif // DEBUG
3427     }
3428
3429     void EnsureBasicBlockEpoch()
3430     {
3431         if (fgCurBBEpochSize != fgBBNumMax + 1)
3432         {
3433             NewBasicBlockEpoch();
3434         }
3435     }
3436
3437     BasicBlock* fgNewBasicBlock(BBjumpKinds jumpKind);
3438     void fgEnsureFirstBBisScratch();
3439     bool fgFirstBBisScratch();
3440     bool fgBBisScratch(BasicBlock* block);
3441
3442     void fgExtendEHRegionBefore(BasicBlock* block);
3443     void fgExtendEHRegionAfter(BasicBlock* block);
3444
3445     BasicBlock* fgNewBBbefore(BBjumpKinds jumpKind, BasicBlock* block, bool extendRegion);
3446
3447     BasicBlock* fgNewBBafter(BBjumpKinds jumpKind, BasicBlock* block, bool extendRegion);
3448
3449     BasicBlock* fgNewBBinRegion(BBjumpKinds jumpKind,
3450                                 unsigned    tryIndex,
3451                                 unsigned    hndIndex,
3452                                 BasicBlock* nearBlk,
3453                                 bool        putInFilter = false,
3454                                 bool        runRarely   = false,
3455                                 bool        insertAtEnd = false);
3456
3457     BasicBlock* fgNewBBinRegion(BBjumpKinds jumpKind,
3458                                 BasicBlock* srcBlk,
3459                                 bool        runRarely   = false,
3460                                 bool        insertAtEnd = false);
3461
3462     BasicBlock* fgNewBBinRegion(BBjumpKinds jumpKind);
3463
3464     BasicBlock* fgNewBBinRegionWorker(BBjumpKinds jumpKind,
3465                                       BasicBlock* afterBlk,
3466                                       unsigned    xcptnIndex,
3467                                       bool        putInTryRegion);
3468
3469     void fgInsertBBbefore(BasicBlock* insertBeforeBlk, BasicBlock* newBlk);
3470     void fgInsertBBafter(BasicBlock* insertAfterBlk, BasicBlock* newBlk);
3471     void fgUnlinkBlock(BasicBlock* block);
3472
3473 #if OPT_BOOL_OPS // Used to detect multiple logical "not" assignments.
3474     bool fgMultipleNots;
3475 #endif
3476
3477     bool fgModified;         // True if the flow graph has been modified recently
3478     bool fgComputePredsDone; // Have we computed the bbPreds list
3479     bool fgCheapPredsValid;  // Is the bbCheapPreds list valid?
3480     bool fgDomsComputed;     // Have we computed the dominator sets?
3481     bool fgOptimizedFinally; // Did we optimize any try-finallys?
3482
3483     bool     fgHasSwitch;  // any BBJ_SWITCH jumps?
3484     bool     fgHasPostfix; // any postfix ++/-- found?
3485     unsigned fgIncrCount;  // number of increment nodes found
3486
3487     BlockSet fgEnterBlks; // Set of blocks which have a special transfer of control; the "entry" blocks plus EH handler
3488                           // begin blocks.
3489
3490 #ifdef DEBUG
3491     bool fgReachabilitySetsValid; // Are the bbReach sets valid?
3492     bool fgEnterBlksSetValid;     // Is the fgEnterBlks set valid?
3493 #endif                            // DEBUG
3494
3495     bool fgRemoveRestOfBlock; // true if we know that we will throw
3496     bool fgStmtRemoved;       // true if we remove statements -> need new DFA
3497
3498     // There are two modes for ordering of the trees.
3499     //  - In FGOrderTree, the dominant ordering is the tree order, and the nodes contained in
3500     //    each tree and sub-tree are contiguous, and can be traversed (in gtNext/gtPrev order)
3501     //    by traversing the tree according to the order of the operands.
3502     //  - In FGOrderLinear, the dominant ordering is the linear order.
3503
3504     enum FlowGraphOrder
3505     {
3506         FGOrderTree,
3507         FGOrderLinear
3508     };
3509     FlowGraphOrder fgOrder;
3510
3511     // The following are boolean flags that keep track of the state of internal data structures
3512
3513     bool                 fgStmtListThreaded;
3514     bool                 fgCanRelocateEHRegions;   // true if we are allowed to relocate the EH regions
3515     bool                 fgEdgeWeightsComputed;    // true after we have called fgComputeEdgeWeights
3516     bool                 fgHaveValidEdgeWeights;   // true if we were successful in computing all of the edge weights
3517     bool                 fgSlopUsedInEdgeWeights;  // true if their was some slop used when computing the edge weights
3518     bool                 fgRangeUsedInEdgeWeights; // true if some of the edgeWeight are expressed in Min..Max form
3519     bool                 fgNeedsUpdateFlowGraph;   // true if we need to run fgUpdateFlowGraph
3520     BasicBlock::weight_t fgCalledWeight;           // count of the number of times this method was called
3521                                                    // This is derived from the profile data
3522                                                    // or is BB_UNITY_WEIGHT when we don't have profile data
3523
3524 #if FEATURE_EH_FUNCLETS
3525     bool fgFuncletsCreated; // true if the funclet creation phase has been run
3526 #endif                      // FEATURE_EH_FUNCLETS
3527
3528     bool fgGlobalMorph;  // indicates if we are during the global morphing phase
3529                          // since fgMorphTree can be called from several places
3530     bool fgExpandInline; // indicates that we are creating tree for the inliner
3531
3532     bool     impBoxTempInUse; // the temp below is valid and available
3533     unsigned impBoxTemp;      // a temporary that is used for boxing
3534
3535 #ifdef DEBUG
3536     bool jitFallbackCompile; // Are we doing a fallback compile? That is, have we executed a NO_WAY assert,
3537                              //   and we are trying to compile again in a "safer", minopts mode?
3538 #endif
3539
3540 #if defined(DEBUG)
3541     unsigned impInlinedCodeSize;
3542 #endif
3543
3544     //-------------------------------------------------------------------------
3545
3546     void fgInit();
3547
3548     void fgImport();
3549
3550     void fgInline();
3551
3552     void fgRemoveEmptyTry();
3553
3554     void fgRemoveEmptyFinally();
3555
3556     void fgCloneFinally();
3557
3558     void fgCleanupContinuation(BasicBlock* continuation);
3559
3560     void fgUpdateFinallyTargetFlags();
3561
3562     GenTreePtr fgGetCritSectOfStaticMethod();
3563
3564 #if !defined(_TARGET_X86_)
3565
3566     void fgAddSyncMethodEnterExit();
3567
3568     GenTree* fgCreateMonitorTree(unsigned lvaMonitorBool, unsigned lvaThisVar, BasicBlock* block, bool enter);
3569
3570     void fgConvertSyncReturnToLeave(BasicBlock* block);
3571
3572 #endif // !_TARGET_X86_
3573
3574     void fgAddReversePInvokeEnterExit();
3575
3576     bool fgMoreThanOneReturnBlock();
3577
3578     // The number of separate return points in the method.
3579     unsigned fgReturnCount;
3580
3581     void fgAddInternal();
3582
3583     bool fgFoldConditional(BasicBlock* block);
3584
3585     void fgMorphStmts(BasicBlock* block, bool* mult, bool* lnot, bool* loadw);
3586     void fgMorphBlocks();
3587
3588     bool fgMorphBlockStmt(BasicBlock* block, GenTreeStmt* stmt DEBUGARG(const char* msg));
3589
3590     void fgCheckArgCnt();
3591     void fgSetOptions();
3592
3593 #ifdef DEBUG
3594     static fgWalkPreFn fgAssertNoQmark;
3595     void fgPreExpandQmarkChecks(GenTreePtr expr);
3596     void        fgPostExpandQmarkChecks();
3597     static void fgCheckQmarkAllowedForm(GenTreePtr tree);
3598 #endif
3599
3600     IL_OFFSET fgFindBlockILOffset(BasicBlock* block);
3601
3602     BasicBlock* fgSplitBlockAtBeginning(BasicBlock* curr);
3603     BasicBlock* fgSplitBlockAtEnd(BasicBlock* curr);
3604     BasicBlock* fgSplitBlockAfterStatement(BasicBlock* curr, GenTree* stmt);
3605     BasicBlock* fgSplitBlockAfterNode(BasicBlock* curr, GenTree* node); // for LIR
3606     BasicBlock* fgSplitEdge(BasicBlock* curr, BasicBlock* succ);
3607
3608     GenTreeStmt* fgNewStmtFromTree(GenTreePtr tree, BasicBlock* block, IL_OFFSETX offs);
3609     GenTreeStmt* fgNewStmtFromTree(GenTreePtr tree);
3610     GenTreeStmt* fgNewStmtFromTree(GenTreePtr tree, BasicBlock* block);
3611     GenTreeStmt* fgNewStmtFromTree(GenTreePtr tree, IL_OFFSETX offs);
3612
3613     GenTreePtr fgGetTopLevelQmark(GenTreePtr expr, GenTreePtr* ppDst = nullptr);
3614     void fgExpandQmarkForCastInstOf(BasicBlock* block, GenTreePtr stmt);
3615     void fgExpandQmarkStmt(BasicBlock* block, GenTreePtr expr);
3616     void fgExpandQmarkNodes();
3617
3618     void fgMorph();
3619
3620     // Do "simple lowering."  This functionality is (conceptually) part of "general"
3621     // lowering that is distributed between fgMorph and the lowering phase of LSRA.
3622     void fgSimpleLowering();
3623
3624     bool fgShouldCreateAssignOp(GenTreePtr tree, bool* bReverse);
3625
3626     GenTreePtr fgInitThisClass();
3627
3628     GenTreePtr fgGetStaticsCCtorHelper(CORINFO_CLASS_HANDLE cls, CorInfoHelpFunc helper);
3629
3630     GenTreePtr fgGetSharedCCtor(CORINFO_CLASS_HANDLE cls);
3631
3632     void fgLocalVarLiveness();
3633
3634     void fgLocalVarLivenessInit();
3635
3636 #ifdef LEGACY_BACKEND
3637     GenTreePtr fgLegacyPerStatementLocalVarLiveness(GenTreePtr startNode, GenTreePtr relopNode);
3638 #else
3639     void fgPerNodeLocalVarLiveness(GenTree* node);
3640 #endif
3641     void fgPerBlockLocalVarLiveness();
3642
3643     VARSET_VALRET_TP fgGetHandlerLiveVars(BasicBlock* block);
3644
3645     void fgLiveVarAnalysis(bool updateInternalOnly = false);
3646
3647     // This is used in the liveness computation, as a temporary.  When we use the
3648     // arbitrary-length VarSet representation, it is better not to allocate a new one
3649     // at each call.
3650     VARSET_TP fgMarkIntfUnionVS;
3651
3652     bool fgMarkIntf(VARSET_VALARG_TP varSet);
3653
3654     bool fgMarkIntf(VARSET_VALARG_TP varSet1, VARSET_VALARG_TP varSet2);
3655
3656     void fgUpdateRefCntForClone(BasicBlock* addedToBlock, GenTreePtr clonedTree);
3657
3658     void fgUpdateRefCntForExtract(GenTreePtr wholeTree, GenTreePtr keptTree);
3659
3660     void fgComputeLifeCall(VARSET_TP& life, GenTreeCall* call);
3661
3662     bool fgComputeLifeLocal(VARSET_TP& life, VARSET_TP& keepAliveVars, GenTree* lclVarNode, GenTree* node);
3663
3664     VARSET_VALRET_TP fgComputeLife(VARSET_VALARG_TP life,
3665                                    GenTreePtr       startNode,
3666                                    GenTreePtr       endNode,
3667                                    VARSET_VALARG_TP volatileVars,
3668                                    bool* pStmtInfoDirty DEBUGARG(bool* treeModf));
3669
3670     VARSET_VALRET_TP fgComputeLifeLIR(VARSET_VALARG_TP life, BasicBlock* block, VARSET_VALARG_TP volatileVars);
3671
3672     bool fgRemoveDeadStore(GenTree**  pTree,
3673                            LclVarDsc* varDsc,
3674                            VARSET_TP  life,
3675                            bool*      doAgain,
3676                            bool* pStmtInfoDirty DEBUGARG(bool* treeModf));
3677
3678     bool fgTryRemoveDeadLIRStore(LIR::Range& blockRange, GenTree* node, GenTree** next);
3679
3680     // For updating liveset during traversal AFTER fgComputeLife has completed
3681     VARSET_VALRET_TP fgGetVarBits(GenTreePtr tree);
3682     VARSET_VALRET_TP fgUpdateLiveSet(VARSET_VALARG_TP liveSet, GenTreePtr tree);
3683
3684     // Returns the set of live variables after endTree,
3685     // assuming that liveSet is the set of live variables BEFORE tree.
3686     // Requires that fgComputeLife has completed, and that tree is in the same
3687     // statement as endTree, and that it comes before endTree in execution order
3688
3689     VARSET_VALRET_TP fgUpdateLiveSet(VARSET_VALARG_TP liveSet, GenTreePtr tree, GenTreePtr endTree)
3690     {
3691         VARSET_TP VARSET_INIT(this, newLiveSet, liveSet);
3692         while (tree != nullptr && tree != endTree->gtNext)
3693         {
3694             VarSetOps::AssignNoCopy(this, newLiveSet, fgUpdateLiveSet(newLiveSet, tree));
3695             tree = tree->gtNext;
3696         }
3697         assert(tree == endTree->gtNext);
3698         return newLiveSet;
3699     }
3700
3701     void fgInterBlockLocalVarLiveness();
3702
3703     // The presence of "x op= y" operations presents some difficulties for SSA: this is both a use of some SSA name of
3704     // "x", and a def of a new SSA name for "x".  The tree only has one local variable for "x", so it has to choose
3705     // whether to treat that as the use or def.  It chooses the "use", and thus the old SSA name.  This map allows us
3706     // to record/recover the "def" SSA number, given the lcl var node for "x" in such a tree.
3707     typedef SimplerHashTable<GenTreePtr, PtrKeyFuncs<GenTree>, unsigned, JitSimplerHashBehavior> NodeToUnsignedMap;
3708     NodeToUnsignedMap* m_opAsgnVarDefSsaNums;
3709     NodeToUnsignedMap* GetOpAsgnVarDefSsaNums()
3710     {
3711         if (m_opAsgnVarDefSsaNums == nullptr)
3712         {
3713             m_opAsgnVarDefSsaNums = new (getAllocator()) NodeToUnsignedMap(getAllocator());
3714         }
3715         return m_opAsgnVarDefSsaNums;
3716     }
3717
3718     // Requires value numbering phase to have completed. Returns the value number ("gtVN") of the
3719     // "tree," EXCEPT in the case of GTF_VAR_USEASG, because the tree node's gtVN member is the
3720     // "use" VN. Performs a lookup into the map of (use asg tree -> def VN.) to return the "def's"
3721     // VN.
3722     inline ValueNum GetUseAsgDefVNOrTreeVN(GenTreePtr tree);
3723
3724     // Requires that "lcl" has the GTF_VAR_DEF flag set.  Returns the SSA number of "lcl".
3725     // Except: assumes that lcl is a def, and if it is
3726     // a def appearing in "lcl op= rhs" (GTF_VAR_USEASG), looks up and returns the SSA number for the "def",
3727     // rather than the "use" SSA number recorded in the tree "lcl".
3728     inline unsigned GetSsaNumForLocalVarDef(GenTreePtr lcl);
3729
3730     // Some assignments assign to a local "indirectly": they are part of a comma expression that takes the address
3731     // of the local (or a field thereof), assigns this address to a temp, and uses an indirection of this temp as
3732     // the LHS of the assignment.  This actually arises in exactly one situation.  At the source level we assign one
3733     // struct local to another: "s1 = s2".  This becomes a copyblk.  If "s2" is promoted into  field variables "s2f0",
3734     // ..."s2fn", then the copyblk will morph to a comma expression that takes the address of "s1" and does field-wise
3735     // assignments:
3736     //   (byref addrS1 = &s1,
3737     //    *(addrS1 * offsetof(f0)) = s2f0,
3738     //    ...
3739     //    *(addrS1 * offsetof(fn)) = s2fn)
3740     //
3741     // It would be a shame, given the simple form at the source level, to be unable to track the values in the
3742     // fields of "s1" after this.  But "s1" does not appear in the assignments that modify it.  How, then, to
3743     // give it SSA names and value numbers?
3744     //
3745     // The solution is to use the side table described below to annotate each of the field-wise assignments at the
3746     // end with an instance of the structure below, whose fields are described in the declaration.
3747     struct IndirectAssignmentAnnotation
3748     {
3749         unsigned      m_lclNum;   // The local num that is being indirectly assigned.
3750         FieldSeqNode* m_fieldSeq; // If the LHS of the struct assignment is itself a struct field dereference,
3751                                   // as in "s0.g = s2", then "m_lclNum" would be "s0", and "m_fieldSeq" would
3752                                   // be the singleton field sequence "g".  The individual assignments would
3753                                   // further append the fields of "s.g" to that.
3754         bool m_isEntire;          // True iff this assignment writes all of m_lclNum.  (This can occur if the
3755                                   // structure has a single field).
3756         unsigned m_defSsaNum;     // The new SSA number of "m_lclNum" after the assignment.
3757         unsigned m_useSsaNum;     // Only valid if "m_isEntire" is false; if so, the SSA number of "m_lclNum" before the
3758                                   // assignment.
3759
3760         IndirectAssignmentAnnotation(unsigned      lclNum,
3761                                      FieldSeqNode* fldSeq,
3762                                      bool          isEntire,
3763                                      unsigned      defSsaNum = SsaConfig::RESERVED_SSA_NUM,
3764                                      unsigned      useSsaNum = SsaConfig::RESERVED_SSA_NUM)
3765             : m_lclNum(lclNum), m_fieldSeq(fldSeq), m_isEntire(isEntire), m_defSsaNum(defSsaNum), m_useSsaNum(useSsaNum)
3766         {
3767         }
3768     };
3769     typedef SimplerHashTable<GenTreePtr, PtrKeyFuncs<GenTree>, IndirectAssignmentAnnotation*, JitSimplerHashBehavior>
3770                           NodeToIndirAssignMap;
3771     NodeToIndirAssignMap* m_indirAssignMap;
3772     NodeToIndirAssignMap* GetIndirAssignMap()
3773     {
3774         if (m_indirAssignMap == nullptr)
3775         {
3776             // Create a CompAllocator that labels sub-structure with CMK_IndirAssignMap, and use that for allocation.
3777             IAllocator* ialloc = new (this, CMK_IndirAssignMap) CompAllocator(this, CMK_IndirAssignMap);
3778             m_indirAssignMap   = new (ialloc) NodeToIndirAssignMap(ialloc);
3779         }
3780         return m_indirAssignMap;
3781     }
3782
3783     // Performs SSA conversion.
3784     void fgSsaBuild();
3785
3786     // Reset any data structures to the state expected by "fgSsaBuild", so it can be run again.
3787     void fgResetForSsa();
3788
3789     unsigned fgSsaPassesCompleted; // Number of times fgSsaBuild has been run.
3790
3791     // Returns "true" iff lcl "lclNum" should be excluded from SSA.
3792     inline bool fgExcludeFromSsa(unsigned lclNum);
3793
3794     // The value numbers for this compilation.
3795     ValueNumStore* vnStore;
3796
3797 public:
3798     ValueNumStore* GetValueNumStore()
3799     {
3800         return vnStore;
3801     }
3802
3803     // Do value numbering (assign a value number to each
3804     // tree node).
3805     void fgValueNumber();
3806
3807     // Computes new GcHeap VN via the assignment H[elemTypeEq][arrVN][inx][fldSeq] = rhsVN.
3808     // Assumes that "elemTypeEq" is the (equivalence class rep) of the array element type.
3809     // The 'indType' is the indirection type of the lhs of the assignment and will typically
3810     // match the element type of the array or fldSeq.  When this type doesn't match
3811     // or if the fldSeq is 'NotAField' we invalidate the array contents H[elemTypeEq][arrVN]
3812     //
3813     ValueNum fgValueNumberArrIndexAssign(CORINFO_CLASS_HANDLE elemTypeEq,
3814                                          ValueNum             arrVN,
3815                                          ValueNum             inxVN,
3816                                          FieldSeqNode*        fldSeq,
3817                                          ValueNum             rhsVN,
3818                                          var_types            indType);
3819
3820     // Requires that "tree" is a GT_IND marked as an array index, and that its address argument
3821     // has been parsed to yield the other input arguments.  If evaluation of the address
3822     // can raise exceptions, those should be captured in the exception set "excVN."
3823     // Assumes that "elemTypeEq" is the (equivalence class rep) of the array element type.
3824     // Marks "tree" with the VN for H[elemTypeEq][arrVN][inx][fldSeq] (for the liberal VN; a new unique
3825     // VN for the conservative VN.)  Also marks the tree's argument as the address of an array element.
3826     // The type tree->TypeGet() will typically match the element type of the array or fldSeq.
3827     // When this type doesn't match or if the fldSeq is 'NotAField' we return a new unique VN
3828     //
3829     ValueNum fgValueNumberArrIndexVal(GenTreePtr           tree,
3830                                       CORINFO_CLASS_HANDLE elemTypeEq,
3831                                       ValueNum             arrVN,
3832                                       ValueNum             inxVN,
3833                                       ValueNum             excVN,
3834                                       FieldSeqNode*        fldSeq);
3835
3836     // Requires "funcApp" to be a VNF_PtrToArrElem, and "addrXvn" to represent the exception set thrown
3837     // by evaluating the array index expression "tree".  Returns the value number resulting from
3838     // dereferencing the array in the current GcHeap state.  If "tree" is non-null, it must be the
3839     // "GT_IND" that does the dereference, and it is given the returned value number.
3840     ValueNum fgValueNumberArrIndexVal(GenTreePtr tree, struct VNFuncApp* funcApp, ValueNum addrXvn);
3841
3842     // Compute the value number for a byref-exposed load of the given type via the given pointerVN.
3843     ValueNum fgValueNumberByrefExposedLoad(var_types type, ValueNum pointerVN);
3844
3845     unsigned fgVNPassesCompleted; // Number of times fgValueNumber has been run.
3846
3847     // Utility functions for fgValueNumber.
3848
3849     // Perform value-numbering for the trees in "blk".
3850     void fgValueNumberBlock(BasicBlock* blk);
3851
3852     // Requires that "entryBlock" is the entry block of loop "loopNum", and that "loopNum" is the
3853     // innermost loop of which "entryBlock" is the entry.  Returns the value number that should be
3854     // assumed for the memoryKind at the start "entryBlk".
3855     ValueNum fgMemoryVNForLoopSideEffects(MemoryKind memoryKind, BasicBlock* entryBlock, unsigned loopNum);
3856
3857     // Called when an operation (performed by "tree", described by "msg") may cause the GcHeap to be mutated.
3858     // As GcHeap is a subset of ByrefExposed, this will also annotate the ByrefExposed mutation.
3859     void fgMutateGcHeap(GenTreePtr tree DEBUGARG(const char* msg));
3860
3861     // Called when an operation (performed by "tree", described by "msg") may cause an address-exposed local to be
3862     // mutated.
3863     void fgMutateAddressExposedLocal(GenTreePtr tree DEBUGARG(const char* msg));
3864
3865     // For a GC heap store at curTree, record the new curMemoryVN's and update curTree's MemorySsaMap.
3866     // As GcHeap is a subset of ByrefExposed, this will also record the ByrefExposed store.
3867     void recordGcHeapStore(GenTreePtr curTree, ValueNum gcHeapVN DEBUGARG(const char* msg));
3868
3869     // For a store to an address-exposed local at curTree, record the new curMemoryVN and update curTree's MemorySsaMap.
3870     void recordAddressExposedLocalStore(GenTreePtr curTree, ValueNum memoryVN DEBUGARG(const char* msg));
3871
3872     // Tree caused an update in the current memory VN.  If "tree" has an associated heap SSA #, record that
3873     // value in that SSA #.
3874     void fgValueNumberRecordMemorySsa(MemoryKind memoryKind, GenTreePtr tree);
3875
3876     // The input 'tree' is a leaf node that is a constant
3877     // Assign the proper value number to the tree
3878     void fgValueNumberTreeConst(GenTreePtr tree);
3879
3880     // Assumes that all inputs to "tree" have had value numbers assigned; assigns a VN to tree.
3881     // (With some exceptions: the VN of the lhs of an assignment is assigned as part of the
3882     // assignment.)
3883     // If "evalAsgLhsInd" is true, evaluate a GT_IND node, even if it's labeled as the LHS of
3884     // an assignment.
3885     void fgValueNumberTree(GenTreePtr tree, bool evalAsgLhsInd = false);
3886
3887     // Does value-numbering for a block assignment.
3888     void fgValueNumberBlockAssignment(GenTreePtr tree, bool evalAsgLhsInd);
3889
3890     // Does value-numbering for a cast tree.
3891     void fgValueNumberCastTree(GenTreePtr tree);
3892
3893     // Does value-numbering for an intrinsic tree.
3894     void fgValueNumberIntrinsic(GenTreePtr tree);
3895
3896     // Does value-numbering for a call.  We interpret some helper calls.
3897     void fgValueNumberCall(GenTreeCall* call);
3898
3899     // The VN of some nodes in "args" may have changed -- reassign VNs to the arg list nodes.
3900     void fgUpdateArgListVNs(GenTreeArgList* args);
3901
3902     // Does value-numbering for a helper "call" that has a VN function symbol "vnf".
3903     void fgValueNumberHelperCallFunc(GenTreeCall* call, VNFunc vnf, ValueNumPair vnpExc);
3904
3905     // Requires "helpCall" to be a helper call.  Assigns it a value number;
3906     // we understand the semantics of some of the calls.  Returns "true" if
3907     // the call may modify the heap (we assume arbitrary memory side effects if so).
3908     bool fgValueNumberHelperCall(GenTreeCall* helpCall);
3909
3910     // Requires "helpFunc" to be pure.  Returns the corresponding VNFunc.
3911     VNFunc fgValueNumberHelperMethVNFunc(CorInfoHelpFunc helpFunc);
3912
3913     // These are the current value number for the memory implicit variables while
3914     // doing value numbering.  These are the value numbers under the "liberal" interpretation
3915     // of memory values; the "conservative" interpretation needs no VN, since every access of
3916     // memory yields an unknown value.
3917     ValueNum fgCurMemoryVN[MemoryKindCount];
3918
3919     // Return a "pseudo"-class handle for an array element type.  If "elemType" is TYP_STRUCT,
3920     // requires "elemStructType" to be non-null (and to have a low-order zero).  Otherwise, low order bit
3921     // is 1, and the rest is an encoding of "elemTyp".
3922     static CORINFO_CLASS_HANDLE EncodeElemType(var_types elemTyp, CORINFO_CLASS_HANDLE elemStructType)
3923     {
3924         if (elemStructType != nullptr)
3925         {
3926             assert(varTypeIsStruct(elemTyp) || elemTyp == TYP_REF || elemTyp == TYP_BYREF ||
3927                    varTypeIsIntegral(elemTyp));
3928             assert((size_t(elemStructType) & 0x1) == 0x0); // Make sure the encoding below is valid.
3929             return elemStructType;
3930         }
3931         else
3932         {
3933             elemTyp = varTypeUnsignedToSigned(elemTyp);
3934             return CORINFO_CLASS_HANDLE(size_t(elemTyp) << 1 | 0x1);
3935         }
3936     }
3937     // If "clsHnd" is the result of an "EncodePrim" call, returns true and sets "*pPrimType" to the
3938     // var_types it represents.  Otherwise, returns TYP_STRUCT (on the assumption that "clsHnd" is
3939     // the struct type of the element).
3940     static var_types DecodeElemType(CORINFO_CLASS_HANDLE clsHnd)
3941     {
3942         size_t clsHndVal = size_t(clsHnd);
3943         if (clsHndVal & 0x1)
3944         {
3945             return var_types(clsHndVal >> 1);
3946         }
3947         else
3948         {
3949             return TYP_STRUCT;
3950         }
3951     }
3952
3953     // Convert a BYTE which represents the VM's CorInfoGCtype to the JIT's var_types
3954     var_types getJitGCType(BYTE gcType);
3955
3956     enum structPassingKind
3957     {
3958         SPK_Unknown,       // Invalid value, never returned
3959         SPK_PrimitiveType, // The struct is passed/returned using a primitive type.
3960         SPK_ByValue,       // The struct is passed/returned by value (using the ABI rules)
3961                            //  for ARM64 and UNIX_X64 in multiple registers. (when all of the
3962                            //   parameters registers are used, then the stack will be used)
3963                            //  for X86 passed on the stack, for ARM32 passed in registers
3964                            //   or the stack or split between registers and the stack.
3965         SPK_ByValueAsHfa,  // The struct is passed/returned as an HFA in multiple registers.
3966         SPK_ByReference
3967     }; // The struct is passed/returned by reference to a copy/buffer.
3968
3969     // Get the "primitive" type that is is used when we are given a struct of size 'structSize'.
3970     // For pointer sized structs the 'clsHnd' is used to determine if the struct contains GC ref.
3971     // A "primitive" type is one of the scalar types: byte, short, int, long, ref, float, double
3972     // If we can't or shouldn't use a "primitive" type then TYP_UNKNOWN is returned.
3973     //
3974     var_types getPrimitiveTypeForStruct(unsigned structSize, CORINFO_CLASS_HANDLE clsHnd);
3975
3976     // Get the type that is used to pass values of the given struct type.
3977     // If you have already retrieved the struct size then pass it as the optional third argument
3978     //
3979     var_types getArgTypeForStruct(CORINFO_CLASS_HANDLE clsHnd,
3980                                   structPassingKind*   wbPassStruct,
3981                                   unsigned             structSize = 0);
3982
3983     // Get the type that is used to return values of the given struct type.
3984     // If you have already retrieved the struct size then pass it as the optional third argument
3985     //
3986     var_types getReturnTypeForStruct(CORINFO_CLASS_HANDLE clsHnd,
3987                                      structPassingKind*   wbPassStruct = nullptr,
3988                                      unsigned             structSize   = 0);
3989
3990 #ifdef DEBUG
3991     // Print a representation of "vnp" or "vn" on standard output.
3992     // If "level" is non-zero, we also print out a partial expansion of the value.
3993     void vnpPrint(ValueNumPair vnp, unsigned level);
3994     void vnPrint(ValueNum vn, unsigned level);
3995 #endif
3996
3997     // Dominator computation member functions
3998     // Not exposed outside Compiler
3999 protected:
4000     bool fgDominate(BasicBlock* b1, BasicBlock* b2); // Return true if b1 dominates b2
4001
4002     bool fgReachable(BasicBlock* b1, BasicBlock* b2); // Returns true if block b1 can reach block b2
4003
4004     void fgComputeDoms(); // Computes the immediate dominators for each basic block in the
4005                           // flow graph.  We first assume the fields bbIDom on each
4006                           // basic block are invalid. This computation is needed later
4007                           // by fgBuildDomTree to build the dominance tree structure.
4008                           // Based on: A Simple, Fast Dominance Algorithm
4009                           // by Keith D. Cooper, Timothy J. Harvey, and Ken Kennedy
4010
4011     BlockSet_ValRet_T fgGetDominatorSet(BasicBlock* block); // Returns a set of blocks that dominate the given block.
4012     // Note: this is relatively slow compared to calling fgDominate(),
4013     // especially if dealing with a single block versus block check.
4014
4015     void fgComputeReachabilitySets(); // Compute bbReach sets. (Also sets BBF_GC_SAFE_POINT flag on blocks.)
4016
4017     void fgComputeEnterBlocksSet(); // Compute the set of entry blocks, 'fgEnterBlks'.
4018
4019     bool fgRemoveUnreachableBlocks(); // Remove blocks determined to be unreachable by the bbReach sets.
4020
4021     void fgComputeReachability(); // Perform flow graph node reachability analysis.
4022
4023     BasicBlock* fgIntersectDom(BasicBlock* a, BasicBlock* b); // Intersect two immediate dominator sets.
4024
4025     void fgDfsInvPostOrder(); // In order to compute dominance using fgIntersectDom, the flow graph nodes must be
4026                               // processed in topological sort, this function takes care of that.
4027
4028     void fgDfsInvPostOrderHelper(BasicBlock* block, BlockSet& visited, unsigned* count);
4029
4030     BlockSet_ValRet_T fgDomFindStartNodes(); // Computes which basic blocks don't have incoming edges in the flow graph.
4031                                              // Returns this as a set.
4032
4033     BlockSet_ValRet_T fgDomTreeEntryNodes(BasicBlockList** domTree); // Computes which nodes in the dominance forest are
4034                                                                      // root nodes. Returns this as a set.
4035
4036 #ifdef DEBUG
4037     void fgDispDomTree(BasicBlockList** domTree); // Helper that prints out the Dominator Tree in debug builds.
4038 #endif                                            // DEBUG
4039
4040     void fgBuildDomTree(); // Once we compute all the immediate dominator sets for each node in the flow graph
4041                            // (performed by fgComputeDoms), this procedure builds the dominance tree represented
4042                            // adjacency lists.
4043
4044     // In order to speed up the queries of the form 'Does A dominates B', we can perform a DFS preorder and postorder
4045     // traversal of the dominance tree and the dominance query will become A dominates B iif preOrder(A) <= preOrder(B)
4046     // && postOrder(A) >= postOrder(B) making the computation O(1).
4047     void fgTraverseDomTree(unsigned bbNum, BasicBlockList** domTree, unsigned* preNum, unsigned* postNum);
4048
4049     // When the flow graph changes, we need to update the block numbers, predecessor lists, reachability sets, and
4050     // dominators.
4051     void fgUpdateChangedFlowGraph();
4052
4053 public:
4054     // Compute the predecessors of the blocks in the control flow graph.
4055     void fgComputePreds();
4056
4057     // Remove all predecessor information.
4058     void fgRemovePreds();
4059
4060     // Compute the cheap flow graph predecessors lists. This is used in some early phases
4061     // before the full predecessors lists are computed.
4062     void fgComputeCheapPreds();
4063
4064 private:
4065     void fgAddCheapPred(BasicBlock* block, BasicBlock* blockPred);
4066
4067     void fgRemoveCheapPred(BasicBlock* block, BasicBlock* blockPred);
4068
4069 public:
4070     enum GCPollType
4071     {
4072         GCPOLL_NONE,
4073         GCPOLL_CALL,
4074         GCPOLL_INLINE
4075     };
4076
4077     // Initialize the per-block variable sets (used for liveness analysis).
4078     void fgInitBlockVarSets();
4079
4080     // true if we've gone through and created GC Poll calls.
4081     bool fgGCPollsCreated;
4082     void fgMarkGCPollBlocks();
4083     void fgCreateGCPolls();
4084     bool fgCreateGCPoll(GCPollType pollType, BasicBlock* block);
4085
4086     // Requires that "block" is a block that returns from
4087     // a finally.  Returns the number of successors (jump targets of
4088     // of blocks in the covered "try" that did a "LEAVE".)
4089     unsigned fgNSuccsOfFinallyRet(BasicBlock* block);
4090
4091     // Requires that "block" is a block that returns (in the sense of BBJ_EHFINALLYRET) from
4092     // a finally.  Returns its "i"th successor (jump targets of
4093     // of blocks in the covered "try" that did a "LEAVE".)
4094     // Requires that "i" < fgNSuccsOfFinallyRet(block).
4095     BasicBlock* fgSuccOfFinallyRet(BasicBlock* block, unsigned i);
4096
4097 private:
4098     // Factor out common portions of the impls of the methods above.
4099     void fgSuccOfFinallyRetWork(BasicBlock* block, unsigned i, BasicBlock** bres, unsigned* nres);
4100
4101 public:
4102     // For many purposes, it is desirable to be able to enumerate the *distinct* targets of a switch statement,
4103     // skipping duplicate targets.  (E.g., in flow analyses that are only interested in the set of possible targets.)
4104     // SwitchUniqueSuccSet contains the non-duplicated switch targets.
4105     // (Code that modifies the jump table of a switch has an obligation to call Compiler::UpdateSwitchTableTarget,
4106     // which in turn will call the "UpdateTarget" method of this type if a SwitchUniqueSuccSet has already
4107     // been computed for the switch block.  If a switch block is deleted or is transformed into a non-switch,
4108     // we leave the entry associated with the block, but it will no longer be accessed.)
4109     struct SwitchUniqueSuccSet
4110     {
4111         unsigned     numDistinctSuccs; // Number of distinct targets of the switch.
4112         BasicBlock** nonDuplicates;    // Array of "numDistinctSuccs", containing all the distinct switch target
4113                                        // successors.
4114
4115         // The switch block "switchBlk" just had an entry with value "from" modified to the value "to".
4116         // Update "this" as necessary: if "from" is no longer an element of the jump table of "switchBlk",
4117         // remove it from "this", and ensure that "to" is a member.  Use "alloc" to do any required allocation.
4118         void UpdateTarget(IAllocator* alloc, BasicBlock* switchBlk, BasicBlock* from, BasicBlock* to);
4119     };
4120
4121     typedef SimplerHashTable<BasicBlock*, PtrKeyFuncs<BasicBlock>, SwitchUniqueSuccSet, JitSimplerHashBehavior>
4122         BlockToSwitchDescMap;
4123
4124 private:
4125     // Maps BasicBlock*'s that end in switch statements to SwitchUniqueSuccSets that allow
4126     // iteration over only the distinct successors.
4127     BlockToSwitchDescMap* m_switchDescMap;
4128
4129 public:
4130     BlockToSwitchDescMap* GetSwitchDescMap()
4131     {
4132         if (m_switchDescMap == nullptr)
4133         {
4134             m_switchDescMap = new (getAllocator()) BlockToSwitchDescMap(getAllocator());
4135         }
4136         return m_switchDescMap;
4137     }
4138
4139     // Invalidate the map of unique switch block successors. For example, since the hash key of the map
4140     // depends on block numbers, we must invalidate the map when the blocks are renumbered, to ensure that
4141     // we don't accidentally look up and return the wrong switch data.
4142     void InvalidateUniqueSwitchSuccMap()
4143     {
4144         m_switchDescMap = nullptr;
4145     }
4146
4147     // Requires "switchBlock" to be a block that ends in a switch.  Returns
4148     // the corresponding SwitchUniqueSuccSet.
4149     SwitchUniqueSuccSet GetDescriptorForSwitch(BasicBlock* switchBlk);
4150
4151     // The switch block "switchBlk" just had an entry with value "from" modified to the value "to".
4152     // Update "this" as necessary: if "from" is no longer an element of the jump table of "switchBlk",
4153     // remove it from "this", and ensure that "to" is a member.
4154     void UpdateSwitchTableTarget(BasicBlock* switchBlk, BasicBlock* from, BasicBlock* to);
4155
4156     // Remove the "SwitchUniqueSuccSet" of "switchBlk" in the BlockToSwitchDescMap.
4157     void fgInvalidateSwitchDescMapEntry(BasicBlock* switchBlk);
4158
4159     BasicBlock* fgFirstBlockOfHandler(BasicBlock* block);
4160
4161     flowList* fgGetPredForBlock(BasicBlock* block, BasicBlock* blockPred);
4162
4163     flowList* fgGetPredForBlock(BasicBlock* block, BasicBlock* blockPred, flowList*** ptrToPred);
4164
4165     flowList* fgSpliceOutPred(BasicBlock* block, BasicBlock* blockPred);
4166
4167     flowList* fgRemoveRefPred(BasicBlock* block, BasicBlock* blockPred);
4168
4169     flowList* fgRemoveAllRefPreds(BasicBlock* block, BasicBlock* blockPred);
4170
4171     flowList* fgRemoveAllRefPreds(BasicBlock* block, flowList** ptrToPred);
4172
4173     void fgRemoveBlockAsPred(BasicBlock* block);
4174
4175     void fgChangeSwitchBlock(BasicBlock* oldSwitchBlock, BasicBlock* newSwitchBlock);
4176
4177     void fgReplaceSwitchJumpTarget(BasicBlock* blockSwitch, BasicBlock* newTarget, BasicBlock* oldTarget);
4178
4179     void fgReplaceJumpTarget(BasicBlock* block, BasicBlock* newTarget, BasicBlock* oldTarget);
4180
4181     void fgReplacePred(BasicBlock* block, BasicBlock* oldPred, BasicBlock* newPred);
4182
4183     flowList* fgAddRefPred(BasicBlock* block,
4184                            BasicBlock* blockPred,
4185                            flowList*   oldEdge           = nullptr,
4186                            bool        initializingPreds = false); // Only set to 'true' when we are computing preds in
4187                                                                    // fgComputePreds()
4188
4189     void fgFindBasicBlocks();
4190
4191     bool fgIsBetterFallThrough(BasicBlock* bCur, BasicBlock* bAlt);
4192
4193     bool fgCheckEHCanInsertAfterBlock(BasicBlock* blk, unsigned regionIndex, bool putInTryRegion);
4194
4195     BasicBlock* fgFindInsertPoint(unsigned    regionIndex,
4196                                   bool        putInTryRegion,
4197                                   BasicBlock* startBlk,
4198                                   BasicBlock* endBlk,
4199                                   BasicBlock* nearBlk,
4200                                   BasicBlock* jumpBlk,
4201                                   bool        runRarely);
4202
4203     unsigned fgGetNestingLevel(BasicBlock* block, unsigned* pFinallyNesting = nullptr);
4204
4205     void fgRemoveEmptyBlocks();
4206
4207     void fgRemoveStmt(BasicBlock* block, GenTreePtr stmt, bool updateRefCnt = true);
4208
4209     bool fgCheckRemoveStmt(BasicBlock* block, GenTreePtr stmt);
4210
4211     void fgCreateLoopPreHeader(unsigned lnum);
4212
4213     void fgUnreachableBlock(BasicBlock* block);
4214
4215     void fgRemoveConditionalJump(BasicBlock* block);
4216
4217     BasicBlock* fgLastBBInMainFunction();
4218
4219     BasicBlock* fgEndBBAfterMainFunction();
4220
4221     void fgUnlinkRange(BasicBlock* bBeg, BasicBlock* bEnd);
4222
4223     void fgRemoveBlock(BasicBlock* block, bool unreachable);
4224
4225     bool fgCanCompactBlocks(BasicBlock* block, BasicBlock* bNext);
4226
4227     void fgCompactBlocks(BasicBlock* block, BasicBlock* bNext);
4228
4229     void fgUpdateLoopsAfterCompacting(BasicBlock* block, BasicBlock* bNext);
4230
4231     BasicBlock* fgConnectFallThrough(BasicBlock* bSrc, BasicBlock* bDst);
4232
4233     bool fgRenumberBlocks();
4234
4235     bool fgExpandRarelyRunBlocks();
4236
4237     bool fgEhAllowsMoveBlock(BasicBlock* bBefore, BasicBlock* bAfter);
4238
4239     void fgMoveBlocksAfter(BasicBlock* bStart, BasicBlock* bEnd, BasicBlock* insertAfterBlk);
4240
4241     enum FG_RELOCATE_TYPE
4242     {
4243         FG_RELOCATE_TRY,    // relocate the 'try' region
4244         FG_RELOCATE_HANDLER // relocate the handler region (including the filter if necessary)
4245     };
4246     BasicBlock* fgRelocateEHRange(unsigned regionIndex, FG_RELOCATE_TYPE relocateType);
4247
4248 #if FEATURE_EH_FUNCLETS
4249 #if defined(_TARGET_ARM_)
4250     void fgClearFinallyTargetBit(BasicBlock* block);
4251 #endif // defined(_TARGET_ARM_)
4252     bool fgIsIntraHandlerPred(BasicBlock* predBlock, BasicBlock* block);
4253     bool fgAnyIntraHandlerPreds(BasicBlock* block);
4254     void fgInsertFuncletPrologBlock(BasicBlock* block);
4255     void fgCreateFuncletPrologBlocks();
4256     void fgCreateFunclets();
4257 #else  // !FEATURE_EH_FUNCLETS
4258     bool fgRelocateEHRegions();
4259 #endif // !FEATURE_EH_FUNCLETS
4260
4261     bool fgOptimizeUncondBranchToSimpleCond(BasicBlock* block, BasicBlock* target);
4262
4263     bool fgBlockEndFavorsTailDuplication(BasicBlock* block);
4264
4265     bool fgBlockIsGoodTailDuplicationCandidate(BasicBlock* block);
4266
4267     bool fgOptimizeFallthroughTailDup(BasicBlock* block, BasicBlock* target);
4268
4269     bool fgOptimizeEmptyBlock(BasicBlock* block);
4270
4271     bool fgOptimizeBranchToEmptyUnconditional(BasicBlock* block, BasicBlock* bDest);
4272
4273     bool fgOptimizeBranch(BasicBlock* bJump);
4274
4275     bool fgOptimizeSwitchBranches(BasicBlock* block);
4276
4277     bool fgOptimizeBranchToNext(BasicBlock* block, BasicBlock* bNext, BasicBlock* bPrev);
4278
4279     bool fgOptimizeSwitchJumps();
4280 #ifdef DEBUG
4281     void fgPrintEdgeWeights();
4282 #endif
4283     void fgComputeEdgeWeights();
4284
4285     void fgReorderBlocks();
4286
4287     void fgDetermineFirstColdBlock();
4288
4289     bool fgIsForwardBranch(BasicBlock* bJump, BasicBlock* bSrc = nullptr);
4290
4291     bool fgUpdateFlowGraph(bool doTailDup = false);
4292
4293     void fgFindOperOrder();
4294
4295     // method that returns if you should split here
4296     typedef bool(fgSplitPredicate)(GenTree* tree, GenTree* parent, fgWalkData* data);
4297
4298     void fgSetBlockOrder();
4299
4300     void fgRemoveReturnBlock(BasicBlock* block);
4301
4302     /* Helper code that has been factored out */
4303     inline void fgConvertBBToThrowBB(BasicBlock* block);
4304
4305     bool fgCastNeeded(GenTreePtr tree, var_types toType);
4306     GenTreePtr fgDoNormalizeOnStore(GenTreePtr tree);
4307     GenTreePtr fgMakeTmpArgNode(
4308         unsigned tmpVarNum FEATURE_UNIX_AMD64_STRUCT_PASSING_ONLY_ARG(const bool passedInRegisters));
4309
4310     // The following check for loops that don't execute calls
4311     bool fgLoopCallMarked;
4312
4313     void fgLoopCallTest(BasicBlock* srcBB, BasicBlock* dstBB);
4314     void fgLoopCallMark();
4315
4316     void fgMarkLoopHead(BasicBlock* block);
4317
4318     unsigned fgGetCodeEstimate(BasicBlock* block);
4319
4320 #if DUMP_FLOWGRAPHS
4321     const char* fgProcessEscapes(const char* nameIn, escapeMapping_t* map);
4322     FILE* fgOpenFlowGraphFile(bool* wbDontClose, Phases phase, LPCWSTR type);
4323     bool fgDumpFlowGraph(Phases phase);
4324
4325 #endif // DUMP_FLOWGRAPHS
4326
4327 #ifdef DEBUG
4328     void fgDispDoms();
4329     void fgDispReach();
4330     void fgDispBBLiveness(BasicBlock* block);
4331     void fgDispBBLiveness();
4332     void fgTableDispBasicBlock(BasicBlock* block, int ibcColWidth = 0);
4333     void fgDispBasicBlocks(BasicBlock* firstBlock, BasicBlock* lastBlock, bool dumpTrees);
4334     void fgDispBasicBlocks(bool dumpTrees = false);
4335     void fgDumpStmtTree(GenTreePtr stmt, unsigned blkNum);
4336     void fgDumpBlock(BasicBlock* block);
4337     void fgDumpTrees(BasicBlock* firstBlock, BasicBlock* lastBlock);
4338
4339     static fgWalkPreFn fgStress64RsltMulCB;
4340     void               fgStress64RsltMul();
4341     void               fgDebugCheckUpdate();
4342     void fgDebugCheckBBlist(bool checkBBNum = false, bool checkBBRefs = true);
4343     void fgDebugCheckBlockLinks();
4344     void fgDebugCheckLinks(bool morphTrees = false);
4345     void fgDebugCheckNodeLinks(BasicBlock* block, GenTreePtr stmt);
4346     void fgDebugCheckFlags(GenTreePtr tree);
4347     void fgDebugCheckFlagsHelper(GenTreePtr tree, unsigned treeFlags, unsigned chkFlags);
4348     void fgDebugCheckTryFinallyExits();
4349 #endif
4350
4351 #ifdef LEGACY_BACKEND
4352     static void fgOrderBlockOps(GenTreePtr  tree,
4353                                 regMaskTP   reg0,
4354                                 regMaskTP   reg1,
4355                                 regMaskTP   reg2,
4356                                 GenTreePtr* opsPtr,   // OUT
4357                                 regMaskTP*  regsPtr); // OUT
4358 #endif                                                // LEGACY_BACKEND
4359
4360     static GenTreePtr fgGetFirstNode(GenTreePtr tree);
4361     static bool fgTreeIsInStmt(GenTree* tree, GenTreeStmt* stmt);
4362
4363     inline bool fgIsInlining()
4364     {
4365         return fgExpandInline;
4366     }
4367
4368     void fgTraverseRPO();
4369
4370     //--------------------- Walking the trees in the IR -----------------------
4371
4372     struct fgWalkData
4373     {
4374         Compiler*     compiler;
4375         fgWalkPreFn*  wtprVisitorFn;
4376         fgWalkPostFn* wtpoVisitorFn;
4377         void*         pCallbackData; // user-provided data
4378         bool          wtprLclsOnly;  // whether to only visit lclvar nodes
4379         GenTreePtr    parent;        // parent of current node, provided to callback
4380         GenTreeStack* parentStack;   // stack of parent nodes, if asked for
4381 #ifdef DEBUG
4382         bool printModified; // callback can use this
4383 #endif
4384     };
4385
4386     template <bool      computeStack>
4387     static fgWalkResult fgWalkTreePreRec(GenTreePtr* pTree, fgWalkData* fgWalkPre);
4388
4389     // general purpose tree-walker that is capable of doing pre- and post- order
4390     // callbacks at the same time
4391     template <bool doPreOrder, bool doPostOrder>
4392     static fgWalkResult fgWalkTreeRec(GenTreePtr* pTree, fgWalkData* fgWalkPre);
4393
4394     fgWalkResult fgWalkTreePre(GenTreePtr*  pTree,
4395                                fgWalkPreFn* visitor,
4396                                void*        pCallBackData = nullptr,
4397                                bool         lclVarsOnly   = false,
4398                                bool         computeStack  = false);
4399
4400     fgWalkResult fgWalkTree(GenTreePtr*   pTree,
4401                             fgWalkPreFn*  preVisitor,
4402                             fgWalkPostFn* postVisitor,
4403                             void*         pCallBackData = nullptr);
4404
4405     void fgWalkAllTreesPre(fgWalkPreFn* visitor, void* pCallBackData);
4406
4407     //----- Postorder
4408
4409     template <bool      computeStack>
4410     static fgWalkResult fgWalkTreePostRec(GenTreePtr* pTree, fgWalkData* fgWalkPre);
4411
4412     fgWalkResult fgWalkTreePost(GenTreePtr*   pTree,
4413                                 fgWalkPostFn* visitor,
4414                                 void*         pCallBackData = nullptr,
4415                                 bool          computeStack  = false);
4416
4417     // An fgWalkPreFn that looks for expressions that have inline throws in
4418     // minopts mode. Basically it looks for tress with gtOverflowEx() or
4419     // GTF_IND_RNGCHK.  It returns WALK_ABORT if one is found.  It
4420     // returns WALK_SKIP_SUBTREES if GTF_EXCEPT is not set (assumes flags
4421     // properly propagated to parent trees).  It returns WALK_CONTINUE
4422     // otherwise.
4423     static fgWalkResult fgChkThrowCB(GenTreePtr* pTree, Compiler::fgWalkData* data);
4424     static fgWalkResult fgChkLocAllocCB(GenTreePtr* pTree, Compiler::fgWalkData* data);
4425     static fgWalkResult fgChkQmarkCB(GenTreePtr* pTree, Compiler::fgWalkData* data);
4426
4427     /**************************************************************************
4428      *                          PROTECTED
4429      *************************************************************************/
4430
4431 protected:
4432     friend class SsaBuilder;
4433     friend struct ValueNumberState;
4434
4435     //--------------------- Detect the basic blocks ---------------------------
4436
4437     BasicBlock** fgBBs; // Table of pointers to the BBs
4438
4439     void        fgInitBBLookup();
4440     BasicBlock* fgLookupBB(unsigned addr);
4441
4442     void fgMarkJumpTarget(BYTE* jumpTarget, IL_OFFSET offs);
4443
4444     void fgFindJumpTargets(const BYTE* codeAddr, IL_OFFSET codeSize, BYTE* jumpTarget);
4445
4446     void fgMarkBackwardJump(BasicBlock* startBlock, BasicBlock* endBlock);
4447
4448     void fgLinkBasicBlocks();
4449
4450     unsigned fgMakeBasicBlocks(const BYTE* codeAddr, IL_OFFSET codeSize, BYTE* jumpTarget);
4451
4452     void fgCheckBasicBlockControlFlow();
4453
4454     void fgControlFlowPermitted(BasicBlock* blkSrc,
4455                                 BasicBlock* blkDest,
4456                                 BOOL        IsLeave = false /* is the src a leave block */);
4457
4458     bool fgFlowToFirstBlockOfInnerTry(BasicBlock* blkSrc, BasicBlock* blkDest, bool sibling);
4459
4460     void fgObserveInlineConstants(OPCODE opcode, const FgStack& stack, bool isInlining);
4461
4462     void fgAdjustForAddressExposedOrWrittenThis();
4463
4464     bool                        fgProfileData_ILSizeMismatch;
4465     ICorJitInfo::ProfileBuffer* fgProfileBuffer;
4466     ULONG                       fgProfileBufferCount;
4467     ULONG                       fgNumProfileRuns;
4468
4469     unsigned fgStressBBProf()
4470     {
4471 #ifdef DEBUG
4472         unsigned result = JitConfig.JitStressBBProf();
4473         if (result == 0)
4474         {
4475             if (compStressCompile(STRESS_BB_PROFILE, 15))
4476             {
4477                 result = 1;
4478             }
4479         }
4480         return result;
4481 #else
4482         return 0;
4483 #endif
4484     }
4485
4486     bool fgHaveProfileData();
4487     bool fgGetProfileWeightForBasicBlock(IL_OFFSET offset, unsigned* weight);
4488
4489     bool fgIsUsingProfileWeights()
4490     {
4491         return (fgHaveProfileData() || fgStressBBProf());
4492     }
4493     void fgInstrumentMethod();
4494
4495 //-------- Insert a statement at the start or end of a basic block --------
4496
4497 #ifdef DEBUG
4498 public:
4499     static bool fgBlockContainsStatementBounded(BasicBlock* block, GenTree* stmt, bool answerOnBoundExceeded = true);
4500 #endif
4501
4502 public:
4503     GenTreeStmt* fgInsertStmtAtEnd(BasicBlock* block, GenTreePtr node);
4504
4505 public: // Used by linear scan register allocation
4506     GenTreeStmt* fgInsertStmtNearEnd(BasicBlock* block, GenTreePtr node);
4507
4508 private:
4509     GenTreePtr fgInsertStmtAtBeg(BasicBlock* block, GenTreePtr stmt);
4510     GenTreePtr fgInsertStmtAfter(BasicBlock* block, GenTreePtr insertionPoint, GenTreePtr stmt);
4511
4512 public: // Used by linear scan register allocation
4513     GenTreePtr fgInsertStmtBefore(BasicBlock* block, GenTreePtr insertionPoint, GenTreePtr stmt);
4514
4515 private:
4516     GenTreePtr fgInsertStmtListAfter(BasicBlock* block, GenTreePtr stmtAfter, GenTreePtr stmtList);
4517
4518     GenTreePtr fgMorphSplitTree(GenTree** splitPoint, GenTree* stmt, BasicBlock* blk);
4519
4520     //                  Create a new temporary variable to hold the result of *ppTree,
4521     //                  and transform the graph accordingly.
4522     GenTree* fgInsertCommaFormTemp(GenTree** ppTree, CORINFO_CLASS_HANDLE structType = nullptr);
4523     GenTree* fgMakeMultiUse(GenTree** ppTree);
4524
4525 private:
4526     //                  Recognize a bitwise rotation pattern and convert into a GT_ROL or a GT_ROR node.
4527     GenTreePtr fgRecognizeAndMorphBitwiseRotation(GenTreePtr tree);
4528     bool fgOperIsBitwiseRotationRoot(genTreeOps oper);
4529
4530     //-------- Determine the order in which the trees will be evaluated -------
4531
4532     unsigned fgTreeSeqNum;
4533     GenTree* fgTreeSeqLst;
4534     GenTree* fgTreeSeqBeg;
4535
4536     GenTree* fgSetTreeSeq(GenTree* tree, GenTree* prev = nullptr, bool isLIR = false);
4537     void fgSetTreeSeqHelper(GenTree* tree, bool isLIR);
4538     void fgSetTreeSeqFinish(GenTreePtr tree, bool isLIR);
4539     void fgSetStmtSeq(GenTree* tree);
4540     void fgSetBlockOrder(BasicBlock* block);
4541
4542     //------------------------- Morphing --------------------------------------
4543
4544     unsigned fgPtrArgCntCur;
4545     unsigned fgPtrArgCntMax;
4546     hashBv*  fgOutgoingArgTemps;
4547     hashBv*  fgCurrentlyInUseArgTemps;
4548
4549     bool compCanEncodePtrArgCntMax();
4550
4551     void fgSetRngChkTarget(GenTreePtr tree, bool delay = true);
4552
4553 #if REARRANGE_ADDS
4554     void fgMoveOpsLeft(GenTreePtr tree);
4555 #endif
4556
4557     bool fgIsCommaThrow(GenTreePtr tree, bool forFolding = false);
4558
4559     bool fgIsThrow(GenTreePtr tree);
4560
4561     bool fgInDifferentRegions(BasicBlock* blk1, BasicBlock* blk2);
4562     bool fgIsBlockCold(BasicBlock* block);
4563
4564     GenTreePtr fgMorphCastIntoHelper(GenTreePtr tree, int helper, GenTreePtr oper);
4565
4566     GenTreePtr fgMorphIntoHelperCall(GenTreePtr tree, int helper, GenTreeArgList* args);
4567
4568     GenTreePtr fgMorphStackArgForVarArgs(unsigned lclNum, var_types varType, unsigned lclOffs);
4569
4570     bool fgMorphRelopToQmark(GenTreePtr tree);
4571
4572     // A "MorphAddrContext" carries information from the surrounding context.  If we are evaluating a byref address,
4573     // it is useful to know whether the address will be immediately dereferenced, or whether the address value will
4574     // be used, perhaps by passing it as an argument to a called method.  This affects how null checking is done:
4575     // for sufficiently small offsets, we can rely on OS page protection to implicitly null-check addresses that we
4576     // know will be dereferenced.  To know that reliance on implicit null checking is sound, we must further know that
4577     // all offsets between the top-level indirection and the bottom are constant, and that their sum is sufficiently
4578     // small; hence the other fields of MorphAddrContext.
4579     enum MorphAddrContextKind
4580     {
4581         MACK_Ind,
4582         MACK_Addr,
4583     };
4584     struct MorphAddrContext
4585     {
4586         MorphAddrContextKind m_kind;
4587         bool                 m_allConstantOffsets; // Valid only for "m_kind == MACK_Ind".  True iff all offsets between
4588                                                    // top-level indirection and here have been constants.
4589         size_t m_totalOffset; // Valid only for "m_kind == MACK_Ind", and if "m_allConstantOffsets" is true.
4590                               // In that case, is the sum of those constant offsets.
4591
4592         MorphAddrContext(MorphAddrContextKind kind) : m_kind(kind), m_allConstantOffsets(true), m_totalOffset(0)
4593         {
4594         }
4595     };
4596
4597     // A MACK_CopyBlock context is immutable, so we can just make one of these and share it.
4598     static MorphAddrContext s_CopyBlockMAC;
4599
4600 #ifdef FEATURE_SIMD
4601     GenTreePtr getSIMDStructFromField(GenTreePtr tree,
4602                                       var_types* baseTypeOut,
4603                                       unsigned*  indexOut,
4604                                       unsigned*  simdSizeOut,
4605                                       bool       ignoreUsedInSIMDIntrinsic = false);
4606     GenTreePtr fgMorphFieldAssignToSIMDIntrinsicSet(GenTreePtr tree);
4607     GenTreePtr fgMorphFieldToSIMDIntrinsicGet(GenTreePtr tree);
4608     bool fgMorphCombineSIMDFieldAssignments(BasicBlock* block, GenTreePtr stmt);
4609     void impMarkContiguousSIMDFieldAssignments(GenTreePtr stmt);
4610
4611     // fgPreviousCandidateSIMDFieldAsgStmt is only used for tracking previous simd field assignment
4612     // in function: Complier::impMarkContiguousSIMDFieldAssignments.
4613     GenTreePtr fgPreviousCandidateSIMDFieldAsgStmt;
4614
4615 #endif // FEATURE_SIMD
4616     GenTreePtr fgMorphArrayIndex(GenTreePtr tree);
4617     GenTreePtr fgMorphCast(GenTreePtr tree);
4618     GenTreePtr fgUnwrapProxy(GenTreePtr objRef);
4619     GenTreeCall* fgMorphArgs(GenTreeCall* call);
4620
4621     void fgMakeOutgoingStructArgCopy(GenTreeCall*         call,
4622                                      GenTree*             args,
4623                                      unsigned             argIndex,
4624                                      CORINFO_CLASS_HANDLE copyBlkClass FEATURE_UNIX_AMD64_STRUCT_PASSING_ONLY_ARG(
4625                                          const SYSTEMV_AMD64_CORINFO_STRUCT_REG_PASSING_DESCRIPTOR* structDescPtr));
4626
4627     void fgFixupStructReturn(GenTreePtr call);
4628     GenTreePtr fgMorphLocalVar(GenTreePtr tree);
4629     bool fgAddrCouldBeNull(GenTreePtr addr);
4630     GenTreePtr fgMorphField(GenTreePtr tree, MorphAddrContext* mac);
4631     bool fgCanFastTailCall(GenTreeCall* call);
4632     void fgMorphTailCall(GenTreeCall* call);
4633     void fgMorphRecursiveFastTailCallIntoLoop(BasicBlock* block, GenTreeCall* recursiveTailCall);
4634     GenTreePtr fgAssignRecursiveCallArgToCallerParam(GenTreePtr       arg,
4635                                                      fgArgTabEntryPtr argTabEntry,
4636                                                      BasicBlock*      block,
4637                                                      IL_OFFSETX       callILOffset,
4638                                                      GenTreePtr       tmpAssignmentInsertionPoint,
4639                                                      GenTreePtr       paramAssignmentInsertionPoint);
4640     static int fgEstimateCallStackSize(GenTreeCall* call);
4641     GenTreePtr fgMorphCall(GenTreeCall* call);
4642     void fgMorphCallInline(GenTreeCall* call, InlineResult* result);
4643     void fgMorphCallInlineHelper(GenTreeCall* call, InlineResult* result);
4644 #if DEBUG
4645     void fgNoteNonInlineCandidate(GenTreeStmt* stmt, GenTreeCall* call);
4646     static fgWalkPreFn fgFindNonInlineCandidate;
4647 #endif
4648     GenTreePtr fgOptimizeDelegateConstructor(GenTreePtr call, CORINFO_CONTEXT_HANDLE* ExactContextHnd);
4649     GenTreePtr fgMorphLeaf(GenTreePtr tree);
4650     void fgAssignSetVarDef(GenTreePtr tree);
4651     GenTreePtr fgMorphOneAsgBlockOp(GenTreePtr tree);
4652     GenTreePtr fgMorphInitBlock(GenTreePtr tree);
4653     GenTreePtr fgMorphBlkToInd(GenTreeBlk* tree, var_types type);
4654     GenTreePtr fgMorphGetStructAddr(GenTreePtr* pTree, CORINFO_CLASS_HANDLE clsHnd, bool isRValue = false);
4655     GenTreePtr fgMorphBlkNode(GenTreePtr tree, bool isDest);
4656     GenTreePtr fgMorphBlockOperand(GenTreePtr tree, var_types asgType, unsigned blockWidth, bool isDest);
4657     void fgMorphUnsafeBlk(GenTreeObj* obj);
4658     GenTreePtr fgMorphCopyBlock(GenTreePtr tree);
4659     GenTreePtr fgMorphForRegisterFP(GenTreePtr tree);
4660     GenTreePtr fgMorphSmpOp(GenTreePtr tree, MorphAddrContext* mac = nullptr);
4661     GenTreePtr fgMorphSmpOpPre(GenTreePtr tree);
4662     GenTreePtr fgMorphModToSubMulDiv(GenTreeOp* tree);
4663     GenTreePtr fgMorphSmpOpOptional(GenTreeOp* tree);
4664     GenTreePtr fgMorphRecognizeBoxNullable(GenTree* compare);
4665
4666     GenTreePtr fgMorphToEmulatedFP(GenTreePtr tree);
4667     GenTreePtr fgMorphConst(GenTreePtr tree);
4668
4669 public:
4670     GenTreePtr fgMorphTree(GenTreePtr tree, MorphAddrContext* mac = nullptr);
4671
4672 private:
4673 #if LOCAL_ASSERTION_PROP
4674     void fgKillDependentAssertionsSingle(unsigned lclNum DEBUGARG(GenTreePtr tree));
4675     void fgKillDependentAssertions(unsigned lclNum DEBUGARG(GenTreePtr tree));
4676 #endif
4677     void fgMorphTreeDone(GenTreePtr tree, GenTreePtr oldTree = nullptr DEBUGARG(int morphNum = 0));
4678
4679     GenTreeStmt* fgMorphStmt;
4680
4681     unsigned fgGetBigOffsetMorphingTemp(var_types type); // We cache one temp per type to be
4682                                                          // used when morphing big offset.
4683
4684     //----------------------- Liveness analysis -------------------------------
4685
4686     VARSET_TP fgCurUseSet; // vars used     by block (before an assignment)
4687     VARSET_TP fgCurDefSet; // vars assigned by block (before a use)
4688
4689     MemoryKindSet fgCurMemoryUse;   // True iff the current basic block uses memory.
4690     MemoryKindSet fgCurMemoryDef;   // True iff the current basic block modifies memory.
4691     MemoryKindSet fgCurMemoryHavoc; // True if  the current basic block is known to set memory to a "havoc" value.
4692
4693     bool byrefStatesMatchGcHeapStates; // True iff GcHeap and ByrefExposed memory have all the same def points.
4694
4695     void fgMarkUseDef(GenTreeLclVarCommon* tree);
4696
4697     void fgBeginScopeLife(VARSET_TP* inScope, VarScopeDsc* var);
4698     void fgEndScopeLife(VARSET_TP* inScope, VarScopeDsc* var);
4699
4700     void fgMarkInScope(BasicBlock* block, VARSET_VALARG_TP inScope);
4701     void fgUnmarkInScope(BasicBlock* block, VARSET_VALARG_TP unmarkScope);
4702
4703     void fgExtendDbgScopes();
4704     void fgExtendDbgLifetimes();
4705
4706 #ifdef DEBUG
4707     void fgDispDebugScopes();
4708 #endif // DEBUG
4709
4710     //-------------------------------------------------------------------------
4711     //
4712     //  The following keeps track of any code we've added for things like array
4713     //  range checking or explicit calls to enable GC, and so on.
4714     //
4715 public:
4716     struct AddCodeDsc
4717     {
4718         AddCodeDsc*     acdNext;
4719         BasicBlock*     acdDstBlk; // block  to  which we jump
4720         unsigned        acdData;
4721         SpecialCodeKind acdKind; // what kind of a special block is this?
4722         unsigned short  acdStkLvl;
4723     };
4724
4725 private:
4726     static unsigned acdHelper(SpecialCodeKind codeKind);
4727
4728     AddCodeDsc* fgAddCodeList;
4729     bool        fgAddCodeModf;
4730     bool        fgRngChkThrowAdded;
4731     AddCodeDsc* fgExcptnTargetCache[SCK_COUNT];
4732
4733     BasicBlock* fgRngChkTarget(BasicBlock* block, unsigned stkDepth, SpecialCodeKind kind);
4734
4735     BasicBlock* fgAddCodeRef(BasicBlock* srcBlk, unsigned refData, SpecialCodeKind kind, unsigned stkDepth = 0);
4736
4737 public:
4738     AddCodeDsc* fgFindExcptnTarget(SpecialCodeKind kind, unsigned refData);
4739
4740 private:
4741     bool fgIsCodeAdded();
4742
4743     bool fgIsThrowHlpBlk(BasicBlock* block);
4744     unsigned fgThrowHlpBlkStkLevel(BasicBlock* block);
4745
4746     unsigned fgBigOffsetMorphingTemps[TYP_COUNT];
4747
4748     unsigned fgCheckInlineDepthAndRecursion(InlineInfo* inlineInfo);
4749     void fgInvokeInlineeCompiler(GenTreeCall* call, InlineResult* result);
4750     void fgInsertInlineeBlocks(InlineInfo* pInlineInfo);
4751     GenTreePtr fgInlinePrependStatements(InlineInfo* inlineInfo);
4752     void fgInlineAppendStatements(InlineInfo* inlineInfo, BasicBlock* block, GenTreePtr stmt);
4753
4754 #if FEATURE_MULTIREG_RET
4755     GenTreePtr fgGetStructAsStructPtr(GenTreePtr tree);
4756     GenTreePtr fgAssignStructInlineeToVar(GenTreePtr child, CORINFO_CLASS_HANDLE retClsHnd);
4757     void fgAttachStructInlineeToAsg(GenTreePtr tree, GenTreePtr child, CORINFO_CLASS_HANDLE retClsHnd);
4758 #endif // FEATURE_MULTIREG_RET
4759
4760     static fgWalkPreFn fgUpdateInlineReturnExpressionPlaceHolder;
4761
4762 #ifdef DEBUG
4763     static fgWalkPreFn fgDebugCheckInlineCandidates;
4764 #endif
4765
4766     void         fgPromoteStructs();
4767     fgWalkResult fgMorphStructField(GenTreePtr tree, fgWalkData* fgWalkPre);
4768     fgWalkResult fgMorphLocalField(GenTreePtr tree, fgWalkData* fgWalkPre);
4769     void fgMarkImplicitByRefArgs();
4770     bool fgMorphImplicitByRefArgs(GenTree** pTree, fgWalkData* fgWalkPre);
4771     static fgWalkPreFn  fgMarkAddrTakenLocalsPreCB;
4772     static fgWalkPostFn fgMarkAddrTakenLocalsPostCB;
4773     void                fgMarkAddressExposedLocals();
4774     bool fgNodesMayInterfere(GenTree* store, GenTree* load);
4775
4776     // Returns true if the type of tree is of size at least "width", or if "tree" is not a
4777     // local variable.
4778     bool fgFitsInOrNotLoc(GenTreePtr tree, unsigned width);
4779
4780     // The given local variable, required to be a struct variable, is being assigned via
4781     // a "lclField", to make it masquerade as an integral type in the ABI.  Make sure that
4782     // the variable is not enregistered, and is therefore not promoted independently.
4783     void fgLclFldAssign(unsigned lclNum);
4784
4785     static fgWalkPreFn gtHasLocalsWithAddrOpCB;
4786     bool gtCanOptimizeTypeEquality(GenTreePtr tree);
4787     bool gtIsTypeHandleToRuntimeTypeHelper(GenTreePtr tree);
4788     bool gtIsActiveCSE_Candidate(GenTreePtr tree);
4789
4790 #ifdef DEBUG
4791     bool fgPrintInlinedMethods;
4792 #endif
4793
4794     bool fgIsBigOffset(size_t offset);
4795
4796     // The following are used when morphing special cases of integer div/mod operations and also by codegen
4797     bool fgIsSignedDivOptimizable(GenTreePtr divisor);
4798     bool fgIsUnsignedDivOptimizable(GenTreePtr divisor);
4799     bool fgIsSignedModOptimizable(GenTreePtr divisor);
4800     bool fgIsUnsignedModOptimizable(GenTreePtr divisor);
4801
4802     /*
4803     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
4804     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
4805     XX                                                                           XX
4806     XX                           Optimizer                                       XX
4807     XX                                                                           XX
4808     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
4809     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
4810     */
4811
4812 public:
4813     void optInit();
4814
4815 protected:
4816     LclVarDsc* optIsTrackedLocal(GenTreePtr tree);
4817
4818 public:
4819     void optRemoveRangeCheck(
4820         GenTreePtr tree, GenTreePtr stmt, bool updateCSEcounts, unsigned sideEffFlags = 0, bool forceRemove = false);
4821     bool optIsRangeCheckRemovable(GenTreePtr tree);
4822
4823 protected:
4824     static fgWalkPreFn optValidRangeCheckIndex;
4825     static fgWalkPreFn optRemoveTreeVisitor; // Helper passed to Compiler::fgWalkAllTreesPre() to decrement the LclVar
4826                                              // usage counts
4827
4828     void optRemoveTree(GenTreePtr deadTree, GenTreePtr keepList);
4829
4830     /**************************************************************************
4831      *
4832      *************************************************************************/
4833
4834 protected:
4835     // Do hoisting for all loops.
4836     void optHoistLoopCode();
4837
4838     // To represent sets of VN's that have already been hoisted in outer loops.
4839     typedef SimplerHashTable<ValueNum, SmallPrimitiveKeyFuncs<ValueNum>, bool, JitSimplerHashBehavior> VNToBoolMap;
4840     typedef VNToBoolMap VNSet;
4841
4842     struct LoopHoistContext
4843     {
4844     private:
4845         // The set of variables hoisted in the current loop (or nullptr if there are none).
4846         VNSet* m_pHoistedInCurLoop;
4847
4848     public:
4849         // Value numbers of expressions that have been hoisted in parent loops in the loop nest.
4850         VNSet m_hoistedInParentLoops;
4851         // Value numbers of expressions that have been hoisted in the current (or most recent) loop in the nest.
4852         // Previous decisions on loop-invariance of value numbers in the current loop.
4853         VNToBoolMap m_curLoopVnInvariantCache;
4854
4855         VNSet* GetHoistedInCurLoop(Compiler* comp)
4856         {
4857             if (m_pHoistedInCurLoop == nullptr)
4858             {
4859                 m_pHoistedInCurLoop = new (comp->getAllocatorLoopHoist()) VNSet(comp->getAllocatorLoopHoist());
4860             }
4861             return m_pHoistedInCurLoop;
4862         }
4863
4864         VNSet* ExtractHoistedInCurLoop()
4865         {
4866             VNSet* res          = m_pHoistedInCurLoop;
4867             m_pHoistedInCurLoop = nullptr;
4868             return res;
4869         }
4870
4871         LoopHoistContext(Compiler* comp)
4872             : m_pHoistedInCurLoop(nullptr)
4873             , m_hoistedInParentLoops(comp->getAllocatorLoopHoist())
4874             , m_curLoopVnInvariantCache(comp->getAllocatorLoopHoist())
4875         {
4876         }
4877     };
4878
4879     // Do hoisting for loop "lnum" (an index into the optLoopTable), and all loops nested within it.
4880     // Tracks the expressions that have been hoisted by containing loops by temporary recording their
4881     // value numbers in "m_hoistedInParentLoops".  This set is not modified by the call.
4882     void optHoistLoopNest(unsigned lnum, LoopHoistContext* hoistCtxt);
4883
4884     // Do hoisting for a particular loop ("lnum" is an index into the optLoopTable.)
4885     // Assumes that expressions have been hoisted in containing loops if their value numbers are in
4886     // "m_hoistedInParentLoops".
4887     //
4888     void optHoistThisLoop(unsigned lnum, LoopHoistContext* hoistCtxt);
4889
4890     // Hoist all expressions in "blk" that are invariant in loop "lnum" (an index into the optLoopTable)
4891     // outside of that loop.  Exempt expressions whose value number is in "m_hoistedInParentLoops"; add VN's of hoisted
4892     // expressions to "hoistInLoop".
4893     void optHoistLoopExprsForBlock(BasicBlock* blk, unsigned lnum, LoopHoistContext* hoistCtxt);
4894
4895     // Return true if the tree looks profitable to hoist out of loop 'lnum'.
4896     bool optIsProfitableToHoistableTree(GenTreePtr tree, unsigned lnum);
4897
4898     // Hoist all proper sub-expressions of "tree" (which occurs in "stmt", which occurs in "blk")
4899     // that are invariant in loop "lnum" (an index into the optLoopTable)
4900     // outside of that loop.  Exempt expressions whose value number is in "hoistedInParents"; add VN's of hoisted
4901     // expressions to "hoistInLoop".
4902     // Returns "true" iff "tree" is loop-invariant (wrt "lnum").
4903     // Assumes that the value of "*firstBlockAndBeforeSideEffect" indicates that we're in the first block, and before
4904     // any possible globally visible side effects.  Assume is called in evaluation order, and updates this.
4905     bool optHoistLoopExprsForTree(GenTreePtr        tree,
4906                                   unsigned          lnum,
4907                                   LoopHoistContext* hoistCtxt,
4908                                   bool*             firstBlockAndBeforeSideEffect,
4909                                   bool*             pHoistable);
4910
4911     // Performs the hoisting 'tree' into the PreHeader for loop 'lnum'
4912     void optHoistCandidate(GenTreePtr tree, unsigned lnum, LoopHoistContext* hoistCtxt);
4913
4914     // Returns true iff the ValueNum "vn" represents a value that is loop-invariant in "lnum".
4915     //   Constants and init values are always loop invariant.
4916     //   VNPhi's connect VN's to the SSA definition, so we can know if the SSA def occurs in the loop.
4917     bool optVNIsLoopInvariant(ValueNum vn, unsigned lnum, VNToBoolMap* recordedVNs);
4918
4919     // Returns "true" iff "tree" is valid at the head of loop "lnum", in the context of the hoist substitution
4920     // "subst".  If "tree" is a local SSA var, it is valid if its SSA definition occurs outside of the loop, or
4921     // if it is in the domain of "subst" (meaning that it's definition has been previously hoisted, with a "standin"
4922     // local.)  If tree is a constant, it is valid.  Otherwise, if it is an operator, it is valid iff its children are.
4923     bool optTreeIsValidAtLoopHead(GenTreePtr tree, unsigned lnum);
4924
4925     // If "blk" is the entry block of a natural loop, returns true and sets "*pLnum" to the index of the loop
4926     // in the loop table.
4927     bool optBlockIsLoopEntry(BasicBlock* blk, unsigned* pLnum);
4928
4929     // Records the set of "side effects" of all loops: fields (object instance and static)
4930     // written to, and SZ-array element type equivalence classes updated.
4931     void optComputeLoopSideEffects();
4932
4933 private:
4934     // Requires "lnum" to be the index of an outermost loop in the loop table.  Traverses the body of that loop,
4935     // including all nested loops, and records the set of "side effects" of the loop: fields (object instance and
4936     // static) written to, and SZ-array element type equivalence classes updated.
4937     void optComputeLoopNestSideEffects(unsigned lnum);
4938
4939     // Add the side effects of "blk" (which is required to be within a loop) to all loops of which it is a part.
4940     void optComputeLoopSideEffectsOfBlock(BasicBlock* blk);
4941
4942     // Hoist the expression "expr" out of loop "lnum".
4943     void optPerformHoistExpr(GenTreePtr expr, unsigned lnum);
4944
4945 public:
4946     void optOptimizeBools();
4947
4948 private:
4949     GenTree* optIsBoolCond(GenTree* condBranch, GenTree** compPtr, bool* boolPtr);
4950 #ifdef DEBUG
4951     void optOptimizeBoolsGcStress(BasicBlock* condBlock);
4952 #endif
4953 public:
4954     void optOptimizeLayout(); // Optimize the BasicBlock layout of the method
4955
4956     void optOptimizeLoops(); // for "while-do" loops duplicates simple loop conditions and transforms
4957                              // the loop into a "do-while" loop
4958                              // Also finds all natural loops and records them in the loop table
4959
4960     // Optionally clone loops in the loop table.
4961     void optCloneLoops();
4962
4963     // Clone loop "loopInd" in the loop table.
4964     void optCloneLoop(unsigned loopInd, LoopCloneContext* context);
4965
4966     // Ensure that loop "loopInd" has a unique head block.  (If the existing entry has
4967     // non-loop predecessors other than the head entry, create a new, empty block that goes (only) to the entry,
4968     // and redirects the preds of the entry to this new block.)  Sets the weight of the newly created block to
4969     // "ambientWeight".
4970     void optEnsureUniqueHead(unsigned loopInd, unsigned ambientWeight);
4971
4972     void optUnrollLoops(); // Unrolls loops (needs to have cost info)
4973
4974 protected:
4975     // This enumeration describes what is killed by a call.
4976
4977     enum callInterf
4978     {
4979         CALLINT_NONE,       // no interference                               (most helpers)
4980         CALLINT_REF_INDIRS, // kills GC ref indirections                     (SETFIELD OBJ)
4981         CALLINT_SCL_INDIRS, // kills non GC ref indirections                 (SETFIELD non-OBJ)
4982         CALLINT_ALL_INDIRS, // kills both GC ref and non GC ref indirections (SETFIELD STRUCT)
4983         CALLINT_ALL,        // kills everything                              (normal method call)
4984     };
4985
4986 public:
4987     // A "LoopDsc" describes a ("natural") loop.  We (currently) require the body of a loop to be a contiguous (in
4988     // bbNext order) sequence of basic blocks.  (At times, we may require the blocks in a loop to be "properly numbered"
4989     // in bbNext order; we use comparisons on the bbNum to decide order.)
4990     // The blocks that define the body are
4991     //   first <= top <= entry <= bottom   .
4992     // The "head" of the loop is a block outside the loop that has "entry" as a successor. We only support loops with a
4993     // single 'head' block. The meanings of these blocks are given in the definitions below. Also see the picture at
4994     // Compiler::optFindNaturalLoops().
4995     struct LoopDsc
4996     {
4997         BasicBlock* lpHead;  // HEAD of the loop (not part of the looping of the loop) -- has ENTRY as a successor.
4998         BasicBlock* lpFirst; // FIRST block (in bbNext order) reachable within this loop.  (May be part of a nested
4999                              // loop, but not the outer loop.)
5000         BasicBlock* lpTop;   // loop TOP (the back edge from lpBottom reaches here) (in most cases FIRST and TOP are the
5001                              // same)
5002         BasicBlock* lpEntry; // the ENTRY in the loop (in most cases TOP or BOTTOM)
5003         BasicBlock* lpBottom; // loop BOTTOM (from here we have a back edge to the TOP)
5004         BasicBlock* lpExit;   // if a single exit loop this is the EXIT (in most cases BOTTOM)
5005
5006         callInterf   lpAsgCall;     // "callInterf" for calls in the loop
5007         ALLVARSET_TP lpAsgVars;     // set of vars assigned within the loop (all vars, not just tracked)
5008         varRefKinds  lpAsgInds : 8; // set of inds modified within the loop
5009
5010         unsigned short lpFlags; // Mask of the LPFLG_* constants
5011
5012         unsigned char lpExitCnt; // number of exits from the loop
5013
5014         unsigned char lpParent;  // The index of the most-nested loop that completely contains this one,
5015                                  // or else BasicBlock::NOT_IN_LOOP if no such loop exists.
5016         unsigned char lpChild;   // The index of a nested loop, or else BasicBlock::NOT_IN_LOOP if no child exists.
5017                                  // (Actually, an "immediately" nested loop --
5018                                  // no other child of this loop is a parent of lpChild.)
5019         unsigned char lpSibling; // The index of another loop that is an immediate child of lpParent,
5020                                  // or else BasicBlock::NOT_IN_LOOP.  One can enumerate all the children of a loop
5021                                  // by following "lpChild" then "lpSibling" links.
5022
5023 #define LPFLG_DO_WHILE 0x0001 // it's a do-while loop (i.e ENTRY is at the TOP)
5024 #define LPFLG_ONE_EXIT 0x0002 // the loop has only one exit
5025
5026 #define LPFLG_ITER 0x0004      // for (i = icon or lclVar; test_condition(); i++)
5027 #define LPFLG_HOISTABLE 0x0008 // the loop is in a form that is suitable for hoisting expressions
5028 #define LPFLG_CONST 0x0010     // for (i=icon;i<icon;i++){ ... } - constant loop
5029
5030 #define LPFLG_VAR_INIT 0x0020   // iterator is initialized with a local var (var # found in lpVarInit)
5031 #define LPFLG_CONST_INIT 0x0040 // iterator is initialized with a constant (found in lpConstInit)
5032
5033 #define LPFLG_VAR_LIMIT 0x0100    // iterator is compared with a local var (var # found in lpVarLimit)
5034 #define LPFLG_CONST_LIMIT 0x0200  // iterator is compared with a constant (found in lpConstLimit)
5035 #define LPFLG_ARRLEN_LIMIT 0x0400 // iterator is compared with a.len or a[i].len (found in lpArrLenLimit)
5036 #define LPFLG_SIMD_LIMIT 0x0080   // iterator is compared with Vector<T>.Count (found in lpConstLimit)
5037
5038 #define LPFLG_HAS_PREHEAD 0x0800 // lpHead is known to be a preHead for this loop
5039 #define LPFLG_REMOVED 0x1000     // has been removed from the loop table (unrolled or optimized away)
5040 #define LPFLG_DONT_UNROLL 0x2000 // do not unroll this loop
5041
5042 #define LPFLG_ASGVARS_YES 0x4000 // "lpAsgVars" has been  computed
5043 #define LPFLG_ASGVARS_INC 0x8000 // "lpAsgVars" is incomplete -- vars beyond those representable in an AllVarSet
5044                                  // type are assigned to.
5045
5046         bool lpLoopHasMemoryHavoc[MemoryKindCount]; // The loop contains an operation that we assume has arbitrary
5047                                                     // memory side effects.  If this is set, the fields below
5048                                                     // may not be accurate (since they become irrelevant.)
5049         bool lpContainsCall;                        // True if executing the loop body *may* execute a call
5050
5051         VARSET_TP lpVarInOut;  // The set of variables that are IN or OUT during the execution of this loop
5052         VARSET_TP lpVarUseDef; // The set of variables that are USE or DEF during the execution of this loop
5053
5054         int lpHoistedExprCount; // The register count for the non-FP expressions from inside this loop that have been
5055                                 // hoisted
5056         int lpLoopVarCount;     // The register count for the non-FP LclVars that are read/written inside this loop
5057         int lpVarInOutCount;    // The register count for the non-FP LclVars that are alive inside or accross this loop
5058
5059         int lpHoistedFPExprCount; // The register count for the FP expressions from inside this loop that have been
5060                                   // hoisted
5061         int lpLoopVarFPCount;     // The register count for the FP LclVars that are read/written inside this loop
5062         int lpVarInOutFPCount;    // The register count for the FP LclVars that are alive inside or accross this loop
5063
5064         typedef SimplerHashTable<CORINFO_FIELD_HANDLE,
5065                                  PtrKeyFuncs<struct CORINFO_FIELD_STRUCT_>,
5066                                  bool,
5067                                  JitSimplerHashBehavior>
5068                         FieldHandleSet;
5069         FieldHandleSet* lpFieldsModified; // This has entries (mappings to "true") for all static field and object
5070                                           // instance fields modified
5071                                           // in the loop.
5072
5073         typedef SimplerHashTable<CORINFO_CLASS_HANDLE,
5074                                  PtrKeyFuncs<struct CORINFO_CLASS_STRUCT_>,
5075                                  bool,
5076                                  JitSimplerHashBehavior>
5077                         ClassHandleSet;
5078         ClassHandleSet* lpArrayElemTypesModified; // Bits set indicate the set of sz array element types such that
5079                                                   // arrays of that type are modified
5080                                                   // in the loop.
5081
5082         // Adds the variable liveness information for 'blk' to 'this' LoopDsc
5083         void AddVariableLiveness(Compiler* comp, BasicBlock* blk);
5084
5085         inline void AddModifiedField(Compiler* comp, CORINFO_FIELD_HANDLE fldHnd);
5086         // This doesn't *always* take a class handle -- it can also take primitive types, encoded as class handles
5087         // (shifted left, with a low-order bit set to distinguish.)
5088         // Use the {Encode/Decode}ElemType methods to construct/destruct these.
5089         inline void AddModifiedElemType(Compiler* comp, CORINFO_CLASS_HANDLE structHnd);
5090
5091         /* The following values are set only for iterator loops, i.e. has the flag LPFLG_ITER set */
5092
5093         GenTreePtr lpIterTree;    // The "i <op>= const" tree
5094         unsigned   lpIterVar();   // iterator variable #
5095         int        lpIterConst(); // the constant with which the iterator is incremented
5096         genTreeOps lpIterOper();  // the type of the operation on the iterator (ASG_ADD, ASG_SUB, etc.)
5097         void       VERIFY_lpIterTree();
5098
5099         var_types lpIterOperType(); // For overflow instructions
5100
5101         union {
5102             int lpConstInit; // initial constant value of iterator                           : Valid if LPFLG_CONST_INIT
5103             unsigned lpVarInit; // initial local var number to which we initialize the iterator : Valid if
5104                                 // LPFLG_VAR_INIT
5105         };
5106
5107         /* The following is for LPFLG_ITER loops only (i.e. the loop condition is "i RELOP const or var" */
5108
5109         GenTreePtr lpTestTree;   // pointer to the node containing the loop test
5110         genTreeOps lpTestOper(); // the type of the comparison between the iterator and the limit (GT_LE, GT_GE, etc.)
5111         void       VERIFY_lpTestTree();
5112
5113         bool       lpIsReversed(); // true if the iterator node is the second operand in the loop condition
5114         GenTreePtr lpIterator();   // the iterator node in the loop test
5115         GenTreePtr lpLimit();      // the limit node in the loop test
5116
5117         int lpConstLimit();    // limit   constant value of iterator - loop condition is "i RELOP const" : Valid if
5118                                // LPFLG_CONST_LIMIT
5119         unsigned lpVarLimit(); // the lclVar # in the loop condition ( "i RELOP lclVar" )                : Valid if
5120                                // LPFLG_VAR_LIMIT
5121         bool lpArrLenLimit(Compiler* comp, ArrIndex* index); // The array length in the loop condition ( "i RELOP
5122                                                              // arr.len" or "i RELOP arr[i][j].len" )  : Valid if
5123                                                              // LPFLG_ARRLEN_LIMIT
5124
5125         // Returns "true" iff "*this" contains the blk.
5126         bool lpContains(BasicBlock* blk)
5127         {
5128             return lpFirst->bbNum <= blk->bbNum && blk->bbNum <= lpBottom->bbNum;
5129         }
5130         // Returns "true" iff "*this" (properly) contains the range [first, bottom] (allowing firsts
5131         // to be equal, but requiring bottoms to be different.)
5132         bool lpContains(BasicBlock* first, BasicBlock* bottom)
5133         {
5134             return lpFirst->bbNum <= first->bbNum && bottom->bbNum < lpBottom->bbNum;
5135         }
5136
5137         // Returns "true" iff "*this" (properly) contains "lp2" (allowing firsts to be equal, but requiring
5138         // bottoms to be different.)
5139         bool lpContains(const LoopDsc& lp2)
5140         {
5141             return lpContains(lp2.lpFirst, lp2.lpBottom);
5142         }
5143
5144         // Returns "true" iff "*this" is (properly) contained by the range [first, bottom]
5145         // (allowing firsts to be equal, but requiring bottoms to be different.)
5146         bool lpContainedBy(BasicBlock* first, BasicBlock* bottom)
5147         {
5148             return first->bbNum <= lpFirst->bbNum && lpBottom->bbNum < bottom->bbNum;
5149         }
5150
5151         // Returns "true" iff "*this" is (properly) contained by "lp2"
5152         // (allowing firsts to be equal, but requiring bottoms to be different.)
5153         bool lpContainedBy(const LoopDsc& lp2)
5154         {
5155             return lpContains(lp2.lpFirst, lp2.lpBottom);
5156         }
5157
5158         // Returns "true" iff "*this" is disjoint from the range [top, bottom].
5159         bool lpDisjoint(BasicBlock* first, BasicBlock* bottom)
5160         {
5161             return bottom->bbNum < lpFirst->bbNum || lpBottom->bbNum < first->bbNum;
5162         }
5163         // Returns "true" iff "*this" is disjoint from "lp2".
5164         bool lpDisjoint(const LoopDsc& lp2)
5165         {
5166             return lpDisjoint(lp2.lpFirst, lp2.lpBottom);
5167         }
5168         // Returns "true" iff the loop is well-formed (see code for defn).
5169         bool lpWellFormed()
5170         {
5171             return lpFirst->bbNum <= lpTop->bbNum && lpTop->bbNum <= lpEntry->bbNum &&
5172                    lpEntry->bbNum <= lpBottom->bbNum &&
5173                    (lpHead->bbNum < lpTop->bbNum || lpHead->bbNum > lpBottom->bbNum);
5174         }
5175     };
5176
5177 protected:
5178     bool fgMightHaveLoop(); // returns true if there are any backedges
5179     bool fgHasLoops;        // True if this method has any loops, set in fgComputeReachability
5180
5181 public:
5182     LoopDsc       optLoopTable[MAX_LOOP_NUM]; // loop descriptor table
5183     unsigned char optLoopCount;               // number of tracked loops
5184
5185 protected:
5186     unsigned optCallCount;         // number of calls made in the method
5187     unsigned optIndirectCallCount; // number of virtual, interface and indirect calls made in the method
5188     unsigned optNativeCallCount;   // number of Pinvoke/Native calls made in the method
5189     unsigned optLoopsCloned;       // number of loops cloned in the current method.
5190
5191 #ifdef DEBUG
5192     unsigned optFindLoopNumberFromBeginBlock(BasicBlock* begBlk);
5193     void optPrintLoopInfo(unsigned      loopNum,
5194                           BasicBlock*   lpHead,
5195                           BasicBlock*   lpFirst,
5196                           BasicBlock*   lpTop,
5197                           BasicBlock*   lpEntry,
5198                           BasicBlock*   lpBottom,
5199                           unsigned char lpExitCnt,
5200                           BasicBlock*   lpExit,
5201                           unsigned      parentLoop = BasicBlock::NOT_IN_LOOP);
5202     void optPrintLoopInfo(unsigned lnum);
5203     void optPrintLoopRecording(unsigned lnum);
5204
5205     void optCheckPreds();
5206 #endif
5207
5208     void optSetBlockWeights();
5209
5210     void optMarkLoopBlocks(BasicBlock* begBlk, BasicBlock* endBlk, bool excludeEndBlk);
5211
5212     void optUnmarkLoopBlocks(BasicBlock* begBlk, BasicBlock* endBlk);
5213
5214     void optUpdateLoopsBeforeRemoveBlock(BasicBlock* block, bool skipUnmarkLoop = false);
5215
5216     bool optIsLoopTestEvalIntoTemp(GenTreePtr test, GenTreePtr* newTest);
5217     unsigned optIsLoopIncrTree(GenTreePtr incr);
5218     bool optCheckIterInLoopTest(unsigned loopInd, GenTreePtr test, BasicBlock* from, BasicBlock* to, unsigned iterVar);
5219     bool optComputeIterInfo(GenTreePtr incr, BasicBlock* from, BasicBlock* to, unsigned* pIterVar);
5220     bool optPopulateInitInfo(unsigned loopInd, GenTreePtr init, unsigned iterVar);
5221     bool optExtractInitTestIncr(BasicBlock* head,
5222                                 BasicBlock* bottom,
5223                                 BasicBlock* exit,
5224                                 GenTreePtr* ppInit,
5225                                 GenTreePtr* ppTest,
5226                                 GenTreePtr* ppIncr);
5227
5228     void optRecordLoop(BasicBlock*   head,
5229                        BasicBlock*   first,
5230                        BasicBlock*   top,
5231                        BasicBlock*   entry,
5232                        BasicBlock*   bottom,
5233                        BasicBlock*   exit,
5234                        unsigned char exitCnt);
5235
5236     void optFindNaturalLoops();
5237
5238     // Ensures that all the loops in the loop nest rooted at "loopInd" (an index into the loop table) are 'canonical' --
5239     // each loop has a unique "top."  Returns "true" iff the flowgraph has been modified.
5240     bool optCanonicalizeLoopNest(unsigned char loopInd);
5241
5242     // Ensures that the loop "loopInd" (an index into the loop table) is 'canonical' -- it has a unique "top,"
5243     // unshared with any other loop.  Returns "true" iff the flowgraph has been modified
5244     bool optCanonicalizeLoop(unsigned char loopInd);
5245
5246     // Requires "l1" to be a valid loop table index, and not "BasicBlock::NOT_IN_LOOP".  Requires "l2" to be
5247     // a valid loop table index, or else "BasicBlock::NOT_IN_LOOP".  Returns true
5248     // iff "l2" is not NOT_IN_LOOP, and "l1" contains "l2".
5249     bool optLoopContains(unsigned l1, unsigned l2);
5250
5251     // Requires "loopInd" to be a valid index into the loop table.
5252     // Updates the loop table by changing loop "loopInd", whose head is required
5253     // to be "from", to be "to".  Also performs this transformation for any
5254     // loop nested in "loopInd" that shares the same head as "loopInd".
5255     void optUpdateLoopHead(unsigned loopInd, BasicBlock* from, BasicBlock* to);
5256
5257     // Updates the successors of "blk": if "blk2" is a successor of "blk", and there is a mapping for "blk2->blk3" in
5258     // "redirectMap", change "blk" so that "blk3" is this successor. Note that the predecessor lists are not updated.
5259     void optRedirectBlock(BasicBlock* blk, BlockToBlockMap* redirectMap);
5260
5261     // Marks the containsCall information to "lnum" and any parent loops.
5262     void AddContainsCallAllContainingLoops(unsigned lnum);
5263     // Adds the variable liveness information from 'blk' to "lnum" and any parent loops.
5264     void AddVariableLivenessAllContainingLoops(unsigned lnum, BasicBlock* blk);
5265     // Adds "fldHnd" to the set of modified fields of "lnum" and any parent loops.
5266     void AddModifiedFieldAllContainingLoops(unsigned lnum, CORINFO_FIELD_HANDLE fldHnd);
5267     // Adds "elemType" to the set of modified array element types of "lnum" and any parent loops.
5268     void AddModifiedElemTypeAllContainingLoops(unsigned lnum, CORINFO_CLASS_HANDLE elemType);
5269
5270     // Requires that "from" and "to" have the same "bbJumpKind" (perhaps because "to" is a clone
5271     // of "from".)  Copies the jump destination from "from" to "to".
5272     void optCopyBlkDest(BasicBlock* from, BasicBlock* to);
5273
5274     // The depth of the loop described by "lnum" (an index into the loop table.) (0 == top level)
5275     unsigned optLoopDepth(unsigned lnum)
5276     {
5277         unsigned par = optLoopTable[lnum].lpParent;
5278         if (par == BasicBlock::NOT_IN_LOOP)
5279         {
5280             return 0;
5281         }
5282         else
5283         {
5284             return 1 + optLoopDepth(par);
5285         }
5286     }
5287
5288     void fgOptWhileLoop(BasicBlock* block);
5289
5290     bool optComputeLoopRep(int        constInit,
5291                            int        constLimit,
5292                            int        iterInc,
5293                            genTreeOps iterOper,
5294                            var_types  iterType,
5295                            genTreeOps testOper,
5296                            bool       unsignedTest,
5297                            bool       dupCond,
5298                            unsigned*  iterCount);
5299 #if FEATURE_STACK_FP_X87
5300
5301 public:
5302     VARSET_TP optAllFloatVars; // mask of all tracked      FP variables
5303     VARSET_TP optAllFPregVars; // mask of all enregistered FP variables
5304     VARSET_TP optAllNonFPvars; // mask of all tracked  non-FP variables
5305 #endif                         // FEATURE_STACK_FP_X87
5306
5307 private:
5308     static fgWalkPreFn optIsVarAssgCB;
5309
5310 protected:
5311     bool optIsVarAssigned(BasicBlock* beg, BasicBlock* end, GenTreePtr skip, unsigned var);
5312
5313     bool optIsVarAssgLoop(unsigned lnum, unsigned var);
5314
5315     int optIsSetAssgLoop(unsigned lnum, ALLVARSET_VALARG_TP vars, varRefKinds inds = VR_NONE);
5316
5317     bool optNarrowTree(GenTreePtr tree, var_types srct, var_types dstt, ValueNumPair vnpNarrow, bool doit);
5318
5319     /**************************************************************************
5320      *                       Optimization conditions
5321      *************************************************************************/
5322
5323     bool optFastCodeOrBlendedLoop(BasicBlock::weight_t bbWeight);
5324     bool optPentium4(void);
5325     bool optAvoidIncDec(BasicBlock::weight_t bbWeight);
5326     bool optAvoidIntMult(void);
5327
5328 #if FEATURE_ANYCSE
5329
5330 protected:
5331     //  The following is the upper limit on how many expressions we'll keep track
5332     //  of for the CSE analysis.
5333     //
5334     static const unsigned MAX_CSE_CNT = EXPSET_SZ;
5335
5336     static const int MIN_CSE_COST = 2;
5337
5338     // Keeps tracked cse indices
5339     BitVecTraits* cseTraits;
5340     EXPSET_TP     cseFull;
5341     EXPSET_TP     cseEmpty;
5342
5343     /* Generic list of nodes - used by the CSE logic */
5344
5345     struct treeLst
5346     {
5347         treeLst*   tlNext;
5348         GenTreePtr tlTree;
5349     };
5350
5351     typedef struct treeLst* treeLstPtr;
5352
5353     struct treeStmtLst
5354     {
5355         treeStmtLst* tslNext;
5356         GenTreePtr   tslTree;  // tree node
5357         GenTreePtr   tslStmt;  // statement containing the tree
5358         BasicBlock*  tslBlock; // block containing the statement
5359     };
5360
5361     typedef struct treeStmtLst* treeStmtLstPtr;
5362
5363     // The following logic keeps track of expressions via a simple hash table.
5364
5365     struct CSEdsc
5366     {
5367         CSEdsc* csdNextInBucket; // used by the hash table
5368
5369         unsigned csdHashValue; // the orginal hashkey
5370
5371         unsigned csdIndex;          // 1..optCSECandidateCount
5372         char     csdLiveAcrossCall; // 0 or 1
5373
5374         unsigned short csdDefCount; // definition   count
5375         unsigned short csdUseCount; // use          count  (excluding the implicit uses at defs)
5376
5377         unsigned csdDefWtCnt; // weighted def count
5378         unsigned csdUseWtCnt; // weighted use count  (excluding the implicit uses at defs)
5379
5380         GenTreePtr  csdTree;  // treenode containing the 1st occurance
5381         GenTreePtr  csdStmt;  // stmt containing the 1st occurance
5382         BasicBlock* csdBlock; // block containing the 1st occurance
5383
5384         treeStmtLstPtr csdTreeList; // list of matching tree nodes: head
5385         treeStmtLstPtr csdTreeLast; // list of matching tree nodes: tail
5386     };
5387
5388     static const size_t s_optCSEhashSize;
5389     CSEdsc**            optCSEhash;
5390     CSEdsc**            optCSEtab;
5391
5392     void optCSEstop();
5393
5394     CSEdsc* optCSEfindDsc(unsigned index);
5395     void optUnmarkCSE(GenTreePtr tree);
5396
5397     // user defined callback data for the tree walk function optCSE_MaskHelper()
5398     struct optCSE_MaskData
5399     {
5400         EXPSET_TP CSE_defMask;
5401         EXPSET_TP CSE_useMask;
5402     };
5403
5404     // Treewalk helper for optCSE_DefMask and optCSE_UseMask
5405     static fgWalkPreFn optCSE_MaskHelper;
5406
5407     // This function walks all the node for an given tree
5408     // and return the mask of CSE definitions and uses for the tree
5409     //
5410     void optCSE_GetMaskData(GenTreePtr tree, optCSE_MaskData* pMaskData);
5411
5412     // Given a binary tree node return true if it is safe to swap the order of evaluation for op1 and op2.
5413     bool optCSE_canSwap(GenTree* firstNode, GenTree* secondNode);
5414     bool optCSE_canSwap(GenTree* tree);
5415
5416     static fgWalkPostFn optPropagateNonCSE;
5417     static fgWalkPreFn  optHasNonCSEChild;
5418
5419     static fgWalkPreFn optUnmarkCSEs;
5420
5421     static int __cdecl optCSEcostCmpEx(const void* op1, const void* op2);
5422     static int __cdecl optCSEcostCmpSz(const void* op1, const void* op2);
5423
5424     void optCleanupCSEs();
5425
5426 #ifdef DEBUG
5427     void optEnsureClearCSEInfo();
5428 #endif // DEBUG
5429
5430 #endif // FEATURE_ANYCSE
5431
5432 #if FEATURE_VALNUM_CSE
5433     /**************************************************************************
5434      *                   Value Number based CSEs
5435      *************************************************************************/
5436
5437 public:
5438     void optOptimizeValnumCSEs();
5439
5440 protected:
5441     void     optValnumCSE_Init();
5442     unsigned optValnumCSE_Index(GenTreePtr tree, GenTreePtr stmt);
5443     unsigned optValnumCSE_Locate();
5444     void     optValnumCSE_InitDataFlow();
5445     void     optValnumCSE_DataFlow();
5446     void     optValnumCSE_Availablity();
5447     void     optValnumCSE_Heuristic();
5448     void optValnumCSE_UnmarkCSEs(GenTreePtr deadTree, GenTreePtr keepList);
5449
5450 #endif // FEATURE_VALNUM_CSE
5451
5452 #if FEATURE_ANYCSE
5453     bool     optDoCSE;             // True when we have found a duplicate CSE tree
5454     bool     optValnumCSE_phase;   // True when we are executing the optValnumCSE_phase
5455     unsigned optCSECandidateTotal; // Grand total of CSE candidates for both Lexical and ValNum
5456     unsigned optCSECandidateCount; // Count of CSE's candidates, reset for Lexical and ValNum CSE's
5457     unsigned optCSEstart;          // The first local variable number that is a CSE
5458     unsigned optCSEcount;          // The total count of CSE's introduced.
5459     unsigned optCSEweight;         // The weight of the current block when we are
5460                                    // scanning for CSE expressions
5461
5462     bool optIsCSEcandidate(GenTreePtr tree);
5463
5464     // lclNumIsTrueCSE returns true if the LclVar was introduced by the CSE phase of the compiler
5465     //
5466     bool lclNumIsTrueCSE(unsigned lclNum) const
5467     {
5468         return ((optCSEcount > 0) && (lclNum >= optCSEstart) && (lclNum < optCSEstart + optCSEcount));
5469     }
5470
5471     //  lclNumIsCSE returns true if the LclVar should be treated like a CSE with regards to constant prop.
5472     //
5473     bool lclNumIsCSE(unsigned lclNum) const
5474     {
5475         return lvaTable[lclNum].lvIsCSE;
5476     }
5477
5478 #ifdef DEBUG
5479     bool optConfigDisableCSE();
5480     bool optConfigDisableCSE2();
5481 #endif
5482     void optOptimizeCSEs();
5483
5484 #endif // FEATURE_ANYCSE
5485
5486     struct isVarAssgDsc
5487     {
5488         GenTreePtr ivaSkip;
5489 #ifdef DEBUG
5490         void* ivaSelf;
5491 #endif
5492         unsigned     ivaVar;            // Variable we are interested in, or -1
5493         ALLVARSET_TP ivaMaskVal;        // Set of variables assigned to.  This is a set of all vars, not tracked vars.
5494         bool         ivaMaskIncomplete; // Variables not representable in ivaMaskVal were assigned to.
5495         varRefKinds  ivaMaskInd;        // What kind of indirect assignments are there?
5496         callInterf   ivaMaskCall;       // What kind of calls are there?
5497     };
5498
5499     static callInterf optCallInterf(GenTreePtr call);
5500
5501 public:
5502     // VN based copy propagation.
5503     typedef ArrayStack<GenTreePtr> GenTreePtrStack;
5504     typedef SimplerHashTable<unsigned, SmallPrimitiveKeyFuncs<unsigned>, GenTreePtrStack*, JitSimplerHashBehavior>
5505         LclNumToGenTreePtrStack;
5506
5507     // Kill set to track variables with intervening definitions.
5508     VARSET_TP optCopyPropKillSet;
5509
5510     // Copy propagation functions.
5511     void optCopyProp(BasicBlock* block, GenTreePtr stmt, GenTreePtr tree, LclNumToGenTreePtrStack* curSsaName);
5512     void optBlockCopyPropPopStacks(BasicBlock* block, LclNumToGenTreePtrStack* curSsaName);
5513     void optBlockCopyProp(BasicBlock* block, LclNumToGenTreePtrStack* curSsaName);
5514     bool optIsSsaLocal(GenTreePtr tree);
5515     int optCopyProp_LclVarScore(LclVarDsc* lclVarDsc, LclVarDsc* copyVarDsc, bool preferOp2);
5516     void optVnCopyProp();
5517
5518     /**************************************************************************
5519     *               Early value propagation
5520     *************************************************************************/
5521     struct SSAName
5522     {
5523         unsigned m_lvNum;
5524         unsigned m_ssaNum;
5525
5526         SSAName(unsigned lvNum, unsigned ssaNum) : m_lvNum(lvNum), m_ssaNum(ssaNum)
5527         {
5528         }
5529
5530         static unsigned GetHashCode(SSAName ssaNm)
5531         {
5532             return (ssaNm.m_lvNum << 16) | (ssaNm.m_ssaNum);
5533         }
5534
5535         static bool Equals(SSAName ssaNm1, SSAName ssaNm2)
5536         {
5537             return (ssaNm1.m_lvNum == ssaNm2.m_lvNum) && (ssaNm1.m_ssaNum == ssaNm2.m_ssaNum);
5538         }
5539     };
5540
5541 #define OMF_HAS_NEWARRAY 0x00000001  // Method contains 'new' of an array
5542 #define OMF_HAS_NEWOBJ 0x00000002    // Method contains 'new' of an object type.
5543 #define OMF_HAS_ARRAYREF 0x00000004  // Method contains array element loads or stores.
5544 #define OMF_HAS_VTABLEREF 0x00000008 // Method contains method table reference.
5545 #define OMF_HAS_NULLCHECK 0x00000010 // Method contains null check.
5546
5547     unsigned optMethodFlags;
5548
5549     // Recursion bound controls how far we can go backwards tracking for a SSA value.
5550     // No throughput diff was found with backward walk bound between 3-8.
5551     static const int optEarlyPropRecurBound = 5;
5552
5553     enum class optPropKind
5554     {
5555         OPK_INVALID,
5556         OPK_ARRAYLEN,
5557         OPK_OBJ_GETTYPE,
5558         OPK_NULLCHECK
5559     };
5560
5561     bool gtIsVtableRef(GenTreePtr tree);
5562     GenTreePtr getArrayLengthFromAllocation(GenTreePtr tree);
5563     GenTreePtr getObjectHandleNodeFromAllocation(GenTreePtr tree);
5564     GenTreePtr optPropGetValueRec(unsigned lclNum, unsigned ssaNum, optPropKind valueKind, int walkDepth);
5565     GenTreePtr optPropGetValue(unsigned lclNum, unsigned ssaNum, optPropKind valueKind);
5566     bool optEarlyPropRewriteTree(GenTreePtr tree);
5567     bool optDoEarlyPropForBlock(BasicBlock* block);
5568     bool optDoEarlyPropForFunc();
5569     void optEarlyProp();
5570     void optFoldNullCheck(GenTreePtr tree);
5571     bool optCanMoveNullCheckPastTree(GenTreePtr tree, bool isInsideTry);
5572
5573 #if ASSERTION_PROP
5574     /**************************************************************************
5575      *               Value/Assertion propagation
5576      *************************************************************************/
5577 public:
5578     // Data structures for assertion prop
5579     BitVecTraits* apTraits;
5580     ASSERT_TP     apFull;
5581     ASSERT_TP     apEmpty;
5582
5583     enum optAssertionKind
5584     {
5585         OAK_INVALID,
5586         OAK_EQUAL,
5587         OAK_NOT_EQUAL,
5588         OAK_SUBRANGE,
5589         OAK_NO_THROW,
5590         OAK_COUNT
5591     };
5592
5593     enum optOp1Kind
5594     {
5595         O1K_INVALID,
5596         O1K_LCLVAR,
5597         O1K_ARR_BND,
5598         O1K_ARRLEN_OPER_BND,
5599         O1K_ARRLEN_LOOP_BND,
5600         O1K_CONSTANT_LOOP_BND,
5601         O1K_EXACT_TYPE,
5602         O1K_SUBTYPE,
5603         O1K_VALUE_NUMBER,
5604         O1K_COUNT
5605     };
5606
5607     enum optOp2Kind
5608     {
5609         O2K_INVALID,
5610         O2K_LCLVAR_COPY,
5611         O2K_IND_CNS_INT,
5612         O2K_CONST_INT,
5613         O2K_CONST_LONG,
5614         O2K_CONST_DOUBLE,
5615         O2K_ARR_LEN,
5616         O2K_SUBRANGE,
5617         O2K_COUNT
5618     };
5619     struct AssertionDsc
5620     {
5621         optAssertionKind assertionKind;
5622         struct SsaVar
5623         {
5624             unsigned lclNum; // assigned to or property of this local var number
5625             unsigned ssaNum;
5626         };
5627         struct ArrBnd
5628         {
5629             ValueNum vnIdx;
5630             ValueNum vnLen;
5631         };
5632         struct AssertionDscOp1
5633         {
5634             optOp1Kind kind; // a normal LclVar, or Exact-type or Subtype
5635             ValueNum   vn;
5636             union {
5637                 SsaVar lcl;
5638                 ArrBnd bnd;
5639             };
5640         } op1;
5641         struct AssertionDscOp2
5642         {
5643             optOp2Kind kind; // a const or copy assignment
5644             ValueNum   vn;
5645             struct IntVal
5646             {
5647                 ssize_t  iconVal;   // integer
5648                 unsigned iconFlags; // gtFlags
5649             };
5650             struct Range // integer subrange
5651             {
5652                 ssize_t loBound;
5653                 ssize_t hiBound;
5654             };
5655             union {
5656                 SsaVar  lcl;
5657                 IntVal  u1;
5658                 __int64 lconVal;
5659                 double  dconVal;
5660                 Range   u2;
5661             };
5662         } op2;
5663
5664         bool IsArrLenArithBound()
5665         {
5666             return ((assertionKind == OAK_EQUAL || assertionKind == OAK_NOT_EQUAL) && op1.kind == O1K_ARRLEN_OPER_BND);
5667         }
5668         bool IsArrLenBound()
5669         {
5670             return ((assertionKind == OAK_EQUAL || assertionKind == OAK_NOT_EQUAL) && op1.kind == O1K_ARRLEN_LOOP_BND);
5671         }
5672         bool IsConstantBound()
5673         {
5674             return ((assertionKind == OAK_EQUAL || assertionKind == OAK_NOT_EQUAL) &&
5675                     op1.kind == O1K_CONSTANT_LOOP_BND);
5676         }
5677         bool IsBoundsCheckNoThrow()
5678         {
5679             return ((assertionKind == OAK_NO_THROW) && (op1.kind == O1K_ARR_BND));
5680         }
5681
5682         bool IsCopyAssertion()
5683         {
5684             return ((assertionKind == OAK_EQUAL) && (op1.kind == O1K_LCLVAR) && (op2.kind == O2K_LCLVAR_COPY));
5685         }
5686
5687         static bool SameKind(AssertionDsc* a1, AssertionDsc* a2)
5688         {
5689             return a1->assertionKind == a2->assertionKind && a1->op1.kind == a2->op1.kind &&
5690                    a1->op2.kind == a2->op2.kind;
5691         }
5692
5693         static bool ComplementaryKind(optAssertionKind kind, optAssertionKind kind2)
5694         {
5695             if (kind == OAK_EQUAL)
5696             {
5697                 return kind2 == OAK_NOT_EQUAL;
5698             }
5699             else if (kind == OAK_NOT_EQUAL)
5700             {
5701                 return kind2 == OAK_EQUAL;
5702             }
5703             return false;
5704         }
5705
5706         static ssize_t GetLowerBoundForIntegralType(var_types type)
5707         {
5708             switch (type)
5709             {
5710                 case TYP_BYTE:
5711                     return SCHAR_MIN;
5712                 case TYP_SHORT:
5713                     return SHRT_MIN;
5714                 case TYP_INT:
5715                     return INT_MIN;
5716                 case TYP_BOOL:
5717                 case TYP_UBYTE:
5718                 case TYP_CHAR:
5719                 case TYP_USHORT:
5720                 case TYP_UINT:
5721                     return 0;
5722                 default:
5723                     unreached();
5724             }
5725         }
5726         static ssize_t GetUpperBoundForIntegralType(var_types type)
5727         {
5728             switch (type)
5729             {
5730                 case TYP_BOOL:
5731                     return 1;
5732                 case TYP_BYTE:
5733                     return SCHAR_MAX;
5734                 case TYP_SHORT:
5735                     return SHRT_MAX;
5736                 case TYP_INT:
5737                     return INT_MAX;
5738                 case TYP_UBYTE:
5739                     return UCHAR_MAX;
5740                 case TYP_CHAR:
5741                 case TYP_USHORT:
5742                     return USHRT_MAX;
5743                 case TYP_UINT:
5744                     return UINT_MAX;
5745                 default:
5746                     unreached();
5747             }
5748         }
5749
5750         bool HasSameOp1(AssertionDsc* that, bool vnBased)
5751         {
5752             return (op1.kind == that->op1.kind) &&
5753                    ((vnBased && (op1.vn == that->op1.vn)) || (!vnBased && (op1.lcl.lclNum == that->op1.lcl.lclNum)));
5754         }
5755
5756         bool HasSameOp2(AssertionDsc* that, bool vnBased)
5757         {
5758             if (op2.kind != that->op2.kind)
5759             {
5760                 return false;
5761             }
5762             switch (op2.kind)
5763             {
5764                 case O2K_IND_CNS_INT:
5765                 case O2K_CONST_INT:
5766                     return ((op2.u1.iconVal == that->op2.u1.iconVal) && (op2.u1.iconFlags == that->op2.u1.iconFlags));
5767
5768                 case O2K_CONST_LONG:
5769                     return (op2.lconVal == that->op2.lconVal);
5770
5771                 case O2K_CONST_DOUBLE:
5772                     // exact match because of positive and negative zero.
5773                     return (memcmp(&op2.dconVal, &that->op2.dconVal, sizeof(double)) == 0);
5774
5775                 case O2K_LCLVAR_COPY:
5776                 case O2K_ARR_LEN:
5777                     return (op2.lcl.lclNum == that->op2.lcl.lclNum) &&
5778                            (!vnBased || op2.lcl.ssaNum == that->op2.lcl.ssaNum);
5779
5780                 case O2K_SUBRANGE:
5781                     return ((op2.u2.loBound == that->op2.u2.loBound) && (op2.u2.hiBound == that->op2.u2.hiBound));
5782
5783                 case O2K_INVALID:
5784                     // we will return false
5785                     break;
5786
5787                 default:
5788                     assert(!"Unexpected value for op2.kind in AssertionDsc.");
5789                     break;
5790             }
5791             return false;
5792         }
5793
5794         bool Complementary(AssertionDsc* that, bool vnBased)
5795         {
5796             return ComplementaryKind(assertionKind, that->assertionKind) && HasSameOp1(that, vnBased) &&
5797                    HasSameOp2(that, vnBased);
5798         }
5799
5800         bool Equals(AssertionDsc* that, bool vnBased)
5801         {
5802             return (assertionKind == that->assertionKind) && HasSameOp1(that, vnBased) && HasSameOp2(that, vnBased);
5803         }
5804     };
5805
5806     typedef unsigned short AssertionIndex;
5807
5808 protected:
5809     static fgWalkPreFn optAddCopiesCallback;
5810     static fgWalkPreFn optVNAssertionPropCurStmtVisitor;
5811     unsigned           optAddCopyLclNum;
5812     GenTreePtr         optAddCopyAsgnNode;
5813
5814     bool optLocalAssertionProp;  // indicates that we are performing local assertion prop
5815     bool optAssertionPropagated; // set to true if we modified the trees
5816     bool optAssertionPropagatedCurrentStmt;
5817 #ifdef DEBUG
5818     GenTreePtr optAssertionPropCurrentTree;
5819 #endif
5820     AssertionIndex*         optComplementaryAssertionMap;
5821     ExpandArray<ASSERT_TP>* optAssertionDep; // table that holds dependent assertions (assertions
5822                                              // using the value of a local var) for each local var
5823     AssertionDsc*  optAssertionTabPrivate;   // table that holds info about value assignments
5824     AssertionIndex optAssertionCount;        // total number of assertions in the assertion table
5825     AssertionIndex optMaxAssertionCount;
5826
5827 public:
5828     void optVnNonNullPropCurStmt(BasicBlock* block, GenTreePtr stmt, GenTreePtr tree);
5829     fgWalkResult optVNConstantPropCurStmt(BasicBlock* block, GenTreePtr stmt, GenTreePtr tree);
5830     GenTreePtr optVNConstantPropOnRelOp(GenTreePtr tree);
5831     GenTreePtr optVNConstantPropOnJTrue(BasicBlock* block, GenTreePtr stmt, GenTreePtr test);
5832     GenTreePtr optVNConstantPropOnTree(BasicBlock* block, GenTreePtr stmt, GenTreePtr tree);
5833     GenTreePtr optPrepareTreeForReplacement(GenTreePtr extractTree, GenTreePtr replaceTree);
5834
5835     AssertionIndex GetAssertionCount()
5836     {
5837         return optAssertionCount;
5838     }
5839     ASSERT_TP* bbJtrueAssertionOut;
5840     typedef SimplerHashTable<ValueNum, SmallPrimitiveKeyFuncs<ValueNum>, ASSERT_TP, JitSimplerHashBehavior>
5841                           ValueNumToAssertsMap;
5842     ValueNumToAssertsMap* optValueNumToAsserts;
5843
5844     static const AssertionIndex NO_ASSERTION_INDEX = 0;
5845
5846     // Assertion prop helpers.
5847     ASSERT_TP& GetAssertionDep(unsigned lclNum);
5848     AssertionDsc* optGetAssertion(AssertionIndex assertIndex);
5849     void optAssertionInit(bool isLocalProp);
5850     void optAssertionTraitsInit(AssertionIndex assertionCount);
5851 #if LOCAL_ASSERTION_PROP
5852     void optAssertionReset(AssertionIndex limit);
5853     void optAssertionRemove(AssertionIndex index);
5854 #endif
5855
5856     // Assertion prop data flow functions.
5857     void       optAssertionPropMain();
5858     GenTreePtr optVNAssertionPropCurStmt(BasicBlock* block, GenTreePtr stmt);
5859     bool optIsTreeKnownIntValue(bool vnBased, GenTreePtr tree, ssize_t* pConstant, unsigned* pIconFlags);
5860     ASSERT_TP* optInitAssertionDataflowFlags();
5861     ASSERT_TP* optComputeAssertionGen();
5862
5863     // Assertion Gen functions.
5864     void optAssertionGen(GenTreePtr tree);
5865     AssertionIndex optAssertionGenPhiDefn(GenTreePtr tree);
5866     AssertionIndex optCreateJTrueBoundsAssertion(GenTreePtr tree);
5867     AssertionIndex optAssertionGenJtrue(GenTreePtr tree);
5868     AssertionIndex optCreateJtrueAssertions(GenTreePtr op1, GenTreePtr op2, Compiler::optAssertionKind assertionKind);
5869     AssertionIndex optFindComplementary(AssertionIndex assertionIndex);
5870     void optMapComplementary(AssertionIndex assertionIndex, AssertionIndex index);
5871
5872     // Assertion creation functions.
5873     AssertionIndex optCreateAssertion(GenTreePtr op1, GenTreePtr op2, optAssertionKind assertionKind);
5874     AssertionIndex optCreateAssertion(GenTreePtr       op1,
5875                                       GenTreePtr       op2,
5876                                       optAssertionKind assertionKind,
5877                                       AssertionDsc*    assertion);
5878     void optCreateComplementaryAssertion(AssertionIndex assertionIndex, GenTreePtr op1, GenTreePtr op2);
5879
5880     bool optAssertionVnInvolvesNan(AssertionDsc* assertion);
5881     AssertionIndex optAddAssertion(AssertionDsc* assertion);
5882     void optAddVnAssertionMapping(ValueNum vn, AssertionIndex index);
5883 #ifdef DEBUG
5884     void optPrintVnAssertionMapping();
5885 #endif
5886     ASSERT_TP optGetVnMappedAssertions(ValueNum vn);
5887
5888     // Used for respective assertion propagations.
5889     AssertionIndex optAssertionIsSubrange(GenTreePtr tree, var_types toType, ASSERT_VALARG_TP assertions);
5890     AssertionIndex optAssertionIsSubtype(GenTreePtr tree, GenTreePtr methodTableArg, ASSERT_VALARG_TP assertions);
5891     AssertionIndex optAssertionIsNonNullInternal(GenTreePtr op, ASSERT_VALARG_TP assertions);
5892     bool optAssertionIsNonNull(GenTreePtr       op,
5893                                ASSERT_VALARG_TP assertions DEBUGARG(bool* pVnBased) DEBUGARG(AssertionIndex* pIndex));
5894
5895     // Used for Relop propagation.
5896     AssertionIndex optGlobalAssertionIsEqualOrNotEqual(ASSERT_VALARG_TP assertions, GenTreePtr op1, GenTreePtr op2);
5897     AssertionIndex optLocalAssertionIsEqualOrNotEqual(
5898         optOp1Kind op1Kind, unsigned lclNum, optOp2Kind op2Kind, ssize_t cnsVal, ASSERT_VALARG_TP assertions);
5899
5900     // Assertion prop for lcl var functions.
5901     bool optAssertionProp_LclVarTypeCheck(GenTreePtr tree, LclVarDsc* lclVarDsc, LclVarDsc* copyVarDsc);
5902     GenTreePtr optCopyAssertionProp(AssertionDsc* curAssertion,
5903                                     GenTreePtr    tree,
5904                                     GenTreePtr stmt DEBUGARG(AssertionIndex index));
5905     GenTreePtr optConstantAssertionProp(AssertionDsc*    curAssertion,
5906                                         const GenTreePtr tree,
5907                                         const GenTreePtr stmt DEBUGARG(AssertionIndex index));
5908     GenTreePtr optVnConstantAssertionProp(const GenTreePtr tree, const GenTreePtr stmt);
5909
5910     // Assertion propagation functions.
5911     GenTreePtr optAssertionProp(ASSERT_VALARG_TP assertions, const GenTreePtr tree, const GenTreePtr stmt);
5912     GenTreePtr optAssertionProp_LclVar(ASSERT_VALARG_TP assertions, const GenTreePtr tree, const GenTreePtr stmt);
5913     GenTreePtr optAssertionProp_Ind(ASSERT_VALARG_TP assertions, const GenTreePtr tree, const GenTreePtr stmt);
5914     GenTreePtr optAssertionProp_Cast(ASSERT_VALARG_TP assertions, const GenTreePtr tree, const GenTreePtr stmt);
5915     GenTreePtr optAssertionProp_Call(ASSERT_VALARG_TP assertions, const GenTreePtr tree, const GenTreePtr stmt);
5916     GenTreePtr optAssertionProp_RelOp(ASSERT_VALARG_TP assertions, const GenTreePtr tree, const GenTreePtr stmt);
5917     GenTreePtr optAssertionProp_Comma(ASSERT_VALARG_TP assertions, const GenTreePtr tree, const GenTreePtr stmt);
5918     GenTreePtr optAssertionProp_BndsChk(ASSERT_VALARG_TP assertions, const GenTreePtr tree, const GenTreePtr stmt);
5919     GenTreePtr optAssertionPropGlobal_RelOp(ASSERT_VALARG_TP assertions, const GenTreePtr tree, const GenTreePtr stmt);
5920     GenTreePtr optAssertionPropLocal_RelOp(ASSERT_VALARG_TP assertions, const GenTreePtr tree, const GenTreePtr stmt);
5921     GenTreePtr optAssertionProp_Update(const GenTreePtr newTree, const GenTreePtr tree, const GenTreePtr stmt);
5922     GenTreePtr optNonNullAssertionProp_Call(ASSERT_VALARG_TP assertions, const GenTreePtr tree, const GenTreePtr stmt);
5923
5924     // Implied assertion functions.
5925     void optImpliedAssertions(AssertionIndex assertionIndex, ASSERT_TP& activeAssertions);
5926     void optImpliedByTypeOfAssertions(ASSERT_TP& activeAssertions);
5927     void optImpliedByCopyAssertion(AssertionDsc* copyAssertion, AssertionDsc* depAssertion, ASSERT_TP& result);
5928     void optImpliedByConstAssertion(AssertionDsc* curAssertion, ASSERT_TP& result);
5929
5930     ASSERT_VALRET_TP optNewFullAssertSet();
5931     ASSERT_VALRET_TP optNewEmptyAssertSet();
5932
5933 #ifdef DEBUG
5934     void optPrintAssertion(AssertionDsc* newAssertion, AssertionIndex assertionIndex = 0);
5935     void optDebugCheckAssertion(AssertionDsc* assertion);
5936     void optDebugCheckAssertions(AssertionIndex AssertionIndex);
5937 #endif
5938     void optAddCopies();
5939 #endif // ASSERTION_PROP
5940
5941     /**************************************************************************
5942      *                          Range checks
5943      *************************************************************************/
5944
5945 public:
5946     struct LoopCloneVisitorInfo
5947     {
5948         LoopCloneContext* context;
5949         unsigned          loopNum;
5950         GenTreePtr        stmt;
5951         LoopCloneVisitorInfo(LoopCloneContext* context, unsigned loopNum, GenTreePtr stmt)
5952             : context(context), loopNum(loopNum), stmt(nullptr)
5953         {
5954         }
5955     };
5956
5957     bool optIsStackLocalInvariant(unsigned loopNum, unsigned lclNum);
5958     bool optExtractArrIndex(GenTreePtr tree, ArrIndex* result, unsigned lhsNum);
5959     bool optReconstructArrIndex(GenTreePtr tree, ArrIndex* result, unsigned lhsNum);
5960     bool optIdentifyLoopOptInfo(unsigned loopNum, LoopCloneContext* context);
5961     static fgWalkPreFn optCanOptimizeByLoopCloningVisitor;
5962     fgWalkResult optCanOptimizeByLoopCloning(GenTreePtr tree, LoopCloneVisitorInfo* info);
5963     void optObtainLoopCloningOpts(LoopCloneContext* context);
5964     bool optIsLoopClonable(unsigned loopInd);
5965
5966     bool optCanCloneLoops();
5967
5968 #ifdef DEBUG
5969     void optDebugLogLoopCloning(BasicBlock* block, GenTreePtr insertBefore);
5970 #endif
5971     void optPerformStaticOptimizations(unsigned loopNum, LoopCloneContext* context DEBUGARG(bool fastPath));
5972     bool optComputeDerefConditions(unsigned loopNum, LoopCloneContext* context);
5973     bool optDeriveLoopCloningConditions(unsigned loopNum, LoopCloneContext* context);
5974     BasicBlock* optInsertLoopChoiceConditions(LoopCloneContext* context,
5975                                               unsigned          loopNum,
5976                                               BasicBlock*       head,
5977                                               BasicBlock*       slow);
5978     void optInsertLoopCloningStress(BasicBlock* head);
5979
5980 #if COUNT_RANGECHECKS
5981     static unsigned optRangeChkRmv;
5982     static unsigned optRangeChkAll;
5983 #endif
5984
5985 protected:
5986     struct arraySizes
5987     {
5988         unsigned arrayVar;
5989         int      arrayDim;
5990
5991 #define MAX_ARRAYS 4 // a magic max number of arrays tracked for bounds check elimination
5992     };
5993
5994     struct RngChkDsc
5995     {
5996         RngChkDsc* rcdNextInBucket; // used by the hash table
5997
5998         unsigned short rcdHashValue; // to make matching faster
5999         unsigned short rcdIndex;     // 0..optRngChkCount-1
6000
6001         GenTreePtr rcdTree; // the array index tree
6002     };
6003
6004     unsigned            optRngChkCount;
6005     static const size_t optRngChkHashSize;
6006
6007     ssize_t optGetArrayRefScaleAndIndex(GenTreePtr mul, GenTreePtr* pIndex DEBUGARG(bool bRngChk));
6008     GenTreePtr optFindLocalInit(BasicBlock* block, GenTreePtr local, VARSET_TP* pKilledInOut, bool* isKilledAfterInit);
6009
6010     bool optReachWithoutCall(BasicBlock* srcBB, BasicBlock* dstBB);
6011
6012 protected:
6013     bool optLoopsMarked;
6014
6015     /*
6016     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6017     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6018     XX                                                                           XX
6019     XX                           RegAlloc                                        XX
6020     XX                                                                           XX
6021     XX  Does the register allocation and puts the remaining lclVars on the stack XX
6022     XX                                                                           XX
6023     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6024     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6025     */
6026
6027 public:
6028 #ifndef LEGACY_BACKEND
6029     bool doLSRA() const
6030     {
6031         return true;
6032     }
6033 #else  // LEGACY_BACKEND
6034     bool doLSRA() const
6035     {
6036         return false;
6037     }
6038 #endif // LEGACY_BACKEND
6039
6040 #ifdef LEGACY_BACKEND
6041     void raInit();
6042     void raAssignVars(); // register allocation
6043 #endif                   // LEGACY_BACKEND
6044
6045     VARSET_TP raRegVarsMask; // Set of all enregistered variables (not including FEATURE_STACK_FP_X87 enregistered
6046                              // variables)
6047     regNumber raUpdateRegStateForArg(RegState* regState, LclVarDsc* argDsc);
6048
6049     void raMarkStkVars();
6050
6051 protected:
6052     // Some things are used by both LSRA and regpredict allocators.
6053
6054     FrameType rpFrameType;
6055     bool      rpMustCreateEBPCalled; // Set to true after we have called rpMustCreateEBPFrame once
6056
6057 #ifdef LEGACY_BACKEND
6058     regMaskTP rpMaskPInvokeEpilogIntf; // pinvoke epilog trashes esi/edi holding stack args needed to setup tail call's
6059                                        // args
6060 #endif                                 // LEGACY_BACKEND
6061
6062     bool rpMustCreateEBPFrame(INDEBUG(const char** wbReason));
6063
6064 #if FEATURE_FP_REGALLOC
6065     enum enumConfigRegisterFP
6066     {
6067         CONFIG_REGISTER_FP_NONE         = 0x0,
6068         CONFIG_REGISTER_FP_CALLEE_TRASH = 0x1,
6069         CONFIG_REGISTER_FP_CALLEE_SAVED = 0x2,
6070         CONFIG_REGISTER_FP_FULL         = 0x3,
6071     };
6072     enumConfigRegisterFP raConfigRegisterFP();
6073 #endif // FEATURE_FP_REGALLOC
6074
6075 public:
6076     regMaskTP raConfigRestrictMaskFP();
6077
6078 private:
6079 #ifndef LEGACY_BACKEND
6080     LinearScanInterface* m_pLinearScan; // Linear Scan allocator
6081 #else                                   // LEGACY_BACKEND
6082     unsigned  raAvoidArgRegMask;       // Mask of incoming argument registers that we may need to avoid
6083     VARSET_TP raLclRegIntf[REG_COUNT]; // variable to register interference graph
6084     bool      raNewBlocks;             // True is we added killing blocks for FPU registers
6085     unsigned  rpPasses;                // Number of passes made by the register predicter
6086     unsigned  rpPassesMax;             // Maximum number of passes made by the register predicter
6087     unsigned  rpPassesPessimize;       // Number of passes non-pessimizing made by the register predicter
6088     unsigned rpStkPredict; // Weighted count of variables were predicted STK (lower means register allocation is better)
6089     unsigned rpPredictSpillCnt;     // Predicted number of integer spill tmps for the current tree
6090     regMaskTP rpPredictAssignMask;  // Mask of registers to consider in rpPredictAssignRegVars()
6091     VARSET_TP rpLastUseVars;        // Set of last use variables in rpPredictTreeRegUse
6092     VARSET_TP rpUseInPlace;         // Set of variables that we used in place
6093     int       rpAsgVarNum;          // VarNum for the target of GT_ASG node
6094     bool      rpPredictAssignAgain; // Must rerun the rpPredictAssignRegVars()
6095     bool      rpAddedVarIntf;       // Set to true if we need to add a new var intf
6096     bool      rpLostEnreg;          // Set to true if we lost an enregister var that had lvDependReg set
6097     bool      rpReverseEBPenreg;    // Decided to reverse the enregistration of EBP
6098 public:
6099     bool rpRegAllocDone; // Set to true after we have completed register allocation
6100 private:
6101     regMaskTP rpPredictMap[PREDICT_COUNT]; // Holds the regMaskTP for each of the enum values
6102
6103     void raSetupArgMasks(RegState* r);
6104
6105     const regNumber* raGetRegVarOrder(var_types regType, unsigned* wbVarOrderSize);
6106 #ifdef DEBUG
6107     void raDumpVarIntf(); // Dump the variable to variable interference graph
6108     void raDumpRegIntf(); // Dump the variable to register interference graph
6109 #endif
6110     void raAdjustVarIntf();
6111
6112     regMaskTP rpPredictRegMask(rpPredictReg predictReg, var_types type);
6113
6114     bool rpRecordRegIntf(regMaskTP regMask, VARSET_VALARG_TP life DEBUGARG(const char* msg));
6115
6116     bool rpRecordVarIntf(unsigned varNum, VARSET_VALARG_TP intfVar DEBUGARG(const char* msg));
6117     regMaskTP rpPredictRegPick(var_types type, rpPredictReg predictReg, regMaskTP lockedRegs);
6118
6119     regMaskTP rpPredictGrabReg(var_types type, rpPredictReg predictReg, regMaskTP lockedRegs);
6120
6121     static fgWalkPreFn rpMarkRegIntf;
6122
6123     regMaskTP rpPredictAddressMode(
6124         GenTreePtr tree, var_types type, regMaskTP lockedRegs, regMaskTP rsvdRegs, GenTreePtr lenCSE);
6125
6126     void rpPredictRefAssign(unsigned lclNum);
6127
6128     regMaskTP rpPredictBlkAsgRegUse(GenTreePtr tree, rpPredictReg predictReg, regMaskTP lockedRegs, regMaskTP rsvdRegs);
6129
6130     regMaskTP rpPredictTreeRegUse(GenTreePtr tree, rpPredictReg predictReg, regMaskTP lockedRegs, regMaskTP rsvdRegs);
6131
6132     regMaskTP rpPredictAssignRegVars(regMaskTP regAvail);
6133
6134     void rpPredictRegUse(); // Entry point
6135
6136     unsigned raPredictTreeRegUse(GenTreePtr tree);
6137     unsigned raPredictListRegUse(GenTreePtr list);
6138
6139     void raSetRegVarOrder(var_types  regType,
6140                           regNumber* customVarOrder,
6141                           unsigned*  customVarOrderSize,
6142                           regMaskTP  prefReg,
6143                           regMaskTP  avoidReg);
6144
6145     // We use (unsigned)-1 as an uninitialized sentinel for rpStkPredict and
6146     // also as the maximum value of lvRefCntWtd. Don't allow overflow, and
6147     // saturate at UINT_MAX - 1, to avoid using the sentinel.
6148     void raAddToStkPredict(unsigned val)
6149     {
6150         unsigned newStkPredict = rpStkPredict + val;
6151         if ((newStkPredict < rpStkPredict) || (newStkPredict == UINT_MAX))
6152             rpStkPredict = UINT_MAX - 1;
6153         else
6154             rpStkPredict = newStkPredict;
6155     }
6156
6157 #ifdef DEBUG
6158 #if !FEATURE_FP_REGALLOC
6159     void raDispFPlifeInfo();
6160 #endif
6161 #endif
6162
6163     regMaskTP genReturnRegForTree(GenTreePtr tree);
6164 #endif // LEGACY_BACKEND
6165
6166     /* raIsVarargsStackArg is called by raMaskStkVars and by
6167        lvaSortByRefCount.  It identifies the special case
6168        where a varargs function has a parameter passed on the
6169        stack, other than the special varargs handle.  Such parameters
6170        require special treatment, because they cannot be tracked
6171        by the GC (their offsets in the stack are not known
6172        at compile time).
6173     */
6174
6175     bool raIsVarargsStackArg(unsigned lclNum)
6176     {
6177 #ifdef _TARGET_X86_
6178
6179         LclVarDsc* varDsc = &lvaTable[lclNum];
6180
6181         assert(varDsc->lvIsParam);
6182
6183         return (info.compIsVarArgs && !varDsc->lvIsRegArg && (lclNum != lvaVarargsHandleArg));
6184
6185 #else // _TARGET_X86_
6186
6187         return false;
6188
6189 #endif // _TARGET_X86_
6190     }
6191
6192 #ifdef LEGACY_BACKEND
6193     // Records the current prediction, if it's better than any previous recorded prediction.
6194     void rpRecordPrediction();
6195     // Applies the best recorded prediction, if one exists and is better than the current prediction.
6196     void rpUseRecordedPredictionIfBetter();
6197
6198     // Data members used in the methods above.
6199     unsigned rpBestRecordedStkPredict;
6200     struct VarRegPrediction
6201     {
6202         bool           m_isEnregistered;
6203         regNumberSmall m_regNum;
6204         regNumberSmall m_otherReg;
6205     };
6206     VarRegPrediction* rpBestRecordedPrediction;
6207 #endif // LEGACY_BACKEND
6208
6209     /*
6210     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6211     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6212     XX                                                                           XX
6213     XX                           EEInterface                                     XX
6214     XX                                                                           XX
6215     XX   Get to the class and method info from the Execution Engine given        XX
6216     XX   tokens for the class and method                                         XX
6217     XX                                                                           XX
6218     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6219     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6220     */
6221
6222 public:
6223     /* These are the different addressing modes used to access a local var.
6224      * The JIT has to report the location of the locals back to the EE
6225      * for debugging purposes.
6226      */
6227
6228     enum siVarLocType
6229     {
6230         VLT_REG,
6231         VLT_REG_BYREF, // this type is currently only used for value types on X64
6232         VLT_REG_FP,
6233         VLT_STK,
6234         VLT_STK_BYREF, // this type is currently only used for value types on X64
6235         VLT_REG_REG,
6236         VLT_REG_STK,
6237         VLT_STK_REG,
6238         VLT_STK2,
6239         VLT_FPSTK,
6240         VLT_FIXED_VA,
6241
6242         VLT_COUNT,
6243         VLT_INVALID
6244     };
6245
6246     struct siVarLoc
6247     {
6248         siVarLocType vlType;
6249
6250         union {
6251             // VLT_REG/VLT_REG_FP -- Any pointer-sized enregistered value (TYP_INT, TYP_REF, etc)
6252             // eg. EAX
6253             // VLT_REG_BYREF -- the specified register contains the address of the variable
6254             // eg. [EAX]
6255
6256             struct
6257             {
6258                 regNumber vlrReg;
6259             } vlReg;
6260
6261             // VLT_STK       -- Any 32 bit value which is on the stack
6262             // eg. [ESP+0x20], or [EBP-0x28]
6263             // VLT_STK_BYREF -- the specified stack location contains the address of the variable
6264             // eg. mov EAX, [ESP+0x20]; [EAX]
6265
6266             struct
6267             {
6268                 regNumber     vlsBaseReg;
6269                 NATIVE_OFFSET vlsOffset;
6270             } vlStk;
6271
6272             // VLT_REG_REG -- TYP_LONG/TYP_DOUBLE with both DWords enregistered
6273             // eg. RBM_EAXEDX
6274
6275             struct
6276             {
6277                 regNumber vlrrReg1;
6278                 regNumber vlrrReg2;
6279             } vlRegReg;
6280
6281             // VLT_REG_STK -- Partly enregistered TYP_LONG/TYP_DOUBLE
6282             // eg { LowerDWord=EAX UpperDWord=[ESP+0x8] }
6283
6284             struct
6285             {
6286                 regNumber vlrsReg;
6287
6288                 struct
6289                 {
6290                     regNumber     vlrssBaseReg;
6291                     NATIVE_OFFSET vlrssOffset;
6292                 } vlrsStk;
6293             } vlRegStk;
6294
6295             // VLT_STK_REG -- Partly enregistered TYP_LONG/TYP_DOUBLE
6296             // eg { LowerDWord=[ESP+0x8] UpperDWord=EAX }
6297
6298             struct
6299             {
6300                 struct
6301                 {
6302                     regNumber     vlsrsBaseReg;
6303                     NATIVE_OFFSET vlsrsOffset;
6304                 } vlsrStk;
6305
6306                 regNumber vlsrReg;
6307             } vlStkReg;
6308
6309             // VLT_STK2 -- Any 64 bit value which is on the stack, in 2 successsive DWords
6310             // eg 2 DWords at [ESP+0x10]
6311
6312             struct
6313             {
6314                 regNumber     vls2BaseReg;
6315                 NATIVE_OFFSET vls2Offset;
6316             } vlStk2;
6317
6318             // VLT_FPSTK -- enregisterd TYP_DOUBLE (on the FP stack)
6319             // eg. ST(3). Actually it is ST("FPstkHeight - vpFpStk")
6320
6321             struct
6322             {
6323                 unsigned vlfReg;
6324             } vlFPstk;
6325
6326             // VLT_FIXED_VA -- fixed argument of a varargs function.
6327             // The argument location depends on the size of the variable
6328             // arguments (...). Inspecting the VARARGS_HANDLE indicates the
6329             // location of the first arg. This argument can then be accessed
6330             // relative to the position of the first arg
6331
6332             struct
6333             {
6334                 unsigned vlfvOffset;
6335             } vlFixedVarArg;
6336
6337             // VLT_MEMORY
6338
6339             struct
6340             {
6341                 void* rpValue; // pointer to the in-process
6342                                // location of the value.
6343             } vlMemory;
6344         };
6345
6346         // Helper functions
6347
6348         bool vlIsInReg(regNumber reg);
6349         bool vlIsOnStk(regNumber reg, signed offset);
6350     };
6351
6352     /*************************************************************************/
6353
6354 public:
6355     // Get handles
6356
6357     void eeGetCallInfo(CORINFO_RESOLVED_TOKEN* pResolvedToken,
6358                        CORINFO_RESOLVED_TOKEN* pConstrainedToken,
6359                        CORINFO_CALLINFO_FLAGS  flags,
6360                        CORINFO_CALL_INFO*      pResult);
6361     inline CORINFO_CALLINFO_FLAGS addVerifyFlag(CORINFO_CALLINFO_FLAGS flags);
6362
6363     void eeGetFieldInfo(CORINFO_RESOLVED_TOKEN* pResolvedToken,
6364                         CORINFO_ACCESS_FLAGS    flags,
6365                         CORINFO_FIELD_INFO*     pResult);
6366
6367     // Get the flags
6368
6369     BOOL eeIsValueClass(CORINFO_CLASS_HANDLE clsHnd);
6370
6371 #if defined(DEBUG) || defined(FEATURE_JIT_METHOD_PERF) || defined(FEATURE_SIMD) || defined(TRACK_LSRA_STATS)
6372
6373     bool IsSuperPMIException(unsigned code)
6374     {
6375         // Copied from NDP\clr\src\ToolBox\SuperPMI\SuperPMI-Shared\ErrorHandling.h
6376
6377         const unsigned EXCEPTIONCODE_DebugBreakorAV = 0xe0421000;
6378         const unsigned EXCEPTIONCODE_MC             = 0xe0422000;
6379         const unsigned EXCEPTIONCODE_LWM            = 0xe0423000;
6380         const unsigned EXCEPTIONCODE_SASM           = 0xe0424000;
6381         const unsigned EXCEPTIONCODE_SSYM           = 0xe0425000;
6382         const unsigned EXCEPTIONCODE_CALLUTILS      = 0xe0426000;
6383         const unsigned EXCEPTIONCODE_TYPEUTILS      = 0xe0427000;
6384         const unsigned EXCEPTIONCODE_ASSERT         = 0xe0440000;
6385
6386         switch (code)
6387         {
6388             case EXCEPTIONCODE_DebugBreakorAV:
6389             case EXCEPTIONCODE_MC:
6390             case EXCEPTIONCODE_LWM:
6391             case EXCEPTIONCODE_SASM:
6392             case EXCEPTIONCODE_SSYM:
6393             case EXCEPTIONCODE_CALLUTILS:
6394             case EXCEPTIONCODE_TYPEUTILS:
6395             case EXCEPTIONCODE_ASSERT:
6396                 return true;
6397             default:
6398                 return false;
6399         }
6400     }
6401
6402     const char* eeGetMethodName(CORINFO_METHOD_HANDLE hnd, const char** className);
6403     const char* eeGetMethodFullName(CORINFO_METHOD_HANDLE hnd);
6404
6405     bool eeIsNativeMethod(CORINFO_METHOD_HANDLE method);
6406     CORINFO_METHOD_HANDLE eeGetMethodHandleForNative(CORINFO_METHOD_HANDLE method);
6407 #endif
6408
6409     var_types eeGetArgType(CORINFO_ARG_LIST_HANDLE list, CORINFO_SIG_INFO* sig);
6410     var_types eeGetArgType(CORINFO_ARG_LIST_HANDLE list, CORINFO_SIG_INFO* sig, bool* isPinned);
6411     unsigned eeGetArgSize(CORINFO_ARG_LIST_HANDLE list, CORINFO_SIG_INFO* sig);
6412
6413     // VOM info, method sigs
6414
6415     void eeGetSig(unsigned               sigTok,
6416                   CORINFO_MODULE_HANDLE  scope,
6417                   CORINFO_CONTEXT_HANDLE context,
6418                   CORINFO_SIG_INFO*      retSig);
6419
6420     void eeGetCallSiteSig(unsigned               sigTok,
6421                           CORINFO_MODULE_HANDLE  scope,
6422                           CORINFO_CONTEXT_HANDLE context,
6423                           CORINFO_SIG_INFO*      retSig);
6424
6425     void eeGetMethodSig(CORINFO_METHOD_HANDLE methHnd, CORINFO_SIG_INFO* retSig, CORINFO_CLASS_HANDLE owner = nullptr);
6426
6427     // Method entry-points, instrs
6428
6429     void* eeGetFieldAddress(CORINFO_FIELD_HANDLE handle, void*** ppIndir);
6430
6431     CORINFO_METHOD_HANDLE eeMarkNativeTarget(CORINFO_METHOD_HANDLE method);
6432
6433     CORINFO_EE_INFO eeInfo;
6434     bool            eeInfoInitialized;
6435
6436     CORINFO_EE_INFO* eeGetEEInfo();
6437
6438     // Gets the offset of a SDArray's first element
6439     unsigned eeGetArrayDataOffset(var_types type);
6440     // Gets the offset of a MDArray's first element
6441     unsigned eeGetMDArrayDataOffset(var_types type, unsigned rank);
6442
6443     GenTreePtr eeGetPInvokeCookie(CORINFO_SIG_INFO* szMetaSig);
6444
6445     // Returns the page size for the target machine as reported by the EE.
6446     inline size_t eeGetPageSize()
6447     {
6448 #if COR_JIT_EE_VERSION > 460
6449         return eeGetEEInfo()->osPageSize;
6450 #else  // COR_JIT_EE_VERSION <= 460
6451         return CORINFO_PAGE_SIZE;
6452 #endif // COR_JIT_EE_VERSION > 460
6453     }
6454
6455     // Returns the frame size at which we will generate a loop to probe the stack.
6456     inline size_t getVeryLargeFrameSize()
6457     {
6458 #ifdef _TARGET_ARM_
6459         // The looping probe code is 40 bytes, whereas the straight-line probing for
6460         // the (0x2000..0x3000) case is 44, so use looping for anything 0x2000 bytes
6461         // or greater, to generate smaller code.
6462         return 2 * eeGetPageSize();
6463 #else
6464         return 3 * eeGetPageSize();
6465 #endif
6466     }
6467
6468     inline bool IsTargetAbi(CORINFO_RUNTIME_ABI abi)
6469     {
6470 #if COR_JIT_EE_VERSION > 460
6471         return eeGetEEInfo()->targetAbi == abi;
6472 #else
6473         return CORINFO_DESKTOP_ABI == abi;
6474 #endif
6475     }
6476
6477     inline bool generateCFIUnwindCodes()
6478     {
6479 #ifdef UNIX_AMD64_ABI
6480         return IsTargetAbi(CORINFO_CORERT_ABI);
6481 #else
6482         return false;
6483 #endif
6484     }
6485
6486     // Exceptions
6487
6488     unsigned eeGetEHcount(CORINFO_METHOD_HANDLE handle);
6489
6490     // Debugging support - Line number info
6491
6492     void eeGetStmtOffsets();
6493
6494     unsigned eeBoundariesCount;
6495
6496     struct boundariesDsc
6497     {
6498         UNATIVE_OFFSET nativeIP;
6499         IL_OFFSET      ilOffset;
6500         unsigned       sourceReason;
6501     } * eeBoundaries; // Boundaries to report to EE
6502     void eeSetLIcount(unsigned count);
6503     void eeSetLIinfo(unsigned which, UNATIVE_OFFSET offs, unsigned srcIP, bool stkEmpty, bool callInstruction);
6504     void eeSetLIdone();
6505
6506 #ifdef DEBUG
6507     static void eeDispILOffs(IL_OFFSET offs);
6508     static void eeDispLineInfo(const boundariesDsc* line);
6509     void eeDispLineInfos();
6510 #endif // DEBUG
6511
6512     // Debugging support - Local var info
6513
6514     void eeGetVars();
6515
6516     unsigned eeVarsCount;
6517
6518     struct VarResultInfo
6519     {
6520         UNATIVE_OFFSET startOffset;
6521         UNATIVE_OFFSET endOffset;
6522         DWORD          varNumber;
6523         siVarLoc       loc;
6524     } * eeVars;
6525     void eeSetLVcount(unsigned count);
6526     void eeSetLVinfo(unsigned        which,
6527                      UNATIVE_OFFSET  startOffs,
6528                      UNATIVE_OFFSET  length,
6529                      unsigned        varNum,
6530                      unsigned        LVnum,
6531                      VarName         namex,
6532                      bool            avail,
6533                      const siVarLoc& loc);
6534     void eeSetLVdone();
6535
6536 #ifdef DEBUG
6537     void eeDispVar(ICorDebugInfo::NativeVarInfo* var);
6538     void eeDispVars(CORINFO_METHOD_HANDLE ftn, ULONG32 cVars, ICorDebugInfo::NativeVarInfo* vars);
6539 #endif // DEBUG
6540
6541     // ICorJitInfo wrappers
6542
6543     void eeReserveUnwindInfo(BOOL isFunclet, BOOL isColdCode, ULONG unwindSize);
6544
6545     void eeAllocUnwindInfo(BYTE*          pHotCode,
6546                            BYTE*          pColdCode,
6547                            ULONG          startOffset,
6548                            ULONG          endOffset,
6549                            ULONG          unwindSize,
6550                            BYTE*          pUnwindBlock,
6551                            CorJitFuncKind funcKind);
6552
6553     void eeSetEHcount(unsigned cEH);
6554
6555     void eeSetEHinfo(unsigned EHnumber, const CORINFO_EH_CLAUSE* clause);
6556
6557     WORD eeGetRelocTypeHint(void* target);
6558
6559     // ICorStaticInfo wrapper functions
6560
6561     bool eeTryResolveToken(CORINFO_RESOLVED_TOKEN* resolvedToken);
6562
6563 #if defined(FEATURE_UNIX_AMD64_STRUCT_PASSING)
6564 #ifdef DEBUG
6565     static void dumpSystemVClassificationType(SystemVClassificationType ct);
6566 #endif // DEBUG
6567
6568     void eeGetSystemVAmd64PassStructInRegisterDescriptor(
6569         /*IN*/ CORINFO_CLASS_HANDLE                                  structHnd,
6570         /*OUT*/ SYSTEMV_AMD64_CORINFO_STRUCT_REG_PASSING_DESCRIPTOR* structPassInRegDescPtr);
6571 #endif // FEATURE_UNIX_AMD64_STRUCT_PASSING
6572
6573     template <typename ParamType>
6574     bool eeRunWithErrorTrap(void (*function)(ParamType*), ParamType* param)
6575     {
6576         return eeRunWithErrorTrapImp(reinterpret_cast<void (*)(void*)>(function), reinterpret_cast<void*>(param));
6577     }
6578
6579     bool eeRunWithErrorTrapImp(void (*function)(void*), void* param);
6580
6581     // Utility functions
6582
6583     const char* eeGetFieldName(CORINFO_FIELD_HANDLE fieldHnd, const char** classNamePtr = nullptr);
6584
6585 #if defined(DEBUG)
6586     const wchar_t* eeGetCPString(size_t stringHandle);
6587 #endif
6588
6589     const char* eeGetClassName(CORINFO_CLASS_HANDLE clsHnd);
6590
6591     static CORINFO_METHOD_HANDLE eeFindHelper(unsigned helper);
6592     static CorInfoHelpFunc eeGetHelperNum(CORINFO_METHOD_HANDLE method);
6593
6594     static fgWalkPreFn CountSharedStaticHelper;
6595     static bool IsSharedStaticHelper(GenTreePtr tree);
6596     static bool IsTreeAlwaysHoistable(GenTreePtr tree);
6597
6598     static CORINFO_FIELD_HANDLE eeFindJitDataOffs(unsigned jitDataOffs);
6599     // returns true/false if 'field' is a Jit Data offset
6600     static bool eeIsJitDataOffs(CORINFO_FIELD_HANDLE field);
6601     // returns a number < 0 if 'field' is not a Jit Data offset, otherwise the data offset (limited to 2GB)
6602     static int eeGetJitDataOffs(CORINFO_FIELD_HANDLE field);
6603
6604     /*****************************************************************************/
6605
6606 public:
6607     void tmpInit();
6608
6609     enum TEMP_USAGE_TYPE
6610     {
6611         TEMP_USAGE_FREE,
6612         TEMP_USAGE_USED
6613     };
6614
6615     static var_types tmpNormalizeType(var_types type);
6616     TempDsc* tmpGetTemp(var_types type); // get temp for the given type
6617     void tmpRlsTemp(TempDsc* temp);
6618     TempDsc* tmpFindNum(int temp, TEMP_USAGE_TYPE usageType = TEMP_USAGE_FREE) const;
6619
6620     void     tmpEnd();
6621     TempDsc* tmpListBeg(TEMP_USAGE_TYPE usageType = TEMP_USAGE_FREE) const;
6622     TempDsc* tmpListNxt(TempDsc* curTemp, TEMP_USAGE_TYPE usageType = TEMP_USAGE_FREE) const;
6623     void tmpDone();
6624
6625 #ifdef DEBUG
6626     bool tmpAllFree() const;
6627 #endif // DEBUG
6628
6629 #ifndef LEGACY_BACKEND
6630     void tmpPreAllocateTemps(var_types type, unsigned count);
6631 #endif // !LEGACY_BACKEND
6632
6633 protected:
6634 #ifdef LEGACY_BACKEND
6635     unsigned tmpIntSpillMax;    // number of int-sized spill temps
6636     unsigned tmpDoubleSpillMax; // number of double-sized spill temps
6637 #endif                          // LEGACY_BACKEND
6638
6639     unsigned tmpCount; // Number of temps
6640     unsigned tmpSize;  // Size of all the temps
6641 #ifdef DEBUG
6642 public:
6643     // Used by RegSet::rsSpillChk()
6644     unsigned tmpGetCount; // Temps which haven't been released yet
6645 #endif
6646 private:
6647     static unsigned tmpSlot(unsigned size); // which slot in tmpFree[] or tmpUsed[] to use
6648
6649     TempDsc* tmpFree[TEMP_MAX_SIZE / sizeof(int)];
6650     TempDsc* tmpUsed[TEMP_MAX_SIZE / sizeof(int)];
6651
6652     /*
6653     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6654     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6655     XX                                                                           XX
6656     XX                           CodeGenerator                                   XX
6657     XX                                                                           XX
6658     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6659     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6660     */
6661
6662 public:
6663     CodeGenInterface* codeGen;
6664
6665     //  The following holds information about instr offsets in terms of generated code.
6666
6667     struct IPmappingDsc
6668     {
6669         IPmappingDsc* ipmdNext;      // next line# record
6670         IL_OFFSETX    ipmdILoffsx;   // the instr offset
6671         emitLocation  ipmdNativeLoc; // the emitter location of the native code corresponding to the IL offset
6672         bool          ipmdIsLabel;   // Can this code be a branch label?
6673     };
6674
6675     // Record the instr offset mapping to the generated code
6676
6677     IPmappingDsc* genIPmappingList;
6678     IPmappingDsc* genIPmappingLast;
6679
6680     // Managed RetVal - A side hash table meant to record the mapping from a
6681     // GT_CALL node to its IL offset.  This info is used to emit sequence points
6682     // that can be used by debugger to determine the native offset at which the
6683     // managed RetVal will be available.
6684     //
6685     // In fact we can store IL offset in a GT_CALL node.  This was ruled out in
6686     // favor of a side table for two reasons: 1) We need IL offset for only those
6687     // GT_CALL nodes (created during importation) that correspond to an IL call and
6688     // whose return type is other than TYP_VOID. 2) GT_CALL node is a frequently used
6689     // structure and IL offset is needed only when generating debuggable code. Therefore
6690     // it is desirable to avoid memory size penalty in retail scenarios.
6691     typedef SimplerHashTable<GenTreePtr, PtrKeyFuncs<GenTree>, IL_OFFSETX, JitSimplerHashBehavior>
6692                            CallSiteILOffsetTable;
6693     CallSiteILOffsetTable* genCallSite2ILOffsetMap;
6694
6695     unsigned    genReturnLocal; // Local number for the return value when applicable.
6696     BasicBlock* genReturnBB;    // jumped to when not optimizing for speed.
6697
6698     // The following properties are part of CodeGenContext.  Getters are provided here for
6699     // convenience and backward compatibility, but the properties can only be set by invoking
6700     // the setter on CodeGenContext directly.
6701
6702     __declspec(property(get = getEmitter)) emitter* genEmitter;
6703     emitter* getEmitter()
6704     {
6705         return codeGen->getEmitter();
6706     }
6707
6708     const bool isFramePointerUsed()
6709     {
6710         return codeGen->isFramePointerUsed();
6711     }
6712
6713     __declspec(property(get = getInterruptible, put = setInterruptible)) bool genInterruptible;
6714     bool getInterruptible()
6715     {
6716         return codeGen->genInterruptible;
6717     }
6718     void setInterruptible(bool value)
6719     {
6720         codeGen->setInterruptible(value);
6721     }
6722
6723 #if DOUBLE_ALIGN
6724     const bool genDoubleAlign()
6725     {
6726         return codeGen->doDoubleAlign();
6727     }
6728     DWORD getCanDoubleAlign();
6729     bool shouldDoubleAlign(unsigned refCntStk,
6730                            unsigned refCntReg,
6731                            unsigned refCntWtdReg,
6732                            unsigned refCntStkParam,
6733                            unsigned refCntWtdStkDbl);
6734 #endif // DOUBLE_ALIGN
6735
6736     __declspec(property(get = getFullPtrRegMap, put = setFullPtrRegMap)) bool genFullPtrRegMap;
6737     bool getFullPtrRegMap()
6738     {
6739         return codeGen->genFullPtrRegMap;
6740     }
6741     void setFullPtrRegMap(bool value)
6742     {
6743         codeGen->setFullPtrRegMap(value);
6744     }
6745
6746 // Things that MAY belong either in CodeGen or CodeGenContext
6747
6748 #if FEATURE_EH_FUNCLETS
6749     FuncInfoDsc*   compFuncInfos;
6750     unsigned short compCurrFuncIdx;
6751     unsigned short compFuncInfoCount;
6752
6753     unsigned short compFuncCount()
6754     {
6755         assert(fgFuncletsCreated);
6756         return compFuncInfoCount;
6757     }
6758
6759 #else // !FEATURE_EH_FUNCLETS
6760
6761     // This is a no-op when there are no funclets!
6762     void genUpdateCurrentFunclet(BasicBlock* block)
6763     {
6764         return;
6765     }
6766
6767     FuncInfoDsc compFuncInfoRoot;
6768
6769     static const unsigned compCurrFuncIdx = 0;
6770
6771     unsigned short compFuncCount()
6772     {
6773         return 1;
6774     }
6775
6776 #endif // !FEATURE_EH_FUNCLETS
6777
6778     FuncInfoDsc* funCurrentFunc();
6779     void funSetCurrentFunc(unsigned funcIdx);
6780     FuncInfoDsc* funGetFunc(unsigned funcIdx);
6781     unsigned int funGetFuncIdx(BasicBlock* block);
6782
6783     // LIVENESS
6784
6785     VARSET_TP  compCurLife;     // current live variables
6786     GenTreePtr compCurLifeTree; // node after which compCurLife has been computed
6787
6788     template <bool ForCodeGen>
6789     void compChangeLife(VARSET_VALARG_TP newLife DEBUGARG(GenTreePtr tree));
6790
6791     void genChangeLife(VARSET_VALARG_TP newLife DEBUGARG(GenTreePtr tree))
6792     {
6793         compChangeLife</*ForCodeGen*/ true>(newLife DEBUGARG(tree));
6794     }
6795
6796     template <bool ForCodeGen>
6797     void compUpdateLife(GenTreePtr tree);
6798
6799     // Updates "compCurLife" to its state after evaluate of "true".  If "pLastUseVars" is
6800     // non-null, sets "*pLastUseVars" to the set of tracked variables for which "tree" was a last
6801     // use.  (Can be more than one var in the case of dependently promoted struct vars.)
6802     template <bool ForCodeGen>
6803     void compUpdateLifeVar(GenTreePtr tree, VARSET_TP* pLastUseVars = nullptr);
6804
6805     template <bool ForCodeGen>
6806     inline void compUpdateLife(VARSET_VALARG_TP newLife);
6807
6808     // Gets a register mask that represent the kill set for a helper call since
6809     // not all JIT Helper calls follow the standard ABI on the target architecture.
6810     regMaskTP compHelperCallKillSet(CorInfoHelpFunc helper);
6811
6812     // Gets a register mask that represent the kill set for a NoGC helper call.
6813     regMaskTP compNoGCHelperCallKillSet(CorInfoHelpFunc helper);
6814
6815 #ifdef _TARGET_ARM_
6816     // Requires that "varDsc" be a promoted struct local variable being passed as an argument, beginning at
6817     // "firstArgRegNum", which is assumed to have already been aligned to the register alignment restriction of the
6818     // struct type. Adds bits to "*pArgSkippedRegMask" for any argument registers *not* used in passing "varDsc" --
6819     // i.e., internal "holes" caused by internal alignment constraints.  For example, if the struct contained an int and
6820     // a double, and we at R0 (on ARM), then R1 would be skipped, and the bit for R1 would be added to the mask.
6821     void fgAddSkippedRegsInPromotedStructArg(LclVarDsc* varDsc, unsigned firstArgRegNum, regMaskTP* pArgSkippedRegMask);
6822 #endif // _TARGET_ARM_
6823
6824     // If "tree" is a indirection (GT_IND, or GT_OBJ) whose arg is an ADDR, whose arg is a LCL_VAR, return that LCL_VAR
6825     // node, else NULL.
6826     static GenTreePtr fgIsIndirOfAddrOfLocal(GenTreePtr tree);
6827
6828     // This is indexed by GT_OBJ nodes that are address of promoted struct variables, which
6829     // have been annotated with the GTF_VAR_DEATH flag.  If such a node is *not* mapped in this
6830     // table, one may assume that all the (tracked) field vars die at this point.  Otherwise,
6831     // the node maps to a pointer to a VARSET_TP, containing set bits for each of the tracked field
6832     // vars of the promoted struct local that go dead at the given node (the set bits are the bits
6833     // for the tracked var indices of the field vars, as in a live var set).
6834     NodeToVarsetPtrMap* m_promotedStructDeathVars;
6835
6836     NodeToVarsetPtrMap* GetPromotedStructDeathVars()
6837     {
6838         if (m_promotedStructDeathVars == nullptr)
6839         {
6840             m_promotedStructDeathVars = new (getAllocator()) NodeToVarsetPtrMap(getAllocator());
6841         }
6842         return m_promotedStructDeathVars;
6843     }
6844
6845 /*
6846 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6847 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6848 XX                                                                           XX
6849 XX                           UnwindInfo                                      XX
6850 XX                                                                           XX
6851 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6852 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6853 */
6854
6855 #if !defined(__GNUC__)
6856 #pragma region Unwind information
6857 #endif
6858
6859 public:
6860     //
6861     // Infrastructure functions: start/stop/reserve/emit.
6862     //
6863
6864     void unwindBegProlog();
6865     void unwindEndProlog();
6866     void unwindBegEpilog();
6867     void unwindEndEpilog();
6868     void unwindReserve();
6869     void unwindEmit(void* pHotCode, void* pColdCode);
6870
6871     //
6872     // Specific unwind information functions: called by code generation to indicate a particular
6873     // prolog or epilog unwindable instruction has been generated.
6874     //
6875
6876     void unwindPush(regNumber reg);
6877     void unwindAllocStack(unsigned size);
6878     void unwindSetFrameReg(regNumber reg, unsigned offset);
6879     void unwindSaveReg(regNumber reg, unsigned offset);
6880
6881 #if defined(_TARGET_ARM_)
6882     void unwindPushMaskInt(regMaskTP mask);
6883     void unwindPushMaskFloat(regMaskTP mask);
6884     void unwindPopMaskInt(regMaskTP mask);
6885     void unwindPopMaskFloat(regMaskTP mask);
6886     void unwindBranch16();                    // The epilog terminates with a 16-bit branch (e.g., "bx lr")
6887     void unwindNop(unsigned codeSizeInBytes); // Generate unwind NOP code. 'codeSizeInBytes' is 2 or 4 bytes. Only
6888                                               // called via unwindPadding().
6889     void unwindPadding(); // Generate a sequence of unwind NOP codes representing instructions between the last
6890                           // instruction and the current location.
6891 #endif                    // _TARGET_ARM_
6892
6893 #if defined(_TARGET_ARM64_)
6894     void unwindNop();
6895     void unwindPadding(); // Generate a sequence of unwind NOP codes representing instructions between the last
6896                           // instruction and the current location.
6897     void unwindSaveReg(regNumber reg, int offset);                                // str reg, [sp, #offset]
6898     void unwindSaveRegPreindexed(regNumber reg, int offset);                      // str reg, [sp, #offset]!
6899     void unwindSaveRegPair(regNumber reg1, regNumber reg2, int offset);           // stp reg1, reg2, [sp, #offset]
6900     void unwindSaveRegPairPreindexed(regNumber reg1, regNumber reg2, int offset); // stp reg1, reg2, [sp, #offset]!
6901     void unwindSaveNext();                                                        // unwind code: save_next
6902     void unwindReturn(regNumber reg);                                             // ret lr
6903 #endif                                                                            // defined(_TARGET_ARM64_)
6904
6905     //
6906     // Private "helper" functions for the unwind implementation.
6907     //
6908
6909 private:
6910 #if FEATURE_EH_FUNCLETS
6911     void unwindGetFuncLocations(FuncInfoDsc*             func,
6912                                 bool                     getHotSectionData,
6913                                 /* OUT */ emitLocation** ppStartLoc,
6914                                 /* OUT */ emitLocation** ppEndLoc);
6915 #endif // FEATURE_EH_FUNCLETS
6916
6917     void unwindReserveFunc(FuncInfoDsc* func);
6918     void unwindEmitFunc(FuncInfoDsc* func, void* pHotCode, void* pColdCode);
6919
6920 #if defined(_TARGET_AMD64_) || (defined(_TARGET_X86_) && FEATURE_EH_FUNCLETS)
6921
6922     void unwindReserveFuncHelper(FuncInfoDsc* func, bool isHotCode);
6923     void unwindEmitFuncHelper(FuncInfoDsc* func, void* pHotCode, void* pColdCode, bool isHotCode);
6924
6925 #endif // _TARGET_AMD64_ || (_TARGET_X86_ && FEATURE_EH_FUNCLETS)
6926
6927 #if defined(_TARGET_AMD64_)
6928
6929     UNATIVE_OFFSET unwindGetCurrentOffset(FuncInfoDsc* func);
6930
6931     void unwindBegPrologWindows();
6932     void unwindPushWindows(regNumber reg);
6933     void unwindAllocStackWindows(unsigned size);
6934     void unwindSetFrameRegWindows(regNumber reg, unsigned offset);
6935     void unwindSaveRegWindows(regNumber reg, unsigned offset);
6936
6937 #ifdef UNIX_AMD64_ABI
6938     void unwindBegPrologCFI();
6939     void unwindPushCFI(regNumber reg);
6940     void unwindAllocStackCFI(unsigned size);
6941     void unwindSetFrameRegCFI(regNumber reg, unsigned offset);
6942     void unwindSaveRegCFI(regNumber reg, unsigned offset);
6943     int mapRegNumToDwarfReg(regNumber reg);
6944     void createCfiCode(FuncInfoDsc* func, UCHAR codeOffset, UCHAR opcode, USHORT dwarfReg, INT offset = 0);
6945 #endif // UNIX_AMD64_ABI
6946 #elif defined(_TARGET_ARM_)
6947
6948     void unwindPushPopMaskInt(regMaskTP mask, bool useOpsize16);
6949     void unwindPushPopMaskFloat(regMaskTP mask);
6950     void unwindSplit(FuncInfoDsc* func);
6951
6952 #endif // _TARGET_ARM_
6953
6954 #if !defined(__GNUC__)
6955 #pragma endregion // Note: region is NOT under !defined(__GNUC__)
6956 #endif
6957
6958     /*
6959     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6960     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6961     XX                                                                           XX
6962     XX                               SIMD                                        XX
6963     XX                                                                           XX
6964     XX   Info about SIMD types, methods and the SIMD assembly (i.e. the assembly XX
6965     XX   that contains the distinguished, well-known SIMD type definitions).     XX
6966     XX                                                                           XX
6967     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6968     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
6969     */
6970
6971     // Get highest available instruction set for floating point codegen
6972     InstructionSet getFloatingPointInstructionSet()
6973     {
6974 #if defined(_TARGET_XARCH_) && !defined(LEGACY_BACKEND)
6975         if (canUseAVX())
6976         {
6977             return InstructionSet_AVX;
6978         }
6979
6980         if (CanUseSSE3_4())
6981         {
6982             return InstructionSet_SSE3_4;
6983         }
6984
6985         // min bar is SSE2
6986         assert(canUseSSE2());
6987         return InstructionSet_SSE2;
6988 #else
6989         assert(!"getFPInstructionSet() is not implemented for target arch");
6990         unreached();
6991         return InstructionSet_NONE;
6992 #endif
6993     }
6994
6995     // Get highest available instruction set for SIMD codegen
6996     InstructionSet getSIMDInstructionSet()
6997     {
6998 #if defined(_TARGET_XARCH_) && !defined(LEGACY_BACKEND)
6999         return getFloatingPointInstructionSet();
7000 #else
7001         assert(!"Available instruction set(s) for SIMD codegen is not defined for target arch");
7002         unreached();
7003         return InstructionSet_NONE;
7004 #endif
7005     }
7006
7007 #ifdef FEATURE_SIMD
7008
7009     // Should we support SIMD intrinsics?
7010     bool featureSIMD;
7011
7012     // Have we identified any SIMD types?
7013     // This is currently used by struct promotion to avoid getting type information for a struct
7014     // field to see if it is a SIMD type, if we haven't seen any SIMD types or operations in
7015     // the method.
7016     bool _usesSIMDTypes;
7017     bool usesSIMDTypes()
7018     {
7019         return _usesSIMDTypes;
7020     }
7021     void setUsesSIMDTypes(bool value)
7022     {
7023         _usesSIMDTypes = value;
7024     }
7025
7026     // This is a temp lclVar allocated on the stack as TYP_SIMD.  It is used to implement intrinsics
7027     // that require indexed access to the individual fields of the vector, which is not well supported
7028     // by the hardware.  It is allocated when/if such situations are encountered during Lowering.
7029     unsigned lvaSIMDInitTempVarNum;
7030
7031     // SIMD Types
7032     CORINFO_CLASS_HANDLE SIMDFloatHandle;
7033     CORINFO_CLASS_HANDLE SIMDDoubleHandle;
7034     CORINFO_CLASS_HANDLE SIMDIntHandle;
7035     CORINFO_CLASS_HANDLE SIMDUShortHandle;
7036     CORINFO_CLASS_HANDLE SIMDUByteHandle;
7037     CORINFO_CLASS_HANDLE SIMDShortHandle;
7038     CORINFO_CLASS_HANDLE SIMDByteHandle;
7039     CORINFO_CLASS_HANDLE SIMDLongHandle;
7040     CORINFO_CLASS_HANDLE SIMDUIntHandle;
7041     CORINFO_CLASS_HANDLE SIMDULongHandle;
7042     CORINFO_CLASS_HANDLE SIMDVector2Handle;
7043     CORINFO_CLASS_HANDLE SIMDVector3Handle;
7044     CORINFO_CLASS_HANDLE SIMDVector4Handle;
7045     CORINFO_CLASS_HANDLE SIMDVectorHandle;
7046
7047     // Get the handle for a SIMD type.
7048     CORINFO_CLASS_HANDLE gtGetStructHandleForSIMD(var_types simdType, var_types simdBaseType)
7049     {
7050         if (simdBaseType == TYP_FLOAT)
7051         {
7052             switch (simdType)
7053             {
7054                 case TYP_SIMD8:
7055                     return SIMDVector2Handle;
7056                 case TYP_SIMD12:
7057                     return SIMDVector3Handle;
7058                 case TYP_SIMD16:
7059                     if ((getSIMDVectorType() == TYP_SIMD32) || (SIMDVector4Handle != NO_CLASS_HANDLE))
7060                     {
7061                         return SIMDVector4Handle;
7062                     }
7063                     break;
7064                 case TYP_SIMD32:
7065                     break;
7066                 default:
7067                     unreached();
7068             }
7069         }
7070         assert(simdType == getSIMDVectorType());
7071         switch (simdBaseType)
7072         {
7073             case TYP_FLOAT:
7074                 return SIMDFloatHandle;
7075             case TYP_DOUBLE:
7076                 return SIMDDoubleHandle;
7077             case TYP_INT:
7078                 return SIMDIntHandle;
7079             case TYP_CHAR:
7080                 return SIMDUShortHandle;
7081             case TYP_USHORT:
7082                 return SIMDUShortHandle;
7083             case TYP_UBYTE:
7084                 return SIMDUByteHandle;
7085             case TYP_SHORT:
7086                 return SIMDShortHandle;
7087             case TYP_BYTE:
7088                 return SIMDByteHandle;
7089             case TYP_LONG:
7090                 return SIMDLongHandle;
7091             case TYP_UINT:
7092                 return SIMDUIntHandle;
7093             case TYP_ULONG:
7094                 return SIMDULongHandle;
7095             default:
7096                 assert(!"Didn't find a class handle for simdType");
7097         }
7098         return NO_CLASS_HANDLE;
7099     }
7100
7101     // SIMD Methods
7102     CORINFO_METHOD_HANDLE SIMDVectorFloat_set_Item;
7103     CORINFO_METHOD_HANDLE SIMDVectorFloat_get_Length;
7104     CORINFO_METHOD_HANDLE SIMDVectorFloat_op_Addition;
7105
7106     // Returns true if the tree corresponds to a TYP_SIMD lcl var.
7107     // Note that both SIMD vector args and locals are mared as lvSIMDType = true, but
7108     // type of an arg node is TYP_BYREF and a local node is TYP_SIMD or TYP_STRUCT.
7109     bool isSIMDTypeLocal(GenTree* tree)
7110     {
7111         return tree->OperIsLocal() && lvaTable[tree->AsLclVarCommon()->gtLclNum].lvSIMDType;
7112     }
7113
7114     // Returns true if the type of the tree is a byref of TYP_SIMD
7115     bool isAddrOfSIMDType(GenTree* tree)
7116     {
7117         if (tree->TypeGet() == TYP_BYREF || tree->TypeGet() == TYP_I_IMPL)
7118         {
7119             switch (tree->OperGet())
7120             {
7121                 case GT_ADDR:
7122                     return varTypeIsSIMD(tree->gtGetOp1());
7123
7124                 case GT_LCL_VAR_ADDR:
7125                     return lvaTable[tree->AsLclVarCommon()->gtLclNum].lvSIMDType;
7126
7127                 default:
7128                     return isSIMDTypeLocal(tree);
7129             }
7130         }
7131
7132         return false;
7133     }
7134
7135     static bool isRelOpSIMDIntrinsic(SIMDIntrinsicID intrinsicId)
7136     {
7137         return (intrinsicId == SIMDIntrinsicEqual || intrinsicId == SIMDIntrinsicLessThan ||
7138                 intrinsicId == SIMDIntrinsicLessThanOrEqual || intrinsicId == SIMDIntrinsicGreaterThan ||
7139                 intrinsicId == SIMDIntrinsicGreaterThanOrEqual);
7140     }
7141
7142     // Returns base type of a TYP_SIMD local.
7143     // Returns TYP_UNKNOWN if the local is not TYP_SIMD.
7144     var_types getBaseTypeOfSIMDLocal(GenTree* tree)
7145     {
7146         if (isSIMDTypeLocal(tree))
7147         {
7148             return lvaTable[tree->AsLclVarCommon()->gtLclNum].lvBaseType;
7149         }
7150
7151         return TYP_UNKNOWN;
7152     }
7153
7154     bool isSIMDClass(CORINFO_CLASS_HANDLE clsHnd)
7155     {
7156         return info.compCompHnd->isInSIMDModule(clsHnd);
7157     }
7158
7159     bool isSIMDClass(typeInfo* pTypeInfo)
7160     {
7161         return pTypeInfo->IsStruct() && isSIMDClass(pTypeInfo->GetClassHandleForValueClass());
7162     }
7163
7164     // Get the base (element) type and size in bytes for a SIMD type. Returns TYP_UNKNOWN
7165     // if it is not a SIMD type or is an unsupported base type.
7166     var_types getBaseTypeAndSizeOfSIMDType(CORINFO_CLASS_HANDLE typeHnd, unsigned* sizeBytes = nullptr);
7167
7168     var_types getBaseTypeOfSIMDType(CORINFO_CLASS_HANDLE typeHnd)
7169     {
7170         return getBaseTypeAndSizeOfSIMDType(typeHnd, nullptr);
7171     }
7172
7173     // Get SIMD Intrinsic info given the method handle.
7174     // Also sets typeHnd, argCount, baseType and sizeBytes out params.
7175     const SIMDIntrinsicInfo* getSIMDIntrinsicInfo(CORINFO_CLASS_HANDLE* typeHnd,
7176                                                   CORINFO_METHOD_HANDLE methodHnd,
7177                                                   CORINFO_SIG_INFO*     sig,
7178                                                   bool                  isNewObj,
7179                                                   unsigned*             argCount,
7180                                                   var_types*            baseType,
7181                                                   unsigned*             sizeBytes);
7182
7183     // Pops and returns GenTree node from importers type stack.
7184     // Normalizes TYP_STRUCT value in case of GT_CALL, GT_RET_EXPR and arg nodes.
7185     GenTreePtr impSIMDPopStack(var_types type, bool expectAddr = false);
7186
7187     // Create a GT_SIMD tree for a Get property of SIMD vector with a fixed index.
7188     GenTreeSIMD* impSIMDGetFixed(var_types simdType, var_types baseType, unsigned simdSize, int index);
7189
7190     // Creates a GT_SIMD tree for Select operation
7191     GenTreePtr impSIMDSelect(CORINFO_CLASS_HANDLE typeHnd,
7192                              var_types            baseType,
7193                              unsigned             simdVectorSize,
7194                              GenTree*             op1,
7195                              GenTree*             op2,
7196                              GenTree*             op3);
7197
7198     // Creates a GT_SIMD tree for Min/Max operation
7199     GenTreePtr impSIMDMinMax(SIMDIntrinsicID      intrinsicId,
7200                              CORINFO_CLASS_HANDLE typeHnd,
7201                              var_types            baseType,
7202                              unsigned             simdVectorSize,
7203                              GenTree*             op1,
7204                              GenTree*             op2);
7205
7206     // Transforms operands and returns the SIMD intrinsic to be applied on
7207     // transformed operands to obtain given relop result.
7208     SIMDIntrinsicID impSIMDRelOp(SIMDIntrinsicID      relOpIntrinsicId,
7209                                  CORINFO_CLASS_HANDLE typeHnd,
7210                                  unsigned             simdVectorSize,
7211                                  var_types*           baseType,
7212                                  GenTree**            op1,
7213                                  GenTree**            op2);
7214
7215     // Creates a GT_SIMD tree for Abs intrinsic.
7216     GenTreePtr impSIMDAbs(CORINFO_CLASS_HANDLE typeHnd, var_types baseType, unsigned simdVectorSize, GenTree* op1);
7217
7218 #if defined(_TARGET_XARCH_) && !defined(LEGACY_BACKEND)
7219     // Transforms operands and returns the SIMD intrinsic to be applied on
7220     // transformed operands to obtain == comparison result.
7221     SIMDIntrinsicID impSIMDLongRelOpEqual(CORINFO_CLASS_HANDLE typeHnd,
7222                                           unsigned             simdVectorSize,
7223                                           GenTree**            op1,
7224                                           GenTree**            op2);
7225
7226     // Transforms operands and returns the SIMD intrinsic to be applied on
7227     // transformed operands to obtain > comparison result.
7228     SIMDIntrinsicID impSIMDLongRelOpGreaterThan(CORINFO_CLASS_HANDLE typeHnd,
7229                                                 unsigned             simdVectorSize,
7230                                                 GenTree**            op1,
7231                                                 GenTree**            op2);
7232
7233     // Transforms operands and returns the SIMD intrinsic to be applied on
7234     // transformed operands to obtain >= comparison result.
7235     SIMDIntrinsicID impSIMDLongRelOpGreaterThanOrEqual(CORINFO_CLASS_HANDLE typeHnd,
7236                                                        unsigned             simdVectorSize,
7237                                                        GenTree**            op1,
7238                                                        GenTree**            op2);
7239
7240     // Transforms operands and returns the SIMD intrinsic to be applied on
7241     // transformed operands to obtain >= comparison result in case of int32
7242     // and small int base type vectors.
7243     SIMDIntrinsicID impSIMDIntegralRelOpGreaterThanOrEqual(
7244         CORINFO_CLASS_HANDLE typeHnd, unsigned simdVectorSize, var_types baseType, GenTree** op1, GenTree** op2);
7245 #endif // defined(_TARGET_XARCH_) && !defined(LEGACY_BACKEND)
7246
7247     void setLclRelatedToSIMDIntrinsic(GenTreePtr tree);
7248     bool areFieldsContiguous(GenTreePtr op1, GenTreePtr op2);
7249     bool areArrayElementsContiguous(GenTreePtr op1, GenTreePtr op2);
7250     bool areArgumentsContiguous(GenTreePtr op1, GenTreePtr op2);
7251     GenTreePtr createAddressNodeForSIMDInit(GenTreePtr tree, unsigned simdSize);
7252
7253     // check methodHnd to see if it is a SIMD method that is expanded as an intrinsic in the JIT.
7254     GenTreePtr impSIMDIntrinsic(OPCODE                opcode,
7255                                 GenTreePtr            newobjThis,
7256                                 CORINFO_CLASS_HANDLE  clsHnd,
7257                                 CORINFO_METHOD_HANDLE method,
7258                                 CORINFO_SIG_INFO*     sig,
7259                                 int                   memberRef);
7260
7261     GenTreePtr getOp1ForConstructor(OPCODE opcode, GenTreePtr newobjThis, CORINFO_CLASS_HANDLE clsHnd);
7262
7263     // Whether SIMD vector occupies part of SIMD register.
7264     // SSE2: vector2f/3f are considered sub register SIMD types.
7265     // AVX: vector2f, 3f and 4f are all considered sub register SIMD types.
7266     bool isSubRegisterSIMDType(CORINFO_CLASS_HANDLE typeHnd)
7267     {
7268         unsigned  sizeBytes = 0;
7269         var_types baseType  = getBaseTypeAndSizeOfSIMDType(typeHnd, &sizeBytes);
7270         return (baseType == TYP_FLOAT) && (sizeBytes < getSIMDVectorRegisterByteLength());
7271     }
7272
7273     bool isSubRegisterSIMDType(GenTreeSIMD* simdNode)
7274     {
7275         return (simdNode->gtSIMDSize < getSIMDVectorRegisterByteLength());
7276     }
7277
7278     // Get the type for the hardware SIMD vector.
7279     // This is the maximum SIMD type supported for this target.
7280     var_types getSIMDVectorType()
7281     {
7282 #if defined(_TARGET_XARCH_) && !defined(LEGACY_BACKEND)
7283         if (canUseAVX())
7284         {
7285             return TYP_SIMD32;
7286         }
7287         else
7288         {
7289             assert(canUseSSE2());
7290             return TYP_SIMD16;
7291         }
7292 #else
7293         assert(!"getSIMDVectorType() unimplemented on target arch");
7294         unreached();
7295 #endif
7296     }
7297
7298     // Get the size of the SIMD type in bytes
7299     int getSIMDTypeSizeInBytes(CORINFO_CLASS_HANDLE typeHnd)
7300     {
7301         unsigned sizeBytes = 0;
7302         (void)getBaseTypeAndSizeOfSIMDType(typeHnd, &sizeBytes);
7303         return sizeBytes;
7304     }
7305
7306     // Get the the number of elements of basetype of SIMD vector given by its size and baseType
7307     static int getSIMDVectorLength(unsigned simdSize, var_types baseType);
7308
7309     // Get the the number of elements of basetype of SIMD vector given by its type handle
7310     int getSIMDVectorLength(CORINFO_CLASS_HANDLE typeHnd);
7311
7312     // Get preferred alignment of SIMD type.
7313     int getSIMDTypeAlignment(var_types simdType);
7314
7315     // Get the number of bytes in a SIMD Vector for the current compilation.
7316     unsigned getSIMDVectorRegisterByteLength()
7317     {
7318 #if defined(_TARGET_XARCH_) && !defined(LEGACY_BACKEND)
7319         if (canUseAVX())
7320         {
7321             return YMM_REGSIZE_BYTES;
7322         }
7323         else
7324         {
7325             assert(canUseSSE2());
7326             return XMM_REGSIZE_BYTES;
7327         }
7328 #else
7329         assert(!"getSIMDVectorRegisterByteLength() unimplemented on target arch");
7330         unreached();
7331 #endif
7332     }
7333
7334     // The minimum and maximum possible number of bytes in a SIMD vector.
7335     unsigned int maxSIMDStructBytes()
7336     {
7337         return getSIMDVectorRegisterByteLength();
7338     }
7339     unsigned int minSIMDStructBytes()
7340     {
7341         return emitTypeSize(TYP_SIMD8);
7342     }
7343
7344 #ifdef FEATURE_AVX_SUPPORT
7345     // (maxPossibleSIMDStructBytes is for use in a context that requires a compile-time constant.)
7346     static const unsigned maxPossibleSIMDStructBytes = 32;
7347 #else  // !FEATURE_AVX_SUPPORT
7348     static const unsigned maxPossibleSIMDStructBytes = 16;
7349 #endif // !FEATURE_AVX_SUPPORT
7350
7351     // Returns the codegen type for a given SIMD size.
7352     var_types getSIMDTypeForSize(unsigned size)
7353     {
7354         var_types simdType = TYP_UNDEF;
7355         if (size == 8)
7356         {
7357             simdType = TYP_SIMD8;
7358         }
7359         else if (size == 12)
7360         {
7361             simdType = TYP_SIMD12;
7362         }
7363         else if (size == 16)
7364         {
7365             simdType = TYP_SIMD16;
7366         }
7367 #ifdef FEATURE_AVX_SUPPORT
7368         else if (size == 32)
7369         {
7370             simdType = TYP_SIMD32;
7371         }
7372 #endif // FEATURE_AVX_SUPPORT
7373         else
7374         {
7375             noway_assert(!"Unexpected size for SIMD type");
7376         }
7377         return simdType;
7378     }
7379
7380     unsigned getSIMDInitTempVarNum()
7381     {
7382         if (lvaSIMDInitTempVarNum == BAD_VAR_NUM)
7383         {
7384             lvaSIMDInitTempVarNum                  = lvaGrabTempWithImplicitUse(false DEBUGARG("SIMDInitTempVar"));
7385             lvaTable[lvaSIMDInitTempVarNum].lvType = getSIMDVectorType();
7386         }
7387         return lvaSIMDInitTempVarNum;
7388     }
7389
7390 #endif // FEATURE_SIMD
7391
7392 public:
7393     //------------------------------------------------------------------------
7394     // largestEnregisterableStruct: The size in bytes of the largest struct that can be enregistered.
7395     //
7396     // Notes: It is not guaranteed that the struct of this size or smaller WILL be a
7397     //        candidate for enregistration.
7398
7399     unsigned largestEnregisterableStructSize()
7400     {
7401 #ifdef FEATURE_SIMD
7402         unsigned vectorRegSize = getSIMDVectorRegisterByteLength();
7403         if (vectorRegSize > TARGET_POINTER_SIZE)
7404         {
7405             return vectorRegSize;
7406         }
7407         else
7408 #endif // FEATURE_SIMD
7409         {
7410             return TARGET_POINTER_SIZE;
7411         }
7412     }
7413
7414 private:
7415     // These routines need not be enclosed under FEATURE_SIMD since lvIsSIMDType()
7416     // is defined for both FEATURE_SIMD and !FEATURE_SIMD apropriately. The use
7417     // of this routines also avoids the need of #ifdef FEATURE_SIMD specific code.
7418
7419     // Is this var is of type simd struct?
7420     bool lclVarIsSIMDType(unsigned varNum)
7421     {
7422         LclVarDsc* varDsc = lvaTable + varNum;
7423         return varDsc->lvIsSIMDType();
7424     }
7425
7426     // Is this Local node a SIMD local?
7427     bool lclVarIsSIMDType(GenTreeLclVarCommon* lclVarTree)
7428     {
7429         return lclVarIsSIMDType(lclVarTree->gtLclNum);
7430     }
7431
7432     // Returns true if the TYP_SIMD locals on stack are aligned at their
7433     // preferred byte boundary specified by getSIMDTypeAlignment().
7434     //
7435     // As per the Intel manual, the preferred alignment for AVX vectors is 32-bytes. On Amd64,
7436     // RSP/EBP is aligned at 16-bytes, therefore to align SIMD types at 32-bytes we need even
7437     // RSP/EBP to be 32-byte aligned. It is not clear whether additional stack space used in
7438     // aligning stack is worth the benefit and for now will use 16-byte alignment for AVX
7439     // 256-bit vectors with unaligned load/stores to/from memory. On x86, the stack frame
7440     // is aligned to 4 bytes. We need to extend existing support for double (8-byte) alignment
7441     // to 16 or 32 byte alignment for frames with local SIMD vars, if that is determined to be
7442     // profitable.
7443     //
7444     bool isSIMDTypeLocalAligned(unsigned varNum)
7445     {
7446 #if defined(FEATURE_SIMD) && ALIGN_SIMD_TYPES
7447         if (lclVarIsSIMDType(varNum) && lvaTable[varNum].lvType != TYP_BYREF)
7448         {
7449             bool ebpBased;
7450             int  off = lvaFrameAddress(varNum, &ebpBased);
7451             // TODO-Cleanup: Can't this use the lvExactSize on the varDsc?
7452             int  alignment = getSIMDTypeAlignment(lvaTable[varNum].lvType);
7453             bool isAligned = (alignment <= STACK_ALIGN) && ((off % alignment) == 0);
7454             return isAligned;
7455         }
7456 #endif // FEATURE_SIMD
7457
7458         return false;
7459     }
7460
7461     // Whether SSE2 is available
7462     bool canUseSSE2() const
7463     {
7464 #ifdef _TARGET_XARCH_
7465         return opts.compCanUseSSE2;
7466 #else
7467         return false;
7468 #endif
7469     }
7470
7471     // Whether SSE3, SSE3, SSE4.1 and SSE4.2 is available
7472     bool CanUseSSE3_4() const
7473     {
7474 #ifdef _TARGET_XARCH_
7475         return opts.compCanUseSSE3_4;
7476 #else
7477         return false;
7478 #endif
7479     }
7480
7481     bool canUseAVX() const
7482     {
7483 #ifdef FEATURE_AVX_SUPPORT
7484         return opts.compCanUseAVX;
7485 #else
7486         return false;
7487 #endif
7488     }
7489
7490     /*
7491     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
7492     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
7493     XX                                                                           XX
7494     XX                           Compiler                                        XX
7495     XX                                                                           XX
7496     XX   Generic info about the compilation and the method being compiled.       XX
7497     XX   It is responsible for driving the other phases.                         XX
7498     XX   It is also responsible for all the memory management.                   XX
7499     XX                                                                           XX
7500     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
7501     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
7502     */
7503
7504 public:
7505     Compiler* InlineeCompiler; // The Compiler instance for the inlinee
7506
7507     InlineResult* compInlineResult; // The result of importing the inlinee method.
7508
7509     bool compDoAggressiveInlining; // If true, mark every method as CORINFO_FLG_FORCEINLINE
7510     bool compJmpOpUsed;            // Does the method do a JMP
7511     bool compLongUsed;             // Does the method use TYP_LONG
7512     bool compFloatingPointUsed;    // Does the method use TYP_FLOAT or TYP_DOUBLE
7513     bool compTailCallUsed;         // Does the method do a tailcall
7514     bool compLocallocUsed;         // Does the method use localloc.
7515     bool compQmarkUsed;            // Does the method use GT_QMARK/GT_COLON
7516     bool compQmarkRationalized;    // Is it allowed to use a GT_QMARK/GT_COLON node.
7517     bool compUnsafeCastUsed;       // Does the method use LDIND/STIND to cast between scalar/refernce types
7518
7519     // NOTE: These values are only reliable after
7520     //       the importing is completely finished.
7521
7522     ExpandArrayStack<GenTreePtr>* compQMarks; // The set of QMark nodes created in the current compilation, so
7523                                               // we can iterate over these efficiently.
7524
7525 #if CPU_USES_BLOCK_MOVE
7526     bool compBlkOpUsed; // Does the method do a COPYBLK or INITBLK
7527 #endif
7528
7529 #ifdef DEBUG
7530     // State information - which phases have completed?
7531     // These are kept together for easy discoverability
7532
7533     bool    bRangeAllowStress;
7534     bool    compCodeGenDone;
7535     int64_t compNumStatementLinksTraversed; // # of links traversed while doing debug checks
7536     bool    fgNormalizeEHDone;              // Has the flowgraph EH normalization phase been done?
7537     size_t  compSizeEstimate;               // The estimated size of the method as per `gtSetEvalOrder`.
7538     size_t  compCycleEstimate;              // The estimated cycle count of the method as per `gtSetEvalOrder`
7539 #endif                                      // DEBUG
7540
7541     bool fgLocalVarLivenessDone; // Note that this one is used outside of debug.
7542     bool fgLocalVarLivenessChanged;
7543 #if STACK_PROBES
7544     bool compStackProbePrologDone;
7545 #endif
7546 #ifndef LEGACY_BACKEND
7547     bool compLSRADone;
7548 #endif // !LEGACY_BACKEND
7549     bool compRationalIRForm;
7550
7551     bool compUsesThrowHelper; // There is a call to a THOROW_HELPER for the compiled method.
7552
7553     bool compGeneratingProlog;
7554     bool compGeneratingEpilog;
7555     bool compNeedsGSSecurityCookie; // There is an unsafe buffer (or localloc) on the stack.
7556                                     // Insert cookie on frame and code to check the cookie, like VC++ -GS.
7557     bool compGSReorderStackLayout;  // There is an unsafe buffer on the stack, reorder locals and make local
7558     // copies of susceptible parameters to avoid buffer overrun attacks through locals/params
7559     bool getNeedsGSSecurityCookie() const
7560     {
7561         return compNeedsGSSecurityCookie;
7562     }
7563     void setNeedsGSSecurityCookie()
7564     {
7565         compNeedsGSSecurityCookie = true;
7566     }
7567
7568     FrameLayoutState lvaDoneFrameLayout; // The highest frame layout state that we've completed. During
7569                                          // frame layout calculations, this is the level we are currently
7570                                          // computing.
7571
7572     //---------------------------- JITing options -----------------------------
7573
7574     enum codeOptimize
7575     {
7576         BLENDED_CODE,
7577         SMALL_CODE,
7578         FAST_CODE,
7579
7580         COUNT_OPT_CODE
7581     };
7582
7583     struct Options
7584     {
7585         JitFlags* jitFlags;  // all flags passed from the EE
7586         unsigned  compFlags; // method attributes
7587
7588         codeOptimize compCodeOpt; // what type of code optimizations
7589
7590         bool compUseFCOMI;
7591         bool compUseCMOV;
7592 #ifdef _TARGET_XARCH_
7593         bool compCanUseSSE2;   // Allow CodeGen to use "movq XMM" instructions
7594         bool compCanUseSSE3_4; // Allow CodeGen to use SSE3, SSSE3, SSE4.1 and SSE4.2 instructions
7595
7596 #ifdef FEATURE_AVX_SUPPORT
7597         bool compCanUseAVX; // Allow CodeGen to use AVX 256-bit vectors for SIMD operations
7598 #endif                      // FEATURE_AVX_SUPPORT
7599 #endif                      // _TARGET_XARCH_
7600
7601 // optimize maximally and/or favor speed over size?
7602
7603 #define DEFAULT_MIN_OPTS_CODE_SIZE 60000
7604 #define DEFAULT_MIN_OPTS_INSTR_COUNT 20000
7605 #define DEFAULT_MIN_OPTS_BB_COUNT 2000
7606 #define DEFAULT_MIN_OPTS_LV_NUM_COUNT 2000
7607 #define DEFAULT_MIN_OPTS_LV_REF_COUNT 8000
7608
7609 // Maximun number of locals before turning off the inlining
7610 #define MAX_LV_NUM_COUNT_FOR_INLINING 512
7611
7612         bool     compMinOpts;
7613         unsigned instrCount;
7614         unsigned lvRefCount;
7615         bool     compMinOptsIsSet;
7616 #ifdef DEBUG
7617         bool compMinOptsIsUsed;
7618
7619         inline bool MinOpts()
7620         {
7621             assert(compMinOptsIsSet);
7622             compMinOptsIsUsed = true;
7623             return compMinOpts;
7624         }
7625         inline bool IsMinOptsSet()
7626         {
7627             return compMinOptsIsSet;
7628         }
7629 #else  // !DEBUG
7630         inline bool MinOpts()
7631         {
7632             return compMinOpts;
7633         }
7634         inline bool IsMinOptsSet()
7635         {
7636             return compMinOptsIsSet;
7637         }
7638 #endif // !DEBUG
7639         inline void SetMinOpts(bool val)
7640         {
7641             assert(!compMinOptsIsUsed);
7642             assert(!compMinOptsIsSet || (compMinOpts == val));
7643             compMinOpts      = val;
7644             compMinOptsIsSet = true;
7645         }
7646
7647         // true if the CLFLG_* for an optimization is set.
7648         inline bool OptEnabled(unsigned optFlag)
7649         {
7650             return !!(compFlags & optFlag);
7651         }
7652
7653 #ifdef FEATURE_READYTORUN_COMPILER
7654         inline bool IsReadyToRun()
7655         {
7656             return jitFlags->IsSet(JitFlags::JIT_FLAG_READYTORUN);
7657         }
7658 #else
7659         inline bool IsReadyToRun()
7660         {
7661             return false;
7662         }
7663 #endif
7664
7665         // true if we should use the PINVOKE_{BEGIN,END} helpers instead of generating
7666         // PInvoke transitions inline (e.g. when targeting CoreRT).
7667         inline bool ShouldUsePInvokeHelpers()
7668         {
7669 #if COR_JIT_EE_VERSION > 460
7670             return jitFlags->IsSet(JitFlags::JIT_FLAG_USE_PINVOKE_HELPERS);
7671 #else
7672             return false;
7673 #endif
7674         }
7675
7676         // true if we should use insert the REVERSE_PINVOKE_{ENTER,EXIT} helpers in the method
7677         // prolog/epilog
7678         inline bool IsReversePInvoke()
7679         {
7680 #if COR_JIT_EE_VERSION > 460
7681             return jitFlags->IsSet(JitFlags::JIT_FLAG_REVERSE_PINVOKE);
7682 #else
7683             return false;
7684 #endif
7685         }
7686
7687         // true if we must generate code compatible with JIT32 quirks
7688         inline bool IsJit32Compat()
7689         {
7690 #if defined(_TARGET_X86_) && COR_JIT_EE_VERSION > 460
7691             return jitFlags->IsSet(JitFlags::JIT_FLAG_DESKTOP_QUIRKS);
7692 #else
7693             return false;
7694 #endif
7695         }
7696
7697         // true if we must generate code compatible with Jit64 quirks
7698         inline bool IsJit64Compat()
7699         {
7700 #if defined(_TARGET_AMD64_) && COR_JIT_EE_VERSION > 460
7701             return jitFlags->IsSet(JitFlags::JIT_FLAG_DESKTOP_QUIRKS);
7702 #elif defined(_TARGET_AMD64_) && !defined(FEATURE_CORECLR)
7703             return true;
7704 #else
7705             return false;
7706 #endif
7707         }
7708
7709         bool compScopeInfo; // Generate the LocalVar info ?
7710         bool compDbgCode;   // Generate debugger-friendly code?
7711         bool compDbgInfo;   // Gather debugging info?
7712         bool compDbgEnC;
7713
7714 #ifdef PROFILING_SUPPORTED
7715         bool compNoPInvokeInlineCB;
7716 #else
7717         static const bool compNoPInvokeInlineCB;
7718 #endif
7719
7720 #ifdef DEBUG
7721         bool compGcChecks;         // Check arguments and return values to ensure they are sane
7722         bool compStackCheckOnRet;  // Check ESP on return to ensure it is correct
7723         bool compStackCheckOnCall; // Check ESP after every call to ensure it is correct
7724
7725 #endif
7726
7727         bool compNeedSecurityCheck; // This flag really means where or not a security object needs
7728                                     // to be allocated on the stack.
7729                                     // It will be set to true in the following cases:
7730                                     //   1. When the method being compiled has a declarative security
7731                                     //        (i.e. when CORINFO_FLG_NOSECURITYWRAP is reset for the current method).
7732                                     //        This is also the case when we inject a prolog and epilog in the method.
7733                                     //   (or)
7734                                     //   2. When the method being compiled has imperative security (i.e. the method
7735                                     //        calls into another method that has CORINFO_FLG_SECURITYCHECK flag set).
7736                                     //   (or)
7737                                     //   3. When opts.compDbgEnC is true. (See also Compiler::compCompile).
7738                                     //
7739 // When this flag is set, jit will allocate a gc-reference local variable (lvaSecurityObject),
7740 // which gets reported as a GC root to stackwalker.
7741 // (See also ICodeManager::GetAddrOfSecurityObject.)
7742
7743 #if RELOC_SUPPORT
7744         bool compReloc;
7745 #endif
7746
7747 #ifdef DEBUG
7748 #if defined(_TARGET_XARCH_) && !defined(LEGACY_BACKEND)
7749         bool compEnablePCRelAddr; // Whether absolute addr be encoded as PC-rel offset by RyuJIT where possible
7750 #endif
7751 #endif // DEBUG
7752
7753 #ifdef UNIX_AMD64_ABI
7754         // This flag  is indicating if there is a need to align the frame.
7755         // On AMD64-Windows, if there are calls, 4 slots for the outgoing ars are allocated, except for
7756         // FastTailCall. This slots makes the frame size non-zero, so alignment logic will be called.
7757         // On AMD64-Unix, there are no such slots. There is a possibility to have calls in the method with frame size of
7758         // 0. The frame alignment logic won't kick in. This flags takes care of the AMD64-Unix case by remembering that
7759         // there are calls and making sure the frame alignment logic is executed.
7760         bool compNeedToAlignFrame;
7761 #endif // UNIX_AMD64_ABI
7762
7763         bool compProcedureSplitting; // Separate cold code from hot code
7764
7765         bool genFPorder; // Preserve FP order (operations are non-commutative)
7766         bool genFPopt;   // Can we do frame-pointer-omission optimization?
7767         bool altJit;     // True if we are an altjit and are compiling this method
7768
7769 #ifdef DEBUG
7770         bool optRepeat;                // Repeat optimizer phases k times
7771         bool compProcedureSplittingEH; // Separate cold code from hot code for functions with EH
7772         bool dspCode;                  // Display native code generated
7773         bool dspEHTable;               // Display the EH table reported to the VM
7774         bool dspInstrs;                // Display the IL instructions intermixed with the native code output
7775         bool dspEmit;                  // Display emitter output
7776         bool dspLines;                 // Display source-code lines intermixed with native code output
7777         bool dmpHex;                   // Display raw bytes in hex of native code output
7778         bool varNames;                 // Display variables names in native code output
7779         bool disAsm;                   // Display native code as it is generated
7780         bool disAsmSpilled;            // Display native code when any register spilling occurs
7781         bool disDiffable;              // Makes the Disassembly code 'diff-able'
7782         bool disAsm2;                  // Display native code after it is generated using external disassembler
7783         bool dspOrder;                 // Display names of each of the methods that we ngen/jit
7784         bool dspUnwind;                // Display the unwind info output
7785         bool dspDiffable;     // Makes the Jit Dump 'diff-able' (currently uses same COMPlus_* flag as disDiffable)
7786         bool compLongAddress; // Force using large pseudo instructions for long address
7787                               // (IF_LARGEJMP/IF_LARGEADR/IF_LARGLDC)
7788         bool dspGCtbls;       // Display the GC tables
7789 #endif
7790
7791 #ifdef LATE_DISASM
7792         bool doLateDisasm; // Run the late disassembler
7793 #endif                     // LATE_DISASM
7794
7795 #if DUMP_GC_TABLES && !defined(DEBUG) && defined(JIT32_GCENCODER)
7796 // Only the JIT32_GCENCODER implements GC dumping in non-DEBUG code.
7797 #pragma message("NOTE: this non-debug build has GC ptr table dumping always enabled!")
7798         static const bool dspGCtbls = true;
7799 #endif
7800
7801         // We need stack probes to guarantee that we won't trigger a stack overflow
7802         // when calling unmanaged code until they get a chance to set up a frame, because
7803         // the EE will have no idea where it is.
7804         //
7805         // We will only be doing this currently for hosted environments. Unfortunately
7806         // we need to take care of stubs, so potentially, we will have to do the probes
7807         // for any call. We have a plan for not needing for stubs though
7808         bool compNeedStackProbes;
7809
7810 #ifdef PROFILING_SUPPORTED
7811         // Whether to emit Enter/Leave/TailCall hooks using a dummy stub (DummyProfilerELTStub()).
7812         // This option helps make the JIT behave as if it is running under a profiler.
7813         bool compJitELTHookEnabled;
7814 #endif // PROFILING_SUPPORTED
7815
7816 #if FEATURE_TAILCALL_OPT
7817         // Whether opportunistic or implicit tail call optimization is enabled.
7818         bool compTailCallOpt;
7819         // Whether optimization of transforming a recursive tail call into a loop is enabled.
7820         bool compTailCallLoopOpt;
7821 #endif
7822
7823 #ifdef ARM_SOFTFP
7824         static const bool compUseSoftFP = true;
7825 #else // !ARM_SOFTFP
7826         static const bool compUseSoftFP = false;
7827 #endif
7828
7829         GCPollType compGCPollType;
7830     } opts;
7831
7832 #ifdef ALT_JIT
7833     static bool                s_pAltJitExcludeAssembliesListInitialized;
7834     static AssemblyNamesList2* s_pAltJitExcludeAssembliesList;
7835 #endif // ALT_JIT
7836
7837 #ifdef DEBUG
7838
7839     template <typename T>
7840     T dspPtr(T p)
7841     {
7842         return (p == ZERO) ? ZERO : (opts.dspDiffable ? T(0xD1FFAB1E) : p);
7843     }
7844
7845     template <typename T>
7846     T dspOffset(T o)
7847     {
7848         return (o == ZERO) ? ZERO : (opts.dspDiffable ? T(0xD1FFAB1E) : o);
7849     }
7850
7851     static int dspTreeID(GenTree* tree)
7852     {
7853         return tree->gtTreeID;
7854     }
7855     static void printTreeID(GenTree* tree)
7856     {
7857         if (tree == nullptr)
7858         {
7859             printf("[------]");
7860         }
7861         else
7862         {
7863             printf("[%06d]", dspTreeID(tree));
7864         }
7865     }
7866
7867 #endif // DEBUG
7868
7869 // clang-format off
7870 #define STRESS_MODES                                                                            \
7871                                                                                                 \
7872         STRESS_MODE(NONE)                                                                       \
7873                                                                                                 \
7874         /* "Variations" stress areas which we try to mix up with each other. */                 \
7875         /* These should not be exhaustively used as they might */                               \
7876         /* hide/trivialize other areas */                                                       \
7877                                                                                                 \
7878         STRESS_MODE(REGS)                                                                       \
7879         STRESS_MODE(DBL_ALN)                                                                    \
7880         STRESS_MODE(LCL_FLDS)                                                                   \
7881         STRESS_MODE(UNROLL_LOOPS)                                                               \
7882         STRESS_MODE(MAKE_CSE)                                                                   \
7883         STRESS_MODE(LEGACY_INLINE)                                                              \
7884         STRESS_MODE(CLONE_EXPR)                                                                 \
7885         STRESS_MODE(USE_FCOMI)                                                                  \
7886         STRESS_MODE(USE_CMOV)                                                                   \
7887         STRESS_MODE(FOLD)                                                                       \
7888         STRESS_MODE(BB_PROFILE)                                                                 \
7889         STRESS_MODE(OPT_BOOLS_GC)                                                               \
7890         STRESS_MODE(REMORPH_TREES)                                                              \
7891         STRESS_MODE(64RSLT_MUL)                                                                 \
7892         STRESS_MODE(DO_WHILE_LOOPS)                                                             \
7893         STRESS_MODE(MIN_OPTS)                                                                   \
7894         STRESS_MODE(REVERSE_FLAG)     /* Will set GTF_REVERSE_OPS whenever we can */            \
7895         STRESS_MODE(REVERSE_COMMA)    /* Will reverse commas created  with gtNewCommaNode */    \
7896         STRESS_MODE(TAILCALL)         /* Will make the call as a tailcall whenever legal */     \
7897         STRESS_MODE(CATCH_ARG)        /* Will spill catch arg */                                \
7898         STRESS_MODE(UNSAFE_BUFFER_CHECKS)                                                       \
7899         STRESS_MODE(NULL_OBJECT_CHECK)                                                          \
7900         STRESS_MODE(PINVOKE_RESTORE_ESP)                                                        \
7901         STRESS_MODE(RANDOM_INLINE)                                                              \
7902         STRESS_MODE(SWITCH_CMP_BR_EXPANSION)                                                    \
7903         STRESS_MODE(GENERIC_VARN)                                                               \
7904                                                                                                 \
7905         /* After COUNT_VARN, stress level 2 does all of these all the time */                   \
7906                                                                                                 \
7907         STRESS_MODE(COUNT_VARN)                                                                 \
7908                                                                                                 \
7909         /* "Check" stress areas that can be exhaustively used if we */                          \
7910         /*  dont care about performance at all */                                               \
7911                                                                                                 \
7912         STRESS_MODE(FORCE_INLINE) /* Treat every method as AggressiveInlining */                \
7913         STRESS_MODE(CHK_FLOW_UPDATE)                                                            \
7914         STRESS_MODE(EMITTER)                                                                    \
7915         STRESS_MODE(CHK_REIMPORT)                                                               \
7916         STRESS_MODE(FLATFP)                                                                     \
7917         STRESS_MODE(GENERIC_CHECK)                                                              \
7918         STRESS_MODE(COUNT)
7919
7920     enum                compStressArea
7921     {
7922 #define STRESS_MODE(mode) STRESS_##mode,
7923         STRESS_MODES
7924 #undef STRESS_MODE
7925     };
7926 // clang-format on
7927
7928 #ifdef DEBUG
7929     static const LPCWSTR s_compStressModeNames[STRESS_COUNT + 1];
7930     BYTE                 compActiveStressModes[STRESS_COUNT];
7931 #endif // DEBUG
7932
7933 #define MAX_STRESS_WEIGHT 100
7934
7935     bool compStressCompile(compStressArea stressArea, unsigned weightPercentage);
7936
7937 #ifdef DEBUG
7938
7939     bool compInlineStress()
7940     {
7941         return compStressCompile(STRESS_LEGACY_INLINE, 50);
7942     }
7943
7944     bool compRandomInlineStress()
7945     {
7946         return compStressCompile(STRESS_RANDOM_INLINE, 50);
7947     }
7948
7949 #endif // DEBUG
7950
7951     bool compTailCallStress()
7952     {
7953 #ifdef DEBUG
7954         return (JitConfig.TailcallStress() != 0 || compStressCompile(STRESS_TAILCALL, 5));
7955 #else
7956         return false;
7957 #endif
7958     }
7959
7960     codeOptimize compCodeOpt()
7961     {
7962 #if 0
7963         // Switching between size & speed has measurable throughput impact
7964         // (3.5% on NGen mscorlib when measured). It used to be enabled for
7965         // DEBUG, but should generate identical code between CHK & RET builds,
7966         // so that's not acceptable.
7967         // TODO-Throughput: Figure out what to do about size vs. speed & throughput.
7968         //                  Investigate the cause of the throughput regression.
7969
7970         return opts.compCodeOpt;
7971 #else
7972         return BLENDED_CODE;
7973 #endif
7974     }
7975
7976     //--------------------- Info about the procedure --------------------------
7977
7978     struct Info
7979     {
7980         COMP_HANDLE           compCompHnd;
7981         CORINFO_MODULE_HANDLE compScopeHnd;
7982         CORINFO_CLASS_HANDLE  compClassHnd;
7983         CORINFO_METHOD_HANDLE compMethodHnd;
7984         CORINFO_METHOD_INFO*  compMethodInfo;
7985
7986         BOOL hasCircularClassConstraints;
7987         BOOL hasCircularMethodConstraints;
7988
7989 #if defined(DEBUG) || defined(LATE_DISASM)
7990         const char* compMethodName;
7991         const char* compClassName;
7992         const char* compFullName;
7993 #endif // defined(DEBUG) || defined(LATE_DISASM)
7994
7995 #if defined(DEBUG) || defined(INLINE_DATA)
7996         // Method hash is logcally const, but computed
7997         // on first demand.
7998         mutable unsigned compMethodHashPrivate;
7999         unsigned         compMethodHash() const;
8000 #endif // defined(DEBUG) || defined(INLINE_DATA)
8001
8002 #ifdef PSEUDORANDOM_NOP_INSERTION
8003         // things for pseudorandom nop insertion
8004         unsigned  compChecksum;
8005         CLRRandom compRNG;
8006 #endif
8007
8008         // The following holds the FLG_xxxx flags for the method we're compiling.
8009         unsigned compFlags;
8010
8011         // The following holds the class attributes for the method we're compiling.
8012         unsigned compClassAttr;
8013
8014         const BYTE*    compCode;
8015         IL_OFFSET      compILCodeSize;     // The IL code size
8016         UNATIVE_OFFSET compNativeCodeSize; // The native code size, after instructions are issued. This
8017                                            // is less than (compTotalHotCodeSize + compTotalColdCodeSize) only if:
8018         // (1) the code is not hot/cold split, and we issued less code than we expected, or
8019         // (2) the code is hot/cold split, and we issued less code than we expected
8020         // in the cold section (the hot section will always be padded out to compTotalHotCodeSize).
8021
8022         bool compIsStatic : 1;         // Is the method static (no 'this' pointer)?
8023         bool compIsVarArgs : 1;        // Does the method have varargs parameters?
8024         bool compIsContextful : 1;     // contextful method
8025         bool compInitMem : 1;          // Is the CORINFO_OPT_INIT_LOCALS bit set in the method info options?
8026         bool compUnwrapContextful : 1; // JIT should unwrap proxies when possible
8027         bool compProfilerCallback : 1; // JIT inserted a profiler Enter callback
8028         bool compPublishStubParam : 1; // EAX captured in prolog will be available through an instrinsic
8029         bool compRetBuffDefStack : 1;  // The ret buff argument definitely points into the stack.
8030
8031         var_types compRetType;       // Return type of the method as declared in IL
8032         var_types compRetNativeType; // Normalized return type as per target arch ABI
8033         unsigned  compILargsCount;   // Number of arguments (incl. implicit but not hidden)
8034         unsigned  compArgsCount;     // Number of arguments (incl. implicit and     hidden)
8035         unsigned  compRetBuffArg;    // position of hidden return param var (0, 1) (BAD_VAR_NUM means not present);
8036         int compTypeCtxtArg; // position of hidden param for type context for generic code (CORINFO_CALLCONV_PARAMTYPE)
8037         unsigned       compThisArg; // position of implicit this pointer param (not to be confused with lvaArg0Var)
8038         unsigned       compILlocalsCount; // Number of vars : args + locals (incl. implicit but not hidden)
8039         unsigned       compLocalsCount;   // Number of vars : args + locals (incl. implicit and     hidden)
8040         unsigned       compMaxStack;
8041         UNATIVE_OFFSET compTotalHotCodeSize;  // Total number of bytes of Hot Code in the method
8042         UNATIVE_OFFSET compTotalColdCodeSize; // Total number of bytes of Cold Code in the method
8043
8044         unsigned compCallUnmanaged;   // count of unmanaged calls
8045         unsigned compLvFrameListRoot; // lclNum for the Frame root
8046         unsigned compXcptnsCount;     // Number of exception-handling clauses read in the method's IL.
8047                                       // You should generally use compHndBBtabCount instead: it is the
8048                                       // current number of EH clauses (after additions like synchronized
8049                                       // methods and funclets, and removals like unreachable code deletion).
8050
8051         bool compMatchedVM; // true if the VM is "matched": either the JIT is a cross-compiler
8052                             // and the VM expects that, or the JIT is a "self-host" compiler
8053                             // (e.g., x86 hosted targeting x86) and the VM expects that.
8054
8055         /*  The following holds IL scope information about local variables.
8056          */
8057
8058         unsigned     compVarScopesCount;
8059         VarScopeDsc* compVarScopes;
8060
8061         /* The following holds information about instr offsets for
8062          * which we need to report IP-mappings
8063          */
8064
8065         IL_OFFSET*                   compStmtOffsets; // sorted
8066         unsigned                     compStmtOffsetsCount;
8067         ICorDebugInfo::BoundaryTypes compStmtOffsetsImplicit;
8068
8069 #define CPU_X86 0x0100 // The generic X86 CPU
8070 #define CPU_X86_PENTIUM_4 0x0110
8071
8072 #define CPU_X64 0x0200       // The generic x64 CPU
8073 #define CPU_AMD_X64 0x0210   // AMD x64 CPU
8074 #define CPU_INTEL_X64 0x0240 // Intel x64 CPU
8075
8076 #define CPU_ARM 0x0300 // The generic ARM CPU
8077
8078         unsigned genCPU; // What CPU are we running on
8079     } info;
8080
8081     // Returns true if the method being compiled returns a non-void and non-struct value.
8082     // Note that lvaInitTypeRef() normalizes compRetNativeType for struct returns in a
8083     // single register as per target arch ABI (e.g on Amd64 Windows structs of size 1, 2,
8084     // 4 or 8 gets normalized to TYP_BYTE/TYP_SHORT/TYP_INT/TYP_LONG; On Arm HFA structs).
8085     // Methods returning such structs are considered to return non-struct return value and
8086     // this method returns true in that case.
8087     bool compMethodReturnsNativeScalarType()
8088     {
8089         return (info.compRetType != TYP_VOID) && !varTypeIsStruct(info.compRetNativeType);
8090     }
8091
8092     // Returns true if the method being compiled returns RetBuf addr as its return value
8093     bool compMethodReturnsRetBufAddr()
8094     {
8095         // There are cases where implicit RetBuf argument should be explicitly returned in a register.
8096         // In such cases the return type is changed to TYP_BYREF and appropriate IR is generated.
8097         // These cases are:
8098         // 1. Profiler Leave calllback expects the address of retbuf as return value for
8099         //    methods with hidden RetBuf argument.  impReturnInstruction() when profiler
8100         //    callbacks are needed creates GT_RETURN(TYP_BYREF, op1 = Addr of RetBuf) for
8101         //    methods with hidden RetBufArg.
8102         //
8103         // 2. As per the System V ABI, the address of RetBuf needs to be returned by
8104         //    methods with hidden RetBufArg in RAX. In such case GT_RETURN is of TYP_BYREF,
8105         //    returning the address of RetBuf.
8106         //
8107         // 3. Windows 64-bit native calling convention also requires the address of RetBuff
8108         //    to be returned in RAX.
8109         CLANG_FORMAT_COMMENT_ANCHOR;
8110
8111 #ifdef _TARGET_AMD64_
8112         return (info.compRetBuffArg != BAD_VAR_NUM);
8113 #else  // !_TARGET_AMD64_
8114         return (compIsProfilerHookNeeded()) && (info.compRetBuffArg != BAD_VAR_NUM);
8115 #endif // !_TARGET_AMD64_
8116     }
8117
8118     // Returns true if the method returns a value in more than one return register
8119     // TODO-ARM-Bug: Deal with multi-register genReturnLocaled structs?
8120     // TODO-ARM64: Does this apply for ARM64 too?
8121     bool compMethodReturnsMultiRegRetType()
8122     {
8123 #if FEATURE_MULTIREG_RET
8124 #if defined(_TARGET_X86_)
8125         // On x86 only 64-bit longs are returned in multiple registers
8126         return varTypeIsLong(info.compRetNativeType);
8127 #else  // targets: X64-UNIX, ARM64 or ARM32
8128         // On all other targets that support multireg return values:
8129         // Methods returning a struct in multiple registers have a return value of TYP_STRUCT.
8130         // Such method's compRetNativeType is TYP_STRUCT without a hidden RetBufArg
8131         return varTypeIsStruct(info.compRetNativeType) && (info.compRetBuffArg == BAD_VAR_NUM);
8132 #endif // TARGET_XXX
8133
8134 #else // not FEATURE_MULTIREG_RET
8135
8136         // For this architecture there are no multireg returns
8137         return false;
8138
8139 #endif // FEATURE_MULTIREG_RET
8140     }
8141
8142 #if FEATURE_MULTIREG_ARGS
8143     // Given a GenTree node of TYP_STRUCT that represents a pass by value argument
8144     // return the gcPtr layout for the pointers sized fields
8145     void getStructGcPtrsFromOp(GenTreePtr op, BYTE* gcPtrsOut);
8146 #endif // FEATURE_MULTIREG_ARGS
8147
8148     // Returns true if the method being compiled returns a value
8149     bool compMethodHasRetVal()
8150     {
8151         return compMethodReturnsNativeScalarType() || compMethodReturnsRetBufAddr() ||
8152                compMethodReturnsMultiRegRetType();
8153     }
8154
8155 #if defined(DEBUG)
8156
8157     void compDispLocalVars();
8158
8159 #endif // DEBUG
8160
8161 //-------------------------- Global Compiler Data ------------------------------------
8162
8163 #ifdef DEBUG
8164     static unsigned s_compMethodsCount; // to produce unique label names
8165     unsigned        compGenTreeID;
8166 #endif
8167
8168     BasicBlock* compCurBB;   // the current basic block in process
8169     GenTreePtr  compCurStmt; // the current statement in process
8170 #ifdef DEBUG
8171     unsigned compCurStmtNum; // to give all statements an increasing StmtNum when printing dumps
8172 #endif
8173
8174     //  The following is used to create the 'method JIT info' block.
8175     size_t compInfoBlkSize;
8176     BYTE*  compInfoBlkAddr;
8177
8178     EHblkDsc* compHndBBtab;           // array of EH data
8179     unsigned  compHndBBtabCount;      // element count of used elements in EH data array
8180     unsigned  compHndBBtabAllocCount; // element count of allocated elements in EH data array
8181
8182 #if defined(_TARGET_X86_)
8183
8184     //-------------------------------------------------------------------------
8185     //  Tracking of region covered by the monitor in synchronized methods
8186     void* syncStartEmitCookie; // the emitter cookie for first instruction after the call to MON_ENTER
8187     void* syncEndEmitCookie;   // the emitter cookie for first instruction after the call to MON_EXIT
8188
8189 #endif // !_TARGET_X86_
8190
8191     Phases previousCompletedPhase; // the most recently completed phase
8192
8193     //-------------------------------------------------------------------------
8194     //  The following keeps track of how many bytes of local frame space we've
8195     //  grabbed so far in the current function, and how many argument bytes we
8196     //  need to pop when we return.
8197     //
8198
8199     unsigned compLclFrameSize; // secObject+lclBlk+locals+temps
8200
8201     // Count of callee-saved regs we pushed in the prolog.
8202     // Does not include EBP for isFramePointerUsed() and double-aligned frames.
8203     // In case of Amd64 this doesn't include float regs saved on stack.
8204     unsigned compCalleeRegsPushed;
8205
8206 #if defined(_TARGET_XARCH_) && !FEATURE_STACK_FP_X87
8207     // Mask of callee saved float regs on stack.
8208     regMaskTP compCalleeFPRegsSavedMask;
8209 #endif
8210 #ifdef _TARGET_AMD64_
8211 // Quirk for VS debug-launch scenario to work:
8212 // Bytes of padding between save-reg area and locals.
8213 #define VSQUIRK_STACK_PAD (2 * REGSIZE_BYTES)
8214     unsigned compVSQuirkStackPaddingNeeded;
8215     bool     compQuirkForPPPflag;
8216 #endif
8217
8218     unsigned compArgSize; // total size of arguments in bytes (including register args (lvIsRegArg))
8219
8220     unsigned compMapILargNum(unsigned ILargNum); // map accounting for hidden args
8221     unsigned compMapILvarNum(unsigned ILvarNum); // map accounting for hidden args
8222     unsigned compMap2ILvarNum(unsigned varNum);  // map accounting for hidden args
8223
8224     //-------------------------------------------------------------------------
8225
8226     static void compStartup();  // One-time initialization
8227     static void compShutdown(); // One-time finalization
8228
8229     void compInit(ArenaAllocator* pAlloc, InlineInfo* inlineInfo);
8230     void compDone();
8231
8232     static void compDisplayStaticSizes(FILE* fout);
8233
8234     //------------ Some utility functions --------------
8235
8236     void* compGetHelperFtn(CorInfoHelpFunc ftnNum,         /* IN  */
8237                            void**          ppIndirection); /* OUT */
8238
8239     // Several JIT/EE interface functions return a CorInfoType, and also return a
8240     // class handle as an out parameter if the type is a value class.  Returns the
8241     // size of the type these describe.
8242     unsigned compGetTypeSize(CorInfoType cit, CORINFO_CLASS_HANDLE clsHnd);
8243
8244 #ifdef DEBUG
8245     // Components used by the compiler may write unit test suites, and
8246     // have them run within this method.  They will be run only once per process, and only
8247     // in debug.  (Perhaps should be under the control of a COMPlus_ flag.)
8248     // These should fail by asserting.
8249     void compDoComponentUnitTestsOnce();
8250 #endif // DEBUG
8251
8252     int compCompile(CORINFO_METHOD_HANDLE methodHnd,
8253                     CORINFO_MODULE_HANDLE classPtr,
8254                     COMP_HANDLE           compHnd,
8255                     CORINFO_METHOD_INFO*  methodInfo,
8256                     void**                methodCodePtr,
8257                     ULONG*                methodCodeSize,
8258                     JitFlags*             compileFlags);
8259     void compCompileFinish();
8260     int compCompileHelper(CORINFO_MODULE_HANDLE            classPtr,
8261                           COMP_HANDLE                      compHnd,
8262                           CORINFO_METHOD_INFO*             methodInfo,
8263                           void**                           methodCodePtr,
8264                           ULONG*                           methodCodeSize,
8265                           JitFlags*                        compileFlags,
8266                           CorInfoInstantiationVerification instVerInfo);
8267
8268     ArenaAllocator* compGetAllocator();
8269
8270 #if MEASURE_MEM_ALLOC
8271
8272     static bool s_dspMemStats; // Display per-phase memory statistics for every function
8273
8274     struct MemStats
8275     {
8276         unsigned allocCnt;                 // # of allocs
8277         UINT64   allocSz;                  // total size of those alloc.
8278         UINT64   allocSzMax;               // Maximum single allocation.
8279         UINT64   allocSzByKind[CMK_Count]; // Classified by "kind".
8280         UINT64   nraTotalSizeAlloc;
8281         UINT64   nraTotalSizeUsed;
8282
8283         static const char* s_CompMemKindNames[]; // Names of the kinds.
8284
8285         MemStats() : allocCnt(0), allocSz(0), allocSzMax(0), nraTotalSizeAlloc(0), nraTotalSizeUsed(0)
8286         {
8287             for (int i = 0; i < CMK_Count; i++)
8288             {
8289                 allocSzByKind[i] = 0;
8290             }
8291         }
8292         MemStats(const MemStats& ms)
8293             : allocCnt(ms.allocCnt)
8294             , allocSz(ms.allocSz)
8295             , allocSzMax(ms.allocSzMax)
8296             , nraTotalSizeAlloc(ms.nraTotalSizeAlloc)
8297             , nraTotalSizeUsed(ms.nraTotalSizeUsed)
8298         {
8299             for (int i = 0; i < CMK_Count; i++)
8300             {
8301                 allocSzByKind[i] = ms.allocSzByKind[i];
8302             }
8303         }
8304
8305         // Until we have ubiquitous constructors.
8306         void Init()
8307         {
8308             this->MemStats::MemStats();
8309         }
8310
8311         void AddAlloc(size_t sz, CompMemKind cmk)
8312         {
8313             allocCnt += 1;
8314             allocSz += sz;
8315             if (sz > allocSzMax)
8316             {
8317                 allocSzMax = sz;
8318             }
8319             allocSzByKind[cmk] += sz;
8320         }
8321
8322         void Print(FILE* f);       // Print these stats to f.
8323         void PrintByKind(FILE* f); // Do just the by-kind histogram part.
8324     };
8325     MemStats genMemStats;
8326
8327     struct AggregateMemStats : public MemStats
8328     {
8329         unsigned nMethods;
8330
8331         AggregateMemStats() : MemStats(), nMethods(0)
8332         {
8333         }
8334
8335         void Add(const MemStats& ms)
8336         {
8337             nMethods++;
8338             allocCnt += ms.allocCnt;
8339             allocSz += ms.allocSz;
8340             allocSzMax = max(allocSzMax, ms.allocSzMax);
8341             for (int i = 0; i < CMK_Count; i++)
8342             {
8343                 allocSzByKind[i] += ms.allocSzByKind[i];
8344             }
8345             nraTotalSizeAlloc += ms.nraTotalSizeAlloc;
8346             nraTotalSizeUsed += ms.nraTotalSizeUsed;
8347         }
8348
8349         void Print(FILE* f); // Print these stats to jitstdout.
8350     };
8351
8352     static CritSecObject     s_memStatsLock;    // This lock protects the data structures below.
8353     static MemStats          s_maxCompMemStats; // Stats for the compilation with the largest amount allocated.
8354     static AggregateMemStats s_aggMemStats;     // Aggregates statistics for all compilations.
8355
8356 #endif // MEASURE_MEM_ALLOC
8357
8358 #if LOOP_HOIST_STATS
8359     unsigned m_loopsConsidered;
8360     bool     m_curLoopHasHoistedExpression;
8361     unsigned m_loopsWithHoistedExpressions;
8362     unsigned m_totalHoistedExpressions;
8363
8364     void AddLoopHoistStats();
8365     void PrintPerMethodLoopHoistStats();
8366
8367     static CritSecObject s_loopHoistStatsLock; // This lock protects the data structures below.
8368     static unsigned      s_loopsConsidered;
8369     static unsigned      s_loopsWithHoistedExpressions;
8370     static unsigned      s_totalHoistedExpressions;
8371
8372     static void PrintAggregateLoopHoistStats(FILE* f);
8373 #endif // LOOP_HOIST_STATS
8374
8375     void* compGetMemArray(size_t numElem, size_t elemSize, CompMemKind cmk = CMK_Unknown);
8376     void* compGetMemArrayA(size_t numElem, size_t elemSize, CompMemKind cmk = CMK_Unknown);
8377     void* compGetMem(size_t sz, CompMemKind cmk = CMK_Unknown);
8378     void* compGetMemA(size_t sz, CompMemKind cmk = CMK_Unknown);
8379     static void* compGetMemCallback(void*, size_t, CompMemKind cmk = CMK_Unknown);
8380     void compFreeMem(void*);
8381
8382     bool compIsForImportOnly();
8383     bool compIsForInlining();
8384     bool compDonotInline();
8385
8386 #ifdef DEBUG
8387     const char* compLocalVarName(unsigned varNum, unsigned offs);
8388     VarName compVarName(regNumber reg, bool isFloatReg = false);
8389     const char* compRegVarName(regNumber reg, bool displayVar = false, bool isFloatReg = false);
8390     const char* compRegPairName(regPairNo regPair);
8391     const char* compRegNameForSize(regNumber reg, size_t size);
8392     const char* compFPregVarName(unsigned fpReg, bool displayVar = false);
8393     void compDspSrcLinesByNativeIP(UNATIVE_OFFSET curIP);
8394     void compDspSrcLinesByLineNum(unsigned line, bool seek = false);
8395 #endif // DEBUG
8396
8397     //-------------------------------------------------------------------------
8398
8399     typedef ListNode<VarScopeDsc*> VarScopeListNode;
8400
8401     struct VarScopeMapInfo
8402     {
8403         VarScopeListNode*       head;
8404         VarScopeListNode*       tail;
8405         static VarScopeMapInfo* Create(VarScopeListNode* node, IAllocator* alloc)
8406         {
8407             VarScopeMapInfo* info = new (alloc) VarScopeMapInfo;
8408             info->head            = node;
8409             info->tail            = node;
8410             return info;
8411         }
8412     };
8413
8414     // Max value of scope count for which we would use linear search; for larger values we would use hashtable lookup.
8415     static const unsigned MAX_LINEAR_FIND_LCL_SCOPELIST = 32;
8416
8417     typedef SimplerHashTable<unsigned, SmallPrimitiveKeyFuncs<unsigned>, VarScopeMapInfo*, JitSimplerHashBehavior>
8418         VarNumToScopeDscMap;
8419
8420     // Map to keep variables' scope indexed by varNum containing it's scope dscs at the index.
8421     VarNumToScopeDscMap* compVarScopeMap;
8422
8423     VarScopeDsc* compFindLocalVar(unsigned varNum, unsigned lifeBeg, unsigned lifeEnd);
8424
8425     VarScopeDsc* compFindLocalVar(unsigned varNum, unsigned offs);
8426
8427     VarScopeDsc* compFindLocalVarLinear(unsigned varNum, unsigned offs);
8428
8429     void compInitVarScopeMap();
8430
8431     VarScopeDsc** compEnterScopeList; // List has the offsets where variables
8432                                       // enter scope, sorted by instr offset
8433     unsigned compNextEnterScope;
8434
8435     VarScopeDsc** compExitScopeList; // List has the offsets where variables
8436                                      // go out of scope, sorted by instr offset
8437     unsigned compNextExitScope;
8438
8439     void compInitScopeLists();
8440
8441     void compResetScopeLists();
8442
8443     VarScopeDsc* compGetNextEnterScope(unsigned offs, bool scan = false);
8444
8445     VarScopeDsc* compGetNextExitScope(unsigned offs, bool scan = false);
8446
8447     void compProcessScopesUntil(unsigned   offset,
8448                                 VARSET_TP* inScope,
8449                                 void (Compiler::*enterScopeFn)(VARSET_TP* inScope, VarScopeDsc*),
8450                                 void (Compiler::*exitScopeFn)(VARSET_TP* inScope, VarScopeDsc*));
8451
8452 #ifdef DEBUG
8453     void compDispScopeLists();
8454 #endif // DEBUG
8455
8456     bool compIsProfilerHookNeeded();
8457
8458     //-------------------------------------------------------------------------
8459     /*               Statistical Data Gathering                               */
8460
8461     void compJitStats(); // call this function and enable
8462                          // various ifdef's below for statistical data
8463
8464 #if CALL_ARG_STATS
8465     void        compCallArgStats();
8466     static void compDispCallArgStats(FILE* fout);
8467 #endif
8468
8469     //-------------------------------------------------------------------------
8470
8471 protected:
8472 #ifdef DEBUG
8473     bool skipMethod();
8474 #endif
8475
8476     ArenaAllocator* compAllocator;
8477
8478 public:
8479     // This one presents an implementation of the "IAllocator" abstract class that uses "compAllocator",
8480     // suitable for use by utilcode collection types.
8481     IAllocator* compAsIAllocator;
8482
8483 #if MEASURE_MEM_ALLOC
8484     IAllocator* compAsIAllocatorBitset;    // An allocator that uses the CMK_bitset tracker.
8485     IAllocator* compAsIAllocatorGC;        // An allocator that uses the CMK_GC tracker.
8486     IAllocator* compAsIAllocatorLoopHoist; // An allocator that uses the CMK_LoopHoist tracker.
8487 #ifdef DEBUG
8488     IAllocator* compAsIAllocatorDebugOnly; // An allocator that uses the CMK_DebugOnly tracker.
8489 #endif                                     // DEBUG
8490 #endif                                     // MEASURE_MEM_ALLOC
8491
8492     void compFunctionTraceStart();
8493     void compFunctionTraceEnd(void* methodCodePtr, ULONG methodCodeSize, bool isNYI);
8494
8495 protected:
8496     size_t compMaxUncheckedOffsetForNullObject;
8497
8498     void compInitOptions(JitFlags* compileFlags);
8499
8500     void compSetProcessor();
8501     void compInitDebuggingInfo();
8502     void compSetOptimizationLevel();
8503 #ifdef _TARGET_ARMARCH_
8504     bool compRsvdRegCheck(FrameLayoutState curState);
8505 #endif
8506     void compCompile(void** methodCodePtr, ULONG* methodCodeSize, JitFlags* compileFlags);
8507
8508     // Clear annotations produced during optimizations; to be used between iterations when repeating opts.
8509     void ResetOptAnnotations();
8510
8511     // Regenerate loop descriptors; to be used between iterations when repeating opts.
8512     void RecomputeLoopInfo();
8513
8514 #ifdef PROFILING_SUPPORTED
8515     // Data required for generating profiler Enter/Leave/TailCall hooks
8516
8517     bool  compProfilerHookNeeded; // Whether profiler Enter/Leave/TailCall hook needs to be generated for the method
8518     void* compProfilerMethHnd;    // Profiler handle of the method being compiled. Passed as param to ELT callbacks
8519     bool  compProfilerMethHndIndirected; // Whether compProfilerHandle is pointer to the handle or is an actual handle
8520 #endif
8521
8522 #ifdef _TARGET_AMD64_
8523     bool compQuirkForPPP(); // Check if this method should be Quirked for the PPP issue
8524 #endif
8525 public:
8526     // Assumes called as part of process shutdown; does any compiler-specific work associated with that.
8527     static void ProcessShutdownWork(ICorStaticInfo* statInfo);
8528
8529     IAllocator* getAllocator()
8530     {
8531         return compAsIAllocator;
8532     }
8533
8534 #if MEASURE_MEM_ALLOC
8535     IAllocator* getAllocatorBitset()
8536     {
8537         return compAsIAllocatorBitset;
8538     }
8539     IAllocator* getAllocatorGC()
8540     {
8541         return compAsIAllocatorGC;
8542     }
8543     IAllocator* getAllocatorLoopHoist()
8544     {
8545         return compAsIAllocatorLoopHoist;
8546     }
8547 #else  // !MEASURE_MEM_ALLOC
8548     IAllocator* getAllocatorBitset()
8549     {
8550         return compAsIAllocator;
8551     }
8552     IAllocator* getAllocatorGC()
8553     {
8554         return compAsIAllocator;
8555     }
8556     IAllocator* getAllocatorLoopHoist()
8557     {
8558         return compAsIAllocator;
8559     }
8560 #endif // !MEASURE_MEM_ALLOC
8561
8562 #ifdef DEBUG
8563     IAllocator* getAllocatorDebugOnly()
8564     {
8565 #if MEASURE_MEM_ALLOC
8566         return compAsIAllocatorDebugOnly;
8567 #else  // !MEASURE_MEM_ALLOC
8568         return compAsIAllocator;
8569 #endif // !MEASURE_MEM_ALLOC
8570     }
8571 #endif // DEBUG
8572
8573     /*
8574     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
8575     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
8576     XX                                                                           XX
8577     XX                           typeInfo                                        XX
8578     XX                                                                           XX
8579     XX   Checks for type compatibility and merges types                          XX
8580     XX                                                                           XX
8581     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
8582     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
8583     */
8584
8585 public:
8586     // Set to TRUE if verification cannot be skipped for this method
8587     // If we detect unverifiable code, we will lazily check
8588     // canSkipMethodVerification() to see if verification is REALLY needed.
8589     BOOL tiVerificationNeeded;
8590
8591     // It it initially TRUE, and it gets set to FALSE if we run into unverifiable code
8592     // Note that this is valid only if tiVerificationNeeded was ever TRUE.
8593     BOOL tiIsVerifiableCode;
8594
8595     // Set to TRUE if runtime callout is needed for this method
8596     BOOL tiRuntimeCalloutNeeded;
8597
8598     // Set to TRUE if security prolog/epilog callout is needed for this method
8599     // Note: This flag is different than compNeedSecurityCheck.
8600     //     compNeedSecurityCheck means whether or not a security object needs
8601     //         to be allocated on the stack, which is currently true for EnC as well.
8602     //     tiSecurityCalloutNeeded means whether or not security callouts need
8603     //         to be inserted in the jitted code.
8604     BOOL tiSecurityCalloutNeeded;
8605
8606     // Returns TRUE if child is equal to or a subtype of parent for merge purposes
8607     // This support is necessary to suport attributes that are not described in
8608     // for example, signatures. For example, the permanent home byref (byref that
8609     // points to the gc heap), isn't a property of method signatures, therefore,
8610     // it is safe to have mismatches here (that tiCompatibleWith will not flag),
8611     // but when deciding if we need to reimport a block, we need to take these
8612     // in account
8613     BOOL tiMergeCompatibleWith(const typeInfo& pChild, const typeInfo& pParent, bool normalisedForStack) const;
8614
8615     // Returns TRUE if child is equal to or a subtype of parent.
8616     // normalisedForStack indicates that both types are normalised for the stack
8617     BOOL tiCompatibleWith(const typeInfo& pChild, const typeInfo& pParent, bool normalisedForStack) const;
8618
8619     // Merges pDest and pSrc. Returns FALSE if merge is undefined.
8620     // *pDest is modified to represent the merged type.  Sets "*changed" to true
8621     // if this changes "*pDest".
8622     BOOL tiMergeToCommonParent(typeInfo* pDest, const typeInfo* pSrc, bool* changed) const;
8623
8624     // Set pDest from the primitive value type.
8625     // Eg. System.Int32 -> ELEMENT_TYPE_I4
8626
8627     BOOL tiFromPrimitiveValueClass(typeInfo* pDest, const typeInfo* pVC) const;
8628
8629 #ifdef DEBUG
8630     // <BUGNUM> VSW 471305
8631     // IJW allows assigning REF to BYREF. The following allows us to temporarily
8632     // bypass the assert check in gcMarkRegSetGCref and gcMarkRegSetByref
8633     // We use a "short" as we need to push/pop this scope.
8634     // </BUGNUM>
8635     short compRegSetCheckLevel;
8636 #endif
8637
8638     /*
8639     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
8640     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
8641     XX                                                                           XX
8642     XX                           IL verification stuff                           XX
8643     XX                                                                           XX
8644     XX                                                                           XX
8645     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
8646     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
8647     */
8648
8649 public:
8650     // The following is used to track liveness of local variables, initialization
8651     // of valueclass constructors, and type safe use of IL instructions.
8652
8653     // dynamic state info needed for verification
8654     EntryState verCurrentState;
8655
8656     // this ptr of object type .ctors are considered intited only after
8657     // the base class ctor is called, or an alternate ctor is called.
8658     // An uninited this ptr can be used to access fields, but cannot
8659     // be used to call a member function.
8660     BOOL verTrackObjCtorInitState;
8661
8662     void verInitBBEntryState(BasicBlock* block, EntryState* currentState);
8663
8664     // Requires that "tis" is not TIS_Bottom -- it's a definite init/uninit state.
8665     void verSetThisInit(BasicBlock* block, ThisInitState tis);
8666     void verInitCurrentState();
8667     void verResetCurrentState(BasicBlock* block, EntryState* currentState);
8668
8669     // Merges the current verification state into the entry state of "block", return FALSE if that merge fails,
8670     // TRUE if it succeeds.  Further sets "*changed" to true if this changes the entry state of "block".
8671     BOOL verMergeEntryStates(BasicBlock* block, bool* changed);
8672
8673     void verConvertBBToThrowVerificationException(BasicBlock* block DEBUGARG(bool logMsg));
8674     void verHandleVerificationFailure(BasicBlock* block DEBUGARG(bool logMsg));
8675     typeInfo verMakeTypeInfo(CORINFO_CLASS_HANDLE clsHnd,
8676                              bool bashStructToRef = false); // converts from jit type representation to typeInfo
8677     typeInfo verMakeTypeInfo(CorInfoType          ciType,
8678                              CORINFO_CLASS_HANDLE clsHnd); // converts from jit type representation to typeInfo
8679     BOOL verIsSDArray(typeInfo ti);
8680     typeInfo verGetArrayElemType(typeInfo ti);
8681
8682     typeInfo verParseArgSigToTypeInfo(CORINFO_SIG_INFO* sig, CORINFO_ARG_LIST_HANDLE args);
8683     BOOL verNeedsVerification();
8684     BOOL verIsByRefLike(const typeInfo& ti);
8685     BOOL verIsSafeToReturnByRef(const typeInfo& ti);
8686
8687     // generic type variables range over types that satisfy IsBoxable
8688     BOOL verIsBoxable(const typeInfo& ti);
8689
8690     void DECLSPEC_NORETURN verRaiseVerifyException(INDEBUG(const char* reason) DEBUGARG(const char* file)
8691                                                        DEBUGARG(unsigned line));
8692     void verRaiseVerifyExceptionIfNeeded(INDEBUG(const char* reason) DEBUGARG(const char* file)
8693                                              DEBUGARG(unsigned line));
8694     bool verCheckTailCallConstraint(OPCODE                  opcode,
8695                                     CORINFO_RESOLVED_TOKEN* pResolvedToken,
8696                                     CORINFO_RESOLVED_TOKEN* pConstrainedResolvedToken, // Is this a "constrained." call
8697                                                                                        // on a type parameter?
8698                                     bool speculative // If true, won't throw if verificatoin fails. Instead it will
8699                                                      // return false to the caller.
8700                                                      // If false, it will throw.
8701                                     );
8702     bool verIsBoxedValueType(typeInfo ti);
8703
8704     void verVerifyCall(OPCODE                  opcode,
8705                        CORINFO_RESOLVED_TOKEN* pResolvedToken,
8706                        CORINFO_RESOLVED_TOKEN* pConstrainedResolvedToken,
8707                        bool                    tailCall,
8708                        bool                    readonlyCall, // is this a "readonly." call?
8709                        const BYTE*             delegateCreateStart,
8710                        const BYTE*             codeAddr,
8711                        CORINFO_CALL_INFO* callInfo DEBUGARG(const char* methodName));
8712
8713     BOOL verCheckDelegateCreation(const BYTE* delegateCreateStart, const BYTE* codeAddr, mdMemberRef& targetMemberRef);
8714
8715     typeInfo verVerifySTIND(const typeInfo& ptr, const typeInfo& value, const typeInfo& instrType);
8716     typeInfo verVerifyLDIND(const typeInfo& ptr, const typeInfo& instrType);
8717     void verVerifyField(CORINFO_RESOLVED_TOKEN*   pResolvedToken,
8718                         const CORINFO_FIELD_INFO& fieldInfo,
8719                         const typeInfo*           tiThis,
8720                         BOOL                      mutator,
8721                         BOOL                      allowPlainStructAsThis = FALSE);
8722     void verVerifyCond(const typeInfo& tiOp1, const typeInfo& tiOp2, unsigned opcode);
8723     void verVerifyThisPtrInitialised();
8724     BOOL verIsCallToInitThisPtr(CORINFO_CLASS_HANDLE context, CORINFO_CLASS_HANDLE target);
8725
8726     // Register allocator
8727     void raInitStackFP();
8728     void raEnregisterVarsPrePassStackFP();
8729     void raSetRegLclBirthDeath(GenTreePtr tree, VARSET_VALARG_TP lastlife, bool fromLDOBJ);
8730     void raEnregisterVarsPostPassStackFP();
8731     void raGenerateFPRefCounts();
8732     void raEnregisterVarsStackFP();
8733     void raUpdateHeightsForVarsStackFP(VARSET_VALARG_TP mask);
8734
8735     regNumber raRegForVarStackFP(unsigned varTrackedIndex);
8736     void raAddPayloadStackFP(VARSET_VALARG_TP mask, unsigned weight);
8737
8738     // returns true if enregistering v1 would save more mem accesses than v2
8739     bool raVarIsGreaterValueStackFP(LclVarDsc* lv1, LclVarDsc* lv2);
8740
8741 #ifdef DEBUG
8742     void raDumpHeightsStackFP();
8743     void raDumpVariableRegIntfFloat();
8744 #endif
8745
8746 #if FEATURE_STACK_FP_X87
8747
8748     // Currently, we use FP transition blocks in only 2 situations:
8749     //
8750     //      -conditional jump on longs where FP stack differs with target: it's not strictly
8751     //       necessary, but its low frequency and the code would get complicated if we try to
8752     //       inline the FP stack adjustment, as we have a lot of special casing going on to try
8753     //       minimize the way we generate the jump code.
8754     //      -case statements of switch where the FP stack differs with the one of evaluating the switch () statement
8755     //       We do this as we want to codegen switch as a jumptable. Again, this is low frequency.
8756     //
8757     //      However, transition blocks have 2 problems
8758     //
8759     //          - Procedure splitting: current implementation of procedure splitting requires all basic blocks to
8760     //            be known at codegen time, as it generates all hot blocks first and cold blocks later. This ties
8761     //            us up in codegen and is a solvable problem (we could make procedure splitting generate blocks
8762     //            in the right place without preordering them), this causes us to have to generate the transition
8763     //            blocks in the cold area if we want procedure splitting.
8764     //
8765     //
8766     //          - Thread abort exceptions and transition blocks. Transition blocks were designed under the assumption
8767     //            that no exceptions can happen inside them. Unfortunately Thread.Abort can happen in any instruction,
8768     //            and if we have handlers we will have to try to call them. Fixing this the right way would imply
8769     //            having multiple try native code regions for a single try il region. This is doable and shouldnt be
8770     //            a big change in the exception.
8771     //
8772     //      Given the low frequency of the cases where we have transition blocks, I've decided to dumb down
8773     //      optimizations. For these 2 cases:
8774     //
8775     //          - When there is a chance that we will have FP transition blocks, we won't do procedure splitting.
8776     //          - When a method has a handler, it won't enregister any FP variables that go thru a conditional long or
8777     //          a switch statement.
8778     //
8779     //      If at any point we find we need to optimize this, we should throw work at unblocking the restrictions our
8780     //      current procedure splitting and exception code have.
8781     bool compMayHaveTransitionBlocks;
8782
8783     VARSET_TP raMaskDontEnregFloat; // mask for additional restrictions
8784
8785     VARSET_TP raLclRegIntfFloat[REG_FPCOUNT];
8786
8787     unsigned raCntStkStackFP;
8788     unsigned raCntWtdStkDblStackFP;
8789     unsigned raCntStkParamDblStackFP;
8790
8791     // Payload in mem accesses for enregistering a variable (we dont want to mix with refcounts)
8792     // TODO: Do we want to put this in LclVarDsc?
8793     unsigned raPayloadStackFP[lclMAX_TRACKED];
8794     unsigned raHeightsStackFP[lclMAX_TRACKED][FP_VIRTUALREGISTERS + 1];
8795 #ifdef DEBUG
8796     // Useful for debugging
8797     unsigned raHeightsNonWeightedStackFP[lclMAX_TRACKED][FP_VIRTUALREGISTERS + 1];
8798 #endif
8799 #endif // FEATURE_STACK_FP_X87
8800
8801 #ifdef DEBUG
8802     // One line log function. Default level is 0. Increasing it gives you
8803     // more log information
8804
8805     // levels are currently unused: #define JITDUMP(level,...)                     ();
8806     void JitLogEE(unsigned level, const char* fmt, ...);
8807
8808     bool compDebugBreak;
8809
8810     bool compJitHaltMethod();
8811
8812 #endif
8813
8814     /*
8815     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
8816     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
8817     XX                                                                           XX
8818     XX                   GS Security checks for unsafe buffers                   XX
8819     XX                                                                           XX
8820     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
8821     XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
8822     */
8823 public:
8824     struct ShadowParamVarInfo
8825     {
8826         FixedBitVect* assignGroup; // the closure set of variables whose values depend on each other
8827         unsigned      shadowCopy;  // Lcl var num, valid only if not set to NO_SHADOW_COPY
8828
8829         static bool mayNeedShadowCopy(LclVarDsc* varDsc)
8830         {
8831 #if defined(_TARGET_AMD64_) && !defined(LEGACY_BACKEND)
8832             // GS cookie logic to create shadow slots, create trees to copy reg args to shadow
8833             // slots and update all trees to refer to shadow slots is done immediately after
8834             // fgMorph().  Lsra could potentially mark a param as DoNotEnregister after JIT determines
8835             // not to shadow a parameter.  Also, LSRA could potentially spill a param which is passed
8836             // in register. Therefore, conservatively all params may need a shadow copy.  Note that
8837             // GS cookie logic further checks whether the param is a ptr or an unsafe buffer before
8838             // creating a shadow slot even though this routine returns true.
8839             //
8840             // TODO-AMD64-CQ: Revisit this conservative approach as it could create more shadow slots than
8841             // required. There are two cases under which a reg arg could potentially be used from its
8842             // home location:
8843             //   a) LSRA marks it as DoNotEnregister (see LinearScan::identifyCandidates())
8844             //   b) LSRA spills it
8845             //
8846             // Possible solution to address case (a)
8847             //   - The conditions under which LSRA marks a varDsc as DoNotEnregister could be checked
8848             //     in this routine.  Note that live out of exception handler is something we may not be
8849             //     able to do it here since GS cookie logic is invoked ahead of liveness computation.
8850             //     Therefore, for methods with exception handling and need GS cookie check we might have
8851             //     to take conservative approach.
8852             //
8853             // Possible solution to address case (b)
8854             //   - Whenver a parameter passed in an argument register needs to be spilled by LSRA, we
8855             //     create a new spill temp if the method needs GS cookie check.
8856             return varDsc->lvIsParam;
8857 #else // !(defined(_TARGET_AMD64_) && defined(LEGACY_BACKEND))
8858             return varDsc->lvIsParam && !varDsc->lvIsRegArg;
8859 #endif
8860         }
8861
8862 #ifdef DEBUG
8863         void Print()
8864         {
8865             printf("assignGroup [%p]; shadowCopy: [%d];\n", assignGroup, shadowCopy);
8866         }
8867 #endif
8868     };
8869
8870     GSCookie*           gsGlobalSecurityCookieAddr; // Address of global cookie for unsafe buffer checks
8871     GSCookie            gsGlobalSecurityCookieVal;  // Value of global cookie if addr is NULL
8872     ShadowParamVarInfo* gsShadowVarInfo;            // Table used by shadow param analysis code
8873
8874     void gsGSChecksInitCookie();   // Grabs cookie variable
8875     void gsCopyShadowParams();     // Identify vulnerable params and create dhadow copies
8876     bool gsFindVulnerableParams(); // Shadow param analysis code
8877     void gsParamsToShadows();      // Insert copy code and replave param uses by shadow
8878
8879     static fgWalkPreFn gsMarkPtrsAndAssignGroups; // Shadow param analysis tree-walk
8880     static fgWalkPreFn gsReplaceShadowParams;     // Shadow param replacement tree-walk
8881
8882 #define DEFAULT_MAX_INLINE_SIZE 100 // Methods with >  DEFAULT_MAX_INLINE_SIZE IL bytes will never be inlined.
8883                                     // This can be overwritten by setting complus_JITInlineSize env variable.
8884
8885 #define DEFAULT_MAX_INLINE_DEPTH 20 // Methods at more than this level deep will not be inlined
8886
8887 private:
8888 #ifdef FEATURE_JIT_METHOD_PERF
8889     JitTimer*                  pCompJitTimer;         // Timer data structure (by phases) for current compilation.
8890     static CompTimeSummaryInfo s_compJitTimerSummary; // Summary of the Timer information for the whole run.
8891
8892     static LPCWSTR JitTimeLogCsv();        // Retrieve the file name for CSV from ConfigDWORD.
8893     static LPCWSTR compJitTimeLogFilename; // If a log file for JIT time is desired, filename to write it to.
8894 #endif
8895     inline void EndPhase(Phases phase); // Indicate the end of the given phase.
8896
8897 #if MEASURE_CLRAPI_CALLS
8898     // Thin wrappers that call into JitTimer (if present).
8899     inline void CLRApiCallEnter(unsigned apix);
8900     inline void CLRApiCallLeave(unsigned apix);
8901
8902 public:
8903     inline void CLR_API_Enter(API_ICorJitInfo_Names ename);
8904     inline void CLR_API_Leave(API_ICorJitInfo_Names ename);
8905
8906 private:
8907 #endif
8908
8909 #if defined(DEBUG) || defined(INLINE_DATA) || defined(FEATURE_CLRSQM)
8910     // These variables are associated with maintaining SQM data about compile time.
8911     unsigned __int64 m_compCyclesAtEndOfInlining; // The thread-virtualized cycle count at the end of the inlining phase
8912                                                   // in the current compilation.
8913     unsigned __int64 m_compCycles;                // Net cycle count for current compilation
8914     DWORD m_compTickCountAtEndOfInlining; // The result of GetTickCount() (# ms since some epoch marker) at the end of
8915                                           // the inlining phase in the current compilation.
8916 #endif                                    // defined(DEBUG) || defined(INLINE_DATA) || defined(FEATURE_CLRSQM)
8917
8918     // Records the SQM-relevant (cycles and tick count).  Should be called after inlining is complete.
8919     // (We do this after inlining because this marks the last point at which the JIT is likely to cause
8920     // type-loading and class initialization).
8921     void RecordStateAtEndOfInlining();
8922     // Assumes being called at the end of compilation.  Update the SQM state.
8923     void RecordStateAtEndOfCompilation();
8924
8925 #ifdef FEATURE_CLRSQM
8926     // Does anything SQM related necessary at process shutdown time.
8927     static void ProcessShutdownSQMWork(ICorStaticInfo* statInfo);
8928 #endif // FEATURE_CLRSQM
8929
8930 public:
8931 #if FUNC_INFO_LOGGING
8932     static LPCWSTR compJitFuncInfoFilename; // If a log file for per-function information is required, this is the
8933                                             // filename to write it to.
8934     static FILE* compJitFuncInfoFile;       // And this is the actual FILE* to write to.
8935 #endif                                      // FUNC_INFO_LOGGING
8936
8937     Compiler* prevCompiler; // Previous compiler on stack for TLS Compiler* linked list for reentrant compilers.
8938
8939     // Is the compilation in a full trust context?
8940     bool compIsFullTrust();
8941
8942 #ifndef FEATURE_TRACELOGGING
8943     // Should we actually fire the noway assert body and the exception handler?
8944     bool compShouldThrowOnNoway();
8945 #else  // FEATURE_TRACELOGGING
8946     // Should we actually fire the noway assert body and the exception handler?
8947     bool compShouldThrowOnNoway(const char* filename, unsigned line);
8948
8949     // Telemetry instance to use per method compilation.
8950     JitTelemetry compJitTelemetry;
8951
8952     // Get common parameters that have to be logged with most telemetry data.
8953     void compGetTelemetryDefaults(const char** assemblyName,
8954                                   const char** scopeName,
8955                                   const char** methodName,
8956                                   unsigned*    methodHash);
8957 #endif // !FEATURE_TRACELOGGING
8958
8959 #ifdef DEBUG
8960 private:
8961     NodeToTestDataMap* m_nodeTestData;
8962
8963     static const unsigned FIRST_LOOP_HOIST_CSE_CLASS = 1000;
8964     unsigned              m_loopHoistCSEClass; // LoopHoist test annotations turn into CSE requirements; we
8965                                                // label them with CSE Class #'s starting at FIRST_LOOP_HOIST_CSE_CLASS.
8966                                                // Current kept in this.
8967 public:
8968     NodeToTestDataMap* GetNodeTestData()
8969     {
8970         Compiler* compRoot = impInlineRoot();
8971         if (compRoot->m_nodeTestData == nullptr)
8972         {
8973             compRoot->m_nodeTestData = new (getAllocatorDebugOnly()) NodeToTestDataMap(getAllocatorDebugOnly());
8974         }
8975         return compRoot->m_nodeTestData;
8976     }
8977
8978     typedef SimplerHashTable<GenTreePtr, PtrKeyFuncs<GenTree>, int, JitSimplerHashBehavior> NodeToIntMap;
8979
8980     // Returns the set (i.e., the domain of the result map) of nodes that are keys in m_nodeTestData, and
8981     // currently occur in the AST graph.
8982     NodeToIntMap* FindReachableNodesInNodeTestData();
8983
8984     // Node "from" is being eliminated, and being replaced by node "to".  If "from" had any associated
8985     // test data, associate that data with "to".
8986     void TransferTestDataToNode(GenTreePtr from, GenTreePtr to);
8987
8988     // Requires that "to" is a clone of "from".  If any nodes in the "from" tree
8989     // have annotations, attach similar annotations to the corresponding nodes in "to".
8990     void CopyTestDataToCloneTree(GenTreePtr from, GenTreePtr to);
8991
8992     // These are the methods that test that the various conditions implied by the
8993     // test attributes are satisfied.
8994     void JitTestCheckSSA(); // SSA builder tests.
8995     void JitTestCheckVN();  // Value numbering tests.
8996 #endif                      // DEBUG
8997
8998     // The "FieldSeqStore", for canonicalizing field sequences.  See the definition of FieldSeqStore for
8999     // operations.
9000     FieldSeqStore* m_fieldSeqStore;
9001
9002     FieldSeqStore* GetFieldSeqStore()
9003     {
9004         Compiler* compRoot = impInlineRoot();
9005         if (compRoot->m_fieldSeqStore == nullptr)
9006         {
9007             // Create a CompAllocator that labels sub-structure with CMK_FieldSeqStore, and use that for allocation.
9008             IAllocator* ialloc        = new (this, CMK_FieldSeqStore) CompAllocator(this, CMK_FieldSeqStore);
9009             compRoot->m_fieldSeqStore = new (ialloc) FieldSeqStore(ialloc);
9010         }
9011         return compRoot->m_fieldSeqStore;
9012     }
9013
9014     typedef SimplerHashTable<GenTreePtr, PtrKeyFuncs<GenTree>, FieldSeqNode*, JitSimplerHashBehavior> NodeToFieldSeqMap;
9015
9016     // Some nodes of "TYP_BYREF" or "TYP_I_IMPL" actually represent the address of a field within a struct, but since
9017     // the offset of the field is zero, there's no "GT_ADD" node.  We normally attach a field sequence to the constant
9018     // that is added, but what do we do when that constant is zero, and is thus not present?  We use this mechanism to
9019     // attach the field sequence directly to the address node.
9020     NodeToFieldSeqMap* m_zeroOffsetFieldMap;
9021
9022     NodeToFieldSeqMap* GetZeroOffsetFieldMap()
9023     {
9024         // Don't need to worry about inlining here
9025         if (m_zeroOffsetFieldMap == nullptr)
9026         {
9027             // Create a CompAllocator that labels sub-structure with CMK_ZeroOffsetFieldMap, and use that for
9028             // allocation.
9029             IAllocator* ialloc   = new (this, CMK_ZeroOffsetFieldMap) CompAllocator(this, CMK_ZeroOffsetFieldMap);
9030             m_zeroOffsetFieldMap = new (ialloc) NodeToFieldSeqMap(ialloc);
9031         }
9032         return m_zeroOffsetFieldMap;
9033     }
9034
9035     // Requires that "op1" is a node of type "TYP_BYREF" or "TYP_I_IMPL".  We are dereferencing this with the fields in
9036     // "fieldSeq", whose offsets are required all to be zero.  Ensures that any field sequence annotation currently on
9037     // "op1" or its components is augmented by appending "fieldSeq".  In practice, if "op1" is a GT_LCL_FLD, it has
9038     // a field sequence as a member; otherwise, it may be the addition of an a byref and a constant, where the const
9039     // has a field sequence -- in this case "fieldSeq" is appended to that of the constant; otherwise, we
9040     // record the the field sequence using the ZeroOffsetFieldMap described above.
9041     //
9042     // One exception above is that "op1" is a node of type "TYP_REF" where "op1" is a GT_LCL_VAR.
9043     // This happens when System.Object vtable pointer is a regular field at offset 0 in System.Private.CoreLib in
9044     // CoreRT. Such case is handled same as the default case.
9045     void fgAddFieldSeqForZeroOffset(GenTreePtr op1, FieldSeqNode* fieldSeq);
9046
9047     typedef SimplerHashTable<const GenTree*, PtrKeyFuncs<GenTree>, ArrayInfo, JitSimplerHashBehavior>
9048                         NodeToArrayInfoMap;
9049     NodeToArrayInfoMap* m_arrayInfoMap;
9050
9051     NodeToArrayInfoMap* GetArrayInfoMap()
9052     {
9053         Compiler* compRoot = impInlineRoot();
9054         if (compRoot->m_arrayInfoMap == nullptr)
9055         {
9056             // Create a CompAllocator that labels sub-structure with CMK_ArrayInfoMap, and use that for allocation.
9057             IAllocator* ialloc       = new (this, CMK_ArrayInfoMap) CompAllocator(this, CMK_ArrayInfoMap);
9058             compRoot->m_arrayInfoMap = new (ialloc) NodeToArrayInfoMap(ialloc);
9059         }
9060         return compRoot->m_arrayInfoMap;
9061     }
9062
9063     NodeToUnsignedMap* m_memorySsaMap[MemoryKindCount];
9064
9065     // In some cases, we want to assign intermediate SSA #'s to memory states, and know what nodes create those memory
9066     // states. (We do this for try blocks, where, if the try block doesn't do a call that loses track of the memory
9067     // state, all the possible memory states are possible initial states of the corresponding catch block(s).)
9068     NodeToUnsignedMap* GetMemorySsaMap(MemoryKind memoryKind)
9069     {
9070         if (memoryKind == GcHeap && byrefStatesMatchGcHeapStates)
9071         {
9072             // Use the same map for GCHeap and ByrefExposed when their states match.
9073             memoryKind = ByrefExposed;
9074         }
9075
9076         assert(memoryKind < MemoryKindCount);
9077         Compiler* compRoot = impInlineRoot();
9078         if (compRoot->m_memorySsaMap[memoryKind] == nullptr)
9079         {
9080             // Create a CompAllocator that labels sub-structure with CMK_ArrayInfoMap, and use that for allocation.
9081             IAllocator* ialloc                   = new (this, CMK_ArrayInfoMap) CompAllocator(this, CMK_ArrayInfoMap);
9082             compRoot->m_memorySsaMap[memoryKind] = new (ialloc) NodeToUnsignedMap(ialloc);
9083         }
9084         return compRoot->m_memorySsaMap[memoryKind];
9085     }
9086
9087     // The Refany type is the only struct type whose structure is implicitly assumed by IL.  We need its fields.
9088     CORINFO_CLASS_HANDLE m_refAnyClass;
9089     CORINFO_FIELD_HANDLE GetRefanyDataField()
9090     {
9091         if (m_refAnyClass == nullptr)
9092         {
9093             m_refAnyClass = info.compCompHnd->getBuiltinClass(CLASSID_TYPED_BYREF);
9094         }
9095         return info.compCompHnd->getFieldInClass(m_refAnyClass, 0);
9096     }
9097     CORINFO_FIELD_HANDLE GetRefanyTypeField()
9098     {
9099         if (m_refAnyClass == nullptr)
9100         {
9101             m_refAnyClass = info.compCompHnd->getBuiltinClass(CLASSID_TYPED_BYREF);
9102         }
9103         return info.compCompHnd->getFieldInClass(m_refAnyClass, 1);
9104     }
9105
9106 #if VARSET_COUNTOPS
9107     static BitSetSupport::BitSetOpCounter m_varsetOpCounter;
9108 #endif
9109 #if ALLVARSET_COUNTOPS
9110     static BitSetSupport::BitSetOpCounter m_allvarsetOpCounter;
9111 #endif
9112
9113     static HelperCallProperties s_helperCallProperties;
9114
9115 #ifdef FEATURE_UNIX_AMD64_STRUCT_PASSING
9116     static var_types GetTypeFromClassificationAndSizes(SystemVClassificationType classType, int size);
9117     static var_types GetEightByteType(const SYSTEMV_AMD64_CORINFO_STRUCT_REG_PASSING_DESCRIPTOR& structDesc,
9118                                       unsigned                                                   slotNum);
9119     static void GetStructTypeOffset(const SYSTEMV_AMD64_CORINFO_STRUCT_REG_PASSING_DESCRIPTOR& structDesc,
9120                                     var_types*                                                 type0,
9121                                     var_types*                                                 type1,
9122                                     unsigned __int8*                                           offset0,
9123                                     unsigned __int8*                                           offset1);
9124     void fgMorphSystemVStructArgs(GenTreeCall* call, bool hasStructArgument);
9125 #endif // defined(FEATURE_UNIX_AMD64_STRUCT_PASSING)
9126
9127     void fgMorphMultiregStructArgs(GenTreeCall* call);
9128     GenTreePtr fgMorphMultiregStructArg(GenTreePtr arg, fgArgTabEntryPtr fgEntryPtr);
9129
9130 }; // end of class Compiler
9131
9132 // Inline methods of CompAllocator.
9133 void* CompAllocator::Alloc(size_t sz)
9134 {
9135 #if MEASURE_MEM_ALLOC
9136     return m_comp->compGetMem(sz, m_cmk);
9137 #else
9138     return m_comp->compGetMem(sz);
9139 #endif
9140 }
9141
9142 void* CompAllocator::ArrayAlloc(size_t elems, size_t elemSize)
9143 {
9144 #if MEASURE_MEM_ALLOC
9145     return m_comp->compGetMemArray(elems, elemSize, m_cmk);
9146 #else
9147     return m_comp->compGetMemArray(elems, elemSize);
9148 #endif
9149 }
9150
9151 // LclVarDsc constructor. Uses Compiler, so must come after Compiler definition.
9152 inline LclVarDsc::LclVarDsc(Compiler* comp)
9153     : // Initialize the ArgRegs to REG_STK.
9154     // The morph will do the right thing to change
9155     // to the right register if passed in register.
9156     _lvArgReg(REG_STK)
9157     ,
9158 #if FEATURE_MULTIREG_ARGS
9159     _lvOtherArgReg(REG_STK)
9160     ,
9161 #endif // FEATURE_MULTIREG_ARGS
9162 #if ASSERTION_PROP
9163     lvRefBlks(BlockSetOps::UninitVal())
9164     ,
9165 #endif // ASSERTION_PROP
9166     lvPerSsaData(comp->getAllocator())
9167 {
9168 }
9169
9170 /*
9171 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
9172 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
9173 XX                                                                           XX
9174 XX                   Miscellaneous Compiler stuff                            XX
9175 XX                                                                           XX
9176 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
9177 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
9178 */
9179
9180 // Values used to mark the types a stack slot is used for
9181
9182 const unsigned TYPE_REF_INT      = 0x01; // slot used as a 32-bit int
9183 const unsigned TYPE_REF_LNG      = 0x02; // slot used as a 64-bit long
9184 const unsigned TYPE_REF_FLT      = 0x04; // slot used as a 32-bit float
9185 const unsigned TYPE_REF_DBL      = 0x08; // slot used as a 64-bit float
9186 const unsigned TYPE_REF_PTR      = 0x10; // slot used as a 32-bit pointer
9187 const unsigned TYPE_REF_BYR      = 0x20; // slot used as a byref pointer
9188 const unsigned TYPE_REF_STC      = 0x40; // slot used as a struct
9189 const unsigned TYPE_REF_TYPEMASK = 0x7F; // bits that represent the type
9190
9191 // const unsigned TYPE_REF_ADDR_TAKEN  = 0x80; // slots address was taken
9192
9193 /*****************************************************************************
9194  *
9195  *  Variables to keep track of total code amounts.
9196  */
9197
9198 #if DISPLAY_SIZES
9199
9200 extern size_t grossVMsize;
9201 extern size_t grossNCsize;
9202 extern size_t totalNCsize;
9203
9204 extern unsigned genMethodICnt;
9205 extern unsigned genMethodNCnt;
9206 extern size_t   gcHeaderISize;
9207 extern size_t   gcPtrMapISize;
9208 extern size_t   gcHeaderNSize;
9209 extern size_t   gcPtrMapNSize;
9210
9211 #endif // DISPLAY_SIZES
9212
9213 /*****************************************************************************
9214  *
9215  *  Variables to keep track of basic block counts (more data on 1 BB methods)
9216  */
9217
9218 #if COUNT_BASIC_BLOCKS
9219 extern Histogram bbCntTable;
9220 extern Histogram bbOneBBSizeTable;
9221 #endif
9222
9223 /*****************************************************************************
9224  *
9225  *  Used by optFindNaturalLoops to gather statistical information such as
9226  *   - total number of natural loops
9227  *   - number of loops with 1, 2, ... exit conditions
9228  *   - number of loops that have an iterator (for like)
9229  *   - number of loops that have a constant iterator
9230  */
9231
9232 #if COUNT_LOOPS
9233
9234 extern unsigned totalLoopMethods;        // counts the total number of methods that have natural loops
9235 extern unsigned maxLoopsPerMethod;       // counts the maximum number of loops a method has
9236 extern unsigned totalLoopOverflows;      // # of methods that identified more loops than we can represent
9237 extern unsigned totalLoopCount;          // counts the total number of natural loops
9238 extern unsigned totalUnnatLoopCount;     // counts the total number of (not-necessarily natural) loops
9239 extern unsigned totalUnnatLoopOverflows; // # of methods that identified more unnatural loops than we can represent
9240 extern unsigned iterLoopCount;           // counts the # of loops with an iterator (for like)
9241 extern unsigned simpleTestLoopCount;     // counts the # of loops with an iterator and a simple loop condition (iter <
9242                                          // const)
9243 extern unsigned  constIterLoopCount;     // counts the # of loops with a constant iterator (for like)
9244 extern bool      hasMethodLoops;         // flag to keep track if we already counted a method as having loops
9245 extern unsigned  loopsThisMethod;        // counts the number of loops in the current method
9246 extern bool      loopOverflowThisMethod; // True if we exceeded the max # of loops in the method.
9247 extern Histogram loopCountTable;         // Histogram of loop counts
9248 extern Histogram loopExitCountTable;     // Histogram of loop exit counts
9249
9250 #endif // COUNT_LOOPS
9251
9252 /*****************************************************************************
9253  * variables to keep track of how many iterations we go in a dataflow pass
9254  */
9255
9256 #if DATAFLOW_ITER
9257
9258 extern unsigned CSEiterCount; // counts the # of iteration for the CSE dataflow
9259 extern unsigned CFiterCount;  // counts the # of iteration for the Const Folding dataflow
9260
9261 #endif // DATAFLOW_ITER
9262
9263 #if MEASURE_BLOCK_SIZE
9264 extern size_t genFlowNodeSize;
9265 extern size_t genFlowNodeCnt;
9266 #endif // MEASURE_BLOCK_SIZE
9267
9268 #if MEASURE_NODE_SIZE
9269 struct NodeSizeStats
9270 {
9271     void Init()
9272     {
9273         genTreeNodeCnt        = 0;
9274         genTreeNodeSize       = 0;
9275         genTreeNodeActualSize = 0;
9276     }
9277
9278     size_t genTreeNodeCnt;
9279     size_t genTreeNodeSize;       // The size we allocate
9280     size_t genTreeNodeActualSize; // The actual size of the node. Note that the actual size will likely be smaller
9281                                   //   than the allocated size, but we sometimes use SetOper()/ChangeOper() to change
9282                                   //   a smaller node to a larger one. TODO-Cleanup: add stats on
9283                                   //   SetOper()/ChangeOper() usage to quanitfy this.
9284 };
9285 extern NodeSizeStats genNodeSizeStats;        // Total node size stats
9286 extern NodeSizeStats genNodeSizeStatsPerFunc; // Per-function node size stats
9287 extern Histogram     genTreeNcntHist;
9288 extern Histogram     genTreeNsizHist;
9289 #endif // MEASURE_NODE_SIZE
9290
9291 /*****************************************************************************
9292  *  Count fatal errors (including noway_asserts).
9293  */
9294
9295 #if MEASURE_FATAL
9296 extern unsigned fatal_badCode;
9297 extern unsigned fatal_noWay;
9298 extern unsigned fatal_NOMEM;
9299 extern unsigned fatal_noWayAssertBody;
9300 #ifdef DEBUG
9301 extern unsigned fatal_noWayAssertBodyArgs;
9302 #endif // DEBUG
9303 extern unsigned fatal_NYI;
9304 #endif // MEASURE_FATAL
9305
9306 /*****************************************************************************
9307  * Codegen
9308  */
9309
9310 #ifdef _TARGET_XARCH_
9311
9312 const instruction INS_SHIFT_LEFT_LOGICAL  = INS_shl;
9313 const instruction INS_SHIFT_RIGHT_LOGICAL = INS_shr;
9314 const instruction INS_SHIFT_RIGHT_ARITHM  = INS_sar;
9315
9316 const instruction INS_AND             = INS_and;
9317 const instruction INS_OR              = INS_or;
9318 const instruction INS_XOR             = INS_xor;
9319 const instruction INS_NEG             = INS_neg;
9320 const instruction INS_TEST            = INS_test;
9321 const instruction INS_MUL             = INS_imul;
9322 const instruction INS_SIGNED_DIVIDE   = INS_idiv;
9323 const instruction INS_UNSIGNED_DIVIDE = INS_div;
9324 const instruction INS_BREAKPOINT      = INS_int3;
9325 const instruction INS_ADDC            = INS_adc;
9326 const instruction INS_SUBC            = INS_sbb;
9327 const instruction INS_NOT             = INS_not;
9328
9329 #endif
9330
9331 #ifdef _TARGET_ARM_
9332
9333 const instruction INS_SHIFT_LEFT_LOGICAL  = INS_lsl;
9334 const instruction INS_SHIFT_RIGHT_LOGICAL = INS_lsr;
9335 const instruction INS_SHIFT_RIGHT_ARITHM  = INS_asr;
9336
9337 const instruction INS_AND             = INS_and;
9338 const instruction INS_OR              = INS_orr;
9339 const instruction INS_XOR             = INS_eor;
9340 const instruction INS_NEG             = INS_rsb;
9341 const instruction INS_TEST            = INS_tst;
9342 const instruction INS_MUL             = INS_mul;
9343 const instruction INS_SIGNED_DIVIDE   = INS_sdiv;
9344 const instruction INS_UNSIGNED_DIVIDE = INS_udiv;
9345 const instruction INS_BREAKPOINT      = INS_bkpt;
9346 const instruction INS_ADDC            = INS_adc;
9347 const instruction INS_SUBC            = INS_sbc;
9348 const instruction INS_NOT             = INS_mvn;
9349
9350 #endif
9351
9352 #ifdef _TARGET_ARM64_
9353
9354 const instruction INS_SHIFT_LEFT_LOGICAL  = INS_lsl;
9355 const instruction INS_SHIFT_RIGHT_LOGICAL = INS_lsr;
9356 const instruction INS_SHIFT_RIGHT_ARITHM  = INS_asr;
9357
9358 const instruction INS_AND             = INS_and;
9359 const instruction INS_OR              = INS_orr;
9360 const instruction INS_XOR             = INS_eor;
9361 const instruction INS_NEG             = INS_neg;
9362 const instruction INS_TEST            = INS_tst;
9363 const instruction INS_MUL             = INS_mul;
9364 const instruction INS_SIGNED_DIVIDE   = INS_sdiv;
9365 const instruction INS_UNSIGNED_DIVIDE = INS_udiv;
9366 const instruction INS_BREAKPOINT      = INS_bkpt;
9367 const instruction INS_ADDC            = INS_adc;
9368 const instruction INS_SUBC            = INS_sbc;
9369 const instruction INS_NOT             = INS_mvn;
9370
9371 #endif
9372
9373 /*****************************************************************************/
9374
9375 extern const BYTE genTypeSizes[];
9376 extern const BYTE genTypeAlignments[];
9377 extern const BYTE genTypeStSzs[];
9378 extern const BYTE genActualTypes[];
9379
9380 /*****************************************************************************/
9381
9382 // VERY_LARGE_FRAME_SIZE_REG_MASK is the set of registers we need to use for
9383 // the probing loop generated for very large stack frames (see `getVeryLargeFrameSize`).
9384
9385 #ifdef _TARGET_ARM_
9386 #define VERY_LARGE_FRAME_SIZE_REG_MASK (RBM_R4 | RBM_R5 | RBM_R6)
9387 #elif defined(_TARGET_ARM64_)
9388 #define VERY_LARGE_FRAME_SIZE_REG_MASK (RBM_R9 | RBM_R10 | RBM_R11)
9389 #endif
9390
9391 /*****************************************************************************/
9392
9393 #define REG_CORRUPT regNumber(REG_NA + 1)
9394 #define RBM_CORRUPT (RBM_ILLEGAL | regMaskTP(1))
9395 #define REG_PAIR_CORRUPT regPairNo(REG_PAIR_NONE + 1)
9396
9397 /*****************************************************************************/
9398
9399 extern BasicBlock dummyBB;
9400
9401 /*****************************************************************************/
9402 /*****************************************************************************/
9403
9404 // foreach_treenode_execution_order: An iterator that iterates through all the tree
9405 // nodes of a statement in execution order.
9406 //      __stmt: a GT_STMT type GenTree*
9407 //      __node: a GenTree*, already declared, that gets updated with each node in the statement, in execution order
9408
9409 #define foreach_treenode_execution_order(__node, __stmt)                                                               \
9410     for ((__node) = (__stmt)->gtStmt.gtStmtList; (__node); (__node) = (__node)->gtNext)
9411
9412 // foreach_block: An iterator over all blocks in the function.
9413 //    __compiler: the Compiler* object
9414 //    __block   : a BasicBlock*, already declared, that gets updated each iteration.
9415
9416 #define foreach_block(__compiler, __block)                                                                             \
9417     for ((__block) = (__compiler)->fgFirstBB; (__block); (__block) = (__block)->bbNext)
9418
9419 /*****************************************************************************/
9420 /*****************************************************************************/
9421
9422 #ifdef DEBUG
9423
9424 void dumpConvertedVarSet(Compiler* comp, VARSET_VALARG_TP vars);
9425
9426 /*XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
9427 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
9428 XX                                                                           XX
9429 XX                          Debugging helpers                                XX
9430 XX                                                                           XX
9431 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
9432 XXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXXX
9433 */
9434
9435 /*****************************************************************************/
9436 /* The following functions are intended to be called from the debugger, to dump
9437  * various data structures. The can be used in the debugger Watch or Quick Watch
9438  * windows. They are designed to be short to type and take as few arguments as
9439  * possible. The 'c' versions take a Compiler*, whereas the 'd' versions use the TlsCompiler.
9440  * See the function definition comment for more details.
9441  */
9442
9443 void cBlock(Compiler* comp, BasicBlock* block);
9444 void cBlocks(Compiler* comp);
9445 void cBlocksV(Compiler* comp);
9446 void cTree(Compiler* comp, GenTree* tree);
9447 void cTrees(Compiler* comp);
9448 void cEH(Compiler* comp);
9449 void cVar(Compiler* comp, unsigned lclNum);
9450 void cVarDsc(Compiler* comp, LclVarDsc* varDsc);
9451 void cVars(Compiler* comp);
9452 void cVarsFinal(Compiler* comp);
9453 void cBlockPreds(Compiler* comp, BasicBlock* block);
9454 void cReach(Compiler* comp);
9455 void cDoms(Compiler* comp);
9456 void cLiveness(Compiler* comp);
9457 void cCVarSet(Compiler* comp, VARSET_VALARG_TP vars);
9458
9459 void cFuncIR(Compiler* comp);
9460 void cBlockIR(Compiler* comp, BasicBlock* block);
9461 void cLoopIR(Compiler* comp, Compiler::LoopDsc* loop);
9462 void cTreeIR(Compiler* comp, GenTree* tree);
9463 int cTreeTypeIR(Compiler* comp, GenTree* tree);
9464 int cTreeKindsIR(Compiler* comp, GenTree* tree);
9465 int cTreeFlagsIR(Compiler* comp, GenTree* tree);
9466 int cOperandIR(Compiler* comp, GenTree* operand);
9467 int cLeafIR(Compiler* comp, GenTree* tree);
9468 int cIndirIR(Compiler* comp, GenTree* tree);
9469 int cListIR(Compiler* comp, GenTree* list);
9470 int cSsaNumIR(Compiler* comp, GenTree* tree);
9471 int cValNumIR(Compiler* comp, GenTree* tree);
9472 int cDependsIR(Compiler* comp, GenTree* comma, bool* first);
9473
9474 void dBlock(BasicBlock* block);
9475 void dBlocks();
9476 void dBlocksV();
9477 void dTree(GenTree* tree);
9478 void dTrees();
9479 void dEH();
9480 void dVar(unsigned lclNum);
9481 void dVarDsc(LclVarDsc* varDsc);
9482 void dVars();
9483 void dVarsFinal();
9484 void dBlockPreds(BasicBlock* block);
9485 void dReach();
9486 void dDoms();
9487 void dLiveness();
9488 void dCVarSet(VARSET_VALARG_TP vars);
9489
9490 void dVarSet(VARSET_VALARG_TP vars);
9491 void dRegMask(regMaskTP mask);
9492
9493 void dFuncIR();
9494 void dBlockIR(BasicBlock* block);
9495 void dTreeIR(GenTree* tree);
9496 void dLoopIR(Compiler::LoopDsc* loop);
9497 void dLoopNumIR(unsigned loopNum);
9498 int dTabStopIR(int curr, int tabstop);
9499 int dTreeTypeIR(GenTree* tree);
9500 int dTreeKindsIR(GenTree* tree);
9501 int dTreeFlagsIR(GenTree* tree);
9502 int dOperandIR(GenTree* operand);
9503 int dLeafIR(GenTree* tree);
9504 int dIndirIR(GenTree* tree);
9505 int dListIR(GenTree* list);
9506 int dSsaNumIR(GenTree* tree);
9507 int dValNumIR(GenTree* tree);
9508 int dDependsIR(GenTree* comma);
9509 void dFormatIR();
9510
9511 GenTree* dFindTree(GenTree* tree, unsigned id);
9512 GenTree* dFindTree(unsigned id);
9513 GenTreeStmt* dFindStmt(unsigned id);
9514 BasicBlock* dFindBlock(unsigned bbNum);
9515
9516 #endif // DEBUG
9517
9518 #include "compiler.hpp" // All the shared inline functions
9519
9520 /*****************************************************************************/
9521 #endif //_COMPILER_H_
9522 /*****************************************************************************/