1 //===- SIFixSGPRCopies.cpp - Remove potential VGPR => SGPR copies ---------===//
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 /// \file
11 /// Copies from VGPR to SGPR registers are illegal and the register coalescer
12 /// will sometimes generate these illegal copies in situations like this:
13 ///
14 ///  Register Class <vsrc> is the union of <vgpr> and <sgpr>
15 ///
16 /// BB0:
17 ///   %0 <sgpr> = SCALAR_INST
18 ///   %1 <vsrc> = COPY %0 <sgpr>
19 ///    ...
20 ///    BRANCH %cond BB1, BB2
21 ///  BB1:
22 ///    %2 <vgpr> = VECTOR_INST
23 ///    %3 <vsrc> = COPY %2 <vgpr>
24 ///  BB2:
25 ///    %4 <vsrc> = PHI %1 <vsrc>, <%bb.0>, %3 <vrsc>, <%bb.1>
26 ///    %5 <vgpr> = VECTOR_INST %4 <vsrc>
27 ///
28 ///
29 /// The coalescer will begin at BB0 and eliminate its copy, then the resulting
30 /// code will look like this:
31 ///
32 /// BB0:
33 ///   %0 <sgpr> = SCALAR_INST
34 ///    ...
35 ///    BRANCH %cond BB1, BB2
36 /// BB1:
37 ///   %2 <vgpr> = VECTOR_INST
38 ///   %3 <vsrc> = COPY %2 <vgpr>
39 /// BB2:
40 ///   %4 <sgpr> = PHI %0 <sgpr>, <%bb.0>, %3 <vsrc>, <%bb.1>
41 ///   %5 <vgpr> = VECTOR_INST %4 <sgpr>
42 ///
43 /// Now that the result of the PHI instruction is an SGPR, the register
44 /// allocator is now forced to constrain the register class of %3 to
45 /// <sgpr> so we end up with final code like this:
46 ///
47 /// BB0:
48 ///   %0 <sgpr> = SCALAR_INST
49 ///    ...
50 ///    BRANCH %cond BB1, BB2
51 /// BB1:
52 ///   %2 <vgpr> = VECTOR_INST
53 ///   %3 <sgpr> = COPY %2 <vgpr>
54 /// BB2:
55 ///   %4 <sgpr> = PHI %0 <sgpr>, <%bb.0>, %3 <sgpr>, <%bb.1>
56 ///   %5 <vgpr> = VECTOR_INST %4 <sgpr>
57 ///
58 /// Now this code contains an illegal copy from a VGPR to an SGPR.
59 ///
60 /// In order to avoid this problem, this pass searches for PHI instructions
61 /// which define a <vsrc> register and constrains its definition class to
62 /// <vgpr> if the user of the PHI's definition register is a vector instruction.
63 /// If the PHI's definition class is constrained to <vgpr> then the coalescer
64 /// will be unable to perform the COPY removal from the above example  which
65 /// ultimately led to the creation of an illegal COPY.
66 //===----------------------------------------------------------------------===//
67 
68 #include "AMDGPU.h"
69 #include "AMDGPUSubtarget.h"
70 #include "SIInstrInfo.h"
71 #include "SIRegisterInfo.h"
72 #include "llvm/ADT/DenseSet.h"
73 #include "llvm/ADT/STLExtras.h"
74 #include "llvm/ADT/SmallSet.h"
75 #include "llvm/ADT/SmallVector.h"
76 #include "llvm/CodeGen/MachineBasicBlock.h"
77 #include "llvm/CodeGen/MachineDominators.h"
78 #include "llvm/CodeGen/MachineFunction.h"
79 #include "llvm/CodeGen/MachineFunctionPass.h"
80 #include "llvm/CodeGen/MachineInstr.h"
81 #include "llvm/CodeGen/MachineInstrBuilder.h"
82 #include "llvm/CodeGen/MachineOperand.h"
83 #include "llvm/CodeGen/MachineRegisterInfo.h"
84 #include "llvm/CodeGen/TargetRegisterInfo.h"
85 #include "llvm/Pass.h"
86 #include "llvm/Support/CodeGen.h"
87 #include "llvm/Support/CommandLine.h"
88 #include "llvm/Support/Debug.h"
89 #include "llvm/Support/raw_ostream.h"
90 #include "llvm/Target/TargetMachine.h"
91 #include <cassert>
92 #include <cstdint>
93 #include <iterator>
94 #include <list>
95 #include <map>
96 #include <tuple>
97 #include <utility>
98 
99 using namespace llvm;
100 
101 #define DEBUG_TYPE "si-fix-sgpr-copies"
102 
103 static cl::opt<bool> EnableM0Merge(
104   "amdgpu-enable-merge-m0",
105   cl::desc("Merge and hoist M0 initializations"),
106   cl::init(false));
107 
108 namespace {
109 
110 class SIFixSGPRCopies : public MachineFunctionPass {
111   MachineDominatorTree *MDT;
112 
113 public:
114   static char ID;
115 
116   SIFixSGPRCopies() : MachineFunctionPass(ID) {}
117 
118   bool runOnMachineFunction(MachineFunction &MF) override;
119 
120   StringRef getPassName() const override { return "SI Fix SGPR copies"; }
121 
122   void getAnalysisUsage(AnalysisUsage &AU) const override {
123     AU.addRequired<MachineDominatorTree>();
124     AU.addPreserved<MachineDominatorTree>();
125     AU.setPreservesCFG();
126     MachineFunctionPass::getAnalysisUsage(AU);
127   }
128 };
129 
130 } // end anonymous namespace
131 
132 INITIALIZE_PASS_BEGIN(SIFixSGPRCopies, DEBUG_TYPE,
133                      "SI Fix SGPR copies", false, false)
134 INITIALIZE_PASS_DEPENDENCY(MachineDominatorTree)
135 INITIALIZE_PASS_END(SIFixSGPRCopies, DEBUG_TYPE,
136                      "SI Fix SGPR copies", false, false)
137 
138 char SIFixSGPRCopies::ID = 0;
139 
140 char &llvm::SIFixSGPRCopiesID = SIFixSGPRCopies::ID;
141 
142 FunctionPass *llvm::createSIFixSGPRCopiesPass() {
143   return new SIFixSGPRCopies();
144 }
145 
146 static bool hasVGPROperands(const MachineInstr &MI, const SIRegisterInfo *TRI) {
147   const MachineRegisterInfo &MRI = MI.getParent()->getParent()->getRegInfo();
148   for (unsigned i = 0, e = MI.getNumOperands(); i != e; ++i) {
149     if (!MI.getOperand(i).isReg() ||
150         !TargetRegisterInfo::isVirtualRegister(MI.getOperand(i).getReg()))
151       continue;
152 
153     if (TRI->hasVGPRs(MRI.getRegClass(MI.getOperand(i).getReg())))
154       return true;
155   }
156   return false;
157 }
158 
159 static std::pair<const TargetRegisterClass *, const TargetRegisterClass *>
160 getCopyRegClasses(const MachineInstr &Copy,
161                   const SIRegisterInfo &TRI,
162                   const MachineRegisterInfo &MRI) {
163   unsigned DstReg = Copy.getOperand(0).getReg();
164   unsigned SrcReg = Copy.getOperand(1).getReg();
165 
166   const TargetRegisterClass *SrcRC =
167     TargetRegisterInfo::isVirtualRegister(SrcReg) ?
168     MRI.getRegClass(SrcReg) :
169     TRI.getPhysRegClass(SrcReg);
170 
171   // We don't really care about the subregister here.
172   // SrcRC = TRI.getSubRegClass(SrcRC, Copy.getOperand(1).getSubReg());
173 
174   const TargetRegisterClass *DstRC =
175     TargetRegisterInfo::isVirtualRegister(DstReg) ?
176     MRI.getRegClass(DstReg) :
177     TRI.getPhysRegClass(DstReg);
178 
179   return std::make_pair(SrcRC, DstRC);
180 }
181 
182 static bool isVGPRToSGPRCopy(const TargetRegisterClass *SrcRC,
183                              const TargetRegisterClass *DstRC,
184                              const SIRegisterInfo &TRI) {
185   return TRI.isSGPRClass(DstRC) && TRI.hasVGPRs(SrcRC);
186 }
187 
188 static bool isSGPRToVGPRCopy(const TargetRegisterClass *SrcRC,
189                              const TargetRegisterClass *DstRC,
190                              const SIRegisterInfo &TRI) {
191   return TRI.isSGPRClass(SrcRC) && TRI.hasVGPRs(DstRC);
192 }
193 
194 static bool tryChangeVGPRtoSGPRinCopy(MachineInstr &MI,
195                                       const SIRegisterInfo *TRI,
196                                       const SIInstrInfo *TII) {
197   MachineRegisterInfo &MRI = MI.getParent()->getParent()->getRegInfo();
198   auto &Src = MI.getOperand(1);
199   unsigned DstReg = MI.getOperand(0).getReg();
200   unsigned SrcReg = Src.getReg();
201   if (!TargetRegisterInfo::isVirtualRegister(SrcReg) ||
202       !TargetRegisterInfo::isVirtualRegister(DstReg))
203     return false;
204 
205   for (const auto &MO : MRI.reg_nodbg_operands(DstReg)) {
206     const auto *UseMI = MO.getParent();
207     if (UseMI == &MI)
208       continue;
209     if (MO.isDef() || UseMI->getParent() != MI.getParent() ||
210         UseMI->getOpcode() <= TargetOpcode::GENERIC_OP_END ||
211         !TII->isOperandLegal(*UseMI, UseMI->getOperandNo(&MO), &Src))
212       return false;
213   }
214   // Change VGPR to SGPR destination.
215   MRI.setRegClass(DstReg, TRI->getEquivalentSGPRClass(MRI.getRegClass(DstReg)));
216   return true;
217 }
218 
219 // Distribute an SGPR->VGPR copy of a REG_SEQUENCE into a VGPR REG_SEQUENCE.
220 //
221 // SGPRx = ...
222 // SGPRy = REG_SEQUENCE SGPRx, sub0 ...
223 // VGPRz = COPY SGPRy
224 //
225 // ==>
226 //
227 // VGPRx = COPY SGPRx
228 // VGPRz = REG_SEQUENCE VGPRx, sub0
229 //
230 // This exposes immediate folding opportunities when materializing 64-bit
231 // immediates.
232 static bool foldVGPRCopyIntoRegSequence(MachineInstr &MI,
233                                         const SIRegisterInfo *TRI,
234                                         const SIInstrInfo *TII,
235                                         MachineRegisterInfo &MRI) {
236   assert(MI.isRegSequence());
237 
238   unsigned DstReg = MI.getOperand(0).getReg();
239   if (!TRI->isSGPRClass(MRI.getRegClass(DstReg)))
240     return false;
241 
242   if (!MRI.hasOneUse(DstReg))
243     return false;
244 
245   MachineInstr &CopyUse = *MRI.use_instr_begin(DstReg);
246   if (!CopyUse.isCopy())
247     return false;
248 
249   // It is illegal to have vreg inputs to a physreg defining reg_sequence.
250   if (TargetRegisterInfo::isPhysicalRegister(CopyUse.getOperand(0).getReg()))
251     return false;
252 
253   const TargetRegisterClass *SrcRC, *DstRC;
254   std::tie(SrcRC, DstRC) = getCopyRegClasses(CopyUse, *TRI, MRI);
255 
256   if (!isSGPRToVGPRCopy(SrcRC, DstRC, *TRI))
257     return false;
258 
259   if (tryChangeVGPRtoSGPRinCopy(CopyUse, TRI, TII))
260     return true;
261 
262   // TODO: Could have multiple extracts?
263   unsigned SubReg = CopyUse.getOperand(1).getSubReg();
264   if (SubReg != AMDGPU::NoSubRegister)
265     return false;
266 
267   MRI.setRegClass(DstReg, DstRC);
268 
269   // SGPRx = ...
270   // SGPRy = REG_SEQUENCE SGPRx, sub0 ...
271   // VGPRz = COPY SGPRy
272 
273   // =>
274   // VGPRx = COPY SGPRx
275   // VGPRz = REG_SEQUENCE VGPRx, sub0
276 
277   MI.getOperand(0).setReg(CopyUse.getOperand(0).getReg());
278 
279   for (unsigned I = 1, N = MI.getNumOperands(); I != N; I += 2) {
280     unsigned SrcReg = MI.getOperand(I).getReg();
281     unsigned SrcSubReg = MI.getOperand(I).getSubReg();
282 
283     const TargetRegisterClass *SrcRC = MRI.getRegClass(SrcReg);
284     assert(TRI->isSGPRClass(SrcRC) &&
285            "Expected SGPR REG_SEQUENCE to only have SGPR inputs");
286 
287     SrcRC = TRI->getSubRegClass(SrcRC, SrcSubReg);
288     const TargetRegisterClass *NewSrcRC = TRI->getEquivalentVGPRClass(SrcRC);
289 
290     unsigned TmpReg = MRI.createVirtualRegister(NewSrcRC);
291 
292     BuildMI(*MI.getParent(), &MI, MI.getDebugLoc(), TII->get(AMDGPU::COPY),
293             TmpReg)
294         .add(MI.getOperand(I));
295 
296     MI.getOperand(I).setReg(TmpReg);
297   }
298 
299   CopyUse.eraseFromParent();
300   return true;
301 }
302 
303 static bool phiHasVGPROperands(const MachineInstr &PHI,
304                                const MachineRegisterInfo &MRI,
305                                const SIRegisterInfo *TRI,
306                                const SIInstrInfo *TII) {
307   for (unsigned i = 1; i < PHI.getNumOperands(); i += 2) {
308     unsigned Reg = PHI.getOperand(i).getReg();
309     if (TRI->hasVGPRs(MRI.getRegClass(Reg)))
310       return true;
311   }
312   return false;
313 }
314 
315 static bool phiHasBreakDef(const MachineInstr &PHI,
316                            const MachineRegisterInfo &MRI,
317                            SmallSet<unsigned, 8> &Visited) {
318   for (unsigned i = 1; i < PHI.getNumOperands(); i += 2) {
319     unsigned Reg = PHI.getOperand(i).getReg();
320     if (Visited.count(Reg))
321       continue;
322 
323     Visited.insert(Reg);
324 
325     MachineInstr *DefInstr = MRI.getVRegDef(Reg);
326     switch (DefInstr->getOpcode()) {
327     default:
328       break;
329     case AMDGPU::SI_BREAK:
330     case AMDGPU::SI_IF_BREAK:
331     case AMDGPU::SI_ELSE_BREAK:
332       return true;
333     case AMDGPU::PHI:
334       if (phiHasBreakDef(*DefInstr, MRI, Visited))
335         return true;
336     }
337   }
338   return false;
339 }
340 
341 static bool hasTerminatorThatModifiesExec(const MachineBasicBlock &MBB,
342                                           const TargetRegisterInfo &TRI) {
343   for (MachineBasicBlock::const_iterator I = MBB.getFirstTerminator(),
344        E = MBB.end(); I != E; ++I) {
345     if (I->modifiesRegister(AMDGPU::EXEC, &TRI))
346       return true;
347   }
348   return false;
349 }
350 
351 static bool isSafeToFoldImmIntoCopy(const MachineInstr *Copy,
352                                     const MachineInstr *MoveImm,
353                                     const SIInstrInfo *TII,
354                                     unsigned &SMovOp,
355                                     int64_t &Imm) {
356   if (Copy->getOpcode() != AMDGPU::COPY)
357     return false;
358 
359   if (!MoveImm->isMoveImmediate())
360     return false;
361 
362   const MachineOperand *ImmOp =
363       TII->getNamedOperand(*MoveImm, AMDGPU::OpName::src0);
364   if (!ImmOp->isImm())
365     return false;
366 
367   // FIXME: Handle copies with sub-regs.
368   if (Copy->getOperand(0).getSubReg())
369     return false;
370 
371   switch (MoveImm->getOpcode()) {
372   default:
373     return false;
374   case AMDGPU::V_MOV_B32_e32:
375     SMovOp = AMDGPU::S_MOV_B32;
376     break;
377   case AMDGPU::V_MOV_B64_PSEUDO:
378     SMovOp = AMDGPU::S_MOV_B64;
379     break;
380   }
381   Imm = ImmOp->getImm();
382   return true;
383 }
384 
385 template <class UnaryPredicate>
386 bool searchPredecessors(const MachineBasicBlock *MBB,
387                         const MachineBasicBlock *CutOff,
388                         UnaryPredicate Predicate) {
389   if (MBB == CutOff)
390     return false;
391 
392   DenseSet<const MachineBasicBlock *> Visited;
393   SmallVector<MachineBasicBlock *, 4> Worklist(MBB->pred_begin(),
394                                                MBB->pred_end());
395 
396   while (!Worklist.empty()) {
397     MachineBasicBlock *MBB = Worklist.pop_back_val();
398 
399     if (!Visited.insert(MBB).second)
400       continue;
401     if (MBB == CutOff)
402       continue;
403     if (Predicate(MBB))
404       return true;
405 
406     Worklist.append(MBB->pred_begin(), MBB->pred_end());
407   }
408 
409   return false;
410 }
411 
412 static bool predsHasDivergentTerminator(MachineBasicBlock *MBB,
413                                         const TargetRegisterInfo *TRI) {
414   return searchPredecessors(MBB, nullptr, [TRI](MachineBasicBlock *MBB) {
415            return hasTerminatorThatModifiesExec(*MBB, *TRI); });
416 }
417 
418 // Checks if there is potential path From instruction To instruction.
419 // If CutOff is specified and it sits in between of that path we ignore
420 // a higher portion of the path and report it is not reachable.
421 static bool isReachable(const MachineInstr *From,
422                         const MachineInstr *To,
423                         const MachineBasicBlock *CutOff,
424                         MachineDominatorTree &MDT) {
425   // If either From block dominates To block or instructions are in the same
426   // block and From is higher.
427   if (MDT.dominates(From, To))
428     return true;
429 
430   const MachineBasicBlock *MBBFrom = From->getParent();
431   const MachineBasicBlock *MBBTo = To->getParent();
432   if (MBBFrom == MBBTo)
433     return false;
434 
435   // Instructions are in different blocks, do predecessor search.
436   // We should almost never get here since we do not usually produce M0 stores
437   // other than -1.
438   return searchPredecessors(MBBTo, CutOff, [MBBFrom]
439            (const MachineBasicBlock *MBB) { return MBB == MBBFrom; });
440 }
441 
442 // Hoist and merge identical SGPR initializations into a common predecessor.
443 // This is intended to combine M0 initializations, but can work with any
444 // SGPR. A VGPR cannot be processed since we cannot guarantee vector
445 // executioon.
446 static bool hoistAndMergeSGPRInits(unsigned Reg,
447                                    const MachineRegisterInfo &MRI,
448                                    MachineDominatorTree &MDT) {
449   // List of inits by immediate value.
450   using InitListMap = std::map<unsigned, std::list<MachineInstr *>>;
451   InitListMap Inits;
452   // List of clobbering instructions.
453   SmallVector<MachineInstr*, 8> Clobbers;
454   bool Changed = false;
455 
456   for (auto &MI : MRI.def_instructions(Reg)) {
457     MachineOperand *Imm = nullptr;
458     for (auto &MO: MI.operands()) {
459       if ((MO.isReg() && ((MO.isDef() && MO.getReg() != Reg) || !MO.isDef())) ||
460           (!MO.isImm() && !MO.isReg()) || (MO.isImm() && Imm)) {
461         Imm = nullptr;
462         break;
463       } else if (MO.isImm())
464         Imm = &MO;
465     }
466     if (Imm)
467       Inits[Imm->getImm()].push_front(&MI);
468     else
469       Clobbers.push_back(&MI);
470   }
471 
472   for (auto &Init : Inits) {
473     auto &Defs = Init.second;
474 
475     for (auto I1 = Defs.begin(), E = Defs.end(); I1 != E; ) {
476       MachineInstr *MI1 = *I1;
477 
478       for (auto I2 = std::next(I1); I2 != E; ) {
479         MachineInstr *MI2 = *I2;
480 
481         // Check any possible interference
482         auto intereferes = [&](MachineBasicBlock::iterator From,
483                                MachineBasicBlock::iterator To) -> bool {
484 
485           assert(MDT.dominates(&*To, &*From));
486 
487           auto interferes = [&MDT, From, To](MachineInstr* &Clobber) -> bool {
488             const MachineBasicBlock *MBBFrom = From->getParent();
489             const MachineBasicBlock *MBBTo = To->getParent();
490             bool MayClobberFrom = isReachable(Clobber, &*From, MBBTo, MDT);
491             bool MayClobberTo = isReachable(Clobber, &*To, MBBTo, MDT);
492             if (!MayClobberFrom && !MayClobberTo)
493               return false;
494             if ((MayClobberFrom && !MayClobberTo) ||
495                 (!MayClobberFrom && MayClobberTo))
496               return true;
497             // Both can clobber, this is not an interference only if both are
498             // dominated by Clobber and belong to the same block or if Clobber
499             // properly dominates To, given that To >> From, so it dominates
500             // both and located in a common dominator.
501             return !((MBBFrom == MBBTo &&
502                       MDT.dominates(Clobber, &*From) &&
503                       MDT.dominates(Clobber, &*To)) ||
504                      MDT.properlyDominates(Clobber->getParent(), MBBTo));
505           };
506 
507           return (llvm::any_of(Clobbers, interferes)) ||
508                  (llvm::any_of(Inits, [&](InitListMap::value_type &C) {
509                     return C.first != Init.first &&
510                            llvm::any_of(C.second, interferes);
511                   }));
512         };
513 
514         if (MDT.dominates(MI1, MI2)) {
515           if (!intereferes(MI2, MI1)) {
516             DEBUG(dbgs() << "Erasing from "
517                          << printMBBReference(*MI2->getParent()) << " "
518                          << *MI2);
519             MI2->eraseFromParent();
520             Defs.erase(I2++);
521             Changed = true;
522             continue;
523           }
524         } else if (MDT.dominates(MI2, MI1)) {
525           if (!intereferes(MI1, MI2)) {
526             DEBUG(dbgs() << "Erasing from "
527                          << printMBBReference(*MI1->getParent()) << " "
528                          << *MI1);
529             MI1->eraseFromParent();
530             Defs.erase(I1++);
531             Changed = true;
532             break;
533           }
534         } else {
535           auto *MBB = MDT.findNearestCommonDominator(MI1->getParent(),
536                                                      MI2->getParent());
537           if (!MBB) {
538             ++I2;
539             continue;
540           }
541 
542           MachineBasicBlock::iterator I = MBB->getFirstNonPHI();
543           if (!intereferes(MI1, I) && !intereferes(MI2, I)) {
544             DEBUG(dbgs() << "Erasing from "
545                          << printMBBReference(*MI1->getParent()) << " " << *MI1
546                          << "and moving from "
547                          << printMBBReference(*MI2->getParent()) << " to "
548                          << printMBBReference(*I->getParent()) << " " << *MI2);
549             I->getParent()->splice(I, MI2->getParent(), MI2);
550             MI1->eraseFromParent();
551             Defs.erase(I1++);
552             Changed = true;
553             break;
554           }
555         }
556         ++I2;
557       }
558       ++I1;
559     }
560   }
561 
562   if (Changed)
563     MRI.clearKillFlags(Reg);
564 
565   return Changed;
566 }
567 
568 bool SIFixSGPRCopies::runOnMachineFunction(MachineFunction &MF) {
569   const SISubtarget &ST = MF.getSubtarget<SISubtarget>();
570   MachineRegisterInfo &MRI = MF.getRegInfo();
571   const SIRegisterInfo *TRI = ST.getRegisterInfo();
572   const SIInstrInfo *TII = ST.getInstrInfo();
573   MDT = &getAnalysis<MachineDominatorTree>();
574 
575   SmallVector<MachineInstr *, 16> Worklist;
576 
577   for (MachineFunction::iterator BI = MF.begin(), BE = MF.end();
578                                                   BI != BE; ++BI) {
579     MachineBasicBlock &MBB = *BI;
580     for (MachineBasicBlock::iterator I = MBB.begin(), E = MBB.end();
581          I != E; ++I) {
582       MachineInstr &MI = *I;
583 
584       switch (MI.getOpcode()) {
585       default:
586         continue;
587       case AMDGPU::COPY:
588       case AMDGPU::WQM:
589       case AMDGPU::WWM: {
590         // If the destination register is a physical register there isn't really
591         // much we can do to fix this.
592         if (!TargetRegisterInfo::isVirtualRegister(MI.getOperand(0).getReg()))
593           continue;
594 
595         const TargetRegisterClass *SrcRC, *DstRC;
596         std::tie(SrcRC, DstRC) = getCopyRegClasses(MI, *TRI, MRI);
597         if (isVGPRToSGPRCopy(SrcRC, DstRC, *TRI)) {
598           unsigned SrcReg = MI.getOperand(1).getReg();
599           if (!TargetRegisterInfo::isVirtualRegister(SrcReg)) {
600             TII->moveToVALU(MI);
601             break;
602           }
603 
604           MachineInstr *DefMI = MRI.getVRegDef(SrcReg);
605           unsigned SMovOp;
606           int64_t Imm;
607           // If we are just copying an immediate, we can replace the copy with
608           // s_mov_b32.
609           if (isSafeToFoldImmIntoCopy(&MI, DefMI, TII, SMovOp, Imm)) {
610             MI.getOperand(1).ChangeToImmediate(Imm);
611             MI.addImplicitDefUseOperands(MF);
612             MI.setDesc(TII->get(SMovOp));
613             break;
614           }
615           TII->moveToVALU(MI);
616         } else if (isSGPRToVGPRCopy(SrcRC, DstRC, *TRI)) {
617           tryChangeVGPRtoSGPRinCopy(MI, TRI, TII);
618         }
619 
620         break;
621       }
622       case AMDGPU::PHI: {
623         unsigned Reg = MI.getOperand(0).getReg();
624         if (!TRI->isSGPRClass(MRI.getRegClass(Reg)))
625           break;
626 
627         // We don't need to fix the PHI if the common dominator of the
628         // two incoming blocks terminates with a uniform branch.
629         bool HasVGPROperand = phiHasVGPROperands(MI, MRI, TRI, TII);
630         if (MI.getNumExplicitOperands() == 5 && !HasVGPROperand) {
631           MachineBasicBlock *MBB0 = MI.getOperand(2).getMBB();
632           MachineBasicBlock *MBB1 = MI.getOperand(4).getMBB();
633 
634           if (!predsHasDivergentTerminator(MBB0, TRI) &&
635               !predsHasDivergentTerminator(MBB1, TRI)) {
636             DEBUG(dbgs() << "Not fixing PHI for uniform branch: " << MI << '\n');
637             break;
638           }
639         }
640 
641         // If a PHI node defines an SGPR and any of its operands are VGPRs,
642         // then we need to move it to the VALU.
643         //
644         // Also, if a PHI node defines an SGPR and has all SGPR operands
645         // we must move it to the VALU, because the SGPR operands will
646         // all end up being assigned the same register, which means
647         // there is a potential for a conflict if different threads take
648         // different control flow paths.
649         //
650         // For Example:
651         //
652         // sgpr0 = def;
653         // ...
654         // sgpr1 = def;
655         // ...
656         // sgpr2 = PHI sgpr0, sgpr1
657         // use sgpr2;
658         //
659         // Will Become:
660         //
661         // sgpr2 = def;
662         // ...
663         // sgpr2 = def;
664         // ...
665         // use sgpr2
666         //
667         // The one exception to this rule is when one of the operands
668         // is defined by a SI_BREAK, SI_IF_BREAK, or SI_ELSE_BREAK
669         // instruction.  In this case, there we know the program will
670         // never enter the second block (the loop) without entering
671         // the first block (where the condition is computed), so there
672         // is no chance for values to be over-written.
673 
674         SmallSet<unsigned, 8> Visited;
675         if (HasVGPROperand || !phiHasBreakDef(MI, MRI, Visited)) {
676           DEBUG(dbgs() << "Fixing PHI: " << MI);
677           TII->moveToVALU(MI);
678         }
679         break;
680       }
681       case AMDGPU::REG_SEQUENCE:
682         if (TRI->hasVGPRs(TII->getOpRegClass(MI, 0)) ||
683             !hasVGPROperands(MI, TRI)) {
684           foldVGPRCopyIntoRegSequence(MI, TRI, TII, MRI);
685           continue;
686         }
687 
688         DEBUG(dbgs() << "Fixing REG_SEQUENCE: " << MI);
689 
690         TII->moveToVALU(MI);
691         break;
692       case AMDGPU::INSERT_SUBREG: {
693         const TargetRegisterClass *DstRC, *Src0RC, *Src1RC;
694         DstRC = MRI.getRegClass(MI.getOperand(0).getReg());
695         Src0RC = MRI.getRegClass(MI.getOperand(1).getReg());
696         Src1RC = MRI.getRegClass(MI.getOperand(2).getReg());
697         if (TRI->isSGPRClass(DstRC) &&
698             (TRI->hasVGPRs(Src0RC) || TRI->hasVGPRs(Src1RC))) {
699           DEBUG(dbgs() << " Fixing INSERT_SUBREG: " << MI);
700           TII->moveToVALU(MI);
701         }
702         break;
703       }
704       }
705     }
706   }
707 
708   if (MF.getTarget().getOptLevel() > CodeGenOpt::None && EnableM0Merge)
709     hoistAndMergeSGPRInits(AMDGPU::M0, MRI, *MDT);
710 
711   return true;
712 }
713