1 //===-- RISCVFrameLowering.cpp - RISCV Frame Information ------------------===//
2 //
3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4 // See https://llvm.org/LICENSE.txt for license information.
5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6 //
7 //===----------------------------------------------------------------------===//
8 //
9 // This file contains the RISCV implementation of TargetFrameLowering class.
10 //
11 //===----------------------------------------------------------------------===//
12 
13 #include "RISCVFrameLowering.h"
14 #include "RISCVMachineFunctionInfo.h"
15 #include "RISCVSubtarget.h"
16 #include "llvm/CodeGen/MachineFrameInfo.h"
17 #include "llvm/CodeGen/MachineFunction.h"
18 #include "llvm/CodeGen/MachineInstrBuilder.h"
19 #include "llvm/CodeGen/MachineRegisterInfo.h"
20 #include "llvm/CodeGen/RegisterScavenging.h"
21 #include "llvm/IR/DiagnosticInfo.h"
22 #include "llvm/MC/MCDwarf.h"
23 
24 using namespace llvm;
25 
26 // For now we use x18, a.k.a s2, as pointer to shadow call stack.
27 // User should explicitly set -ffixed-x18 and not use x18 in their asm.
28 static void emitSCSPrologue(MachineFunction &MF, MachineBasicBlock &MBB,
29                             MachineBasicBlock::iterator MI,
30                             const DebugLoc &DL) {
31   if (!MF.getFunction().hasFnAttribute(Attribute::ShadowCallStack))
32     return;
33 
34   const auto &STI = MF.getSubtarget<RISCVSubtarget>();
35   Register RAReg = STI.getRegisterInfo()->getRARegister();
36 
37   // Do not save RA to the SCS if it's not saved to the regular stack,
38   // i.e. RA is not at risk of being overwritten.
39   std::vector<CalleeSavedInfo> &CSI = MF.getFrameInfo().getCalleeSavedInfo();
40   if (std::none_of(CSI.begin(), CSI.end(),
41                    [&](CalleeSavedInfo &CSR) { return CSR.getReg() == RAReg; }))
42     return;
43 
44   Register SCSPReg = RISCVABI::getSCSPReg();
45 
46   auto &Ctx = MF.getFunction().getContext();
47   if (!STI.isRegisterReservedByUser(SCSPReg)) {
48     Ctx.diagnose(DiagnosticInfoUnsupported{
49         MF.getFunction(), "x18 not reserved by user for Shadow Call Stack."});
50     return;
51   }
52 
53   const auto *RVFI = MF.getInfo<RISCVMachineFunctionInfo>();
54   if (RVFI->useSaveRestoreLibCalls(MF)) {
55     Ctx.diagnose(DiagnosticInfoUnsupported{
56         MF.getFunction(),
57         "Shadow Call Stack cannot be combined with Save/Restore LibCalls."});
58     return;
59   }
60 
61   const RISCVInstrInfo *TII = STI.getInstrInfo();
62   bool IsRV64 = STI.hasFeature(RISCV::Feature64Bit);
63   int64_t SlotSize = STI.getXLen() / 8;
64   // Store return address to shadow call stack
65   // s[w|d]  ra, 0(s2)
66   // addi    s2, s2, [4|8]
67   BuildMI(MBB, MI, DL, TII->get(IsRV64 ? RISCV::SD : RISCV::SW))
68       .addReg(RAReg)
69       .addReg(SCSPReg)
70       .addImm(0);
71   BuildMI(MBB, MI, DL, TII->get(RISCV::ADDI))
72       .addReg(SCSPReg, RegState::Define)
73       .addReg(SCSPReg)
74       .addImm(SlotSize);
75 }
76 
77 static void emitSCSEpilogue(MachineFunction &MF, MachineBasicBlock &MBB,
78                             MachineBasicBlock::iterator MI,
79                             const DebugLoc &DL) {
80   if (!MF.getFunction().hasFnAttribute(Attribute::ShadowCallStack))
81     return;
82 
83   const auto &STI = MF.getSubtarget<RISCVSubtarget>();
84   Register RAReg = STI.getRegisterInfo()->getRARegister();
85 
86   // See emitSCSPrologue() above.
87   std::vector<CalleeSavedInfo> &CSI = MF.getFrameInfo().getCalleeSavedInfo();
88   if (std::none_of(CSI.begin(), CSI.end(),
89                    [&](CalleeSavedInfo &CSR) { return CSR.getReg() == RAReg; }))
90     return;
91 
92   Register SCSPReg = RISCVABI::getSCSPReg();
93 
94   auto &Ctx = MF.getFunction().getContext();
95   if (!STI.isRegisterReservedByUser(SCSPReg)) {
96     Ctx.diagnose(DiagnosticInfoUnsupported{
97         MF.getFunction(), "x18 not reserved by user for Shadow Call Stack."});
98     return;
99   }
100 
101   const auto *RVFI = MF.getInfo<RISCVMachineFunctionInfo>();
102   if (RVFI->useSaveRestoreLibCalls(MF)) {
103     Ctx.diagnose(DiagnosticInfoUnsupported{
104         MF.getFunction(),
105         "Shadow Call Stack cannot be combined with Save/Restore LibCalls."});
106     return;
107   }
108 
109   const RISCVInstrInfo *TII = STI.getInstrInfo();
110   bool IsRV64 = STI.hasFeature(RISCV::Feature64Bit);
111   int64_t SlotSize = STI.getXLen() / 8;
112   // Load return address from shadow call stack
113   // l[w|d]  ra, -[4|8](s2)
114   // addi    s2, s2, -[4|8]
115   BuildMI(MBB, MI, DL, TII->get(IsRV64 ? RISCV::LD : RISCV::LW))
116       .addReg(RAReg, RegState::Define)
117       .addReg(SCSPReg)
118       .addImm(-SlotSize);
119   BuildMI(MBB, MI, DL, TII->get(RISCV::ADDI))
120       .addReg(SCSPReg, RegState::Define)
121       .addReg(SCSPReg)
122       .addImm(-SlotSize);
123 }
124 
125 // Get the ID of the libcall used for spilling and restoring callee saved
126 // registers. The ID is representative of the number of registers saved or
127 // restored by the libcall, except it is zero-indexed - ID 0 corresponds to a
128 // single register.
129 static int getLibCallID(const MachineFunction &MF,
130                         const std::vector<CalleeSavedInfo> &CSI) {
131   const auto *RVFI = MF.getInfo<RISCVMachineFunctionInfo>();
132 
133   if (CSI.empty() || !RVFI->useSaveRestoreLibCalls(MF))
134     return -1;
135 
136   Register MaxReg = RISCV::NoRegister;
137   for (auto &CS : CSI)
138     // RISCVRegisterInfo::hasReservedSpillSlot assigns negative frame indexes to
139     // registers which can be saved by libcall.
140     if (CS.getFrameIdx() < 0)
141       MaxReg = std::max(MaxReg.id(), CS.getReg().id());
142 
143   if (MaxReg == RISCV::NoRegister)
144     return -1;
145 
146   switch (MaxReg) {
147   default:
148     llvm_unreachable("Something has gone wrong!");
149   case /*s11*/ RISCV::X27: return 12;
150   case /*s10*/ RISCV::X26: return 11;
151   case /*s9*/  RISCV::X25: return 10;
152   case /*s8*/  RISCV::X24: return 9;
153   case /*s7*/  RISCV::X23: return 8;
154   case /*s6*/  RISCV::X22: return 7;
155   case /*s5*/  RISCV::X21: return 6;
156   case /*s4*/  RISCV::X20: return 5;
157   case /*s3*/  RISCV::X19: return 4;
158   case /*s2*/  RISCV::X18: return 3;
159   case /*s1*/  RISCV::X9:  return 2;
160   case /*s0*/  RISCV::X8:  return 1;
161   case /*ra*/  RISCV::X1:  return 0;
162   }
163 }
164 
165 // Get the name of the libcall used for spilling callee saved registers.
166 // If this function will not use save/restore libcalls, then return a nullptr.
167 static const char *
168 getSpillLibCallName(const MachineFunction &MF,
169                     const std::vector<CalleeSavedInfo> &CSI) {
170   static const char *const SpillLibCalls[] = {
171     "__riscv_save_0",
172     "__riscv_save_1",
173     "__riscv_save_2",
174     "__riscv_save_3",
175     "__riscv_save_4",
176     "__riscv_save_5",
177     "__riscv_save_6",
178     "__riscv_save_7",
179     "__riscv_save_8",
180     "__riscv_save_9",
181     "__riscv_save_10",
182     "__riscv_save_11",
183     "__riscv_save_12"
184   };
185 
186   int LibCallID = getLibCallID(MF, CSI);
187   if (LibCallID == -1)
188     return nullptr;
189   return SpillLibCalls[LibCallID];
190 }
191 
192 // Get the name of the libcall used for restoring callee saved registers.
193 // If this function will not use save/restore libcalls, then return a nullptr.
194 static const char *
195 getRestoreLibCallName(const MachineFunction &MF,
196                       const std::vector<CalleeSavedInfo> &CSI) {
197   static const char *const RestoreLibCalls[] = {
198     "__riscv_restore_0",
199     "__riscv_restore_1",
200     "__riscv_restore_2",
201     "__riscv_restore_3",
202     "__riscv_restore_4",
203     "__riscv_restore_5",
204     "__riscv_restore_6",
205     "__riscv_restore_7",
206     "__riscv_restore_8",
207     "__riscv_restore_9",
208     "__riscv_restore_10",
209     "__riscv_restore_11",
210     "__riscv_restore_12"
211   };
212 
213   int LibCallID = getLibCallID(MF, CSI);
214   if (LibCallID == -1)
215     return nullptr;
216   return RestoreLibCalls[LibCallID];
217 }
218 
219 bool RISCVFrameLowering::hasFP(const MachineFunction &MF) const {
220   const TargetRegisterInfo *RegInfo = MF.getSubtarget().getRegisterInfo();
221 
222   const MachineFrameInfo &MFI = MF.getFrameInfo();
223   return MF.getTarget().Options.DisableFramePointerElim(MF) ||
224          RegInfo->needsStackRealignment(MF) || MFI.hasVarSizedObjects() ||
225          MFI.isFrameAddressTaken();
226 }
227 
228 bool RISCVFrameLowering::hasBP(const MachineFunction &MF) const {
229   const MachineFrameInfo &MFI = MF.getFrameInfo();
230   const TargetRegisterInfo *TRI = STI.getRegisterInfo();
231 
232   return MFI.hasVarSizedObjects() && TRI->needsStackRealignment(MF);
233 }
234 
235 // Determines the size of the frame and maximum call frame size.
236 void RISCVFrameLowering::determineFrameLayout(MachineFunction &MF) const {
237   MachineFrameInfo &MFI = MF.getFrameInfo();
238 
239   // Get the number of bytes to allocate from the FrameInfo.
240   uint64_t FrameSize = MFI.getStackSize();
241 
242   // Get the alignment.
243   Align StackAlign = getStackAlign();
244 
245   // Make sure the frame is aligned.
246   FrameSize = alignTo(FrameSize, StackAlign);
247 
248   // Update frame info.
249   MFI.setStackSize(FrameSize);
250 }
251 
252 void RISCVFrameLowering::adjustReg(MachineBasicBlock &MBB,
253                                    MachineBasicBlock::iterator MBBI,
254                                    const DebugLoc &DL, Register DestReg,
255                                    Register SrcReg, int64_t Val,
256                                    MachineInstr::MIFlag Flag) const {
257   MachineRegisterInfo &MRI = MBB.getParent()->getRegInfo();
258   const RISCVInstrInfo *TII = STI.getInstrInfo();
259 
260   if (DestReg == SrcReg && Val == 0)
261     return;
262 
263   if (isInt<12>(Val)) {
264     BuildMI(MBB, MBBI, DL, TII->get(RISCV::ADDI), DestReg)
265         .addReg(SrcReg)
266         .addImm(Val)
267         .setMIFlag(Flag);
268   } else {
269     unsigned Opc = RISCV::ADD;
270     bool isSub = Val < 0;
271     if (isSub) {
272       Val = -Val;
273       Opc = RISCV::SUB;
274     }
275 
276     Register ScratchReg = MRI.createVirtualRegister(&RISCV::GPRRegClass);
277     TII->movImm(MBB, MBBI, DL, ScratchReg, Val, Flag);
278     BuildMI(MBB, MBBI, DL, TII->get(Opc), DestReg)
279         .addReg(SrcReg)
280         .addReg(ScratchReg, RegState::Kill)
281         .setMIFlag(Flag);
282   }
283 }
284 
285 // Returns the register used to hold the frame pointer.
286 static Register getFPReg(const RISCVSubtarget &STI) { return RISCV::X8; }
287 
288 // Returns the register used to hold the stack pointer.
289 static Register getSPReg(const RISCVSubtarget &STI) { return RISCV::X2; }
290 
291 static SmallVector<CalleeSavedInfo, 8>
292 getNonLibcallCSI(const MachineFunction &MF,
293                  const std::vector<CalleeSavedInfo> &CSI) {
294   const MachineFrameInfo &MFI = MF.getFrameInfo();
295   SmallVector<CalleeSavedInfo, 8> NonLibcallCSI;
296 
297   for (auto &CS : CSI) {
298     int FI = CS.getFrameIdx();
299     if (FI >= 0 && MFI.getStackID(FI) == TargetStackID::Default)
300       NonLibcallCSI.push_back(CS);
301   }
302 
303   return NonLibcallCSI;
304 }
305 
306 void RISCVFrameLowering::adjustStackForRVV(MachineFunction &MF,
307                                            MachineBasicBlock &MBB,
308                                            MachineBasicBlock::iterator MBBI,
309                                            const DebugLoc &DL,
310                                            int64_t Amount) const {
311   assert(Amount != 0 && "Did not need to adjust stack pointer for RVV.");
312 
313   const RISCVInstrInfo *TII = STI.getInstrInfo();
314   Register SPReg = getSPReg(STI);
315   unsigned Opc = RISCV::ADD;
316   if (Amount < 0) {
317     Amount = -Amount;
318     Opc = RISCV::SUB;
319   }
320 
321   // 1. Multiply the number of v-slots to the length of registers
322   Register FactorRegister = TII->getVLENFactoredAmount(MF, MBB, MBBI, Amount);
323   // 2. SP = SP - RVV stack size
324   BuildMI(MBB, MBBI, DL, TII->get(Opc), SPReg)
325       .addReg(SPReg)
326       .addReg(FactorRegister, RegState::Kill);
327 }
328 
329 void RISCVFrameLowering::emitPrologue(MachineFunction &MF,
330                                       MachineBasicBlock &MBB) const {
331   MachineFrameInfo &MFI = MF.getFrameInfo();
332   auto *RVFI = MF.getInfo<RISCVMachineFunctionInfo>();
333   const RISCVRegisterInfo *RI = STI.getRegisterInfo();
334   const RISCVInstrInfo *TII = STI.getInstrInfo();
335   MachineBasicBlock::iterator MBBI = MBB.begin();
336 
337   Register FPReg = getFPReg(STI);
338   Register SPReg = getSPReg(STI);
339   Register BPReg = RISCVABI::getBPReg();
340 
341   // Debug location must be unknown since the first debug location is used
342   // to determine the end of the prologue.
343   DebugLoc DL;
344 
345   // All calls are tail calls in GHC calling conv, and functions have no
346   // prologue/epilogue.
347   if (MF.getFunction().getCallingConv() == CallingConv::GHC)
348     return;
349 
350   // Emit prologue for shadow call stack.
351   emitSCSPrologue(MF, MBB, MBBI, DL);
352 
353   // Since spillCalleeSavedRegisters may have inserted a libcall, skip past
354   // any instructions marked as FrameSetup
355   while (MBBI != MBB.end() && MBBI->getFlag(MachineInstr::FrameSetup))
356     ++MBBI;
357 
358   // Determine the correct frame layout
359   determineFrameLayout(MF);
360 
361   // If libcalls are used to spill and restore callee-saved registers, the frame
362   // has two sections; the opaque section managed by the libcalls, and the
363   // section managed by MachineFrameInfo which can also hold callee saved
364   // registers in fixed stack slots, both of which have negative frame indices.
365   // This gets even more complicated when incoming arguments are passed via the
366   // stack, as these too have negative frame indices. An example is detailed
367   // below:
368   //
369   //  | incoming arg | <- FI[-3]
370   //  | libcallspill |
371   //  | calleespill  | <- FI[-2]
372   //  | calleespill  | <- FI[-1]
373   //  | this_frame   | <- FI[0]
374   //
375   // For negative frame indices, the offset from the frame pointer will differ
376   // depending on which of these groups the frame index applies to.
377   // The following calculates the correct offset knowing the number of callee
378   // saved registers spilt by the two methods.
379   if (int LibCallRegs = getLibCallID(MF, MFI.getCalleeSavedInfo()) + 1) {
380     // Calculate the size of the frame managed by the libcall. The libcalls are
381     // implemented such that the stack will always be 16 byte aligned.
382     unsigned LibCallFrameSize = alignTo((STI.getXLen() / 8) * LibCallRegs, 16);
383     RVFI->setLibCallStackSize(LibCallFrameSize);
384   }
385 
386   // FIXME (note copied from Lanai): This appears to be overallocating.  Needs
387   // investigation. Get the number of bytes to allocate from the FrameInfo.
388   uint64_t StackSize = MFI.getStackSize() + RVFI->getRVVPadding();
389   uint64_t RealStackSize = StackSize + RVFI->getLibCallStackSize();
390   uint64_t RVVStackSize = RVFI->getRVVStackSize();
391 
392   // Early exit if there is no need to allocate on the stack
393   if (RealStackSize == 0 && !MFI.adjustsStack() && RVVStackSize == 0)
394     return;
395 
396   // If the stack pointer has been marked as reserved, then produce an error if
397   // the frame requires stack allocation
398   if (STI.isRegisterReservedByUser(SPReg))
399     MF.getFunction().getContext().diagnose(DiagnosticInfoUnsupported{
400         MF.getFunction(), "Stack pointer required, but has been reserved."});
401 
402   uint64_t FirstSPAdjustAmount = getFirstSPAdjustAmount(MF);
403   // Split the SP adjustment to reduce the offsets of callee saved spill.
404   if (FirstSPAdjustAmount) {
405     StackSize = FirstSPAdjustAmount;
406     RealStackSize = FirstSPAdjustAmount;
407   }
408 
409   // Allocate space on the stack if necessary.
410   adjustReg(MBB, MBBI, DL, SPReg, SPReg, -StackSize, MachineInstr::FrameSetup);
411 
412   // Emit ".cfi_def_cfa_offset RealStackSize"
413   unsigned CFIIndex = MF.addFrameInst(
414       MCCFIInstruction::cfiDefCfaOffset(nullptr, RealStackSize));
415   BuildMI(MBB, MBBI, DL, TII->get(TargetOpcode::CFI_INSTRUCTION))
416       .addCFIIndex(CFIIndex);
417 
418   const auto &CSI = MFI.getCalleeSavedInfo();
419 
420   // The frame pointer is callee-saved, and code has been generated for us to
421   // save it to the stack. We need to skip over the storing of callee-saved
422   // registers as the frame pointer must be modified after it has been saved
423   // to the stack, not before.
424   // FIXME: assumes exactly one instruction is used to save each callee-saved
425   // register.
426   std::advance(MBBI, getNonLibcallCSI(MF, CSI).size());
427 
428   // Iterate over list of callee-saved registers and emit .cfi_offset
429   // directives.
430   for (const auto &Entry : CSI) {
431     int FrameIdx = Entry.getFrameIdx();
432     int64_t Offset;
433     // Offsets for objects with fixed locations (IE: those saved by libcall) are
434     // simply calculated from the frame index.
435     if (FrameIdx < 0)
436       Offset = FrameIdx * (int64_t) STI.getXLen() / 8;
437     else
438       Offset = MFI.getObjectOffset(Entry.getFrameIdx()) -
439                RVFI->getLibCallStackSize();
440     Register Reg = Entry.getReg();
441     unsigned CFIIndex = MF.addFrameInst(MCCFIInstruction::createOffset(
442         nullptr, RI->getDwarfRegNum(Reg, true), Offset));
443     BuildMI(MBB, MBBI, DL, TII->get(TargetOpcode::CFI_INSTRUCTION))
444         .addCFIIndex(CFIIndex);
445   }
446 
447   // Generate new FP.
448   if (hasFP(MF)) {
449     if (STI.isRegisterReservedByUser(FPReg))
450       MF.getFunction().getContext().diagnose(DiagnosticInfoUnsupported{
451           MF.getFunction(), "Frame pointer required, but has been reserved."});
452 
453     adjustReg(MBB, MBBI, DL, FPReg, SPReg,
454               RealStackSize - RVFI->getVarArgsSaveSize(),
455               MachineInstr::FrameSetup);
456 
457     // Emit ".cfi_def_cfa $fp, RVFI->getVarArgsSaveSize()"
458     unsigned CFIIndex = MF.addFrameInst(MCCFIInstruction::cfiDefCfa(
459         nullptr, RI->getDwarfRegNum(FPReg, true), RVFI->getVarArgsSaveSize()));
460     BuildMI(MBB, MBBI, DL, TII->get(TargetOpcode::CFI_INSTRUCTION))
461         .addCFIIndex(CFIIndex);
462   }
463 
464   // Emit the second SP adjustment after saving callee saved registers.
465   if (FirstSPAdjustAmount) {
466     uint64_t SecondSPAdjustAmount = MFI.getStackSize() - FirstSPAdjustAmount;
467     assert(SecondSPAdjustAmount > 0 &&
468            "SecondSPAdjustAmount should be greater than zero");
469     adjustReg(MBB, MBBI, DL, SPReg, SPReg, -SecondSPAdjustAmount,
470               MachineInstr::FrameSetup);
471 
472     // If we are using a frame-pointer, and thus emitted ".cfi_def_cfa fp, 0",
473     // don't emit an sp-based .cfi_def_cfa_offset
474     if (!hasFP(MF)) {
475       // Emit ".cfi_def_cfa_offset StackSize"
476       unsigned CFIIndex = MF.addFrameInst(
477           MCCFIInstruction::cfiDefCfaOffset(nullptr, MFI.getStackSize()));
478       BuildMI(MBB, MBBI, DL, TII->get(TargetOpcode::CFI_INSTRUCTION))
479           .addCFIIndex(CFIIndex);
480     }
481   }
482 
483   if (RVVStackSize)
484     adjustStackForRVV(MF, MBB, MBBI, DL, -RVVStackSize);
485 
486   if (hasFP(MF)) {
487     // Realign Stack
488     const RISCVRegisterInfo *RI = STI.getRegisterInfo();
489     if (RI->needsStackRealignment(MF)) {
490       Align MaxAlignment = MFI.getMaxAlign();
491 
492       const RISCVInstrInfo *TII = STI.getInstrInfo();
493       if (isInt<12>(-(int)MaxAlignment.value())) {
494         BuildMI(MBB, MBBI, DL, TII->get(RISCV::ANDI), SPReg)
495             .addReg(SPReg)
496             .addImm(-(int)MaxAlignment.value());
497       } else {
498         unsigned ShiftAmount = Log2(MaxAlignment);
499         Register VR =
500             MF.getRegInfo().createVirtualRegister(&RISCV::GPRRegClass);
501         BuildMI(MBB, MBBI, DL, TII->get(RISCV::SRLI), VR)
502             .addReg(SPReg)
503             .addImm(ShiftAmount);
504         BuildMI(MBB, MBBI, DL, TII->get(RISCV::SLLI), SPReg)
505             .addReg(VR)
506             .addImm(ShiftAmount);
507       }
508       // FP will be used to restore the frame in the epilogue, so we need
509       // another base register BP to record SP after re-alignment. SP will
510       // track the current stack after allocating variable sized objects.
511       if (hasBP(MF)) {
512         // move BP, SP
513         TII->copyPhysReg(MBB, MBBI, DL, BPReg, SPReg, false);
514       }
515     }
516   }
517 }
518 
519 void RISCVFrameLowering::emitEpilogue(MachineFunction &MF,
520                                       MachineBasicBlock &MBB) const {
521   const RISCVRegisterInfo *RI = STI.getRegisterInfo();
522   MachineFrameInfo &MFI = MF.getFrameInfo();
523   auto *RVFI = MF.getInfo<RISCVMachineFunctionInfo>();
524   Register FPReg = getFPReg(STI);
525   Register SPReg = getSPReg(STI);
526 
527   // All calls are tail calls in GHC calling conv, and functions have no
528   // prologue/epilogue.
529   if (MF.getFunction().getCallingConv() == CallingConv::GHC)
530     return;
531 
532   // Get the insert location for the epilogue. If there were no terminators in
533   // the block, get the last instruction.
534   MachineBasicBlock::iterator MBBI = MBB.end();
535   DebugLoc DL;
536   if (!MBB.empty()) {
537     MBBI = MBB.getFirstTerminator();
538     if (MBBI == MBB.end())
539       MBBI = MBB.getLastNonDebugInstr();
540     DL = MBBI->getDebugLoc();
541 
542     // If this is not a terminator, the actual insert location should be after the
543     // last instruction.
544     if (!MBBI->isTerminator())
545       MBBI = std::next(MBBI);
546 
547     // If callee-saved registers are saved via libcall, place stack adjustment
548     // before this call.
549     while (MBBI != MBB.begin() &&
550            std::prev(MBBI)->getFlag(MachineInstr::FrameDestroy))
551       --MBBI;
552   }
553 
554   const auto &CSI = getNonLibcallCSI(MF, MFI.getCalleeSavedInfo());
555 
556   // Skip to before the restores of callee-saved registers
557   // FIXME: assumes exactly one instruction is used to restore each
558   // callee-saved register.
559   auto LastFrameDestroy = MBBI;
560   if (!CSI.empty())
561     LastFrameDestroy = std::prev(MBBI, CSI.size());
562 
563   uint64_t StackSize = MFI.getStackSize() + RVFI->getRVVPadding();
564   uint64_t RealStackSize = StackSize + RVFI->getLibCallStackSize();
565   uint64_t FPOffset = RealStackSize - RVFI->getVarArgsSaveSize();
566   uint64_t RVVStackSize = RVFI->getRVVStackSize();
567 
568   // Restore the stack pointer using the value of the frame pointer. Only
569   // necessary if the stack pointer was modified, meaning the stack size is
570   // unknown.
571   if (RI->needsStackRealignment(MF) || MFI.hasVarSizedObjects()) {
572     assert(hasFP(MF) && "frame pointer should not have been eliminated");
573     adjustReg(MBB, LastFrameDestroy, DL, SPReg, FPReg, -FPOffset,
574               MachineInstr::FrameDestroy);
575   } else {
576     if (RVVStackSize)
577       adjustStackForRVV(MF, MBB, LastFrameDestroy, DL, RVVStackSize);
578   }
579 
580   uint64_t FirstSPAdjustAmount = getFirstSPAdjustAmount(MF);
581   if (FirstSPAdjustAmount) {
582     uint64_t SecondSPAdjustAmount = MFI.getStackSize() - FirstSPAdjustAmount;
583     assert(SecondSPAdjustAmount > 0 &&
584            "SecondSPAdjustAmount should be greater than zero");
585 
586     adjustReg(MBB, LastFrameDestroy, DL, SPReg, SPReg, SecondSPAdjustAmount,
587               MachineInstr::FrameDestroy);
588   }
589 
590   if (FirstSPAdjustAmount)
591     StackSize = FirstSPAdjustAmount;
592 
593   // Deallocate stack
594   adjustReg(MBB, MBBI, DL, SPReg, SPReg, StackSize, MachineInstr::FrameDestroy);
595 
596   // Emit epilogue for shadow call stack.
597   emitSCSEpilogue(MF, MBB, MBBI, DL);
598 }
599 
600 StackOffset
601 RISCVFrameLowering::getFrameIndexReference(const MachineFunction &MF, int FI,
602                                            Register &FrameReg) const {
603   const MachineFrameInfo &MFI = MF.getFrameInfo();
604   const TargetRegisterInfo *RI = MF.getSubtarget().getRegisterInfo();
605   const auto *RVFI = MF.getInfo<RISCVMachineFunctionInfo>();
606 
607   // Callee-saved registers should be referenced relative to the stack
608   // pointer (positive offset), otherwise use the frame pointer (negative
609   // offset).
610   const auto &CSI = getNonLibcallCSI(MF, MFI.getCalleeSavedInfo());
611   int MinCSFI = 0;
612   int MaxCSFI = -1;
613   StackOffset Offset;
614   auto StackID = MFI.getStackID(FI);
615 
616   assert((StackID == TargetStackID::Default ||
617           StackID == TargetStackID::ScalableVector) &&
618          "Unexpected stack ID for the frame object.");
619   if (StackID == TargetStackID::Default) {
620     Offset =
621         StackOffset::getFixed(MFI.getObjectOffset(FI) - getOffsetOfLocalArea() +
622                               MFI.getOffsetAdjustment());
623   } else if (StackID == TargetStackID::ScalableVector) {
624     Offset = StackOffset::getScalable(MFI.getObjectOffset(FI));
625   }
626 
627   uint64_t FirstSPAdjustAmount = getFirstSPAdjustAmount(MF);
628 
629   if (CSI.size()) {
630     MinCSFI = CSI[0].getFrameIdx();
631     MaxCSFI = CSI[CSI.size() - 1].getFrameIdx();
632   }
633 
634   if (FI >= MinCSFI && FI <= MaxCSFI) {
635     FrameReg = RISCV::X2;
636 
637     if (FirstSPAdjustAmount)
638       Offset += StackOffset::getFixed(FirstSPAdjustAmount);
639     else
640       Offset +=
641           StackOffset::getFixed(MFI.getStackSize() + RVFI->getRVVPadding());
642   } else if (RI->needsStackRealignment(MF) && !MFI.isFixedObjectIndex(FI)) {
643     // If the stack was realigned, the frame pointer is set in order to allow
644     // SP to be restored, so we need another base register to record the stack
645     // after realignment.
646     if (hasBP(MF)) {
647       FrameReg = RISCVABI::getBPReg();
648       // |--------------------------| -- <-- FP
649       // | callee-saved registers   | | <----.
650       // |--------------------------| --     |
651       // | realignment (the size of | |      |
652       // | this area is not counted | |      |
653       // | in MFI.getStackSize())   | |      |
654       // |--------------------------| --     |
655       // | Padding after RVV        | |      |
656       // | (not counted in          | |      |
657       // | MFI.getStackSize()       | |      |
658       // |--------------------------| --     |-- MFI.getStackSize()
659       // | RVV objects              | |      |
660       // | (not counted in          | |      |
661       // | MFI.getStackSize()       | |      |
662       // |--------------------------| --     |
663       // | Padding before RVV       | |      |
664       // | (not counted in          | |      |
665       // | MFI.getStackSize()       | |      |
666       // |--------------------------| --     |
667       // | scalar local variables   | | <----'
668       // |--------------------------| -- <-- BP
669       // | VarSize objects          | |
670       // |--------------------------| -- <-- SP
671     } else {
672       FrameReg = RISCV::X2;
673       // |--------------------------| -- <-- FP
674       // | callee-saved registers   | | <----.
675       // |--------------------------| --     |
676       // | realignment (the size of | |      |
677       // | this area is not counted | |      |
678       // | in MFI.getStackSize())   | |      |
679       // |--------------------------| --     |
680       // | Padding after RVV        | |      |
681       // | (not counted in          | |      |
682       // | MFI.getStackSize()       | |      |
683       // |--------------------------| --     |-- MFI.getStackSize()
684       // | RVV objects              | |      |
685       // | (not counted in          | |      |
686       // | MFI.getStackSize()       | |      |
687       // |--------------------------| --     |
688       // | Padding before RVV       | |      |
689       // | (not counted in          | |      |
690       // | MFI.getStackSize()       | |      |
691       // |--------------------------| --     |
692       // | scalar local variables   | | <----'
693       // |--------------------------| -- <-- SP
694     }
695     // The total amount of padding surrounding RVV objects is described by
696     // RVV->getRVVPadding() and it can be zero. It allows us to align the RVV
697     // objects to 8 bytes.
698     if (MFI.getStackID(FI) == TargetStackID::Default) {
699       Offset += StackOffset::getFixed(MFI.getStackSize());
700       if (FI < 0)
701         Offset += StackOffset::getFixed(RVFI->getLibCallStackSize());
702     } else if (MFI.getStackID(FI) == TargetStackID::ScalableVector) {
703       Offset += StackOffset::get(
704           alignTo(MFI.getStackSize() - RVFI->getCalleeSavedStackSize(), 8),
705           RVFI->getRVVStackSize());
706     }
707   } else {
708     FrameReg = RI->getFrameRegister(MF);
709     if (hasFP(MF)) {
710       Offset += StackOffset::getFixed(RVFI->getVarArgsSaveSize());
711       if (FI >= 0)
712         Offset -= StackOffset::getFixed(RVFI->getLibCallStackSize());
713       // When using FP to access scalable vector objects, we need to minus
714       // the frame size.
715       //
716       // |--------------------------| -- <-- FP
717       // | callee-saved registers   | |
718       // |--------------------------| | MFI.getStackSize()
719       // | scalar local variables   | |
720       // |--------------------------| -- (Offset of RVV objects is from here.)
721       // | RVV objects              |
722       // |--------------------------|
723       // | VarSize objects          |
724       // |--------------------------| <-- SP
725       if (MFI.getStackID(FI) == TargetStackID::ScalableVector)
726         Offset -= StackOffset::getFixed(MFI.getStackSize());
727     } else {
728       // When using SP to access frame objects, we need to add RVV stack size.
729       //
730       // |--------------------------| -- <-- FP
731       // | callee-saved registers   | | <----.
732       // |--------------------------| --     |
733       // | Padding after RVV        | |      |
734       // | (not counted in          | |      |
735       // | MFI.getStackSize()       | |      |
736       // |--------------------------| --     |
737       // | RVV objects              | |      |-- MFI.getStackSize()
738       // | (not counted in          | |      |
739       // | MFI.getStackSize()       | |      |
740       // |--------------------------| --     |
741       // | Padding before RVV       | |      |
742       // | (not counted in          | |      |
743       // | MFI.getStackSize()       | |      |
744       // |--------------------------| --     |
745       // | scalar local variables   | | <----'
746       // |--------------------------| -- <-- SP
747       //
748       // The total amount of padding surrounding RVV objects is described by
749       // RVV->getRVVPadding() and it can be zero. It allows us to align the RVV
750       // objects to 8 bytes.
751       if (MFI.getStackID(FI) == TargetStackID::Default) {
752         Offset += StackOffset::getFixed(MFI.getStackSize());
753         if (FI < 0)
754           Offset += StackOffset::getFixed(RVFI->getLibCallStackSize());
755       } else if (MFI.getStackID(FI) == TargetStackID::ScalableVector) {
756         Offset += StackOffset::get(
757             alignTo(MFI.getStackSize() - RVFI->getCalleeSavedStackSize(), 8),
758             RVFI->getRVVStackSize());
759       }
760     }
761   }
762 
763   return Offset;
764 }
765 
766 void RISCVFrameLowering::determineCalleeSaves(MachineFunction &MF,
767                                               BitVector &SavedRegs,
768                                               RegScavenger *RS) const {
769   TargetFrameLowering::determineCalleeSaves(MF, SavedRegs, RS);
770   // Unconditionally spill RA and FP only if the function uses a frame
771   // pointer.
772   if (hasFP(MF)) {
773     SavedRegs.set(RISCV::X1);
774     SavedRegs.set(RISCV::X8);
775   }
776   // Mark BP as used if function has dedicated base pointer.
777   if (hasBP(MF))
778     SavedRegs.set(RISCVABI::getBPReg());
779 
780   // If interrupt is enabled and there are calls in the handler,
781   // unconditionally save all Caller-saved registers and
782   // all FP registers, regardless whether they are used.
783   MachineFrameInfo &MFI = MF.getFrameInfo();
784 
785   if (MF.getFunction().hasFnAttribute("interrupt") && MFI.hasCalls()) {
786 
787     static const MCPhysReg CSRegs[] = { RISCV::X1,      /* ra */
788       RISCV::X5, RISCV::X6, RISCV::X7,                  /* t0-t2 */
789       RISCV::X10, RISCV::X11,                           /* a0-a1, a2-a7 */
790       RISCV::X12, RISCV::X13, RISCV::X14, RISCV::X15, RISCV::X16, RISCV::X17,
791       RISCV::X28, RISCV::X29, RISCV::X30, RISCV::X31, 0 /* t3-t6 */
792     };
793 
794     for (unsigned i = 0; CSRegs[i]; ++i)
795       SavedRegs.set(CSRegs[i]);
796 
797     if (MF.getSubtarget<RISCVSubtarget>().hasStdExtF()) {
798 
799       // If interrupt is enabled, this list contains all FP registers.
800       const MCPhysReg * Regs = MF.getRegInfo().getCalleeSavedRegs();
801 
802       for (unsigned i = 0; Regs[i]; ++i)
803         if (RISCV::FPR16RegClass.contains(Regs[i]) ||
804             RISCV::FPR32RegClass.contains(Regs[i]) ||
805             RISCV::FPR64RegClass.contains(Regs[i]))
806           SavedRegs.set(Regs[i]);
807     }
808   }
809 }
810 
811 int64_t
812 RISCVFrameLowering::assignRVVStackObjectOffsets(MachineFrameInfo &MFI) const {
813   int64_t Offset = 0;
814   // Create a buffer of RVV objects to allocate.
815   SmallVector<int, 8> ObjectsToAllocate;
816   for (int I = 0, E = MFI.getObjectIndexEnd(); I != E; ++I) {
817     unsigned StackID = MFI.getStackID(I);
818     if (StackID != TargetStackID::ScalableVector)
819       continue;
820     if (MFI.isDeadObjectIndex(I))
821       continue;
822 
823     ObjectsToAllocate.push_back(I);
824   }
825 
826   // Allocate all RVV locals and spills
827   for (int FI : ObjectsToAllocate) {
828     // ObjectSize in bytes.
829     int64_t ObjectSize = MFI.getObjectSize(FI);
830     // If the data type is the fractional vector type, reserve one vector
831     // register for it.
832     if (ObjectSize < 8)
833       ObjectSize = 8;
834     // Currently, all scalable vector types are aligned to 8 bytes.
835     Offset = alignTo(Offset + ObjectSize, 8);
836     MFI.setObjectOffset(FI, -Offset);
837   }
838 
839   return Offset;
840 }
841 
842 void RISCVFrameLowering::processFunctionBeforeFrameFinalized(
843     MachineFunction &MF, RegScavenger *RS) const {
844   const TargetRegisterInfo *RegInfo = MF.getSubtarget().getRegisterInfo();
845   MachineFrameInfo &MFI = MF.getFrameInfo();
846   const TargetRegisterClass *RC = &RISCV::GPRRegClass;
847   auto *RVFI = MF.getInfo<RISCVMachineFunctionInfo>();
848 
849   int64_t RVVStackSize = assignRVVStackObjectOffsets(MFI);
850   RVFI->setRVVStackSize(RVVStackSize);
851 
852   // estimateStackSize has been observed to under-estimate the final stack
853   // size, so give ourselves wiggle-room by checking for stack size
854   // representable an 11-bit signed field rather than 12-bits.
855   // FIXME: It may be possible to craft a function with a small stack that
856   // still needs an emergency spill slot for branch relaxation. This case
857   // would currently be missed.
858   if (!isInt<11>(MFI.estimateStackSize(MF)) || RVVStackSize != 0) {
859     int RegScavFI = MFI.CreateStackObject(RegInfo->getSpillSize(*RC),
860                                           RegInfo->getSpillAlign(*RC), false);
861     RS->addScavengingFrameIndex(RegScavFI);
862   }
863 
864   if (MFI.getCalleeSavedInfo().empty() || RVFI->useSaveRestoreLibCalls(MF)) {
865     RVFI->setCalleeSavedStackSize(0);
866     return;
867   }
868 
869   unsigned Size = 0;
870   for (const auto &Info : MFI.getCalleeSavedInfo()) {
871     int FrameIdx = Info.getFrameIdx();
872     if (MFI.getStackID(FrameIdx) != TargetStackID::Default)
873       continue;
874 
875     Size += MFI.getObjectSize(FrameIdx);
876   }
877   RVFI->setCalleeSavedStackSize(Size);
878 
879   // Padding required to keep the RVV stack aligned to 8 bytes
880   // within the main stack. We only need this when not using FP.
881   if (RVVStackSize && !hasFP(MF) && Size % 8 != 0) {
882     // Because we add the padding to the size of the stack, adding
883     // getStackAlign() will keep it aligned.
884     RVFI->setRVVPadding(getStackAlign().value());
885   }
886 }
887 
888 // Not preserve stack space within prologue for outgoing variables when the
889 // function contains variable size objects and let eliminateCallFramePseudoInstr
890 // preserve stack space for it.
891 bool RISCVFrameLowering::hasReservedCallFrame(const MachineFunction &MF) const {
892   return !MF.getFrameInfo().hasVarSizedObjects();
893 }
894 
895 // Eliminate ADJCALLSTACKDOWN, ADJCALLSTACKUP pseudo instructions.
896 MachineBasicBlock::iterator RISCVFrameLowering::eliminateCallFramePseudoInstr(
897     MachineFunction &MF, MachineBasicBlock &MBB,
898     MachineBasicBlock::iterator MI) const {
899   Register SPReg = RISCV::X2;
900   DebugLoc DL = MI->getDebugLoc();
901 
902   if (!hasReservedCallFrame(MF)) {
903     // If space has not been reserved for a call frame, ADJCALLSTACKDOWN and
904     // ADJCALLSTACKUP must be converted to instructions manipulating the stack
905     // pointer. This is necessary when there is a variable length stack
906     // allocation (e.g. alloca), which means it's not possible to allocate
907     // space for outgoing arguments from within the function prologue.
908     int64_t Amount = MI->getOperand(0).getImm();
909 
910     if (Amount != 0) {
911       // Ensure the stack remains aligned after adjustment.
912       Amount = alignSPAdjust(Amount);
913 
914       if (MI->getOpcode() == RISCV::ADJCALLSTACKDOWN)
915         Amount = -Amount;
916 
917       adjustReg(MBB, MI, DL, SPReg, SPReg, Amount, MachineInstr::NoFlags);
918     }
919   }
920 
921   return MBB.erase(MI);
922 }
923 
924 // We would like to split the SP adjustment to reduce prologue/epilogue
925 // as following instructions. In this way, the offset of the callee saved
926 // register could fit in a single store.
927 //   add     sp,sp,-2032
928 //   sw      ra,2028(sp)
929 //   sw      s0,2024(sp)
930 //   sw      s1,2020(sp)
931 //   sw      s3,2012(sp)
932 //   sw      s4,2008(sp)
933 //   add     sp,sp,-64
934 uint64_t
935 RISCVFrameLowering::getFirstSPAdjustAmount(const MachineFunction &MF) const {
936   const auto *RVFI = MF.getInfo<RISCVMachineFunctionInfo>();
937   const MachineFrameInfo &MFI = MF.getFrameInfo();
938   const std::vector<CalleeSavedInfo> &CSI = MFI.getCalleeSavedInfo();
939   uint64_t StackSize = MFI.getStackSize();
940 
941   // Disable SplitSPAdjust if save-restore libcall used. The callee saved
942   // registers will be pushed by the save-restore libcalls, so we don't have to
943   // split the SP adjustment in this case.
944   if (RVFI->getLibCallStackSize())
945     return 0;
946 
947   // Return the FirstSPAdjustAmount if the StackSize can not fit in signed
948   // 12-bit and there exists a callee saved register need to be pushed.
949   if (!isInt<12>(StackSize) && (CSI.size() > 0)) {
950     // FirstSPAdjustAmount is choosed as (2048 - StackAlign)
951     // because 2048 will cause sp = sp + 2048 in epilogue split into
952     // multi-instructions. The offset smaller than 2048 can fit in signle
953     // load/store instruction and we have to stick with the stack alignment.
954     // 2048 is 16-byte alignment. The stack alignment for RV32 and RV64 is 16,
955     // for RV32E is 4. So (2048 - StackAlign) will satisfy the stack alignment.
956     return 2048 - getStackAlign().value();
957   }
958   return 0;
959 }
960 
961 bool RISCVFrameLowering::spillCalleeSavedRegisters(
962     MachineBasicBlock &MBB, MachineBasicBlock::iterator MI,
963     ArrayRef<CalleeSavedInfo> CSI, const TargetRegisterInfo *TRI) const {
964   if (CSI.empty())
965     return true;
966 
967   MachineFunction *MF = MBB.getParent();
968   const TargetInstrInfo &TII = *MF->getSubtarget().getInstrInfo();
969   DebugLoc DL;
970   if (MI != MBB.end() && !MI->isDebugInstr())
971     DL = MI->getDebugLoc();
972 
973   const char *SpillLibCall = getSpillLibCallName(*MF, CSI);
974   if (SpillLibCall) {
975     // Add spill libcall via non-callee-saved register t0.
976     BuildMI(MBB, MI, DL, TII.get(RISCV::PseudoCALLReg), RISCV::X5)
977         .addExternalSymbol(SpillLibCall, RISCVII::MO_CALL)
978         .setMIFlag(MachineInstr::FrameSetup);
979 
980     // Add registers spilled in libcall as liveins.
981     for (auto &CS : CSI)
982       MBB.addLiveIn(CS.getReg());
983   }
984 
985   // Manually spill values not spilled by libcall.
986   const auto &NonLibcallCSI = getNonLibcallCSI(*MF, CSI);
987   for (auto &CS : NonLibcallCSI) {
988     // Insert the spill to the stack frame.
989     Register Reg = CS.getReg();
990     const TargetRegisterClass *RC = TRI->getMinimalPhysRegClass(Reg);
991     TII.storeRegToStackSlot(MBB, MI, Reg, true, CS.getFrameIdx(), RC, TRI);
992   }
993 
994   return true;
995 }
996 
997 bool RISCVFrameLowering::restoreCalleeSavedRegisters(
998     MachineBasicBlock &MBB, MachineBasicBlock::iterator MI,
999     MutableArrayRef<CalleeSavedInfo> CSI, const TargetRegisterInfo *TRI) const {
1000   if (CSI.empty())
1001     return true;
1002 
1003   MachineFunction *MF = MBB.getParent();
1004   const TargetInstrInfo &TII = *MF->getSubtarget().getInstrInfo();
1005   DebugLoc DL;
1006   if (MI != MBB.end() && !MI->isDebugInstr())
1007     DL = MI->getDebugLoc();
1008 
1009   // Manually restore values not restored by libcall. Insert in reverse order.
1010   // loadRegFromStackSlot can insert multiple instructions.
1011   const auto &NonLibcallCSI = getNonLibcallCSI(*MF, CSI);
1012   for (auto &CS : reverse(NonLibcallCSI)) {
1013     Register Reg = CS.getReg();
1014     const TargetRegisterClass *RC = TRI->getMinimalPhysRegClass(Reg);
1015     TII.loadRegFromStackSlot(MBB, MI, Reg, CS.getFrameIdx(), RC, TRI);
1016     assert(MI != MBB.begin() && "loadRegFromStackSlot didn't insert any code!");
1017   }
1018 
1019   const char *RestoreLibCall = getRestoreLibCallName(*MF, CSI);
1020   if (RestoreLibCall) {
1021     // Add restore libcall via tail call.
1022     MachineBasicBlock::iterator NewMI =
1023         BuildMI(MBB, MI, DL, TII.get(RISCV::PseudoTAIL))
1024             .addExternalSymbol(RestoreLibCall, RISCVII::MO_CALL)
1025             .setMIFlag(MachineInstr::FrameDestroy);
1026 
1027     // Remove trailing returns, since the terminator is now a tail call to the
1028     // restore function.
1029     if (MI != MBB.end() && MI->getOpcode() == RISCV::PseudoRET) {
1030       NewMI->copyImplicitOps(*MF, *MI);
1031       MI->eraseFromParent();
1032     }
1033   }
1034 
1035   return true;
1036 }
1037 
1038 bool RISCVFrameLowering::canUseAsPrologue(const MachineBasicBlock &MBB) const {
1039   MachineBasicBlock *TmpMBB = const_cast<MachineBasicBlock *>(&MBB);
1040   const MachineFunction *MF = MBB.getParent();
1041   const auto *RVFI = MF->getInfo<RISCVMachineFunctionInfo>();
1042 
1043   if (!RVFI->useSaveRestoreLibCalls(*MF))
1044     return true;
1045 
1046   // Inserting a call to a __riscv_save libcall requires the use of the register
1047   // t0 (X5) to hold the return address. Therefore if this register is already
1048   // used we can't insert the call.
1049 
1050   RegScavenger RS;
1051   RS.enterBasicBlock(*TmpMBB);
1052   return !RS.isRegUsed(RISCV::X5);
1053 }
1054 
1055 bool RISCVFrameLowering::canUseAsEpilogue(const MachineBasicBlock &MBB) const {
1056   const MachineFunction *MF = MBB.getParent();
1057   MachineBasicBlock *TmpMBB = const_cast<MachineBasicBlock *>(&MBB);
1058   const auto *RVFI = MF->getInfo<RISCVMachineFunctionInfo>();
1059 
1060   if (!RVFI->useSaveRestoreLibCalls(*MF))
1061     return true;
1062 
1063   // Using the __riscv_restore libcalls to restore CSRs requires a tail call.
1064   // This means if we still need to continue executing code within this function
1065   // the restore cannot take place in this basic block.
1066 
1067   if (MBB.succ_size() > 1)
1068     return false;
1069 
1070   MachineBasicBlock *SuccMBB =
1071       MBB.succ_empty() ? TmpMBB->getFallThrough() : *MBB.succ_begin();
1072 
1073   // Doing a tail call should be safe if there are no successors, because either
1074   // we have a returning block or the end of the block is unreachable, so the
1075   // restore will be eliminated regardless.
1076   if (!SuccMBB)
1077     return true;
1078 
1079   // The successor can only contain a return, since we would effectively be
1080   // replacing the successor with our own tail return at the end of our block.
1081   return SuccMBB->isReturnBlock() && SuccMBB->size() == 1;
1082 }
1083 
1084 bool RISCVFrameLowering::isSupportedStackID(TargetStackID::Value ID) const {
1085   switch (ID) {
1086   case TargetStackID::Default:
1087   case TargetStackID::ScalableVector:
1088     return true;
1089   case TargetStackID::NoAlloc:
1090   case TargetStackID::SGPRSpill:
1091     return false;
1092   }
1093   llvm_unreachable("Invalid TargetStackID::Value");
1094 }
1095 
1096 TargetStackID::Value RISCVFrameLowering::getStackIDForScalableVectors() const {
1097   return TargetStackID::ScalableVector;
1098 }
1099