1 //===-- PrologEpilogInserter.cpp - Insert Prolog/Epilog code in function --===//
2 //
3 //                     The LLVM Compiler Infrastructure
4 //
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
7 //
8 //===----------------------------------------------------------------------===//
9 //
10 // This pass is responsible for finalizing the functions frame layout, saving
11 // callee saved registers, and for emitting prolog & epilog code for the
12 // function.
13 //
14 // This pass must be run after register allocation.  After this pass is
15 // executed, it is illegal to construct MO_FrameIndex operands.
16 //
17 //===----------------------------------------------------------------------===//
18 
19 #include "llvm/ADT/STLExtras.h"
20 #include "llvm/ADT/SetVector.h"
21 #include "llvm/ADT/SmallSet.h"
22 #include "llvm/ADT/Statistic.h"
23 #include "llvm/CodeGen/MachineDominators.h"
24 #include "llvm/CodeGen/MachineFrameInfo.h"
25 #include "llvm/CodeGen/MachineInstr.h"
26 #include "llvm/CodeGen/MachineLoopInfo.h"
27 #include "llvm/CodeGen/MachineModuleInfo.h"
28 #include "llvm/CodeGen/MachineRegisterInfo.h"
29 #include "llvm/CodeGen/Passes.h"
30 #include "llvm/CodeGen/RegisterScavenging.h"
31 #include "llvm/CodeGen/StackProtector.h"
32 #include "llvm/CodeGen/WinEHFuncInfo.h"
33 #include "llvm/IR/DiagnosticInfo.h"
34 #include "llvm/IR/InlineAsm.h"
35 #include "llvm/IR/LLVMContext.h"
36 #include "llvm/Support/CommandLine.h"
37 #include "llvm/Support/Debug.h"
38 #include "llvm/Support/raw_ostream.h"
39 #include "llvm/Target/TargetFrameLowering.h"
40 #include "llvm/Target/TargetInstrInfo.h"
41 #include "llvm/Target/TargetMachine.h"
42 #include "llvm/Target/TargetRegisterInfo.h"
43 #include "llvm/Target/TargetSubtargetInfo.h"
44 #include <climits>
45 
46 using namespace llvm;
47 
48 #define DEBUG_TYPE "pei"
49 
50 typedef SmallVector<MachineBasicBlock *, 4> MBBVector;
51 static void doSpillCalleeSavedRegs(MachineFunction &MF, RegScavenger *RS,
52                                    unsigned &MinCSFrameIndex,
53                                    unsigned &MaxCXFrameIndex,
54                                    const MBBVector &SaveBlocks,
55                                    const MBBVector &RestoreBlocks);
56 
57 static void doScavengeFrameVirtualRegs(MachineFunction &MF, RegScavenger *RS);
58 
59 namespace {
60 class PEI : public MachineFunctionPass {
61 public:
62   static char ID;
63   explicit PEI(const TargetMachine *TM = nullptr) : MachineFunctionPass(ID) {
64     initializePEIPass(*PassRegistry::getPassRegistry());
65 
66     if (TM && (!TM->usesPhysRegsForPEI())) {
67       SpillCalleeSavedRegisters = [](MachineFunction &, RegScavenger *,
68                                      unsigned &, unsigned &, const MBBVector &,
69                                      const MBBVector &) {};
70       ScavengeFrameVirtualRegs = [](MachineFunction &, RegScavenger *) {};
71     } else {
72       SpillCalleeSavedRegisters = doSpillCalleeSavedRegs;
73       ScavengeFrameVirtualRegs = doScavengeFrameVirtualRegs;
74       UsesCalleeSaves = true;
75     }
76   }
77 
78   void getAnalysisUsage(AnalysisUsage &AU) const override;
79 
80   MachineFunctionProperties getRequiredProperties() const override {
81     MachineFunctionProperties MFP;
82     if (UsesCalleeSaves)
83       MFP.set(MachineFunctionProperties::Property::NoVRegs);
84     return MFP;
85   }
86 
87   /// runOnMachineFunction - Insert prolog/epilog code and replace abstract
88   /// frame indexes with appropriate references.
89   ///
90   bool runOnMachineFunction(MachineFunction &Fn) override;
91 
92 private:
93   std::function<void(MachineFunction &MF, RegScavenger *RS,
94                      unsigned &MinCSFrameIndex, unsigned &MaxCSFrameIndex,
95                      const MBBVector &SaveBlocks,
96                      const MBBVector &RestoreBlocks)>
97       SpillCalleeSavedRegisters;
98   std::function<void(MachineFunction &MF, RegScavenger *RS)>
99       ScavengeFrameVirtualRegs;
100 
101   bool UsesCalleeSaves = false;
102 
103   RegScavenger *RS;
104 
105   // MinCSFrameIndex, MaxCSFrameIndex - Keeps the range of callee saved
106   // stack frame indexes.
107   unsigned MinCSFrameIndex = std::numeric_limits<unsigned>::max();
108   unsigned MaxCSFrameIndex = 0;
109 
110   // Save and Restore blocks of the current function. Typically there is a
111   // single save block, unless Windows EH funclets are involved.
112   MBBVector SaveBlocks;
113   MBBVector RestoreBlocks;
114 
115   // Flag to control whether to use the register scavenger to resolve
116   // frame index materialization registers. Set according to
117   // TRI->requiresFrameIndexScavenging() for the current function.
118   bool FrameIndexVirtualScavenging;
119 
120   // Flag to control whether the scavenger should be passed even though
121   // FrameIndexVirtualScavenging is used.
122   bool FrameIndexEliminationScavenging;
123 
124   void calculateCallFrameInfo(MachineFunction &Fn);
125   void calculateSaveRestoreBlocks(MachineFunction &Fn);
126 
127   void calculateFrameObjectOffsets(MachineFunction &Fn);
128   void replaceFrameIndices(MachineFunction &Fn);
129   void replaceFrameIndices(MachineBasicBlock *BB, MachineFunction &Fn,
130                            int &SPAdj);
131   void insertPrologEpilogCode(MachineFunction &Fn);
132 };
133 } // namespace
134 
135 char PEI::ID = 0;
136 char &llvm::PrologEpilogCodeInserterID = PEI::ID;
137 
138 static cl::opt<unsigned>
139 WarnStackSize("warn-stack-size", cl::Hidden, cl::init((unsigned)-1),
140               cl::desc("Warn for stack size bigger than the given"
141                        " number"));
142 
143 INITIALIZE_TM_PASS_BEGIN(PEI, "prologepilog", "Prologue/Epilogue Insertion",
144                          false, false)
145 INITIALIZE_PASS_DEPENDENCY(MachineLoopInfo)
146 INITIALIZE_PASS_DEPENDENCY(MachineDominatorTree)
147 INITIALIZE_PASS_DEPENDENCY(StackProtector)
148 INITIALIZE_TM_PASS_END(PEI, "prologepilog",
149                        "Prologue/Epilogue Insertion & Frame Finalization",
150                        false, false)
151 
152 MachineFunctionPass *
153 llvm::createPrologEpilogInserterPass(const TargetMachine *TM) {
154   return new PEI(TM);
155 }
156 
157 STATISTIC(NumScavengedRegs, "Number of frame index regs scavenged");
158 STATISTIC(NumBytesStackSpace,
159           "Number of bytes used for stack in all functions");
160 
161 void PEI::getAnalysisUsage(AnalysisUsage &AU) const {
162   AU.setPreservesCFG();
163   AU.addPreserved<MachineLoopInfo>();
164   AU.addPreserved<MachineDominatorTree>();
165   AU.addRequired<StackProtector>();
166   MachineFunctionPass::getAnalysisUsage(AU);
167 }
168 
169 
170 /// StackObjSet - A set of stack object indexes
171 typedef SmallSetVector<int, 8> StackObjSet;
172 
173 /// runOnMachineFunction - Insert prolog/epilog code and replace abstract
174 /// frame indexes with appropriate references.
175 ///
176 bool PEI::runOnMachineFunction(MachineFunction &Fn) {
177   const Function* F = Fn.getFunction();
178   const TargetRegisterInfo *TRI = Fn.getSubtarget().getRegisterInfo();
179   const TargetFrameLowering *TFI = Fn.getSubtarget().getFrameLowering();
180 
181   RS = TRI->requiresRegisterScavenging(Fn) ? new RegScavenger() : nullptr;
182   FrameIndexVirtualScavenging = TRI->requiresFrameIndexScavenging(Fn);
183   FrameIndexEliminationScavenging = (RS && !FrameIndexVirtualScavenging) ||
184     TRI->requiresFrameIndexReplacementScavenging(Fn);
185 
186   // Calculate the MaxCallFrameSize and AdjustsStack variables for the
187   // function's frame information. Also eliminates call frame pseudo
188   // instructions.
189   calculateCallFrameInfo(Fn);
190 
191   // Determine placement of CSR spill/restore code and prolog/epilog code:
192   // place all spills in the entry block, all restores in return blocks.
193   calculateSaveRestoreBlocks(Fn);
194 
195   // Handle CSR spilling and restoring, for targets that need it.
196   SpillCalleeSavedRegisters(Fn, RS, MinCSFrameIndex, MaxCSFrameIndex,
197                             SaveBlocks, RestoreBlocks);
198 
199   // Allow the target machine to make final modifications to the function
200   // before the frame layout is finalized.
201   TFI->processFunctionBeforeFrameFinalized(Fn, RS);
202 
203   // Calculate actual frame offsets for all abstract stack objects...
204   calculateFrameObjectOffsets(Fn);
205 
206   // Add prolog and epilog code to the function.  This function is required
207   // to align the stack frame as necessary for any stack variables or
208   // called functions.  Because of this, calculateCalleeSavedRegisters()
209   // must be called before this function in order to set the AdjustsStack
210   // and MaxCallFrameSize variables.
211   if (!F->hasFnAttribute(Attribute::Naked))
212     insertPrologEpilogCode(Fn);
213 
214   // Replace all MO_FrameIndex operands with physical register references
215   // and actual offsets.
216   //
217   replaceFrameIndices(Fn);
218 
219   // If register scavenging is needed, as we've enabled doing it as a
220   // post-pass, scavenge the virtual registers that frame index elimination
221   // inserted.
222   if (TRI->requiresRegisterScavenging(Fn) && FrameIndexVirtualScavenging) {
223       ScavengeFrameVirtualRegs(Fn, RS);
224 
225       // Clear any vregs created by virtual scavenging.
226       Fn.getRegInfo().clearVirtRegs();
227   }
228 
229   // Warn on stack size when we exceeds the given limit.
230   MachineFrameInfo &MFI = Fn.getFrameInfo();
231   uint64_t StackSize = MFI.getStackSize();
232   if (WarnStackSize.getNumOccurrences() > 0 && WarnStackSize < StackSize) {
233     DiagnosticInfoStackSize DiagStackSize(*F, StackSize);
234     F->getContext().diagnose(DiagStackSize);
235   }
236 
237   delete RS;
238   SaveBlocks.clear();
239   RestoreBlocks.clear();
240   MFI.setSavePoint(nullptr);
241   MFI.setRestorePoint(nullptr);
242   return true;
243 }
244 
245 /// Calculate the MaxCallFrameSize and AdjustsStack
246 /// variables for the function's frame information and eliminate call frame
247 /// pseudo instructions.
248 void PEI::calculateCallFrameInfo(MachineFunction &Fn) {
249   const TargetInstrInfo &TII = *Fn.getSubtarget().getInstrInfo();
250   const TargetFrameLowering *TFI = Fn.getSubtarget().getFrameLowering();
251   MachineFrameInfo &MFI = Fn.getFrameInfo();
252 
253   unsigned MaxCallFrameSize = 0;
254   bool AdjustsStack = MFI.adjustsStack();
255 
256   // Get the function call frame set-up and tear-down instruction opcode
257   unsigned FrameSetupOpcode = TII.getCallFrameSetupOpcode();
258   unsigned FrameDestroyOpcode = TII.getCallFrameDestroyOpcode();
259 
260   // Early exit for targets which have no call frame setup/destroy pseudo
261   // instructions.
262   if (FrameSetupOpcode == ~0u && FrameDestroyOpcode == ~0u)
263     return;
264 
265   std::vector<MachineBasicBlock::iterator> FrameSDOps;
266   for (MachineFunction::iterator BB = Fn.begin(), E = Fn.end(); BB != E; ++BB)
267     for (MachineBasicBlock::iterator I = BB->begin(); I != BB->end(); ++I)
268       if (TII.isFrameInstr(*I)) {
269         unsigned Size = TII.getFrameSize(*I);
270         if (Size > MaxCallFrameSize) MaxCallFrameSize = Size;
271         AdjustsStack = true;
272         FrameSDOps.push_back(I);
273       } else if (I->isInlineAsm()) {
274         // Some inline asm's need a stack frame, as indicated by operand 1.
275         unsigned ExtraInfo = I->getOperand(InlineAsm::MIOp_ExtraInfo).getImm();
276         if (ExtraInfo & InlineAsm::Extra_IsAlignStack)
277           AdjustsStack = true;
278       }
279 
280   MFI.setAdjustsStack(AdjustsStack);
281   MFI.setMaxCallFrameSize(MaxCallFrameSize);
282 
283   for (std::vector<MachineBasicBlock::iterator>::iterator
284          i = FrameSDOps.begin(), e = FrameSDOps.end(); i != e; ++i) {
285     MachineBasicBlock::iterator I = *i;
286 
287     // If call frames are not being included as part of the stack frame, and
288     // the target doesn't indicate otherwise, remove the call frame pseudos
289     // here. The sub/add sp instruction pairs are still inserted, but we don't
290     // need to track the SP adjustment for frame index elimination.
291     if (TFI->canSimplifyCallFramePseudos(Fn))
292       TFI->eliminateCallFramePseudoInstr(Fn, *I->getParent(), I);
293   }
294 }
295 
296 /// Compute the sets of entry and return blocks for saving and restoring
297 /// callee-saved registers, and placing prolog and epilog code.
298 void PEI::calculateSaveRestoreBlocks(MachineFunction &Fn) {
299   const MachineFrameInfo &MFI = Fn.getFrameInfo();
300 
301   // Even when we do not change any CSR, we still want to insert the
302   // prologue and epilogue of the function.
303   // So set the save points for those.
304 
305   // Use the points found by shrink-wrapping, if any.
306   if (MFI.getSavePoint()) {
307     SaveBlocks.push_back(MFI.getSavePoint());
308     assert(MFI.getRestorePoint() && "Both restore and save must be set");
309     MachineBasicBlock *RestoreBlock = MFI.getRestorePoint();
310     // If RestoreBlock does not have any successor and is not a return block
311     // then the end point is unreachable and we do not need to insert any
312     // epilogue.
313     if (!RestoreBlock->succ_empty() || RestoreBlock->isReturnBlock())
314       RestoreBlocks.push_back(RestoreBlock);
315     return;
316   }
317 
318   // Save refs to entry and return blocks.
319   SaveBlocks.push_back(&Fn.front());
320   for (MachineBasicBlock &MBB : Fn) {
321     if (MBB.isEHFuncletEntry())
322       SaveBlocks.push_back(&MBB);
323     if (MBB.isReturnBlock())
324       RestoreBlocks.push_back(&MBB);
325   }
326 }
327 
328 static void assignCalleeSavedSpillSlots(MachineFunction &F,
329                                         const BitVector &SavedRegs,
330                                         unsigned &MinCSFrameIndex,
331                                         unsigned &MaxCSFrameIndex) {
332   if (SavedRegs.empty())
333     return;
334 
335   const TargetRegisterInfo *RegInfo = F.getSubtarget().getRegisterInfo();
336   const MCPhysReg *CSRegs = F.getRegInfo().getCalleeSavedRegs();
337 
338   std::vector<CalleeSavedInfo> CSI;
339   for (unsigned i = 0; CSRegs[i]; ++i) {
340     unsigned Reg = CSRegs[i];
341     if (SavedRegs.test(Reg))
342       CSI.push_back(CalleeSavedInfo(Reg));
343   }
344 
345   const TargetFrameLowering *TFI = F.getSubtarget().getFrameLowering();
346   MachineFrameInfo &MFI = F.getFrameInfo();
347   if (!TFI->assignCalleeSavedSpillSlots(F, RegInfo, CSI)) {
348     // If target doesn't implement this, use generic code.
349 
350     if (CSI.empty())
351       return; // Early exit if no callee saved registers are modified!
352 
353     unsigned NumFixedSpillSlots;
354     const TargetFrameLowering::SpillSlot *FixedSpillSlots =
355         TFI->getCalleeSavedSpillSlots(NumFixedSpillSlots);
356 
357     // Now that we know which registers need to be saved and restored, allocate
358     // stack slots for them.
359     for (auto &CS : CSI) {
360       unsigned Reg = CS.getReg();
361       const TargetRegisterClass *RC = RegInfo->getMinimalPhysRegClass(Reg);
362 
363       int FrameIdx;
364       if (RegInfo->hasReservedSpillSlot(F, Reg, FrameIdx)) {
365         CS.setFrameIdx(FrameIdx);
366         continue;
367       }
368 
369       // Check to see if this physreg must be spilled to a particular stack slot
370       // on this target.
371       const TargetFrameLowering::SpillSlot *FixedSlot = FixedSpillSlots;
372       while (FixedSlot != FixedSpillSlots + NumFixedSpillSlots &&
373              FixedSlot->Reg != Reg)
374         ++FixedSlot;
375 
376       unsigned Size = RegInfo->getSpillSize(*RC);
377       if (FixedSlot == FixedSpillSlots + NumFixedSpillSlots) {
378         // Nope, just spill it anywhere convenient.
379         unsigned Align = RegInfo->getSpillAlignment(*RC);
380         unsigned StackAlign = TFI->getStackAlignment();
381 
382         // We may not be able to satisfy the desired alignment specification of
383         // the TargetRegisterClass if the stack alignment is smaller. Use the
384         // min.
385         Align = std::min(Align, StackAlign);
386         FrameIdx = MFI.CreateStackObject(Size, Align, true);
387         if ((unsigned)FrameIdx < MinCSFrameIndex) MinCSFrameIndex = FrameIdx;
388         if ((unsigned)FrameIdx > MaxCSFrameIndex) MaxCSFrameIndex = FrameIdx;
389       } else {
390         // Spill it to the stack where we must.
391         FrameIdx = MFI.CreateFixedSpillStackObject(Size, FixedSlot->Offset);
392       }
393 
394       CS.setFrameIdx(FrameIdx);
395     }
396   }
397 
398   MFI.setCalleeSavedInfo(CSI);
399 }
400 
401 /// Helper function to update the liveness information for the callee-saved
402 /// registers.
403 static void updateLiveness(MachineFunction &MF) {
404   MachineFrameInfo &MFI = MF.getFrameInfo();
405   // Visited will contain all the basic blocks that are in the region
406   // where the callee saved registers are alive:
407   // - Anything that is not Save or Restore -> LiveThrough.
408   // - Save -> LiveIn.
409   // - Restore -> LiveOut.
410   // The live-out is not attached to the block, so no need to keep
411   // Restore in this set.
412   SmallPtrSet<MachineBasicBlock *, 8> Visited;
413   SmallVector<MachineBasicBlock *, 8> WorkList;
414   MachineBasicBlock *Entry = &MF.front();
415   MachineBasicBlock *Save = MFI.getSavePoint();
416 
417   if (!Save)
418     Save = Entry;
419 
420   if (Entry != Save) {
421     WorkList.push_back(Entry);
422     Visited.insert(Entry);
423   }
424   Visited.insert(Save);
425 
426   MachineBasicBlock *Restore = MFI.getRestorePoint();
427   if (Restore)
428     // By construction Restore cannot be visited, otherwise it
429     // means there exists a path to Restore that does not go
430     // through Save.
431     WorkList.push_back(Restore);
432 
433   while (!WorkList.empty()) {
434     const MachineBasicBlock *CurBB = WorkList.pop_back_val();
435     // By construction, the region that is after the save point is
436     // dominated by the Save and post-dominated by the Restore.
437     if (CurBB == Save && Save != Restore)
438       continue;
439     // Enqueue all the successors not already visited.
440     // Those are by construction either before Save or after Restore.
441     for (MachineBasicBlock *SuccBB : CurBB->successors())
442       if (Visited.insert(SuccBB).second)
443         WorkList.push_back(SuccBB);
444   }
445 
446   const std::vector<CalleeSavedInfo> &CSI = MFI.getCalleeSavedInfo();
447 
448   for (unsigned i = 0, e = CSI.size(); i != e; ++i) {
449     for (MachineBasicBlock *MBB : Visited) {
450       MCPhysReg Reg = CSI[i].getReg();
451       // Add the callee-saved register as live-in.
452       // It's killed at the spill.
453       if (!MBB->isLiveIn(Reg))
454         MBB->addLiveIn(Reg);
455     }
456   }
457 }
458 
459 /// insertCSRSpillsAndRestores - Insert spill and restore code for
460 /// callee saved registers used in the function.
461 ///
462 static void insertCSRSpillsAndRestores(MachineFunction &Fn,
463                                        const MBBVector &SaveBlocks,
464                                        const MBBVector &RestoreBlocks) {
465   // Get callee saved register information.
466   MachineFrameInfo &MFI = Fn.getFrameInfo();
467   const std::vector<CalleeSavedInfo> &CSI = MFI.getCalleeSavedInfo();
468 
469   MFI.setCalleeSavedInfoValid(true);
470 
471   // Early exit if no callee saved registers are modified!
472   if (CSI.empty())
473     return;
474 
475   const TargetInstrInfo &TII = *Fn.getSubtarget().getInstrInfo();
476   const TargetFrameLowering *TFI = Fn.getSubtarget().getFrameLowering();
477   const TargetRegisterInfo *TRI = Fn.getSubtarget().getRegisterInfo();
478   MachineBasicBlock::iterator I;
479 
480   // Spill using target interface.
481   for (MachineBasicBlock *SaveBlock : SaveBlocks) {
482     I = SaveBlock->begin();
483     if (!TFI->spillCalleeSavedRegisters(*SaveBlock, I, CSI, TRI)) {
484       for (unsigned i = 0, e = CSI.size(); i != e; ++i) {
485         // Insert the spill to the stack frame.
486         unsigned Reg = CSI[i].getReg();
487         const TargetRegisterClass *RC = TRI->getMinimalPhysRegClass(Reg);
488         TII.storeRegToStackSlot(*SaveBlock, I, Reg, true, CSI[i].getFrameIdx(),
489                                 RC, TRI);
490       }
491     }
492     // Update the live-in information of all the blocks up to the save point.
493     updateLiveness(Fn);
494   }
495 
496   // Restore using target interface.
497   for (MachineBasicBlock *MBB : RestoreBlocks) {
498     I = MBB->end();
499 
500     // Skip over all terminator instructions, which are part of the return
501     // sequence.
502     MachineBasicBlock::iterator I2 = I;
503     while (I2 != MBB->begin() && (--I2)->isTerminator())
504       I = I2;
505 
506     bool AtStart = I == MBB->begin();
507     MachineBasicBlock::iterator BeforeI = I;
508     if (!AtStart)
509       --BeforeI;
510 
511     // Restore all registers immediately before the return and any
512     // terminators that precede it.
513     if (!TFI->restoreCalleeSavedRegisters(*MBB, I, CSI, TRI)) {
514       for (unsigned i = 0, e = CSI.size(); i != e; ++i) {
515         unsigned Reg = CSI[i].getReg();
516         const TargetRegisterClass *RC = TRI->getMinimalPhysRegClass(Reg);
517         TII.loadRegFromStackSlot(*MBB, I, Reg, CSI[i].getFrameIdx(), RC, TRI);
518         assert(I != MBB->begin() &&
519                "loadRegFromStackSlot didn't insert any code!");
520         // Insert in reverse order.  loadRegFromStackSlot can insert
521         // multiple instructions.
522         if (AtStart)
523           I = MBB->begin();
524         else {
525           I = BeforeI;
526           ++I;
527         }
528       }
529     }
530   }
531 }
532 
533 static void doSpillCalleeSavedRegs(MachineFunction &Fn, RegScavenger *RS,
534                                    unsigned &MinCSFrameIndex,
535                                    unsigned &MaxCSFrameIndex,
536                                    const MBBVector &SaveBlocks,
537                                    const MBBVector &RestoreBlocks) {
538   const Function *F = Fn.getFunction();
539   const TargetFrameLowering *TFI = Fn.getSubtarget().getFrameLowering();
540   MinCSFrameIndex = std::numeric_limits<unsigned>::max();
541   MaxCSFrameIndex = 0;
542 
543   // Determine which of the registers in the callee save list should be saved.
544   BitVector SavedRegs;
545   TFI->determineCalleeSaves(Fn, SavedRegs, RS);
546 
547   // Assign stack slots for any callee-saved registers that must be spilled.
548   assignCalleeSavedSpillSlots(Fn, SavedRegs, MinCSFrameIndex, MaxCSFrameIndex);
549 
550   // Add the code to save and restore the callee saved registers.
551   if (!F->hasFnAttribute(Attribute::Naked))
552     insertCSRSpillsAndRestores(Fn, SaveBlocks, RestoreBlocks);
553 }
554 
555 /// AdjustStackOffset - Helper function used to adjust the stack frame offset.
556 static inline void
557 AdjustStackOffset(MachineFrameInfo &MFI, int FrameIdx,
558                   bool StackGrowsDown, int64_t &Offset,
559                   unsigned &MaxAlign, unsigned Skew) {
560   // If the stack grows down, add the object size to find the lowest address.
561   if (StackGrowsDown)
562     Offset += MFI.getObjectSize(FrameIdx);
563 
564   unsigned Align = MFI.getObjectAlignment(FrameIdx);
565 
566   // If the alignment of this object is greater than that of the stack, then
567   // increase the stack alignment to match.
568   MaxAlign = std::max(MaxAlign, Align);
569 
570   // Adjust to alignment boundary.
571   Offset = alignTo(Offset, Align, Skew);
572 
573   if (StackGrowsDown) {
574     DEBUG(dbgs() << "alloc FI(" << FrameIdx << ") at SP[" << -Offset << "]\n");
575     MFI.setObjectOffset(FrameIdx, -Offset); // Set the computed offset
576   } else {
577     DEBUG(dbgs() << "alloc FI(" << FrameIdx << ") at SP[" << Offset << "]\n");
578     MFI.setObjectOffset(FrameIdx, Offset);
579     Offset += MFI.getObjectSize(FrameIdx);
580   }
581 }
582 
583 /// Compute which bytes of fixed and callee-save stack area are unused and keep
584 /// track of them in StackBytesFree.
585 ///
586 static inline void
587 computeFreeStackSlots(MachineFrameInfo &MFI, bool StackGrowsDown,
588                       unsigned MinCSFrameIndex, unsigned MaxCSFrameIndex,
589                       int64_t FixedCSEnd, BitVector &StackBytesFree) {
590   // Avoid undefined int64_t -> int conversion below in extreme case.
591   if (FixedCSEnd > std::numeric_limits<int>::max())
592     return;
593 
594   StackBytesFree.resize(FixedCSEnd, true);
595 
596   SmallVector<int, 16> AllocatedFrameSlots;
597   // Add fixed objects.
598   for (int i = MFI.getObjectIndexBegin(); i != 0; ++i)
599     AllocatedFrameSlots.push_back(i);
600   // Add callee-save objects.
601   for (int i = MinCSFrameIndex; i <= (int)MaxCSFrameIndex; ++i)
602     AllocatedFrameSlots.push_back(i);
603 
604   for (int i : AllocatedFrameSlots) {
605     // These are converted from int64_t, but they should always fit in int
606     // because of the FixedCSEnd check above.
607     int ObjOffset = MFI.getObjectOffset(i);
608     int ObjSize = MFI.getObjectSize(i);
609     int ObjStart, ObjEnd;
610     if (StackGrowsDown) {
611       // ObjOffset is negative when StackGrowsDown is true.
612       ObjStart = -ObjOffset - ObjSize;
613       ObjEnd = -ObjOffset;
614     } else {
615       ObjStart = ObjOffset;
616       ObjEnd = ObjOffset + ObjSize;
617     }
618     // Ignore fixed holes that are in the previous stack frame.
619     if (ObjEnd > 0)
620       StackBytesFree.reset(ObjStart, ObjEnd);
621   }
622 }
623 
624 /// Assign frame object to an unused portion of the stack in the fixed stack
625 /// object range.  Return true if the allocation was successful.
626 ///
627 static inline bool scavengeStackSlot(MachineFrameInfo &MFI, int FrameIdx,
628                                      bool StackGrowsDown, unsigned MaxAlign,
629                                      BitVector &StackBytesFree) {
630   if (MFI.isVariableSizedObjectIndex(FrameIdx))
631     return false;
632 
633   if (StackBytesFree.none()) {
634     // clear it to speed up later scavengeStackSlot calls to
635     // StackBytesFree.none()
636     StackBytesFree.clear();
637     return false;
638   }
639 
640   unsigned ObjAlign = MFI.getObjectAlignment(FrameIdx);
641   if (ObjAlign > MaxAlign)
642     return false;
643 
644   int64_t ObjSize = MFI.getObjectSize(FrameIdx);
645   int FreeStart;
646   for (FreeStart = StackBytesFree.find_first(); FreeStart != -1;
647        FreeStart = StackBytesFree.find_next(FreeStart)) {
648 
649     // Check that free space has suitable alignment.
650     unsigned ObjStart = StackGrowsDown ? FreeStart + ObjSize : FreeStart;
651     if (alignTo(ObjStart, ObjAlign) != ObjStart)
652       continue;
653 
654     if (FreeStart + ObjSize > StackBytesFree.size())
655       return false;
656 
657     bool AllBytesFree = true;
658     for (unsigned Byte = 0; Byte < ObjSize; ++Byte)
659       if (!StackBytesFree.test(FreeStart + Byte)) {
660         AllBytesFree = false;
661         break;
662       }
663     if (AllBytesFree)
664       break;
665   }
666 
667   if (FreeStart == -1)
668     return false;
669 
670   if (StackGrowsDown) {
671     int ObjStart = -(FreeStart + ObjSize);
672     DEBUG(dbgs() << "alloc FI(" << FrameIdx << ") scavenged at SP[" << ObjStart
673                  << "]\n");
674     MFI.setObjectOffset(FrameIdx, ObjStart);
675   } else {
676     DEBUG(dbgs() << "alloc FI(" << FrameIdx << ") scavenged at SP[" << FreeStart
677                  << "]\n");
678     MFI.setObjectOffset(FrameIdx, FreeStart);
679   }
680 
681   StackBytesFree.reset(FreeStart, FreeStart + ObjSize);
682   return true;
683 }
684 
685 /// AssignProtectedObjSet - Helper function to assign large stack objects (i.e.,
686 /// those required to be close to the Stack Protector) to stack offsets.
687 static void
688 AssignProtectedObjSet(const StackObjSet &UnassignedObjs,
689                       SmallSet<int, 16> &ProtectedObjs,
690                       MachineFrameInfo &MFI, bool StackGrowsDown,
691                       int64_t &Offset, unsigned &MaxAlign, unsigned Skew) {
692 
693   for (StackObjSet::const_iterator I = UnassignedObjs.begin(),
694         E = UnassignedObjs.end(); I != E; ++I) {
695     int i = *I;
696     AdjustStackOffset(MFI, i, StackGrowsDown, Offset, MaxAlign, Skew);
697     ProtectedObjs.insert(i);
698   }
699 }
700 
701 /// calculateFrameObjectOffsets - Calculate actual frame offsets for all of the
702 /// abstract stack objects.
703 ///
704 void PEI::calculateFrameObjectOffsets(MachineFunction &Fn) {
705   const TargetFrameLowering &TFI = *Fn.getSubtarget().getFrameLowering();
706   StackProtector *SP = &getAnalysis<StackProtector>();
707 
708   bool StackGrowsDown =
709     TFI.getStackGrowthDirection() == TargetFrameLowering::StackGrowsDown;
710 
711   // Loop over all of the stack objects, assigning sequential addresses...
712   MachineFrameInfo &MFI = Fn.getFrameInfo();
713 
714   // Start at the beginning of the local area.
715   // The Offset is the distance from the stack top in the direction
716   // of stack growth -- so it's always nonnegative.
717   int LocalAreaOffset = TFI.getOffsetOfLocalArea();
718   if (StackGrowsDown)
719     LocalAreaOffset = -LocalAreaOffset;
720   assert(LocalAreaOffset >= 0
721          && "Local area offset should be in direction of stack growth");
722   int64_t Offset = LocalAreaOffset;
723 
724   // Skew to be applied to alignment.
725   unsigned Skew = TFI.getStackAlignmentSkew(Fn);
726 
727   // If there are fixed sized objects that are preallocated in the local area,
728   // non-fixed objects can't be allocated right at the start of local area.
729   // Adjust 'Offset' to point to the end of last fixed sized preallocated
730   // object.
731   for (int i = MFI.getObjectIndexBegin(); i != 0; ++i) {
732     int64_t FixedOff;
733     if (StackGrowsDown) {
734       // The maximum distance from the stack pointer is at lower address of
735       // the object -- which is given by offset. For down growing stack
736       // the offset is negative, so we negate the offset to get the distance.
737       FixedOff = -MFI.getObjectOffset(i);
738     } else {
739       // The maximum distance from the start pointer is at the upper
740       // address of the object.
741       FixedOff = MFI.getObjectOffset(i) + MFI.getObjectSize(i);
742     }
743     if (FixedOff > Offset) Offset = FixedOff;
744   }
745 
746   // First assign frame offsets to stack objects that are used to spill
747   // callee saved registers.
748   if (StackGrowsDown) {
749     for (unsigned i = MinCSFrameIndex; i <= MaxCSFrameIndex; ++i) {
750       // If the stack grows down, we need to add the size to find the lowest
751       // address of the object.
752       Offset += MFI.getObjectSize(i);
753 
754       unsigned Align = MFI.getObjectAlignment(i);
755       // Adjust to alignment boundary
756       Offset = alignTo(Offset, Align, Skew);
757 
758       DEBUG(dbgs() << "alloc FI(" << i << ") at SP[" << -Offset << "]\n");
759       MFI.setObjectOffset(i, -Offset);        // Set the computed offset
760     }
761   } else if (MaxCSFrameIndex >= MinCSFrameIndex) {
762     // Be careful about underflow in comparisons agains MinCSFrameIndex.
763     for (unsigned i = MaxCSFrameIndex; i != MinCSFrameIndex - 1; --i) {
764       if (MFI.isDeadObjectIndex(i))
765         continue;
766 
767       unsigned Align = MFI.getObjectAlignment(i);
768       // Adjust to alignment boundary
769       Offset = alignTo(Offset, Align, Skew);
770 
771       DEBUG(dbgs() << "alloc FI(" << i << ") at SP[" << Offset << "]\n");
772       MFI.setObjectOffset(i, Offset);
773       Offset += MFI.getObjectSize(i);
774     }
775   }
776 
777   // FixedCSEnd is the stack offset to the end of the fixed and callee-save
778   // stack area.
779   int64_t FixedCSEnd = Offset;
780   unsigned MaxAlign = MFI.getMaxAlignment();
781 
782   // Make sure the special register scavenging spill slot is closest to the
783   // incoming stack pointer if a frame pointer is required and is closer
784   // to the incoming rather than the final stack pointer.
785   const TargetRegisterInfo *RegInfo = Fn.getSubtarget().getRegisterInfo();
786   bool EarlyScavengingSlots = (TFI.hasFP(Fn) &&
787                                TFI.isFPCloseToIncomingSP() &&
788                                RegInfo->useFPForScavengingIndex(Fn) &&
789                                !RegInfo->needsStackRealignment(Fn));
790   if (RS && EarlyScavengingSlots) {
791     SmallVector<int, 2> SFIs;
792     RS->getScavengingFrameIndices(SFIs);
793     for (SmallVectorImpl<int>::iterator I = SFIs.begin(),
794            IE = SFIs.end(); I != IE; ++I)
795       AdjustStackOffset(MFI, *I, StackGrowsDown, Offset, MaxAlign, Skew);
796   }
797 
798   // FIXME: Once this is working, then enable flag will change to a target
799   // check for whether the frame is large enough to want to use virtual
800   // frame index registers. Functions which don't want/need this optimization
801   // will continue to use the existing code path.
802   if (MFI.getUseLocalStackAllocationBlock()) {
803     unsigned Align = MFI.getLocalFrameMaxAlign();
804 
805     // Adjust to alignment boundary.
806     Offset = alignTo(Offset, Align, Skew);
807 
808     DEBUG(dbgs() << "Local frame base offset: " << Offset << "\n");
809 
810     // Resolve offsets for objects in the local block.
811     for (unsigned i = 0, e = MFI.getLocalFrameObjectCount(); i != e; ++i) {
812       std::pair<int, int64_t> Entry = MFI.getLocalFrameObjectMap(i);
813       int64_t FIOffset = (StackGrowsDown ? -Offset : Offset) + Entry.second;
814       DEBUG(dbgs() << "alloc FI(" << Entry.first << ") at SP[" <<
815             FIOffset << "]\n");
816       MFI.setObjectOffset(Entry.first, FIOffset);
817     }
818     // Allocate the local block
819     Offset += MFI.getLocalFrameSize();
820 
821     MaxAlign = std::max(Align, MaxAlign);
822   }
823 
824   // Retrieve the Exception Handler registration node.
825   int EHRegNodeFrameIndex = INT_MAX;
826   if (const WinEHFuncInfo *FuncInfo = Fn.getWinEHFuncInfo())
827     EHRegNodeFrameIndex = FuncInfo->EHRegNodeFrameIndex;
828 
829   // Make sure that the stack protector comes before the local variables on the
830   // stack.
831   SmallSet<int, 16> ProtectedObjs;
832   if (MFI.getStackProtectorIndex() >= 0) {
833     StackObjSet LargeArrayObjs;
834     StackObjSet SmallArrayObjs;
835     StackObjSet AddrOfObjs;
836 
837     AdjustStackOffset(MFI, MFI.getStackProtectorIndex(), StackGrowsDown,
838                       Offset, MaxAlign, Skew);
839 
840     // Assign large stack objects first.
841     for (unsigned i = 0, e = MFI.getObjectIndexEnd(); i != e; ++i) {
842       if (MFI.isObjectPreAllocated(i) &&
843           MFI.getUseLocalStackAllocationBlock())
844         continue;
845       if (i >= MinCSFrameIndex && i <= MaxCSFrameIndex)
846         continue;
847       if (RS && RS->isScavengingFrameIndex((int)i))
848         continue;
849       if (MFI.isDeadObjectIndex(i))
850         continue;
851       if (MFI.getStackProtectorIndex() == (int)i ||
852           EHRegNodeFrameIndex == (int)i)
853         continue;
854 
855       switch (SP->getSSPLayout(MFI.getObjectAllocation(i))) {
856       case StackProtector::SSPLK_None:
857         continue;
858       case StackProtector::SSPLK_SmallArray:
859         SmallArrayObjs.insert(i);
860         continue;
861       case StackProtector::SSPLK_AddrOf:
862         AddrOfObjs.insert(i);
863         continue;
864       case StackProtector::SSPLK_LargeArray:
865         LargeArrayObjs.insert(i);
866         continue;
867       }
868       llvm_unreachable("Unexpected SSPLayoutKind.");
869     }
870 
871     AssignProtectedObjSet(LargeArrayObjs, ProtectedObjs, MFI, StackGrowsDown,
872                           Offset, MaxAlign, Skew);
873     AssignProtectedObjSet(SmallArrayObjs, ProtectedObjs, MFI, StackGrowsDown,
874                           Offset, MaxAlign, Skew);
875     AssignProtectedObjSet(AddrOfObjs, ProtectedObjs, MFI, StackGrowsDown,
876                           Offset, MaxAlign, Skew);
877   }
878 
879   SmallVector<int, 8> ObjectsToAllocate;
880 
881   // Then prepare to assign frame offsets to stack objects that are not used to
882   // spill callee saved registers.
883   for (unsigned i = 0, e = MFI.getObjectIndexEnd(); i != e; ++i) {
884     if (MFI.isObjectPreAllocated(i) && MFI.getUseLocalStackAllocationBlock())
885       continue;
886     if (i >= MinCSFrameIndex && i <= MaxCSFrameIndex)
887       continue;
888     if (RS && RS->isScavengingFrameIndex((int)i))
889       continue;
890     if (MFI.isDeadObjectIndex(i))
891       continue;
892     if (MFI.getStackProtectorIndex() == (int)i ||
893         EHRegNodeFrameIndex == (int)i)
894       continue;
895     if (ProtectedObjs.count(i))
896       continue;
897 
898     // Add the objects that we need to allocate to our working set.
899     ObjectsToAllocate.push_back(i);
900   }
901 
902   // Allocate the EH registration node first if one is present.
903   if (EHRegNodeFrameIndex != INT_MAX)
904     AdjustStackOffset(MFI, EHRegNodeFrameIndex, StackGrowsDown, Offset,
905                       MaxAlign, Skew);
906 
907   // Give the targets a chance to order the objects the way they like it.
908   if (Fn.getTarget().getOptLevel() != CodeGenOpt::None &&
909       Fn.getTarget().Options.StackSymbolOrdering)
910     TFI.orderFrameObjects(Fn, ObjectsToAllocate);
911 
912   // Keep track of which bytes in the fixed and callee-save range are used so we
913   // can use the holes when allocating later stack objects.  Only do this if
914   // stack protector isn't being used and the target requests it and we're
915   // optimizing.
916   BitVector StackBytesFree;
917   if (!ObjectsToAllocate.empty() &&
918       Fn.getTarget().getOptLevel() != CodeGenOpt::None &&
919       MFI.getStackProtectorIndex() < 0 && TFI.enableStackSlotScavenging(Fn))
920     computeFreeStackSlots(MFI, StackGrowsDown, MinCSFrameIndex, MaxCSFrameIndex,
921                           FixedCSEnd, StackBytesFree);
922 
923   // Now walk the objects and actually assign base offsets to them.
924   for (auto &Object : ObjectsToAllocate)
925     if (!scavengeStackSlot(MFI, Object, StackGrowsDown, MaxAlign,
926                            StackBytesFree))
927       AdjustStackOffset(MFI, Object, StackGrowsDown, Offset, MaxAlign, Skew);
928 
929   // Make sure the special register scavenging spill slot is closest to the
930   // stack pointer.
931   if (RS && !EarlyScavengingSlots) {
932     SmallVector<int, 2> SFIs;
933     RS->getScavengingFrameIndices(SFIs);
934     for (SmallVectorImpl<int>::iterator I = SFIs.begin(),
935            IE = SFIs.end(); I != IE; ++I)
936       AdjustStackOffset(MFI, *I, StackGrowsDown, Offset, MaxAlign, Skew);
937   }
938 
939   if (!TFI.targetHandlesStackFrameRounding()) {
940     // If we have reserved argument space for call sites in the function
941     // immediately on entry to the current function, count it as part of the
942     // overall stack size.
943     if (MFI.adjustsStack() && TFI.hasReservedCallFrame(Fn))
944       Offset += MFI.getMaxCallFrameSize();
945 
946     // Round up the size to a multiple of the alignment.  If the function has
947     // any calls or alloca's, align to the target's StackAlignment value to
948     // ensure that the callee's frame or the alloca data is suitably aligned;
949     // otherwise, for leaf functions, align to the TransientStackAlignment
950     // value.
951     unsigned StackAlign;
952     if (MFI.adjustsStack() || MFI.hasVarSizedObjects() ||
953         (RegInfo->needsStackRealignment(Fn) && MFI.getObjectIndexEnd() != 0))
954       StackAlign = TFI.getStackAlignment();
955     else
956       StackAlign = TFI.getTransientStackAlignment();
957 
958     // If the frame pointer is eliminated, all frame offsets will be relative to
959     // SP not FP. Align to MaxAlign so this works.
960     StackAlign = std::max(StackAlign, MaxAlign);
961     Offset = alignTo(Offset, StackAlign, Skew);
962   }
963 
964   // Update frame info to pretend that this is part of the stack...
965   int64_t StackSize = Offset - LocalAreaOffset;
966   MFI.setStackSize(StackSize);
967   NumBytesStackSpace += StackSize;
968 }
969 
970 /// insertPrologEpilogCode - Scan the function for modified callee saved
971 /// registers, insert spill code for these callee saved registers, then add
972 /// prolog and epilog code to the function.
973 ///
974 void PEI::insertPrologEpilogCode(MachineFunction &Fn) {
975   const TargetFrameLowering &TFI = *Fn.getSubtarget().getFrameLowering();
976 
977   // Add prologue to the function...
978   for (MachineBasicBlock *SaveBlock : SaveBlocks)
979     TFI.emitPrologue(Fn, *SaveBlock);
980 
981   // Add epilogue to restore the callee-save registers in each exiting block.
982   for (MachineBasicBlock *RestoreBlock : RestoreBlocks)
983     TFI.emitEpilogue(Fn, *RestoreBlock);
984 
985   for (MachineBasicBlock *SaveBlock : SaveBlocks)
986     TFI.inlineStackProbe(Fn, *SaveBlock);
987 
988   // Emit additional code that is required to support segmented stacks, if
989   // we've been asked for it.  This, when linked with a runtime with support
990   // for segmented stacks (libgcc is one), will result in allocating stack
991   // space in small chunks instead of one large contiguous block.
992   if (Fn.shouldSplitStack()) {
993     for (MachineBasicBlock *SaveBlock : SaveBlocks)
994       TFI.adjustForSegmentedStacks(Fn, *SaveBlock);
995   }
996 
997   // Emit additional code that is required to explicitly handle the stack in
998   // HiPE native code (if needed) when loaded in the Erlang/OTP runtime. The
999   // approach is rather similar to that of Segmented Stacks, but it uses a
1000   // different conditional check and another BIF for allocating more stack
1001   // space.
1002   if (Fn.getFunction()->getCallingConv() == CallingConv::HiPE)
1003     for (MachineBasicBlock *SaveBlock : SaveBlocks)
1004       TFI.adjustForHiPEPrologue(Fn, *SaveBlock);
1005 }
1006 
1007 /// replaceFrameIndices - Replace all MO_FrameIndex operands with physical
1008 /// register references and actual offsets.
1009 ///
1010 void PEI::replaceFrameIndices(MachineFunction &Fn) {
1011   const TargetFrameLowering &TFI = *Fn.getSubtarget().getFrameLowering();
1012   if (!TFI.needsFrameIndexResolution(Fn)) return;
1013 
1014   // Store SPAdj at exit of a basic block.
1015   SmallVector<int, 8> SPState;
1016   SPState.resize(Fn.getNumBlockIDs());
1017   df_iterator_default_set<MachineBasicBlock*> Reachable;
1018 
1019   // Iterate over the reachable blocks in DFS order.
1020   for (auto DFI = df_ext_begin(&Fn, Reachable), DFE = df_ext_end(&Fn, Reachable);
1021        DFI != DFE; ++DFI) {
1022     int SPAdj = 0;
1023     // Check the exit state of the DFS stack predecessor.
1024     if (DFI.getPathLength() >= 2) {
1025       MachineBasicBlock *StackPred = DFI.getPath(DFI.getPathLength() - 2);
1026       assert(Reachable.count(StackPred) &&
1027              "DFS stack predecessor is already visited.\n");
1028       SPAdj = SPState[StackPred->getNumber()];
1029     }
1030     MachineBasicBlock *BB = *DFI;
1031     replaceFrameIndices(BB, Fn, SPAdj);
1032     SPState[BB->getNumber()] = SPAdj;
1033   }
1034 
1035   // Handle the unreachable blocks.
1036   for (auto &BB : Fn) {
1037     if (Reachable.count(&BB))
1038       // Already handled in DFS traversal.
1039       continue;
1040     int SPAdj = 0;
1041     replaceFrameIndices(&BB, Fn, SPAdj);
1042   }
1043 }
1044 
1045 void PEI::replaceFrameIndices(MachineBasicBlock *BB, MachineFunction &Fn,
1046                               int &SPAdj) {
1047   assert(Fn.getSubtarget().getRegisterInfo() &&
1048          "getRegisterInfo() must be implemented!");
1049   const TargetInstrInfo &TII = *Fn.getSubtarget().getInstrInfo();
1050   const TargetRegisterInfo &TRI = *Fn.getSubtarget().getRegisterInfo();
1051   const TargetFrameLowering *TFI = Fn.getSubtarget().getFrameLowering();
1052 
1053   if (RS && FrameIndexEliminationScavenging)
1054     RS->enterBasicBlock(*BB);
1055 
1056   bool InsideCallSequence = false;
1057 
1058   for (MachineBasicBlock::iterator I = BB->begin(); I != BB->end(); ) {
1059 
1060     if (TII.isFrameInstr(*I)) {
1061       InsideCallSequence = TII.isFrameSetup(*I);
1062       SPAdj += TII.getSPAdjust(*I);
1063       I = TFI->eliminateCallFramePseudoInstr(Fn, *BB, I);
1064       continue;
1065     }
1066 
1067     MachineInstr &MI = *I;
1068     bool DoIncr = true;
1069     bool DidFinishLoop = true;
1070     for (unsigned i = 0, e = MI.getNumOperands(); i != e; ++i) {
1071       if (!MI.getOperand(i).isFI())
1072         continue;
1073 
1074       // Frame indices in debug values are encoded in a target independent
1075       // way with simply the frame index and offset rather than any
1076       // target-specific addressing mode.
1077       if (MI.isDebugValue()) {
1078         assert(i == 0 && "Frame indices can only appear as the first "
1079                          "operand of a DBG_VALUE machine instruction");
1080         unsigned Reg;
1081         MachineOperand &Offset = MI.getOperand(1);
1082         Offset.setImm(
1083             Offset.getImm() +
1084             TFI->getFrameIndexReference(Fn, MI.getOperand(0).getIndex(), Reg));
1085         MI.getOperand(0).ChangeToRegister(Reg, false /*isDef*/);
1086         continue;
1087       }
1088 
1089       // TODO: This code should be commoned with the code for
1090       // PATCHPOINT. There's no good reason for the difference in
1091       // implementation other than historical accident.  The only
1092       // remaining difference is the unconditional use of the stack
1093       // pointer as the base register.
1094       if (MI.getOpcode() == TargetOpcode::STATEPOINT) {
1095         assert((!MI.isDebugValue() || i == 0) &&
1096                "Frame indicies can only appear as the first operand of a "
1097                "DBG_VALUE machine instruction");
1098         unsigned Reg;
1099         MachineOperand &Offset = MI.getOperand(i + 1);
1100         int refOffset = TFI->getFrameIndexReferencePreferSP(
1101             Fn, MI.getOperand(i).getIndex(), Reg, /*IgnoreSPUpdates*/ false);
1102         Offset.setImm(Offset.getImm() + refOffset);
1103         MI.getOperand(i).ChangeToRegister(Reg, false /*isDef*/);
1104         continue;
1105       }
1106 
1107       // Some instructions (e.g. inline asm instructions) can have
1108       // multiple frame indices and/or cause eliminateFrameIndex
1109       // to insert more than one instruction. We need the register
1110       // scavenger to go through all of these instructions so that
1111       // it can update its register information. We keep the
1112       // iterator at the point before insertion so that we can
1113       // revisit them in full.
1114       bool AtBeginning = (I == BB->begin());
1115       if (!AtBeginning) --I;
1116 
1117       // If this instruction has a FrameIndex operand, we need to
1118       // use that target machine register info object to eliminate
1119       // it.
1120       TRI.eliminateFrameIndex(MI, SPAdj, i,
1121                               FrameIndexEliminationScavenging ?  RS : nullptr);
1122 
1123       // Reset the iterator if we were at the beginning of the BB.
1124       if (AtBeginning) {
1125         I = BB->begin();
1126         DoIncr = false;
1127       }
1128 
1129       DidFinishLoop = false;
1130       break;
1131     }
1132 
1133     // If we are looking at a call sequence, we need to keep track of
1134     // the SP adjustment made by each instruction in the sequence.
1135     // This includes both the frame setup/destroy pseudos (handled above),
1136     // as well as other instructions that have side effects w.r.t the SP.
1137     // Note that this must come after eliminateFrameIndex, because
1138     // if I itself referred to a frame index, we shouldn't count its own
1139     // adjustment.
1140     if (DidFinishLoop && InsideCallSequence)
1141       SPAdj += TII.getSPAdjust(MI);
1142 
1143     if (DoIncr && I != BB->end()) ++I;
1144 
1145     // Update register states.
1146     if (RS && FrameIndexEliminationScavenging && DidFinishLoop)
1147       RS->forward(MI);
1148   }
1149 }
1150 
1151 /// doScavengeFrameVirtualRegs - Replace all frame index virtual registers
1152 /// with physical registers. Use the register scavenger to find an
1153 /// appropriate register to use.
1154 ///
1155 /// FIXME: Iterating over the instruction stream is unnecessary. We can simply
1156 /// iterate over the vreg use list, which at this point only contains machine
1157 /// operands for which eliminateFrameIndex need a new scratch reg.
1158 static void
1159 doScavengeFrameVirtualRegs(MachineFunction &MF, RegScavenger *RS) {
1160   // Run through the instructions and find any virtual registers.
1161   MachineRegisterInfo &MRI = MF.getRegInfo();
1162   for (MachineBasicBlock &MBB : MF) {
1163     RS->enterBasicBlock(MBB);
1164 
1165     int SPAdj = 0;
1166 
1167     // The instruction stream may change in the loop, so check MBB.end()
1168     // directly.
1169     for (MachineBasicBlock::iterator I = MBB.begin(); I != MBB.end(); ) {
1170       // We might end up here again with a NULL iterator if we scavenged a
1171       // register for which we inserted spill code for definition by what was
1172       // originally the first instruction in MBB.
1173       if (I == MachineBasicBlock::iterator(nullptr))
1174         I = MBB.begin();
1175 
1176       const MachineInstr &MI = *I;
1177       MachineBasicBlock::iterator J = std::next(I);
1178       MachineBasicBlock::iterator P =
1179                          I == MBB.begin() ? MachineBasicBlock::iterator(nullptr)
1180                                           : std::prev(I);
1181 
1182       // RS should process this instruction before we might scavenge at this
1183       // location. This is because we might be replacing a virtual register
1184       // defined by this instruction, and if so, registers killed by this
1185       // instruction are available, and defined registers are not.
1186       RS->forward(I);
1187 
1188       for (const MachineOperand &MO : MI.operands()) {
1189         if (!MO.isReg())
1190           continue;
1191         unsigned Reg = MO.getReg();
1192         if (!TargetRegisterInfo::isVirtualRegister(Reg))
1193           continue;
1194 
1195         // When we first encounter a new virtual register, it
1196         // must be a definition.
1197         assert(MO.isDef() && "frame index virtual missing def!");
1198         // Scavenge a new scratch register
1199         const TargetRegisterClass *RC = MRI.getRegClass(Reg);
1200         unsigned ScratchReg = RS->scavengeRegister(RC, J, SPAdj);
1201 
1202         ++NumScavengedRegs;
1203 
1204         // Replace this reference to the virtual register with the
1205         // scratch register.
1206         assert(ScratchReg && "Missing scratch register!");
1207         MRI.replaceRegWith(Reg, ScratchReg);
1208 
1209         // Because this instruction was processed by the RS before this
1210         // register was allocated, make sure that the RS now records the
1211         // register as being used.
1212         RS->setRegUsed(ScratchReg);
1213       }
1214 
1215       // If the scavenger needed to use one of its spill slots, the
1216       // spill code will have been inserted in between I and J. This is a
1217       // problem because we need the spill code before I: Move I to just
1218       // prior to J.
1219       if (I != std::prev(J)) {
1220         MBB.splice(J, &MBB, I);
1221 
1222         // Before we move I, we need to prepare the RS to visit I again.
1223         // Specifically, RS will assert if it sees uses of registers that
1224         // it believes are undefined. Because we have already processed
1225         // register kills in I, when it visits I again, it will believe that
1226         // those registers are undefined. To avoid this situation, unprocess
1227         // the instruction I.
1228         assert(RS->getCurrentPosition() == I &&
1229           "The register scavenger has an unexpected position");
1230         I = P;
1231         RS->unprocess(P);
1232       } else
1233         ++I;
1234     }
1235   }
1236 
1237   MF.getProperties().set(MachineFunctionProperties::Property::NoVRegs);
1238 }
1239