132a40564SEugene Zelenko //===- MachinePipeliner.cpp - Machine Software Pipeliner Pass -------------===// 2254f889dSBrendon Cahoon // 32946cd70SChandler Carruth // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions. 42946cd70SChandler Carruth // See https://llvm.org/LICENSE.txt for license information. 52946cd70SChandler Carruth // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception 6254f889dSBrendon Cahoon // 7254f889dSBrendon Cahoon //===----------------------------------------------------------------------===// 8254f889dSBrendon Cahoon // 9254f889dSBrendon Cahoon // An implementation of the Swing Modulo Scheduling (SMS) software pipeliner. 10254f889dSBrendon Cahoon // 11254f889dSBrendon Cahoon // This SMS implementation is a target-independent back-end pass. When enabled, 12254f889dSBrendon Cahoon // the pass runs just prior to the register allocation pass, while the machine 13254f889dSBrendon Cahoon // IR is in SSA form. If software pipelining is successful, then the original 14254f889dSBrendon Cahoon // loop is replaced by the optimized loop. The optimized loop contains one or 15254f889dSBrendon Cahoon // more prolog blocks, the pipelined kernel, and one or more epilog blocks. If 16254f889dSBrendon Cahoon // the instructions cannot be scheduled in a given MII, we increase the MII by 17254f889dSBrendon Cahoon // one and try again. 18254f889dSBrendon Cahoon // 19254f889dSBrendon Cahoon // The SMS implementation is an extension of the ScheduleDAGInstrs class. We 20254f889dSBrendon Cahoon // represent loop carried dependences in the DAG as order edges to the Phi 21254f889dSBrendon Cahoon // nodes. We also perform several passes over the DAG to eliminate unnecessary 22254f889dSBrendon Cahoon // edges that inhibit the ability to pipeline. The implementation uses the 23254f889dSBrendon Cahoon // DFAPacketizer class to compute the minimum initiation interval and the check 24254f889dSBrendon Cahoon // where an instruction may be inserted in the pipelined schedule. 25254f889dSBrendon Cahoon // 26254f889dSBrendon Cahoon // In order for the SMS pass to work, several target specific hooks need to be 27254f889dSBrendon Cahoon // implemented to get information about the loop structure and to rewrite 28254f889dSBrendon Cahoon // instructions. 29254f889dSBrendon Cahoon // 30254f889dSBrendon Cahoon //===----------------------------------------------------------------------===// 31254f889dSBrendon Cahoon 32cdc71612SEugene Zelenko #include "llvm/ADT/ArrayRef.h" 33cdc71612SEugene Zelenko #include "llvm/ADT/BitVector.h" 34254f889dSBrendon Cahoon #include "llvm/ADT/DenseMap.h" 35254f889dSBrendon Cahoon #include "llvm/ADT/MapVector.h" 36254f889dSBrendon Cahoon #include "llvm/ADT/PriorityQueue.h" 37254f889dSBrendon Cahoon #include "llvm/ADT/SetVector.h" 38254f889dSBrendon Cahoon #include "llvm/ADT/SmallPtrSet.h" 39254f889dSBrendon Cahoon #include "llvm/ADT/SmallSet.h" 40cdc71612SEugene Zelenko #include "llvm/ADT/SmallVector.h" 41254f889dSBrendon Cahoon #include "llvm/ADT/Statistic.h" 426bda14b3SChandler Carruth #include "llvm/ADT/iterator_range.h" 43254f889dSBrendon Cahoon #include "llvm/Analysis/AliasAnalysis.h" 44cdc71612SEugene Zelenko #include "llvm/Analysis/MemoryLocation.h" 45254f889dSBrendon Cahoon #include "llvm/Analysis/ValueTracking.h" 46254f889dSBrendon Cahoon #include "llvm/CodeGen/DFAPacketizer.h" 47f842297dSMatthias Braun #include "llvm/CodeGen/LiveIntervals.h" 48254f889dSBrendon Cahoon #include "llvm/CodeGen/MachineBasicBlock.h" 49254f889dSBrendon Cahoon #include "llvm/CodeGen/MachineDominators.h" 50cdc71612SEugene Zelenko #include "llvm/CodeGen/MachineFunction.h" 51cdc71612SEugene Zelenko #include "llvm/CodeGen/MachineFunctionPass.h" 52cdc71612SEugene Zelenko #include "llvm/CodeGen/MachineInstr.h" 53254f889dSBrendon Cahoon #include "llvm/CodeGen/MachineInstrBuilder.h" 54254f889dSBrendon Cahoon #include "llvm/CodeGen/MachineLoopInfo.h" 55cdc71612SEugene Zelenko #include "llvm/CodeGen/MachineMemOperand.h" 56cdc71612SEugene Zelenko #include "llvm/CodeGen/MachineOperand.h" 57fa2e3583SAdrian Prantl #include "llvm/CodeGen/MachinePipeliner.h" 58254f889dSBrendon Cahoon #include "llvm/CodeGen/MachineRegisterInfo.h" 59254f889dSBrendon Cahoon #include "llvm/CodeGen/RegisterPressure.h" 60cdc71612SEugene Zelenko #include "llvm/CodeGen/ScheduleDAG.h" 6188391248SKrzysztof Parzyszek #include "llvm/CodeGen/ScheduleDAGMutation.h" 62b3bde2eaSDavid Blaikie #include "llvm/CodeGen/TargetOpcodes.h" 63b3bde2eaSDavid Blaikie #include "llvm/CodeGen/TargetRegisterInfo.h" 64b3bde2eaSDavid Blaikie #include "llvm/CodeGen/TargetSubtargetInfo.h" 65432a3883SNico Weber #include "llvm/Config/llvm-config.h" 66cdc71612SEugene Zelenko #include "llvm/IR/Attributes.h" 67cdc71612SEugene Zelenko #include "llvm/IR/DebugLoc.h" 6832a40564SEugene Zelenko #include "llvm/IR/Function.h" 6932a40564SEugene Zelenko #include "llvm/MC/LaneBitmask.h" 7032a40564SEugene Zelenko #include "llvm/MC/MCInstrDesc.h" 71254f889dSBrendon Cahoon #include "llvm/MC/MCInstrItineraries.h" 7232a40564SEugene Zelenko #include "llvm/MC/MCRegisterInfo.h" 7332a40564SEugene Zelenko #include "llvm/Pass.h" 74254f889dSBrendon Cahoon #include "llvm/Support/CommandLine.h" 7532a40564SEugene Zelenko #include "llvm/Support/Compiler.h" 76254f889dSBrendon Cahoon #include "llvm/Support/Debug.h" 77cdc71612SEugene Zelenko #include "llvm/Support/MathExtras.h" 78254f889dSBrendon Cahoon #include "llvm/Support/raw_ostream.h" 79cdc71612SEugene Zelenko #include <algorithm> 80cdc71612SEugene Zelenko #include <cassert> 81254f889dSBrendon Cahoon #include <climits> 82cdc71612SEugene Zelenko #include <cstdint> 83254f889dSBrendon Cahoon #include <deque> 84cdc71612SEugene Zelenko #include <functional> 85cdc71612SEugene Zelenko #include <iterator> 86254f889dSBrendon Cahoon #include <map> 8732a40564SEugene Zelenko #include <memory> 88cdc71612SEugene Zelenko #include <tuple> 89cdc71612SEugene Zelenko #include <utility> 90cdc71612SEugene Zelenko #include <vector> 91254f889dSBrendon Cahoon 92254f889dSBrendon Cahoon using namespace llvm; 93254f889dSBrendon Cahoon 94254f889dSBrendon Cahoon #define DEBUG_TYPE "pipeliner" 95254f889dSBrendon Cahoon 96254f889dSBrendon Cahoon STATISTIC(NumTrytoPipeline, "Number of loops that we attempt to pipeline"); 97254f889dSBrendon Cahoon STATISTIC(NumPipelined, "Number of loops software pipelined"); 984b8bcf00SRoorda, Jan-Willem STATISTIC(NumNodeOrderIssues, "Number of node order issues found"); 99254f889dSBrendon Cahoon 100254f889dSBrendon Cahoon /// A command line option to turn software pipelining on or off. 101b7d3311cSBenjamin Kramer static cl::opt<bool> EnableSWP("enable-pipeliner", cl::Hidden, cl::init(true), 102b7d3311cSBenjamin Kramer cl::ZeroOrMore, 103b7d3311cSBenjamin Kramer cl::desc("Enable Software Pipelining")); 104254f889dSBrendon Cahoon 105254f889dSBrendon Cahoon /// A command line option to enable SWP at -Os. 106254f889dSBrendon Cahoon static cl::opt<bool> EnableSWPOptSize("enable-pipeliner-opt-size", 107254f889dSBrendon Cahoon cl::desc("Enable SWP at Os."), cl::Hidden, 108254f889dSBrendon Cahoon cl::init(false)); 109254f889dSBrendon Cahoon 110254f889dSBrendon Cahoon /// A command line argument to limit minimum initial interval for pipelining. 111254f889dSBrendon Cahoon static cl::opt<int> SwpMaxMii("pipeliner-max-mii", 1128f976ba0SHiroshi Inoue cl::desc("Size limit for the MII."), 113254f889dSBrendon Cahoon cl::Hidden, cl::init(27)); 114254f889dSBrendon Cahoon 115254f889dSBrendon Cahoon /// A command line argument to limit the number of stages in the pipeline. 116254f889dSBrendon Cahoon static cl::opt<int> 117254f889dSBrendon Cahoon SwpMaxStages("pipeliner-max-stages", 118254f889dSBrendon Cahoon cl::desc("Maximum stages allowed in the generated scheduled."), 119254f889dSBrendon Cahoon cl::Hidden, cl::init(3)); 120254f889dSBrendon Cahoon 121254f889dSBrendon Cahoon /// A command line option to disable the pruning of chain dependences due to 122254f889dSBrendon Cahoon /// an unrelated Phi. 123254f889dSBrendon Cahoon static cl::opt<bool> 124254f889dSBrendon Cahoon SwpPruneDeps("pipeliner-prune-deps", 125254f889dSBrendon Cahoon cl::desc("Prune dependences between unrelated Phi nodes."), 126254f889dSBrendon Cahoon cl::Hidden, cl::init(true)); 127254f889dSBrendon Cahoon 128254f889dSBrendon Cahoon /// A command line option to disable the pruning of loop carried order 129254f889dSBrendon Cahoon /// dependences. 130254f889dSBrendon Cahoon static cl::opt<bool> 131254f889dSBrendon Cahoon SwpPruneLoopCarried("pipeliner-prune-loop-carried", 132254f889dSBrendon Cahoon cl::desc("Prune loop carried order dependences."), 133254f889dSBrendon Cahoon cl::Hidden, cl::init(true)); 134254f889dSBrendon Cahoon 135254f889dSBrendon Cahoon #ifndef NDEBUG 136254f889dSBrendon Cahoon static cl::opt<int> SwpLoopLimit("pipeliner-max", cl::Hidden, cl::init(-1)); 137254f889dSBrendon Cahoon #endif 138254f889dSBrendon Cahoon 139254f889dSBrendon Cahoon static cl::opt<bool> SwpIgnoreRecMII("pipeliner-ignore-recmii", 140254f889dSBrendon Cahoon cl::ReallyHidden, cl::init(false), 141254f889dSBrendon Cahoon cl::ZeroOrMore, cl::desc("Ignore RecMII")); 142254f889dSBrendon Cahoon 143fa2e3583SAdrian Prantl namespace llvm { 144fa2e3583SAdrian Prantl 14562ac69d4SSumanth Gundapaneni // A command line option to enable the CopyToPhi DAG mutation. 146fa2e3583SAdrian Prantl cl::opt<bool> 14700d4c386SAleksandr Urakov SwpEnableCopyToPhi("pipeliner-enable-copytophi", cl::ReallyHidden, 14862ac69d4SSumanth Gundapaneni cl::init(true), cl::ZeroOrMore, 14962ac69d4SSumanth Gundapaneni cl::desc("Enable CopyToPhi DAG Mutation")); 15062ac69d4SSumanth Gundapaneni 151fa2e3583SAdrian Prantl } // end namespace llvm 152254f889dSBrendon Cahoon 153254f889dSBrendon Cahoon unsigned SwingSchedulerDAG::Circuits::MaxPaths = 5; 154254f889dSBrendon Cahoon char MachinePipeliner::ID = 0; 155254f889dSBrendon Cahoon #ifndef NDEBUG 156254f889dSBrendon Cahoon int MachinePipeliner::NumTries = 0; 157254f889dSBrendon Cahoon #endif 158254f889dSBrendon Cahoon char &llvm::MachinePipelinerID = MachinePipeliner::ID; 15932a40564SEugene Zelenko 1601527baabSMatthias Braun INITIALIZE_PASS_BEGIN(MachinePipeliner, DEBUG_TYPE, 161254f889dSBrendon Cahoon "Modulo Software Pipelining", false, false) 162254f889dSBrendon Cahoon INITIALIZE_PASS_DEPENDENCY(AAResultsWrapperPass) 163254f889dSBrendon Cahoon INITIALIZE_PASS_DEPENDENCY(MachineLoopInfo) 164254f889dSBrendon Cahoon INITIALIZE_PASS_DEPENDENCY(MachineDominatorTree) 165254f889dSBrendon Cahoon INITIALIZE_PASS_DEPENDENCY(LiveIntervals) 1661527baabSMatthias Braun INITIALIZE_PASS_END(MachinePipeliner, DEBUG_TYPE, 167254f889dSBrendon Cahoon "Modulo Software Pipelining", false, false) 168254f889dSBrendon Cahoon 169254f889dSBrendon Cahoon /// The "main" function for implementing Swing Modulo Scheduling. 170254f889dSBrendon Cahoon bool MachinePipeliner::runOnMachineFunction(MachineFunction &mf) { 171f1caa283SMatthias Braun if (skipFunction(mf.getFunction())) 172254f889dSBrendon Cahoon return false; 173254f889dSBrendon Cahoon 174254f889dSBrendon Cahoon if (!EnableSWP) 175254f889dSBrendon Cahoon return false; 176254f889dSBrendon Cahoon 177f1caa283SMatthias Braun if (mf.getFunction().getAttributes().hasAttribute( 178b518054bSReid Kleckner AttributeList::FunctionIndex, Attribute::OptimizeForSize) && 179254f889dSBrendon Cahoon !EnableSWPOptSize.getPosition()) 180254f889dSBrendon Cahoon return false; 181254f889dSBrendon Cahoon 182*f6cb3bcbSJinsong Ji // Cannot pipeline loops without instruction itineraries if we are using 183*f6cb3bcbSJinsong Ji // DFA for the pipeliner. 184*f6cb3bcbSJinsong Ji if (mf.getSubtarget().useDFAforSMS() && 185*f6cb3bcbSJinsong Ji (!mf.getSubtarget().getInstrItineraryData() || 186*f6cb3bcbSJinsong Ji mf.getSubtarget().getInstrItineraryData()->isEmpty())) 187*f6cb3bcbSJinsong Ji return false; 188*f6cb3bcbSJinsong Ji 189254f889dSBrendon Cahoon MF = &mf; 190254f889dSBrendon Cahoon MLI = &getAnalysis<MachineLoopInfo>(); 191254f889dSBrendon Cahoon MDT = &getAnalysis<MachineDominatorTree>(); 192254f889dSBrendon Cahoon TII = MF->getSubtarget().getInstrInfo(); 193254f889dSBrendon Cahoon RegClassInfo.runOnMachineFunction(*MF); 194254f889dSBrendon Cahoon 195254f889dSBrendon Cahoon for (auto &L : *MLI) 196254f889dSBrendon Cahoon scheduleLoop(*L); 197254f889dSBrendon Cahoon 198254f889dSBrendon Cahoon return false; 199254f889dSBrendon Cahoon } 200254f889dSBrendon Cahoon 201254f889dSBrendon Cahoon /// Attempt to perform the SMS algorithm on the specified loop. This function is 202254f889dSBrendon Cahoon /// the main entry point for the algorithm. The function identifies candidate 203254f889dSBrendon Cahoon /// loops, calculates the minimum initiation interval, and attempts to schedule 204254f889dSBrendon Cahoon /// the loop. 205254f889dSBrendon Cahoon bool MachinePipeliner::scheduleLoop(MachineLoop &L) { 206254f889dSBrendon Cahoon bool Changed = false; 207254f889dSBrendon Cahoon for (auto &InnerLoop : L) 208254f889dSBrendon Cahoon Changed |= scheduleLoop(*InnerLoop); 209254f889dSBrendon Cahoon 210254f889dSBrendon Cahoon #ifndef NDEBUG 211254f889dSBrendon Cahoon // Stop trying after reaching the limit (if any). 212254f889dSBrendon Cahoon int Limit = SwpLoopLimit; 213254f889dSBrendon Cahoon if (Limit >= 0) { 214254f889dSBrendon Cahoon if (NumTries >= SwpLoopLimit) 215254f889dSBrendon Cahoon return Changed; 216254f889dSBrendon Cahoon NumTries++; 217254f889dSBrendon Cahoon } 218254f889dSBrendon Cahoon #endif 219254f889dSBrendon Cahoon 22059d99731SBrendon Cahoon setPragmaPipelineOptions(L); 22159d99731SBrendon Cahoon if (!canPipelineLoop(L)) { 22259d99731SBrendon Cahoon LLVM_DEBUG(dbgs() << "\n!!! Can not pipeline loop.\n"); 223254f889dSBrendon Cahoon return Changed; 22459d99731SBrendon Cahoon } 225254f889dSBrendon Cahoon 226254f889dSBrendon Cahoon ++NumTrytoPipeline; 227254f889dSBrendon Cahoon 228254f889dSBrendon Cahoon Changed = swingModuloScheduler(L); 229254f889dSBrendon Cahoon 230254f889dSBrendon Cahoon return Changed; 231254f889dSBrendon Cahoon } 232254f889dSBrendon Cahoon 23359d99731SBrendon Cahoon void MachinePipeliner::setPragmaPipelineOptions(MachineLoop &L) { 23459d99731SBrendon Cahoon MachineBasicBlock *LBLK = L.getTopBlock(); 23559d99731SBrendon Cahoon 23659d99731SBrendon Cahoon if (LBLK == nullptr) 23759d99731SBrendon Cahoon return; 23859d99731SBrendon Cahoon 23959d99731SBrendon Cahoon const BasicBlock *BBLK = LBLK->getBasicBlock(); 24059d99731SBrendon Cahoon if (BBLK == nullptr) 24159d99731SBrendon Cahoon return; 24259d99731SBrendon Cahoon 24359d99731SBrendon Cahoon const Instruction *TI = BBLK->getTerminator(); 24459d99731SBrendon Cahoon if (TI == nullptr) 24559d99731SBrendon Cahoon return; 24659d99731SBrendon Cahoon 24759d99731SBrendon Cahoon MDNode *LoopID = TI->getMetadata(LLVMContext::MD_loop); 24859d99731SBrendon Cahoon if (LoopID == nullptr) 24959d99731SBrendon Cahoon return; 25059d99731SBrendon Cahoon 25159d99731SBrendon Cahoon assert(LoopID->getNumOperands() > 0 && "requires atleast one operand"); 25259d99731SBrendon Cahoon assert(LoopID->getOperand(0) == LoopID && "invalid loop"); 25359d99731SBrendon Cahoon 25459d99731SBrendon Cahoon for (unsigned i = 1, e = LoopID->getNumOperands(); i < e; ++i) { 25559d99731SBrendon Cahoon MDNode *MD = dyn_cast<MDNode>(LoopID->getOperand(i)); 25659d99731SBrendon Cahoon 25759d99731SBrendon Cahoon if (MD == nullptr) 25859d99731SBrendon Cahoon continue; 25959d99731SBrendon Cahoon 26059d99731SBrendon Cahoon MDString *S = dyn_cast<MDString>(MD->getOperand(0)); 26159d99731SBrendon Cahoon 26259d99731SBrendon Cahoon if (S == nullptr) 26359d99731SBrendon Cahoon continue; 26459d99731SBrendon Cahoon 26559d99731SBrendon Cahoon if (S->getString() == "llvm.loop.pipeline.initiationinterval") { 26659d99731SBrendon Cahoon assert(MD->getNumOperands() == 2 && 26759d99731SBrendon Cahoon "Pipeline initiation interval hint metadata should have two operands."); 26859d99731SBrendon Cahoon II_setByPragma = 26959d99731SBrendon Cahoon mdconst::extract<ConstantInt>(MD->getOperand(1))->getZExtValue(); 27059d99731SBrendon Cahoon assert(II_setByPragma >= 1 && "Pipeline initiation interval must be positive."); 27159d99731SBrendon Cahoon } else if (S->getString() == "llvm.loop.pipeline.disable") { 27259d99731SBrendon Cahoon disabledByPragma = true; 27359d99731SBrendon Cahoon } 27459d99731SBrendon Cahoon } 27559d99731SBrendon Cahoon } 27659d99731SBrendon Cahoon 277254f889dSBrendon Cahoon /// Return true if the loop can be software pipelined. The algorithm is 278254f889dSBrendon Cahoon /// restricted to loops with a single basic block. Make sure that the 279254f889dSBrendon Cahoon /// branch in the loop can be analyzed. 280254f889dSBrendon Cahoon bool MachinePipeliner::canPipelineLoop(MachineLoop &L) { 281254f889dSBrendon Cahoon if (L.getNumBlocks() != 1) 282254f889dSBrendon Cahoon return false; 283254f889dSBrendon Cahoon 28459d99731SBrendon Cahoon if (disabledByPragma) 28559d99731SBrendon Cahoon return false; 28659d99731SBrendon Cahoon 287254f889dSBrendon Cahoon // Check if the branch can't be understood because we can't do pipelining 288254f889dSBrendon Cahoon // if that's the case. 289254f889dSBrendon Cahoon LI.TBB = nullptr; 290254f889dSBrendon Cahoon LI.FBB = nullptr; 291254f889dSBrendon Cahoon LI.BrCond.clear(); 292254f889dSBrendon Cahoon if (TII->analyzeBranch(*L.getHeader(), LI.TBB, LI.FBB, LI.BrCond)) 293254f889dSBrendon Cahoon return false; 294254f889dSBrendon Cahoon 295254f889dSBrendon Cahoon LI.LoopInductionVar = nullptr; 296254f889dSBrendon Cahoon LI.LoopCompare = nullptr; 297254f889dSBrendon Cahoon if (TII->analyzeLoop(L, LI.LoopInductionVar, LI.LoopCompare)) 298254f889dSBrendon Cahoon return false; 299254f889dSBrendon Cahoon 300254f889dSBrendon Cahoon if (!L.getLoopPreheader()) 301254f889dSBrendon Cahoon return false; 302254f889dSBrendon Cahoon 303c715a5d2SKrzysztof Parzyszek // Remove any subregisters from inputs to phi nodes. 304c715a5d2SKrzysztof Parzyszek preprocessPhiNodes(*L.getHeader()); 305254f889dSBrendon Cahoon return true; 306254f889dSBrendon Cahoon } 307254f889dSBrendon Cahoon 308c715a5d2SKrzysztof Parzyszek void MachinePipeliner::preprocessPhiNodes(MachineBasicBlock &B) { 309c715a5d2SKrzysztof Parzyszek MachineRegisterInfo &MRI = MF->getRegInfo(); 310c715a5d2SKrzysztof Parzyszek SlotIndexes &Slots = *getAnalysis<LiveIntervals>().getSlotIndexes(); 311c715a5d2SKrzysztof Parzyszek 312c715a5d2SKrzysztof Parzyszek for (MachineInstr &PI : make_range(B.begin(), B.getFirstNonPHI())) { 313c715a5d2SKrzysztof Parzyszek MachineOperand &DefOp = PI.getOperand(0); 314c715a5d2SKrzysztof Parzyszek assert(DefOp.getSubReg() == 0); 315c715a5d2SKrzysztof Parzyszek auto *RC = MRI.getRegClass(DefOp.getReg()); 316c715a5d2SKrzysztof Parzyszek 317c715a5d2SKrzysztof Parzyszek for (unsigned i = 1, n = PI.getNumOperands(); i != n; i += 2) { 318c715a5d2SKrzysztof Parzyszek MachineOperand &RegOp = PI.getOperand(i); 319c715a5d2SKrzysztof Parzyszek if (RegOp.getSubReg() == 0) 320c715a5d2SKrzysztof Parzyszek continue; 321c715a5d2SKrzysztof Parzyszek 322c715a5d2SKrzysztof Parzyszek // If the operand uses a subregister, replace it with a new register 323c715a5d2SKrzysztof Parzyszek // without subregisters, and generate a copy to the new register. 324c715a5d2SKrzysztof Parzyszek unsigned NewReg = MRI.createVirtualRegister(RC); 325c715a5d2SKrzysztof Parzyszek MachineBasicBlock &PredB = *PI.getOperand(i+1).getMBB(); 326c715a5d2SKrzysztof Parzyszek MachineBasicBlock::iterator At = PredB.getFirstTerminator(); 327c715a5d2SKrzysztof Parzyszek const DebugLoc &DL = PredB.findDebugLoc(At); 328c715a5d2SKrzysztof Parzyszek auto Copy = BuildMI(PredB, At, DL, TII->get(TargetOpcode::COPY), NewReg) 329c715a5d2SKrzysztof Parzyszek .addReg(RegOp.getReg(), getRegState(RegOp), 330c715a5d2SKrzysztof Parzyszek RegOp.getSubReg()); 331c715a5d2SKrzysztof Parzyszek Slots.insertMachineInstrInMaps(*Copy); 332c715a5d2SKrzysztof Parzyszek RegOp.setReg(NewReg); 333c715a5d2SKrzysztof Parzyszek RegOp.setSubReg(0); 334c715a5d2SKrzysztof Parzyszek } 335c715a5d2SKrzysztof Parzyszek } 336c715a5d2SKrzysztof Parzyszek } 337c715a5d2SKrzysztof Parzyszek 338254f889dSBrendon Cahoon /// The SMS algorithm consists of the following main steps: 339254f889dSBrendon Cahoon /// 1. Computation and analysis of the dependence graph. 340254f889dSBrendon Cahoon /// 2. Ordering of the nodes (instructions). 341254f889dSBrendon Cahoon /// 3. Attempt to Schedule the loop. 342254f889dSBrendon Cahoon bool MachinePipeliner::swingModuloScheduler(MachineLoop &L) { 343254f889dSBrendon Cahoon assert(L.getBlocks().size() == 1 && "SMS works on single blocks only."); 344254f889dSBrendon Cahoon 34559d99731SBrendon Cahoon SwingSchedulerDAG SMS(*this, L, getAnalysis<LiveIntervals>(), RegClassInfo, 34659d99731SBrendon Cahoon II_setByPragma); 347254f889dSBrendon Cahoon 348254f889dSBrendon Cahoon MachineBasicBlock *MBB = L.getHeader(); 349254f889dSBrendon Cahoon // The kernel should not include any terminator instructions. These 350254f889dSBrendon Cahoon // will be added back later. 351254f889dSBrendon Cahoon SMS.startBlock(MBB); 352254f889dSBrendon Cahoon 353254f889dSBrendon Cahoon // Compute the number of 'real' instructions in the basic block by 354254f889dSBrendon Cahoon // ignoring terminators. 355254f889dSBrendon Cahoon unsigned size = MBB->size(); 356254f889dSBrendon Cahoon for (MachineBasicBlock::iterator I = MBB->getFirstTerminator(), 357254f889dSBrendon Cahoon E = MBB->instr_end(); 358254f889dSBrendon Cahoon I != E; ++I, --size) 359254f889dSBrendon Cahoon ; 360254f889dSBrendon Cahoon 361254f889dSBrendon Cahoon SMS.enterRegion(MBB, MBB->begin(), MBB->getFirstTerminator(), size); 362254f889dSBrendon Cahoon SMS.schedule(); 363254f889dSBrendon Cahoon SMS.exitRegion(); 364254f889dSBrendon Cahoon 365254f889dSBrendon Cahoon SMS.finishBlock(); 366254f889dSBrendon Cahoon return SMS.hasNewSchedule(); 367254f889dSBrendon Cahoon } 368254f889dSBrendon Cahoon 36959d99731SBrendon Cahoon void SwingSchedulerDAG::setMII(unsigned ResMII, unsigned RecMII) { 37059d99731SBrendon Cahoon if (II_setByPragma > 0) 37159d99731SBrendon Cahoon MII = II_setByPragma; 37259d99731SBrendon Cahoon else 37359d99731SBrendon Cahoon MII = std::max(ResMII, RecMII); 37459d99731SBrendon Cahoon } 37559d99731SBrendon Cahoon 37659d99731SBrendon Cahoon void SwingSchedulerDAG::setMAX_II() { 37759d99731SBrendon Cahoon if (II_setByPragma > 0) 37859d99731SBrendon Cahoon MAX_II = II_setByPragma; 37959d99731SBrendon Cahoon else 38059d99731SBrendon Cahoon MAX_II = MII + 10; 38159d99731SBrendon Cahoon } 38259d99731SBrendon Cahoon 383254f889dSBrendon Cahoon /// We override the schedule function in ScheduleDAGInstrs to implement the 384254f889dSBrendon Cahoon /// scheduling part of the Swing Modulo Scheduling algorithm. 385254f889dSBrendon Cahoon void SwingSchedulerDAG::schedule() { 386254f889dSBrendon Cahoon AliasAnalysis *AA = &Pass.getAnalysis<AAResultsWrapperPass>().getAAResults(); 387254f889dSBrendon Cahoon buildSchedGraph(AA); 388254f889dSBrendon Cahoon addLoopCarriedDependences(AA); 389254f889dSBrendon Cahoon updatePhiDependences(); 390254f889dSBrendon Cahoon Topo.InitDAGTopologicalSorting(); 391254f889dSBrendon Cahoon changeDependences(); 39262ac69d4SSumanth Gundapaneni postprocessDAG(); 393726e12cfSMatthias Braun LLVM_DEBUG(dump()); 394254f889dSBrendon Cahoon 395254f889dSBrendon Cahoon NodeSetType NodeSets; 396254f889dSBrendon Cahoon findCircuits(NodeSets); 3974b8bcf00SRoorda, Jan-Willem NodeSetType Circuits = NodeSets; 398254f889dSBrendon Cahoon 399254f889dSBrendon Cahoon // Calculate the MII. 400254f889dSBrendon Cahoon unsigned ResMII = calculateResMII(); 401254f889dSBrendon Cahoon unsigned RecMII = calculateRecMII(NodeSets); 402254f889dSBrendon Cahoon 403254f889dSBrendon Cahoon fuseRecs(NodeSets); 404254f889dSBrendon Cahoon 405254f889dSBrendon Cahoon // This flag is used for testing and can cause correctness problems. 406254f889dSBrendon Cahoon if (SwpIgnoreRecMII) 407254f889dSBrendon Cahoon RecMII = 0; 408254f889dSBrendon Cahoon 40959d99731SBrendon Cahoon setMII(ResMII, RecMII); 41059d99731SBrendon Cahoon setMAX_II(); 41159d99731SBrendon Cahoon 41259d99731SBrendon Cahoon LLVM_DEBUG(dbgs() << "MII = " << MII << " MAX_II = " << MAX_II 41359d99731SBrendon Cahoon << " (rec=" << RecMII << ", res=" << ResMII << ")\n"); 414254f889dSBrendon Cahoon 415254f889dSBrendon Cahoon // Can't schedule a loop without a valid MII. 416254f889dSBrendon Cahoon if (MII == 0) 417254f889dSBrendon Cahoon return; 418254f889dSBrendon Cahoon 419254f889dSBrendon Cahoon // Don't pipeline large loops. 420254f889dSBrendon Cahoon if (SwpMaxMii != -1 && (int)MII > SwpMaxMii) 421254f889dSBrendon Cahoon return; 422254f889dSBrendon Cahoon 423254f889dSBrendon Cahoon computeNodeFunctions(NodeSets); 424254f889dSBrendon Cahoon 425254f889dSBrendon Cahoon registerPressureFilter(NodeSets); 426254f889dSBrendon Cahoon 427254f889dSBrendon Cahoon colocateNodeSets(NodeSets); 428254f889dSBrendon Cahoon 429254f889dSBrendon Cahoon checkNodeSets(NodeSets); 430254f889dSBrendon Cahoon 431d34e60caSNicola Zaghen LLVM_DEBUG({ 432254f889dSBrendon Cahoon for (auto &I : NodeSets) { 433254f889dSBrendon Cahoon dbgs() << " Rec NodeSet "; 434254f889dSBrendon Cahoon I.dump(); 435254f889dSBrendon Cahoon } 436254f889dSBrendon Cahoon }); 437254f889dSBrendon Cahoon 438efd94c56SFangrui Song llvm::stable_sort(NodeSets, std::greater<NodeSet>()); 439254f889dSBrendon Cahoon 440254f889dSBrendon Cahoon groupRemainingNodes(NodeSets); 441254f889dSBrendon Cahoon 442254f889dSBrendon Cahoon removeDuplicateNodes(NodeSets); 443254f889dSBrendon Cahoon 444d34e60caSNicola Zaghen LLVM_DEBUG({ 445254f889dSBrendon Cahoon for (auto &I : NodeSets) { 446254f889dSBrendon Cahoon dbgs() << " NodeSet "; 447254f889dSBrendon Cahoon I.dump(); 448254f889dSBrendon Cahoon } 449254f889dSBrendon Cahoon }); 450254f889dSBrendon Cahoon 451254f889dSBrendon Cahoon computeNodeOrder(NodeSets); 452254f889dSBrendon Cahoon 4534b8bcf00SRoorda, Jan-Willem // check for node order issues 4544b8bcf00SRoorda, Jan-Willem checkValidNodeOrder(Circuits); 4554b8bcf00SRoorda, Jan-Willem 456254f889dSBrendon Cahoon SMSchedule Schedule(Pass.MF); 457254f889dSBrendon Cahoon Scheduled = schedulePipeline(Schedule); 458254f889dSBrendon Cahoon 459254f889dSBrendon Cahoon if (!Scheduled) 460254f889dSBrendon Cahoon return; 461254f889dSBrendon Cahoon 462254f889dSBrendon Cahoon unsigned numStages = Schedule.getMaxStageCount(); 463254f889dSBrendon Cahoon // No need to generate pipeline if there are no overlapped iterations. 464254f889dSBrendon Cahoon if (numStages == 0) 465254f889dSBrendon Cahoon return; 466254f889dSBrendon Cahoon 467254f889dSBrendon Cahoon // Check that the maximum stage count is less than user-defined limit. 468254f889dSBrendon Cahoon if (SwpMaxStages > -1 && (int)numStages > SwpMaxStages) 469254f889dSBrendon Cahoon return; 470254f889dSBrendon Cahoon 471254f889dSBrendon Cahoon generatePipelinedLoop(Schedule); 472254f889dSBrendon Cahoon ++NumPipelined; 473254f889dSBrendon Cahoon } 474254f889dSBrendon Cahoon 475254f889dSBrendon Cahoon /// Clean up after the software pipeliner runs. 476254f889dSBrendon Cahoon void SwingSchedulerDAG::finishBlock() { 477254f889dSBrendon Cahoon for (MachineInstr *I : NewMIs) 478254f889dSBrendon Cahoon MF.DeleteMachineInstr(I); 479254f889dSBrendon Cahoon NewMIs.clear(); 480254f889dSBrendon Cahoon 481254f889dSBrendon Cahoon // Call the superclass. 482254f889dSBrendon Cahoon ScheduleDAGInstrs::finishBlock(); 483254f889dSBrendon Cahoon } 484254f889dSBrendon Cahoon 485254f889dSBrendon Cahoon /// Return the register values for the operands of a Phi instruction. 486254f889dSBrendon Cahoon /// This function assume the instruction is a Phi. 487254f889dSBrendon Cahoon static void getPhiRegs(MachineInstr &Phi, MachineBasicBlock *Loop, 488254f889dSBrendon Cahoon unsigned &InitVal, unsigned &LoopVal) { 489254f889dSBrendon Cahoon assert(Phi.isPHI() && "Expecting a Phi."); 490254f889dSBrendon Cahoon 491254f889dSBrendon Cahoon InitVal = 0; 492254f889dSBrendon Cahoon LoopVal = 0; 493254f889dSBrendon Cahoon for (unsigned i = 1, e = Phi.getNumOperands(); i != e; i += 2) 494254f889dSBrendon Cahoon if (Phi.getOperand(i + 1).getMBB() != Loop) 495254f889dSBrendon Cahoon InitVal = Phi.getOperand(i).getReg(); 496fbfb19b1SSimon Pilgrim else 497254f889dSBrendon Cahoon LoopVal = Phi.getOperand(i).getReg(); 498254f889dSBrendon Cahoon 499254f889dSBrendon Cahoon assert(InitVal != 0 && LoopVal != 0 && "Unexpected Phi structure."); 500254f889dSBrendon Cahoon } 501254f889dSBrendon Cahoon 502254f889dSBrendon Cahoon /// Return the Phi register value that comes from the incoming block. 503254f889dSBrendon Cahoon static unsigned getInitPhiReg(MachineInstr &Phi, MachineBasicBlock *LoopBB) { 504254f889dSBrendon Cahoon for (unsigned i = 1, e = Phi.getNumOperands(); i != e; i += 2) 505254f889dSBrendon Cahoon if (Phi.getOperand(i + 1).getMBB() != LoopBB) 506254f889dSBrendon Cahoon return Phi.getOperand(i).getReg(); 507254f889dSBrendon Cahoon return 0; 508254f889dSBrendon Cahoon } 509254f889dSBrendon Cahoon 5108f976ba0SHiroshi Inoue /// Return the Phi register value that comes the loop block. 511254f889dSBrendon Cahoon static unsigned getLoopPhiReg(MachineInstr &Phi, MachineBasicBlock *LoopBB) { 512254f889dSBrendon Cahoon for (unsigned i = 1, e = Phi.getNumOperands(); i != e; i += 2) 513254f889dSBrendon Cahoon if (Phi.getOperand(i + 1).getMBB() == LoopBB) 514254f889dSBrendon Cahoon return Phi.getOperand(i).getReg(); 515254f889dSBrendon Cahoon return 0; 516254f889dSBrendon Cahoon } 517254f889dSBrendon Cahoon 518254f889dSBrendon Cahoon /// Return true if SUb can be reached from SUa following the chain edges. 519254f889dSBrendon Cahoon static bool isSuccOrder(SUnit *SUa, SUnit *SUb) { 520254f889dSBrendon Cahoon SmallPtrSet<SUnit *, 8> Visited; 521254f889dSBrendon Cahoon SmallVector<SUnit *, 8> Worklist; 522254f889dSBrendon Cahoon Worklist.push_back(SUa); 523254f889dSBrendon Cahoon while (!Worklist.empty()) { 524254f889dSBrendon Cahoon const SUnit *SU = Worklist.pop_back_val(); 525254f889dSBrendon Cahoon for (auto &SI : SU->Succs) { 526254f889dSBrendon Cahoon SUnit *SuccSU = SI.getSUnit(); 527254f889dSBrendon Cahoon if (SI.getKind() == SDep::Order) { 528254f889dSBrendon Cahoon if (Visited.count(SuccSU)) 529254f889dSBrendon Cahoon continue; 530254f889dSBrendon Cahoon if (SuccSU == SUb) 531254f889dSBrendon Cahoon return true; 532254f889dSBrendon Cahoon Worklist.push_back(SuccSU); 533254f889dSBrendon Cahoon Visited.insert(SuccSU); 534254f889dSBrendon Cahoon } 535254f889dSBrendon Cahoon } 536254f889dSBrendon Cahoon } 537254f889dSBrendon Cahoon return false; 538254f889dSBrendon Cahoon } 539254f889dSBrendon Cahoon 540254f889dSBrendon Cahoon /// Return true if the instruction causes a chain between memory 541254f889dSBrendon Cahoon /// references before and after it. 542254f889dSBrendon Cahoon static bool isDependenceBarrier(MachineInstr &MI, AliasAnalysis *AA) { 543254f889dSBrendon Cahoon return MI.isCall() || MI.hasUnmodeledSideEffects() || 544254f889dSBrendon Cahoon (MI.hasOrderedMemoryRef() && 545d98cf00cSJustin Lebar (!MI.mayLoad() || !MI.isDereferenceableInvariantLoad(AA))); 546254f889dSBrendon Cahoon } 547254f889dSBrendon Cahoon 548254f889dSBrendon Cahoon /// Return the underlying objects for the memory references of an instruction. 549254f889dSBrendon Cahoon /// This function calls the code in ValueTracking, but first checks that the 550254f889dSBrendon Cahoon /// instruction has a memory operand. 55171e8c6f2SBjorn Pettersson static void getUnderlyingObjects(const MachineInstr *MI, 55271e8c6f2SBjorn Pettersson SmallVectorImpl<const Value *> &Objs, 553254f889dSBrendon Cahoon const DataLayout &DL) { 554254f889dSBrendon Cahoon if (!MI->hasOneMemOperand()) 555254f889dSBrendon Cahoon return; 556254f889dSBrendon Cahoon MachineMemOperand *MM = *MI->memoperands_begin(); 557254f889dSBrendon Cahoon if (!MM->getValue()) 558254f889dSBrendon Cahoon return; 55971e8c6f2SBjorn Pettersson GetUnderlyingObjects(MM->getValue(), Objs, DL); 56071e8c6f2SBjorn Pettersson for (const Value *V : Objs) { 5619f041b18SKrzysztof Parzyszek if (!isIdentifiedObject(V)) { 5629f041b18SKrzysztof Parzyszek Objs.clear(); 5639f041b18SKrzysztof Parzyszek return; 5649f041b18SKrzysztof Parzyszek } 5659f041b18SKrzysztof Parzyszek Objs.push_back(V); 5669f041b18SKrzysztof Parzyszek } 567254f889dSBrendon Cahoon } 568254f889dSBrendon Cahoon 569254f889dSBrendon Cahoon /// Add a chain edge between a load and store if the store can be an 570254f889dSBrendon Cahoon /// alias of the load on a subsequent iteration, i.e., a loop carried 571254f889dSBrendon Cahoon /// dependence. This code is very similar to the code in ScheduleDAGInstrs 572254f889dSBrendon Cahoon /// but that code doesn't create loop carried dependences. 573254f889dSBrendon Cahoon void SwingSchedulerDAG::addLoopCarriedDependences(AliasAnalysis *AA) { 57471e8c6f2SBjorn Pettersson MapVector<const Value *, SmallVector<SUnit *, 4>> PendingLoads; 5759f041b18SKrzysztof Parzyszek Value *UnknownValue = 5769f041b18SKrzysztof Parzyszek UndefValue::get(Type::getVoidTy(MF.getFunction().getContext())); 577254f889dSBrendon Cahoon for (auto &SU : SUnits) { 578254f889dSBrendon Cahoon MachineInstr &MI = *SU.getInstr(); 579254f889dSBrendon Cahoon if (isDependenceBarrier(MI, AA)) 580254f889dSBrendon Cahoon PendingLoads.clear(); 581254f889dSBrendon Cahoon else if (MI.mayLoad()) { 58271e8c6f2SBjorn Pettersson SmallVector<const Value *, 4> Objs; 583254f889dSBrendon Cahoon getUnderlyingObjects(&MI, Objs, MF.getDataLayout()); 5849f041b18SKrzysztof Parzyszek if (Objs.empty()) 5859f041b18SKrzysztof Parzyszek Objs.push_back(UnknownValue); 586254f889dSBrendon Cahoon for (auto V : Objs) { 587254f889dSBrendon Cahoon SmallVector<SUnit *, 4> &SUs = PendingLoads[V]; 588254f889dSBrendon Cahoon SUs.push_back(&SU); 589254f889dSBrendon Cahoon } 590254f889dSBrendon Cahoon } else if (MI.mayStore()) { 59171e8c6f2SBjorn Pettersson SmallVector<const Value *, 4> Objs; 592254f889dSBrendon Cahoon getUnderlyingObjects(&MI, Objs, MF.getDataLayout()); 5939f041b18SKrzysztof Parzyszek if (Objs.empty()) 5949f041b18SKrzysztof Parzyszek Objs.push_back(UnknownValue); 595254f889dSBrendon Cahoon for (auto V : Objs) { 59671e8c6f2SBjorn Pettersson MapVector<const Value *, SmallVector<SUnit *, 4>>::iterator I = 597254f889dSBrendon Cahoon PendingLoads.find(V); 598254f889dSBrendon Cahoon if (I == PendingLoads.end()) 599254f889dSBrendon Cahoon continue; 600254f889dSBrendon Cahoon for (auto Load : I->second) { 601254f889dSBrendon Cahoon if (isSuccOrder(Load, &SU)) 602254f889dSBrendon Cahoon continue; 603254f889dSBrendon Cahoon MachineInstr &LdMI = *Load->getInstr(); 604254f889dSBrendon Cahoon // First, perform the cheaper check that compares the base register. 605254f889dSBrendon Cahoon // If they are the same and the load offset is less than the store 606254f889dSBrendon Cahoon // offset, then mark the dependence as loop carried potentially. 607238c9d63SBjorn Pettersson const MachineOperand *BaseOp1, *BaseOp2; 608254f889dSBrendon Cahoon int64_t Offset1, Offset2; 609d7eebd6dSFrancis Visoiu Mistrih if (TII->getMemOperandWithOffset(LdMI, BaseOp1, Offset1, TRI) && 610d7eebd6dSFrancis Visoiu Mistrih TII->getMemOperandWithOffset(MI, BaseOp2, Offset2, TRI)) { 611d7eebd6dSFrancis Visoiu Mistrih if (BaseOp1->isIdenticalTo(*BaseOp2) && 612d7eebd6dSFrancis Visoiu Mistrih (int)Offset1 < (int)Offset2) { 613254f889dSBrendon Cahoon assert(TII->areMemAccessesTriviallyDisjoint(LdMI, MI, AA) && 614254f889dSBrendon Cahoon "What happened to the chain edge?"); 615c715a5d2SKrzysztof Parzyszek SDep Dep(Load, SDep::Barrier); 616c715a5d2SKrzysztof Parzyszek Dep.setLatency(1); 617c715a5d2SKrzysztof Parzyszek SU.addPred(Dep); 618254f889dSBrendon Cahoon continue; 619254f889dSBrendon Cahoon } 6209f041b18SKrzysztof Parzyszek } 621254f889dSBrendon Cahoon // Second, the more expensive check that uses alias analysis on the 622254f889dSBrendon Cahoon // base registers. If they alias, and the load offset is less than 623254f889dSBrendon Cahoon // the store offset, the mark the dependence as loop carried. 624254f889dSBrendon Cahoon if (!AA) { 625c715a5d2SKrzysztof Parzyszek SDep Dep(Load, SDep::Barrier); 626c715a5d2SKrzysztof Parzyszek Dep.setLatency(1); 627c715a5d2SKrzysztof Parzyszek SU.addPred(Dep); 628254f889dSBrendon Cahoon continue; 629254f889dSBrendon Cahoon } 630254f889dSBrendon Cahoon MachineMemOperand *MMO1 = *LdMI.memoperands_begin(); 631254f889dSBrendon Cahoon MachineMemOperand *MMO2 = *MI.memoperands_begin(); 632254f889dSBrendon Cahoon if (!MMO1->getValue() || !MMO2->getValue()) { 633c715a5d2SKrzysztof Parzyszek SDep Dep(Load, SDep::Barrier); 634c715a5d2SKrzysztof Parzyszek Dep.setLatency(1); 635c715a5d2SKrzysztof Parzyszek SU.addPred(Dep); 636254f889dSBrendon Cahoon continue; 637254f889dSBrendon Cahoon } 638254f889dSBrendon Cahoon if (MMO1->getValue() == MMO2->getValue() && 639254f889dSBrendon Cahoon MMO1->getOffset() <= MMO2->getOffset()) { 640c715a5d2SKrzysztof Parzyszek SDep Dep(Load, SDep::Barrier); 641c715a5d2SKrzysztof Parzyszek Dep.setLatency(1); 642c715a5d2SKrzysztof Parzyszek SU.addPred(Dep); 643254f889dSBrendon Cahoon continue; 644254f889dSBrendon Cahoon } 645254f889dSBrendon Cahoon AliasResult AAResult = AA->alias( 6466ef8002cSGeorge Burgess IV MemoryLocation(MMO1->getValue(), LocationSize::unknown(), 647254f889dSBrendon Cahoon MMO1->getAAInfo()), 6486ef8002cSGeorge Burgess IV MemoryLocation(MMO2->getValue(), LocationSize::unknown(), 649254f889dSBrendon Cahoon MMO2->getAAInfo())); 650254f889dSBrendon Cahoon 651c715a5d2SKrzysztof Parzyszek if (AAResult != NoAlias) { 652c715a5d2SKrzysztof Parzyszek SDep Dep(Load, SDep::Barrier); 653c715a5d2SKrzysztof Parzyszek Dep.setLatency(1); 654c715a5d2SKrzysztof Parzyszek SU.addPred(Dep); 655c715a5d2SKrzysztof Parzyszek } 656254f889dSBrendon Cahoon } 657254f889dSBrendon Cahoon } 658254f889dSBrendon Cahoon } 659254f889dSBrendon Cahoon } 660254f889dSBrendon Cahoon } 661254f889dSBrendon Cahoon 662254f889dSBrendon Cahoon /// Update the phi dependences to the DAG because ScheduleDAGInstrs no longer 663254f889dSBrendon Cahoon /// processes dependences for PHIs. This function adds true dependences 664254f889dSBrendon Cahoon /// from a PHI to a use, and a loop carried dependence from the use to the 665254f889dSBrendon Cahoon /// PHI. The loop carried dependence is represented as an anti dependence 666254f889dSBrendon Cahoon /// edge. This function also removes chain dependences between unrelated 667254f889dSBrendon Cahoon /// PHIs. 668254f889dSBrendon Cahoon void SwingSchedulerDAG::updatePhiDependences() { 669254f889dSBrendon Cahoon SmallVector<SDep, 4> RemoveDeps; 670254f889dSBrendon Cahoon const TargetSubtargetInfo &ST = MF.getSubtarget<TargetSubtargetInfo>(); 671254f889dSBrendon Cahoon 672254f889dSBrendon Cahoon // Iterate over each DAG node. 673254f889dSBrendon Cahoon for (SUnit &I : SUnits) { 674254f889dSBrendon Cahoon RemoveDeps.clear(); 675254f889dSBrendon Cahoon // Set to true if the instruction has an operand defined by a Phi. 676254f889dSBrendon Cahoon unsigned HasPhiUse = 0; 677254f889dSBrendon Cahoon unsigned HasPhiDef = 0; 678254f889dSBrendon Cahoon MachineInstr *MI = I.getInstr(); 679254f889dSBrendon Cahoon // Iterate over each operand, and we process the definitions. 680254f889dSBrendon Cahoon for (MachineInstr::mop_iterator MOI = MI->operands_begin(), 681254f889dSBrendon Cahoon MOE = MI->operands_end(); 682254f889dSBrendon Cahoon MOI != MOE; ++MOI) { 683254f889dSBrendon Cahoon if (!MOI->isReg()) 684254f889dSBrendon Cahoon continue; 685254f889dSBrendon Cahoon unsigned Reg = MOI->getReg(); 686254f889dSBrendon Cahoon if (MOI->isDef()) { 687254f889dSBrendon Cahoon // If the register is used by a Phi, then create an anti dependence. 688254f889dSBrendon Cahoon for (MachineRegisterInfo::use_instr_iterator 689254f889dSBrendon Cahoon UI = MRI.use_instr_begin(Reg), 690254f889dSBrendon Cahoon UE = MRI.use_instr_end(); 691254f889dSBrendon Cahoon UI != UE; ++UI) { 692254f889dSBrendon Cahoon MachineInstr *UseMI = &*UI; 693254f889dSBrendon Cahoon SUnit *SU = getSUnit(UseMI); 694cdc71612SEugene Zelenko if (SU != nullptr && UseMI->isPHI()) { 695254f889dSBrendon Cahoon if (!MI->isPHI()) { 696254f889dSBrendon Cahoon SDep Dep(SU, SDep::Anti, Reg); 697c715a5d2SKrzysztof Parzyszek Dep.setLatency(1); 698254f889dSBrendon Cahoon I.addPred(Dep); 699254f889dSBrendon Cahoon } else { 700254f889dSBrendon Cahoon HasPhiDef = Reg; 701254f889dSBrendon Cahoon // Add a chain edge to a dependent Phi that isn't an existing 702254f889dSBrendon Cahoon // predecessor. 703254f889dSBrendon Cahoon if (SU->NodeNum < I.NodeNum && !I.isPred(SU)) 704254f889dSBrendon Cahoon I.addPred(SDep(SU, SDep::Barrier)); 705254f889dSBrendon Cahoon } 706254f889dSBrendon Cahoon } 707254f889dSBrendon Cahoon } 708254f889dSBrendon Cahoon } else if (MOI->isUse()) { 709254f889dSBrendon Cahoon // If the register is defined by a Phi, then create a true dependence. 710254f889dSBrendon Cahoon MachineInstr *DefMI = MRI.getUniqueVRegDef(Reg); 711cdc71612SEugene Zelenko if (DefMI == nullptr) 712254f889dSBrendon Cahoon continue; 713254f889dSBrendon Cahoon SUnit *SU = getSUnit(DefMI); 714cdc71612SEugene Zelenko if (SU != nullptr && DefMI->isPHI()) { 715254f889dSBrendon Cahoon if (!MI->isPHI()) { 716254f889dSBrendon Cahoon SDep Dep(SU, SDep::Data, Reg); 717254f889dSBrendon Cahoon Dep.setLatency(0); 718254f889dSBrendon Cahoon ST.adjustSchedDependency(SU, &I, Dep); 719254f889dSBrendon Cahoon I.addPred(Dep); 720254f889dSBrendon Cahoon } else { 721254f889dSBrendon Cahoon HasPhiUse = Reg; 722254f889dSBrendon Cahoon // Add a chain edge to a dependent Phi that isn't an existing 723254f889dSBrendon Cahoon // predecessor. 724254f889dSBrendon Cahoon if (SU->NodeNum < I.NodeNum && !I.isPred(SU)) 725254f889dSBrendon Cahoon I.addPred(SDep(SU, SDep::Barrier)); 726254f889dSBrendon Cahoon } 727254f889dSBrendon Cahoon } 728254f889dSBrendon Cahoon } 729254f889dSBrendon Cahoon } 730254f889dSBrendon Cahoon // Remove order dependences from an unrelated Phi. 731254f889dSBrendon Cahoon if (!SwpPruneDeps) 732254f889dSBrendon Cahoon continue; 733254f889dSBrendon Cahoon for (auto &PI : I.Preds) { 734254f889dSBrendon Cahoon MachineInstr *PMI = PI.getSUnit()->getInstr(); 735254f889dSBrendon Cahoon if (PMI->isPHI() && PI.getKind() == SDep::Order) { 736254f889dSBrendon Cahoon if (I.getInstr()->isPHI()) { 737254f889dSBrendon Cahoon if (PMI->getOperand(0).getReg() == HasPhiUse) 738254f889dSBrendon Cahoon continue; 739254f889dSBrendon Cahoon if (getLoopPhiReg(*PMI, PMI->getParent()) == HasPhiDef) 740254f889dSBrendon Cahoon continue; 741254f889dSBrendon Cahoon } 742254f889dSBrendon Cahoon RemoveDeps.push_back(PI); 743254f889dSBrendon Cahoon } 744254f889dSBrendon Cahoon } 745254f889dSBrendon Cahoon for (int i = 0, e = RemoveDeps.size(); i != e; ++i) 746254f889dSBrendon Cahoon I.removePred(RemoveDeps[i]); 747254f889dSBrendon Cahoon } 748254f889dSBrendon Cahoon } 749254f889dSBrendon Cahoon 750254f889dSBrendon Cahoon /// Iterate over each DAG node and see if we can change any dependences 751254f889dSBrendon Cahoon /// in order to reduce the recurrence MII. 752254f889dSBrendon Cahoon void SwingSchedulerDAG::changeDependences() { 753254f889dSBrendon Cahoon // See if an instruction can use a value from the previous iteration. 754254f889dSBrendon Cahoon // If so, we update the base and offset of the instruction and change 755254f889dSBrendon Cahoon // the dependences. 756254f889dSBrendon Cahoon for (SUnit &I : SUnits) { 757254f889dSBrendon Cahoon unsigned BasePos = 0, OffsetPos = 0, NewBase = 0; 758254f889dSBrendon Cahoon int64_t NewOffset = 0; 759254f889dSBrendon Cahoon if (!canUseLastOffsetValue(I.getInstr(), BasePos, OffsetPos, NewBase, 760254f889dSBrendon Cahoon NewOffset)) 761254f889dSBrendon Cahoon continue; 762254f889dSBrendon Cahoon 763254f889dSBrendon Cahoon // Get the MI and SUnit for the instruction that defines the original base. 764254f889dSBrendon Cahoon unsigned OrigBase = I.getInstr()->getOperand(BasePos).getReg(); 765254f889dSBrendon Cahoon MachineInstr *DefMI = MRI.getUniqueVRegDef(OrigBase); 766254f889dSBrendon Cahoon if (!DefMI) 767254f889dSBrendon Cahoon continue; 768254f889dSBrendon Cahoon SUnit *DefSU = getSUnit(DefMI); 769254f889dSBrendon Cahoon if (!DefSU) 770254f889dSBrendon Cahoon continue; 771254f889dSBrendon Cahoon // Get the MI and SUnit for the instruction that defins the new base. 772254f889dSBrendon Cahoon MachineInstr *LastMI = MRI.getUniqueVRegDef(NewBase); 773254f889dSBrendon Cahoon if (!LastMI) 774254f889dSBrendon Cahoon continue; 775254f889dSBrendon Cahoon SUnit *LastSU = getSUnit(LastMI); 776254f889dSBrendon Cahoon if (!LastSU) 777254f889dSBrendon Cahoon continue; 778254f889dSBrendon Cahoon 779254f889dSBrendon Cahoon if (Topo.IsReachable(&I, LastSU)) 780254f889dSBrendon Cahoon continue; 781254f889dSBrendon Cahoon 782254f889dSBrendon Cahoon // Remove the dependence. The value now depends on a prior iteration. 783254f889dSBrendon Cahoon SmallVector<SDep, 4> Deps; 784254f889dSBrendon Cahoon for (SUnit::pred_iterator P = I.Preds.begin(), E = I.Preds.end(); P != E; 785254f889dSBrendon Cahoon ++P) 786254f889dSBrendon Cahoon if (P->getSUnit() == DefSU) 787254f889dSBrendon Cahoon Deps.push_back(*P); 788254f889dSBrendon Cahoon for (int i = 0, e = Deps.size(); i != e; i++) { 789254f889dSBrendon Cahoon Topo.RemovePred(&I, Deps[i].getSUnit()); 790254f889dSBrendon Cahoon I.removePred(Deps[i]); 791254f889dSBrendon Cahoon } 792254f889dSBrendon Cahoon // Remove the chain dependence between the instructions. 793254f889dSBrendon Cahoon Deps.clear(); 794254f889dSBrendon Cahoon for (auto &P : LastSU->Preds) 795254f889dSBrendon Cahoon if (P.getSUnit() == &I && P.getKind() == SDep::Order) 796254f889dSBrendon Cahoon Deps.push_back(P); 797254f889dSBrendon Cahoon for (int i = 0, e = Deps.size(); i != e; i++) { 798254f889dSBrendon Cahoon Topo.RemovePred(LastSU, Deps[i].getSUnit()); 799254f889dSBrendon Cahoon LastSU->removePred(Deps[i]); 800254f889dSBrendon Cahoon } 801254f889dSBrendon Cahoon 802254f889dSBrendon Cahoon // Add a dependence between the new instruction and the instruction 803254f889dSBrendon Cahoon // that defines the new base. 804254f889dSBrendon Cahoon SDep Dep(&I, SDep::Anti, NewBase); 8058916e438SSumanth Gundapaneni Topo.AddPred(LastSU, &I); 806254f889dSBrendon Cahoon LastSU->addPred(Dep); 807254f889dSBrendon Cahoon 808254f889dSBrendon Cahoon // Remember the base and offset information so that we can update the 809254f889dSBrendon Cahoon // instruction during code generation. 810254f889dSBrendon Cahoon InstrChanges[&I] = std::make_pair(NewBase, NewOffset); 811254f889dSBrendon Cahoon } 812254f889dSBrendon Cahoon } 813254f889dSBrendon Cahoon 814254f889dSBrendon Cahoon namespace { 815cdc71612SEugene Zelenko 816254f889dSBrendon Cahoon // FuncUnitSorter - Comparison operator used to sort instructions by 817254f889dSBrendon Cahoon // the number of functional unit choices. 818254f889dSBrendon Cahoon struct FuncUnitSorter { 819254f889dSBrendon Cahoon const InstrItineraryData *InstrItins; 820*f6cb3bcbSJinsong Ji const MCSubtargetInfo *STI; 821254f889dSBrendon Cahoon DenseMap<unsigned, unsigned> Resources; 822254f889dSBrendon Cahoon 823*f6cb3bcbSJinsong Ji FuncUnitSorter(const TargetSubtargetInfo &TSI) 824*f6cb3bcbSJinsong Ji : InstrItins(TSI.getInstrItineraryData()), STI(&TSI) {} 82532a40564SEugene Zelenko 826254f889dSBrendon Cahoon // Compute the number of functional unit alternatives needed 827254f889dSBrendon Cahoon // at each stage, and take the minimum value. We prioritize the 828254f889dSBrendon Cahoon // instructions by the least number of choices first. 829254f889dSBrendon Cahoon unsigned minFuncUnits(const MachineInstr *Inst, unsigned &F) const { 830*f6cb3bcbSJinsong Ji unsigned SchedClass = Inst->getDesc().getSchedClass(); 831254f889dSBrendon Cahoon unsigned min = UINT_MAX; 832*f6cb3bcbSJinsong Ji if (InstrItins && !InstrItins->isEmpty()) { 833*f6cb3bcbSJinsong Ji for (const InstrStage &IS : 834*f6cb3bcbSJinsong Ji make_range(InstrItins->beginStage(SchedClass), 835*f6cb3bcbSJinsong Ji InstrItins->endStage(SchedClass))) { 836*f6cb3bcbSJinsong Ji unsigned funcUnits = IS.getUnits(); 837254f889dSBrendon Cahoon unsigned numAlternatives = countPopulation(funcUnits); 838254f889dSBrendon Cahoon if (numAlternatives < min) { 839254f889dSBrendon Cahoon min = numAlternatives; 840254f889dSBrendon Cahoon F = funcUnits; 841254f889dSBrendon Cahoon } 842254f889dSBrendon Cahoon } 843254f889dSBrendon Cahoon return min; 844254f889dSBrendon Cahoon } 845*f6cb3bcbSJinsong Ji if (STI && STI->getSchedModel().hasInstrSchedModel()) { 846*f6cb3bcbSJinsong Ji const MCSchedClassDesc *SCDesc = 847*f6cb3bcbSJinsong Ji STI->getSchedModel().getSchedClassDesc(SchedClass); 848*f6cb3bcbSJinsong Ji if (!SCDesc->isValid()) 849*f6cb3bcbSJinsong Ji // No valid Schedule Class Desc for schedClass, should be 850*f6cb3bcbSJinsong Ji // Pseudo/PostRAPseudo 851*f6cb3bcbSJinsong Ji return min; 852*f6cb3bcbSJinsong Ji 853*f6cb3bcbSJinsong Ji for (const MCWriteProcResEntry &PRE : 854*f6cb3bcbSJinsong Ji make_range(STI->getWriteProcResBegin(SCDesc), 855*f6cb3bcbSJinsong Ji STI->getWriteProcResEnd(SCDesc))) { 856*f6cb3bcbSJinsong Ji if (!PRE.Cycles) 857*f6cb3bcbSJinsong Ji continue; 858*f6cb3bcbSJinsong Ji const MCProcResourceDesc *ProcResource = 859*f6cb3bcbSJinsong Ji STI->getSchedModel().getProcResource(PRE.ProcResourceIdx); 860*f6cb3bcbSJinsong Ji unsigned NumUnits = ProcResource->NumUnits; 861*f6cb3bcbSJinsong Ji if (NumUnits < min) { 862*f6cb3bcbSJinsong Ji min = NumUnits; 863*f6cb3bcbSJinsong Ji F = PRE.ProcResourceIdx; 864*f6cb3bcbSJinsong Ji } 865*f6cb3bcbSJinsong Ji } 866*f6cb3bcbSJinsong Ji return min; 867*f6cb3bcbSJinsong Ji } 868*f6cb3bcbSJinsong Ji llvm_unreachable("Should have non-empty InstrItins or hasInstrSchedModel!"); 869*f6cb3bcbSJinsong Ji } 870254f889dSBrendon Cahoon 871254f889dSBrendon Cahoon // Compute the critical resources needed by the instruction. This 872254f889dSBrendon Cahoon // function records the functional units needed by instructions that 873254f889dSBrendon Cahoon // must use only one functional unit. We use this as a tie breaker 874254f889dSBrendon Cahoon // for computing the resource MII. The instrutions that require 875254f889dSBrendon Cahoon // the same, highly used, functional unit have high priority. 876254f889dSBrendon Cahoon void calcCriticalResources(MachineInstr &MI) { 877254f889dSBrendon Cahoon unsigned SchedClass = MI.getDesc().getSchedClass(); 878*f6cb3bcbSJinsong Ji if (InstrItins && !InstrItins->isEmpty()) { 879*f6cb3bcbSJinsong Ji for (const InstrStage &IS : 880*f6cb3bcbSJinsong Ji make_range(InstrItins->beginStage(SchedClass), 881*f6cb3bcbSJinsong Ji InstrItins->endStage(SchedClass))) { 882*f6cb3bcbSJinsong Ji unsigned FuncUnits = IS.getUnits(); 883254f889dSBrendon Cahoon if (countPopulation(FuncUnits) == 1) 884254f889dSBrendon Cahoon Resources[FuncUnits]++; 885254f889dSBrendon Cahoon } 886*f6cb3bcbSJinsong Ji return; 887*f6cb3bcbSJinsong Ji } 888*f6cb3bcbSJinsong Ji if (STI && STI->getSchedModel().hasInstrSchedModel()) { 889*f6cb3bcbSJinsong Ji const MCSchedClassDesc *SCDesc = 890*f6cb3bcbSJinsong Ji STI->getSchedModel().getSchedClassDesc(SchedClass); 891*f6cb3bcbSJinsong Ji if (!SCDesc->isValid()) 892*f6cb3bcbSJinsong Ji // No valid Schedule Class Desc for schedClass, should be 893*f6cb3bcbSJinsong Ji // Pseudo/PostRAPseudo 894*f6cb3bcbSJinsong Ji return; 895*f6cb3bcbSJinsong Ji 896*f6cb3bcbSJinsong Ji for (const MCWriteProcResEntry &PRE : 897*f6cb3bcbSJinsong Ji make_range(STI->getWriteProcResBegin(SCDesc), 898*f6cb3bcbSJinsong Ji STI->getWriteProcResEnd(SCDesc))) { 899*f6cb3bcbSJinsong Ji if (!PRE.Cycles) 900*f6cb3bcbSJinsong Ji continue; 901*f6cb3bcbSJinsong Ji Resources[PRE.ProcResourceIdx]++; 902*f6cb3bcbSJinsong Ji } 903*f6cb3bcbSJinsong Ji return; 904*f6cb3bcbSJinsong Ji } 905*f6cb3bcbSJinsong Ji llvm_unreachable("Should have non-empty InstrItins or hasInstrSchedModel!"); 906254f889dSBrendon Cahoon } 907254f889dSBrendon Cahoon 908254f889dSBrendon Cahoon /// Return true if IS1 has less priority than IS2. 909254f889dSBrendon Cahoon bool operator()(const MachineInstr *IS1, const MachineInstr *IS2) const { 910254f889dSBrendon Cahoon unsigned F1 = 0, F2 = 0; 911254f889dSBrendon Cahoon unsigned MFUs1 = minFuncUnits(IS1, F1); 912254f889dSBrendon Cahoon unsigned MFUs2 = minFuncUnits(IS2, F2); 913254f889dSBrendon Cahoon if (MFUs1 == 1 && MFUs2 == 1) 914254f889dSBrendon Cahoon return Resources.lookup(F1) < Resources.lookup(F2); 915254f889dSBrendon Cahoon return MFUs1 > MFUs2; 916254f889dSBrendon Cahoon } 917254f889dSBrendon Cahoon }; 918cdc71612SEugene Zelenko 919cdc71612SEugene Zelenko } // end anonymous namespace 920254f889dSBrendon Cahoon 921254f889dSBrendon Cahoon /// Calculate the resource constrained minimum initiation interval for the 922254f889dSBrendon Cahoon /// specified loop. We use the DFA to model the resources needed for 923254f889dSBrendon Cahoon /// each instruction, and we ignore dependences. A different DFA is created 924254f889dSBrendon Cahoon /// for each cycle that is required. When adding a new instruction, we attempt 925254f889dSBrendon Cahoon /// to add it to each existing DFA, until a legal space is found. If the 926254f889dSBrendon Cahoon /// instruction cannot be reserved in an existing DFA, we create a new one. 927254f889dSBrendon Cahoon unsigned SwingSchedulerDAG::calculateResMII() { 928*f6cb3bcbSJinsong Ji 929*f6cb3bcbSJinsong Ji SmallVector<ResourceManager*, 8> Resources; 930254f889dSBrendon Cahoon MachineBasicBlock *MBB = Loop.getHeader(); 931*f6cb3bcbSJinsong Ji Resources.push_back(new ResourceManager(&MF.getSubtarget())); 932254f889dSBrendon Cahoon 933254f889dSBrendon Cahoon // Sort the instructions by the number of available choices for scheduling, 934254f889dSBrendon Cahoon // least to most. Use the number of critical resources as the tie breaker. 935*f6cb3bcbSJinsong Ji FuncUnitSorter FUS = FuncUnitSorter(MF.getSubtarget()); 936254f889dSBrendon Cahoon for (MachineBasicBlock::iterator I = MBB->getFirstNonPHI(), 937254f889dSBrendon Cahoon E = MBB->getFirstTerminator(); 938254f889dSBrendon Cahoon I != E; ++I) 939254f889dSBrendon Cahoon FUS.calcCriticalResources(*I); 940254f889dSBrendon Cahoon PriorityQueue<MachineInstr *, std::vector<MachineInstr *>, FuncUnitSorter> 941254f889dSBrendon Cahoon FuncUnitOrder(FUS); 942254f889dSBrendon Cahoon 943254f889dSBrendon Cahoon for (MachineBasicBlock::iterator I = MBB->getFirstNonPHI(), 944254f889dSBrendon Cahoon E = MBB->getFirstTerminator(); 945254f889dSBrendon Cahoon I != E; ++I) 946254f889dSBrendon Cahoon FuncUnitOrder.push(&*I); 947254f889dSBrendon Cahoon 948254f889dSBrendon Cahoon while (!FuncUnitOrder.empty()) { 949254f889dSBrendon Cahoon MachineInstr *MI = FuncUnitOrder.top(); 950254f889dSBrendon Cahoon FuncUnitOrder.pop(); 951254f889dSBrendon Cahoon if (TII->isZeroCost(MI->getOpcode())) 952254f889dSBrendon Cahoon continue; 953254f889dSBrendon Cahoon // Attempt to reserve the instruction in an existing DFA. At least one 954254f889dSBrendon Cahoon // DFA is needed for each cycle. 955254f889dSBrendon Cahoon unsigned NumCycles = getSUnit(MI)->Latency; 956254f889dSBrendon Cahoon unsigned ReservedCycles = 0; 957*f6cb3bcbSJinsong Ji SmallVectorImpl<ResourceManager *>::iterator RI = Resources.begin(); 958*f6cb3bcbSJinsong Ji SmallVectorImpl<ResourceManager *>::iterator RE = Resources.end(); 959254f889dSBrendon Cahoon for (unsigned C = 0; C < NumCycles; ++C) 960254f889dSBrendon Cahoon while (RI != RE) { 961254f889dSBrendon Cahoon if ((*RI++)->canReserveResources(*MI)) { 962254f889dSBrendon Cahoon ++ReservedCycles; 963254f889dSBrendon Cahoon break; 964254f889dSBrendon Cahoon } 965254f889dSBrendon Cahoon } 966254f889dSBrendon Cahoon // Start reserving resources using existing DFAs. 967254f889dSBrendon Cahoon for (unsigned C = 0; C < ReservedCycles; ++C) { 968254f889dSBrendon Cahoon --RI; 969254f889dSBrendon Cahoon (*RI)->reserveResources(*MI); 970254f889dSBrendon Cahoon } 971254f889dSBrendon Cahoon // Add new DFAs, if needed, to reserve resources. 972254f889dSBrendon Cahoon for (unsigned C = ReservedCycles; C < NumCycles; ++C) { 973*f6cb3bcbSJinsong Ji ResourceManager *NewResource = new ResourceManager(&MF.getSubtarget()); 974254f889dSBrendon Cahoon assert(NewResource->canReserveResources(*MI) && "Reserve error."); 975254f889dSBrendon Cahoon NewResource->reserveResources(*MI); 976254f889dSBrendon Cahoon Resources.push_back(NewResource); 977254f889dSBrendon Cahoon } 978254f889dSBrendon Cahoon } 979254f889dSBrendon Cahoon int Resmii = Resources.size(); 980254f889dSBrendon Cahoon // Delete the memory for each of the DFAs that were created earlier. 981*f6cb3bcbSJinsong Ji for (ResourceManager *RI : Resources) { 982*f6cb3bcbSJinsong Ji ResourceManager *D = RI; 983254f889dSBrendon Cahoon delete D; 984254f889dSBrendon Cahoon } 985254f889dSBrendon Cahoon Resources.clear(); 986254f889dSBrendon Cahoon return Resmii; 987254f889dSBrendon Cahoon } 988254f889dSBrendon Cahoon 989254f889dSBrendon Cahoon /// Calculate the recurrence-constrainted minimum initiation interval. 990254f889dSBrendon Cahoon /// Iterate over each circuit. Compute the delay(c) and distance(c) 991254f889dSBrendon Cahoon /// for each circuit. The II needs to satisfy the inequality 992254f889dSBrendon Cahoon /// delay(c) - II*distance(c) <= 0. For each circuit, choose the smallest 993c73b6d6bSHiroshi Inoue /// II that satisfies the inequality, and the RecMII is the maximum 994254f889dSBrendon Cahoon /// of those values. 995254f889dSBrendon Cahoon unsigned SwingSchedulerDAG::calculateRecMII(NodeSetType &NodeSets) { 996254f889dSBrendon Cahoon unsigned RecMII = 0; 997254f889dSBrendon Cahoon 998254f889dSBrendon Cahoon for (NodeSet &Nodes : NodeSets) { 99932a40564SEugene Zelenko if (Nodes.empty()) 1000254f889dSBrendon Cahoon continue; 1001254f889dSBrendon Cahoon 1002a2122044SKrzysztof Parzyszek unsigned Delay = Nodes.getLatency(); 1003254f889dSBrendon Cahoon unsigned Distance = 1; 1004254f889dSBrendon Cahoon 1005254f889dSBrendon Cahoon // ii = ceil(delay / distance) 1006254f889dSBrendon Cahoon unsigned CurMII = (Delay + Distance - 1) / Distance; 1007254f889dSBrendon Cahoon Nodes.setRecMII(CurMII); 1008254f889dSBrendon Cahoon if (CurMII > RecMII) 1009254f889dSBrendon Cahoon RecMII = CurMII; 1010254f889dSBrendon Cahoon } 1011254f889dSBrendon Cahoon 1012254f889dSBrendon Cahoon return RecMII; 1013254f889dSBrendon Cahoon } 1014254f889dSBrendon Cahoon 1015254f889dSBrendon Cahoon /// Swap all the anti dependences in the DAG. That means it is no longer a DAG, 1016254f889dSBrendon Cahoon /// but we do this to find the circuits, and then change them back. 1017254f889dSBrendon Cahoon static void swapAntiDependences(std::vector<SUnit> &SUnits) { 1018254f889dSBrendon Cahoon SmallVector<std::pair<SUnit *, SDep>, 8> DepsAdded; 1019254f889dSBrendon Cahoon for (unsigned i = 0, e = SUnits.size(); i != e; ++i) { 1020254f889dSBrendon Cahoon SUnit *SU = &SUnits[i]; 1021254f889dSBrendon Cahoon for (SUnit::pred_iterator IP = SU->Preds.begin(), EP = SU->Preds.end(); 1022254f889dSBrendon Cahoon IP != EP; ++IP) { 1023254f889dSBrendon Cahoon if (IP->getKind() != SDep::Anti) 1024254f889dSBrendon Cahoon continue; 1025254f889dSBrendon Cahoon DepsAdded.push_back(std::make_pair(SU, *IP)); 1026254f889dSBrendon Cahoon } 1027254f889dSBrendon Cahoon } 1028254f889dSBrendon Cahoon for (SmallVector<std::pair<SUnit *, SDep>, 8>::iterator I = DepsAdded.begin(), 1029254f889dSBrendon Cahoon E = DepsAdded.end(); 1030254f889dSBrendon Cahoon I != E; ++I) { 1031254f889dSBrendon Cahoon // Remove this anti dependency and add one in the reverse direction. 1032254f889dSBrendon Cahoon SUnit *SU = I->first; 1033254f889dSBrendon Cahoon SDep &D = I->second; 1034254f889dSBrendon Cahoon SUnit *TargetSU = D.getSUnit(); 1035254f889dSBrendon Cahoon unsigned Reg = D.getReg(); 1036254f889dSBrendon Cahoon unsigned Lat = D.getLatency(); 1037254f889dSBrendon Cahoon SU->removePred(D); 1038254f889dSBrendon Cahoon SDep Dep(SU, SDep::Anti, Reg); 1039254f889dSBrendon Cahoon Dep.setLatency(Lat); 1040254f889dSBrendon Cahoon TargetSU->addPred(Dep); 1041254f889dSBrendon Cahoon } 1042254f889dSBrendon Cahoon } 1043254f889dSBrendon Cahoon 1044254f889dSBrendon Cahoon /// Create the adjacency structure of the nodes in the graph. 1045254f889dSBrendon Cahoon void SwingSchedulerDAG::Circuits::createAdjacencyStructure( 1046254f889dSBrendon Cahoon SwingSchedulerDAG *DAG) { 1047254f889dSBrendon Cahoon BitVector Added(SUnits.size()); 10488e1363dfSKrzysztof Parzyszek DenseMap<int, int> OutputDeps; 1049254f889dSBrendon Cahoon for (int i = 0, e = SUnits.size(); i != e; ++i) { 1050254f889dSBrendon Cahoon Added.reset(); 1051254f889dSBrendon Cahoon // Add any successor to the adjacency matrix and exclude duplicates. 1052254f889dSBrendon Cahoon for (auto &SI : SUnits[i].Succs) { 10538e1363dfSKrzysztof Parzyszek // Only create a back-edge on the first and last nodes of a dependence 10548e1363dfSKrzysztof Parzyszek // chain. This records any chains and adds them later. 10558e1363dfSKrzysztof Parzyszek if (SI.getKind() == SDep::Output) { 10568e1363dfSKrzysztof Parzyszek int N = SI.getSUnit()->NodeNum; 10578e1363dfSKrzysztof Parzyszek int BackEdge = i; 10588e1363dfSKrzysztof Parzyszek auto Dep = OutputDeps.find(BackEdge); 10598e1363dfSKrzysztof Parzyszek if (Dep != OutputDeps.end()) { 10608e1363dfSKrzysztof Parzyszek BackEdge = Dep->second; 10618e1363dfSKrzysztof Parzyszek OutputDeps.erase(Dep); 10628e1363dfSKrzysztof Parzyszek } 10638e1363dfSKrzysztof Parzyszek OutputDeps[N] = BackEdge; 10648e1363dfSKrzysztof Parzyszek } 1065ada0f511SSumanth Gundapaneni // Do not process a boundary node, an artificial node. 1066ada0f511SSumanth Gundapaneni // A back-edge is processed only if it goes to a Phi. 1067ada0f511SSumanth Gundapaneni if (SI.getSUnit()->isBoundaryNode() || SI.isArtificial() || 1068254f889dSBrendon Cahoon (SI.getKind() == SDep::Anti && !SI.getSUnit()->getInstr()->isPHI())) 1069254f889dSBrendon Cahoon continue; 1070254f889dSBrendon Cahoon int N = SI.getSUnit()->NodeNum; 1071254f889dSBrendon Cahoon if (!Added.test(N)) { 1072254f889dSBrendon Cahoon AdjK[i].push_back(N); 1073254f889dSBrendon Cahoon Added.set(N); 1074254f889dSBrendon Cahoon } 1075254f889dSBrendon Cahoon } 1076254f889dSBrendon Cahoon // A chain edge between a store and a load is treated as a back-edge in the 1077254f889dSBrendon Cahoon // adjacency matrix. 1078254f889dSBrendon Cahoon for (auto &PI : SUnits[i].Preds) { 1079254f889dSBrendon Cahoon if (!SUnits[i].getInstr()->mayStore() || 10808e1363dfSKrzysztof Parzyszek !DAG->isLoopCarriedDep(&SUnits[i], PI, false)) 1081254f889dSBrendon Cahoon continue; 1082254f889dSBrendon Cahoon if (PI.getKind() == SDep::Order && PI.getSUnit()->getInstr()->mayLoad()) { 1083254f889dSBrendon Cahoon int N = PI.getSUnit()->NodeNum; 1084254f889dSBrendon Cahoon if (!Added.test(N)) { 1085254f889dSBrendon Cahoon AdjK[i].push_back(N); 1086254f889dSBrendon Cahoon Added.set(N); 1087254f889dSBrendon Cahoon } 1088254f889dSBrendon Cahoon } 1089254f889dSBrendon Cahoon } 1090254f889dSBrendon Cahoon } 1091dad8c6a1SHiroshi Inoue // Add back-edges in the adjacency matrix for the output dependences. 10928e1363dfSKrzysztof Parzyszek for (auto &OD : OutputDeps) 10938e1363dfSKrzysztof Parzyszek if (!Added.test(OD.second)) { 10948e1363dfSKrzysztof Parzyszek AdjK[OD.first].push_back(OD.second); 10958e1363dfSKrzysztof Parzyszek Added.set(OD.second); 10968e1363dfSKrzysztof Parzyszek } 1097254f889dSBrendon Cahoon } 1098254f889dSBrendon Cahoon 1099254f889dSBrendon Cahoon /// Identify an elementary circuit in the dependence graph starting at the 1100254f889dSBrendon Cahoon /// specified node. 1101254f889dSBrendon Cahoon bool SwingSchedulerDAG::Circuits::circuit(int V, int S, NodeSetType &NodeSets, 1102254f889dSBrendon Cahoon bool HasBackedge) { 1103254f889dSBrendon Cahoon SUnit *SV = &SUnits[V]; 1104254f889dSBrendon Cahoon bool F = false; 1105254f889dSBrendon Cahoon Stack.insert(SV); 1106254f889dSBrendon Cahoon Blocked.set(V); 1107254f889dSBrendon Cahoon 1108254f889dSBrendon Cahoon for (auto W : AdjK[V]) { 1109254f889dSBrendon Cahoon if (NumPaths > MaxPaths) 1110254f889dSBrendon Cahoon break; 1111254f889dSBrendon Cahoon if (W < S) 1112254f889dSBrendon Cahoon continue; 1113254f889dSBrendon Cahoon if (W == S) { 1114254f889dSBrendon Cahoon if (!HasBackedge) 1115254f889dSBrendon Cahoon NodeSets.push_back(NodeSet(Stack.begin(), Stack.end())); 1116254f889dSBrendon Cahoon F = true; 1117254f889dSBrendon Cahoon ++NumPaths; 1118254f889dSBrendon Cahoon break; 1119254f889dSBrendon Cahoon } else if (!Blocked.test(W)) { 112077418a37SSumanth Gundapaneni if (circuit(W, S, NodeSets, 112177418a37SSumanth Gundapaneni Node2Idx->at(W) < Node2Idx->at(V) ? true : HasBackedge)) 1122254f889dSBrendon Cahoon F = true; 1123254f889dSBrendon Cahoon } 1124254f889dSBrendon Cahoon } 1125254f889dSBrendon Cahoon 1126254f889dSBrendon Cahoon if (F) 1127254f889dSBrendon Cahoon unblock(V); 1128254f889dSBrendon Cahoon else { 1129254f889dSBrendon Cahoon for (auto W : AdjK[V]) { 1130254f889dSBrendon Cahoon if (W < S) 1131254f889dSBrendon Cahoon continue; 1132254f889dSBrendon Cahoon if (B[W].count(SV) == 0) 1133254f889dSBrendon Cahoon B[W].insert(SV); 1134254f889dSBrendon Cahoon } 1135254f889dSBrendon Cahoon } 1136254f889dSBrendon Cahoon Stack.pop_back(); 1137254f889dSBrendon Cahoon return F; 1138254f889dSBrendon Cahoon } 1139254f889dSBrendon Cahoon 1140254f889dSBrendon Cahoon /// Unblock a node in the circuit finding algorithm. 1141254f889dSBrendon Cahoon void SwingSchedulerDAG::Circuits::unblock(int U) { 1142254f889dSBrendon Cahoon Blocked.reset(U); 1143254f889dSBrendon Cahoon SmallPtrSet<SUnit *, 4> &BU = B[U]; 1144254f889dSBrendon Cahoon while (!BU.empty()) { 1145254f889dSBrendon Cahoon SmallPtrSet<SUnit *, 4>::iterator SI = BU.begin(); 1146254f889dSBrendon Cahoon assert(SI != BU.end() && "Invalid B set."); 1147254f889dSBrendon Cahoon SUnit *W = *SI; 1148254f889dSBrendon Cahoon BU.erase(W); 1149254f889dSBrendon Cahoon if (Blocked.test(W->NodeNum)) 1150254f889dSBrendon Cahoon unblock(W->NodeNum); 1151254f889dSBrendon Cahoon } 1152254f889dSBrendon Cahoon } 1153254f889dSBrendon Cahoon 1154254f889dSBrendon Cahoon /// Identify all the elementary circuits in the dependence graph using 1155254f889dSBrendon Cahoon /// Johnson's circuit algorithm. 1156254f889dSBrendon Cahoon void SwingSchedulerDAG::findCircuits(NodeSetType &NodeSets) { 1157254f889dSBrendon Cahoon // Swap all the anti dependences in the DAG. That means it is no longer a DAG, 1158254f889dSBrendon Cahoon // but we do this to find the circuits, and then change them back. 1159254f889dSBrendon Cahoon swapAntiDependences(SUnits); 1160254f889dSBrendon Cahoon 116177418a37SSumanth Gundapaneni Circuits Cir(SUnits, Topo); 1162254f889dSBrendon Cahoon // Create the adjacency structure. 1163254f889dSBrendon Cahoon Cir.createAdjacencyStructure(this); 1164254f889dSBrendon Cahoon for (int i = 0, e = SUnits.size(); i != e; ++i) { 1165254f889dSBrendon Cahoon Cir.reset(); 1166254f889dSBrendon Cahoon Cir.circuit(i, i, NodeSets); 1167254f889dSBrendon Cahoon } 1168254f889dSBrendon Cahoon 1169254f889dSBrendon Cahoon // Change the dependences back so that we've created a DAG again. 1170254f889dSBrendon Cahoon swapAntiDependences(SUnits); 1171254f889dSBrendon Cahoon } 1172254f889dSBrendon Cahoon 117362ac69d4SSumanth Gundapaneni // Create artificial dependencies between the source of COPY/REG_SEQUENCE that 117462ac69d4SSumanth Gundapaneni // is loop-carried to the USE in next iteration. This will help pipeliner avoid 117562ac69d4SSumanth Gundapaneni // additional copies that are needed across iterations. An artificial dependence 117662ac69d4SSumanth Gundapaneni // edge is added from USE to SOURCE of COPY/REG_SEQUENCE. 117762ac69d4SSumanth Gundapaneni 117862ac69d4SSumanth Gundapaneni // PHI-------Anti-Dep-----> COPY/REG_SEQUENCE (loop-carried) 117962ac69d4SSumanth Gundapaneni // SRCOfCopY------True-Dep---> COPY/REG_SEQUENCE 118062ac69d4SSumanth Gundapaneni // PHI-------True-Dep------> USEOfPhi 118162ac69d4SSumanth Gundapaneni 118262ac69d4SSumanth Gundapaneni // The mutation creates 118362ac69d4SSumanth Gundapaneni // USEOfPHI -------Artificial-Dep---> SRCOfCopy 118462ac69d4SSumanth Gundapaneni 118562ac69d4SSumanth Gundapaneni // This overall will ensure, the USEOfPHI is scheduled before SRCOfCopy 118662ac69d4SSumanth Gundapaneni // (since USE is a predecessor), implies, the COPY/ REG_SEQUENCE is scheduled 118762ac69d4SSumanth Gundapaneni // late to avoid additional copies across iterations. The possible scheduling 118862ac69d4SSumanth Gundapaneni // order would be 118962ac69d4SSumanth Gundapaneni // USEOfPHI --- SRCOfCopy--- COPY/REG_SEQUENCE. 119062ac69d4SSumanth Gundapaneni 119162ac69d4SSumanth Gundapaneni void SwingSchedulerDAG::CopyToPhiMutation::apply(ScheduleDAGInstrs *DAG) { 119262ac69d4SSumanth Gundapaneni for (SUnit &SU : DAG->SUnits) { 119362ac69d4SSumanth Gundapaneni // Find the COPY/REG_SEQUENCE instruction. 119462ac69d4SSumanth Gundapaneni if (!SU.getInstr()->isCopy() && !SU.getInstr()->isRegSequence()) 119562ac69d4SSumanth Gundapaneni continue; 119662ac69d4SSumanth Gundapaneni 119762ac69d4SSumanth Gundapaneni // Record the loop carried PHIs. 119862ac69d4SSumanth Gundapaneni SmallVector<SUnit *, 4> PHISUs; 119962ac69d4SSumanth Gundapaneni // Record the SrcSUs that feed the COPY/REG_SEQUENCE instructions. 120062ac69d4SSumanth Gundapaneni SmallVector<SUnit *, 4> SrcSUs; 120162ac69d4SSumanth Gundapaneni 120262ac69d4SSumanth Gundapaneni for (auto &Dep : SU.Preds) { 120362ac69d4SSumanth Gundapaneni SUnit *TmpSU = Dep.getSUnit(); 120462ac69d4SSumanth Gundapaneni MachineInstr *TmpMI = TmpSU->getInstr(); 120562ac69d4SSumanth Gundapaneni SDep::Kind DepKind = Dep.getKind(); 120662ac69d4SSumanth Gundapaneni // Save the loop carried PHI. 120762ac69d4SSumanth Gundapaneni if (DepKind == SDep::Anti && TmpMI->isPHI()) 120862ac69d4SSumanth Gundapaneni PHISUs.push_back(TmpSU); 120962ac69d4SSumanth Gundapaneni // Save the source of COPY/REG_SEQUENCE. 121062ac69d4SSumanth Gundapaneni // If the source has no pre-decessors, we will end up creating cycles. 121162ac69d4SSumanth Gundapaneni else if (DepKind == SDep::Data && !TmpMI->isPHI() && TmpSU->NumPreds > 0) 121262ac69d4SSumanth Gundapaneni SrcSUs.push_back(TmpSU); 121362ac69d4SSumanth Gundapaneni } 121462ac69d4SSumanth Gundapaneni 121562ac69d4SSumanth Gundapaneni if (PHISUs.size() == 0 || SrcSUs.size() == 0) 121662ac69d4SSumanth Gundapaneni continue; 121762ac69d4SSumanth Gundapaneni 121862ac69d4SSumanth Gundapaneni // Find the USEs of PHI. If the use is a PHI or REG_SEQUENCE, push back this 121962ac69d4SSumanth Gundapaneni // SUnit to the container. 122062ac69d4SSumanth Gundapaneni SmallVector<SUnit *, 8> UseSUs; 122162ac69d4SSumanth Gundapaneni for (auto I = PHISUs.begin(); I != PHISUs.end(); ++I) { 122262ac69d4SSumanth Gundapaneni for (auto &Dep : (*I)->Succs) { 122362ac69d4SSumanth Gundapaneni if (Dep.getKind() != SDep::Data) 122462ac69d4SSumanth Gundapaneni continue; 122562ac69d4SSumanth Gundapaneni 122662ac69d4SSumanth Gundapaneni SUnit *TmpSU = Dep.getSUnit(); 122762ac69d4SSumanth Gundapaneni MachineInstr *TmpMI = TmpSU->getInstr(); 122862ac69d4SSumanth Gundapaneni if (TmpMI->isPHI() || TmpMI->isRegSequence()) { 122962ac69d4SSumanth Gundapaneni PHISUs.push_back(TmpSU); 123062ac69d4SSumanth Gundapaneni continue; 123162ac69d4SSumanth Gundapaneni } 123262ac69d4SSumanth Gundapaneni UseSUs.push_back(TmpSU); 123362ac69d4SSumanth Gundapaneni } 123462ac69d4SSumanth Gundapaneni } 123562ac69d4SSumanth Gundapaneni 123662ac69d4SSumanth Gundapaneni if (UseSUs.size() == 0) 123762ac69d4SSumanth Gundapaneni continue; 123862ac69d4SSumanth Gundapaneni 123962ac69d4SSumanth Gundapaneni SwingSchedulerDAG *SDAG = cast<SwingSchedulerDAG>(DAG); 124062ac69d4SSumanth Gundapaneni // Add the artificial dependencies if it does not form a cycle. 124162ac69d4SSumanth Gundapaneni for (auto I : UseSUs) { 124262ac69d4SSumanth Gundapaneni for (auto Src : SrcSUs) { 124362ac69d4SSumanth Gundapaneni if (!SDAG->Topo.IsReachable(I, Src) && Src != I) { 124462ac69d4SSumanth Gundapaneni Src->addPred(SDep(I, SDep::Artificial)); 124562ac69d4SSumanth Gundapaneni SDAG->Topo.AddPred(Src, I); 124662ac69d4SSumanth Gundapaneni } 124762ac69d4SSumanth Gundapaneni } 124862ac69d4SSumanth Gundapaneni } 124962ac69d4SSumanth Gundapaneni } 125062ac69d4SSumanth Gundapaneni } 125162ac69d4SSumanth Gundapaneni 1252254f889dSBrendon Cahoon /// Return true for DAG nodes that we ignore when computing the cost functions. 1253c73b6d6bSHiroshi Inoue /// We ignore the back-edge recurrence in order to avoid unbounded recursion 1254254f889dSBrendon Cahoon /// in the calculation of the ASAP, ALAP, etc functions. 1255254f889dSBrendon Cahoon static bool ignoreDependence(const SDep &D, bool isPred) { 1256254f889dSBrendon Cahoon if (D.isArtificial()) 1257254f889dSBrendon Cahoon return true; 1258254f889dSBrendon Cahoon return D.getKind() == SDep::Anti && isPred; 1259254f889dSBrendon Cahoon } 1260254f889dSBrendon Cahoon 1261254f889dSBrendon Cahoon /// Compute several functions need to order the nodes for scheduling. 1262254f889dSBrendon Cahoon /// ASAP - Earliest time to schedule a node. 1263254f889dSBrendon Cahoon /// ALAP - Latest time to schedule a node. 1264254f889dSBrendon Cahoon /// MOV - Mobility function, difference between ALAP and ASAP. 1265254f889dSBrendon Cahoon /// D - Depth of each node. 1266254f889dSBrendon Cahoon /// H - Height of each node. 1267254f889dSBrendon Cahoon void SwingSchedulerDAG::computeNodeFunctions(NodeSetType &NodeSets) { 1268254f889dSBrendon Cahoon ScheduleInfo.resize(SUnits.size()); 1269254f889dSBrendon Cahoon 1270d34e60caSNicola Zaghen LLVM_DEBUG({ 1271254f889dSBrendon Cahoon for (ScheduleDAGTopologicalSort::const_iterator I = Topo.begin(), 1272254f889dSBrendon Cahoon E = Topo.end(); 1273254f889dSBrendon Cahoon I != E; ++I) { 1274726e12cfSMatthias Braun const SUnit &SU = SUnits[*I]; 1275726e12cfSMatthias Braun dumpNode(SU); 1276254f889dSBrendon Cahoon } 1277254f889dSBrendon Cahoon }); 1278254f889dSBrendon Cahoon 1279254f889dSBrendon Cahoon int maxASAP = 0; 12804b8bcf00SRoorda, Jan-Willem // Compute ASAP and ZeroLatencyDepth. 1281254f889dSBrendon Cahoon for (ScheduleDAGTopologicalSort::const_iterator I = Topo.begin(), 1282254f889dSBrendon Cahoon E = Topo.end(); 1283254f889dSBrendon Cahoon I != E; ++I) { 1284254f889dSBrendon Cahoon int asap = 0; 12854b8bcf00SRoorda, Jan-Willem int zeroLatencyDepth = 0; 1286254f889dSBrendon Cahoon SUnit *SU = &SUnits[*I]; 1287254f889dSBrendon Cahoon for (SUnit::const_pred_iterator IP = SU->Preds.begin(), 1288254f889dSBrendon Cahoon EP = SU->Preds.end(); 1289254f889dSBrendon Cahoon IP != EP; ++IP) { 12904b8bcf00SRoorda, Jan-Willem SUnit *pred = IP->getSUnit(); 1291c715a5d2SKrzysztof Parzyszek if (IP->getLatency() == 0) 12924b8bcf00SRoorda, Jan-Willem zeroLatencyDepth = 12934b8bcf00SRoorda, Jan-Willem std::max(zeroLatencyDepth, getZeroLatencyDepth(pred) + 1); 1294254f889dSBrendon Cahoon if (ignoreDependence(*IP, true)) 1295254f889dSBrendon Cahoon continue; 1296c715a5d2SKrzysztof Parzyszek asap = std::max(asap, (int)(getASAP(pred) + IP->getLatency() - 1297254f889dSBrendon Cahoon getDistance(pred, SU, *IP) * MII)); 1298254f889dSBrendon Cahoon } 1299254f889dSBrendon Cahoon maxASAP = std::max(maxASAP, asap); 1300254f889dSBrendon Cahoon ScheduleInfo[*I].ASAP = asap; 13014b8bcf00SRoorda, Jan-Willem ScheduleInfo[*I].ZeroLatencyDepth = zeroLatencyDepth; 1302254f889dSBrendon Cahoon } 1303254f889dSBrendon Cahoon 13044b8bcf00SRoorda, Jan-Willem // Compute ALAP, ZeroLatencyHeight, and MOV. 1305254f889dSBrendon Cahoon for (ScheduleDAGTopologicalSort::const_reverse_iterator I = Topo.rbegin(), 1306254f889dSBrendon Cahoon E = Topo.rend(); 1307254f889dSBrendon Cahoon I != E; ++I) { 1308254f889dSBrendon Cahoon int alap = maxASAP; 13094b8bcf00SRoorda, Jan-Willem int zeroLatencyHeight = 0; 1310254f889dSBrendon Cahoon SUnit *SU = &SUnits[*I]; 1311254f889dSBrendon Cahoon for (SUnit::const_succ_iterator IS = SU->Succs.begin(), 1312254f889dSBrendon Cahoon ES = SU->Succs.end(); 1313254f889dSBrendon Cahoon IS != ES; ++IS) { 13144b8bcf00SRoorda, Jan-Willem SUnit *succ = IS->getSUnit(); 1315c715a5d2SKrzysztof Parzyszek if (IS->getLatency() == 0) 13164b8bcf00SRoorda, Jan-Willem zeroLatencyHeight = 13174b8bcf00SRoorda, Jan-Willem std::max(zeroLatencyHeight, getZeroLatencyHeight(succ) + 1); 1318254f889dSBrendon Cahoon if (ignoreDependence(*IS, true)) 1319254f889dSBrendon Cahoon continue; 1320c715a5d2SKrzysztof Parzyszek alap = std::min(alap, (int)(getALAP(succ) - IS->getLatency() + 1321254f889dSBrendon Cahoon getDistance(SU, succ, *IS) * MII)); 1322254f889dSBrendon Cahoon } 1323254f889dSBrendon Cahoon 1324254f889dSBrendon Cahoon ScheduleInfo[*I].ALAP = alap; 13254b8bcf00SRoorda, Jan-Willem ScheduleInfo[*I].ZeroLatencyHeight = zeroLatencyHeight; 1326254f889dSBrendon Cahoon } 1327254f889dSBrendon Cahoon 1328254f889dSBrendon Cahoon // After computing the node functions, compute the summary for each node set. 1329254f889dSBrendon Cahoon for (NodeSet &I : NodeSets) 1330254f889dSBrendon Cahoon I.computeNodeSetInfo(this); 1331254f889dSBrendon Cahoon 1332d34e60caSNicola Zaghen LLVM_DEBUG({ 1333254f889dSBrendon Cahoon for (unsigned i = 0; i < SUnits.size(); i++) { 1334254f889dSBrendon Cahoon dbgs() << "\tNode " << i << ":\n"; 1335254f889dSBrendon Cahoon dbgs() << "\t ASAP = " << getASAP(&SUnits[i]) << "\n"; 1336254f889dSBrendon Cahoon dbgs() << "\t ALAP = " << getALAP(&SUnits[i]) << "\n"; 1337254f889dSBrendon Cahoon dbgs() << "\t MOV = " << getMOV(&SUnits[i]) << "\n"; 1338254f889dSBrendon Cahoon dbgs() << "\t D = " << getDepth(&SUnits[i]) << "\n"; 1339254f889dSBrendon Cahoon dbgs() << "\t H = " << getHeight(&SUnits[i]) << "\n"; 13404b8bcf00SRoorda, Jan-Willem dbgs() << "\t ZLD = " << getZeroLatencyDepth(&SUnits[i]) << "\n"; 13414b8bcf00SRoorda, Jan-Willem dbgs() << "\t ZLH = " << getZeroLatencyHeight(&SUnits[i]) << "\n"; 1342254f889dSBrendon Cahoon } 1343254f889dSBrendon Cahoon }); 1344254f889dSBrendon Cahoon } 1345254f889dSBrendon Cahoon 1346254f889dSBrendon Cahoon /// Compute the Pred_L(O) set, as defined in the paper. The set is defined 1347254f889dSBrendon Cahoon /// as the predecessors of the elements of NodeOrder that are not also in 1348254f889dSBrendon Cahoon /// NodeOrder. 1349254f889dSBrendon Cahoon static bool pred_L(SetVector<SUnit *> &NodeOrder, 1350254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> &Preds, 1351254f889dSBrendon Cahoon const NodeSet *S = nullptr) { 1352254f889dSBrendon Cahoon Preds.clear(); 1353254f889dSBrendon Cahoon for (SetVector<SUnit *>::iterator I = NodeOrder.begin(), E = NodeOrder.end(); 1354254f889dSBrendon Cahoon I != E; ++I) { 1355254f889dSBrendon Cahoon for (SUnit::pred_iterator PI = (*I)->Preds.begin(), PE = (*I)->Preds.end(); 1356254f889dSBrendon Cahoon PI != PE; ++PI) { 1357254f889dSBrendon Cahoon if (S && S->count(PI->getSUnit()) == 0) 1358254f889dSBrendon Cahoon continue; 1359254f889dSBrendon Cahoon if (ignoreDependence(*PI, true)) 1360254f889dSBrendon Cahoon continue; 1361254f889dSBrendon Cahoon if (NodeOrder.count(PI->getSUnit()) == 0) 1362254f889dSBrendon Cahoon Preds.insert(PI->getSUnit()); 1363254f889dSBrendon Cahoon } 1364254f889dSBrendon Cahoon // Back-edges are predecessors with an anti-dependence. 1365254f889dSBrendon Cahoon for (SUnit::const_succ_iterator IS = (*I)->Succs.begin(), 1366254f889dSBrendon Cahoon ES = (*I)->Succs.end(); 1367254f889dSBrendon Cahoon IS != ES; ++IS) { 1368254f889dSBrendon Cahoon if (IS->getKind() != SDep::Anti) 1369254f889dSBrendon Cahoon continue; 1370254f889dSBrendon Cahoon if (S && S->count(IS->getSUnit()) == 0) 1371254f889dSBrendon Cahoon continue; 1372254f889dSBrendon Cahoon if (NodeOrder.count(IS->getSUnit()) == 0) 1373254f889dSBrendon Cahoon Preds.insert(IS->getSUnit()); 1374254f889dSBrendon Cahoon } 1375254f889dSBrendon Cahoon } 137632a40564SEugene Zelenko return !Preds.empty(); 1377254f889dSBrendon Cahoon } 1378254f889dSBrendon Cahoon 1379254f889dSBrendon Cahoon /// Compute the Succ_L(O) set, as defined in the paper. The set is defined 1380254f889dSBrendon Cahoon /// as the successors of the elements of NodeOrder that are not also in 1381254f889dSBrendon Cahoon /// NodeOrder. 1382254f889dSBrendon Cahoon static bool succ_L(SetVector<SUnit *> &NodeOrder, 1383254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> &Succs, 1384254f889dSBrendon Cahoon const NodeSet *S = nullptr) { 1385254f889dSBrendon Cahoon Succs.clear(); 1386254f889dSBrendon Cahoon for (SetVector<SUnit *>::iterator I = NodeOrder.begin(), E = NodeOrder.end(); 1387254f889dSBrendon Cahoon I != E; ++I) { 1388254f889dSBrendon Cahoon for (SUnit::succ_iterator SI = (*I)->Succs.begin(), SE = (*I)->Succs.end(); 1389254f889dSBrendon Cahoon SI != SE; ++SI) { 1390254f889dSBrendon Cahoon if (S && S->count(SI->getSUnit()) == 0) 1391254f889dSBrendon Cahoon continue; 1392254f889dSBrendon Cahoon if (ignoreDependence(*SI, false)) 1393254f889dSBrendon Cahoon continue; 1394254f889dSBrendon Cahoon if (NodeOrder.count(SI->getSUnit()) == 0) 1395254f889dSBrendon Cahoon Succs.insert(SI->getSUnit()); 1396254f889dSBrendon Cahoon } 1397254f889dSBrendon Cahoon for (SUnit::const_pred_iterator PI = (*I)->Preds.begin(), 1398254f889dSBrendon Cahoon PE = (*I)->Preds.end(); 1399254f889dSBrendon Cahoon PI != PE; ++PI) { 1400254f889dSBrendon Cahoon if (PI->getKind() != SDep::Anti) 1401254f889dSBrendon Cahoon continue; 1402254f889dSBrendon Cahoon if (S && S->count(PI->getSUnit()) == 0) 1403254f889dSBrendon Cahoon continue; 1404254f889dSBrendon Cahoon if (NodeOrder.count(PI->getSUnit()) == 0) 1405254f889dSBrendon Cahoon Succs.insert(PI->getSUnit()); 1406254f889dSBrendon Cahoon } 1407254f889dSBrendon Cahoon } 140832a40564SEugene Zelenko return !Succs.empty(); 1409254f889dSBrendon Cahoon } 1410254f889dSBrendon Cahoon 1411254f889dSBrendon Cahoon /// Return true if there is a path from the specified node to any of the nodes 1412254f889dSBrendon Cahoon /// in DestNodes. Keep track and return the nodes in any path. 1413254f889dSBrendon Cahoon static bool computePath(SUnit *Cur, SetVector<SUnit *> &Path, 1414254f889dSBrendon Cahoon SetVector<SUnit *> &DestNodes, 1415254f889dSBrendon Cahoon SetVector<SUnit *> &Exclude, 1416254f889dSBrendon Cahoon SmallPtrSet<SUnit *, 8> &Visited) { 1417254f889dSBrendon Cahoon if (Cur->isBoundaryNode()) 1418254f889dSBrendon Cahoon return false; 1419254f889dSBrendon Cahoon if (Exclude.count(Cur) != 0) 1420254f889dSBrendon Cahoon return false; 1421254f889dSBrendon Cahoon if (DestNodes.count(Cur) != 0) 1422254f889dSBrendon Cahoon return true; 1423254f889dSBrendon Cahoon if (!Visited.insert(Cur).second) 1424254f889dSBrendon Cahoon return Path.count(Cur) != 0; 1425254f889dSBrendon Cahoon bool FoundPath = false; 1426254f889dSBrendon Cahoon for (auto &SI : Cur->Succs) 1427254f889dSBrendon Cahoon FoundPath |= computePath(SI.getSUnit(), Path, DestNodes, Exclude, Visited); 1428254f889dSBrendon Cahoon for (auto &PI : Cur->Preds) 1429254f889dSBrendon Cahoon if (PI.getKind() == SDep::Anti) 1430254f889dSBrendon Cahoon FoundPath |= 1431254f889dSBrendon Cahoon computePath(PI.getSUnit(), Path, DestNodes, Exclude, Visited); 1432254f889dSBrendon Cahoon if (FoundPath) 1433254f889dSBrendon Cahoon Path.insert(Cur); 1434254f889dSBrendon Cahoon return FoundPath; 1435254f889dSBrendon Cahoon } 1436254f889dSBrendon Cahoon 1437254f889dSBrendon Cahoon /// Return true if Set1 is a subset of Set2. 1438254f889dSBrendon Cahoon template <class S1Ty, class S2Ty> static bool isSubset(S1Ty &Set1, S2Ty &Set2) { 1439254f889dSBrendon Cahoon for (typename S1Ty::iterator I = Set1.begin(), E = Set1.end(); I != E; ++I) 1440254f889dSBrendon Cahoon if (Set2.count(*I) == 0) 1441254f889dSBrendon Cahoon return false; 1442254f889dSBrendon Cahoon return true; 1443254f889dSBrendon Cahoon } 1444254f889dSBrendon Cahoon 1445254f889dSBrendon Cahoon /// Compute the live-out registers for the instructions in a node-set. 1446254f889dSBrendon Cahoon /// The live-out registers are those that are defined in the node-set, 1447254f889dSBrendon Cahoon /// but not used. Except for use operands of Phis. 1448254f889dSBrendon Cahoon static void computeLiveOuts(MachineFunction &MF, RegPressureTracker &RPTracker, 1449254f889dSBrendon Cahoon NodeSet &NS) { 1450254f889dSBrendon Cahoon const TargetRegisterInfo *TRI = MF.getSubtarget().getRegisterInfo(); 1451254f889dSBrendon Cahoon MachineRegisterInfo &MRI = MF.getRegInfo(); 1452254f889dSBrendon Cahoon SmallVector<RegisterMaskPair, 8> LiveOutRegs; 1453254f889dSBrendon Cahoon SmallSet<unsigned, 4> Uses; 1454254f889dSBrendon Cahoon for (SUnit *SU : NS) { 1455254f889dSBrendon Cahoon const MachineInstr *MI = SU->getInstr(); 1456254f889dSBrendon Cahoon if (MI->isPHI()) 1457254f889dSBrendon Cahoon continue; 1458fc371558SMatthias Braun for (const MachineOperand &MO : MI->operands()) 1459fc371558SMatthias Braun if (MO.isReg() && MO.isUse()) { 1460fc371558SMatthias Braun unsigned Reg = MO.getReg(); 1461254f889dSBrendon Cahoon if (TargetRegisterInfo::isVirtualRegister(Reg)) 1462254f889dSBrendon Cahoon Uses.insert(Reg); 1463254f889dSBrendon Cahoon else if (MRI.isAllocatable(Reg)) 1464254f889dSBrendon Cahoon for (MCRegUnitIterator Units(Reg, TRI); Units.isValid(); ++Units) 1465254f889dSBrendon Cahoon Uses.insert(*Units); 1466254f889dSBrendon Cahoon } 1467254f889dSBrendon Cahoon } 1468254f889dSBrendon Cahoon for (SUnit *SU : NS) 1469fc371558SMatthias Braun for (const MachineOperand &MO : SU->getInstr()->operands()) 1470fc371558SMatthias Braun if (MO.isReg() && MO.isDef() && !MO.isDead()) { 1471fc371558SMatthias Braun unsigned Reg = MO.getReg(); 1472254f889dSBrendon Cahoon if (TargetRegisterInfo::isVirtualRegister(Reg)) { 1473254f889dSBrendon Cahoon if (!Uses.count(Reg)) 147491b5cf84SKrzysztof Parzyszek LiveOutRegs.push_back(RegisterMaskPair(Reg, 147591b5cf84SKrzysztof Parzyszek LaneBitmask::getNone())); 1476254f889dSBrendon Cahoon } else if (MRI.isAllocatable(Reg)) { 1477254f889dSBrendon Cahoon for (MCRegUnitIterator Units(Reg, TRI); Units.isValid(); ++Units) 1478254f889dSBrendon Cahoon if (!Uses.count(*Units)) 147991b5cf84SKrzysztof Parzyszek LiveOutRegs.push_back(RegisterMaskPair(*Units, 148091b5cf84SKrzysztof Parzyszek LaneBitmask::getNone())); 1481254f889dSBrendon Cahoon } 1482254f889dSBrendon Cahoon } 1483254f889dSBrendon Cahoon RPTracker.addLiveRegs(LiveOutRegs); 1484254f889dSBrendon Cahoon } 1485254f889dSBrendon Cahoon 1486254f889dSBrendon Cahoon /// A heuristic to filter nodes in recurrent node-sets if the register 1487254f889dSBrendon Cahoon /// pressure of a set is too high. 1488254f889dSBrendon Cahoon void SwingSchedulerDAG::registerPressureFilter(NodeSetType &NodeSets) { 1489254f889dSBrendon Cahoon for (auto &NS : NodeSets) { 1490254f889dSBrendon Cahoon // Skip small node-sets since they won't cause register pressure problems. 1491254f889dSBrendon Cahoon if (NS.size() <= 2) 1492254f889dSBrendon Cahoon continue; 1493254f889dSBrendon Cahoon IntervalPressure RecRegPressure; 1494254f889dSBrendon Cahoon RegPressureTracker RecRPTracker(RecRegPressure); 1495254f889dSBrendon Cahoon RecRPTracker.init(&MF, &RegClassInfo, &LIS, BB, BB->end(), false, true); 1496254f889dSBrendon Cahoon computeLiveOuts(MF, RecRPTracker, NS); 1497254f889dSBrendon Cahoon RecRPTracker.closeBottom(); 1498254f889dSBrendon Cahoon 1499254f889dSBrendon Cahoon std::vector<SUnit *> SUnits(NS.begin(), NS.end()); 15000cac726aSFangrui Song llvm::sort(SUnits, [](const SUnit *A, const SUnit *B) { 1501254f889dSBrendon Cahoon return A->NodeNum > B->NodeNum; 1502254f889dSBrendon Cahoon }); 1503254f889dSBrendon Cahoon 1504254f889dSBrendon Cahoon for (auto &SU : SUnits) { 1505254f889dSBrendon Cahoon // Since we're computing the register pressure for a subset of the 1506254f889dSBrendon Cahoon // instructions in a block, we need to set the tracker for each 1507254f889dSBrendon Cahoon // instruction in the node-set. The tracker is set to the instruction 1508254f889dSBrendon Cahoon // just after the one we're interested in. 1509254f889dSBrendon Cahoon MachineBasicBlock::const_iterator CurInstI = SU->getInstr(); 1510254f889dSBrendon Cahoon RecRPTracker.setPos(std::next(CurInstI)); 1511254f889dSBrendon Cahoon 1512254f889dSBrendon Cahoon RegPressureDelta RPDelta; 1513254f889dSBrendon Cahoon ArrayRef<PressureChange> CriticalPSets; 1514254f889dSBrendon Cahoon RecRPTracker.getMaxUpwardPressureDelta(SU->getInstr(), nullptr, RPDelta, 1515254f889dSBrendon Cahoon CriticalPSets, 1516254f889dSBrendon Cahoon RecRegPressure.MaxSetPressure); 1517254f889dSBrendon Cahoon if (RPDelta.Excess.isValid()) { 1518d34e60caSNicola Zaghen LLVM_DEBUG( 1519d34e60caSNicola Zaghen dbgs() << "Excess register pressure: SU(" << SU->NodeNum << ") " 1520254f889dSBrendon Cahoon << TRI->getRegPressureSetName(RPDelta.Excess.getPSet()) 1521254f889dSBrendon Cahoon << ":" << RPDelta.Excess.getUnitInc()); 1522254f889dSBrendon Cahoon NS.setExceedPressure(SU); 1523254f889dSBrendon Cahoon break; 1524254f889dSBrendon Cahoon } 1525254f889dSBrendon Cahoon RecRPTracker.recede(); 1526254f889dSBrendon Cahoon } 1527254f889dSBrendon Cahoon } 1528254f889dSBrendon Cahoon } 1529254f889dSBrendon Cahoon 1530254f889dSBrendon Cahoon /// A heuristic to colocate node sets that have the same set of 1531254f889dSBrendon Cahoon /// successors. 1532254f889dSBrendon Cahoon void SwingSchedulerDAG::colocateNodeSets(NodeSetType &NodeSets) { 1533254f889dSBrendon Cahoon unsigned Colocate = 0; 1534254f889dSBrendon Cahoon for (int i = 0, e = NodeSets.size(); i < e; ++i) { 1535254f889dSBrendon Cahoon NodeSet &N1 = NodeSets[i]; 1536254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> S1; 1537254f889dSBrendon Cahoon if (N1.empty() || !succ_L(N1, S1)) 1538254f889dSBrendon Cahoon continue; 1539254f889dSBrendon Cahoon for (int j = i + 1; j < e; ++j) { 1540254f889dSBrendon Cahoon NodeSet &N2 = NodeSets[j]; 1541254f889dSBrendon Cahoon if (N1.compareRecMII(N2) != 0) 1542254f889dSBrendon Cahoon continue; 1543254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> S2; 1544254f889dSBrendon Cahoon if (N2.empty() || !succ_L(N2, S2)) 1545254f889dSBrendon Cahoon continue; 1546254f889dSBrendon Cahoon if (isSubset(S1, S2) && S1.size() == S2.size()) { 1547254f889dSBrendon Cahoon N1.setColocate(++Colocate); 1548254f889dSBrendon Cahoon N2.setColocate(Colocate); 1549254f889dSBrendon Cahoon break; 1550254f889dSBrendon Cahoon } 1551254f889dSBrendon Cahoon } 1552254f889dSBrendon Cahoon } 1553254f889dSBrendon Cahoon } 1554254f889dSBrendon Cahoon 1555254f889dSBrendon Cahoon /// Check if the existing node-sets are profitable. If not, then ignore the 1556254f889dSBrendon Cahoon /// recurrent node-sets, and attempt to schedule all nodes together. This is 15573ca23341SKrzysztof Parzyszek /// a heuristic. If the MII is large and all the recurrent node-sets are small, 15583ca23341SKrzysztof Parzyszek /// then it's best to try to schedule all instructions together instead of 15593ca23341SKrzysztof Parzyszek /// starting with the recurrent node-sets. 1560254f889dSBrendon Cahoon void SwingSchedulerDAG::checkNodeSets(NodeSetType &NodeSets) { 1561254f889dSBrendon Cahoon // Look for loops with a large MII. 15623ca23341SKrzysztof Parzyszek if (MII < 17) 1563254f889dSBrendon Cahoon return; 1564254f889dSBrendon Cahoon // Check if the node-set contains only a simple add recurrence. 15653ca23341SKrzysztof Parzyszek for (auto &NS : NodeSets) { 15663ca23341SKrzysztof Parzyszek if (NS.getRecMII() > 2) 1567254f889dSBrendon Cahoon return; 15683ca23341SKrzysztof Parzyszek if (NS.getMaxDepth() > MII) 15693ca23341SKrzysztof Parzyszek return; 15703ca23341SKrzysztof Parzyszek } 1571254f889dSBrendon Cahoon NodeSets.clear(); 1572d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "Clear recurrence node-sets\n"); 1573254f889dSBrendon Cahoon return; 1574254f889dSBrendon Cahoon } 1575254f889dSBrendon Cahoon 1576254f889dSBrendon Cahoon /// Add the nodes that do not belong to a recurrence set into groups 1577254f889dSBrendon Cahoon /// based upon connected componenets. 1578254f889dSBrendon Cahoon void SwingSchedulerDAG::groupRemainingNodes(NodeSetType &NodeSets) { 1579254f889dSBrendon Cahoon SetVector<SUnit *> NodesAdded; 1580254f889dSBrendon Cahoon SmallPtrSet<SUnit *, 8> Visited; 1581254f889dSBrendon Cahoon // Add the nodes that are on a path between the previous node sets and 1582254f889dSBrendon Cahoon // the current node set. 1583254f889dSBrendon Cahoon for (NodeSet &I : NodeSets) { 1584254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> N; 1585254f889dSBrendon Cahoon // Add the nodes from the current node set to the previous node set. 1586254f889dSBrendon Cahoon if (succ_L(I, N)) { 1587254f889dSBrendon Cahoon SetVector<SUnit *> Path; 1588254f889dSBrendon Cahoon for (SUnit *NI : N) { 1589254f889dSBrendon Cahoon Visited.clear(); 1590254f889dSBrendon Cahoon computePath(NI, Path, NodesAdded, I, Visited); 1591254f889dSBrendon Cahoon } 159232a40564SEugene Zelenko if (!Path.empty()) 1593254f889dSBrendon Cahoon I.insert(Path.begin(), Path.end()); 1594254f889dSBrendon Cahoon } 1595254f889dSBrendon Cahoon // Add the nodes from the previous node set to the current node set. 1596254f889dSBrendon Cahoon N.clear(); 1597254f889dSBrendon Cahoon if (succ_L(NodesAdded, N)) { 1598254f889dSBrendon Cahoon SetVector<SUnit *> Path; 1599254f889dSBrendon Cahoon for (SUnit *NI : N) { 1600254f889dSBrendon Cahoon Visited.clear(); 1601254f889dSBrendon Cahoon computePath(NI, Path, I, NodesAdded, Visited); 1602254f889dSBrendon Cahoon } 160332a40564SEugene Zelenko if (!Path.empty()) 1604254f889dSBrendon Cahoon I.insert(Path.begin(), Path.end()); 1605254f889dSBrendon Cahoon } 1606254f889dSBrendon Cahoon NodesAdded.insert(I.begin(), I.end()); 1607254f889dSBrendon Cahoon } 1608254f889dSBrendon Cahoon 1609254f889dSBrendon Cahoon // Create a new node set with the connected nodes of any successor of a node 1610254f889dSBrendon Cahoon // in a recurrent set. 1611254f889dSBrendon Cahoon NodeSet NewSet; 1612254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> N; 1613254f889dSBrendon Cahoon if (succ_L(NodesAdded, N)) 1614254f889dSBrendon Cahoon for (SUnit *I : N) 1615254f889dSBrendon Cahoon addConnectedNodes(I, NewSet, NodesAdded); 161632a40564SEugene Zelenko if (!NewSet.empty()) 1617254f889dSBrendon Cahoon NodeSets.push_back(NewSet); 1618254f889dSBrendon Cahoon 1619254f889dSBrendon Cahoon // Create a new node set with the connected nodes of any predecessor of a node 1620254f889dSBrendon Cahoon // in a recurrent set. 1621254f889dSBrendon Cahoon NewSet.clear(); 1622254f889dSBrendon Cahoon if (pred_L(NodesAdded, N)) 1623254f889dSBrendon Cahoon for (SUnit *I : N) 1624254f889dSBrendon Cahoon addConnectedNodes(I, NewSet, NodesAdded); 162532a40564SEugene Zelenko if (!NewSet.empty()) 1626254f889dSBrendon Cahoon NodeSets.push_back(NewSet); 1627254f889dSBrendon Cahoon 1628372ffa15SHiroshi Inoue // Create new nodes sets with the connected nodes any remaining node that 1629254f889dSBrendon Cahoon // has no predecessor. 1630254f889dSBrendon Cahoon for (unsigned i = 0; i < SUnits.size(); ++i) { 1631254f889dSBrendon Cahoon SUnit *SU = &SUnits[i]; 1632254f889dSBrendon Cahoon if (NodesAdded.count(SU) == 0) { 1633254f889dSBrendon Cahoon NewSet.clear(); 1634254f889dSBrendon Cahoon addConnectedNodes(SU, NewSet, NodesAdded); 163532a40564SEugene Zelenko if (!NewSet.empty()) 1636254f889dSBrendon Cahoon NodeSets.push_back(NewSet); 1637254f889dSBrendon Cahoon } 1638254f889dSBrendon Cahoon } 1639254f889dSBrendon Cahoon } 1640254f889dSBrendon Cahoon 164131f47b81SAlexey Lapshin /// Add the node to the set, and add all of its connected nodes to the set. 1642254f889dSBrendon Cahoon void SwingSchedulerDAG::addConnectedNodes(SUnit *SU, NodeSet &NewSet, 1643254f889dSBrendon Cahoon SetVector<SUnit *> &NodesAdded) { 1644254f889dSBrendon Cahoon NewSet.insert(SU); 1645254f889dSBrendon Cahoon NodesAdded.insert(SU); 1646254f889dSBrendon Cahoon for (auto &SI : SU->Succs) { 1647254f889dSBrendon Cahoon SUnit *Successor = SI.getSUnit(); 1648254f889dSBrendon Cahoon if (!SI.isArtificial() && NodesAdded.count(Successor) == 0) 1649254f889dSBrendon Cahoon addConnectedNodes(Successor, NewSet, NodesAdded); 1650254f889dSBrendon Cahoon } 1651254f889dSBrendon Cahoon for (auto &PI : SU->Preds) { 1652254f889dSBrendon Cahoon SUnit *Predecessor = PI.getSUnit(); 1653254f889dSBrendon Cahoon if (!PI.isArtificial() && NodesAdded.count(Predecessor) == 0) 1654254f889dSBrendon Cahoon addConnectedNodes(Predecessor, NewSet, NodesAdded); 1655254f889dSBrendon Cahoon } 1656254f889dSBrendon Cahoon } 1657254f889dSBrendon Cahoon 1658254f889dSBrendon Cahoon /// Return true if Set1 contains elements in Set2. The elements in common 1659254f889dSBrendon Cahoon /// are returned in a different container. 1660254f889dSBrendon Cahoon static bool isIntersect(SmallSetVector<SUnit *, 8> &Set1, const NodeSet &Set2, 1661254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> &Result) { 1662254f889dSBrendon Cahoon Result.clear(); 1663254f889dSBrendon Cahoon for (unsigned i = 0, e = Set1.size(); i != e; ++i) { 1664254f889dSBrendon Cahoon SUnit *SU = Set1[i]; 1665254f889dSBrendon Cahoon if (Set2.count(SU) != 0) 1666254f889dSBrendon Cahoon Result.insert(SU); 1667254f889dSBrendon Cahoon } 1668254f889dSBrendon Cahoon return !Result.empty(); 1669254f889dSBrendon Cahoon } 1670254f889dSBrendon Cahoon 1671254f889dSBrendon Cahoon /// Merge the recurrence node sets that have the same initial node. 1672254f889dSBrendon Cahoon void SwingSchedulerDAG::fuseRecs(NodeSetType &NodeSets) { 1673254f889dSBrendon Cahoon for (NodeSetType::iterator I = NodeSets.begin(), E = NodeSets.end(); I != E; 1674254f889dSBrendon Cahoon ++I) { 1675254f889dSBrendon Cahoon NodeSet &NI = *I; 1676254f889dSBrendon Cahoon for (NodeSetType::iterator J = I + 1; J != E;) { 1677254f889dSBrendon Cahoon NodeSet &NJ = *J; 1678254f889dSBrendon Cahoon if (NI.getNode(0)->NodeNum == NJ.getNode(0)->NodeNum) { 1679254f889dSBrendon Cahoon if (NJ.compareRecMII(NI) > 0) 1680254f889dSBrendon Cahoon NI.setRecMII(NJ.getRecMII()); 1681254f889dSBrendon Cahoon for (NodeSet::iterator NII = J->begin(), ENI = J->end(); NII != ENI; 1682254f889dSBrendon Cahoon ++NII) 1683254f889dSBrendon Cahoon I->insert(*NII); 1684254f889dSBrendon Cahoon NodeSets.erase(J); 1685254f889dSBrendon Cahoon E = NodeSets.end(); 1686254f889dSBrendon Cahoon } else { 1687254f889dSBrendon Cahoon ++J; 1688254f889dSBrendon Cahoon } 1689254f889dSBrendon Cahoon } 1690254f889dSBrendon Cahoon } 1691254f889dSBrendon Cahoon } 1692254f889dSBrendon Cahoon 1693254f889dSBrendon Cahoon /// Remove nodes that have been scheduled in previous NodeSets. 1694254f889dSBrendon Cahoon void SwingSchedulerDAG::removeDuplicateNodes(NodeSetType &NodeSets) { 1695254f889dSBrendon Cahoon for (NodeSetType::iterator I = NodeSets.begin(), E = NodeSets.end(); I != E; 1696254f889dSBrendon Cahoon ++I) 1697254f889dSBrendon Cahoon for (NodeSetType::iterator J = I + 1; J != E;) { 1698254f889dSBrendon Cahoon J->remove_if([&](SUnit *SUJ) { return I->count(SUJ); }); 1699254f889dSBrendon Cahoon 170032a40564SEugene Zelenko if (J->empty()) { 1701254f889dSBrendon Cahoon NodeSets.erase(J); 1702254f889dSBrendon Cahoon E = NodeSets.end(); 1703254f889dSBrendon Cahoon } else { 1704254f889dSBrendon Cahoon ++J; 1705254f889dSBrendon Cahoon } 1706254f889dSBrendon Cahoon } 1707254f889dSBrendon Cahoon } 1708254f889dSBrendon Cahoon 1709254f889dSBrendon Cahoon /// Compute an ordered list of the dependence graph nodes, which 1710254f889dSBrendon Cahoon /// indicates the order that the nodes will be scheduled. This is a 1711254f889dSBrendon Cahoon /// two-level algorithm. First, a partial order is created, which 1712254f889dSBrendon Cahoon /// consists of a list of sets ordered from highest to lowest priority. 1713254f889dSBrendon Cahoon void SwingSchedulerDAG::computeNodeOrder(NodeSetType &NodeSets) { 1714254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> R; 1715254f889dSBrendon Cahoon NodeOrder.clear(); 1716254f889dSBrendon Cahoon 1717254f889dSBrendon Cahoon for (auto &Nodes : NodeSets) { 1718d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "NodeSet size " << Nodes.size() << "\n"); 1719254f889dSBrendon Cahoon OrderKind Order; 1720254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> N; 1721254f889dSBrendon Cahoon if (pred_L(NodeOrder, N) && isSubset(N, Nodes)) { 1722254f889dSBrendon Cahoon R.insert(N.begin(), N.end()); 1723254f889dSBrendon Cahoon Order = BottomUp; 1724d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << " Bottom up (preds) "); 1725254f889dSBrendon Cahoon } else if (succ_L(NodeOrder, N) && isSubset(N, Nodes)) { 1726254f889dSBrendon Cahoon R.insert(N.begin(), N.end()); 1727254f889dSBrendon Cahoon Order = TopDown; 1728d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << " Top down (succs) "); 1729254f889dSBrendon Cahoon } else if (isIntersect(N, Nodes, R)) { 1730254f889dSBrendon Cahoon // If some of the successors are in the existing node-set, then use the 1731254f889dSBrendon Cahoon // top-down ordering. 1732254f889dSBrendon Cahoon Order = TopDown; 1733d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << " Top down (intersect) "); 1734254f889dSBrendon Cahoon } else if (NodeSets.size() == 1) { 1735254f889dSBrendon Cahoon for (auto &N : Nodes) 1736254f889dSBrendon Cahoon if (N->Succs.size() == 0) 1737254f889dSBrendon Cahoon R.insert(N); 1738254f889dSBrendon Cahoon Order = BottomUp; 1739d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << " Bottom up (all) "); 1740254f889dSBrendon Cahoon } else { 1741254f889dSBrendon Cahoon // Find the node with the highest ASAP. 1742254f889dSBrendon Cahoon SUnit *maxASAP = nullptr; 1743254f889dSBrendon Cahoon for (SUnit *SU : Nodes) { 1744a2122044SKrzysztof Parzyszek if (maxASAP == nullptr || getASAP(SU) > getASAP(maxASAP) || 1745a2122044SKrzysztof Parzyszek (getASAP(SU) == getASAP(maxASAP) && SU->NodeNum > maxASAP->NodeNum)) 1746254f889dSBrendon Cahoon maxASAP = SU; 1747254f889dSBrendon Cahoon } 1748254f889dSBrendon Cahoon R.insert(maxASAP); 1749254f889dSBrendon Cahoon Order = BottomUp; 1750d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << " Bottom up (default) "); 1751254f889dSBrendon Cahoon } 1752254f889dSBrendon Cahoon 1753254f889dSBrendon Cahoon while (!R.empty()) { 1754254f889dSBrendon Cahoon if (Order == TopDown) { 1755254f889dSBrendon Cahoon // Choose the node with the maximum height. If more than one, choose 1756a2122044SKrzysztof Parzyszek // the node wiTH the maximum ZeroLatencyHeight. If still more than one, 17574b8bcf00SRoorda, Jan-Willem // choose the node with the lowest MOV. 1758254f889dSBrendon Cahoon while (!R.empty()) { 1759254f889dSBrendon Cahoon SUnit *maxHeight = nullptr; 1760254f889dSBrendon Cahoon for (SUnit *I : R) { 1761cdc71612SEugene Zelenko if (maxHeight == nullptr || getHeight(I) > getHeight(maxHeight)) 1762254f889dSBrendon Cahoon maxHeight = I; 1763254f889dSBrendon Cahoon else if (getHeight(I) == getHeight(maxHeight) && 17644b8bcf00SRoorda, Jan-Willem getZeroLatencyHeight(I) > getZeroLatencyHeight(maxHeight)) 1765254f889dSBrendon Cahoon maxHeight = I; 17664b8bcf00SRoorda, Jan-Willem else if (getHeight(I) == getHeight(maxHeight) && 17674b8bcf00SRoorda, Jan-Willem getZeroLatencyHeight(I) == 17684b8bcf00SRoorda, Jan-Willem getZeroLatencyHeight(maxHeight) && 17694b8bcf00SRoorda, Jan-Willem getMOV(I) < getMOV(maxHeight)) 1770254f889dSBrendon Cahoon maxHeight = I; 1771254f889dSBrendon Cahoon } 1772254f889dSBrendon Cahoon NodeOrder.insert(maxHeight); 1773d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << maxHeight->NodeNum << " "); 1774254f889dSBrendon Cahoon R.remove(maxHeight); 1775254f889dSBrendon Cahoon for (const auto &I : maxHeight->Succs) { 1776254f889dSBrendon Cahoon if (Nodes.count(I.getSUnit()) == 0) 1777254f889dSBrendon Cahoon continue; 1778254f889dSBrendon Cahoon if (NodeOrder.count(I.getSUnit()) != 0) 1779254f889dSBrendon Cahoon continue; 1780254f889dSBrendon Cahoon if (ignoreDependence(I, false)) 1781254f889dSBrendon Cahoon continue; 1782254f889dSBrendon Cahoon R.insert(I.getSUnit()); 1783254f889dSBrendon Cahoon } 1784254f889dSBrendon Cahoon // Back-edges are predecessors with an anti-dependence. 1785254f889dSBrendon Cahoon for (const auto &I : maxHeight->Preds) { 1786254f889dSBrendon Cahoon if (I.getKind() != SDep::Anti) 1787254f889dSBrendon Cahoon continue; 1788254f889dSBrendon Cahoon if (Nodes.count(I.getSUnit()) == 0) 1789254f889dSBrendon Cahoon continue; 1790254f889dSBrendon Cahoon if (NodeOrder.count(I.getSUnit()) != 0) 1791254f889dSBrendon Cahoon continue; 1792254f889dSBrendon Cahoon R.insert(I.getSUnit()); 1793254f889dSBrendon Cahoon } 1794254f889dSBrendon Cahoon } 1795254f889dSBrendon Cahoon Order = BottomUp; 1796d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "\n Switching order to bottom up "); 1797254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> N; 1798254f889dSBrendon Cahoon if (pred_L(NodeOrder, N, &Nodes)) 1799254f889dSBrendon Cahoon R.insert(N.begin(), N.end()); 1800254f889dSBrendon Cahoon } else { 1801254f889dSBrendon Cahoon // Choose the node with the maximum depth. If more than one, choose 18024b8bcf00SRoorda, Jan-Willem // the node with the maximum ZeroLatencyDepth. If still more than one, 18034b8bcf00SRoorda, Jan-Willem // choose the node with the lowest MOV. 1804254f889dSBrendon Cahoon while (!R.empty()) { 1805254f889dSBrendon Cahoon SUnit *maxDepth = nullptr; 1806254f889dSBrendon Cahoon for (SUnit *I : R) { 1807cdc71612SEugene Zelenko if (maxDepth == nullptr || getDepth(I) > getDepth(maxDepth)) 1808254f889dSBrendon Cahoon maxDepth = I; 1809254f889dSBrendon Cahoon else if (getDepth(I) == getDepth(maxDepth) && 18104b8bcf00SRoorda, Jan-Willem getZeroLatencyDepth(I) > getZeroLatencyDepth(maxDepth)) 1811254f889dSBrendon Cahoon maxDepth = I; 18124b8bcf00SRoorda, Jan-Willem else if (getDepth(I) == getDepth(maxDepth) && 18134b8bcf00SRoorda, Jan-Willem getZeroLatencyDepth(I) == getZeroLatencyDepth(maxDepth) && 18144b8bcf00SRoorda, Jan-Willem getMOV(I) < getMOV(maxDepth)) 1815254f889dSBrendon Cahoon maxDepth = I; 1816254f889dSBrendon Cahoon } 1817254f889dSBrendon Cahoon NodeOrder.insert(maxDepth); 1818d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << maxDepth->NodeNum << " "); 1819254f889dSBrendon Cahoon R.remove(maxDepth); 1820254f889dSBrendon Cahoon if (Nodes.isExceedSU(maxDepth)) { 1821254f889dSBrendon Cahoon Order = TopDown; 1822254f889dSBrendon Cahoon R.clear(); 1823254f889dSBrendon Cahoon R.insert(Nodes.getNode(0)); 1824254f889dSBrendon Cahoon break; 1825254f889dSBrendon Cahoon } 1826254f889dSBrendon Cahoon for (const auto &I : maxDepth->Preds) { 1827254f889dSBrendon Cahoon if (Nodes.count(I.getSUnit()) == 0) 1828254f889dSBrendon Cahoon continue; 1829254f889dSBrendon Cahoon if (NodeOrder.count(I.getSUnit()) != 0) 1830254f889dSBrendon Cahoon continue; 1831254f889dSBrendon Cahoon R.insert(I.getSUnit()); 1832254f889dSBrendon Cahoon } 1833254f889dSBrendon Cahoon // Back-edges are predecessors with an anti-dependence. 1834254f889dSBrendon Cahoon for (const auto &I : maxDepth->Succs) { 1835254f889dSBrendon Cahoon if (I.getKind() != SDep::Anti) 1836254f889dSBrendon Cahoon continue; 1837254f889dSBrendon Cahoon if (Nodes.count(I.getSUnit()) == 0) 1838254f889dSBrendon Cahoon continue; 1839254f889dSBrendon Cahoon if (NodeOrder.count(I.getSUnit()) != 0) 1840254f889dSBrendon Cahoon continue; 1841254f889dSBrendon Cahoon R.insert(I.getSUnit()); 1842254f889dSBrendon Cahoon } 1843254f889dSBrendon Cahoon } 1844254f889dSBrendon Cahoon Order = TopDown; 1845d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "\n Switching order to top down "); 1846254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> N; 1847254f889dSBrendon Cahoon if (succ_L(NodeOrder, N, &Nodes)) 1848254f889dSBrendon Cahoon R.insert(N.begin(), N.end()); 1849254f889dSBrendon Cahoon } 1850254f889dSBrendon Cahoon } 1851d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "\nDone with Nodeset\n"); 1852254f889dSBrendon Cahoon } 1853254f889dSBrendon Cahoon 1854d34e60caSNicola Zaghen LLVM_DEBUG({ 1855254f889dSBrendon Cahoon dbgs() << "Node order: "; 1856254f889dSBrendon Cahoon for (SUnit *I : NodeOrder) 1857254f889dSBrendon Cahoon dbgs() << " " << I->NodeNum << " "; 1858254f889dSBrendon Cahoon dbgs() << "\n"; 1859254f889dSBrendon Cahoon }); 1860254f889dSBrendon Cahoon } 1861254f889dSBrendon Cahoon 1862254f889dSBrendon Cahoon /// Process the nodes in the computed order and create the pipelined schedule 1863254f889dSBrendon Cahoon /// of the instructions, if possible. Return true if a schedule is found. 1864254f889dSBrendon Cahoon bool SwingSchedulerDAG::schedulePipeline(SMSchedule &Schedule) { 186532a40564SEugene Zelenko if (NodeOrder.empty()) 1866254f889dSBrendon Cahoon return false; 1867254f889dSBrendon Cahoon 1868254f889dSBrendon Cahoon bool scheduleFound = false; 186959d99731SBrendon Cahoon unsigned II = 0; 1870254f889dSBrendon Cahoon // Keep increasing II until a valid schedule is found. 187159d99731SBrendon Cahoon for (II = MII; II <= MAX_II && !scheduleFound; ++II) { 1872254f889dSBrendon Cahoon Schedule.reset(); 1873254f889dSBrendon Cahoon Schedule.setInitiationInterval(II); 1874d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "Try to schedule with " << II << "\n"); 1875254f889dSBrendon Cahoon 1876254f889dSBrendon Cahoon SetVector<SUnit *>::iterator NI = NodeOrder.begin(); 1877254f889dSBrendon Cahoon SetVector<SUnit *>::iterator NE = NodeOrder.end(); 1878254f889dSBrendon Cahoon do { 1879254f889dSBrendon Cahoon SUnit *SU = *NI; 1880254f889dSBrendon Cahoon 1881254f889dSBrendon Cahoon // Compute the schedule time for the instruction, which is based 1882254f889dSBrendon Cahoon // upon the scheduled time for any predecessors/successors. 1883254f889dSBrendon Cahoon int EarlyStart = INT_MIN; 1884254f889dSBrendon Cahoon int LateStart = INT_MAX; 1885254f889dSBrendon Cahoon // These values are set when the size of the schedule window is limited 1886254f889dSBrendon Cahoon // due to chain dependences. 1887254f889dSBrendon Cahoon int SchedEnd = INT_MAX; 1888254f889dSBrendon Cahoon int SchedStart = INT_MIN; 1889254f889dSBrendon Cahoon Schedule.computeStart(SU, &EarlyStart, &LateStart, &SchedEnd, &SchedStart, 1890254f889dSBrendon Cahoon II, this); 1891d34e60caSNicola Zaghen LLVM_DEBUG({ 1892254f889dSBrendon Cahoon dbgs() << "Inst (" << SU->NodeNum << ") "; 1893254f889dSBrendon Cahoon SU->getInstr()->dump(); 1894254f889dSBrendon Cahoon dbgs() << "\n"; 1895254f889dSBrendon Cahoon }); 1896d34e60caSNicola Zaghen LLVM_DEBUG({ 1897254f889dSBrendon Cahoon dbgs() << "\tes: " << EarlyStart << " ls: " << LateStart 1898254f889dSBrendon Cahoon << " me: " << SchedEnd << " ms: " << SchedStart << "\n"; 1899254f889dSBrendon Cahoon }); 1900254f889dSBrendon Cahoon 1901254f889dSBrendon Cahoon if (EarlyStart > LateStart || SchedEnd < EarlyStart || 1902254f889dSBrendon Cahoon SchedStart > LateStart) 1903254f889dSBrendon Cahoon scheduleFound = false; 1904254f889dSBrendon Cahoon else if (EarlyStart != INT_MIN && LateStart == INT_MAX) { 1905254f889dSBrendon Cahoon SchedEnd = std::min(SchedEnd, EarlyStart + (int)II - 1); 1906254f889dSBrendon Cahoon scheduleFound = Schedule.insert(SU, EarlyStart, SchedEnd, II); 1907254f889dSBrendon Cahoon } else if (EarlyStart == INT_MIN && LateStart != INT_MAX) { 1908254f889dSBrendon Cahoon SchedStart = std::max(SchedStart, LateStart - (int)II + 1); 1909254f889dSBrendon Cahoon scheduleFound = Schedule.insert(SU, LateStart, SchedStart, II); 1910254f889dSBrendon Cahoon } else if (EarlyStart != INT_MIN && LateStart != INT_MAX) { 1911254f889dSBrendon Cahoon SchedEnd = 1912254f889dSBrendon Cahoon std::min(SchedEnd, std::min(LateStart, EarlyStart + (int)II - 1)); 1913254f889dSBrendon Cahoon // When scheduling a Phi it is better to start at the late cycle and go 1914254f889dSBrendon Cahoon // backwards. The default order may insert the Phi too far away from 1915254f889dSBrendon Cahoon // its first dependence. 1916254f889dSBrendon Cahoon if (SU->getInstr()->isPHI()) 1917254f889dSBrendon Cahoon scheduleFound = Schedule.insert(SU, SchedEnd, EarlyStart, II); 1918254f889dSBrendon Cahoon else 1919254f889dSBrendon Cahoon scheduleFound = Schedule.insert(SU, EarlyStart, SchedEnd, II); 1920254f889dSBrendon Cahoon } else { 1921254f889dSBrendon Cahoon int FirstCycle = Schedule.getFirstCycle(); 1922254f889dSBrendon Cahoon scheduleFound = Schedule.insert(SU, FirstCycle + getASAP(SU), 1923254f889dSBrendon Cahoon FirstCycle + getASAP(SU) + II - 1, II); 1924254f889dSBrendon Cahoon } 1925254f889dSBrendon Cahoon // Even if we find a schedule, make sure the schedule doesn't exceed the 1926254f889dSBrendon Cahoon // allowable number of stages. We keep trying if this happens. 1927254f889dSBrendon Cahoon if (scheduleFound) 1928254f889dSBrendon Cahoon if (SwpMaxStages > -1 && 1929254f889dSBrendon Cahoon Schedule.getMaxStageCount() > (unsigned)SwpMaxStages) 1930254f889dSBrendon Cahoon scheduleFound = false; 1931254f889dSBrendon Cahoon 1932d34e60caSNicola Zaghen LLVM_DEBUG({ 1933254f889dSBrendon Cahoon if (!scheduleFound) 1934254f889dSBrendon Cahoon dbgs() << "\tCan't schedule\n"; 1935254f889dSBrendon Cahoon }); 1936254f889dSBrendon Cahoon } while (++NI != NE && scheduleFound); 1937254f889dSBrendon Cahoon 1938254f889dSBrendon Cahoon // If a schedule is found, check if it is a valid schedule too. 1939254f889dSBrendon Cahoon if (scheduleFound) 1940254f889dSBrendon Cahoon scheduleFound = Schedule.isValidSchedule(this); 1941254f889dSBrendon Cahoon } 1942254f889dSBrendon Cahoon 194359d99731SBrendon Cahoon LLVM_DEBUG(dbgs() << "Schedule Found? " << scheduleFound << " (II=" << II 194459d99731SBrendon Cahoon << ")\n"); 1945254f889dSBrendon Cahoon 1946254f889dSBrendon Cahoon if (scheduleFound) 1947254f889dSBrendon Cahoon Schedule.finalizeSchedule(this); 1948254f889dSBrendon Cahoon else 1949254f889dSBrendon Cahoon Schedule.reset(); 1950254f889dSBrendon Cahoon 1951254f889dSBrendon Cahoon return scheduleFound && Schedule.getMaxStageCount() > 0; 1952254f889dSBrendon Cahoon } 1953254f889dSBrendon Cahoon 1954254f889dSBrendon Cahoon /// Given a schedule for the loop, generate a new version of the loop, 1955254f889dSBrendon Cahoon /// and replace the old version. This function generates a prolog 1956254f889dSBrendon Cahoon /// that contains the initial iterations in the pipeline, and kernel 1957254f889dSBrendon Cahoon /// loop, and the epilogue that contains the code for the final 1958254f889dSBrendon Cahoon /// iterations. 1959254f889dSBrendon Cahoon void SwingSchedulerDAG::generatePipelinedLoop(SMSchedule &Schedule) { 1960254f889dSBrendon Cahoon // Create a new basic block for the kernel and add it to the CFG. 1961254f889dSBrendon Cahoon MachineBasicBlock *KernelBB = MF.CreateMachineBasicBlock(BB->getBasicBlock()); 1962254f889dSBrendon Cahoon 1963254f889dSBrendon Cahoon unsigned MaxStageCount = Schedule.getMaxStageCount(); 1964254f889dSBrendon Cahoon 1965254f889dSBrendon Cahoon // Remember the registers that are used in different stages. The index is 1966254f889dSBrendon Cahoon // the iteration, or stage, that the instruction is scheduled in. This is 1967c73b6d6bSHiroshi Inoue // a map between register names in the original block and the names created 1968254f889dSBrendon Cahoon // in each stage of the pipelined loop. 1969254f889dSBrendon Cahoon ValueMapTy *VRMap = new ValueMapTy[(MaxStageCount + 1) * 2]; 1970254f889dSBrendon Cahoon InstrMapTy InstrMap; 1971254f889dSBrendon Cahoon 1972254f889dSBrendon Cahoon SmallVector<MachineBasicBlock *, 4> PrologBBs; 1973254f889dSBrendon Cahoon // Generate the prolog instructions that set up the pipeline. 1974254f889dSBrendon Cahoon generateProlog(Schedule, MaxStageCount, KernelBB, VRMap, PrologBBs); 1975254f889dSBrendon Cahoon MF.insert(BB->getIterator(), KernelBB); 1976254f889dSBrendon Cahoon 1977254f889dSBrendon Cahoon // Rearrange the instructions to generate the new, pipelined loop, 1978254f889dSBrendon Cahoon // and update register names as needed. 1979254f889dSBrendon Cahoon for (int Cycle = Schedule.getFirstCycle(), 1980254f889dSBrendon Cahoon LastCycle = Schedule.getFinalCycle(); 1981254f889dSBrendon Cahoon Cycle <= LastCycle; ++Cycle) { 1982254f889dSBrendon Cahoon std::deque<SUnit *> &CycleInstrs = Schedule.getInstructions(Cycle); 1983254f889dSBrendon Cahoon // This inner loop schedules each instruction in the cycle. 1984254f889dSBrendon Cahoon for (SUnit *CI : CycleInstrs) { 1985254f889dSBrendon Cahoon if (CI->getInstr()->isPHI()) 1986254f889dSBrendon Cahoon continue; 1987254f889dSBrendon Cahoon unsigned StageNum = Schedule.stageScheduled(getSUnit(CI->getInstr())); 1988254f889dSBrendon Cahoon MachineInstr *NewMI = cloneInstr(CI->getInstr(), MaxStageCount, StageNum); 1989254f889dSBrendon Cahoon updateInstruction(NewMI, false, MaxStageCount, StageNum, Schedule, VRMap); 1990254f889dSBrendon Cahoon KernelBB->push_back(NewMI); 1991254f889dSBrendon Cahoon InstrMap[NewMI] = CI->getInstr(); 1992254f889dSBrendon Cahoon } 1993254f889dSBrendon Cahoon } 1994254f889dSBrendon Cahoon 1995254f889dSBrendon Cahoon // Copy any terminator instructions to the new kernel, and update 1996254f889dSBrendon Cahoon // names as needed. 1997254f889dSBrendon Cahoon for (MachineBasicBlock::iterator I = BB->getFirstTerminator(), 1998254f889dSBrendon Cahoon E = BB->instr_end(); 1999254f889dSBrendon Cahoon I != E; ++I) { 2000254f889dSBrendon Cahoon MachineInstr *NewMI = MF.CloneMachineInstr(&*I); 2001254f889dSBrendon Cahoon updateInstruction(NewMI, false, MaxStageCount, 0, Schedule, VRMap); 2002254f889dSBrendon Cahoon KernelBB->push_back(NewMI); 2003254f889dSBrendon Cahoon InstrMap[NewMI] = &*I; 2004254f889dSBrendon Cahoon } 2005254f889dSBrendon Cahoon 2006254f889dSBrendon Cahoon KernelBB->transferSuccessors(BB); 2007254f889dSBrendon Cahoon KernelBB->replaceSuccessor(BB, KernelBB); 2008254f889dSBrendon Cahoon 2009254f889dSBrendon Cahoon generateExistingPhis(KernelBB, PrologBBs.back(), KernelBB, KernelBB, Schedule, 2010254f889dSBrendon Cahoon VRMap, InstrMap, MaxStageCount, MaxStageCount, false); 2011254f889dSBrendon Cahoon generatePhis(KernelBB, PrologBBs.back(), KernelBB, KernelBB, Schedule, VRMap, 2012254f889dSBrendon Cahoon InstrMap, MaxStageCount, MaxStageCount, false); 2013254f889dSBrendon Cahoon 2014d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "New block\n"; KernelBB->dump();); 2015254f889dSBrendon Cahoon 2016254f889dSBrendon Cahoon SmallVector<MachineBasicBlock *, 4> EpilogBBs; 2017254f889dSBrendon Cahoon // Generate the epilog instructions to complete the pipeline. 2018254f889dSBrendon Cahoon generateEpilog(Schedule, MaxStageCount, KernelBB, VRMap, EpilogBBs, 2019254f889dSBrendon Cahoon PrologBBs); 2020254f889dSBrendon Cahoon 2021254f889dSBrendon Cahoon // We need this step because the register allocation doesn't handle some 2022254f889dSBrendon Cahoon // situations well, so we insert copies to help out. 2023254f889dSBrendon Cahoon splitLifetimes(KernelBB, EpilogBBs, Schedule); 2024254f889dSBrendon Cahoon 2025254f889dSBrendon Cahoon // Remove dead instructions due to loop induction variables. 2026254f889dSBrendon Cahoon removeDeadInstructions(KernelBB, EpilogBBs); 2027254f889dSBrendon Cahoon 2028254f889dSBrendon Cahoon // Add branches between prolog and epilog blocks. 2029254f889dSBrendon Cahoon addBranches(PrologBBs, KernelBB, EpilogBBs, Schedule, VRMap); 2030254f889dSBrendon Cahoon 2031254f889dSBrendon Cahoon // Remove the original loop since it's no longer referenced. 2032c715a5d2SKrzysztof Parzyszek for (auto &I : *BB) 2033c715a5d2SKrzysztof Parzyszek LIS.RemoveMachineInstrFromMaps(I); 2034254f889dSBrendon Cahoon BB->clear(); 2035254f889dSBrendon Cahoon BB->eraseFromParent(); 2036254f889dSBrendon Cahoon 2037254f889dSBrendon Cahoon delete[] VRMap; 2038254f889dSBrendon Cahoon } 2039254f889dSBrendon Cahoon 2040254f889dSBrendon Cahoon /// Generate the pipeline prolog code. 2041254f889dSBrendon Cahoon void SwingSchedulerDAG::generateProlog(SMSchedule &Schedule, unsigned LastStage, 2042254f889dSBrendon Cahoon MachineBasicBlock *KernelBB, 2043254f889dSBrendon Cahoon ValueMapTy *VRMap, 2044254f889dSBrendon Cahoon MBBVectorTy &PrologBBs) { 2045254f889dSBrendon Cahoon MachineBasicBlock *PreheaderBB = MLI->getLoopFor(BB)->getLoopPreheader(); 204632a40564SEugene Zelenko assert(PreheaderBB != nullptr && 2047254f889dSBrendon Cahoon "Need to add code to handle loops w/o preheader"); 2048254f889dSBrendon Cahoon MachineBasicBlock *PredBB = PreheaderBB; 2049254f889dSBrendon Cahoon InstrMapTy InstrMap; 2050254f889dSBrendon Cahoon 2051254f889dSBrendon Cahoon // Generate a basic block for each stage, not including the last stage, 2052254f889dSBrendon Cahoon // which will be generated in the kernel. Each basic block may contain 2053254f889dSBrendon Cahoon // instructions from multiple stages/iterations. 2054254f889dSBrendon Cahoon for (unsigned i = 0; i < LastStage; ++i) { 2055254f889dSBrendon Cahoon // Create and insert the prolog basic block prior to the original loop 2056254f889dSBrendon Cahoon // basic block. The original loop is removed later. 2057254f889dSBrendon Cahoon MachineBasicBlock *NewBB = MF.CreateMachineBasicBlock(BB->getBasicBlock()); 2058254f889dSBrendon Cahoon PrologBBs.push_back(NewBB); 2059254f889dSBrendon Cahoon MF.insert(BB->getIterator(), NewBB); 2060254f889dSBrendon Cahoon NewBB->transferSuccessors(PredBB); 2061254f889dSBrendon Cahoon PredBB->addSuccessor(NewBB); 2062254f889dSBrendon Cahoon PredBB = NewBB; 2063254f889dSBrendon Cahoon 2064254f889dSBrendon Cahoon // Generate instructions for each appropriate stage. Process instructions 2065254f889dSBrendon Cahoon // in original program order. 2066254f889dSBrendon Cahoon for (int StageNum = i; StageNum >= 0; --StageNum) { 2067254f889dSBrendon Cahoon for (MachineBasicBlock::iterator BBI = BB->instr_begin(), 2068254f889dSBrendon Cahoon BBE = BB->getFirstTerminator(); 2069254f889dSBrendon Cahoon BBI != BBE; ++BBI) { 2070254f889dSBrendon Cahoon if (Schedule.isScheduledAtStage(getSUnit(&*BBI), (unsigned)StageNum)) { 2071254f889dSBrendon Cahoon if (BBI->isPHI()) 2072254f889dSBrendon Cahoon continue; 2073254f889dSBrendon Cahoon MachineInstr *NewMI = 2074254f889dSBrendon Cahoon cloneAndChangeInstr(&*BBI, i, (unsigned)StageNum, Schedule); 2075254f889dSBrendon Cahoon updateInstruction(NewMI, false, i, (unsigned)StageNum, Schedule, 2076254f889dSBrendon Cahoon VRMap); 2077254f889dSBrendon Cahoon NewBB->push_back(NewMI); 2078254f889dSBrendon Cahoon InstrMap[NewMI] = &*BBI; 2079254f889dSBrendon Cahoon } 2080254f889dSBrendon Cahoon } 2081254f889dSBrendon Cahoon } 2082254f889dSBrendon Cahoon rewritePhiValues(NewBB, i, Schedule, VRMap, InstrMap); 2083d34e60caSNicola Zaghen LLVM_DEBUG({ 2084254f889dSBrendon Cahoon dbgs() << "prolog:\n"; 2085254f889dSBrendon Cahoon NewBB->dump(); 2086254f889dSBrendon Cahoon }); 2087254f889dSBrendon Cahoon } 2088254f889dSBrendon Cahoon 2089254f889dSBrendon Cahoon PredBB->replaceSuccessor(BB, KernelBB); 2090254f889dSBrendon Cahoon 2091254f889dSBrendon Cahoon // Check if we need to remove the branch from the preheader to the original 2092254f889dSBrendon Cahoon // loop, and replace it with a branch to the new loop. 20931b9fc8edSMatt Arsenault unsigned numBranches = TII->removeBranch(*PreheaderBB); 2094254f889dSBrendon Cahoon if (numBranches) { 2095254f889dSBrendon Cahoon SmallVector<MachineOperand, 0> Cond; 2096e8e0f5caSMatt Arsenault TII->insertBranch(*PreheaderBB, PrologBBs[0], nullptr, Cond, DebugLoc()); 2097254f889dSBrendon Cahoon } 2098254f889dSBrendon Cahoon } 2099254f889dSBrendon Cahoon 2100254f889dSBrendon Cahoon /// Generate the pipeline epilog code. The epilog code finishes the iterations 2101254f889dSBrendon Cahoon /// that were started in either the prolog or the kernel. We create a basic 2102254f889dSBrendon Cahoon /// block for each stage that needs to complete. 2103254f889dSBrendon Cahoon void SwingSchedulerDAG::generateEpilog(SMSchedule &Schedule, unsigned LastStage, 2104254f889dSBrendon Cahoon MachineBasicBlock *KernelBB, 2105254f889dSBrendon Cahoon ValueMapTy *VRMap, 2106254f889dSBrendon Cahoon MBBVectorTy &EpilogBBs, 2107254f889dSBrendon Cahoon MBBVectorTy &PrologBBs) { 2108254f889dSBrendon Cahoon // We need to change the branch from the kernel to the first epilog block, so 2109254f889dSBrendon Cahoon // this call to analyze branch uses the kernel rather than the original BB. 2110254f889dSBrendon Cahoon MachineBasicBlock *TBB = nullptr, *FBB = nullptr; 2111254f889dSBrendon Cahoon SmallVector<MachineOperand, 4> Cond; 2112254f889dSBrendon Cahoon bool checkBranch = TII->analyzeBranch(*KernelBB, TBB, FBB, Cond); 2113254f889dSBrendon Cahoon assert(!checkBranch && "generateEpilog must be able to analyze the branch"); 2114254f889dSBrendon Cahoon if (checkBranch) 2115254f889dSBrendon Cahoon return; 2116254f889dSBrendon Cahoon 2117254f889dSBrendon Cahoon MachineBasicBlock::succ_iterator LoopExitI = KernelBB->succ_begin(); 2118254f889dSBrendon Cahoon if (*LoopExitI == KernelBB) 2119254f889dSBrendon Cahoon ++LoopExitI; 2120254f889dSBrendon Cahoon assert(LoopExitI != KernelBB->succ_end() && "Expecting a successor"); 2121254f889dSBrendon Cahoon MachineBasicBlock *LoopExitBB = *LoopExitI; 2122254f889dSBrendon Cahoon 2123254f889dSBrendon Cahoon MachineBasicBlock *PredBB = KernelBB; 2124254f889dSBrendon Cahoon MachineBasicBlock *EpilogStart = LoopExitBB; 2125254f889dSBrendon Cahoon InstrMapTy InstrMap; 2126254f889dSBrendon Cahoon 2127254f889dSBrendon Cahoon // Generate a basic block for each stage, not including the last stage, 2128254f889dSBrendon Cahoon // which was generated for the kernel. Each basic block may contain 2129254f889dSBrendon Cahoon // instructions from multiple stages/iterations. 2130254f889dSBrendon Cahoon int EpilogStage = LastStage + 1; 2131254f889dSBrendon Cahoon for (unsigned i = LastStage; i >= 1; --i, ++EpilogStage) { 2132254f889dSBrendon Cahoon MachineBasicBlock *NewBB = MF.CreateMachineBasicBlock(); 2133254f889dSBrendon Cahoon EpilogBBs.push_back(NewBB); 2134254f889dSBrendon Cahoon MF.insert(BB->getIterator(), NewBB); 2135254f889dSBrendon Cahoon 2136254f889dSBrendon Cahoon PredBB->replaceSuccessor(LoopExitBB, NewBB); 2137254f889dSBrendon Cahoon NewBB->addSuccessor(LoopExitBB); 2138254f889dSBrendon Cahoon 2139254f889dSBrendon Cahoon if (EpilogStart == LoopExitBB) 2140254f889dSBrendon Cahoon EpilogStart = NewBB; 2141254f889dSBrendon Cahoon 2142254f889dSBrendon Cahoon // Add instructions to the epilog depending on the current block. 2143254f889dSBrendon Cahoon // Process instructions in original program order. 2144254f889dSBrendon Cahoon for (unsigned StageNum = i; StageNum <= LastStage; ++StageNum) { 2145254f889dSBrendon Cahoon for (auto &BBI : *BB) { 2146254f889dSBrendon Cahoon if (BBI.isPHI()) 2147254f889dSBrendon Cahoon continue; 2148254f889dSBrendon Cahoon MachineInstr *In = &BBI; 2149254f889dSBrendon Cahoon if (Schedule.isScheduledAtStage(getSUnit(In), StageNum)) { 2150785b6cecSKrzysztof Parzyszek // Instructions with memoperands in the epilog are updated with 2151785b6cecSKrzysztof Parzyszek // conservative values. 2152785b6cecSKrzysztof Parzyszek MachineInstr *NewMI = cloneInstr(In, UINT_MAX, 0); 2153254f889dSBrendon Cahoon updateInstruction(NewMI, i == 1, EpilogStage, 0, Schedule, VRMap); 2154254f889dSBrendon Cahoon NewBB->push_back(NewMI); 2155254f889dSBrendon Cahoon InstrMap[NewMI] = In; 2156254f889dSBrendon Cahoon } 2157254f889dSBrendon Cahoon } 2158254f889dSBrendon Cahoon } 2159254f889dSBrendon Cahoon generateExistingPhis(NewBB, PrologBBs[i - 1], PredBB, KernelBB, Schedule, 2160254f889dSBrendon Cahoon VRMap, InstrMap, LastStage, EpilogStage, i == 1); 2161254f889dSBrendon Cahoon generatePhis(NewBB, PrologBBs[i - 1], PredBB, KernelBB, Schedule, VRMap, 2162254f889dSBrendon Cahoon InstrMap, LastStage, EpilogStage, i == 1); 2163254f889dSBrendon Cahoon PredBB = NewBB; 2164254f889dSBrendon Cahoon 2165d34e60caSNicola Zaghen LLVM_DEBUG({ 2166254f889dSBrendon Cahoon dbgs() << "epilog:\n"; 2167254f889dSBrendon Cahoon NewBB->dump(); 2168254f889dSBrendon Cahoon }); 2169254f889dSBrendon Cahoon } 2170254f889dSBrendon Cahoon 2171254f889dSBrendon Cahoon // Fix any Phi nodes in the loop exit block. 2172254f889dSBrendon Cahoon for (MachineInstr &MI : *LoopExitBB) { 2173254f889dSBrendon Cahoon if (!MI.isPHI()) 2174254f889dSBrendon Cahoon break; 2175254f889dSBrendon Cahoon for (unsigned i = 2, e = MI.getNumOperands() + 1; i != e; i += 2) { 2176254f889dSBrendon Cahoon MachineOperand &MO = MI.getOperand(i); 2177254f889dSBrendon Cahoon if (MO.getMBB() == BB) 2178254f889dSBrendon Cahoon MO.setMBB(PredBB); 2179254f889dSBrendon Cahoon } 2180254f889dSBrendon Cahoon } 2181254f889dSBrendon Cahoon 2182254f889dSBrendon Cahoon // Create a branch to the new epilog from the kernel. 2183254f889dSBrendon Cahoon // Remove the original branch and add a new branch to the epilog. 21841b9fc8edSMatt Arsenault TII->removeBranch(*KernelBB); 2185e8e0f5caSMatt Arsenault TII->insertBranch(*KernelBB, KernelBB, EpilogStart, Cond, DebugLoc()); 2186254f889dSBrendon Cahoon // Add a branch to the loop exit. 2187254f889dSBrendon Cahoon if (EpilogBBs.size() > 0) { 2188254f889dSBrendon Cahoon MachineBasicBlock *LastEpilogBB = EpilogBBs.back(); 2189254f889dSBrendon Cahoon SmallVector<MachineOperand, 4> Cond1; 2190e8e0f5caSMatt Arsenault TII->insertBranch(*LastEpilogBB, LoopExitBB, nullptr, Cond1, DebugLoc()); 2191254f889dSBrendon Cahoon } 2192254f889dSBrendon Cahoon } 2193254f889dSBrendon Cahoon 2194254f889dSBrendon Cahoon /// Replace all uses of FromReg that appear outside the specified 2195254f889dSBrendon Cahoon /// basic block with ToReg. 2196254f889dSBrendon Cahoon static void replaceRegUsesAfterLoop(unsigned FromReg, unsigned ToReg, 2197254f889dSBrendon Cahoon MachineBasicBlock *MBB, 2198254f889dSBrendon Cahoon MachineRegisterInfo &MRI, 2199254f889dSBrendon Cahoon LiveIntervals &LIS) { 2200254f889dSBrendon Cahoon for (MachineRegisterInfo::use_iterator I = MRI.use_begin(FromReg), 2201254f889dSBrendon Cahoon E = MRI.use_end(); 2202254f889dSBrendon Cahoon I != E;) { 2203254f889dSBrendon Cahoon MachineOperand &O = *I; 2204254f889dSBrendon Cahoon ++I; 2205254f889dSBrendon Cahoon if (O.getParent()->getParent() != MBB) 2206254f889dSBrendon Cahoon O.setReg(ToReg); 2207254f889dSBrendon Cahoon } 2208254f889dSBrendon Cahoon if (!LIS.hasInterval(ToReg)) 2209254f889dSBrendon Cahoon LIS.createEmptyInterval(ToReg); 2210254f889dSBrendon Cahoon } 2211254f889dSBrendon Cahoon 2212254f889dSBrendon Cahoon /// Return true if the register has a use that occurs outside the 2213254f889dSBrendon Cahoon /// specified loop. 2214254f889dSBrendon Cahoon static bool hasUseAfterLoop(unsigned Reg, MachineBasicBlock *BB, 2215254f889dSBrendon Cahoon MachineRegisterInfo &MRI) { 2216254f889dSBrendon Cahoon for (MachineRegisterInfo::use_iterator I = MRI.use_begin(Reg), 2217254f889dSBrendon Cahoon E = MRI.use_end(); 2218254f889dSBrendon Cahoon I != E; ++I) 2219254f889dSBrendon Cahoon if (I->getParent()->getParent() != BB) 2220254f889dSBrendon Cahoon return true; 2221254f889dSBrendon Cahoon return false; 2222254f889dSBrendon Cahoon } 2223254f889dSBrendon Cahoon 2224254f889dSBrendon Cahoon /// Generate Phis for the specific block in the generated pipelined code. 2225254f889dSBrendon Cahoon /// This function looks at the Phis from the original code to guide the 2226254f889dSBrendon Cahoon /// creation of new Phis. 2227254f889dSBrendon Cahoon void SwingSchedulerDAG::generateExistingPhis( 2228254f889dSBrendon Cahoon MachineBasicBlock *NewBB, MachineBasicBlock *BB1, MachineBasicBlock *BB2, 2229254f889dSBrendon Cahoon MachineBasicBlock *KernelBB, SMSchedule &Schedule, ValueMapTy *VRMap, 2230254f889dSBrendon Cahoon InstrMapTy &InstrMap, unsigned LastStageNum, unsigned CurStageNum, 2231254f889dSBrendon Cahoon bool IsLast) { 22326bdc7555SSimon Pilgrim // Compute the stage number for the initial value of the Phi, which 2233254f889dSBrendon Cahoon // comes from the prolog. The prolog to use depends on to which kernel/ 2234254f889dSBrendon Cahoon // epilog that we're adding the Phi. 2235254f889dSBrendon Cahoon unsigned PrologStage = 0; 2236254f889dSBrendon Cahoon unsigned PrevStage = 0; 2237254f889dSBrendon Cahoon bool InKernel = (LastStageNum == CurStageNum); 2238254f889dSBrendon Cahoon if (InKernel) { 2239254f889dSBrendon Cahoon PrologStage = LastStageNum - 1; 2240254f889dSBrendon Cahoon PrevStage = CurStageNum; 2241254f889dSBrendon Cahoon } else { 2242254f889dSBrendon Cahoon PrologStage = LastStageNum - (CurStageNum - LastStageNum); 2243254f889dSBrendon Cahoon PrevStage = LastStageNum + (CurStageNum - LastStageNum) - 1; 2244254f889dSBrendon Cahoon } 2245254f889dSBrendon Cahoon 2246254f889dSBrendon Cahoon for (MachineBasicBlock::iterator BBI = BB->instr_begin(), 2247254f889dSBrendon Cahoon BBE = BB->getFirstNonPHI(); 2248254f889dSBrendon Cahoon BBI != BBE; ++BBI) { 2249254f889dSBrendon Cahoon unsigned Def = BBI->getOperand(0).getReg(); 2250254f889dSBrendon Cahoon 2251254f889dSBrendon Cahoon unsigned InitVal = 0; 2252254f889dSBrendon Cahoon unsigned LoopVal = 0; 2253254f889dSBrendon Cahoon getPhiRegs(*BBI, BB, InitVal, LoopVal); 2254254f889dSBrendon Cahoon 2255254f889dSBrendon Cahoon unsigned PhiOp1 = 0; 2256254f889dSBrendon Cahoon // The Phi value from the loop body typically is defined in the loop, but 2257254f889dSBrendon Cahoon // not always. So, we need to check if the value is defined in the loop. 2258254f889dSBrendon Cahoon unsigned PhiOp2 = LoopVal; 2259254f889dSBrendon Cahoon if (VRMap[LastStageNum].count(LoopVal)) 2260254f889dSBrendon Cahoon PhiOp2 = VRMap[LastStageNum][LoopVal]; 2261254f889dSBrendon Cahoon 2262254f889dSBrendon Cahoon int StageScheduled = Schedule.stageScheduled(getSUnit(&*BBI)); 2263254f889dSBrendon Cahoon int LoopValStage = 2264254f889dSBrendon Cahoon Schedule.stageScheduled(getSUnit(MRI.getVRegDef(LoopVal))); 2265254f889dSBrendon Cahoon unsigned NumStages = Schedule.getStagesForReg(Def, CurStageNum); 2266254f889dSBrendon Cahoon if (NumStages == 0) { 2267254f889dSBrendon Cahoon // We don't need to generate a Phi anymore, but we need to rename any uses 2268254f889dSBrendon Cahoon // of the Phi value. 2269254f889dSBrendon Cahoon unsigned NewReg = VRMap[PrevStage][LoopVal]; 2270254f889dSBrendon Cahoon rewriteScheduledInstr(NewBB, Schedule, InstrMap, CurStageNum, 0, &*BBI, 227116e66f59SKrzysztof Parzyszek Def, InitVal, NewReg); 2272254f889dSBrendon Cahoon if (VRMap[CurStageNum].count(LoopVal)) 2273254f889dSBrendon Cahoon VRMap[CurStageNum][Def] = VRMap[CurStageNum][LoopVal]; 2274254f889dSBrendon Cahoon } 2275254f889dSBrendon Cahoon // Adjust the number of Phis needed depending on the number of prologs left, 22763f72a6b7SKrzysztof Parzyszek // and the distance from where the Phi is first scheduled. The number of 22773f72a6b7SKrzysztof Parzyszek // Phis cannot exceed the number of prolog stages. Each stage can 22783f72a6b7SKrzysztof Parzyszek // potentially define two values. 22793f72a6b7SKrzysztof Parzyszek unsigned MaxPhis = PrologStage + 2; 22803f72a6b7SKrzysztof Parzyszek if (!InKernel && (int)PrologStage <= LoopValStage) 22813f72a6b7SKrzysztof Parzyszek MaxPhis = std::max((int)MaxPhis - (int)LoopValStage, 1); 22823f72a6b7SKrzysztof Parzyszek unsigned NumPhis = std::min(NumStages, MaxPhis); 2283254f889dSBrendon Cahoon 2284254f889dSBrendon Cahoon unsigned NewReg = 0; 2285254f889dSBrendon Cahoon unsigned AccessStage = (LoopValStage != -1) ? LoopValStage : StageScheduled; 2286254f889dSBrendon Cahoon // In the epilog, we may need to look back one stage to get the correct 2287254f889dSBrendon Cahoon // Phi name because the epilog and prolog blocks execute the same stage. 2288254f889dSBrendon Cahoon // The correct name is from the previous block only when the Phi has 2289254f889dSBrendon Cahoon // been completely scheduled prior to the epilog, and Phi value is not 2290254f889dSBrendon Cahoon // needed in multiple stages. 2291254f889dSBrendon Cahoon int StageDiff = 0; 2292254f889dSBrendon Cahoon if (!InKernel && StageScheduled >= LoopValStage && AccessStage == 0 && 2293254f889dSBrendon Cahoon NumPhis == 1) 2294254f889dSBrendon Cahoon StageDiff = 1; 2295254f889dSBrendon Cahoon // Adjust the computations below when the phi and the loop definition 2296254f889dSBrendon Cahoon // are scheduled in different stages. 2297254f889dSBrendon Cahoon if (InKernel && LoopValStage != -1 && StageScheduled > LoopValStage) 2298254f889dSBrendon Cahoon StageDiff = StageScheduled - LoopValStage; 2299254f889dSBrendon Cahoon for (unsigned np = 0; np < NumPhis; ++np) { 2300254f889dSBrendon Cahoon // If the Phi hasn't been scheduled, then use the initial Phi operand 2301254f889dSBrendon Cahoon // value. Otherwise, use the scheduled version of the instruction. This 2302254f889dSBrendon Cahoon // is a little complicated when a Phi references another Phi. 2303254f889dSBrendon Cahoon if (np > PrologStage || StageScheduled >= (int)LastStageNum) 2304254f889dSBrendon Cahoon PhiOp1 = InitVal; 2305254f889dSBrendon Cahoon // Check if the Phi has already been scheduled in a prolog stage. 2306254f889dSBrendon Cahoon else if (PrologStage >= AccessStage + StageDiff + np && 2307254f889dSBrendon Cahoon VRMap[PrologStage - StageDiff - np].count(LoopVal) != 0) 2308254f889dSBrendon Cahoon PhiOp1 = VRMap[PrologStage - StageDiff - np][LoopVal]; 2309dad8c6a1SHiroshi Inoue // Check if the Phi has already been scheduled, but the loop instruction 2310254f889dSBrendon Cahoon // is either another Phi, or doesn't occur in the loop. 2311254f889dSBrendon Cahoon else if (PrologStage >= AccessStage + StageDiff + np) { 2312254f889dSBrendon Cahoon // If the Phi references another Phi, we need to examine the other 2313254f889dSBrendon Cahoon // Phi to get the correct value. 2314254f889dSBrendon Cahoon PhiOp1 = LoopVal; 2315254f889dSBrendon Cahoon MachineInstr *InstOp1 = MRI.getVRegDef(PhiOp1); 2316254f889dSBrendon Cahoon int Indirects = 1; 2317254f889dSBrendon Cahoon while (InstOp1 && InstOp1->isPHI() && InstOp1->getParent() == BB) { 2318254f889dSBrendon Cahoon int PhiStage = Schedule.stageScheduled(getSUnit(InstOp1)); 2319254f889dSBrendon Cahoon if ((int)(PrologStage - StageDiff - np) < PhiStage + Indirects) 2320254f889dSBrendon Cahoon PhiOp1 = getInitPhiReg(*InstOp1, BB); 2321254f889dSBrendon Cahoon else 2322254f889dSBrendon Cahoon PhiOp1 = getLoopPhiReg(*InstOp1, BB); 2323254f889dSBrendon Cahoon InstOp1 = MRI.getVRegDef(PhiOp1); 2324254f889dSBrendon Cahoon int PhiOpStage = Schedule.stageScheduled(getSUnit(InstOp1)); 2325254f889dSBrendon Cahoon int StageAdj = (PhiOpStage != -1 ? PhiStage - PhiOpStage : 0); 2326254f889dSBrendon Cahoon if (PhiOpStage != -1 && PrologStage - StageAdj >= Indirects + np && 2327254f889dSBrendon Cahoon VRMap[PrologStage - StageAdj - Indirects - np].count(PhiOp1)) { 2328254f889dSBrendon Cahoon PhiOp1 = VRMap[PrologStage - StageAdj - Indirects - np][PhiOp1]; 2329254f889dSBrendon Cahoon break; 2330254f889dSBrendon Cahoon } 2331254f889dSBrendon Cahoon ++Indirects; 2332254f889dSBrendon Cahoon } 2333254f889dSBrendon Cahoon } else 2334254f889dSBrendon Cahoon PhiOp1 = InitVal; 2335254f889dSBrendon Cahoon // If this references a generated Phi in the kernel, get the Phi operand 2336254f889dSBrendon Cahoon // from the incoming block. 2337254f889dSBrendon Cahoon if (MachineInstr *InstOp1 = MRI.getVRegDef(PhiOp1)) 2338254f889dSBrendon Cahoon if (InstOp1->isPHI() && InstOp1->getParent() == KernelBB) 2339254f889dSBrendon Cahoon PhiOp1 = getInitPhiReg(*InstOp1, KernelBB); 2340254f889dSBrendon Cahoon 2341254f889dSBrendon Cahoon MachineInstr *PhiInst = MRI.getVRegDef(LoopVal); 2342254f889dSBrendon Cahoon bool LoopDefIsPhi = PhiInst && PhiInst->isPHI(); 2343254f889dSBrendon Cahoon // In the epilog, a map lookup is needed to get the value from the kernel, 2344254f889dSBrendon Cahoon // or previous epilog block. How is does this depends on if the 2345254f889dSBrendon Cahoon // instruction is scheduled in the previous block. 2346254f889dSBrendon Cahoon if (!InKernel) { 2347254f889dSBrendon Cahoon int StageDiffAdj = 0; 2348254f889dSBrendon Cahoon if (LoopValStage != -1 && StageScheduled > LoopValStage) 2349254f889dSBrendon Cahoon StageDiffAdj = StageScheduled - LoopValStage; 2350254f889dSBrendon Cahoon // Use the loop value defined in the kernel, unless the kernel 2351254f889dSBrendon Cahoon // contains the last definition of the Phi. 2352254f889dSBrendon Cahoon if (np == 0 && PrevStage == LastStageNum && 2353254f889dSBrendon Cahoon (StageScheduled != 0 || LoopValStage != 0) && 2354254f889dSBrendon Cahoon VRMap[PrevStage - StageDiffAdj].count(LoopVal)) 2355254f889dSBrendon Cahoon PhiOp2 = VRMap[PrevStage - StageDiffAdj][LoopVal]; 2356254f889dSBrendon Cahoon // Use the value defined by the Phi. We add one because we switch 2357254f889dSBrendon Cahoon // from looking at the loop value to the Phi definition. 2358254f889dSBrendon Cahoon else if (np > 0 && PrevStage == LastStageNum && 2359254f889dSBrendon Cahoon VRMap[PrevStage - np + 1].count(Def)) 2360254f889dSBrendon Cahoon PhiOp2 = VRMap[PrevStage - np + 1][Def]; 2361254f889dSBrendon Cahoon // Use the loop value defined in the kernel. 2362e3841eeaSBrendon Cahoon else if (static_cast<unsigned>(LoopValStage) > PrologStage + 1 && 2363254f889dSBrendon Cahoon VRMap[PrevStage - StageDiffAdj - np].count(LoopVal)) 2364254f889dSBrendon Cahoon PhiOp2 = VRMap[PrevStage - StageDiffAdj - np][LoopVal]; 2365254f889dSBrendon Cahoon // Use the value defined by the Phi, unless we're generating the first 2366254f889dSBrendon Cahoon // epilog and the Phi refers to a Phi in a different stage. 2367254f889dSBrendon Cahoon else if (VRMap[PrevStage - np].count(Def) && 2368254f889dSBrendon Cahoon (!LoopDefIsPhi || PrevStage != LastStageNum)) 2369254f889dSBrendon Cahoon PhiOp2 = VRMap[PrevStage - np][Def]; 2370254f889dSBrendon Cahoon } 2371254f889dSBrendon Cahoon 2372254f889dSBrendon Cahoon // Check if we can reuse an existing Phi. This occurs when a Phi 2373254f889dSBrendon Cahoon // references another Phi, and the other Phi is scheduled in an 2374254f889dSBrendon Cahoon // earlier stage. We can try to reuse an existing Phi up until the last 2375254f889dSBrendon Cahoon // stage of the current Phi. 2376e3841eeaSBrendon Cahoon if (LoopDefIsPhi) { 2377e3841eeaSBrendon Cahoon if (static_cast<int>(PrologStage - np) >= StageScheduled) { 2378254f889dSBrendon Cahoon int LVNumStages = Schedule.getStagesForPhi(LoopVal); 2379254f889dSBrendon Cahoon int StageDiff = (StageScheduled - LoopValStage); 2380254f889dSBrendon Cahoon LVNumStages -= StageDiff; 23813a0a15afSKrzysztof Parzyszek // Make sure the loop value Phi has been processed already. 23823a0a15afSKrzysztof Parzyszek if (LVNumStages > (int)np && VRMap[CurStageNum].count(LoopVal)) { 2383254f889dSBrendon Cahoon NewReg = PhiOp2; 2384254f889dSBrendon Cahoon unsigned ReuseStage = CurStageNum; 2385254f889dSBrendon Cahoon if (Schedule.isLoopCarried(this, *PhiInst)) 2386254f889dSBrendon Cahoon ReuseStage -= LVNumStages; 2387254f889dSBrendon Cahoon // Check if the Phi to reuse has been generated yet. If not, then 2388254f889dSBrendon Cahoon // there is nothing to reuse. 238955cb4986SKrzysztof Parzyszek if (VRMap[ReuseStage - np].count(LoopVal)) { 239055cb4986SKrzysztof Parzyszek NewReg = VRMap[ReuseStage - np][LoopVal]; 2391254f889dSBrendon Cahoon 2392254f889dSBrendon Cahoon rewriteScheduledInstr(NewBB, Schedule, InstrMap, CurStageNum, np, 2393254f889dSBrendon Cahoon &*BBI, Def, NewReg); 2394254f889dSBrendon Cahoon // Update the map with the new Phi name. 2395254f889dSBrendon Cahoon VRMap[CurStageNum - np][Def] = NewReg; 2396254f889dSBrendon Cahoon PhiOp2 = NewReg; 2397254f889dSBrendon Cahoon if (VRMap[LastStageNum - np - 1].count(LoopVal)) 2398254f889dSBrendon Cahoon PhiOp2 = VRMap[LastStageNum - np - 1][LoopVal]; 2399254f889dSBrendon Cahoon 2400254f889dSBrendon Cahoon if (IsLast && np == NumPhis - 1) 2401254f889dSBrendon Cahoon replaceRegUsesAfterLoop(Def, NewReg, BB, MRI, LIS); 2402254f889dSBrendon Cahoon continue; 2403254f889dSBrendon Cahoon } 2404e3841eeaSBrendon Cahoon } 2405e3841eeaSBrendon Cahoon } 2406e3841eeaSBrendon Cahoon if (InKernel && StageDiff > 0 && 2407254f889dSBrendon Cahoon VRMap[CurStageNum - StageDiff - np].count(LoopVal)) 2408254f889dSBrendon Cahoon PhiOp2 = VRMap[CurStageNum - StageDiff - np][LoopVal]; 2409254f889dSBrendon Cahoon } 2410254f889dSBrendon Cahoon 2411254f889dSBrendon Cahoon const TargetRegisterClass *RC = MRI.getRegClass(Def); 2412254f889dSBrendon Cahoon NewReg = MRI.createVirtualRegister(RC); 2413254f889dSBrendon Cahoon 2414254f889dSBrendon Cahoon MachineInstrBuilder NewPhi = 2415254f889dSBrendon Cahoon BuildMI(*NewBB, NewBB->getFirstNonPHI(), DebugLoc(), 2416254f889dSBrendon Cahoon TII->get(TargetOpcode::PHI), NewReg); 2417254f889dSBrendon Cahoon NewPhi.addReg(PhiOp1).addMBB(BB1); 2418254f889dSBrendon Cahoon NewPhi.addReg(PhiOp2).addMBB(BB2); 2419254f889dSBrendon Cahoon if (np == 0) 2420254f889dSBrendon Cahoon InstrMap[NewPhi] = &*BBI; 2421254f889dSBrendon Cahoon 2422254f889dSBrendon Cahoon // We define the Phis after creating the new pipelined code, so 2423254f889dSBrendon Cahoon // we need to rename the Phi values in scheduled instructions. 2424254f889dSBrendon Cahoon 2425254f889dSBrendon Cahoon unsigned PrevReg = 0; 2426254f889dSBrendon Cahoon if (InKernel && VRMap[PrevStage - np].count(LoopVal)) 2427254f889dSBrendon Cahoon PrevReg = VRMap[PrevStage - np][LoopVal]; 2428254f889dSBrendon Cahoon rewriteScheduledInstr(NewBB, Schedule, InstrMap, CurStageNum, np, &*BBI, 2429254f889dSBrendon Cahoon Def, NewReg, PrevReg); 2430254f889dSBrendon Cahoon // If the Phi has been scheduled, use the new name for rewriting. 2431254f889dSBrendon Cahoon if (VRMap[CurStageNum - np].count(Def)) { 2432254f889dSBrendon Cahoon unsigned R = VRMap[CurStageNum - np][Def]; 2433254f889dSBrendon Cahoon rewriteScheduledInstr(NewBB, Schedule, InstrMap, CurStageNum, np, &*BBI, 2434254f889dSBrendon Cahoon R, NewReg); 2435254f889dSBrendon Cahoon } 2436254f889dSBrendon Cahoon 2437254f889dSBrendon Cahoon // Check if we need to rename any uses that occurs after the loop. The 2438254f889dSBrendon Cahoon // register to replace depends on whether the Phi is scheduled in the 2439254f889dSBrendon Cahoon // epilog. 2440254f889dSBrendon Cahoon if (IsLast && np == NumPhis - 1) 2441254f889dSBrendon Cahoon replaceRegUsesAfterLoop(Def, NewReg, BB, MRI, LIS); 2442254f889dSBrendon Cahoon 2443254f889dSBrendon Cahoon // In the kernel, a dependent Phi uses the value from this Phi. 2444254f889dSBrendon Cahoon if (InKernel) 2445254f889dSBrendon Cahoon PhiOp2 = NewReg; 2446254f889dSBrendon Cahoon 2447254f889dSBrendon Cahoon // Update the map with the new Phi name. 2448254f889dSBrendon Cahoon VRMap[CurStageNum - np][Def] = NewReg; 2449254f889dSBrendon Cahoon } 2450254f889dSBrendon Cahoon 2451254f889dSBrendon Cahoon while (NumPhis++ < NumStages) { 2452254f889dSBrendon Cahoon rewriteScheduledInstr(NewBB, Schedule, InstrMap, CurStageNum, NumPhis, 2453254f889dSBrendon Cahoon &*BBI, Def, NewReg, 0); 2454254f889dSBrendon Cahoon } 2455254f889dSBrendon Cahoon 2456254f889dSBrendon Cahoon // Check if we need to rename a Phi that has been eliminated due to 2457254f889dSBrendon Cahoon // scheduling. 2458254f889dSBrendon Cahoon if (NumStages == 0 && IsLast && VRMap[CurStageNum].count(LoopVal)) 2459254f889dSBrendon Cahoon replaceRegUsesAfterLoop(Def, VRMap[CurStageNum][LoopVal], BB, MRI, LIS); 2460254f889dSBrendon Cahoon } 2461254f889dSBrendon Cahoon } 2462254f889dSBrendon Cahoon 2463254f889dSBrendon Cahoon /// Generate Phis for the specified block in the generated pipelined code. 2464254f889dSBrendon Cahoon /// These are new Phis needed because the definition is scheduled after the 2465c73b6d6bSHiroshi Inoue /// use in the pipelined sequence. 2466254f889dSBrendon Cahoon void SwingSchedulerDAG::generatePhis( 2467254f889dSBrendon Cahoon MachineBasicBlock *NewBB, MachineBasicBlock *BB1, MachineBasicBlock *BB2, 2468254f889dSBrendon Cahoon MachineBasicBlock *KernelBB, SMSchedule &Schedule, ValueMapTy *VRMap, 2469254f889dSBrendon Cahoon InstrMapTy &InstrMap, unsigned LastStageNum, unsigned CurStageNum, 2470254f889dSBrendon Cahoon bool IsLast) { 2471254f889dSBrendon Cahoon // Compute the stage number that contains the initial Phi value, and 2472254f889dSBrendon Cahoon // the Phi from the previous stage. 2473254f889dSBrendon Cahoon unsigned PrologStage = 0; 2474254f889dSBrendon Cahoon unsigned PrevStage = 0; 2475254f889dSBrendon Cahoon unsigned StageDiff = CurStageNum - LastStageNum; 2476254f889dSBrendon Cahoon bool InKernel = (StageDiff == 0); 2477254f889dSBrendon Cahoon if (InKernel) { 2478254f889dSBrendon Cahoon PrologStage = LastStageNum - 1; 2479254f889dSBrendon Cahoon PrevStage = CurStageNum; 2480254f889dSBrendon Cahoon } else { 2481254f889dSBrendon Cahoon PrologStage = LastStageNum - StageDiff; 2482254f889dSBrendon Cahoon PrevStage = LastStageNum + StageDiff - 1; 2483254f889dSBrendon Cahoon } 2484254f889dSBrendon Cahoon 2485254f889dSBrendon Cahoon for (MachineBasicBlock::iterator BBI = BB->getFirstNonPHI(), 2486254f889dSBrendon Cahoon BBE = BB->instr_end(); 2487254f889dSBrendon Cahoon BBI != BBE; ++BBI) { 2488254f889dSBrendon Cahoon for (unsigned i = 0, e = BBI->getNumOperands(); i != e; ++i) { 2489254f889dSBrendon Cahoon MachineOperand &MO = BBI->getOperand(i); 2490254f889dSBrendon Cahoon if (!MO.isReg() || !MO.isDef() || 2491254f889dSBrendon Cahoon !TargetRegisterInfo::isVirtualRegister(MO.getReg())) 2492254f889dSBrendon Cahoon continue; 2493254f889dSBrendon Cahoon 2494254f889dSBrendon Cahoon int StageScheduled = Schedule.stageScheduled(getSUnit(&*BBI)); 2495254f889dSBrendon Cahoon assert(StageScheduled != -1 && "Expecting scheduled instruction."); 2496254f889dSBrendon Cahoon unsigned Def = MO.getReg(); 2497254f889dSBrendon Cahoon unsigned NumPhis = Schedule.getStagesForReg(Def, CurStageNum); 2498254f889dSBrendon Cahoon // An instruction scheduled in stage 0 and is used after the loop 2499254f889dSBrendon Cahoon // requires a phi in the epilog for the last definition from either 2500254f889dSBrendon Cahoon // the kernel or prolog. 2501254f889dSBrendon Cahoon if (!InKernel && NumPhis == 0 && StageScheduled == 0 && 2502254f889dSBrendon Cahoon hasUseAfterLoop(Def, BB, MRI)) 2503254f889dSBrendon Cahoon NumPhis = 1; 2504254f889dSBrendon Cahoon if (!InKernel && (unsigned)StageScheduled > PrologStage) 2505254f889dSBrendon Cahoon continue; 2506254f889dSBrendon Cahoon 2507254f889dSBrendon Cahoon unsigned PhiOp2 = VRMap[PrevStage][Def]; 2508254f889dSBrendon Cahoon if (MachineInstr *InstOp2 = MRI.getVRegDef(PhiOp2)) 2509254f889dSBrendon Cahoon if (InstOp2->isPHI() && InstOp2->getParent() == NewBB) 2510254f889dSBrendon Cahoon PhiOp2 = getLoopPhiReg(*InstOp2, BB2); 2511254f889dSBrendon Cahoon // The number of Phis can't exceed the number of prolog stages. The 2512254f889dSBrendon Cahoon // prolog stage number is zero based. 2513254f889dSBrendon Cahoon if (NumPhis > PrologStage + 1 - StageScheduled) 2514254f889dSBrendon Cahoon NumPhis = PrologStage + 1 - StageScheduled; 2515254f889dSBrendon Cahoon for (unsigned np = 0; np < NumPhis; ++np) { 2516254f889dSBrendon Cahoon unsigned PhiOp1 = VRMap[PrologStage][Def]; 2517254f889dSBrendon Cahoon if (np <= PrologStage) 2518254f889dSBrendon Cahoon PhiOp1 = VRMap[PrologStage - np][Def]; 2519254f889dSBrendon Cahoon if (MachineInstr *InstOp1 = MRI.getVRegDef(PhiOp1)) { 2520254f889dSBrendon Cahoon if (InstOp1->isPHI() && InstOp1->getParent() == KernelBB) 2521254f889dSBrendon Cahoon PhiOp1 = getInitPhiReg(*InstOp1, KernelBB); 2522254f889dSBrendon Cahoon if (InstOp1->isPHI() && InstOp1->getParent() == NewBB) 2523254f889dSBrendon Cahoon PhiOp1 = getInitPhiReg(*InstOp1, NewBB); 2524254f889dSBrendon Cahoon } 2525254f889dSBrendon Cahoon if (!InKernel) 2526254f889dSBrendon Cahoon PhiOp2 = VRMap[PrevStage - np][Def]; 2527254f889dSBrendon Cahoon 2528254f889dSBrendon Cahoon const TargetRegisterClass *RC = MRI.getRegClass(Def); 2529254f889dSBrendon Cahoon unsigned NewReg = MRI.createVirtualRegister(RC); 2530254f889dSBrendon Cahoon 2531254f889dSBrendon Cahoon MachineInstrBuilder NewPhi = 2532254f889dSBrendon Cahoon BuildMI(*NewBB, NewBB->getFirstNonPHI(), DebugLoc(), 2533254f889dSBrendon Cahoon TII->get(TargetOpcode::PHI), NewReg); 2534254f889dSBrendon Cahoon NewPhi.addReg(PhiOp1).addMBB(BB1); 2535254f889dSBrendon Cahoon NewPhi.addReg(PhiOp2).addMBB(BB2); 2536254f889dSBrendon Cahoon if (np == 0) 2537254f889dSBrendon Cahoon InstrMap[NewPhi] = &*BBI; 2538254f889dSBrendon Cahoon 2539254f889dSBrendon Cahoon // Rewrite uses and update the map. The actions depend upon whether 2540254f889dSBrendon Cahoon // we generating code for the kernel or epilog blocks. 2541254f889dSBrendon Cahoon if (InKernel) { 2542254f889dSBrendon Cahoon rewriteScheduledInstr(NewBB, Schedule, InstrMap, CurStageNum, np, 2543254f889dSBrendon Cahoon &*BBI, PhiOp1, NewReg); 2544254f889dSBrendon Cahoon rewriteScheduledInstr(NewBB, Schedule, InstrMap, CurStageNum, np, 2545254f889dSBrendon Cahoon &*BBI, PhiOp2, NewReg); 2546254f889dSBrendon Cahoon 2547254f889dSBrendon Cahoon PhiOp2 = NewReg; 2548254f889dSBrendon Cahoon VRMap[PrevStage - np - 1][Def] = NewReg; 2549254f889dSBrendon Cahoon } else { 2550254f889dSBrendon Cahoon VRMap[CurStageNum - np][Def] = NewReg; 2551254f889dSBrendon Cahoon if (np == NumPhis - 1) 2552254f889dSBrendon Cahoon rewriteScheduledInstr(NewBB, Schedule, InstrMap, CurStageNum, np, 2553254f889dSBrendon Cahoon &*BBI, Def, NewReg); 2554254f889dSBrendon Cahoon } 2555254f889dSBrendon Cahoon if (IsLast && np == NumPhis - 1) 2556254f889dSBrendon Cahoon replaceRegUsesAfterLoop(Def, NewReg, BB, MRI, LIS); 2557254f889dSBrendon Cahoon } 2558254f889dSBrendon Cahoon } 2559254f889dSBrendon Cahoon } 2560254f889dSBrendon Cahoon } 2561254f889dSBrendon Cahoon 2562254f889dSBrendon Cahoon /// Remove instructions that generate values with no uses. 2563254f889dSBrendon Cahoon /// Typically, these are induction variable operations that generate values 2564254f889dSBrendon Cahoon /// used in the loop itself. A dead instruction has a definition with 2565254f889dSBrendon Cahoon /// no uses, or uses that occur in the original loop only. 2566254f889dSBrendon Cahoon void SwingSchedulerDAG::removeDeadInstructions(MachineBasicBlock *KernelBB, 2567254f889dSBrendon Cahoon MBBVectorTy &EpilogBBs) { 2568254f889dSBrendon Cahoon // For each epilog block, check that the value defined by each instruction 2569254f889dSBrendon Cahoon // is used. If not, delete it. 2570254f889dSBrendon Cahoon for (MBBVectorTy::reverse_iterator MBB = EpilogBBs.rbegin(), 2571254f889dSBrendon Cahoon MBE = EpilogBBs.rend(); 2572254f889dSBrendon Cahoon MBB != MBE; ++MBB) 2573254f889dSBrendon Cahoon for (MachineBasicBlock::reverse_instr_iterator MI = (*MBB)->instr_rbegin(), 2574254f889dSBrendon Cahoon ME = (*MBB)->instr_rend(); 2575254f889dSBrendon Cahoon MI != ME;) { 2576254f889dSBrendon Cahoon // From DeadMachineInstructionElem. Don't delete inline assembly. 2577254f889dSBrendon Cahoon if (MI->isInlineAsm()) { 2578254f889dSBrendon Cahoon ++MI; 2579254f889dSBrendon Cahoon continue; 2580254f889dSBrendon Cahoon } 2581254f889dSBrendon Cahoon bool SawStore = false; 2582254f889dSBrendon Cahoon // Check if it's safe to remove the instruction due to side effects. 2583254f889dSBrendon Cahoon // We can, and want to, remove Phis here. 2584254f889dSBrendon Cahoon if (!MI->isSafeToMove(nullptr, SawStore) && !MI->isPHI()) { 2585254f889dSBrendon Cahoon ++MI; 2586254f889dSBrendon Cahoon continue; 2587254f889dSBrendon Cahoon } 2588254f889dSBrendon Cahoon bool used = true; 2589254f889dSBrendon Cahoon for (MachineInstr::mop_iterator MOI = MI->operands_begin(), 2590254f889dSBrendon Cahoon MOE = MI->operands_end(); 2591254f889dSBrendon Cahoon MOI != MOE; ++MOI) { 2592254f889dSBrendon Cahoon if (!MOI->isReg() || !MOI->isDef()) 2593254f889dSBrendon Cahoon continue; 2594254f889dSBrendon Cahoon unsigned reg = MOI->getReg(); 2595b9b75b8cSKrzysztof Parzyszek // Assume physical registers are used, unless they are marked dead. 2596b9b75b8cSKrzysztof Parzyszek if (TargetRegisterInfo::isPhysicalRegister(reg)) { 2597b9b75b8cSKrzysztof Parzyszek used = !MOI->isDead(); 2598b9b75b8cSKrzysztof Parzyszek if (used) 2599b9b75b8cSKrzysztof Parzyszek break; 2600b9b75b8cSKrzysztof Parzyszek continue; 2601b9b75b8cSKrzysztof Parzyszek } 2602254f889dSBrendon Cahoon unsigned realUses = 0; 2603254f889dSBrendon Cahoon for (MachineRegisterInfo::use_iterator UI = MRI.use_begin(reg), 2604254f889dSBrendon Cahoon EI = MRI.use_end(); 2605254f889dSBrendon Cahoon UI != EI; ++UI) { 2606254f889dSBrendon Cahoon // Check if there are any uses that occur only in the original 2607254f889dSBrendon Cahoon // loop. If so, that's not a real use. 2608254f889dSBrendon Cahoon if (UI->getParent()->getParent() != BB) { 2609254f889dSBrendon Cahoon realUses++; 2610254f889dSBrendon Cahoon used = true; 2611254f889dSBrendon Cahoon break; 2612254f889dSBrendon Cahoon } 2613254f889dSBrendon Cahoon } 2614254f889dSBrendon Cahoon if (realUses > 0) 2615254f889dSBrendon Cahoon break; 2616254f889dSBrendon Cahoon used = false; 2617254f889dSBrendon Cahoon } 2618254f889dSBrendon Cahoon if (!used) { 2619c715a5d2SKrzysztof Parzyszek LIS.RemoveMachineInstrFromMaps(*MI); 26205c001c36SDuncan P. N. Exon Smith MI++->eraseFromParent(); 2621254f889dSBrendon Cahoon continue; 2622254f889dSBrendon Cahoon } 2623254f889dSBrendon Cahoon ++MI; 2624254f889dSBrendon Cahoon } 2625254f889dSBrendon Cahoon // In the kernel block, check if we can remove a Phi that generates a value 2626254f889dSBrendon Cahoon // used in an instruction removed in the epilog block. 2627254f889dSBrendon Cahoon for (MachineBasicBlock::iterator BBI = KernelBB->instr_begin(), 2628254f889dSBrendon Cahoon BBE = KernelBB->getFirstNonPHI(); 2629254f889dSBrendon Cahoon BBI != BBE;) { 2630254f889dSBrendon Cahoon MachineInstr *MI = &*BBI; 2631254f889dSBrendon Cahoon ++BBI; 2632254f889dSBrendon Cahoon unsigned reg = MI->getOperand(0).getReg(); 2633254f889dSBrendon Cahoon if (MRI.use_begin(reg) == MRI.use_end()) { 2634c715a5d2SKrzysztof Parzyszek LIS.RemoveMachineInstrFromMaps(*MI); 2635254f889dSBrendon Cahoon MI->eraseFromParent(); 2636254f889dSBrendon Cahoon } 2637254f889dSBrendon Cahoon } 2638254f889dSBrendon Cahoon } 2639254f889dSBrendon Cahoon 2640254f889dSBrendon Cahoon /// For loop carried definitions, we split the lifetime of a virtual register 2641254f889dSBrendon Cahoon /// that has uses past the definition in the next iteration. A copy with a new 2642254f889dSBrendon Cahoon /// virtual register is inserted before the definition, which helps with 2643254f889dSBrendon Cahoon /// generating a better register assignment. 2644254f889dSBrendon Cahoon /// 2645254f889dSBrendon Cahoon /// v1 = phi(a, v2) v1 = phi(a, v2) 2646254f889dSBrendon Cahoon /// v2 = phi(b, v3) v2 = phi(b, v3) 2647254f889dSBrendon Cahoon /// v3 = .. v4 = copy v1 2648254f889dSBrendon Cahoon /// .. = V1 v3 = .. 2649254f889dSBrendon Cahoon /// .. = v4 2650254f889dSBrendon Cahoon void SwingSchedulerDAG::splitLifetimes(MachineBasicBlock *KernelBB, 2651254f889dSBrendon Cahoon MBBVectorTy &EpilogBBs, 2652254f889dSBrendon Cahoon SMSchedule &Schedule) { 2653254f889dSBrendon Cahoon const TargetRegisterInfo *TRI = MF.getSubtarget().getRegisterInfo(); 265490ecac01SBob Wilson for (auto &PHI : KernelBB->phis()) { 265590ecac01SBob Wilson unsigned Def = PHI.getOperand(0).getReg(); 2656254f889dSBrendon Cahoon // Check for any Phi definition that used as an operand of another Phi 2657254f889dSBrendon Cahoon // in the same block. 2658254f889dSBrendon Cahoon for (MachineRegisterInfo::use_instr_iterator I = MRI.use_instr_begin(Def), 2659254f889dSBrendon Cahoon E = MRI.use_instr_end(); 2660254f889dSBrendon Cahoon I != E; ++I) { 2661254f889dSBrendon Cahoon if (I->isPHI() && I->getParent() == KernelBB) { 2662254f889dSBrendon Cahoon // Get the loop carried definition. 266390ecac01SBob Wilson unsigned LCDef = getLoopPhiReg(PHI, KernelBB); 2664254f889dSBrendon Cahoon if (!LCDef) 2665254f889dSBrendon Cahoon continue; 2666254f889dSBrendon Cahoon MachineInstr *MI = MRI.getVRegDef(LCDef); 2667254f889dSBrendon Cahoon if (!MI || MI->getParent() != KernelBB || MI->isPHI()) 2668254f889dSBrendon Cahoon continue; 2669254f889dSBrendon Cahoon // Search through the rest of the block looking for uses of the Phi 2670254f889dSBrendon Cahoon // definition. If one occurs, then split the lifetime. 2671254f889dSBrendon Cahoon unsigned SplitReg = 0; 2672254f889dSBrendon Cahoon for (auto &BBJ : make_range(MachineBasicBlock::instr_iterator(MI), 2673254f889dSBrendon Cahoon KernelBB->instr_end())) 2674254f889dSBrendon Cahoon if (BBJ.readsRegister(Def)) { 2675254f889dSBrendon Cahoon // We split the lifetime when we find the first use. 2676254f889dSBrendon Cahoon if (SplitReg == 0) { 2677254f889dSBrendon Cahoon SplitReg = MRI.createVirtualRegister(MRI.getRegClass(Def)); 2678254f889dSBrendon Cahoon BuildMI(*KernelBB, MI, MI->getDebugLoc(), 2679254f889dSBrendon Cahoon TII->get(TargetOpcode::COPY), SplitReg) 2680254f889dSBrendon Cahoon .addReg(Def); 2681254f889dSBrendon Cahoon } 2682254f889dSBrendon Cahoon BBJ.substituteRegister(Def, SplitReg, 0, *TRI); 2683254f889dSBrendon Cahoon } 2684254f889dSBrendon Cahoon if (!SplitReg) 2685254f889dSBrendon Cahoon continue; 2686254f889dSBrendon Cahoon // Search through each of the epilog blocks for any uses to be renamed. 2687254f889dSBrendon Cahoon for (auto &Epilog : EpilogBBs) 2688254f889dSBrendon Cahoon for (auto &I : *Epilog) 2689254f889dSBrendon Cahoon if (I.readsRegister(Def)) 2690254f889dSBrendon Cahoon I.substituteRegister(Def, SplitReg, 0, *TRI); 2691254f889dSBrendon Cahoon break; 2692254f889dSBrendon Cahoon } 2693254f889dSBrendon Cahoon } 2694254f889dSBrendon Cahoon } 2695254f889dSBrendon Cahoon } 2696254f889dSBrendon Cahoon 2697254f889dSBrendon Cahoon /// Remove the incoming block from the Phis in a basic block. 2698254f889dSBrendon Cahoon static void removePhis(MachineBasicBlock *BB, MachineBasicBlock *Incoming) { 2699254f889dSBrendon Cahoon for (MachineInstr &MI : *BB) { 2700254f889dSBrendon Cahoon if (!MI.isPHI()) 2701254f889dSBrendon Cahoon break; 2702254f889dSBrendon Cahoon for (unsigned i = 1, e = MI.getNumOperands(); i != e; i += 2) 2703254f889dSBrendon Cahoon if (MI.getOperand(i + 1).getMBB() == Incoming) { 2704254f889dSBrendon Cahoon MI.RemoveOperand(i + 1); 2705254f889dSBrendon Cahoon MI.RemoveOperand(i); 2706254f889dSBrendon Cahoon break; 2707254f889dSBrendon Cahoon } 2708254f889dSBrendon Cahoon } 2709254f889dSBrendon Cahoon } 2710254f889dSBrendon Cahoon 2711254f889dSBrendon Cahoon /// Create branches from each prolog basic block to the appropriate epilog 2712254f889dSBrendon Cahoon /// block. These edges are needed if the loop ends before reaching the 2713254f889dSBrendon Cahoon /// kernel. 2714254f889dSBrendon Cahoon void SwingSchedulerDAG::addBranches(MBBVectorTy &PrologBBs, 2715254f889dSBrendon Cahoon MachineBasicBlock *KernelBB, 2716254f889dSBrendon Cahoon MBBVectorTy &EpilogBBs, 2717254f889dSBrendon Cahoon SMSchedule &Schedule, ValueMapTy *VRMap) { 2718254f889dSBrendon Cahoon assert(PrologBBs.size() == EpilogBBs.size() && "Prolog/Epilog mismatch"); 2719254f889dSBrendon Cahoon MachineInstr *IndVar = Pass.LI.LoopInductionVar; 2720254f889dSBrendon Cahoon MachineInstr *Cmp = Pass.LI.LoopCompare; 2721254f889dSBrendon Cahoon MachineBasicBlock *LastPro = KernelBB; 2722254f889dSBrendon Cahoon MachineBasicBlock *LastEpi = KernelBB; 2723254f889dSBrendon Cahoon 2724254f889dSBrendon Cahoon // Start from the blocks connected to the kernel and work "out" 2725254f889dSBrendon Cahoon // to the first prolog and the last epilog blocks. 2726254f889dSBrendon Cahoon SmallVector<MachineInstr *, 4> PrevInsts; 2727254f889dSBrendon Cahoon unsigned MaxIter = PrologBBs.size() - 1; 2728254f889dSBrendon Cahoon unsigned LC = UINT_MAX; 2729254f889dSBrendon Cahoon unsigned LCMin = UINT_MAX; 2730254f889dSBrendon Cahoon for (unsigned i = 0, j = MaxIter; i <= MaxIter; ++i, --j) { 2731254f889dSBrendon Cahoon // Add branches to the prolog that go to the corresponding 2732254f889dSBrendon Cahoon // epilog, and the fall-thru prolog/kernel block. 2733254f889dSBrendon Cahoon MachineBasicBlock *Prolog = PrologBBs[j]; 2734254f889dSBrendon Cahoon MachineBasicBlock *Epilog = EpilogBBs[i]; 2735254f889dSBrendon Cahoon // We've executed one iteration, so decrement the loop count and check for 2736254f889dSBrendon Cahoon // the loop end. 2737254f889dSBrendon Cahoon SmallVector<MachineOperand, 4> Cond; 2738254f889dSBrendon Cahoon // Check if the LOOP0 has already been removed. If so, then there is no need 2739254f889dSBrendon Cahoon // to reduce the trip count. 2740254f889dSBrendon Cahoon if (LC != 0) 27418fb181caSKrzysztof Parzyszek LC = TII->reduceLoopCount(*Prolog, IndVar, *Cmp, Cond, PrevInsts, j, 2742254f889dSBrendon Cahoon MaxIter); 2743254f889dSBrendon Cahoon 2744254f889dSBrendon Cahoon // Record the value of the first trip count, which is used to determine if 2745254f889dSBrendon Cahoon // branches and blocks can be removed for constant trip counts. 2746254f889dSBrendon Cahoon if (LCMin == UINT_MAX) 2747254f889dSBrendon Cahoon LCMin = LC; 2748254f889dSBrendon Cahoon 2749254f889dSBrendon Cahoon unsigned numAdded = 0; 2750254f889dSBrendon Cahoon if (TargetRegisterInfo::isVirtualRegister(LC)) { 2751254f889dSBrendon Cahoon Prolog->addSuccessor(Epilog); 2752e8e0f5caSMatt Arsenault numAdded = TII->insertBranch(*Prolog, Epilog, LastPro, Cond, DebugLoc()); 2753254f889dSBrendon Cahoon } else if (j >= LCMin) { 2754254f889dSBrendon Cahoon Prolog->addSuccessor(Epilog); 2755254f889dSBrendon Cahoon Prolog->removeSuccessor(LastPro); 2756254f889dSBrendon Cahoon LastEpi->removeSuccessor(Epilog); 2757e8e0f5caSMatt Arsenault numAdded = TII->insertBranch(*Prolog, Epilog, nullptr, Cond, DebugLoc()); 2758254f889dSBrendon Cahoon removePhis(Epilog, LastEpi); 2759254f889dSBrendon Cahoon // Remove the blocks that are no longer referenced. 2760254f889dSBrendon Cahoon if (LastPro != LastEpi) { 2761254f889dSBrendon Cahoon LastEpi->clear(); 2762254f889dSBrendon Cahoon LastEpi->eraseFromParent(); 2763254f889dSBrendon Cahoon } 2764254f889dSBrendon Cahoon LastPro->clear(); 2765254f889dSBrendon Cahoon LastPro->eraseFromParent(); 2766254f889dSBrendon Cahoon } else { 2767e8e0f5caSMatt Arsenault numAdded = TII->insertBranch(*Prolog, LastPro, nullptr, Cond, DebugLoc()); 2768254f889dSBrendon Cahoon removePhis(Epilog, Prolog); 2769254f889dSBrendon Cahoon } 2770254f889dSBrendon Cahoon LastPro = Prolog; 2771254f889dSBrendon Cahoon LastEpi = Epilog; 2772254f889dSBrendon Cahoon for (MachineBasicBlock::reverse_instr_iterator I = Prolog->instr_rbegin(), 2773254f889dSBrendon Cahoon E = Prolog->instr_rend(); 2774254f889dSBrendon Cahoon I != E && numAdded > 0; ++I, --numAdded) 2775254f889dSBrendon Cahoon updateInstruction(&*I, false, j, 0, Schedule, VRMap); 2776254f889dSBrendon Cahoon } 2777254f889dSBrendon Cahoon } 2778254f889dSBrendon Cahoon 2779254f889dSBrendon Cahoon /// Return true if we can compute the amount the instruction changes 2780254f889dSBrendon Cahoon /// during each iteration. Set Delta to the amount of the change. 2781254f889dSBrendon Cahoon bool SwingSchedulerDAG::computeDelta(MachineInstr &MI, unsigned &Delta) { 2782254f889dSBrendon Cahoon const TargetRegisterInfo *TRI = MF.getSubtarget().getRegisterInfo(); 2783238c9d63SBjorn Pettersson const MachineOperand *BaseOp; 2784254f889dSBrendon Cahoon int64_t Offset; 2785d7eebd6dSFrancis Visoiu Mistrih if (!TII->getMemOperandWithOffset(MI, BaseOp, Offset, TRI)) 2786254f889dSBrendon Cahoon return false; 2787254f889dSBrendon Cahoon 2788d7eebd6dSFrancis Visoiu Mistrih if (!BaseOp->isReg()) 2789d7eebd6dSFrancis Visoiu Mistrih return false; 2790d7eebd6dSFrancis Visoiu Mistrih 2791d7eebd6dSFrancis Visoiu Mistrih unsigned BaseReg = BaseOp->getReg(); 2792d7eebd6dSFrancis Visoiu Mistrih 2793254f889dSBrendon Cahoon MachineRegisterInfo &MRI = MF.getRegInfo(); 2794254f889dSBrendon Cahoon // Check if there is a Phi. If so, get the definition in the loop. 2795254f889dSBrendon Cahoon MachineInstr *BaseDef = MRI.getVRegDef(BaseReg); 2796254f889dSBrendon Cahoon if (BaseDef && BaseDef->isPHI()) { 2797254f889dSBrendon Cahoon BaseReg = getLoopPhiReg(*BaseDef, MI.getParent()); 2798254f889dSBrendon Cahoon BaseDef = MRI.getVRegDef(BaseReg); 2799254f889dSBrendon Cahoon } 2800254f889dSBrendon Cahoon if (!BaseDef) 2801254f889dSBrendon Cahoon return false; 2802254f889dSBrendon Cahoon 2803254f889dSBrendon Cahoon int D = 0; 28048fb181caSKrzysztof Parzyszek if (!TII->getIncrementValue(*BaseDef, D) && D >= 0) 2805254f889dSBrendon Cahoon return false; 2806254f889dSBrendon Cahoon 2807254f889dSBrendon Cahoon Delta = D; 2808254f889dSBrendon Cahoon return true; 2809254f889dSBrendon Cahoon } 2810254f889dSBrendon Cahoon 2811254f889dSBrendon Cahoon /// Update the memory operand with a new offset when the pipeliner 2812cf56e92cSJustin Lebar /// generates a new copy of the instruction that refers to a 2813254f889dSBrendon Cahoon /// different memory location. 2814254f889dSBrendon Cahoon void SwingSchedulerDAG::updateMemOperands(MachineInstr &NewMI, 2815254f889dSBrendon Cahoon MachineInstr &OldMI, unsigned Num) { 2816254f889dSBrendon Cahoon if (Num == 0) 2817254f889dSBrendon Cahoon return; 2818254f889dSBrendon Cahoon // If the instruction has memory operands, then adjust the offset 2819254f889dSBrendon Cahoon // when the instruction appears in different stages. 2820c73c0307SChandler Carruth if (NewMI.memoperands_empty()) 2821254f889dSBrendon Cahoon return; 2822c73c0307SChandler Carruth SmallVector<MachineMemOperand *, 2> NewMMOs; 28230a33a7aeSJustin Lebar for (MachineMemOperand *MMO : NewMI.memoperands()) { 282400056ed0SPhilip Reames // TODO: Figure out whether isAtomic is really necessary (see D57601). 282500056ed0SPhilip Reames if (MMO->isVolatile() || MMO->isAtomic() || 282600056ed0SPhilip Reames (MMO->isInvariant() && MMO->isDereferenceable()) || 2827adbf09e8SJustin Lebar (!MMO->getValue())) { 2828c73c0307SChandler Carruth NewMMOs.push_back(MMO); 2829254f889dSBrendon Cahoon continue; 2830254f889dSBrendon Cahoon } 2831254f889dSBrendon Cahoon unsigned Delta; 2832785b6cecSKrzysztof Parzyszek if (Num != UINT_MAX && computeDelta(OldMI, Delta)) { 2833254f889dSBrendon Cahoon int64_t AdjOffset = Delta * Num; 2834c73c0307SChandler Carruth NewMMOs.push_back( 2835c73c0307SChandler Carruth MF.getMachineMemOperand(MMO, AdjOffset, MMO->getSize())); 28362d79017dSKrzysztof Parzyszek } else { 2837cc3f6302SKrzysztof Parzyszek NewMMOs.push_back( 2838cc3f6302SKrzysztof Parzyszek MF.getMachineMemOperand(MMO, 0, MemoryLocation::UnknownSize)); 28392d79017dSKrzysztof Parzyszek } 2840254f889dSBrendon Cahoon } 2841c73c0307SChandler Carruth NewMI.setMemRefs(MF, NewMMOs); 2842254f889dSBrendon Cahoon } 2843254f889dSBrendon Cahoon 2844254f889dSBrendon Cahoon /// Clone the instruction for the new pipelined loop and update the 2845254f889dSBrendon Cahoon /// memory operands, if needed. 2846254f889dSBrendon Cahoon MachineInstr *SwingSchedulerDAG::cloneInstr(MachineInstr *OldMI, 2847254f889dSBrendon Cahoon unsigned CurStageNum, 2848254f889dSBrendon Cahoon unsigned InstStageNum) { 2849254f889dSBrendon Cahoon MachineInstr *NewMI = MF.CloneMachineInstr(OldMI); 2850254f889dSBrendon Cahoon // Check for tied operands in inline asm instructions. This should be handled 2851254f889dSBrendon Cahoon // elsewhere, but I'm not sure of the best solution. 2852254f889dSBrendon Cahoon if (OldMI->isInlineAsm()) 2853254f889dSBrendon Cahoon for (unsigned i = 0, e = OldMI->getNumOperands(); i != e; ++i) { 2854254f889dSBrendon Cahoon const auto &MO = OldMI->getOperand(i); 2855254f889dSBrendon Cahoon if (MO.isReg() && MO.isUse()) 2856254f889dSBrendon Cahoon break; 2857254f889dSBrendon Cahoon unsigned UseIdx; 2858254f889dSBrendon Cahoon if (OldMI->isRegTiedToUseOperand(i, &UseIdx)) 2859254f889dSBrendon Cahoon NewMI->tieOperands(i, UseIdx); 2860254f889dSBrendon Cahoon } 2861254f889dSBrendon Cahoon updateMemOperands(*NewMI, *OldMI, CurStageNum - InstStageNum); 2862254f889dSBrendon Cahoon return NewMI; 2863254f889dSBrendon Cahoon } 2864254f889dSBrendon Cahoon 2865254f889dSBrendon Cahoon /// Clone the instruction for the new pipelined loop. If needed, this 2866254f889dSBrendon Cahoon /// function updates the instruction using the values saved in the 2867254f889dSBrendon Cahoon /// InstrChanges structure. 2868254f889dSBrendon Cahoon MachineInstr *SwingSchedulerDAG::cloneAndChangeInstr(MachineInstr *OldMI, 2869254f889dSBrendon Cahoon unsigned CurStageNum, 2870254f889dSBrendon Cahoon unsigned InstStageNum, 2871254f889dSBrendon Cahoon SMSchedule &Schedule) { 2872254f889dSBrendon Cahoon MachineInstr *NewMI = MF.CloneMachineInstr(OldMI); 2873254f889dSBrendon Cahoon DenseMap<SUnit *, std::pair<unsigned, int64_t>>::iterator It = 2874254f889dSBrendon Cahoon InstrChanges.find(getSUnit(OldMI)); 2875254f889dSBrendon Cahoon if (It != InstrChanges.end()) { 2876254f889dSBrendon Cahoon std::pair<unsigned, int64_t> RegAndOffset = It->second; 2877254f889dSBrendon Cahoon unsigned BasePos, OffsetPos; 28788fb181caSKrzysztof Parzyszek if (!TII->getBaseAndOffsetPosition(*OldMI, BasePos, OffsetPos)) 2879254f889dSBrendon Cahoon return nullptr; 2880254f889dSBrendon Cahoon int64_t NewOffset = OldMI->getOperand(OffsetPos).getImm(); 2881254f889dSBrendon Cahoon MachineInstr *LoopDef = findDefInLoop(RegAndOffset.first); 2882254f889dSBrendon Cahoon if (Schedule.stageScheduled(getSUnit(LoopDef)) > (signed)InstStageNum) 2883254f889dSBrendon Cahoon NewOffset += RegAndOffset.second * (CurStageNum - InstStageNum); 2884254f889dSBrendon Cahoon NewMI->getOperand(OffsetPos).setImm(NewOffset); 2885254f889dSBrendon Cahoon } 2886254f889dSBrendon Cahoon updateMemOperands(*NewMI, *OldMI, CurStageNum - InstStageNum); 2887254f889dSBrendon Cahoon return NewMI; 2888254f889dSBrendon Cahoon } 2889254f889dSBrendon Cahoon 2890254f889dSBrendon Cahoon /// Update the machine instruction with new virtual registers. This 2891254f889dSBrendon Cahoon /// function may change the defintions and/or uses. 2892254f889dSBrendon Cahoon void SwingSchedulerDAG::updateInstruction(MachineInstr *NewMI, bool LastDef, 2893254f889dSBrendon Cahoon unsigned CurStageNum, 2894254f889dSBrendon Cahoon unsigned InstrStageNum, 2895254f889dSBrendon Cahoon SMSchedule &Schedule, 2896254f889dSBrendon Cahoon ValueMapTy *VRMap) { 2897254f889dSBrendon Cahoon for (unsigned i = 0, e = NewMI->getNumOperands(); i != e; ++i) { 2898254f889dSBrendon Cahoon MachineOperand &MO = NewMI->getOperand(i); 2899254f889dSBrendon Cahoon if (!MO.isReg() || !TargetRegisterInfo::isVirtualRegister(MO.getReg())) 2900254f889dSBrendon Cahoon continue; 2901254f889dSBrendon Cahoon unsigned reg = MO.getReg(); 2902254f889dSBrendon Cahoon if (MO.isDef()) { 2903254f889dSBrendon Cahoon // Create a new virtual register for the definition. 2904254f889dSBrendon Cahoon const TargetRegisterClass *RC = MRI.getRegClass(reg); 2905254f889dSBrendon Cahoon unsigned NewReg = MRI.createVirtualRegister(RC); 2906254f889dSBrendon Cahoon MO.setReg(NewReg); 2907254f889dSBrendon Cahoon VRMap[CurStageNum][reg] = NewReg; 2908254f889dSBrendon Cahoon if (LastDef) 2909254f889dSBrendon Cahoon replaceRegUsesAfterLoop(reg, NewReg, BB, MRI, LIS); 2910254f889dSBrendon Cahoon } else if (MO.isUse()) { 2911254f889dSBrendon Cahoon MachineInstr *Def = MRI.getVRegDef(reg); 2912254f889dSBrendon Cahoon // Compute the stage that contains the last definition for instruction. 2913254f889dSBrendon Cahoon int DefStageNum = Schedule.stageScheduled(getSUnit(Def)); 2914254f889dSBrendon Cahoon unsigned StageNum = CurStageNum; 2915254f889dSBrendon Cahoon if (DefStageNum != -1 && (int)InstrStageNum > DefStageNum) { 2916254f889dSBrendon Cahoon // Compute the difference in stages between the defintion and the use. 2917254f889dSBrendon Cahoon unsigned StageDiff = (InstrStageNum - DefStageNum); 2918254f889dSBrendon Cahoon // Make an adjustment to get the last definition. 2919254f889dSBrendon Cahoon StageNum -= StageDiff; 2920254f889dSBrendon Cahoon } 2921254f889dSBrendon Cahoon if (VRMap[StageNum].count(reg)) 2922254f889dSBrendon Cahoon MO.setReg(VRMap[StageNum][reg]); 2923254f889dSBrendon Cahoon } 2924254f889dSBrendon Cahoon } 2925254f889dSBrendon Cahoon } 2926254f889dSBrendon Cahoon 2927254f889dSBrendon Cahoon /// Return the instruction in the loop that defines the register. 2928254f889dSBrendon Cahoon /// If the definition is a Phi, then follow the Phi operand to 2929254f889dSBrendon Cahoon /// the instruction in the loop. 2930254f889dSBrendon Cahoon MachineInstr *SwingSchedulerDAG::findDefInLoop(unsigned Reg) { 2931254f889dSBrendon Cahoon SmallPtrSet<MachineInstr *, 8> Visited; 2932254f889dSBrendon Cahoon MachineInstr *Def = MRI.getVRegDef(Reg); 2933254f889dSBrendon Cahoon while (Def->isPHI()) { 2934254f889dSBrendon Cahoon if (!Visited.insert(Def).second) 2935254f889dSBrendon Cahoon break; 2936254f889dSBrendon Cahoon for (unsigned i = 1, e = Def->getNumOperands(); i < e; i += 2) 2937254f889dSBrendon Cahoon if (Def->getOperand(i + 1).getMBB() == BB) { 2938254f889dSBrendon Cahoon Def = MRI.getVRegDef(Def->getOperand(i).getReg()); 2939254f889dSBrendon Cahoon break; 2940254f889dSBrendon Cahoon } 2941254f889dSBrendon Cahoon } 2942254f889dSBrendon Cahoon return Def; 2943254f889dSBrendon Cahoon } 2944254f889dSBrendon Cahoon 2945254f889dSBrendon Cahoon /// Return the new name for the value from the previous stage. 2946254f889dSBrendon Cahoon unsigned SwingSchedulerDAG::getPrevMapVal(unsigned StageNum, unsigned PhiStage, 2947254f889dSBrendon Cahoon unsigned LoopVal, unsigned LoopStage, 2948254f889dSBrendon Cahoon ValueMapTy *VRMap, 2949254f889dSBrendon Cahoon MachineBasicBlock *BB) { 2950254f889dSBrendon Cahoon unsigned PrevVal = 0; 2951254f889dSBrendon Cahoon if (StageNum > PhiStage) { 2952254f889dSBrendon Cahoon MachineInstr *LoopInst = MRI.getVRegDef(LoopVal); 2953254f889dSBrendon Cahoon if (PhiStage == LoopStage && VRMap[StageNum - 1].count(LoopVal)) 2954254f889dSBrendon Cahoon // The name is defined in the previous stage. 2955254f889dSBrendon Cahoon PrevVal = VRMap[StageNum - 1][LoopVal]; 2956254f889dSBrendon Cahoon else if (VRMap[StageNum].count(LoopVal)) 2957254f889dSBrendon Cahoon // The previous name is defined in the current stage when the instruction 2958254f889dSBrendon Cahoon // order is swapped. 2959254f889dSBrendon Cahoon PrevVal = VRMap[StageNum][LoopVal]; 2960df24da22SKrzysztof Parzyszek else if (!LoopInst->isPHI() || LoopInst->getParent() != BB) 2961254f889dSBrendon Cahoon // The loop value hasn't yet been scheduled. 2962254f889dSBrendon Cahoon PrevVal = LoopVal; 2963254f889dSBrendon Cahoon else if (StageNum == PhiStage + 1) 2964254f889dSBrendon Cahoon // The loop value is another phi, which has not been scheduled. 2965254f889dSBrendon Cahoon PrevVal = getInitPhiReg(*LoopInst, BB); 2966254f889dSBrendon Cahoon else if (StageNum > PhiStage + 1 && LoopInst->getParent() == BB) 2967254f889dSBrendon Cahoon // The loop value is another phi, which has been scheduled. 2968254f889dSBrendon Cahoon PrevVal = 2969254f889dSBrendon Cahoon getPrevMapVal(StageNum - 1, PhiStage, getLoopPhiReg(*LoopInst, BB), 2970254f889dSBrendon Cahoon LoopStage, VRMap, BB); 2971254f889dSBrendon Cahoon } 2972254f889dSBrendon Cahoon return PrevVal; 2973254f889dSBrendon Cahoon } 2974254f889dSBrendon Cahoon 2975254f889dSBrendon Cahoon /// Rewrite the Phi values in the specified block to use the mappings 2976254f889dSBrendon Cahoon /// from the initial operand. Once the Phi is scheduled, we switch 2977254f889dSBrendon Cahoon /// to using the loop value instead of the Phi value, so those names 2978254f889dSBrendon Cahoon /// do not need to be rewritten. 2979254f889dSBrendon Cahoon void SwingSchedulerDAG::rewritePhiValues(MachineBasicBlock *NewBB, 2980254f889dSBrendon Cahoon unsigned StageNum, 2981254f889dSBrendon Cahoon SMSchedule &Schedule, 2982254f889dSBrendon Cahoon ValueMapTy *VRMap, 2983254f889dSBrendon Cahoon InstrMapTy &InstrMap) { 298490ecac01SBob Wilson for (auto &PHI : BB->phis()) { 2985254f889dSBrendon Cahoon unsigned InitVal = 0; 2986254f889dSBrendon Cahoon unsigned LoopVal = 0; 298790ecac01SBob Wilson getPhiRegs(PHI, BB, InitVal, LoopVal); 298890ecac01SBob Wilson unsigned PhiDef = PHI.getOperand(0).getReg(); 2989254f889dSBrendon Cahoon 2990254f889dSBrendon Cahoon unsigned PhiStage = 2991254f889dSBrendon Cahoon (unsigned)Schedule.stageScheduled(getSUnit(MRI.getVRegDef(PhiDef))); 2992254f889dSBrendon Cahoon unsigned LoopStage = 2993254f889dSBrendon Cahoon (unsigned)Schedule.stageScheduled(getSUnit(MRI.getVRegDef(LoopVal))); 2994254f889dSBrendon Cahoon unsigned NumPhis = Schedule.getStagesForPhi(PhiDef); 2995254f889dSBrendon Cahoon if (NumPhis > StageNum) 2996254f889dSBrendon Cahoon NumPhis = StageNum; 2997254f889dSBrendon Cahoon for (unsigned np = 0; np <= NumPhis; ++np) { 2998254f889dSBrendon Cahoon unsigned NewVal = 2999254f889dSBrendon Cahoon getPrevMapVal(StageNum - np, PhiStage, LoopVal, LoopStage, VRMap, BB); 3000254f889dSBrendon Cahoon if (!NewVal) 3001254f889dSBrendon Cahoon NewVal = InitVal; 300290ecac01SBob Wilson rewriteScheduledInstr(NewBB, Schedule, InstrMap, StageNum - np, np, &PHI, 3003254f889dSBrendon Cahoon PhiDef, NewVal); 3004254f889dSBrendon Cahoon } 3005254f889dSBrendon Cahoon } 3006254f889dSBrendon Cahoon } 3007254f889dSBrendon Cahoon 3008254f889dSBrendon Cahoon /// Rewrite a previously scheduled instruction to use the register value 3009254f889dSBrendon Cahoon /// from the new instruction. Make sure the instruction occurs in the 3010254f889dSBrendon Cahoon /// basic block, and we don't change the uses in the new instruction. 3011254f889dSBrendon Cahoon void SwingSchedulerDAG::rewriteScheduledInstr( 3012254f889dSBrendon Cahoon MachineBasicBlock *BB, SMSchedule &Schedule, InstrMapTy &InstrMap, 3013254f889dSBrendon Cahoon unsigned CurStageNum, unsigned PhiNum, MachineInstr *Phi, unsigned OldReg, 3014254f889dSBrendon Cahoon unsigned NewReg, unsigned PrevReg) { 3015254f889dSBrendon Cahoon bool InProlog = (CurStageNum < Schedule.getMaxStageCount()); 3016254f889dSBrendon Cahoon int StagePhi = Schedule.stageScheduled(getSUnit(Phi)) + PhiNum; 3017254f889dSBrendon Cahoon // Rewrite uses that have been scheduled already to use the new 3018254f889dSBrendon Cahoon // Phi register. 3019254f889dSBrendon Cahoon for (MachineRegisterInfo::use_iterator UI = MRI.use_begin(OldReg), 3020254f889dSBrendon Cahoon EI = MRI.use_end(); 3021254f889dSBrendon Cahoon UI != EI;) { 3022254f889dSBrendon Cahoon MachineOperand &UseOp = *UI; 3023254f889dSBrendon Cahoon MachineInstr *UseMI = UseOp.getParent(); 3024254f889dSBrendon Cahoon ++UI; 3025254f889dSBrendon Cahoon if (UseMI->getParent() != BB) 3026254f889dSBrendon Cahoon continue; 3027254f889dSBrendon Cahoon if (UseMI->isPHI()) { 3028254f889dSBrendon Cahoon if (!Phi->isPHI() && UseMI->getOperand(0).getReg() == NewReg) 3029254f889dSBrendon Cahoon continue; 3030254f889dSBrendon Cahoon if (getLoopPhiReg(*UseMI, BB) != OldReg) 3031254f889dSBrendon Cahoon continue; 3032254f889dSBrendon Cahoon } 3033254f889dSBrendon Cahoon InstrMapTy::iterator OrigInstr = InstrMap.find(UseMI); 3034254f889dSBrendon Cahoon assert(OrigInstr != InstrMap.end() && "Instruction not scheduled."); 3035254f889dSBrendon Cahoon SUnit *OrigMISU = getSUnit(OrigInstr->second); 3036254f889dSBrendon Cahoon int StageSched = Schedule.stageScheduled(OrigMISU); 3037254f889dSBrendon Cahoon int CycleSched = Schedule.cycleScheduled(OrigMISU); 3038254f889dSBrendon Cahoon unsigned ReplaceReg = 0; 3039254f889dSBrendon Cahoon // This is the stage for the scheduled instruction. 3040254f889dSBrendon Cahoon if (StagePhi == StageSched && Phi->isPHI()) { 3041254f889dSBrendon Cahoon int CyclePhi = Schedule.cycleScheduled(getSUnit(Phi)); 3042254f889dSBrendon Cahoon if (PrevReg && InProlog) 3043254f889dSBrendon Cahoon ReplaceReg = PrevReg; 3044254f889dSBrendon Cahoon else if (PrevReg && !Schedule.isLoopCarried(this, *Phi) && 3045254f889dSBrendon Cahoon (CyclePhi <= CycleSched || OrigMISU->getInstr()->isPHI())) 3046254f889dSBrendon Cahoon ReplaceReg = PrevReg; 3047254f889dSBrendon Cahoon else 3048254f889dSBrendon Cahoon ReplaceReg = NewReg; 3049254f889dSBrendon Cahoon } 3050254f889dSBrendon Cahoon // The scheduled instruction occurs before the scheduled Phi, and the 3051254f889dSBrendon Cahoon // Phi is not loop carried. 3052254f889dSBrendon Cahoon if (!InProlog && StagePhi + 1 == StageSched && 3053254f889dSBrendon Cahoon !Schedule.isLoopCarried(this, *Phi)) 3054254f889dSBrendon Cahoon ReplaceReg = NewReg; 3055254f889dSBrendon Cahoon if (StagePhi > StageSched && Phi->isPHI()) 3056254f889dSBrendon Cahoon ReplaceReg = NewReg; 3057254f889dSBrendon Cahoon if (!InProlog && !Phi->isPHI() && StagePhi < StageSched) 3058254f889dSBrendon Cahoon ReplaceReg = NewReg; 3059254f889dSBrendon Cahoon if (ReplaceReg) { 3060254f889dSBrendon Cahoon MRI.constrainRegClass(ReplaceReg, MRI.getRegClass(OldReg)); 3061254f889dSBrendon Cahoon UseOp.setReg(ReplaceReg); 3062254f889dSBrendon Cahoon } 3063254f889dSBrendon Cahoon } 3064254f889dSBrendon Cahoon } 3065254f889dSBrendon Cahoon 3066254f889dSBrendon Cahoon /// Check if we can change the instruction to use an offset value from the 3067254f889dSBrendon Cahoon /// previous iteration. If so, return true and set the base and offset values 3068254f889dSBrendon Cahoon /// so that we can rewrite the load, if necessary. 3069254f889dSBrendon Cahoon /// v1 = Phi(v0, v3) 3070254f889dSBrendon Cahoon /// v2 = load v1, 0 3071254f889dSBrendon Cahoon /// v3 = post_store v1, 4, x 3072254f889dSBrendon Cahoon /// This function enables the load to be rewritten as v2 = load v3, 4. 3073254f889dSBrendon Cahoon bool SwingSchedulerDAG::canUseLastOffsetValue(MachineInstr *MI, 3074254f889dSBrendon Cahoon unsigned &BasePos, 3075254f889dSBrendon Cahoon unsigned &OffsetPos, 3076254f889dSBrendon Cahoon unsigned &NewBase, 3077254f889dSBrendon Cahoon int64_t &Offset) { 3078254f889dSBrendon Cahoon // Get the load instruction. 30798fb181caSKrzysztof Parzyszek if (TII->isPostIncrement(*MI)) 3080254f889dSBrendon Cahoon return false; 3081254f889dSBrendon Cahoon unsigned BasePosLd, OffsetPosLd; 30828fb181caSKrzysztof Parzyszek if (!TII->getBaseAndOffsetPosition(*MI, BasePosLd, OffsetPosLd)) 3083254f889dSBrendon Cahoon return false; 3084254f889dSBrendon Cahoon unsigned BaseReg = MI->getOperand(BasePosLd).getReg(); 3085254f889dSBrendon Cahoon 3086254f889dSBrendon Cahoon // Look for the Phi instruction. 3087fdf9bf4fSJustin Bogner MachineRegisterInfo &MRI = MI->getMF()->getRegInfo(); 3088254f889dSBrendon Cahoon MachineInstr *Phi = MRI.getVRegDef(BaseReg); 3089254f889dSBrendon Cahoon if (!Phi || !Phi->isPHI()) 3090254f889dSBrendon Cahoon return false; 3091254f889dSBrendon Cahoon // Get the register defined in the loop block. 3092254f889dSBrendon Cahoon unsigned PrevReg = getLoopPhiReg(*Phi, MI->getParent()); 3093254f889dSBrendon Cahoon if (!PrevReg) 3094254f889dSBrendon Cahoon return false; 3095254f889dSBrendon Cahoon 3096254f889dSBrendon Cahoon // Check for the post-increment load/store instruction. 3097254f889dSBrendon Cahoon MachineInstr *PrevDef = MRI.getVRegDef(PrevReg); 3098254f889dSBrendon Cahoon if (!PrevDef || PrevDef == MI) 3099254f889dSBrendon Cahoon return false; 3100254f889dSBrendon Cahoon 31018fb181caSKrzysztof Parzyszek if (!TII->isPostIncrement(*PrevDef)) 3102254f889dSBrendon Cahoon return false; 3103254f889dSBrendon Cahoon 3104254f889dSBrendon Cahoon unsigned BasePos1 = 0, OffsetPos1 = 0; 31058fb181caSKrzysztof Parzyszek if (!TII->getBaseAndOffsetPosition(*PrevDef, BasePos1, OffsetPos1)) 3106254f889dSBrendon Cahoon return false; 3107254f889dSBrendon Cahoon 310840df8a2bSKrzysztof Parzyszek // Make sure that the instructions do not access the same memory location in 310940df8a2bSKrzysztof Parzyszek // the next iteration. 3110254f889dSBrendon Cahoon int64_t LoadOffset = MI->getOperand(OffsetPosLd).getImm(); 3111254f889dSBrendon Cahoon int64_t StoreOffset = PrevDef->getOperand(OffsetPos1).getImm(); 311240df8a2bSKrzysztof Parzyszek MachineInstr *NewMI = MF.CloneMachineInstr(MI); 311340df8a2bSKrzysztof Parzyszek NewMI->getOperand(OffsetPosLd).setImm(LoadOffset + StoreOffset); 311440df8a2bSKrzysztof Parzyszek bool Disjoint = TII->areMemAccessesTriviallyDisjoint(*NewMI, *PrevDef); 311540df8a2bSKrzysztof Parzyszek MF.DeleteMachineInstr(NewMI); 311640df8a2bSKrzysztof Parzyszek if (!Disjoint) 3117254f889dSBrendon Cahoon return false; 3118254f889dSBrendon Cahoon 3119254f889dSBrendon Cahoon // Set the return value once we determine that we return true. 3120254f889dSBrendon Cahoon BasePos = BasePosLd; 3121254f889dSBrendon Cahoon OffsetPos = OffsetPosLd; 3122254f889dSBrendon Cahoon NewBase = PrevReg; 3123254f889dSBrendon Cahoon Offset = StoreOffset; 3124254f889dSBrendon Cahoon return true; 3125254f889dSBrendon Cahoon } 3126254f889dSBrendon Cahoon 3127254f889dSBrendon Cahoon /// Apply changes to the instruction if needed. The changes are need 3128254f889dSBrendon Cahoon /// to improve the scheduling and depend up on the final schedule. 31298f174ddeSKrzysztof Parzyszek void SwingSchedulerDAG::applyInstrChange(MachineInstr *MI, 31308f174ddeSKrzysztof Parzyszek SMSchedule &Schedule) { 3131254f889dSBrendon Cahoon SUnit *SU = getSUnit(MI); 3132254f889dSBrendon Cahoon DenseMap<SUnit *, std::pair<unsigned, int64_t>>::iterator It = 3133254f889dSBrendon Cahoon InstrChanges.find(SU); 3134254f889dSBrendon Cahoon if (It != InstrChanges.end()) { 3135254f889dSBrendon Cahoon std::pair<unsigned, int64_t> RegAndOffset = It->second; 3136254f889dSBrendon Cahoon unsigned BasePos, OffsetPos; 31378fb181caSKrzysztof Parzyszek if (!TII->getBaseAndOffsetPosition(*MI, BasePos, OffsetPos)) 31388f174ddeSKrzysztof Parzyszek return; 3139254f889dSBrendon Cahoon unsigned BaseReg = MI->getOperand(BasePos).getReg(); 3140254f889dSBrendon Cahoon MachineInstr *LoopDef = findDefInLoop(BaseReg); 3141254f889dSBrendon Cahoon int DefStageNum = Schedule.stageScheduled(getSUnit(LoopDef)); 3142254f889dSBrendon Cahoon int DefCycleNum = Schedule.cycleScheduled(getSUnit(LoopDef)); 3143254f889dSBrendon Cahoon int BaseStageNum = Schedule.stageScheduled(SU); 3144254f889dSBrendon Cahoon int BaseCycleNum = Schedule.cycleScheduled(SU); 3145254f889dSBrendon Cahoon if (BaseStageNum < DefStageNum) { 3146254f889dSBrendon Cahoon MachineInstr *NewMI = MF.CloneMachineInstr(MI); 3147254f889dSBrendon Cahoon int OffsetDiff = DefStageNum - BaseStageNum; 3148254f889dSBrendon Cahoon if (DefCycleNum < BaseCycleNum) { 3149254f889dSBrendon Cahoon NewMI->getOperand(BasePos).setReg(RegAndOffset.first); 3150254f889dSBrendon Cahoon if (OffsetDiff > 0) 3151254f889dSBrendon Cahoon --OffsetDiff; 3152254f889dSBrendon Cahoon } 3153254f889dSBrendon Cahoon int64_t NewOffset = 3154254f889dSBrendon Cahoon MI->getOperand(OffsetPos).getImm() + RegAndOffset.second * OffsetDiff; 3155254f889dSBrendon Cahoon NewMI->getOperand(OffsetPos).setImm(NewOffset); 3156254f889dSBrendon Cahoon SU->setInstr(NewMI); 3157254f889dSBrendon Cahoon MISUnitMap[NewMI] = SU; 3158254f889dSBrendon Cahoon NewMIs.insert(NewMI); 3159254f889dSBrendon Cahoon } 3160254f889dSBrendon Cahoon } 3161254f889dSBrendon Cahoon } 3162254f889dSBrendon Cahoon 31638e1363dfSKrzysztof Parzyszek /// Return true for an order or output dependence that is loop carried 31648e1363dfSKrzysztof Parzyszek /// potentially. A dependence is loop carried if the destination defines a valu 31658e1363dfSKrzysztof Parzyszek /// that may be used or defined by the source in a subsequent iteration. 31668e1363dfSKrzysztof Parzyszek bool SwingSchedulerDAG::isLoopCarriedDep(SUnit *Source, const SDep &Dep, 3167254f889dSBrendon Cahoon bool isSucc) { 31688e1363dfSKrzysztof Parzyszek if ((Dep.getKind() != SDep::Order && Dep.getKind() != SDep::Output) || 31698e1363dfSKrzysztof Parzyszek Dep.isArtificial()) 3170254f889dSBrendon Cahoon return false; 3171254f889dSBrendon Cahoon 3172254f889dSBrendon Cahoon if (!SwpPruneLoopCarried) 3173254f889dSBrendon Cahoon return true; 3174254f889dSBrendon Cahoon 31758e1363dfSKrzysztof Parzyszek if (Dep.getKind() == SDep::Output) 31768e1363dfSKrzysztof Parzyszek return true; 31778e1363dfSKrzysztof Parzyszek 3178254f889dSBrendon Cahoon MachineInstr *SI = Source->getInstr(); 3179254f889dSBrendon Cahoon MachineInstr *DI = Dep.getSUnit()->getInstr(); 3180254f889dSBrendon Cahoon if (!isSucc) 3181254f889dSBrendon Cahoon std::swap(SI, DI); 3182254f889dSBrendon Cahoon assert(SI != nullptr && DI != nullptr && "Expecting SUnit with an MI."); 3183254f889dSBrendon Cahoon 3184254f889dSBrendon Cahoon // Assume ordered loads and stores may have a loop carried dependence. 3185254f889dSBrendon Cahoon if (SI->hasUnmodeledSideEffects() || DI->hasUnmodeledSideEffects() || 3186254f889dSBrendon Cahoon SI->hasOrderedMemoryRef() || DI->hasOrderedMemoryRef()) 3187254f889dSBrendon Cahoon return true; 3188254f889dSBrendon Cahoon 3189254f889dSBrendon Cahoon // Only chain dependences between a load and store can be loop carried. 3190254f889dSBrendon Cahoon if (!DI->mayStore() || !SI->mayLoad()) 3191254f889dSBrendon Cahoon return false; 3192254f889dSBrendon Cahoon 3193254f889dSBrendon Cahoon unsigned DeltaS, DeltaD; 3194254f889dSBrendon Cahoon if (!computeDelta(*SI, DeltaS) || !computeDelta(*DI, DeltaD)) 3195254f889dSBrendon Cahoon return true; 3196254f889dSBrendon Cahoon 3197238c9d63SBjorn Pettersson const MachineOperand *BaseOpS, *BaseOpD; 3198254f889dSBrendon Cahoon int64_t OffsetS, OffsetD; 3199254f889dSBrendon Cahoon const TargetRegisterInfo *TRI = MF.getSubtarget().getRegisterInfo(); 3200d7eebd6dSFrancis Visoiu Mistrih if (!TII->getMemOperandWithOffset(*SI, BaseOpS, OffsetS, TRI) || 3201d7eebd6dSFrancis Visoiu Mistrih !TII->getMemOperandWithOffset(*DI, BaseOpD, OffsetD, TRI)) 3202254f889dSBrendon Cahoon return true; 3203254f889dSBrendon Cahoon 3204d7eebd6dSFrancis Visoiu Mistrih if (!BaseOpS->isIdenticalTo(*BaseOpD)) 3205254f889dSBrendon Cahoon return true; 3206254f889dSBrendon Cahoon 32078c07d0c4SKrzysztof Parzyszek // Check that the base register is incremented by a constant value for each 32088c07d0c4SKrzysztof Parzyszek // iteration. 3209d7eebd6dSFrancis Visoiu Mistrih MachineInstr *Def = MRI.getVRegDef(BaseOpS->getReg()); 32108c07d0c4SKrzysztof Parzyszek if (!Def || !Def->isPHI()) 32118c07d0c4SKrzysztof Parzyszek return true; 32128c07d0c4SKrzysztof Parzyszek unsigned InitVal = 0; 32138c07d0c4SKrzysztof Parzyszek unsigned LoopVal = 0; 32148c07d0c4SKrzysztof Parzyszek getPhiRegs(*Def, BB, InitVal, LoopVal); 32158c07d0c4SKrzysztof Parzyszek MachineInstr *LoopDef = MRI.getVRegDef(LoopVal); 32168c07d0c4SKrzysztof Parzyszek int D = 0; 32178c07d0c4SKrzysztof Parzyszek if (!LoopDef || !TII->getIncrementValue(*LoopDef, D)) 32188c07d0c4SKrzysztof Parzyszek return true; 32198c07d0c4SKrzysztof Parzyszek 3220254f889dSBrendon Cahoon uint64_t AccessSizeS = (*SI->memoperands_begin())->getSize(); 3221254f889dSBrendon Cahoon uint64_t AccessSizeD = (*DI->memoperands_begin())->getSize(); 3222254f889dSBrendon Cahoon 3223254f889dSBrendon Cahoon // This is the main test, which checks the offset values and the loop 3224254f889dSBrendon Cahoon // increment value to determine if the accesses may be loop carried. 322557c3d4beSBrendon Cahoon if (AccessSizeS == MemoryLocation::UnknownSize || 322657c3d4beSBrendon Cahoon AccessSizeD == MemoryLocation::UnknownSize) 3227254f889dSBrendon Cahoon return true; 322857c3d4beSBrendon Cahoon 322957c3d4beSBrendon Cahoon if (DeltaS != DeltaD || DeltaS < AccessSizeS || DeltaD < AccessSizeD) 323057c3d4beSBrendon Cahoon return true; 323157c3d4beSBrendon Cahoon 323257c3d4beSBrendon Cahoon return (OffsetS + (int64_t)AccessSizeS < OffsetD + (int64_t)AccessSizeD); 3233254f889dSBrendon Cahoon } 3234254f889dSBrendon Cahoon 323588391248SKrzysztof Parzyszek void SwingSchedulerDAG::postprocessDAG() { 323688391248SKrzysztof Parzyszek for (auto &M : Mutations) 323788391248SKrzysztof Parzyszek M->apply(this); 323888391248SKrzysztof Parzyszek } 323988391248SKrzysztof Parzyszek 3240254f889dSBrendon Cahoon /// Try to schedule the node at the specified StartCycle and continue 3241254f889dSBrendon Cahoon /// until the node is schedule or the EndCycle is reached. This function 3242254f889dSBrendon Cahoon /// returns true if the node is scheduled. This routine may search either 3243254f889dSBrendon Cahoon /// forward or backward for a place to insert the instruction based upon 3244254f889dSBrendon Cahoon /// the relative values of StartCycle and EndCycle. 3245254f889dSBrendon Cahoon bool SMSchedule::insert(SUnit *SU, int StartCycle, int EndCycle, int II) { 3246254f889dSBrendon Cahoon bool forward = true; 3247254f889dSBrendon Cahoon if (StartCycle > EndCycle) 3248254f889dSBrendon Cahoon forward = false; 3249254f889dSBrendon Cahoon 3250254f889dSBrendon Cahoon // The terminating condition depends on the direction. 3251254f889dSBrendon Cahoon int termCycle = forward ? EndCycle + 1 : EndCycle - 1; 3252254f889dSBrendon Cahoon for (int curCycle = StartCycle; curCycle != termCycle; 3253254f889dSBrendon Cahoon forward ? ++curCycle : --curCycle) { 3254254f889dSBrendon Cahoon 3255*f6cb3bcbSJinsong Ji // Add the already scheduled instructions at the specified cycle to the 3256*f6cb3bcbSJinsong Ji // DFA. 3257*f6cb3bcbSJinsong Ji ProcItinResources.clearResources(); 3258254f889dSBrendon Cahoon for (int checkCycle = FirstCycle + ((curCycle - FirstCycle) % II); 3259254f889dSBrendon Cahoon checkCycle <= LastCycle; checkCycle += II) { 3260254f889dSBrendon Cahoon std::deque<SUnit *> &cycleInstrs = ScheduledInstrs[checkCycle]; 3261254f889dSBrendon Cahoon 3262254f889dSBrendon Cahoon for (std::deque<SUnit *>::iterator I = cycleInstrs.begin(), 3263254f889dSBrendon Cahoon E = cycleInstrs.end(); 3264254f889dSBrendon Cahoon I != E; ++I) { 3265254f889dSBrendon Cahoon if (ST.getInstrInfo()->isZeroCost((*I)->getInstr()->getOpcode())) 3266254f889dSBrendon Cahoon continue; 3267*f6cb3bcbSJinsong Ji assert(ProcItinResources.canReserveResources(*(*I)->getInstr()) && 3268254f889dSBrendon Cahoon "These instructions have already been scheduled."); 3269*f6cb3bcbSJinsong Ji ProcItinResources.reserveResources(*(*I)->getInstr()); 3270254f889dSBrendon Cahoon } 3271254f889dSBrendon Cahoon } 3272254f889dSBrendon Cahoon if (ST.getInstrInfo()->isZeroCost(SU->getInstr()->getOpcode()) || 3273*f6cb3bcbSJinsong Ji ProcItinResources.canReserveResources(*SU->getInstr())) { 3274d34e60caSNicola Zaghen LLVM_DEBUG({ 3275254f889dSBrendon Cahoon dbgs() << "\tinsert at cycle " << curCycle << " "; 3276254f889dSBrendon Cahoon SU->getInstr()->dump(); 3277254f889dSBrendon Cahoon }); 3278254f889dSBrendon Cahoon 3279254f889dSBrendon Cahoon ScheduledInstrs[curCycle].push_back(SU); 3280254f889dSBrendon Cahoon InstrToCycle.insert(std::make_pair(SU, curCycle)); 3281254f889dSBrendon Cahoon if (curCycle > LastCycle) 3282254f889dSBrendon Cahoon LastCycle = curCycle; 3283254f889dSBrendon Cahoon if (curCycle < FirstCycle) 3284254f889dSBrendon Cahoon FirstCycle = curCycle; 3285254f889dSBrendon Cahoon return true; 3286254f889dSBrendon Cahoon } 3287d34e60caSNicola Zaghen LLVM_DEBUG({ 3288254f889dSBrendon Cahoon dbgs() << "\tfailed to insert at cycle " << curCycle << " "; 3289254f889dSBrendon Cahoon SU->getInstr()->dump(); 3290254f889dSBrendon Cahoon }); 3291254f889dSBrendon Cahoon } 3292254f889dSBrendon Cahoon return false; 3293254f889dSBrendon Cahoon } 3294254f889dSBrendon Cahoon 3295254f889dSBrendon Cahoon // Return the cycle of the earliest scheduled instruction in the chain. 3296254f889dSBrendon Cahoon int SMSchedule::earliestCycleInChain(const SDep &Dep) { 3297254f889dSBrendon Cahoon SmallPtrSet<SUnit *, 8> Visited; 3298254f889dSBrendon Cahoon SmallVector<SDep, 8> Worklist; 3299254f889dSBrendon Cahoon Worklist.push_back(Dep); 3300254f889dSBrendon Cahoon int EarlyCycle = INT_MAX; 3301254f889dSBrendon Cahoon while (!Worklist.empty()) { 3302254f889dSBrendon Cahoon const SDep &Cur = Worklist.pop_back_val(); 3303254f889dSBrendon Cahoon SUnit *PrevSU = Cur.getSUnit(); 3304254f889dSBrendon Cahoon if (Visited.count(PrevSU)) 3305254f889dSBrendon Cahoon continue; 3306254f889dSBrendon Cahoon std::map<SUnit *, int>::const_iterator it = InstrToCycle.find(PrevSU); 3307254f889dSBrendon Cahoon if (it == InstrToCycle.end()) 3308254f889dSBrendon Cahoon continue; 3309254f889dSBrendon Cahoon EarlyCycle = std::min(EarlyCycle, it->second); 3310254f889dSBrendon Cahoon for (const auto &PI : PrevSU->Preds) 33118e1363dfSKrzysztof Parzyszek if (PI.getKind() == SDep::Order || Dep.getKind() == SDep::Output) 3312254f889dSBrendon Cahoon Worklist.push_back(PI); 3313254f889dSBrendon Cahoon Visited.insert(PrevSU); 3314254f889dSBrendon Cahoon } 3315254f889dSBrendon Cahoon return EarlyCycle; 3316254f889dSBrendon Cahoon } 3317254f889dSBrendon Cahoon 3318254f889dSBrendon Cahoon // Return the cycle of the latest scheduled instruction in the chain. 3319254f889dSBrendon Cahoon int SMSchedule::latestCycleInChain(const SDep &Dep) { 3320254f889dSBrendon Cahoon SmallPtrSet<SUnit *, 8> Visited; 3321254f889dSBrendon Cahoon SmallVector<SDep, 8> Worklist; 3322254f889dSBrendon Cahoon Worklist.push_back(Dep); 3323254f889dSBrendon Cahoon int LateCycle = INT_MIN; 3324254f889dSBrendon Cahoon while (!Worklist.empty()) { 3325254f889dSBrendon Cahoon const SDep &Cur = Worklist.pop_back_val(); 3326254f889dSBrendon Cahoon SUnit *SuccSU = Cur.getSUnit(); 3327254f889dSBrendon Cahoon if (Visited.count(SuccSU)) 3328254f889dSBrendon Cahoon continue; 3329254f889dSBrendon Cahoon std::map<SUnit *, int>::const_iterator it = InstrToCycle.find(SuccSU); 3330254f889dSBrendon Cahoon if (it == InstrToCycle.end()) 3331254f889dSBrendon Cahoon continue; 3332254f889dSBrendon Cahoon LateCycle = std::max(LateCycle, it->second); 3333254f889dSBrendon Cahoon for (const auto &SI : SuccSU->Succs) 33348e1363dfSKrzysztof Parzyszek if (SI.getKind() == SDep::Order || Dep.getKind() == SDep::Output) 3335254f889dSBrendon Cahoon Worklist.push_back(SI); 3336254f889dSBrendon Cahoon Visited.insert(SuccSU); 3337254f889dSBrendon Cahoon } 3338254f889dSBrendon Cahoon return LateCycle; 3339254f889dSBrendon Cahoon } 3340254f889dSBrendon Cahoon 3341254f889dSBrendon Cahoon /// If an instruction has a use that spans multiple iterations, then 3342254f889dSBrendon Cahoon /// return true. These instructions are characterized by having a back-ege 3343254f889dSBrendon Cahoon /// to a Phi, which contains a reference to another Phi. 3344254f889dSBrendon Cahoon static SUnit *multipleIterations(SUnit *SU, SwingSchedulerDAG *DAG) { 3345254f889dSBrendon Cahoon for (auto &P : SU->Preds) 3346254f889dSBrendon Cahoon if (DAG->isBackedge(SU, P) && P.getSUnit()->getInstr()->isPHI()) 3347254f889dSBrendon Cahoon for (auto &S : P.getSUnit()->Succs) 3348b9b75b8cSKrzysztof Parzyszek if (S.getKind() == SDep::Data && S.getSUnit()->getInstr()->isPHI()) 3349254f889dSBrendon Cahoon return P.getSUnit(); 3350254f889dSBrendon Cahoon return nullptr; 3351254f889dSBrendon Cahoon } 3352254f889dSBrendon Cahoon 3353254f889dSBrendon Cahoon /// Compute the scheduling start slot for the instruction. The start slot 3354254f889dSBrendon Cahoon /// depends on any predecessor or successor nodes scheduled already. 3355254f889dSBrendon Cahoon void SMSchedule::computeStart(SUnit *SU, int *MaxEarlyStart, int *MinLateStart, 3356254f889dSBrendon Cahoon int *MinEnd, int *MaxStart, int II, 3357254f889dSBrendon Cahoon SwingSchedulerDAG *DAG) { 3358254f889dSBrendon Cahoon // Iterate over each instruction that has been scheduled already. The start 3359c73b6d6bSHiroshi Inoue // slot computation depends on whether the previously scheduled instruction 3360254f889dSBrendon Cahoon // is a predecessor or successor of the specified instruction. 3361254f889dSBrendon Cahoon for (int cycle = getFirstCycle(); cycle <= LastCycle; ++cycle) { 3362254f889dSBrendon Cahoon 3363254f889dSBrendon Cahoon // Iterate over each instruction in the current cycle. 3364254f889dSBrendon Cahoon for (SUnit *I : getInstructions(cycle)) { 3365254f889dSBrendon Cahoon // Because we're processing a DAG for the dependences, we recognize 3366254f889dSBrendon Cahoon // the back-edge in recurrences by anti dependences. 3367254f889dSBrendon Cahoon for (unsigned i = 0, e = (unsigned)SU->Preds.size(); i != e; ++i) { 3368254f889dSBrendon Cahoon const SDep &Dep = SU->Preds[i]; 3369254f889dSBrendon Cahoon if (Dep.getSUnit() == I) { 3370254f889dSBrendon Cahoon if (!DAG->isBackedge(SU, Dep)) { 3371c715a5d2SKrzysztof Parzyszek int EarlyStart = cycle + Dep.getLatency() - 3372254f889dSBrendon Cahoon DAG->getDistance(Dep.getSUnit(), SU, Dep) * II; 3373254f889dSBrendon Cahoon *MaxEarlyStart = std::max(*MaxEarlyStart, EarlyStart); 33748e1363dfSKrzysztof Parzyszek if (DAG->isLoopCarriedDep(SU, Dep, false)) { 3375254f889dSBrendon Cahoon int End = earliestCycleInChain(Dep) + (II - 1); 3376254f889dSBrendon Cahoon *MinEnd = std::min(*MinEnd, End); 3377254f889dSBrendon Cahoon } 3378254f889dSBrendon Cahoon } else { 3379c715a5d2SKrzysztof Parzyszek int LateStart = cycle - Dep.getLatency() + 3380254f889dSBrendon Cahoon DAG->getDistance(SU, Dep.getSUnit(), Dep) * II; 3381254f889dSBrendon Cahoon *MinLateStart = std::min(*MinLateStart, LateStart); 3382254f889dSBrendon Cahoon } 3383254f889dSBrendon Cahoon } 3384254f889dSBrendon Cahoon // For instruction that requires multiple iterations, make sure that 3385254f889dSBrendon Cahoon // the dependent instruction is not scheduled past the definition. 3386254f889dSBrendon Cahoon SUnit *BE = multipleIterations(I, DAG); 3387254f889dSBrendon Cahoon if (BE && Dep.getSUnit() == BE && !SU->getInstr()->isPHI() && 3388254f889dSBrendon Cahoon !SU->isPred(I)) 3389254f889dSBrendon Cahoon *MinLateStart = std::min(*MinLateStart, cycle); 3390254f889dSBrendon Cahoon } 3391a2122044SKrzysztof Parzyszek for (unsigned i = 0, e = (unsigned)SU->Succs.size(); i != e; ++i) { 3392254f889dSBrendon Cahoon if (SU->Succs[i].getSUnit() == I) { 3393254f889dSBrendon Cahoon const SDep &Dep = SU->Succs[i]; 3394254f889dSBrendon Cahoon if (!DAG->isBackedge(SU, Dep)) { 3395c715a5d2SKrzysztof Parzyszek int LateStart = cycle - Dep.getLatency() + 3396254f889dSBrendon Cahoon DAG->getDistance(SU, Dep.getSUnit(), Dep) * II; 3397254f889dSBrendon Cahoon *MinLateStart = std::min(*MinLateStart, LateStart); 33988e1363dfSKrzysztof Parzyszek if (DAG->isLoopCarriedDep(SU, Dep)) { 3399254f889dSBrendon Cahoon int Start = latestCycleInChain(Dep) + 1 - II; 3400254f889dSBrendon Cahoon *MaxStart = std::max(*MaxStart, Start); 3401254f889dSBrendon Cahoon } 3402254f889dSBrendon Cahoon } else { 3403c715a5d2SKrzysztof Parzyszek int EarlyStart = cycle + Dep.getLatency() - 3404254f889dSBrendon Cahoon DAG->getDistance(Dep.getSUnit(), SU, Dep) * II; 3405254f889dSBrendon Cahoon *MaxEarlyStart = std::max(*MaxEarlyStart, EarlyStart); 3406254f889dSBrendon Cahoon } 3407254f889dSBrendon Cahoon } 3408254f889dSBrendon Cahoon } 3409254f889dSBrendon Cahoon } 3410254f889dSBrendon Cahoon } 3411a2122044SKrzysztof Parzyszek } 3412254f889dSBrendon Cahoon 3413254f889dSBrendon Cahoon /// Order the instructions within a cycle so that the definitions occur 3414254f889dSBrendon Cahoon /// before the uses. Returns true if the instruction is added to the start 3415254f889dSBrendon Cahoon /// of the list, or false if added to the end. 3416f13bbf1dSKrzysztof Parzyszek void SMSchedule::orderDependence(SwingSchedulerDAG *SSD, SUnit *SU, 3417254f889dSBrendon Cahoon std::deque<SUnit *> &Insts) { 3418254f889dSBrendon Cahoon MachineInstr *MI = SU->getInstr(); 3419254f889dSBrendon Cahoon bool OrderBeforeUse = false; 3420254f889dSBrendon Cahoon bool OrderAfterDef = false; 3421254f889dSBrendon Cahoon bool OrderBeforeDef = false; 3422254f889dSBrendon Cahoon unsigned MoveDef = 0; 3423254f889dSBrendon Cahoon unsigned MoveUse = 0; 3424254f889dSBrendon Cahoon int StageInst1 = stageScheduled(SU); 3425254f889dSBrendon Cahoon 3426254f889dSBrendon Cahoon unsigned Pos = 0; 3427254f889dSBrendon Cahoon for (std::deque<SUnit *>::iterator I = Insts.begin(), E = Insts.end(); I != E; 3428254f889dSBrendon Cahoon ++I, ++Pos) { 3429254f889dSBrendon Cahoon for (unsigned i = 0, e = MI->getNumOperands(); i < e; ++i) { 3430254f889dSBrendon Cahoon MachineOperand &MO = MI->getOperand(i); 3431254f889dSBrendon Cahoon if (!MO.isReg() || !TargetRegisterInfo::isVirtualRegister(MO.getReg())) 3432254f889dSBrendon Cahoon continue; 3433f13bbf1dSKrzysztof Parzyszek 3434254f889dSBrendon Cahoon unsigned Reg = MO.getReg(); 3435254f889dSBrendon Cahoon unsigned BasePos, OffsetPos; 34368fb181caSKrzysztof Parzyszek if (ST.getInstrInfo()->getBaseAndOffsetPosition(*MI, BasePos, OffsetPos)) 3437254f889dSBrendon Cahoon if (MI->getOperand(BasePos).getReg() == Reg) 3438254f889dSBrendon Cahoon if (unsigned NewReg = SSD->getInstrBaseReg(SU)) 3439254f889dSBrendon Cahoon Reg = NewReg; 3440254f889dSBrendon Cahoon bool Reads, Writes; 3441254f889dSBrendon Cahoon std::tie(Reads, Writes) = 3442254f889dSBrendon Cahoon (*I)->getInstr()->readsWritesVirtualRegister(Reg); 3443254f889dSBrendon Cahoon if (MO.isDef() && Reads && stageScheduled(*I) <= StageInst1) { 3444254f889dSBrendon Cahoon OrderBeforeUse = true; 3445f13bbf1dSKrzysztof Parzyszek if (MoveUse == 0) 3446254f889dSBrendon Cahoon MoveUse = Pos; 3447254f889dSBrendon Cahoon } else if (MO.isDef() && Reads && stageScheduled(*I) > StageInst1) { 3448254f889dSBrendon Cahoon // Add the instruction after the scheduled instruction. 3449254f889dSBrendon Cahoon OrderAfterDef = true; 3450254f889dSBrendon Cahoon MoveDef = Pos; 3451254f889dSBrendon Cahoon } else if (MO.isUse() && Writes && stageScheduled(*I) == StageInst1) { 3452254f889dSBrendon Cahoon if (cycleScheduled(*I) == cycleScheduled(SU) && !(*I)->isSucc(SU)) { 3453254f889dSBrendon Cahoon OrderBeforeUse = true; 3454f13bbf1dSKrzysztof Parzyszek if (MoveUse == 0) 3455254f889dSBrendon Cahoon MoveUse = Pos; 3456254f889dSBrendon Cahoon } else { 3457254f889dSBrendon Cahoon OrderAfterDef = true; 3458254f889dSBrendon Cahoon MoveDef = Pos; 3459254f889dSBrendon Cahoon } 3460254f889dSBrendon Cahoon } else if (MO.isUse() && Writes && stageScheduled(*I) > StageInst1) { 3461254f889dSBrendon Cahoon OrderBeforeUse = true; 3462f13bbf1dSKrzysztof Parzyszek if (MoveUse == 0) 3463254f889dSBrendon Cahoon MoveUse = Pos; 3464254f889dSBrendon Cahoon if (MoveUse != 0) { 3465254f889dSBrendon Cahoon OrderAfterDef = true; 3466254f889dSBrendon Cahoon MoveDef = Pos - 1; 3467254f889dSBrendon Cahoon } 3468254f889dSBrendon Cahoon } else if (MO.isUse() && Writes && stageScheduled(*I) < StageInst1) { 3469254f889dSBrendon Cahoon // Add the instruction before the scheduled instruction. 3470254f889dSBrendon Cahoon OrderBeforeUse = true; 3471f13bbf1dSKrzysztof Parzyszek if (MoveUse == 0) 3472254f889dSBrendon Cahoon MoveUse = Pos; 3473254f889dSBrendon Cahoon } else if (MO.isUse() && stageScheduled(*I) == StageInst1 && 3474254f889dSBrendon Cahoon isLoopCarriedDefOfUse(SSD, (*I)->getInstr(), MO)) { 3475f13bbf1dSKrzysztof Parzyszek if (MoveUse == 0) { 3476254f889dSBrendon Cahoon OrderBeforeDef = true; 3477254f889dSBrendon Cahoon MoveUse = Pos; 3478254f889dSBrendon Cahoon } 3479254f889dSBrendon Cahoon } 3480f13bbf1dSKrzysztof Parzyszek } 3481254f889dSBrendon Cahoon // Check for order dependences between instructions. Make sure the source 3482254f889dSBrendon Cahoon // is ordered before the destination. 34838e1363dfSKrzysztof Parzyszek for (auto &S : SU->Succs) { 34848e1363dfSKrzysztof Parzyszek if (S.getSUnit() != *I) 34858e1363dfSKrzysztof Parzyszek continue; 34868e1363dfSKrzysztof Parzyszek if (S.getKind() == SDep::Order && stageScheduled(*I) == StageInst1) { 3487254f889dSBrendon Cahoon OrderBeforeUse = true; 34888e1363dfSKrzysztof Parzyszek if (Pos < MoveUse) 3489254f889dSBrendon Cahoon MoveUse = Pos; 3490254f889dSBrendon Cahoon } 3491254f889dSBrendon Cahoon } 34928e1363dfSKrzysztof Parzyszek for (auto &P : SU->Preds) { 34938e1363dfSKrzysztof Parzyszek if (P.getSUnit() != *I) 34948e1363dfSKrzysztof Parzyszek continue; 34958e1363dfSKrzysztof Parzyszek if (P.getKind() == SDep::Order && stageScheduled(*I) == StageInst1) { 3496254f889dSBrendon Cahoon OrderAfterDef = true; 3497254f889dSBrendon Cahoon MoveDef = Pos; 3498254f889dSBrendon Cahoon } 3499254f889dSBrendon Cahoon } 3500254f889dSBrendon Cahoon } 3501254f889dSBrendon Cahoon 3502254f889dSBrendon Cahoon // A circular dependence. 3503254f889dSBrendon Cahoon if (OrderAfterDef && OrderBeforeUse && MoveUse == MoveDef) 3504254f889dSBrendon Cahoon OrderBeforeUse = false; 3505254f889dSBrendon Cahoon 3506254f889dSBrendon Cahoon // OrderAfterDef takes precedences over OrderBeforeDef. The latter is due 3507254f889dSBrendon Cahoon // to a loop-carried dependence. 3508254f889dSBrendon Cahoon if (OrderBeforeDef) 3509254f889dSBrendon Cahoon OrderBeforeUse = !OrderAfterDef || (MoveUse > MoveDef); 3510254f889dSBrendon Cahoon 3511254f889dSBrendon Cahoon // The uncommon case when the instruction order needs to be updated because 3512254f889dSBrendon Cahoon // there is both a use and def. 3513254f889dSBrendon Cahoon if (OrderBeforeUse && OrderAfterDef) { 3514254f889dSBrendon Cahoon SUnit *UseSU = Insts.at(MoveUse); 3515254f889dSBrendon Cahoon SUnit *DefSU = Insts.at(MoveDef); 3516254f889dSBrendon Cahoon if (MoveUse > MoveDef) { 3517254f889dSBrendon Cahoon Insts.erase(Insts.begin() + MoveUse); 3518254f889dSBrendon Cahoon Insts.erase(Insts.begin() + MoveDef); 3519254f889dSBrendon Cahoon } else { 3520254f889dSBrendon Cahoon Insts.erase(Insts.begin() + MoveDef); 3521254f889dSBrendon Cahoon Insts.erase(Insts.begin() + MoveUse); 3522254f889dSBrendon Cahoon } 3523f13bbf1dSKrzysztof Parzyszek orderDependence(SSD, UseSU, Insts); 3524f13bbf1dSKrzysztof Parzyszek orderDependence(SSD, SU, Insts); 3525254f889dSBrendon Cahoon orderDependence(SSD, DefSU, Insts); 3526f13bbf1dSKrzysztof Parzyszek return; 3527254f889dSBrendon Cahoon } 3528254f889dSBrendon Cahoon // Put the new instruction first if there is a use in the list. Otherwise, 3529254f889dSBrendon Cahoon // put it at the end of the list. 3530254f889dSBrendon Cahoon if (OrderBeforeUse) 3531254f889dSBrendon Cahoon Insts.push_front(SU); 3532254f889dSBrendon Cahoon else 3533254f889dSBrendon Cahoon Insts.push_back(SU); 3534254f889dSBrendon Cahoon } 3535254f889dSBrendon Cahoon 3536254f889dSBrendon Cahoon /// Return true if the scheduled Phi has a loop carried operand. 3537254f889dSBrendon Cahoon bool SMSchedule::isLoopCarried(SwingSchedulerDAG *SSD, MachineInstr &Phi) { 3538254f889dSBrendon Cahoon if (!Phi.isPHI()) 3539254f889dSBrendon Cahoon return false; 3540c73b6d6bSHiroshi Inoue assert(Phi.isPHI() && "Expecting a Phi."); 3541254f889dSBrendon Cahoon SUnit *DefSU = SSD->getSUnit(&Phi); 3542254f889dSBrendon Cahoon unsigned DefCycle = cycleScheduled(DefSU); 3543254f889dSBrendon Cahoon int DefStage = stageScheduled(DefSU); 3544254f889dSBrendon Cahoon 3545254f889dSBrendon Cahoon unsigned InitVal = 0; 3546254f889dSBrendon Cahoon unsigned LoopVal = 0; 3547254f889dSBrendon Cahoon getPhiRegs(Phi, Phi.getParent(), InitVal, LoopVal); 3548254f889dSBrendon Cahoon SUnit *UseSU = SSD->getSUnit(MRI.getVRegDef(LoopVal)); 3549254f889dSBrendon Cahoon if (!UseSU) 3550254f889dSBrendon Cahoon return true; 3551254f889dSBrendon Cahoon if (UseSU->getInstr()->isPHI()) 3552254f889dSBrendon Cahoon return true; 3553254f889dSBrendon Cahoon unsigned LoopCycle = cycleScheduled(UseSU); 3554254f889dSBrendon Cahoon int LoopStage = stageScheduled(UseSU); 35553d8482a8SSimon Pilgrim return (LoopCycle > DefCycle) || (LoopStage <= DefStage); 3556254f889dSBrendon Cahoon } 3557254f889dSBrendon Cahoon 3558254f889dSBrendon Cahoon /// Return true if the instruction is a definition that is loop carried 3559254f889dSBrendon Cahoon /// and defines the use on the next iteration. 3560254f889dSBrendon Cahoon /// v1 = phi(v2, v3) 3561254f889dSBrendon Cahoon /// (Def) v3 = op v1 3562254f889dSBrendon Cahoon /// (MO) = v1 3563254f889dSBrendon Cahoon /// If MO appears before Def, then then v1 and v3 may get assigned to the same 3564254f889dSBrendon Cahoon /// register. 3565254f889dSBrendon Cahoon bool SMSchedule::isLoopCarriedDefOfUse(SwingSchedulerDAG *SSD, 3566254f889dSBrendon Cahoon MachineInstr *Def, MachineOperand &MO) { 3567254f889dSBrendon Cahoon if (!MO.isReg()) 3568254f889dSBrendon Cahoon return false; 3569254f889dSBrendon Cahoon if (Def->isPHI()) 3570254f889dSBrendon Cahoon return false; 3571254f889dSBrendon Cahoon MachineInstr *Phi = MRI.getVRegDef(MO.getReg()); 3572254f889dSBrendon Cahoon if (!Phi || !Phi->isPHI() || Phi->getParent() != Def->getParent()) 3573254f889dSBrendon Cahoon return false; 3574254f889dSBrendon Cahoon if (!isLoopCarried(SSD, *Phi)) 3575254f889dSBrendon Cahoon return false; 3576254f889dSBrendon Cahoon unsigned LoopReg = getLoopPhiReg(*Phi, Phi->getParent()); 3577254f889dSBrendon Cahoon for (unsigned i = 0, e = Def->getNumOperands(); i != e; ++i) { 3578254f889dSBrendon Cahoon MachineOperand &DMO = Def->getOperand(i); 3579254f889dSBrendon Cahoon if (!DMO.isReg() || !DMO.isDef()) 3580254f889dSBrendon Cahoon continue; 3581254f889dSBrendon Cahoon if (DMO.getReg() == LoopReg) 3582254f889dSBrendon Cahoon return true; 3583254f889dSBrendon Cahoon } 3584254f889dSBrendon Cahoon return false; 3585254f889dSBrendon Cahoon } 3586254f889dSBrendon Cahoon 3587254f889dSBrendon Cahoon // Check if the generated schedule is valid. This function checks if 3588254f889dSBrendon Cahoon // an instruction that uses a physical register is scheduled in a 3589254f889dSBrendon Cahoon // different stage than the definition. The pipeliner does not handle 3590254f889dSBrendon Cahoon // physical register values that may cross a basic block boundary. 3591254f889dSBrendon Cahoon bool SMSchedule::isValidSchedule(SwingSchedulerDAG *SSD) { 3592254f889dSBrendon Cahoon for (int i = 0, e = SSD->SUnits.size(); i < e; ++i) { 3593254f889dSBrendon Cahoon SUnit &SU = SSD->SUnits[i]; 3594254f889dSBrendon Cahoon if (!SU.hasPhysRegDefs) 3595254f889dSBrendon Cahoon continue; 3596254f889dSBrendon Cahoon int StageDef = stageScheduled(&SU); 3597254f889dSBrendon Cahoon assert(StageDef != -1 && "Instruction should have been scheduled."); 3598254f889dSBrendon Cahoon for (auto &SI : SU.Succs) 3599254f889dSBrendon Cahoon if (SI.isAssignedRegDep()) 3600b39236b6SSimon Pilgrim if (ST.getRegisterInfo()->isPhysicalRegister(SI.getReg())) 3601254f889dSBrendon Cahoon if (stageScheduled(SI.getSUnit()) != StageDef) 3602254f889dSBrendon Cahoon return false; 3603254f889dSBrendon Cahoon } 3604254f889dSBrendon Cahoon return true; 3605254f889dSBrendon Cahoon } 3606254f889dSBrendon Cahoon 36074b8bcf00SRoorda, Jan-Willem /// A property of the node order in swing-modulo-scheduling is 36084b8bcf00SRoorda, Jan-Willem /// that for nodes outside circuits the following holds: 36094b8bcf00SRoorda, Jan-Willem /// none of them is scheduled after both a successor and a 36104b8bcf00SRoorda, Jan-Willem /// predecessor. 36114b8bcf00SRoorda, Jan-Willem /// The method below checks whether the property is met. 36124b8bcf00SRoorda, Jan-Willem /// If not, debug information is printed and statistics information updated. 36134b8bcf00SRoorda, Jan-Willem /// Note that we do not use an assert statement. 36144b8bcf00SRoorda, Jan-Willem /// The reason is that although an invalid node oder may prevent 36154b8bcf00SRoorda, Jan-Willem /// the pipeliner from finding a pipelined schedule for arbitrary II, 36164b8bcf00SRoorda, Jan-Willem /// it does not lead to the generation of incorrect code. 36174b8bcf00SRoorda, Jan-Willem void SwingSchedulerDAG::checkValidNodeOrder(const NodeSetType &Circuits) const { 36184b8bcf00SRoorda, Jan-Willem 36194b8bcf00SRoorda, Jan-Willem // a sorted vector that maps each SUnit to its index in the NodeOrder 36204b8bcf00SRoorda, Jan-Willem typedef std::pair<SUnit *, unsigned> UnitIndex; 36214b8bcf00SRoorda, Jan-Willem std::vector<UnitIndex> Indices(NodeOrder.size(), std::make_pair(nullptr, 0)); 36224b8bcf00SRoorda, Jan-Willem 36234b8bcf00SRoorda, Jan-Willem for (unsigned i = 0, s = NodeOrder.size(); i < s; ++i) 36244b8bcf00SRoorda, Jan-Willem Indices.push_back(std::make_pair(NodeOrder[i], i)); 36254b8bcf00SRoorda, Jan-Willem 36264b8bcf00SRoorda, Jan-Willem auto CompareKey = [](UnitIndex i1, UnitIndex i2) { 36274b8bcf00SRoorda, Jan-Willem return std::get<0>(i1) < std::get<0>(i2); 36284b8bcf00SRoorda, Jan-Willem }; 36294b8bcf00SRoorda, Jan-Willem 36304b8bcf00SRoorda, Jan-Willem // sort, so that we can perform a binary search 36310cac726aSFangrui Song llvm::sort(Indices, CompareKey); 36324b8bcf00SRoorda, Jan-Willem 36334b8bcf00SRoorda, Jan-Willem bool Valid = true; 3634febf70a9SDavid L Kreitzer (void)Valid; 36354b8bcf00SRoorda, Jan-Willem // for each SUnit in the NodeOrder, check whether 36364b8bcf00SRoorda, Jan-Willem // it appears after both a successor and a predecessor 36374b8bcf00SRoorda, Jan-Willem // of the SUnit. If this is the case, and the SUnit 36384b8bcf00SRoorda, Jan-Willem // is not part of circuit, then the NodeOrder is not 36394b8bcf00SRoorda, Jan-Willem // valid. 36404b8bcf00SRoorda, Jan-Willem for (unsigned i = 0, s = NodeOrder.size(); i < s; ++i) { 36414b8bcf00SRoorda, Jan-Willem SUnit *SU = NodeOrder[i]; 36424b8bcf00SRoorda, Jan-Willem unsigned Index = i; 36434b8bcf00SRoorda, Jan-Willem 36444b8bcf00SRoorda, Jan-Willem bool PredBefore = false; 36454b8bcf00SRoorda, Jan-Willem bool SuccBefore = false; 36464b8bcf00SRoorda, Jan-Willem 36474b8bcf00SRoorda, Jan-Willem SUnit *Succ; 36484b8bcf00SRoorda, Jan-Willem SUnit *Pred; 3649febf70a9SDavid L Kreitzer (void)Succ; 3650febf70a9SDavid L Kreitzer (void)Pred; 36514b8bcf00SRoorda, Jan-Willem 36524b8bcf00SRoorda, Jan-Willem for (SDep &PredEdge : SU->Preds) { 36534b8bcf00SRoorda, Jan-Willem SUnit *PredSU = PredEdge.getSUnit(); 36544b8bcf00SRoorda, Jan-Willem unsigned PredIndex = 36554b8bcf00SRoorda, Jan-Willem std::get<1>(*std::lower_bound(Indices.begin(), Indices.end(), 36564b8bcf00SRoorda, Jan-Willem std::make_pair(PredSU, 0), CompareKey)); 36574b8bcf00SRoorda, Jan-Willem if (!PredSU->getInstr()->isPHI() && PredIndex < Index) { 36584b8bcf00SRoorda, Jan-Willem PredBefore = true; 36594b8bcf00SRoorda, Jan-Willem Pred = PredSU; 36604b8bcf00SRoorda, Jan-Willem break; 36614b8bcf00SRoorda, Jan-Willem } 36624b8bcf00SRoorda, Jan-Willem } 36634b8bcf00SRoorda, Jan-Willem 36644b8bcf00SRoorda, Jan-Willem for (SDep &SuccEdge : SU->Succs) { 36654b8bcf00SRoorda, Jan-Willem SUnit *SuccSU = SuccEdge.getSUnit(); 36664b8bcf00SRoorda, Jan-Willem unsigned SuccIndex = 36674b8bcf00SRoorda, Jan-Willem std::get<1>(*std::lower_bound(Indices.begin(), Indices.end(), 36684b8bcf00SRoorda, Jan-Willem std::make_pair(SuccSU, 0), CompareKey)); 36694b8bcf00SRoorda, Jan-Willem if (!SuccSU->getInstr()->isPHI() && SuccIndex < Index) { 36704b8bcf00SRoorda, Jan-Willem SuccBefore = true; 36714b8bcf00SRoorda, Jan-Willem Succ = SuccSU; 36724b8bcf00SRoorda, Jan-Willem break; 36734b8bcf00SRoorda, Jan-Willem } 36744b8bcf00SRoorda, Jan-Willem } 36754b8bcf00SRoorda, Jan-Willem 36764b8bcf00SRoorda, Jan-Willem if (PredBefore && SuccBefore && !SU->getInstr()->isPHI()) { 36774b8bcf00SRoorda, Jan-Willem // instructions in circuits are allowed to be scheduled 36784b8bcf00SRoorda, Jan-Willem // after both a successor and predecessor. 36794b8bcf00SRoorda, Jan-Willem bool InCircuit = std::any_of( 36804b8bcf00SRoorda, Jan-Willem Circuits.begin(), Circuits.end(), 36814b8bcf00SRoorda, Jan-Willem [SU](const NodeSet &Circuit) { return Circuit.count(SU); }); 36824b8bcf00SRoorda, Jan-Willem if (InCircuit) 3683d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "In a circuit, predecessor ";); 36844b8bcf00SRoorda, Jan-Willem else { 36854b8bcf00SRoorda, Jan-Willem Valid = false; 36864b8bcf00SRoorda, Jan-Willem NumNodeOrderIssues++; 3687d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "Predecessor ";); 36884b8bcf00SRoorda, Jan-Willem } 3689d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << Pred->NodeNum << " and successor " << Succ->NodeNum 3690d34e60caSNicola Zaghen << " are scheduled before node " << SU->NodeNum 3691d34e60caSNicola Zaghen << "\n";); 36924b8bcf00SRoorda, Jan-Willem } 36934b8bcf00SRoorda, Jan-Willem } 36944b8bcf00SRoorda, Jan-Willem 3695d34e60caSNicola Zaghen LLVM_DEBUG({ 36964b8bcf00SRoorda, Jan-Willem if (!Valid) 36974b8bcf00SRoorda, Jan-Willem dbgs() << "Invalid node order found!\n"; 36984b8bcf00SRoorda, Jan-Willem }); 36994b8bcf00SRoorda, Jan-Willem } 37004b8bcf00SRoorda, Jan-Willem 37018f174ddeSKrzysztof Parzyszek /// Attempt to fix the degenerate cases when the instruction serialization 37028f174ddeSKrzysztof Parzyszek /// causes the register lifetimes to overlap. For example, 37038f174ddeSKrzysztof Parzyszek /// p' = store_pi(p, b) 37048f174ddeSKrzysztof Parzyszek /// = load p, offset 37058f174ddeSKrzysztof Parzyszek /// In this case p and p' overlap, which means that two registers are needed. 37068f174ddeSKrzysztof Parzyszek /// Instead, this function changes the load to use p' and updates the offset. 37078f174ddeSKrzysztof Parzyszek void SwingSchedulerDAG::fixupRegisterOverlaps(std::deque<SUnit *> &Instrs) { 37088f174ddeSKrzysztof Parzyszek unsigned OverlapReg = 0; 37098f174ddeSKrzysztof Parzyszek unsigned NewBaseReg = 0; 37108f174ddeSKrzysztof Parzyszek for (SUnit *SU : Instrs) { 37118f174ddeSKrzysztof Parzyszek MachineInstr *MI = SU->getInstr(); 37128f174ddeSKrzysztof Parzyszek for (unsigned i = 0, e = MI->getNumOperands(); i < e; ++i) { 37138f174ddeSKrzysztof Parzyszek const MachineOperand &MO = MI->getOperand(i); 37148f174ddeSKrzysztof Parzyszek // Look for an instruction that uses p. The instruction occurs in the 37158f174ddeSKrzysztof Parzyszek // same cycle but occurs later in the serialized order. 37168f174ddeSKrzysztof Parzyszek if (MO.isReg() && MO.isUse() && MO.getReg() == OverlapReg) { 37178f174ddeSKrzysztof Parzyszek // Check that the instruction appears in the InstrChanges structure, 37188f174ddeSKrzysztof Parzyszek // which contains instructions that can have the offset updated. 37198f174ddeSKrzysztof Parzyszek DenseMap<SUnit *, std::pair<unsigned, int64_t>>::iterator It = 37208f174ddeSKrzysztof Parzyszek InstrChanges.find(SU); 37218f174ddeSKrzysztof Parzyszek if (It != InstrChanges.end()) { 37228f174ddeSKrzysztof Parzyszek unsigned BasePos, OffsetPos; 37238f174ddeSKrzysztof Parzyszek // Update the base register and adjust the offset. 37248f174ddeSKrzysztof Parzyszek if (TII->getBaseAndOffsetPosition(*MI, BasePos, OffsetPos)) { 372512bdcab5SKrzysztof Parzyszek MachineInstr *NewMI = MF.CloneMachineInstr(MI); 372612bdcab5SKrzysztof Parzyszek NewMI->getOperand(BasePos).setReg(NewBaseReg); 372712bdcab5SKrzysztof Parzyszek int64_t NewOffset = 372812bdcab5SKrzysztof Parzyszek MI->getOperand(OffsetPos).getImm() - It->second.second; 372912bdcab5SKrzysztof Parzyszek NewMI->getOperand(OffsetPos).setImm(NewOffset); 373012bdcab5SKrzysztof Parzyszek SU->setInstr(NewMI); 373112bdcab5SKrzysztof Parzyszek MISUnitMap[NewMI] = SU; 373212bdcab5SKrzysztof Parzyszek NewMIs.insert(NewMI); 37338f174ddeSKrzysztof Parzyszek } 37348f174ddeSKrzysztof Parzyszek } 37358f174ddeSKrzysztof Parzyszek OverlapReg = 0; 37368f174ddeSKrzysztof Parzyszek NewBaseReg = 0; 37378f174ddeSKrzysztof Parzyszek break; 37388f174ddeSKrzysztof Parzyszek } 37398f174ddeSKrzysztof Parzyszek // Look for an instruction of the form p' = op(p), which uses and defines 37408f174ddeSKrzysztof Parzyszek // two virtual registers that get allocated to the same physical register. 37418f174ddeSKrzysztof Parzyszek unsigned TiedUseIdx = 0; 37428f174ddeSKrzysztof Parzyszek if (MI->isRegTiedToUseOperand(i, &TiedUseIdx)) { 37438f174ddeSKrzysztof Parzyszek // OverlapReg is p in the example above. 37448f174ddeSKrzysztof Parzyszek OverlapReg = MI->getOperand(TiedUseIdx).getReg(); 37458f174ddeSKrzysztof Parzyszek // NewBaseReg is p' in the example above. 37468f174ddeSKrzysztof Parzyszek NewBaseReg = MI->getOperand(i).getReg(); 37478f174ddeSKrzysztof Parzyszek break; 37488f174ddeSKrzysztof Parzyszek } 37498f174ddeSKrzysztof Parzyszek } 37508f174ddeSKrzysztof Parzyszek } 37518f174ddeSKrzysztof Parzyszek } 37528f174ddeSKrzysztof Parzyszek 3753254f889dSBrendon Cahoon /// After the schedule has been formed, call this function to combine 3754254f889dSBrendon Cahoon /// the instructions from the different stages/cycles. That is, this 3755254f889dSBrendon Cahoon /// function creates a schedule that represents a single iteration. 3756254f889dSBrendon Cahoon void SMSchedule::finalizeSchedule(SwingSchedulerDAG *SSD) { 3757254f889dSBrendon Cahoon // Move all instructions to the first stage from later stages. 3758254f889dSBrendon Cahoon for (int cycle = getFirstCycle(); cycle <= getFinalCycle(); ++cycle) { 3759254f889dSBrendon Cahoon for (int stage = 1, lastStage = getMaxStageCount(); stage <= lastStage; 3760254f889dSBrendon Cahoon ++stage) { 3761254f889dSBrendon Cahoon std::deque<SUnit *> &cycleInstrs = 3762254f889dSBrendon Cahoon ScheduledInstrs[cycle + (stage * InitiationInterval)]; 3763254f889dSBrendon Cahoon for (std::deque<SUnit *>::reverse_iterator I = cycleInstrs.rbegin(), 3764254f889dSBrendon Cahoon E = cycleInstrs.rend(); 3765254f889dSBrendon Cahoon I != E; ++I) 3766254f889dSBrendon Cahoon ScheduledInstrs[cycle].push_front(*I); 3767254f889dSBrendon Cahoon } 3768254f889dSBrendon Cahoon } 3769254f889dSBrendon Cahoon // Iterate over the definitions in each instruction, and compute the 3770254f889dSBrendon Cahoon // stage difference for each use. Keep the maximum value. 3771254f889dSBrendon Cahoon for (auto &I : InstrToCycle) { 3772254f889dSBrendon Cahoon int DefStage = stageScheduled(I.first); 3773254f889dSBrendon Cahoon MachineInstr *MI = I.first->getInstr(); 3774254f889dSBrendon Cahoon for (unsigned i = 0, e = MI->getNumOperands(); i < e; ++i) { 3775254f889dSBrendon Cahoon MachineOperand &Op = MI->getOperand(i); 3776254f889dSBrendon Cahoon if (!Op.isReg() || !Op.isDef()) 3777254f889dSBrendon Cahoon continue; 3778254f889dSBrendon Cahoon 3779254f889dSBrendon Cahoon unsigned Reg = Op.getReg(); 3780254f889dSBrendon Cahoon unsigned MaxDiff = 0; 3781254f889dSBrendon Cahoon bool PhiIsSwapped = false; 3782254f889dSBrendon Cahoon for (MachineRegisterInfo::use_iterator UI = MRI.use_begin(Reg), 3783254f889dSBrendon Cahoon EI = MRI.use_end(); 3784254f889dSBrendon Cahoon UI != EI; ++UI) { 3785254f889dSBrendon Cahoon MachineOperand &UseOp = *UI; 3786254f889dSBrendon Cahoon MachineInstr *UseMI = UseOp.getParent(); 3787254f889dSBrendon Cahoon SUnit *SUnitUse = SSD->getSUnit(UseMI); 3788254f889dSBrendon Cahoon int UseStage = stageScheduled(SUnitUse); 3789254f889dSBrendon Cahoon unsigned Diff = 0; 3790254f889dSBrendon Cahoon if (UseStage != -1 && UseStage >= DefStage) 3791254f889dSBrendon Cahoon Diff = UseStage - DefStage; 3792254f889dSBrendon Cahoon if (MI->isPHI()) { 3793254f889dSBrendon Cahoon if (isLoopCarried(SSD, *MI)) 3794254f889dSBrendon Cahoon ++Diff; 3795254f889dSBrendon Cahoon else 3796254f889dSBrendon Cahoon PhiIsSwapped = true; 3797254f889dSBrendon Cahoon } 3798254f889dSBrendon Cahoon MaxDiff = std::max(Diff, MaxDiff); 3799254f889dSBrendon Cahoon } 3800254f889dSBrendon Cahoon RegToStageDiff[Reg] = std::make_pair(MaxDiff, PhiIsSwapped); 3801254f889dSBrendon Cahoon } 3802254f889dSBrendon Cahoon } 3803254f889dSBrendon Cahoon 3804254f889dSBrendon Cahoon // Erase all the elements in the later stages. Only one iteration should 3805254f889dSBrendon Cahoon // remain in the scheduled list, and it contains all the instructions. 3806254f889dSBrendon Cahoon for (int cycle = getFinalCycle() + 1; cycle <= LastCycle; ++cycle) 3807254f889dSBrendon Cahoon ScheduledInstrs.erase(cycle); 3808254f889dSBrendon Cahoon 3809254f889dSBrendon Cahoon // Change the registers in instruction as specified in the InstrChanges 3810254f889dSBrendon Cahoon // map. We need to use the new registers to create the correct order. 3811254f889dSBrendon Cahoon for (int i = 0, e = SSD->SUnits.size(); i != e; ++i) { 3812254f889dSBrendon Cahoon SUnit *SU = &SSD->SUnits[i]; 38138f174ddeSKrzysztof Parzyszek SSD->applyInstrChange(SU->getInstr(), *this); 3814254f889dSBrendon Cahoon } 3815254f889dSBrendon Cahoon 3816254f889dSBrendon Cahoon // Reorder the instructions in each cycle to fix and improve the 3817254f889dSBrendon Cahoon // generated code. 3818254f889dSBrendon Cahoon for (int Cycle = getFirstCycle(), E = getFinalCycle(); Cycle <= E; ++Cycle) { 3819254f889dSBrendon Cahoon std::deque<SUnit *> &cycleInstrs = ScheduledInstrs[Cycle]; 3820f13bbf1dSKrzysztof Parzyszek std::deque<SUnit *> newOrderPhi; 3821254f889dSBrendon Cahoon for (unsigned i = 0, e = cycleInstrs.size(); i < e; ++i) { 3822254f889dSBrendon Cahoon SUnit *SU = cycleInstrs[i]; 3823f13bbf1dSKrzysztof Parzyszek if (SU->getInstr()->isPHI()) 3824f13bbf1dSKrzysztof Parzyszek newOrderPhi.push_back(SU); 3825254f889dSBrendon Cahoon } 3826254f889dSBrendon Cahoon std::deque<SUnit *> newOrderI; 3827254f889dSBrendon Cahoon for (unsigned i = 0, e = cycleInstrs.size(); i < e; ++i) { 3828254f889dSBrendon Cahoon SUnit *SU = cycleInstrs[i]; 3829f13bbf1dSKrzysztof Parzyszek if (!SU->getInstr()->isPHI()) 3830254f889dSBrendon Cahoon orderDependence(SSD, SU, newOrderI); 3831254f889dSBrendon Cahoon } 3832254f889dSBrendon Cahoon // Replace the old order with the new order. 3833f13bbf1dSKrzysztof Parzyszek cycleInstrs.swap(newOrderPhi); 3834254f889dSBrendon Cahoon cycleInstrs.insert(cycleInstrs.end(), newOrderI.begin(), newOrderI.end()); 38358f174ddeSKrzysztof Parzyszek SSD->fixupRegisterOverlaps(cycleInstrs); 3836254f889dSBrendon Cahoon } 3837254f889dSBrendon Cahoon 3838d34e60caSNicola Zaghen LLVM_DEBUG(dump();); 3839254f889dSBrendon Cahoon } 3840254f889dSBrendon Cahoon 3841fa2e3583SAdrian Prantl void NodeSet::print(raw_ostream &os) const { 3842fa2e3583SAdrian Prantl os << "Num nodes " << size() << " rec " << RecMII << " mov " << MaxMOV 3843fa2e3583SAdrian Prantl << " depth " << MaxDepth << " col " << Colocate << "\n"; 3844fa2e3583SAdrian Prantl for (const auto &I : Nodes) 3845fa2e3583SAdrian Prantl os << " SU(" << I->NodeNum << ") " << *(I->getInstr()); 3846fa2e3583SAdrian Prantl os << "\n"; 3847fa2e3583SAdrian Prantl } 3848fa2e3583SAdrian Prantl 3849615eb470SAaron Ballman #if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP) 3850254f889dSBrendon Cahoon /// Print the schedule information to the given output. 3851254f889dSBrendon Cahoon void SMSchedule::print(raw_ostream &os) const { 3852254f889dSBrendon Cahoon // Iterate over each cycle. 3853254f889dSBrendon Cahoon for (int cycle = getFirstCycle(); cycle <= getFinalCycle(); ++cycle) { 3854254f889dSBrendon Cahoon // Iterate over each instruction in the cycle. 3855254f889dSBrendon Cahoon const_sched_iterator cycleInstrs = ScheduledInstrs.find(cycle); 3856254f889dSBrendon Cahoon for (SUnit *CI : cycleInstrs->second) { 3857254f889dSBrendon Cahoon os << "cycle " << cycle << " (" << stageScheduled(CI) << ") "; 3858254f889dSBrendon Cahoon os << "(" << CI->NodeNum << ") "; 3859254f889dSBrendon Cahoon CI->getInstr()->print(os); 3860254f889dSBrendon Cahoon os << "\n"; 3861254f889dSBrendon Cahoon } 3862254f889dSBrendon Cahoon } 3863254f889dSBrendon Cahoon } 3864254f889dSBrendon Cahoon 3865254f889dSBrendon Cahoon /// Utility function used for debugging to print the schedule. 38668c209aa8SMatthias Braun LLVM_DUMP_METHOD void SMSchedule::dump() const { print(dbgs()); } 3867fa2e3583SAdrian Prantl LLVM_DUMP_METHOD void NodeSet::dump() const { print(dbgs()); } 3868fa2e3583SAdrian Prantl 38698c209aa8SMatthias Braun #endif 3870fa2e3583SAdrian Prantl 3871*f6cb3bcbSJinsong Ji void ResourceManager::initProcResourceVectors( 3872*f6cb3bcbSJinsong Ji const MCSchedModel &SM, SmallVectorImpl<uint64_t> &Masks) { 3873*f6cb3bcbSJinsong Ji unsigned ProcResourceID = 0; 3874fa2e3583SAdrian Prantl 3875*f6cb3bcbSJinsong Ji // We currently limit the resource kinds to 64 and below so that we can use 3876*f6cb3bcbSJinsong Ji // uint64_t for Masks 3877*f6cb3bcbSJinsong Ji assert(SM.getNumProcResourceKinds() < 64 && 3878*f6cb3bcbSJinsong Ji "Too many kinds of resources, unsupported"); 3879*f6cb3bcbSJinsong Ji // Create a unique bitmask for every processor resource unit. 3880*f6cb3bcbSJinsong Ji // Skip resource at index 0, since it always references 'InvalidUnit'. 3881*f6cb3bcbSJinsong Ji Masks.resize(SM.getNumProcResourceKinds()); 3882*f6cb3bcbSJinsong Ji for (unsigned I = 1, E = SM.getNumProcResourceKinds(); I < E; ++I) { 3883*f6cb3bcbSJinsong Ji const MCProcResourceDesc &Desc = *SM.getProcResource(I); 3884*f6cb3bcbSJinsong Ji if (Desc.SubUnitsIdxBegin) 3885*f6cb3bcbSJinsong Ji continue; 3886*f6cb3bcbSJinsong Ji Masks[I] = 1ULL << ProcResourceID; 3887*f6cb3bcbSJinsong Ji ProcResourceID++; 3888*f6cb3bcbSJinsong Ji } 3889*f6cb3bcbSJinsong Ji // Create a unique bitmask for every processor resource group. 3890*f6cb3bcbSJinsong Ji for (unsigned I = 1, E = SM.getNumProcResourceKinds(); I < E; ++I) { 3891*f6cb3bcbSJinsong Ji const MCProcResourceDesc &Desc = *SM.getProcResource(I); 3892*f6cb3bcbSJinsong Ji if (!Desc.SubUnitsIdxBegin) 3893*f6cb3bcbSJinsong Ji continue; 3894*f6cb3bcbSJinsong Ji Masks[I] = 1ULL << ProcResourceID; 3895*f6cb3bcbSJinsong Ji for (unsigned U = 0; U < Desc.NumUnits; ++U) 3896*f6cb3bcbSJinsong Ji Masks[I] |= Masks[Desc.SubUnitsIdxBegin[U]]; 3897*f6cb3bcbSJinsong Ji ProcResourceID++; 3898*f6cb3bcbSJinsong Ji } 3899*f6cb3bcbSJinsong Ji LLVM_DEBUG({ 3900*f6cb3bcbSJinsong Ji dbgs() << "ProcResourceDesc:\n"; 3901*f6cb3bcbSJinsong Ji for (unsigned I = 1, E = SM.getNumProcResourceKinds(); I < E; ++I) { 3902*f6cb3bcbSJinsong Ji const MCProcResourceDesc *ProcResource = SM.getProcResource(I); 3903*f6cb3bcbSJinsong Ji dbgs() << format(" %16s(%2d): Mask: 0x%08x, NumUnits:%2d\n", 3904*f6cb3bcbSJinsong Ji ProcResource->Name, I, Masks[I], ProcResource->NumUnits); 3905*f6cb3bcbSJinsong Ji } 3906*f6cb3bcbSJinsong Ji dbgs() << " -----------------\n"; 3907*f6cb3bcbSJinsong Ji }); 3908*f6cb3bcbSJinsong Ji } 3909*f6cb3bcbSJinsong Ji 3910*f6cb3bcbSJinsong Ji bool ResourceManager::canReserveResources(const MCInstrDesc *MID) const { 3911*f6cb3bcbSJinsong Ji 3912*f6cb3bcbSJinsong Ji LLVM_DEBUG({ dbgs() << "canReserveResources:\n"; }); 3913*f6cb3bcbSJinsong Ji if (UseDFA) 3914*f6cb3bcbSJinsong Ji return DFAResources->canReserveResources(MID); 3915*f6cb3bcbSJinsong Ji 3916*f6cb3bcbSJinsong Ji unsigned InsnClass = MID->getSchedClass(); 3917*f6cb3bcbSJinsong Ji const MCSchedClassDesc *SCDesc = SM.getSchedClassDesc(InsnClass); 3918*f6cb3bcbSJinsong Ji if (!SCDesc->isValid()) { 3919*f6cb3bcbSJinsong Ji LLVM_DEBUG({ 3920*f6cb3bcbSJinsong Ji dbgs() << "No valid Schedule Class Desc for schedClass!\n"; 3921*f6cb3bcbSJinsong Ji dbgs() << "isPseduo:" << MID->isPseudo() << "\n"; 3922*f6cb3bcbSJinsong Ji }); 3923*f6cb3bcbSJinsong Ji return true; 3924*f6cb3bcbSJinsong Ji } 3925*f6cb3bcbSJinsong Ji 3926*f6cb3bcbSJinsong Ji const MCWriteProcResEntry *I = STI->getWriteProcResBegin(SCDesc); 3927*f6cb3bcbSJinsong Ji const MCWriteProcResEntry *E = STI->getWriteProcResEnd(SCDesc); 3928*f6cb3bcbSJinsong Ji for (; I != E; ++I) { 3929*f6cb3bcbSJinsong Ji if (!I->Cycles) 3930*f6cb3bcbSJinsong Ji continue; 3931*f6cb3bcbSJinsong Ji const MCProcResourceDesc *ProcResource = 3932*f6cb3bcbSJinsong Ji SM.getProcResource(I->ProcResourceIdx); 3933*f6cb3bcbSJinsong Ji unsigned NumUnits = ProcResource->NumUnits; 3934*f6cb3bcbSJinsong Ji LLVM_DEBUG({ 3935*f6cb3bcbSJinsong Ji dbgs() << format(" %16s(%2d): Count: %2d, NumUnits:%2d, Cycles:%2d\n", 3936*f6cb3bcbSJinsong Ji ProcResource->Name, I->ProcResourceIdx, 3937*f6cb3bcbSJinsong Ji ProcResourceCount[I->ProcResourceIdx], NumUnits, 3938*f6cb3bcbSJinsong Ji I->Cycles); 3939*f6cb3bcbSJinsong Ji }); 3940*f6cb3bcbSJinsong Ji if (ProcResourceCount[I->ProcResourceIdx] >= NumUnits) 3941*f6cb3bcbSJinsong Ji return false; 3942*f6cb3bcbSJinsong Ji } 3943*f6cb3bcbSJinsong Ji LLVM_DEBUG(dbgs() << "return true\n\n";); 3944*f6cb3bcbSJinsong Ji return true; 3945*f6cb3bcbSJinsong Ji } 3946*f6cb3bcbSJinsong Ji 3947*f6cb3bcbSJinsong Ji void ResourceManager::reserveResources(const MCInstrDesc *MID) { 3948*f6cb3bcbSJinsong Ji LLVM_DEBUG({ dbgs() << "reserveResources:\n"; }); 3949*f6cb3bcbSJinsong Ji if (UseDFA) 3950*f6cb3bcbSJinsong Ji return DFAResources->reserveResources(MID); 3951*f6cb3bcbSJinsong Ji 3952*f6cb3bcbSJinsong Ji unsigned InsnClass = MID->getSchedClass(); 3953*f6cb3bcbSJinsong Ji const MCSchedClassDesc *SCDesc = SM.getSchedClassDesc(InsnClass); 3954*f6cb3bcbSJinsong Ji if (!SCDesc->isValid()) { 3955*f6cb3bcbSJinsong Ji LLVM_DEBUG({ 3956*f6cb3bcbSJinsong Ji dbgs() << "No valid Schedule Class Desc for schedClass!\n"; 3957*f6cb3bcbSJinsong Ji dbgs() << "isPseduo:" << MID->isPseudo() << "\n"; 3958*f6cb3bcbSJinsong Ji }); 3959*f6cb3bcbSJinsong Ji return; 3960*f6cb3bcbSJinsong Ji } 3961*f6cb3bcbSJinsong Ji for (const MCWriteProcResEntry &PRE : 3962*f6cb3bcbSJinsong Ji make_range(STI->getWriteProcResBegin(SCDesc), 3963*f6cb3bcbSJinsong Ji STI->getWriteProcResEnd(SCDesc))) { 3964*f6cb3bcbSJinsong Ji if (!PRE.Cycles) 3965*f6cb3bcbSJinsong Ji continue; 3966*f6cb3bcbSJinsong Ji const MCProcResourceDesc *ProcResource = 3967*f6cb3bcbSJinsong Ji SM.getProcResource(PRE.ProcResourceIdx); 3968*f6cb3bcbSJinsong Ji unsigned NumUnits = ProcResource->NumUnits; 3969*f6cb3bcbSJinsong Ji ++ProcResourceCount[PRE.ProcResourceIdx]; 3970*f6cb3bcbSJinsong Ji LLVM_DEBUG({ 3971*f6cb3bcbSJinsong Ji dbgs() << format(" %16s(%2d): Count: %2d, NumUnits:%2d, Cycles:%2d\n", 3972*f6cb3bcbSJinsong Ji ProcResource->Name, PRE.ProcResourceIdx, 3973*f6cb3bcbSJinsong Ji ProcResourceCount[PRE.ProcResourceIdx], NumUnits, 3974*f6cb3bcbSJinsong Ji PRE.Cycles); 3975*f6cb3bcbSJinsong Ji }); 3976*f6cb3bcbSJinsong Ji } 3977*f6cb3bcbSJinsong Ji LLVM_DEBUG({ dbgs() << "reserveResources: done!\n\n"; }); 3978*f6cb3bcbSJinsong Ji } 3979*f6cb3bcbSJinsong Ji 3980*f6cb3bcbSJinsong Ji bool ResourceManager::canReserveResources(const MachineInstr &MI) const { 3981*f6cb3bcbSJinsong Ji return canReserveResources(&MI.getDesc()); 3982*f6cb3bcbSJinsong Ji } 3983*f6cb3bcbSJinsong Ji 3984*f6cb3bcbSJinsong Ji void ResourceManager::reserveResources(const MachineInstr &MI) { 3985*f6cb3bcbSJinsong Ji return reserveResources(&MI.getDesc()); 3986*f6cb3bcbSJinsong Ji } 3987*f6cb3bcbSJinsong Ji 3988*f6cb3bcbSJinsong Ji void ResourceManager::clearResources() { 3989*f6cb3bcbSJinsong Ji if (UseDFA) 3990*f6cb3bcbSJinsong Ji return DFAResources->clearResources(); 3991*f6cb3bcbSJinsong Ji std::fill(ProcResourceCount.begin(), ProcResourceCount.end(), 0); 3992*f6cb3bcbSJinsong Ji } 3993fa2e3583SAdrian Prantl 3994