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"
59790a779fSJames Molloy #include "llvm/CodeGen/ModuloSchedule.h"
60254f889dSBrendon Cahoon #include "llvm/CodeGen/RegisterPressure.h"
61cdc71612SEugene Zelenko #include "llvm/CodeGen/ScheduleDAG.h"
6288391248SKrzysztof Parzyszek #include "llvm/CodeGen/ScheduleDAGMutation.h"
63b3bde2eaSDavid Blaikie #include "llvm/CodeGen/TargetOpcodes.h"
64b3bde2eaSDavid Blaikie #include "llvm/CodeGen/TargetRegisterInfo.h"
65b3bde2eaSDavid Blaikie #include "llvm/CodeGen/TargetSubtargetInfo.h"
66432a3883SNico Weber #include "llvm/Config/llvm-config.h"
67cdc71612SEugene Zelenko #include "llvm/IR/Attributes.h"
68cdc71612SEugene Zelenko #include "llvm/IR/DebugLoc.h"
6932a40564SEugene Zelenko #include "llvm/IR/Function.h"
7032a40564SEugene Zelenko #include "llvm/MC/LaneBitmask.h"
7132a40564SEugene Zelenko #include "llvm/MC/MCInstrDesc.h"
72254f889dSBrendon Cahoon #include "llvm/MC/MCInstrItineraries.h"
7332a40564SEugene Zelenko #include "llvm/MC/MCRegisterInfo.h"
7432a40564SEugene Zelenko #include "llvm/Pass.h"
75254f889dSBrendon Cahoon #include "llvm/Support/CommandLine.h"
7632a40564SEugene Zelenko #include "llvm/Support/Compiler.h"
77254f889dSBrendon Cahoon #include "llvm/Support/Debug.h"
78cdc71612SEugene Zelenko #include "llvm/Support/MathExtras.h"
79254f889dSBrendon Cahoon #include "llvm/Support/raw_ostream.h"
80cdc71612SEugene Zelenko #include <algorithm>
81cdc71612SEugene Zelenko #include <cassert>
82254f889dSBrendon Cahoon #include <climits>
83cdc71612SEugene Zelenko #include <cstdint>
84254f889dSBrendon Cahoon #include <deque>
85cdc71612SEugene Zelenko #include <functional>
86cdc71612SEugene Zelenko #include <iterator>
87254f889dSBrendon Cahoon #include <map>
8832a40564SEugene Zelenko #include <memory>
89cdc71612SEugene Zelenko #include <tuple>
90cdc71612SEugene Zelenko #include <utility>
91cdc71612SEugene Zelenko #include <vector>
92254f889dSBrendon Cahoon 
93254f889dSBrendon Cahoon using namespace llvm;
94254f889dSBrendon Cahoon 
95254f889dSBrendon Cahoon #define DEBUG_TYPE "pipeliner"
96254f889dSBrendon Cahoon 
97254f889dSBrendon Cahoon STATISTIC(NumTrytoPipeline, "Number of loops that we attempt to pipeline");
98254f889dSBrendon Cahoon STATISTIC(NumPipelined, "Number of loops software pipelined");
994b8bcf00SRoorda, Jan-Willem STATISTIC(NumNodeOrderIssues, "Number of node order issues found");
10018e7bf5cSJinsong Ji STATISTIC(NumFailBranch, "Pipeliner abort due to unknown branch");
10118e7bf5cSJinsong Ji STATISTIC(NumFailLoop, "Pipeliner abort due to unsupported loop");
10218e7bf5cSJinsong Ji STATISTIC(NumFailPreheader, "Pipeliner abort due to missing preheader");
10318e7bf5cSJinsong Ji STATISTIC(NumFailLargeMaxMII, "Pipeliner abort due to MaxMII too large");
10418e7bf5cSJinsong Ji STATISTIC(NumFailZeroMII, "Pipeliner abort due to zero MII");
10518e7bf5cSJinsong Ji STATISTIC(NumFailNoSchedule, "Pipeliner abort due to no schedule found");
10618e7bf5cSJinsong Ji STATISTIC(NumFailZeroStage, "Pipeliner abort due to zero stage");
10718e7bf5cSJinsong Ji STATISTIC(NumFailLargeMaxStage, "Pipeliner abort due to too many stages");
108254f889dSBrendon Cahoon 
109254f889dSBrendon Cahoon /// A command line option to turn software pipelining on or off.
110b7d3311cSBenjamin Kramer static cl::opt<bool> EnableSWP("enable-pipeliner", cl::Hidden, cl::init(true),
111b7d3311cSBenjamin Kramer                                cl::ZeroOrMore,
112b7d3311cSBenjamin Kramer                                cl::desc("Enable Software Pipelining"));
113254f889dSBrendon Cahoon 
114254f889dSBrendon Cahoon /// A command line option to enable SWP at -Os.
115254f889dSBrendon Cahoon static cl::opt<bool> EnableSWPOptSize("enable-pipeliner-opt-size",
116254f889dSBrendon Cahoon                                       cl::desc("Enable SWP at Os."), cl::Hidden,
117254f889dSBrendon Cahoon                                       cl::init(false));
118254f889dSBrendon Cahoon 
119254f889dSBrendon Cahoon /// A command line argument to limit minimum initial interval for pipelining.
120254f889dSBrendon Cahoon static cl::opt<int> SwpMaxMii("pipeliner-max-mii",
1218f976ba0SHiroshi Inoue                               cl::desc("Size limit for the MII."),
122254f889dSBrendon Cahoon                               cl::Hidden, cl::init(27));
123254f889dSBrendon Cahoon 
124254f889dSBrendon Cahoon /// A command line argument to limit the number of stages in the pipeline.
125254f889dSBrendon Cahoon static cl::opt<int>
126254f889dSBrendon Cahoon     SwpMaxStages("pipeliner-max-stages",
127254f889dSBrendon Cahoon                  cl::desc("Maximum stages allowed in the generated scheduled."),
128254f889dSBrendon Cahoon                  cl::Hidden, cl::init(3));
129254f889dSBrendon Cahoon 
130254f889dSBrendon Cahoon /// A command line option to disable the pruning of chain dependences due to
131254f889dSBrendon Cahoon /// an unrelated Phi.
132254f889dSBrendon Cahoon static cl::opt<bool>
133254f889dSBrendon Cahoon     SwpPruneDeps("pipeliner-prune-deps",
134254f889dSBrendon Cahoon                  cl::desc("Prune dependences between unrelated Phi nodes."),
135254f889dSBrendon Cahoon                  cl::Hidden, cl::init(true));
136254f889dSBrendon Cahoon 
137254f889dSBrendon Cahoon /// A command line option to disable the pruning of loop carried order
138254f889dSBrendon Cahoon /// dependences.
139254f889dSBrendon Cahoon static cl::opt<bool>
140254f889dSBrendon Cahoon     SwpPruneLoopCarried("pipeliner-prune-loop-carried",
141254f889dSBrendon Cahoon                         cl::desc("Prune loop carried order dependences."),
142254f889dSBrendon Cahoon                         cl::Hidden, cl::init(true));
143254f889dSBrendon Cahoon 
144254f889dSBrendon Cahoon #ifndef NDEBUG
145254f889dSBrendon Cahoon static cl::opt<int> SwpLoopLimit("pipeliner-max", cl::Hidden, cl::init(-1));
146254f889dSBrendon Cahoon #endif
147254f889dSBrendon Cahoon 
148254f889dSBrendon Cahoon static cl::opt<bool> SwpIgnoreRecMII("pipeliner-ignore-recmii",
149254f889dSBrendon Cahoon                                      cl::ReallyHidden, cl::init(false),
150254f889dSBrendon Cahoon                                      cl::ZeroOrMore, cl::desc("Ignore RecMII"));
151254f889dSBrendon Cahoon 
152ba43840bSJinsong Ji static cl::opt<bool> SwpShowResMask("pipeliner-show-mask", cl::Hidden,
153ba43840bSJinsong Ji                                     cl::init(false));
154ba43840bSJinsong Ji static cl::opt<bool> SwpDebugResource("pipeliner-dbg-res", cl::Hidden,
155ba43840bSJinsong Ji                                       cl::init(false));
156ba43840bSJinsong Ji 
15793549957SJames Molloy static cl::opt<bool> EmitTestAnnotations(
15893549957SJames Molloy     "pipeliner-annotate-for-testing", cl::Hidden, cl::init(false),
15993549957SJames Molloy     cl::desc("Instead of emitting the pipelined code, annotate instructions "
16093549957SJames Molloy              "with the generated schedule for feeding into the "
16193549957SJames Molloy              "-modulo-schedule-test pass"));
16293549957SJames Molloy 
163fef9f590SJames Molloy static cl::opt<bool> ExperimentalCodeGen(
164fef9f590SJames Molloy     "pipeliner-experimental-cg", cl::Hidden, cl::init(false),
165fef9f590SJames Molloy     cl::desc(
166fef9f590SJames Molloy         "Use the experimental peeling code generator for software pipelining"));
167fef9f590SJames Molloy 
168fa2e3583SAdrian Prantl namespace llvm {
169fa2e3583SAdrian Prantl 
17062ac69d4SSumanth Gundapaneni // A command line option to enable the CopyToPhi DAG mutation.
171fa2e3583SAdrian Prantl cl::opt<bool>
17200d4c386SAleksandr Urakov     SwpEnableCopyToPhi("pipeliner-enable-copytophi", cl::ReallyHidden,
17362ac69d4SSumanth Gundapaneni                        cl::init(true), cl::ZeroOrMore,
17462ac69d4SSumanth Gundapaneni                        cl::desc("Enable CopyToPhi DAG Mutation"));
17562ac69d4SSumanth Gundapaneni 
176fa2e3583SAdrian Prantl } // end namespace llvm
177254f889dSBrendon Cahoon 
178254f889dSBrendon Cahoon unsigned SwingSchedulerDAG::Circuits::MaxPaths = 5;
179254f889dSBrendon Cahoon char MachinePipeliner::ID = 0;
180254f889dSBrendon Cahoon #ifndef NDEBUG
181254f889dSBrendon Cahoon int MachinePipeliner::NumTries = 0;
182254f889dSBrendon Cahoon #endif
183254f889dSBrendon Cahoon char &llvm::MachinePipelinerID = MachinePipeliner::ID;
18432a40564SEugene Zelenko 
1851527baabSMatthias Braun INITIALIZE_PASS_BEGIN(MachinePipeliner, DEBUG_TYPE,
186254f889dSBrendon Cahoon                       "Modulo Software Pipelining", false, false)
187254f889dSBrendon Cahoon INITIALIZE_PASS_DEPENDENCY(AAResultsWrapperPass)
188254f889dSBrendon Cahoon INITIALIZE_PASS_DEPENDENCY(MachineLoopInfo)
189254f889dSBrendon Cahoon INITIALIZE_PASS_DEPENDENCY(MachineDominatorTree)
190254f889dSBrendon Cahoon INITIALIZE_PASS_DEPENDENCY(LiveIntervals)
1911527baabSMatthias Braun INITIALIZE_PASS_END(MachinePipeliner, DEBUG_TYPE,
192254f889dSBrendon Cahoon                     "Modulo Software Pipelining", false, false)
193254f889dSBrendon Cahoon 
194254f889dSBrendon Cahoon /// The "main" function for implementing Swing Modulo Scheduling.
195254f889dSBrendon Cahoon bool MachinePipeliner::runOnMachineFunction(MachineFunction &mf) {
196f1caa283SMatthias Braun   if (skipFunction(mf.getFunction()))
197254f889dSBrendon Cahoon     return false;
198254f889dSBrendon Cahoon 
199254f889dSBrendon Cahoon   if (!EnableSWP)
200254f889dSBrendon Cahoon     return false;
201254f889dSBrendon Cahoon 
202f1caa283SMatthias Braun   if (mf.getFunction().getAttributes().hasAttribute(
203b518054bSReid Kleckner           AttributeList::FunctionIndex, Attribute::OptimizeForSize) &&
204254f889dSBrendon Cahoon       !EnableSWPOptSize.getPosition())
205254f889dSBrendon Cahoon     return false;
206254f889dSBrendon Cahoon 
207ef2d6d99SJinsong Ji   if (!mf.getSubtarget().enableMachinePipeliner())
208ef2d6d99SJinsong Ji     return false;
209ef2d6d99SJinsong Ji 
210f6cb3bcbSJinsong Ji   // Cannot pipeline loops without instruction itineraries if we are using
211f6cb3bcbSJinsong Ji   // DFA for the pipeliner.
212f6cb3bcbSJinsong Ji   if (mf.getSubtarget().useDFAforSMS() &&
213f6cb3bcbSJinsong Ji       (!mf.getSubtarget().getInstrItineraryData() ||
214f6cb3bcbSJinsong Ji        mf.getSubtarget().getInstrItineraryData()->isEmpty()))
215f6cb3bcbSJinsong Ji     return false;
216f6cb3bcbSJinsong Ji 
217254f889dSBrendon Cahoon   MF = &mf;
218254f889dSBrendon Cahoon   MLI = &getAnalysis<MachineLoopInfo>();
219254f889dSBrendon Cahoon   MDT = &getAnalysis<MachineDominatorTree>();
22080b78a47SJinsong Ji   ORE = &getAnalysis<MachineOptimizationRemarkEmitterPass>().getORE();
221254f889dSBrendon Cahoon   TII = MF->getSubtarget().getInstrInfo();
222254f889dSBrendon Cahoon   RegClassInfo.runOnMachineFunction(*MF);
223254f889dSBrendon Cahoon 
224254f889dSBrendon Cahoon   for (auto &L : *MLI)
225254f889dSBrendon Cahoon     scheduleLoop(*L);
226254f889dSBrendon Cahoon 
227254f889dSBrendon Cahoon   return false;
228254f889dSBrendon Cahoon }
229254f889dSBrendon Cahoon 
230254f889dSBrendon Cahoon /// Attempt to perform the SMS algorithm on the specified loop. This function is
231254f889dSBrendon Cahoon /// the main entry point for the algorithm.  The function identifies candidate
232254f889dSBrendon Cahoon /// loops, calculates the minimum initiation interval, and attempts to schedule
233254f889dSBrendon Cahoon /// the loop.
234254f889dSBrendon Cahoon bool MachinePipeliner::scheduleLoop(MachineLoop &L) {
235254f889dSBrendon Cahoon   bool Changed = false;
236254f889dSBrendon Cahoon   for (auto &InnerLoop : L)
237254f889dSBrendon Cahoon     Changed |= scheduleLoop(*InnerLoop);
238254f889dSBrendon Cahoon 
239254f889dSBrendon Cahoon #ifndef NDEBUG
240254f889dSBrendon Cahoon   // Stop trying after reaching the limit (if any).
241254f889dSBrendon Cahoon   int Limit = SwpLoopLimit;
242254f889dSBrendon Cahoon   if (Limit >= 0) {
243254f889dSBrendon Cahoon     if (NumTries >= SwpLoopLimit)
244254f889dSBrendon Cahoon       return Changed;
245254f889dSBrendon Cahoon     NumTries++;
246254f889dSBrendon Cahoon   }
247254f889dSBrendon Cahoon #endif
248254f889dSBrendon Cahoon 
24959d99731SBrendon Cahoon   setPragmaPipelineOptions(L);
25059d99731SBrendon Cahoon   if (!canPipelineLoop(L)) {
25159d99731SBrendon Cahoon     LLVM_DEBUG(dbgs() << "\n!!! Can not pipeline loop.\n");
25280b78a47SJinsong Ji     ORE->emit([&]() {
25380b78a47SJinsong Ji       return MachineOptimizationRemarkMissed(DEBUG_TYPE, "canPipelineLoop",
25480b78a47SJinsong Ji                                              L.getStartLoc(), L.getHeader())
25580b78a47SJinsong Ji              << "Failed to pipeline loop";
25680b78a47SJinsong Ji     });
25780b78a47SJinsong Ji 
258254f889dSBrendon Cahoon     return Changed;
25959d99731SBrendon Cahoon   }
260254f889dSBrendon Cahoon 
261254f889dSBrendon Cahoon   ++NumTrytoPipeline;
262254f889dSBrendon Cahoon 
263254f889dSBrendon Cahoon   Changed = swingModuloScheduler(L);
264254f889dSBrendon Cahoon 
265254f889dSBrendon Cahoon   return Changed;
266254f889dSBrendon Cahoon }
267254f889dSBrendon Cahoon 
26859d99731SBrendon Cahoon void MachinePipeliner::setPragmaPipelineOptions(MachineLoop &L) {
269a04ab2ecSSumanth Gundapaneni   // Reset the pragma for the next loop in iteration.
270a04ab2ecSSumanth Gundapaneni   disabledByPragma = false;
271818cf30bSAlon Kom   II_setByPragma = 0;
272a04ab2ecSSumanth Gundapaneni 
27359d99731SBrendon Cahoon   MachineBasicBlock *LBLK = L.getTopBlock();
27459d99731SBrendon Cahoon 
27559d99731SBrendon Cahoon   if (LBLK == nullptr)
27659d99731SBrendon Cahoon     return;
27759d99731SBrendon Cahoon 
27859d99731SBrendon Cahoon   const BasicBlock *BBLK = LBLK->getBasicBlock();
27959d99731SBrendon Cahoon   if (BBLK == nullptr)
28059d99731SBrendon Cahoon     return;
28159d99731SBrendon Cahoon 
28259d99731SBrendon Cahoon   const Instruction *TI = BBLK->getTerminator();
28359d99731SBrendon Cahoon   if (TI == nullptr)
28459d99731SBrendon Cahoon     return;
28559d99731SBrendon Cahoon 
28659d99731SBrendon Cahoon   MDNode *LoopID = TI->getMetadata(LLVMContext::MD_loop);
28759d99731SBrendon Cahoon   if (LoopID == nullptr)
28859d99731SBrendon Cahoon     return;
28959d99731SBrendon Cahoon 
29059d99731SBrendon Cahoon   assert(LoopID->getNumOperands() > 0 && "requires atleast one operand");
29159d99731SBrendon Cahoon   assert(LoopID->getOperand(0) == LoopID && "invalid loop");
29259d99731SBrendon Cahoon 
29359d99731SBrendon Cahoon   for (unsigned i = 1, e = LoopID->getNumOperands(); i < e; ++i) {
29459d99731SBrendon Cahoon     MDNode *MD = dyn_cast<MDNode>(LoopID->getOperand(i));
29559d99731SBrendon Cahoon 
29659d99731SBrendon Cahoon     if (MD == nullptr)
29759d99731SBrendon Cahoon       continue;
29859d99731SBrendon Cahoon 
29959d99731SBrendon Cahoon     MDString *S = dyn_cast<MDString>(MD->getOperand(0));
30059d99731SBrendon Cahoon 
30159d99731SBrendon Cahoon     if (S == nullptr)
30259d99731SBrendon Cahoon       continue;
30359d99731SBrendon Cahoon 
30459d99731SBrendon Cahoon     if (S->getString() == "llvm.loop.pipeline.initiationinterval") {
30559d99731SBrendon Cahoon       assert(MD->getNumOperands() == 2 &&
30659d99731SBrendon Cahoon              "Pipeline initiation interval hint metadata should have two operands.");
30759d99731SBrendon Cahoon       II_setByPragma =
30859d99731SBrendon Cahoon           mdconst::extract<ConstantInt>(MD->getOperand(1))->getZExtValue();
30959d99731SBrendon Cahoon       assert(II_setByPragma >= 1 && "Pipeline initiation interval must be positive.");
31059d99731SBrendon Cahoon     } else if (S->getString() == "llvm.loop.pipeline.disable") {
31159d99731SBrendon Cahoon       disabledByPragma = true;
31259d99731SBrendon Cahoon     }
31359d99731SBrendon Cahoon   }
31459d99731SBrendon Cahoon }
31559d99731SBrendon Cahoon 
316254f889dSBrendon Cahoon /// Return true if the loop can be software pipelined.  The algorithm is
317254f889dSBrendon Cahoon /// restricted to loops with a single basic block.  Make sure that the
318254f889dSBrendon Cahoon /// branch in the loop can be analyzed.
319254f889dSBrendon Cahoon bool MachinePipeliner::canPipelineLoop(MachineLoop &L) {
32080b78a47SJinsong Ji   if (L.getNumBlocks() != 1) {
32180b78a47SJinsong Ji     ORE->emit([&]() {
32280b78a47SJinsong Ji       return MachineOptimizationRemarkAnalysis(DEBUG_TYPE, "canPipelineLoop",
32380b78a47SJinsong Ji                                                L.getStartLoc(), L.getHeader())
32480b78a47SJinsong Ji              << "Not a single basic block: "
32580b78a47SJinsong Ji              << ore::NV("NumBlocks", L.getNumBlocks());
32680b78a47SJinsong Ji     });
327254f889dSBrendon Cahoon     return false;
32880b78a47SJinsong Ji   }
329254f889dSBrendon Cahoon 
33080b78a47SJinsong Ji   if (disabledByPragma) {
33180b78a47SJinsong Ji     ORE->emit([&]() {
33280b78a47SJinsong Ji       return MachineOptimizationRemarkAnalysis(DEBUG_TYPE, "canPipelineLoop",
33380b78a47SJinsong Ji                                                L.getStartLoc(), L.getHeader())
33480b78a47SJinsong Ji              << "Disabled by Pragma.";
33580b78a47SJinsong Ji     });
33659d99731SBrendon Cahoon     return false;
33780b78a47SJinsong Ji   }
33859d99731SBrendon Cahoon 
339254f889dSBrendon Cahoon   // Check if the branch can't be understood because we can't do pipelining
340254f889dSBrendon Cahoon   // if that's the case.
341254f889dSBrendon Cahoon   LI.TBB = nullptr;
342254f889dSBrendon Cahoon   LI.FBB = nullptr;
343254f889dSBrendon Cahoon   LI.BrCond.clear();
34418e7bf5cSJinsong Ji   if (TII->analyzeBranch(*L.getHeader(), LI.TBB, LI.FBB, LI.BrCond)) {
34580b78a47SJinsong Ji     LLVM_DEBUG(dbgs() << "Unable to analyzeBranch, can NOT pipeline Loop\n");
34618e7bf5cSJinsong Ji     NumFailBranch++;
34780b78a47SJinsong Ji     ORE->emit([&]() {
34880b78a47SJinsong Ji       return MachineOptimizationRemarkAnalysis(DEBUG_TYPE, "canPipelineLoop",
34980b78a47SJinsong Ji                                                L.getStartLoc(), L.getHeader())
35080b78a47SJinsong Ji              << "The branch can't be understood";
35180b78a47SJinsong Ji     });
352254f889dSBrendon Cahoon     return false;
35318e7bf5cSJinsong Ji   }
354254f889dSBrendon Cahoon 
355254f889dSBrendon Cahoon   LI.LoopInductionVar = nullptr;
356254f889dSBrendon Cahoon   LI.LoopCompare = nullptr;
3578a74eca3SJames Molloy   if (!TII->analyzeLoopForPipelining(L.getTopBlock())) {
35880b78a47SJinsong Ji     LLVM_DEBUG(dbgs() << "Unable to analyzeLoop, can NOT pipeline Loop\n");
35918e7bf5cSJinsong Ji     NumFailLoop++;
36080b78a47SJinsong Ji     ORE->emit([&]() {
36180b78a47SJinsong Ji       return MachineOptimizationRemarkAnalysis(DEBUG_TYPE, "canPipelineLoop",
36280b78a47SJinsong Ji                                                L.getStartLoc(), L.getHeader())
36380b78a47SJinsong Ji              << "The loop structure is not supported";
36480b78a47SJinsong Ji     });
365254f889dSBrendon Cahoon     return false;
36618e7bf5cSJinsong Ji   }
367254f889dSBrendon Cahoon 
36818e7bf5cSJinsong Ji   if (!L.getLoopPreheader()) {
36980b78a47SJinsong Ji     LLVM_DEBUG(dbgs() << "Preheader not found, can NOT pipeline Loop\n");
37018e7bf5cSJinsong Ji     NumFailPreheader++;
37180b78a47SJinsong Ji     ORE->emit([&]() {
37280b78a47SJinsong Ji       return MachineOptimizationRemarkAnalysis(DEBUG_TYPE, "canPipelineLoop",
37380b78a47SJinsong Ji                                                L.getStartLoc(), L.getHeader())
37480b78a47SJinsong Ji              << "No loop preheader found";
37580b78a47SJinsong Ji     });
376254f889dSBrendon Cahoon     return false;
37718e7bf5cSJinsong Ji   }
378254f889dSBrendon Cahoon 
379c715a5d2SKrzysztof Parzyszek   // Remove any subregisters from inputs to phi nodes.
380c715a5d2SKrzysztof Parzyszek   preprocessPhiNodes(*L.getHeader());
381254f889dSBrendon Cahoon   return true;
382254f889dSBrendon Cahoon }
383254f889dSBrendon Cahoon 
384c715a5d2SKrzysztof Parzyszek void MachinePipeliner::preprocessPhiNodes(MachineBasicBlock &B) {
385c715a5d2SKrzysztof Parzyszek   MachineRegisterInfo &MRI = MF->getRegInfo();
386c715a5d2SKrzysztof Parzyszek   SlotIndexes &Slots = *getAnalysis<LiveIntervals>().getSlotIndexes();
387c715a5d2SKrzysztof Parzyszek 
388c715a5d2SKrzysztof Parzyszek   for (MachineInstr &PI : make_range(B.begin(), B.getFirstNonPHI())) {
389c715a5d2SKrzysztof Parzyszek     MachineOperand &DefOp = PI.getOperand(0);
390c715a5d2SKrzysztof Parzyszek     assert(DefOp.getSubReg() == 0);
391c715a5d2SKrzysztof Parzyszek     auto *RC = MRI.getRegClass(DefOp.getReg());
392c715a5d2SKrzysztof Parzyszek 
393c715a5d2SKrzysztof Parzyszek     for (unsigned i = 1, n = PI.getNumOperands(); i != n; i += 2) {
394c715a5d2SKrzysztof Parzyszek       MachineOperand &RegOp = PI.getOperand(i);
395c715a5d2SKrzysztof Parzyszek       if (RegOp.getSubReg() == 0)
396c715a5d2SKrzysztof Parzyszek         continue;
397c715a5d2SKrzysztof Parzyszek 
398c715a5d2SKrzysztof Parzyszek       // If the operand uses a subregister, replace it with a new register
399c715a5d2SKrzysztof Parzyszek       // without subregisters, and generate a copy to the new register.
4000c476111SDaniel Sanders       Register NewReg = MRI.createVirtualRegister(RC);
401c715a5d2SKrzysztof Parzyszek       MachineBasicBlock &PredB = *PI.getOperand(i+1).getMBB();
402c715a5d2SKrzysztof Parzyszek       MachineBasicBlock::iterator At = PredB.getFirstTerminator();
403c715a5d2SKrzysztof Parzyszek       const DebugLoc &DL = PredB.findDebugLoc(At);
404c715a5d2SKrzysztof Parzyszek       auto Copy = BuildMI(PredB, At, DL, TII->get(TargetOpcode::COPY), NewReg)
405c715a5d2SKrzysztof Parzyszek                     .addReg(RegOp.getReg(), getRegState(RegOp),
406c715a5d2SKrzysztof Parzyszek                             RegOp.getSubReg());
407c715a5d2SKrzysztof Parzyszek       Slots.insertMachineInstrInMaps(*Copy);
408c715a5d2SKrzysztof Parzyszek       RegOp.setReg(NewReg);
409c715a5d2SKrzysztof Parzyszek       RegOp.setSubReg(0);
410c715a5d2SKrzysztof Parzyszek     }
411c715a5d2SKrzysztof Parzyszek   }
412c715a5d2SKrzysztof Parzyszek }
413c715a5d2SKrzysztof Parzyszek 
414254f889dSBrendon Cahoon /// The SMS algorithm consists of the following main steps:
415254f889dSBrendon Cahoon /// 1. Computation and analysis of the dependence graph.
416254f889dSBrendon Cahoon /// 2. Ordering of the nodes (instructions).
417254f889dSBrendon Cahoon /// 3. Attempt to Schedule the loop.
418254f889dSBrendon Cahoon bool MachinePipeliner::swingModuloScheduler(MachineLoop &L) {
419254f889dSBrendon Cahoon   assert(L.getBlocks().size() == 1 && "SMS works on single blocks only.");
420254f889dSBrendon Cahoon 
42159d99731SBrendon Cahoon   SwingSchedulerDAG SMS(*this, L, getAnalysis<LiveIntervals>(), RegClassInfo,
42259d99731SBrendon Cahoon                         II_setByPragma);
423254f889dSBrendon Cahoon 
424254f889dSBrendon Cahoon   MachineBasicBlock *MBB = L.getHeader();
425254f889dSBrendon Cahoon   // The kernel should not include any terminator instructions.  These
426254f889dSBrendon Cahoon   // will be added back later.
427254f889dSBrendon Cahoon   SMS.startBlock(MBB);
428254f889dSBrendon Cahoon 
429254f889dSBrendon Cahoon   // Compute the number of 'real' instructions in the basic block by
430254f889dSBrendon Cahoon   // ignoring terminators.
431254f889dSBrendon Cahoon   unsigned size = MBB->size();
432254f889dSBrendon Cahoon   for (MachineBasicBlock::iterator I = MBB->getFirstTerminator(),
433254f889dSBrendon Cahoon                                    E = MBB->instr_end();
434254f889dSBrendon Cahoon        I != E; ++I, --size)
435254f889dSBrendon Cahoon     ;
436254f889dSBrendon Cahoon 
437254f889dSBrendon Cahoon   SMS.enterRegion(MBB, MBB->begin(), MBB->getFirstTerminator(), size);
438254f889dSBrendon Cahoon   SMS.schedule();
439254f889dSBrendon Cahoon   SMS.exitRegion();
440254f889dSBrendon Cahoon 
441254f889dSBrendon Cahoon   SMS.finishBlock();
442254f889dSBrendon Cahoon   return SMS.hasNewSchedule();
443254f889dSBrendon Cahoon }
444254f889dSBrendon Cahoon 
445*2ce38b3fSdfukalov void MachinePipeliner::getAnalysisUsage(AnalysisUsage &AU) const {
446*2ce38b3fSdfukalov   AU.addRequired<AAResultsWrapperPass>();
447*2ce38b3fSdfukalov   AU.addPreserved<AAResultsWrapperPass>();
448*2ce38b3fSdfukalov   AU.addRequired<MachineLoopInfo>();
449*2ce38b3fSdfukalov   AU.addRequired<MachineDominatorTree>();
450*2ce38b3fSdfukalov   AU.addRequired<LiveIntervals>();
451*2ce38b3fSdfukalov   AU.addRequired<MachineOptimizationRemarkEmitterPass>();
452*2ce38b3fSdfukalov   MachineFunctionPass::getAnalysisUsage(AU);
453*2ce38b3fSdfukalov }
454*2ce38b3fSdfukalov 
45559d99731SBrendon Cahoon void SwingSchedulerDAG::setMII(unsigned ResMII, unsigned RecMII) {
45659d99731SBrendon Cahoon   if (II_setByPragma > 0)
45759d99731SBrendon Cahoon     MII = II_setByPragma;
45859d99731SBrendon Cahoon   else
45959d99731SBrendon Cahoon     MII = std::max(ResMII, RecMII);
46059d99731SBrendon Cahoon }
46159d99731SBrendon Cahoon 
46259d99731SBrendon Cahoon void SwingSchedulerDAG::setMAX_II() {
46359d99731SBrendon Cahoon   if (II_setByPragma > 0)
46459d99731SBrendon Cahoon     MAX_II = II_setByPragma;
46559d99731SBrendon Cahoon   else
46659d99731SBrendon Cahoon     MAX_II = MII + 10;
46759d99731SBrendon Cahoon }
46859d99731SBrendon Cahoon 
469254f889dSBrendon Cahoon /// We override the schedule function in ScheduleDAGInstrs to implement the
470254f889dSBrendon Cahoon /// scheduling part of the Swing Modulo Scheduling algorithm.
471254f889dSBrendon Cahoon void SwingSchedulerDAG::schedule() {
472254f889dSBrendon Cahoon   AliasAnalysis *AA = &Pass.getAnalysis<AAResultsWrapperPass>().getAAResults();
473254f889dSBrendon Cahoon   buildSchedGraph(AA);
474254f889dSBrendon Cahoon   addLoopCarriedDependences(AA);
475254f889dSBrendon Cahoon   updatePhiDependences();
476254f889dSBrendon Cahoon   Topo.InitDAGTopologicalSorting();
477254f889dSBrendon Cahoon   changeDependences();
47862ac69d4SSumanth Gundapaneni   postprocessDAG();
479726e12cfSMatthias Braun   LLVM_DEBUG(dump());
480254f889dSBrendon Cahoon 
481254f889dSBrendon Cahoon   NodeSetType NodeSets;
482254f889dSBrendon Cahoon   findCircuits(NodeSets);
4834b8bcf00SRoorda, Jan-Willem   NodeSetType Circuits = NodeSets;
484254f889dSBrendon Cahoon 
485254f889dSBrendon Cahoon   // Calculate the MII.
486254f889dSBrendon Cahoon   unsigned ResMII = calculateResMII();
487254f889dSBrendon Cahoon   unsigned RecMII = calculateRecMII(NodeSets);
488254f889dSBrendon Cahoon 
489254f889dSBrendon Cahoon   fuseRecs(NodeSets);
490254f889dSBrendon Cahoon 
491254f889dSBrendon Cahoon   // This flag is used for testing and can cause correctness problems.
492254f889dSBrendon Cahoon   if (SwpIgnoreRecMII)
493254f889dSBrendon Cahoon     RecMII = 0;
494254f889dSBrendon Cahoon 
49559d99731SBrendon Cahoon   setMII(ResMII, RecMII);
49659d99731SBrendon Cahoon   setMAX_II();
49759d99731SBrendon Cahoon 
49859d99731SBrendon Cahoon   LLVM_DEBUG(dbgs() << "MII = " << MII << " MAX_II = " << MAX_II
49959d99731SBrendon Cahoon                     << " (rec=" << RecMII << ", res=" << ResMII << ")\n");
500254f889dSBrendon Cahoon 
501254f889dSBrendon Cahoon   // Can't schedule a loop without a valid MII.
50218e7bf5cSJinsong Ji   if (MII == 0) {
50380b78a47SJinsong Ji     LLVM_DEBUG(dbgs() << "Invalid Minimal Initiation Interval: 0\n");
50418e7bf5cSJinsong Ji     NumFailZeroMII++;
50580b78a47SJinsong Ji     Pass.ORE->emit([&]() {
50680b78a47SJinsong Ji       return MachineOptimizationRemarkAnalysis(
50780b78a47SJinsong Ji                  DEBUG_TYPE, "schedule", Loop.getStartLoc(), Loop.getHeader())
50880b78a47SJinsong Ji              << "Invalid Minimal Initiation Interval: 0";
50980b78a47SJinsong Ji     });
510254f889dSBrendon Cahoon     return;
51118e7bf5cSJinsong Ji   }
512254f889dSBrendon Cahoon 
513254f889dSBrendon Cahoon   // Don't pipeline large loops.
51418e7bf5cSJinsong Ji   if (SwpMaxMii != -1 && (int)MII > SwpMaxMii) {
51518e7bf5cSJinsong Ji     LLVM_DEBUG(dbgs() << "MII > " << SwpMaxMii
51618e7bf5cSJinsong Ji                       << ", we don't pipleline large loops\n");
51718e7bf5cSJinsong Ji     NumFailLargeMaxMII++;
51880b78a47SJinsong Ji     Pass.ORE->emit([&]() {
51980b78a47SJinsong Ji       return MachineOptimizationRemarkAnalysis(
52080b78a47SJinsong Ji                  DEBUG_TYPE, "schedule", Loop.getStartLoc(), Loop.getHeader())
52180b78a47SJinsong Ji              << "Minimal Initiation Interval too large: "
52280b78a47SJinsong Ji              << ore::NV("MII", (int)MII) << " > "
52380b78a47SJinsong Ji              << ore::NV("SwpMaxMii", SwpMaxMii) << "."
52480b78a47SJinsong Ji              << "Refer to -pipeliner-max-mii.";
52580b78a47SJinsong Ji     });
526254f889dSBrendon Cahoon     return;
52718e7bf5cSJinsong Ji   }
528254f889dSBrendon Cahoon 
529254f889dSBrendon Cahoon   computeNodeFunctions(NodeSets);
530254f889dSBrendon Cahoon 
531254f889dSBrendon Cahoon   registerPressureFilter(NodeSets);
532254f889dSBrendon Cahoon 
533254f889dSBrendon Cahoon   colocateNodeSets(NodeSets);
534254f889dSBrendon Cahoon 
535254f889dSBrendon Cahoon   checkNodeSets(NodeSets);
536254f889dSBrendon Cahoon 
537d34e60caSNicola Zaghen   LLVM_DEBUG({
538254f889dSBrendon Cahoon     for (auto &I : NodeSets) {
539254f889dSBrendon Cahoon       dbgs() << "  Rec NodeSet ";
540254f889dSBrendon Cahoon       I.dump();
541254f889dSBrendon Cahoon     }
542254f889dSBrendon Cahoon   });
543254f889dSBrendon Cahoon 
544efd94c56SFangrui Song   llvm::stable_sort(NodeSets, std::greater<NodeSet>());
545254f889dSBrendon Cahoon 
546254f889dSBrendon Cahoon   groupRemainingNodes(NodeSets);
547254f889dSBrendon Cahoon 
548254f889dSBrendon Cahoon   removeDuplicateNodes(NodeSets);
549254f889dSBrendon Cahoon 
550d34e60caSNicola Zaghen   LLVM_DEBUG({
551254f889dSBrendon Cahoon     for (auto &I : NodeSets) {
552254f889dSBrendon Cahoon       dbgs() << "  NodeSet ";
553254f889dSBrendon Cahoon       I.dump();
554254f889dSBrendon Cahoon     }
555254f889dSBrendon Cahoon   });
556254f889dSBrendon Cahoon 
557254f889dSBrendon Cahoon   computeNodeOrder(NodeSets);
558254f889dSBrendon Cahoon 
5594b8bcf00SRoorda, Jan-Willem   // check for node order issues
5604b8bcf00SRoorda, Jan-Willem   checkValidNodeOrder(Circuits);
5614b8bcf00SRoorda, Jan-Willem 
562254f889dSBrendon Cahoon   SMSchedule Schedule(Pass.MF);
563254f889dSBrendon Cahoon   Scheduled = schedulePipeline(Schedule);
564254f889dSBrendon Cahoon 
56518e7bf5cSJinsong Ji   if (!Scheduled){
56618e7bf5cSJinsong Ji     LLVM_DEBUG(dbgs() << "No schedule found, return\n");
56718e7bf5cSJinsong Ji     NumFailNoSchedule++;
56880b78a47SJinsong Ji     Pass.ORE->emit([&]() {
56980b78a47SJinsong Ji       return MachineOptimizationRemarkAnalysis(
57080b78a47SJinsong Ji                  DEBUG_TYPE, "schedule", Loop.getStartLoc(), Loop.getHeader())
57180b78a47SJinsong Ji              << "Unable to find schedule";
57280b78a47SJinsong Ji     });
573254f889dSBrendon Cahoon     return;
57418e7bf5cSJinsong Ji   }
575254f889dSBrendon Cahoon 
576254f889dSBrendon Cahoon   unsigned numStages = Schedule.getMaxStageCount();
577254f889dSBrendon Cahoon   // No need to generate pipeline if there are no overlapped iterations.
57818e7bf5cSJinsong Ji   if (numStages == 0) {
57980b78a47SJinsong Ji     LLVM_DEBUG(dbgs() << "No overlapped iterations, skip.\n");
58018e7bf5cSJinsong Ji     NumFailZeroStage++;
58180b78a47SJinsong Ji     Pass.ORE->emit([&]() {
58280b78a47SJinsong Ji       return MachineOptimizationRemarkAnalysis(
58380b78a47SJinsong Ji                  DEBUG_TYPE, "schedule", Loop.getStartLoc(), Loop.getHeader())
58480b78a47SJinsong Ji              << "No need to pipeline - no overlapped iterations in schedule.";
58580b78a47SJinsong Ji     });
586254f889dSBrendon Cahoon     return;
58718e7bf5cSJinsong Ji   }
588254f889dSBrendon Cahoon   // Check that the maximum stage count is less than user-defined limit.
58918e7bf5cSJinsong Ji   if (SwpMaxStages > -1 && (int)numStages > SwpMaxStages) {
59018e7bf5cSJinsong Ji     LLVM_DEBUG(dbgs() << "numStages:" << numStages << ">" << SwpMaxStages
59118e7bf5cSJinsong Ji                       << " : too many stages, abort\n");
59218e7bf5cSJinsong Ji     NumFailLargeMaxStage++;
59380b78a47SJinsong Ji     Pass.ORE->emit([&]() {
59480b78a47SJinsong Ji       return MachineOptimizationRemarkAnalysis(
59580b78a47SJinsong Ji                  DEBUG_TYPE, "schedule", Loop.getStartLoc(), Loop.getHeader())
59680b78a47SJinsong Ji              << "Too many stages in schedule: "
59780b78a47SJinsong Ji              << ore::NV("numStages", (int)numStages) << " > "
59880b78a47SJinsong Ji              << ore::NV("SwpMaxStages", SwpMaxStages)
59980b78a47SJinsong Ji              << ". Refer to -pipeliner-max-stages.";
60080b78a47SJinsong Ji     });
601254f889dSBrendon Cahoon     return;
60218e7bf5cSJinsong Ji   }
603254f889dSBrendon Cahoon 
60480b78a47SJinsong Ji   Pass.ORE->emit([&]() {
60580b78a47SJinsong Ji     return MachineOptimizationRemark(DEBUG_TYPE, "schedule", Loop.getStartLoc(),
60680b78a47SJinsong Ji                                      Loop.getHeader())
60780b78a47SJinsong Ji            << "Pipelined succesfully!";
60880b78a47SJinsong Ji   });
60980b78a47SJinsong Ji 
610790a779fSJames Molloy   // Generate the schedule as a ModuloSchedule.
611790a779fSJames Molloy   DenseMap<MachineInstr *, int> Cycles, Stages;
612790a779fSJames Molloy   std::vector<MachineInstr *> OrderedInsts;
613790a779fSJames Molloy   for (int Cycle = Schedule.getFirstCycle(); Cycle <= Schedule.getFinalCycle();
614790a779fSJames Molloy        ++Cycle) {
615790a779fSJames Molloy     for (SUnit *SU : Schedule.getInstructions(Cycle)) {
616790a779fSJames Molloy       OrderedInsts.push_back(SU->getInstr());
617790a779fSJames Molloy       Cycles[SU->getInstr()] = Cycle;
618790a779fSJames Molloy       Stages[SU->getInstr()] = Schedule.stageScheduled(SU);
619790a779fSJames Molloy     }
620790a779fSJames Molloy   }
621790a779fSJames Molloy   DenseMap<MachineInstr *, std::pair<unsigned, int64_t>> NewInstrChanges;
622790a779fSJames Molloy   for (auto &KV : NewMIs) {
623790a779fSJames Molloy     Cycles[KV.first] = Cycles[KV.second];
624790a779fSJames Molloy     Stages[KV.first] = Stages[KV.second];
625790a779fSJames Molloy     NewInstrChanges[KV.first] = InstrChanges[getSUnit(KV.first)];
626790a779fSJames Molloy   }
627790a779fSJames Molloy 
628790a779fSJames Molloy   ModuloSchedule MS(MF, &Loop, std::move(OrderedInsts), std::move(Cycles),
629790a779fSJames Molloy                     std::move(Stages));
63093549957SJames Molloy   if (EmitTestAnnotations) {
63193549957SJames Molloy     assert(NewInstrChanges.empty() &&
63293549957SJames Molloy            "Cannot serialize a schedule with InstrChanges!");
63393549957SJames Molloy     ModuloScheduleTestAnnotater MSTI(MF, MS);
63493549957SJames Molloy     MSTI.annotate();
63593549957SJames Molloy     return;
63693549957SJames Molloy   }
637fef9f590SJames Molloy   // The experimental code generator can't work if there are InstChanges.
638fef9f590SJames Molloy   if (ExperimentalCodeGen && NewInstrChanges.empty()) {
639fef9f590SJames Molloy     PeelingModuloScheduleExpander MSE(MF, MS, &LIS);
6409026518eSJames Molloy     MSE.expand();
641fef9f590SJames Molloy   } else {
642790a779fSJames Molloy     ModuloScheduleExpander MSE(MF, MS, LIS, std::move(NewInstrChanges));
643790a779fSJames Molloy     MSE.expand();
644fef9f590SJames Molloy     MSE.cleanup();
645fef9f590SJames Molloy   }
646254f889dSBrendon Cahoon   ++NumPipelined;
647254f889dSBrendon Cahoon }
648254f889dSBrendon Cahoon 
649254f889dSBrendon Cahoon /// Clean up after the software pipeliner runs.
650254f889dSBrendon Cahoon void SwingSchedulerDAG::finishBlock() {
651790a779fSJames Molloy   for (auto &KV : NewMIs)
652790a779fSJames Molloy     MF.DeleteMachineInstr(KV.second);
653254f889dSBrendon Cahoon   NewMIs.clear();
654254f889dSBrendon Cahoon 
655254f889dSBrendon Cahoon   // Call the superclass.
656254f889dSBrendon Cahoon   ScheduleDAGInstrs::finishBlock();
657254f889dSBrendon Cahoon }
658254f889dSBrendon Cahoon 
659254f889dSBrendon Cahoon /// Return the register values for  the operands of a Phi instruction.
660254f889dSBrendon Cahoon /// This function assume the instruction is a Phi.
661254f889dSBrendon Cahoon static void getPhiRegs(MachineInstr &Phi, MachineBasicBlock *Loop,
662254f889dSBrendon Cahoon                        unsigned &InitVal, unsigned &LoopVal) {
663254f889dSBrendon Cahoon   assert(Phi.isPHI() && "Expecting a Phi.");
664254f889dSBrendon Cahoon 
665254f889dSBrendon Cahoon   InitVal = 0;
666254f889dSBrendon Cahoon   LoopVal = 0;
667254f889dSBrendon Cahoon   for (unsigned i = 1, e = Phi.getNumOperands(); i != e; i += 2)
668254f889dSBrendon Cahoon     if (Phi.getOperand(i + 1).getMBB() != Loop)
669254f889dSBrendon Cahoon       InitVal = Phi.getOperand(i).getReg();
670fbfb19b1SSimon Pilgrim     else
671254f889dSBrendon Cahoon       LoopVal = Phi.getOperand(i).getReg();
672254f889dSBrendon Cahoon 
673254f889dSBrendon Cahoon   assert(InitVal != 0 && LoopVal != 0 && "Unexpected Phi structure.");
674254f889dSBrendon Cahoon }
675254f889dSBrendon Cahoon 
6768f976ba0SHiroshi Inoue /// Return the Phi register value that comes the loop block.
677254f889dSBrendon Cahoon static unsigned getLoopPhiReg(MachineInstr &Phi, MachineBasicBlock *LoopBB) {
678254f889dSBrendon Cahoon   for (unsigned i = 1, e = Phi.getNumOperands(); i != e; i += 2)
679254f889dSBrendon Cahoon     if (Phi.getOperand(i + 1).getMBB() == LoopBB)
680254f889dSBrendon Cahoon       return Phi.getOperand(i).getReg();
681254f889dSBrendon Cahoon   return 0;
682254f889dSBrendon Cahoon }
683254f889dSBrendon Cahoon 
684254f889dSBrendon Cahoon /// Return true if SUb can be reached from SUa following the chain edges.
685254f889dSBrendon Cahoon static bool isSuccOrder(SUnit *SUa, SUnit *SUb) {
686254f889dSBrendon Cahoon   SmallPtrSet<SUnit *, 8> Visited;
687254f889dSBrendon Cahoon   SmallVector<SUnit *, 8> Worklist;
688254f889dSBrendon Cahoon   Worklist.push_back(SUa);
689254f889dSBrendon Cahoon   while (!Worklist.empty()) {
690254f889dSBrendon Cahoon     const SUnit *SU = Worklist.pop_back_val();
691254f889dSBrendon Cahoon     for (auto &SI : SU->Succs) {
692254f889dSBrendon Cahoon       SUnit *SuccSU = SI.getSUnit();
693254f889dSBrendon Cahoon       if (SI.getKind() == SDep::Order) {
694254f889dSBrendon Cahoon         if (Visited.count(SuccSU))
695254f889dSBrendon Cahoon           continue;
696254f889dSBrendon Cahoon         if (SuccSU == SUb)
697254f889dSBrendon Cahoon           return true;
698254f889dSBrendon Cahoon         Worklist.push_back(SuccSU);
699254f889dSBrendon Cahoon         Visited.insert(SuccSU);
700254f889dSBrendon Cahoon       }
701254f889dSBrendon Cahoon     }
702254f889dSBrendon Cahoon   }
703254f889dSBrendon Cahoon   return false;
704254f889dSBrendon Cahoon }
705254f889dSBrendon Cahoon 
706254f889dSBrendon Cahoon /// Return true if the instruction causes a chain between memory
707254f889dSBrendon Cahoon /// references before and after it.
708254f889dSBrendon Cahoon static bool isDependenceBarrier(MachineInstr &MI, AliasAnalysis *AA) {
7096c5d5ce5SUlrich Weigand   return MI.isCall() || MI.mayRaiseFPException() ||
7106c5d5ce5SUlrich Weigand          MI.hasUnmodeledSideEffects() ||
711254f889dSBrendon Cahoon          (MI.hasOrderedMemoryRef() &&
712d98cf00cSJustin Lebar           (!MI.mayLoad() || !MI.isDereferenceableInvariantLoad(AA)));
713254f889dSBrendon Cahoon }
714254f889dSBrendon Cahoon 
715254f889dSBrendon Cahoon /// Return the underlying objects for the memory references of an instruction.
716254f889dSBrendon Cahoon /// This function calls the code in ValueTracking, but first checks that the
717254f889dSBrendon Cahoon /// instruction has a memory operand.
71871e8c6f2SBjorn Pettersson static void getUnderlyingObjects(const MachineInstr *MI,
719b0eb40caSVitaly Buka                                  SmallVectorImpl<const Value *> &Objs) {
720254f889dSBrendon Cahoon   if (!MI->hasOneMemOperand())
721254f889dSBrendon Cahoon     return;
722254f889dSBrendon Cahoon   MachineMemOperand *MM = *MI->memoperands_begin();
723254f889dSBrendon Cahoon   if (!MM->getValue())
724254f889dSBrendon Cahoon     return;
725b0eb40caSVitaly Buka   getUnderlyingObjects(MM->getValue(), Objs);
72671e8c6f2SBjorn Pettersson   for (const Value *V : Objs) {
7279f041b18SKrzysztof Parzyszek     if (!isIdentifiedObject(V)) {
7289f041b18SKrzysztof Parzyszek       Objs.clear();
7299f041b18SKrzysztof Parzyszek       return;
7309f041b18SKrzysztof Parzyszek     }
7319f041b18SKrzysztof Parzyszek     Objs.push_back(V);
7329f041b18SKrzysztof Parzyszek   }
733254f889dSBrendon Cahoon }
734254f889dSBrendon Cahoon 
735254f889dSBrendon Cahoon /// Add a chain edge between a load and store if the store can be an
736254f889dSBrendon Cahoon /// alias of the load on a subsequent iteration, i.e., a loop carried
737254f889dSBrendon Cahoon /// dependence. This code is very similar to the code in ScheduleDAGInstrs
738254f889dSBrendon Cahoon /// but that code doesn't create loop carried dependences.
739254f889dSBrendon Cahoon void SwingSchedulerDAG::addLoopCarriedDependences(AliasAnalysis *AA) {
74071e8c6f2SBjorn Pettersson   MapVector<const Value *, SmallVector<SUnit *, 4>> PendingLoads;
7419f041b18SKrzysztof Parzyszek   Value *UnknownValue =
7429f041b18SKrzysztof Parzyszek     UndefValue::get(Type::getVoidTy(MF.getFunction().getContext()));
743254f889dSBrendon Cahoon   for (auto &SU : SUnits) {
744254f889dSBrendon Cahoon     MachineInstr &MI = *SU.getInstr();
745254f889dSBrendon Cahoon     if (isDependenceBarrier(MI, AA))
746254f889dSBrendon Cahoon       PendingLoads.clear();
747254f889dSBrendon Cahoon     else if (MI.mayLoad()) {
74871e8c6f2SBjorn Pettersson       SmallVector<const Value *, 4> Objs;
749b0eb40caSVitaly Buka       ::getUnderlyingObjects(&MI, Objs);
7509f041b18SKrzysztof Parzyszek       if (Objs.empty())
7519f041b18SKrzysztof Parzyszek         Objs.push_back(UnknownValue);
752254f889dSBrendon Cahoon       for (auto V : Objs) {
753254f889dSBrendon Cahoon         SmallVector<SUnit *, 4> &SUs = PendingLoads[V];
754254f889dSBrendon Cahoon         SUs.push_back(&SU);
755254f889dSBrendon Cahoon       }
756254f889dSBrendon Cahoon     } else if (MI.mayStore()) {
75771e8c6f2SBjorn Pettersson       SmallVector<const Value *, 4> Objs;
758b0eb40caSVitaly Buka       ::getUnderlyingObjects(&MI, Objs);
7599f041b18SKrzysztof Parzyszek       if (Objs.empty())
7609f041b18SKrzysztof Parzyszek         Objs.push_back(UnknownValue);
761254f889dSBrendon Cahoon       for (auto V : Objs) {
76271e8c6f2SBjorn Pettersson         MapVector<const Value *, SmallVector<SUnit *, 4>>::iterator I =
763254f889dSBrendon Cahoon             PendingLoads.find(V);
764254f889dSBrendon Cahoon         if (I == PendingLoads.end())
765254f889dSBrendon Cahoon           continue;
766254f889dSBrendon Cahoon         for (auto Load : I->second) {
767254f889dSBrendon Cahoon           if (isSuccOrder(Load, &SU))
768254f889dSBrendon Cahoon             continue;
769254f889dSBrendon Cahoon           MachineInstr &LdMI = *Load->getInstr();
770254f889dSBrendon Cahoon           // First, perform the cheaper check that compares the base register.
771254f889dSBrendon Cahoon           // If they are the same and the load offset is less than the store
772254f889dSBrendon Cahoon           // offset, then mark the dependence as loop carried potentially.
773238c9d63SBjorn Pettersson           const MachineOperand *BaseOp1, *BaseOp2;
774254f889dSBrendon Cahoon           int64_t Offset1, Offset2;
7758fbc9258SSander de Smalen           bool Offset1IsScalable, Offset2IsScalable;
7768fbc9258SSander de Smalen           if (TII->getMemOperandWithOffset(LdMI, BaseOp1, Offset1,
7778fbc9258SSander de Smalen                                            Offset1IsScalable, TRI) &&
7788fbc9258SSander de Smalen               TII->getMemOperandWithOffset(MI, BaseOp2, Offset2,
7798fbc9258SSander de Smalen                                            Offset2IsScalable, TRI)) {
780d7eebd6dSFrancis Visoiu Mistrih             if (BaseOp1->isIdenticalTo(*BaseOp2) &&
7818fbc9258SSander de Smalen                 Offset1IsScalable == Offset2IsScalable &&
782d7eebd6dSFrancis Visoiu Mistrih                 (int)Offset1 < (int)Offset2) {
783f5524f04SChangpeng Fang               assert(TII->areMemAccessesTriviallyDisjoint(LdMI, MI) &&
784254f889dSBrendon Cahoon                      "What happened to the chain edge?");
785c715a5d2SKrzysztof Parzyszek               SDep Dep(Load, SDep::Barrier);
786c715a5d2SKrzysztof Parzyszek               Dep.setLatency(1);
787c715a5d2SKrzysztof Parzyszek               SU.addPred(Dep);
788254f889dSBrendon Cahoon               continue;
789254f889dSBrendon Cahoon             }
7909f041b18SKrzysztof Parzyszek           }
791254f889dSBrendon Cahoon           // Second, the more expensive check that uses alias analysis on the
792254f889dSBrendon Cahoon           // base registers. If they alias, and the load offset is less than
793254f889dSBrendon Cahoon           // the store offset, the mark the dependence as loop carried.
794254f889dSBrendon Cahoon           if (!AA) {
795c715a5d2SKrzysztof Parzyszek             SDep Dep(Load, SDep::Barrier);
796c715a5d2SKrzysztof Parzyszek             Dep.setLatency(1);
797c715a5d2SKrzysztof Parzyszek             SU.addPred(Dep);
798254f889dSBrendon Cahoon             continue;
799254f889dSBrendon Cahoon           }
800254f889dSBrendon Cahoon           MachineMemOperand *MMO1 = *LdMI.memoperands_begin();
801254f889dSBrendon Cahoon           MachineMemOperand *MMO2 = *MI.memoperands_begin();
802254f889dSBrendon Cahoon           if (!MMO1->getValue() || !MMO2->getValue()) {
803c715a5d2SKrzysztof Parzyszek             SDep Dep(Load, SDep::Barrier);
804c715a5d2SKrzysztof Parzyszek             Dep.setLatency(1);
805c715a5d2SKrzysztof Parzyszek             SU.addPred(Dep);
806254f889dSBrendon Cahoon             continue;
807254f889dSBrendon Cahoon           }
808254f889dSBrendon Cahoon           if (MMO1->getValue() == MMO2->getValue() &&
809254f889dSBrendon Cahoon               MMO1->getOffset() <= MMO2->getOffset()) {
810c715a5d2SKrzysztof Parzyszek             SDep Dep(Load, SDep::Barrier);
811c715a5d2SKrzysztof Parzyszek             Dep.setLatency(1);
812c715a5d2SKrzysztof Parzyszek             SU.addPred(Dep);
813254f889dSBrendon Cahoon             continue;
814254f889dSBrendon Cahoon           }
815254f889dSBrendon Cahoon           AliasResult AAResult = AA->alias(
8164df8efceSNikita Popov               MemoryLocation::getAfter(MMO1->getValue(), MMO1->getAAInfo()),
8174df8efceSNikita Popov               MemoryLocation::getAfter(MMO2->getValue(), MMO2->getAAInfo()));
818254f889dSBrendon Cahoon 
819c715a5d2SKrzysztof Parzyszek           if (AAResult != NoAlias) {
820c715a5d2SKrzysztof Parzyszek             SDep Dep(Load, SDep::Barrier);
821c715a5d2SKrzysztof Parzyszek             Dep.setLatency(1);
822c715a5d2SKrzysztof Parzyszek             SU.addPred(Dep);
823c715a5d2SKrzysztof Parzyszek           }
824254f889dSBrendon Cahoon         }
825254f889dSBrendon Cahoon       }
826254f889dSBrendon Cahoon     }
827254f889dSBrendon Cahoon   }
828254f889dSBrendon Cahoon }
829254f889dSBrendon Cahoon 
830254f889dSBrendon Cahoon /// Update the phi dependences to the DAG because ScheduleDAGInstrs no longer
831254f889dSBrendon Cahoon /// processes dependences for PHIs. This function adds true dependences
832254f889dSBrendon Cahoon /// from a PHI to a use, and a loop carried dependence from the use to the
833254f889dSBrendon Cahoon /// PHI. The loop carried dependence is represented as an anti dependence
834254f889dSBrendon Cahoon /// edge. This function also removes chain dependences between unrelated
835254f889dSBrendon Cahoon /// PHIs.
836254f889dSBrendon Cahoon void SwingSchedulerDAG::updatePhiDependences() {
837254f889dSBrendon Cahoon   SmallVector<SDep, 4> RemoveDeps;
838254f889dSBrendon Cahoon   const TargetSubtargetInfo &ST = MF.getSubtarget<TargetSubtargetInfo>();
839254f889dSBrendon Cahoon 
840254f889dSBrendon Cahoon   // Iterate over each DAG node.
841254f889dSBrendon Cahoon   for (SUnit &I : SUnits) {
842254f889dSBrendon Cahoon     RemoveDeps.clear();
843254f889dSBrendon Cahoon     // Set to true if the instruction has an operand defined by a Phi.
844254f889dSBrendon Cahoon     unsigned HasPhiUse = 0;
845254f889dSBrendon Cahoon     unsigned HasPhiDef = 0;
846254f889dSBrendon Cahoon     MachineInstr *MI = I.getInstr();
847254f889dSBrendon Cahoon     // Iterate over each operand, and we process the definitions.
848254f889dSBrendon Cahoon     for (MachineInstr::mop_iterator MOI = MI->operands_begin(),
849254f889dSBrendon Cahoon                                     MOE = MI->operands_end();
850254f889dSBrendon Cahoon          MOI != MOE; ++MOI) {
851254f889dSBrendon Cahoon       if (!MOI->isReg())
852254f889dSBrendon Cahoon         continue;
8530c476111SDaniel Sanders       Register Reg = MOI->getReg();
854254f889dSBrendon Cahoon       if (MOI->isDef()) {
855254f889dSBrendon Cahoon         // If the register is used by a Phi, then create an anti dependence.
856254f889dSBrendon Cahoon         for (MachineRegisterInfo::use_instr_iterator
857254f889dSBrendon Cahoon                  UI = MRI.use_instr_begin(Reg),
858254f889dSBrendon Cahoon                  UE = MRI.use_instr_end();
859254f889dSBrendon Cahoon              UI != UE; ++UI) {
860254f889dSBrendon Cahoon           MachineInstr *UseMI = &*UI;
861254f889dSBrendon Cahoon           SUnit *SU = getSUnit(UseMI);
862cdc71612SEugene Zelenko           if (SU != nullptr && UseMI->isPHI()) {
863254f889dSBrendon Cahoon             if (!MI->isPHI()) {
864254f889dSBrendon Cahoon               SDep Dep(SU, SDep::Anti, Reg);
865c715a5d2SKrzysztof Parzyszek               Dep.setLatency(1);
866254f889dSBrendon Cahoon               I.addPred(Dep);
867254f889dSBrendon Cahoon             } else {
868254f889dSBrendon Cahoon               HasPhiDef = Reg;
869254f889dSBrendon Cahoon               // Add a chain edge to a dependent Phi that isn't an existing
870254f889dSBrendon Cahoon               // predecessor.
871254f889dSBrendon Cahoon               if (SU->NodeNum < I.NodeNum && !I.isPred(SU))
872254f889dSBrendon Cahoon                 I.addPred(SDep(SU, SDep::Barrier));
873254f889dSBrendon Cahoon             }
874254f889dSBrendon Cahoon           }
875254f889dSBrendon Cahoon         }
876254f889dSBrendon Cahoon       } else if (MOI->isUse()) {
877254f889dSBrendon Cahoon         // If the register is defined by a Phi, then create a true dependence.
878254f889dSBrendon Cahoon         MachineInstr *DefMI = MRI.getUniqueVRegDef(Reg);
879cdc71612SEugene Zelenko         if (DefMI == nullptr)
880254f889dSBrendon Cahoon           continue;
881254f889dSBrendon Cahoon         SUnit *SU = getSUnit(DefMI);
882cdc71612SEugene Zelenko         if (SU != nullptr && DefMI->isPHI()) {
883254f889dSBrendon Cahoon           if (!MI->isPHI()) {
884254f889dSBrendon Cahoon             SDep Dep(SU, SDep::Data, Reg);
885254f889dSBrendon Cahoon             Dep.setLatency(0);
886c819ef96SFraser Cormack             ST.adjustSchedDependency(SU, 0, &I, MI->getOperandNo(MOI), Dep);
887254f889dSBrendon Cahoon             I.addPred(Dep);
888254f889dSBrendon Cahoon           } else {
889254f889dSBrendon Cahoon             HasPhiUse = Reg;
890254f889dSBrendon Cahoon             // Add a chain edge to a dependent Phi that isn't an existing
891254f889dSBrendon Cahoon             // predecessor.
892254f889dSBrendon Cahoon             if (SU->NodeNum < I.NodeNum && !I.isPred(SU))
893254f889dSBrendon Cahoon               I.addPred(SDep(SU, SDep::Barrier));
894254f889dSBrendon Cahoon           }
895254f889dSBrendon Cahoon         }
896254f889dSBrendon Cahoon       }
897254f889dSBrendon Cahoon     }
898254f889dSBrendon Cahoon     // Remove order dependences from an unrelated Phi.
899254f889dSBrendon Cahoon     if (!SwpPruneDeps)
900254f889dSBrendon Cahoon       continue;
901254f889dSBrendon Cahoon     for (auto &PI : I.Preds) {
902254f889dSBrendon Cahoon       MachineInstr *PMI = PI.getSUnit()->getInstr();
903254f889dSBrendon Cahoon       if (PMI->isPHI() && PI.getKind() == SDep::Order) {
904254f889dSBrendon Cahoon         if (I.getInstr()->isPHI()) {
905254f889dSBrendon Cahoon           if (PMI->getOperand(0).getReg() == HasPhiUse)
906254f889dSBrendon Cahoon             continue;
907254f889dSBrendon Cahoon           if (getLoopPhiReg(*PMI, PMI->getParent()) == HasPhiDef)
908254f889dSBrendon Cahoon             continue;
909254f889dSBrendon Cahoon         }
910254f889dSBrendon Cahoon         RemoveDeps.push_back(PI);
911254f889dSBrendon Cahoon       }
912254f889dSBrendon Cahoon     }
913254f889dSBrendon Cahoon     for (int i = 0, e = RemoveDeps.size(); i != e; ++i)
914254f889dSBrendon Cahoon       I.removePred(RemoveDeps[i]);
915254f889dSBrendon Cahoon   }
916254f889dSBrendon Cahoon }
917254f889dSBrendon Cahoon 
918254f889dSBrendon Cahoon /// Iterate over each DAG node and see if we can change any dependences
919254f889dSBrendon Cahoon /// in order to reduce the recurrence MII.
920254f889dSBrendon Cahoon void SwingSchedulerDAG::changeDependences() {
921254f889dSBrendon Cahoon   // See if an instruction can use a value from the previous iteration.
922254f889dSBrendon Cahoon   // If so, we update the base and offset of the instruction and change
923254f889dSBrendon Cahoon   // the dependences.
924254f889dSBrendon Cahoon   for (SUnit &I : SUnits) {
925254f889dSBrendon Cahoon     unsigned BasePos = 0, OffsetPos = 0, NewBase = 0;
926254f889dSBrendon Cahoon     int64_t NewOffset = 0;
927254f889dSBrendon Cahoon     if (!canUseLastOffsetValue(I.getInstr(), BasePos, OffsetPos, NewBase,
928254f889dSBrendon Cahoon                                NewOffset))
929254f889dSBrendon Cahoon       continue;
930254f889dSBrendon Cahoon 
931254f889dSBrendon Cahoon     // Get the MI and SUnit for the instruction that defines the original base.
9320c476111SDaniel Sanders     Register OrigBase = I.getInstr()->getOperand(BasePos).getReg();
933254f889dSBrendon Cahoon     MachineInstr *DefMI = MRI.getUniqueVRegDef(OrigBase);
934254f889dSBrendon Cahoon     if (!DefMI)
935254f889dSBrendon Cahoon       continue;
936254f889dSBrendon Cahoon     SUnit *DefSU = getSUnit(DefMI);
937254f889dSBrendon Cahoon     if (!DefSU)
938254f889dSBrendon Cahoon       continue;
939254f889dSBrendon Cahoon     // Get the MI and SUnit for the instruction that defins the new base.
940254f889dSBrendon Cahoon     MachineInstr *LastMI = MRI.getUniqueVRegDef(NewBase);
941254f889dSBrendon Cahoon     if (!LastMI)
942254f889dSBrendon Cahoon       continue;
943254f889dSBrendon Cahoon     SUnit *LastSU = getSUnit(LastMI);
944254f889dSBrendon Cahoon     if (!LastSU)
945254f889dSBrendon Cahoon       continue;
946254f889dSBrendon Cahoon 
947254f889dSBrendon Cahoon     if (Topo.IsReachable(&I, LastSU))
948254f889dSBrendon Cahoon       continue;
949254f889dSBrendon Cahoon 
950254f889dSBrendon Cahoon     // Remove the dependence. The value now depends on a prior iteration.
951254f889dSBrendon Cahoon     SmallVector<SDep, 4> Deps;
952254f889dSBrendon Cahoon     for (SUnit::pred_iterator P = I.Preds.begin(), E = I.Preds.end(); P != E;
953254f889dSBrendon Cahoon          ++P)
954254f889dSBrendon Cahoon       if (P->getSUnit() == DefSU)
955254f889dSBrendon Cahoon         Deps.push_back(*P);
956254f889dSBrendon Cahoon     for (int i = 0, e = Deps.size(); i != e; i++) {
957254f889dSBrendon Cahoon       Topo.RemovePred(&I, Deps[i].getSUnit());
958254f889dSBrendon Cahoon       I.removePred(Deps[i]);
959254f889dSBrendon Cahoon     }
960254f889dSBrendon Cahoon     // Remove the chain dependence between the instructions.
961254f889dSBrendon Cahoon     Deps.clear();
962254f889dSBrendon Cahoon     for (auto &P : LastSU->Preds)
963254f889dSBrendon Cahoon       if (P.getSUnit() == &I && P.getKind() == SDep::Order)
964254f889dSBrendon Cahoon         Deps.push_back(P);
965254f889dSBrendon Cahoon     for (int i = 0, e = Deps.size(); i != e; i++) {
966254f889dSBrendon Cahoon       Topo.RemovePred(LastSU, Deps[i].getSUnit());
967254f889dSBrendon Cahoon       LastSU->removePred(Deps[i]);
968254f889dSBrendon Cahoon     }
969254f889dSBrendon Cahoon 
970254f889dSBrendon Cahoon     // Add a dependence between the new instruction and the instruction
971254f889dSBrendon Cahoon     // that defines the new base.
972254f889dSBrendon Cahoon     SDep Dep(&I, SDep::Anti, NewBase);
9738916e438SSumanth Gundapaneni     Topo.AddPred(LastSU, &I);
974254f889dSBrendon Cahoon     LastSU->addPred(Dep);
975254f889dSBrendon Cahoon 
976254f889dSBrendon Cahoon     // Remember the base and offset information so that we can update the
977254f889dSBrendon Cahoon     // instruction during code generation.
978254f889dSBrendon Cahoon     InstrChanges[&I] = std::make_pair(NewBase, NewOffset);
979254f889dSBrendon Cahoon   }
980254f889dSBrendon Cahoon }
981254f889dSBrendon Cahoon 
982254f889dSBrendon Cahoon namespace {
983cdc71612SEugene Zelenko 
984254f889dSBrendon Cahoon // FuncUnitSorter - Comparison operator used to sort instructions by
985254f889dSBrendon Cahoon // the number of functional unit choices.
986254f889dSBrendon Cahoon struct FuncUnitSorter {
987254f889dSBrendon Cahoon   const InstrItineraryData *InstrItins;
988f6cb3bcbSJinsong Ji   const MCSubtargetInfo *STI;
989c3f36accSBevin Hansson   DenseMap<InstrStage::FuncUnits, unsigned> Resources;
990254f889dSBrendon Cahoon 
991f6cb3bcbSJinsong Ji   FuncUnitSorter(const TargetSubtargetInfo &TSI)
992f6cb3bcbSJinsong Ji       : InstrItins(TSI.getInstrItineraryData()), STI(&TSI) {}
99332a40564SEugene Zelenko 
994254f889dSBrendon Cahoon   // Compute the number of functional unit alternatives needed
995254f889dSBrendon Cahoon   // at each stage, and take the minimum value. We prioritize the
996254f889dSBrendon Cahoon   // instructions by the least number of choices first.
997c3f36accSBevin Hansson   unsigned minFuncUnits(const MachineInstr *Inst,
998c3f36accSBevin Hansson                         InstrStage::FuncUnits &F) const {
999f6cb3bcbSJinsong Ji     unsigned SchedClass = Inst->getDesc().getSchedClass();
1000254f889dSBrendon Cahoon     unsigned min = UINT_MAX;
1001f6cb3bcbSJinsong Ji     if (InstrItins && !InstrItins->isEmpty()) {
1002f6cb3bcbSJinsong Ji       for (const InstrStage &IS :
1003f6cb3bcbSJinsong Ji            make_range(InstrItins->beginStage(SchedClass),
1004f6cb3bcbSJinsong Ji                       InstrItins->endStage(SchedClass))) {
1005c3f36accSBevin Hansson         InstrStage::FuncUnits funcUnits = IS.getUnits();
1006254f889dSBrendon Cahoon         unsigned numAlternatives = countPopulation(funcUnits);
1007254f889dSBrendon Cahoon         if (numAlternatives < min) {
1008254f889dSBrendon Cahoon           min = numAlternatives;
1009254f889dSBrendon Cahoon           F = funcUnits;
1010254f889dSBrendon Cahoon         }
1011254f889dSBrendon Cahoon       }
1012254f889dSBrendon Cahoon       return min;
1013254f889dSBrendon Cahoon     }
1014f6cb3bcbSJinsong Ji     if (STI && STI->getSchedModel().hasInstrSchedModel()) {
1015f6cb3bcbSJinsong Ji       const MCSchedClassDesc *SCDesc =
1016f6cb3bcbSJinsong Ji           STI->getSchedModel().getSchedClassDesc(SchedClass);
1017f6cb3bcbSJinsong Ji       if (!SCDesc->isValid())
1018f6cb3bcbSJinsong Ji         // No valid Schedule Class Desc for schedClass, should be
1019f6cb3bcbSJinsong Ji         // Pseudo/PostRAPseudo
1020f6cb3bcbSJinsong Ji         return min;
1021f6cb3bcbSJinsong Ji 
1022f6cb3bcbSJinsong Ji       for (const MCWriteProcResEntry &PRE :
1023f6cb3bcbSJinsong Ji            make_range(STI->getWriteProcResBegin(SCDesc),
1024f6cb3bcbSJinsong Ji                       STI->getWriteProcResEnd(SCDesc))) {
1025f6cb3bcbSJinsong Ji         if (!PRE.Cycles)
1026f6cb3bcbSJinsong Ji           continue;
1027f6cb3bcbSJinsong Ji         const MCProcResourceDesc *ProcResource =
1028f6cb3bcbSJinsong Ji             STI->getSchedModel().getProcResource(PRE.ProcResourceIdx);
1029f6cb3bcbSJinsong Ji         unsigned NumUnits = ProcResource->NumUnits;
1030f6cb3bcbSJinsong Ji         if (NumUnits < min) {
1031f6cb3bcbSJinsong Ji           min = NumUnits;
1032f6cb3bcbSJinsong Ji           F = PRE.ProcResourceIdx;
1033f6cb3bcbSJinsong Ji         }
1034f6cb3bcbSJinsong Ji       }
1035f6cb3bcbSJinsong Ji       return min;
1036f6cb3bcbSJinsong Ji     }
1037f6cb3bcbSJinsong Ji     llvm_unreachable("Should have non-empty InstrItins or hasInstrSchedModel!");
1038f6cb3bcbSJinsong Ji   }
1039254f889dSBrendon Cahoon 
1040254f889dSBrendon Cahoon   // Compute the critical resources needed by the instruction. This
1041254f889dSBrendon Cahoon   // function records the functional units needed by instructions that
1042254f889dSBrendon Cahoon   // must use only one functional unit. We use this as a tie breaker
1043254f889dSBrendon Cahoon   // for computing the resource MII. The instrutions that require
1044254f889dSBrendon Cahoon   // the same, highly used, functional unit have high priority.
1045254f889dSBrendon Cahoon   void calcCriticalResources(MachineInstr &MI) {
1046254f889dSBrendon Cahoon     unsigned SchedClass = MI.getDesc().getSchedClass();
1047f6cb3bcbSJinsong Ji     if (InstrItins && !InstrItins->isEmpty()) {
1048f6cb3bcbSJinsong Ji       for (const InstrStage &IS :
1049f6cb3bcbSJinsong Ji            make_range(InstrItins->beginStage(SchedClass),
1050f6cb3bcbSJinsong Ji                       InstrItins->endStage(SchedClass))) {
1051c3f36accSBevin Hansson         InstrStage::FuncUnits FuncUnits = IS.getUnits();
1052254f889dSBrendon Cahoon         if (countPopulation(FuncUnits) == 1)
1053254f889dSBrendon Cahoon           Resources[FuncUnits]++;
1054254f889dSBrendon Cahoon       }
1055f6cb3bcbSJinsong Ji       return;
1056f6cb3bcbSJinsong Ji     }
1057f6cb3bcbSJinsong Ji     if (STI && STI->getSchedModel().hasInstrSchedModel()) {
1058f6cb3bcbSJinsong Ji       const MCSchedClassDesc *SCDesc =
1059f6cb3bcbSJinsong Ji           STI->getSchedModel().getSchedClassDesc(SchedClass);
1060f6cb3bcbSJinsong Ji       if (!SCDesc->isValid())
1061f6cb3bcbSJinsong Ji         // No valid Schedule Class Desc for schedClass, should be
1062f6cb3bcbSJinsong Ji         // Pseudo/PostRAPseudo
1063f6cb3bcbSJinsong Ji         return;
1064f6cb3bcbSJinsong Ji 
1065f6cb3bcbSJinsong Ji       for (const MCWriteProcResEntry &PRE :
1066f6cb3bcbSJinsong Ji            make_range(STI->getWriteProcResBegin(SCDesc),
1067f6cb3bcbSJinsong Ji                       STI->getWriteProcResEnd(SCDesc))) {
1068f6cb3bcbSJinsong Ji         if (!PRE.Cycles)
1069f6cb3bcbSJinsong Ji           continue;
1070f6cb3bcbSJinsong Ji         Resources[PRE.ProcResourceIdx]++;
1071f6cb3bcbSJinsong Ji       }
1072f6cb3bcbSJinsong Ji       return;
1073f6cb3bcbSJinsong Ji     }
1074f6cb3bcbSJinsong Ji     llvm_unreachable("Should have non-empty InstrItins or hasInstrSchedModel!");
1075254f889dSBrendon Cahoon   }
1076254f889dSBrendon Cahoon 
1077254f889dSBrendon Cahoon   /// Return true if IS1 has less priority than IS2.
1078254f889dSBrendon Cahoon   bool operator()(const MachineInstr *IS1, const MachineInstr *IS2) const {
1079c3f36accSBevin Hansson     InstrStage::FuncUnits F1 = 0, F2 = 0;
1080254f889dSBrendon Cahoon     unsigned MFUs1 = minFuncUnits(IS1, F1);
1081254f889dSBrendon Cahoon     unsigned MFUs2 = minFuncUnits(IS2, F2);
10826349ce5cSJinsong Ji     if (MFUs1 == MFUs2)
1083254f889dSBrendon Cahoon       return Resources.lookup(F1) < Resources.lookup(F2);
1084254f889dSBrendon Cahoon     return MFUs1 > MFUs2;
1085254f889dSBrendon Cahoon   }
1086254f889dSBrendon Cahoon };
1087cdc71612SEugene Zelenko 
1088cdc71612SEugene Zelenko } // end anonymous namespace
1089254f889dSBrendon Cahoon 
1090254f889dSBrendon Cahoon /// Calculate the resource constrained minimum initiation interval for the
1091254f889dSBrendon Cahoon /// specified loop. We use the DFA to model the resources needed for
1092254f889dSBrendon Cahoon /// each instruction, and we ignore dependences. A different DFA is created
1093254f889dSBrendon Cahoon /// for each cycle that is required. When adding a new instruction, we attempt
1094254f889dSBrendon Cahoon /// to add it to each existing DFA, until a legal space is found. If the
1095254f889dSBrendon Cahoon /// instruction cannot be reserved in an existing DFA, we create a new one.
1096254f889dSBrendon Cahoon unsigned SwingSchedulerDAG::calculateResMII() {
1097f6cb3bcbSJinsong Ji 
109818e7bf5cSJinsong Ji   LLVM_DEBUG(dbgs() << "calculateResMII:\n");
1099f6cb3bcbSJinsong Ji   SmallVector<ResourceManager*, 8> Resources;
1100254f889dSBrendon Cahoon   MachineBasicBlock *MBB = Loop.getHeader();
1101f6cb3bcbSJinsong Ji   Resources.push_back(new ResourceManager(&MF.getSubtarget()));
1102254f889dSBrendon Cahoon 
1103254f889dSBrendon Cahoon   // Sort the instructions by the number of available choices for scheduling,
1104254f889dSBrendon Cahoon   // least to most. Use the number of critical resources as the tie breaker.
1105f6cb3bcbSJinsong Ji   FuncUnitSorter FUS = FuncUnitSorter(MF.getSubtarget());
1106254f889dSBrendon Cahoon   for (MachineBasicBlock::iterator I = MBB->getFirstNonPHI(),
1107254f889dSBrendon Cahoon                                    E = MBB->getFirstTerminator();
1108254f889dSBrendon Cahoon        I != E; ++I)
1109254f889dSBrendon Cahoon     FUS.calcCriticalResources(*I);
1110254f889dSBrendon Cahoon   PriorityQueue<MachineInstr *, std::vector<MachineInstr *>, FuncUnitSorter>
1111254f889dSBrendon Cahoon       FuncUnitOrder(FUS);
1112254f889dSBrendon Cahoon 
1113254f889dSBrendon Cahoon   for (MachineBasicBlock::iterator I = MBB->getFirstNonPHI(),
1114254f889dSBrendon Cahoon                                    E = MBB->getFirstTerminator();
1115254f889dSBrendon Cahoon        I != E; ++I)
1116254f889dSBrendon Cahoon     FuncUnitOrder.push(&*I);
1117254f889dSBrendon Cahoon 
1118254f889dSBrendon Cahoon   while (!FuncUnitOrder.empty()) {
1119254f889dSBrendon Cahoon     MachineInstr *MI = FuncUnitOrder.top();
1120254f889dSBrendon Cahoon     FuncUnitOrder.pop();
1121254f889dSBrendon Cahoon     if (TII->isZeroCost(MI->getOpcode()))
1122254f889dSBrendon Cahoon       continue;
1123254f889dSBrendon Cahoon     // Attempt to reserve the instruction in an existing DFA. At least one
1124254f889dSBrendon Cahoon     // DFA is needed for each cycle.
1125254f889dSBrendon Cahoon     unsigned NumCycles = getSUnit(MI)->Latency;
1126254f889dSBrendon Cahoon     unsigned ReservedCycles = 0;
1127f6cb3bcbSJinsong Ji     SmallVectorImpl<ResourceManager *>::iterator RI = Resources.begin();
1128f6cb3bcbSJinsong Ji     SmallVectorImpl<ResourceManager *>::iterator RE = Resources.end();
112918e7bf5cSJinsong Ji     LLVM_DEBUG({
113018e7bf5cSJinsong Ji       dbgs() << "Trying to reserve resource for " << NumCycles
113118e7bf5cSJinsong Ji              << " cycles for \n";
113218e7bf5cSJinsong Ji       MI->dump();
113318e7bf5cSJinsong Ji     });
1134254f889dSBrendon Cahoon     for (unsigned C = 0; C < NumCycles; ++C)
1135254f889dSBrendon Cahoon       while (RI != RE) {
1136fee855b5SJinsong Ji         if ((*RI)->canReserveResources(*MI)) {
1137fee855b5SJinsong Ji           (*RI)->reserveResources(*MI);
1138254f889dSBrendon Cahoon           ++ReservedCycles;
1139254f889dSBrendon Cahoon           break;
1140254f889dSBrendon Cahoon         }
1141fee855b5SJinsong Ji         RI++;
1142254f889dSBrendon Cahoon       }
114318e7bf5cSJinsong Ji     LLVM_DEBUG(dbgs() << "ReservedCycles:" << ReservedCycles
114418e7bf5cSJinsong Ji                       << ", NumCycles:" << NumCycles << "\n");
1145254f889dSBrendon Cahoon     // Add new DFAs, if needed, to reserve resources.
1146254f889dSBrendon Cahoon     for (unsigned C = ReservedCycles; C < NumCycles; ++C) {
1147ba43840bSJinsong Ji       LLVM_DEBUG(if (SwpDebugResource) dbgs()
1148ba43840bSJinsong Ji                  << "NewResource created to reserve resources"
114918e7bf5cSJinsong Ji                  << "\n");
1150f6cb3bcbSJinsong Ji       ResourceManager *NewResource = new ResourceManager(&MF.getSubtarget());
1151254f889dSBrendon Cahoon       assert(NewResource->canReserveResources(*MI) && "Reserve error.");
1152254f889dSBrendon Cahoon       NewResource->reserveResources(*MI);
1153254f889dSBrendon Cahoon       Resources.push_back(NewResource);
1154254f889dSBrendon Cahoon     }
1155254f889dSBrendon Cahoon   }
1156254f889dSBrendon Cahoon   int Resmii = Resources.size();
115780b78a47SJinsong Ji   LLVM_DEBUG(dbgs() << "Return Res MII:" << Resmii << "\n");
1158254f889dSBrendon Cahoon   // Delete the memory for each of the DFAs that were created earlier.
1159f6cb3bcbSJinsong Ji   for (ResourceManager *RI : Resources) {
1160f6cb3bcbSJinsong Ji     ResourceManager *D = RI;
1161254f889dSBrendon Cahoon     delete D;
1162254f889dSBrendon Cahoon   }
1163254f889dSBrendon Cahoon   Resources.clear();
1164254f889dSBrendon Cahoon   return Resmii;
1165254f889dSBrendon Cahoon }
1166254f889dSBrendon Cahoon 
1167254f889dSBrendon Cahoon /// Calculate the recurrence-constrainted minimum initiation interval.
1168254f889dSBrendon Cahoon /// Iterate over each circuit.  Compute the delay(c) and distance(c)
1169254f889dSBrendon Cahoon /// for each circuit. The II needs to satisfy the inequality
1170254f889dSBrendon Cahoon /// delay(c) - II*distance(c) <= 0. For each circuit, choose the smallest
1171c73b6d6bSHiroshi Inoue /// II that satisfies the inequality, and the RecMII is the maximum
1172254f889dSBrendon Cahoon /// of those values.
1173254f889dSBrendon Cahoon unsigned SwingSchedulerDAG::calculateRecMII(NodeSetType &NodeSets) {
1174254f889dSBrendon Cahoon   unsigned RecMII = 0;
1175254f889dSBrendon Cahoon 
1176254f889dSBrendon Cahoon   for (NodeSet &Nodes : NodeSets) {
117732a40564SEugene Zelenko     if (Nodes.empty())
1178254f889dSBrendon Cahoon       continue;
1179254f889dSBrendon Cahoon 
1180a2122044SKrzysztof Parzyszek     unsigned Delay = Nodes.getLatency();
1181254f889dSBrendon Cahoon     unsigned Distance = 1;
1182254f889dSBrendon Cahoon 
1183254f889dSBrendon Cahoon     // ii = ceil(delay / distance)
1184254f889dSBrendon Cahoon     unsigned CurMII = (Delay + Distance - 1) / Distance;
1185254f889dSBrendon Cahoon     Nodes.setRecMII(CurMII);
1186254f889dSBrendon Cahoon     if (CurMII > RecMII)
1187254f889dSBrendon Cahoon       RecMII = CurMII;
1188254f889dSBrendon Cahoon   }
1189254f889dSBrendon Cahoon 
1190254f889dSBrendon Cahoon   return RecMII;
1191254f889dSBrendon Cahoon }
1192254f889dSBrendon Cahoon 
1193254f889dSBrendon Cahoon /// Swap all the anti dependences in the DAG. That means it is no longer a DAG,
1194254f889dSBrendon Cahoon /// but we do this to find the circuits, and then change them back.
1195254f889dSBrendon Cahoon static void swapAntiDependences(std::vector<SUnit> &SUnits) {
1196254f889dSBrendon Cahoon   SmallVector<std::pair<SUnit *, SDep>, 8> DepsAdded;
1197254f889dSBrendon Cahoon   for (unsigned i = 0, e = SUnits.size(); i != e; ++i) {
1198254f889dSBrendon Cahoon     SUnit *SU = &SUnits[i];
1199254f889dSBrendon Cahoon     for (SUnit::pred_iterator IP = SU->Preds.begin(), EP = SU->Preds.end();
1200254f889dSBrendon Cahoon          IP != EP; ++IP) {
1201254f889dSBrendon Cahoon       if (IP->getKind() != SDep::Anti)
1202254f889dSBrendon Cahoon         continue;
1203254f889dSBrendon Cahoon       DepsAdded.push_back(std::make_pair(SU, *IP));
1204254f889dSBrendon Cahoon     }
1205254f889dSBrendon Cahoon   }
1206254f889dSBrendon Cahoon   for (SmallVector<std::pair<SUnit *, SDep>, 8>::iterator I = DepsAdded.begin(),
1207254f889dSBrendon Cahoon                                                           E = DepsAdded.end();
1208254f889dSBrendon Cahoon        I != E; ++I) {
1209254f889dSBrendon Cahoon     // Remove this anti dependency and add one in the reverse direction.
1210254f889dSBrendon Cahoon     SUnit *SU = I->first;
1211254f889dSBrendon Cahoon     SDep &D = I->second;
1212254f889dSBrendon Cahoon     SUnit *TargetSU = D.getSUnit();
1213254f889dSBrendon Cahoon     unsigned Reg = D.getReg();
1214254f889dSBrendon Cahoon     unsigned Lat = D.getLatency();
1215254f889dSBrendon Cahoon     SU->removePred(D);
1216254f889dSBrendon Cahoon     SDep Dep(SU, SDep::Anti, Reg);
1217254f889dSBrendon Cahoon     Dep.setLatency(Lat);
1218254f889dSBrendon Cahoon     TargetSU->addPred(Dep);
1219254f889dSBrendon Cahoon   }
1220254f889dSBrendon Cahoon }
1221254f889dSBrendon Cahoon 
1222254f889dSBrendon Cahoon /// Create the adjacency structure of the nodes in the graph.
1223254f889dSBrendon Cahoon void SwingSchedulerDAG::Circuits::createAdjacencyStructure(
1224254f889dSBrendon Cahoon     SwingSchedulerDAG *DAG) {
1225254f889dSBrendon Cahoon   BitVector Added(SUnits.size());
12268e1363dfSKrzysztof Parzyszek   DenseMap<int, int> OutputDeps;
1227254f889dSBrendon Cahoon   for (int i = 0, e = SUnits.size(); i != e; ++i) {
1228254f889dSBrendon Cahoon     Added.reset();
1229254f889dSBrendon Cahoon     // Add any successor to the adjacency matrix and exclude duplicates.
1230254f889dSBrendon Cahoon     for (auto &SI : SUnits[i].Succs) {
12318e1363dfSKrzysztof Parzyszek       // Only create a back-edge on the first and last nodes of a dependence
12328e1363dfSKrzysztof Parzyszek       // chain. This records any chains and adds them later.
12338e1363dfSKrzysztof Parzyszek       if (SI.getKind() == SDep::Output) {
12348e1363dfSKrzysztof Parzyszek         int N = SI.getSUnit()->NodeNum;
12358e1363dfSKrzysztof Parzyszek         int BackEdge = i;
12368e1363dfSKrzysztof Parzyszek         auto Dep = OutputDeps.find(BackEdge);
12378e1363dfSKrzysztof Parzyszek         if (Dep != OutputDeps.end()) {
12388e1363dfSKrzysztof Parzyszek           BackEdge = Dep->second;
12398e1363dfSKrzysztof Parzyszek           OutputDeps.erase(Dep);
12408e1363dfSKrzysztof Parzyszek         }
12418e1363dfSKrzysztof Parzyszek         OutputDeps[N] = BackEdge;
12428e1363dfSKrzysztof Parzyszek       }
1243ada0f511SSumanth Gundapaneni       // Do not process a boundary node, an artificial node.
1244ada0f511SSumanth Gundapaneni       // A back-edge is processed only if it goes to a Phi.
1245ada0f511SSumanth Gundapaneni       if (SI.getSUnit()->isBoundaryNode() || SI.isArtificial() ||
1246254f889dSBrendon Cahoon           (SI.getKind() == SDep::Anti && !SI.getSUnit()->getInstr()->isPHI()))
1247254f889dSBrendon Cahoon         continue;
1248254f889dSBrendon Cahoon       int N = SI.getSUnit()->NodeNum;
1249254f889dSBrendon Cahoon       if (!Added.test(N)) {
1250254f889dSBrendon Cahoon         AdjK[i].push_back(N);
1251254f889dSBrendon Cahoon         Added.set(N);
1252254f889dSBrendon Cahoon       }
1253254f889dSBrendon Cahoon     }
1254254f889dSBrendon Cahoon     // A chain edge between a store and a load is treated as a back-edge in the
1255254f889dSBrendon Cahoon     // adjacency matrix.
1256254f889dSBrendon Cahoon     for (auto &PI : SUnits[i].Preds) {
1257254f889dSBrendon Cahoon       if (!SUnits[i].getInstr()->mayStore() ||
12588e1363dfSKrzysztof Parzyszek           !DAG->isLoopCarriedDep(&SUnits[i], PI, false))
1259254f889dSBrendon Cahoon         continue;
1260254f889dSBrendon Cahoon       if (PI.getKind() == SDep::Order && PI.getSUnit()->getInstr()->mayLoad()) {
1261254f889dSBrendon Cahoon         int N = PI.getSUnit()->NodeNum;
1262254f889dSBrendon Cahoon         if (!Added.test(N)) {
1263254f889dSBrendon Cahoon           AdjK[i].push_back(N);
1264254f889dSBrendon Cahoon           Added.set(N);
1265254f889dSBrendon Cahoon         }
1266254f889dSBrendon Cahoon       }
1267254f889dSBrendon Cahoon     }
1268254f889dSBrendon Cahoon   }
1269dad8c6a1SHiroshi Inoue   // Add back-edges in the adjacency matrix for the output dependences.
12708e1363dfSKrzysztof Parzyszek   for (auto &OD : OutputDeps)
12718e1363dfSKrzysztof Parzyszek     if (!Added.test(OD.second)) {
12728e1363dfSKrzysztof Parzyszek       AdjK[OD.first].push_back(OD.second);
12738e1363dfSKrzysztof Parzyszek       Added.set(OD.second);
12748e1363dfSKrzysztof Parzyszek     }
1275254f889dSBrendon Cahoon }
1276254f889dSBrendon Cahoon 
1277254f889dSBrendon Cahoon /// Identify an elementary circuit in the dependence graph starting at the
1278254f889dSBrendon Cahoon /// specified node.
1279254f889dSBrendon Cahoon bool SwingSchedulerDAG::Circuits::circuit(int V, int S, NodeSetType &NodeSets,
1280254f889dSBrendon Cahoon                                           bool HasBackedge) {
1281254f889dSBrendon Cahoon   SUnit *SV = &SUnits[V];
1282254f889dSBrendon Cahoon   bool F = false;
1283254f889dSBrendon Cahoon   Stack.insert(SV);
1284254f889dSBrendon Cahoon   Blocked.set(V);
1285254f889dSBrendon Cahoon 
1286254f889dSBrendon Cahoon   for (auto W : AdjK[V]) {
1287254f889dSBrendon Cahoon     if (NumPaths > MaxPaths)
1288254f889dSBrendon Cahoon       break;
1289254f889dSBrendon Cahoon     if (W < S)
1290254f889dSBrendon Cahoon       continue;
1291254f889dSBrendon Cahoon     if (W == S) {
1292254f889dSBrendon Cahoon       if (!HasBackedge)
1293254f889dSBrendon Cahoon         NodeSets.push_back(NodeSet(Stack.begin(), Stack.end()));
1294254f889dSBrendon Cahoon       F = true;
1295254f889dSBrendon Cahoon       ++NumPaths;
1296254f889dSBrendon Cahoon       break;
1297254f889dSBrendon Cahoon     } else if (!Blocked.test(W)) {
129877418a37SSumanth Gundapaneni       if (circuit(W, S, NodeSets,
129977418a37SSumanth Gundapaneni                   Node2Idx->at(W) < Node2Idx->at(V) ? true : HasBackedge))
1300254f889dSBrendon Cahoon         F = true;
1301254f889dSBrendon Cahoon     }
1302254f889dSBrendon Cahoon   }
1303254f889dSBrendon Cahoon 
1304254f889dSBrendon Cahoon   if (F)
1305254f889dSBrendon Cahoon     unblock(V);
1306254f889dSBrendon Cahoon   else {
1307254f889dSBrendon Cahoon     for (auto W : AdjK[V]) {
1308254f889dSBrendon Cahoon       if (W < S)
1309254f889dSBrendon Cahoon         continue;
1310254f889dSBrendon Cahoon       if (B[W].count(SV) == 0)
1311254f889dSBrendon Cahoon         B[W].insert(SV);
1312254f889dSBrendon Cahoon     }
1313254f889dSBrendon Cahoon   }
1314254f889dSBrendon Cahoon   Stack.pop_back();
1315254f889dSBrendon Cahoon   return F;
1316254f889dSBrendon Cahoon }
1317254f889dSBrendon Cahoon 
1318254f889dSBrendon Cahoon /// Unblock a node in the circuit finding algorithm.
1319254f889dSBrendon Cahoon void SwingSchedulerDAG::Circuits::unblock(int U) {
1320254f889dSBrendon Cahoon   Blocked.reset(U);
1321254f889dSBrendon Cahoon   SmallPtrSet<SUnit *, 4> &BU = B[U];
1322254f889dSBrendon Cahoon   while (!BU.empty()) {
1323254f889dSBrendon Cahoon     SmallPtrSet<SUnit *, 4>::iterator SI = BU.begin();
1324254f889dSBrendon Cahoon     assert(SI != BU.end() && "Invalid B set.");
1325254f889dSBrendon Cahoon     SUnit *W = *SI;
1326254f889dSBrendon Cahoon     BU.erase(W);
1327254f889dSBrendon Cahoon     if (Blocked.test(W->NodeNum))
1328254f889dSBrendon Cahoon       unblock(W->NodeNum);
1329254f889dSBrendon Cahoon   }
1330254f889dSBrendon Cahoon }
1331254f889dSBrendon Cahoon 
1332254f889dSBrendon Cahoon /// Identify all the elementary circuits in the dependence graph using
1333254f889dSBrendon Cahoon /// Johnson's circuit algorithm.
1334254f889dSBrendon Cahoon void SwingSchedulerDAG::findCircuits(NodeSetType &NodeSets) {
1335254f889dSBrendon Cahoon   // Swap all the anti dependences in the DAG. That means it is no longer a DAG,
1336254f889dSBrendon Cahoon   // but we do this to find the circuits, and then change them back.
1337254f889dSBrendon Cahoon   swapAntiDependences(SUnits);
1338254f889dSBrendon Cahoon 
133977418a37SSumanth Gundapaneni   Circuits Cir(SUnits, Topo);
1340254f889dSBrendon Cahoon   // Create the adjacency structure.
1341254f889dSBrendon Cahoon   Cir.createAdjacencyStructure(this);
1342254f889dSBrendon Cahoon   for (int i = 0, e = SUnits.size(); i != e; ++i) {
1343254f889dSBrendon Cahoon     Cir.reset();
1344254f889dSBrendon Cahoon     Cir.circuit(i, i, NodeSets);
1345254f889dSBrendon Cahoon   }
1346254f889dSBrendon Cahoon 
1347254f889dSBrendon Cahoon   // Change the dependences back so that we've created a DAG again.
1348254f889dSBrendon Cahoon   swapAntiDependences(SUnits);
1349254f889dSBrendon Cahoon }
1350254f889dSBrendon Cahoon 
135162ac69d4SSumanth Gundapaneni // Create artificial dependencies between the source of COPY/REG_SEQUENCE that
135262ac69d4SSumanth Gundapaneni // is loop-carried to the USE in next iteration. This will help pipeliner avoid
135362ac69d4SSumanth Gundapaneni // additional copies that are needed across iterations. An artificial dependence
135462ac69d4SSumanth Gundapaneni // edge is added from USE to SOURCE of COPY/REG_SEQUENCE.
135562ac69d4SSumanth Gundapaneni 
135662ac69d4SSumanth Gundapaneni // PHI-------Anti-Dep-----> COPY/REG_SEQUENCE (loop-carried)
135762ac69d4SSumanth Gundapaneni // SRCOfCopY------True-Dep---> COPY/REG_SEQUENCE
135862ac69d4SSumanth Gundapaneni // PHI-------True-Dep------> USEOfPhi
135962ac69d4SSumanth Gundapaneni 
136062ac69d4SSumanth Gundapaneni // The mutation creates
136162ac69d4SSumanth Gundapaneni // USEOfPHI -------Artificial-Dep---> SRCOfCopy
136262ac69d4SSumanth Gundapaneni 
136362ac69d4SSumanth Gundapaneni // This overall will ensure, the USEOfPHI is scheduled before SRCOfCopy
136462ac69d4SSumanth Gundapaneni // (since USE is a predecessor), implies, the COPY/ REG_SEQUENCE is scheduled
136562ac69d4SSumanth Gundapaneni // late  to avoid additional copies across iterations. The possible scheduling
136662ac69d4SSumanth Gundapaneni // order would be
136762ac69d4SSumanth Gundapaneni // USEOfPHI --- SRCOfCopy---  COPY/REG_SEQUENCE.
136862ac69d4SSumanth Gundapaneni 
136962ac69d4SSumanth Gundapaneni void SwingSchedulerDAG::CopyToPhiMutation::apply(ScheduleDAGInstrs *DAG) {
137062ac69d4SSumanth Gundapaneni   for (SUnit &SU : DAG->SUnits) {
137162ac69d4SSumanth Gundapaneni     // Find the COPY/REG_SEQUENCE instruction.
137262ac69d4SSumanth Gundapaneni     if (!SU.getInstr()->isCopy() && !SU.getInstr()->isRegSequence())
137362ac69d4SSumanth Gundapaneni       continue;
137462ac69d4SSumanth Gundapaneni 
137562ac69d4SSumanth Gundapaneni     // Record the loop carried PHIs.
137662ac69d4SSumanth Gundapaneni     SmallVector<SUnit *, 4> PHISUs;
137762ac69d4SSumanth Gundapaneni     // Record the SrcSUs that feed the COPY/REG_SEQUENCE instructions.
137862ac69d4SSumanth Gundapaneni     SmallVector<SUnit *, 4> SrcSUs;
137962ac69d4SSumanth Gundapaneni 
138062ac69d4SSumanth Gundapaneni     for (auto &Dep : SU.Preds) {
138162ac69d4SSumanth Gundapaneni       SUnit *TmpSU = Dep.getSUnit();
138262ac69d4SSumanth Gundapaneni       MachineInstr *TmpMI = TmpSU->getInstr();
138362ac69d4SSumanth Gundapaneni       SDep::Kind DepKind = Dep.getKind();
138462ac69d4SSumanth Gundapaneni       // Save the loop carried PHI.
138562ac69d4SSumanth Gundapaneni       if (DepKind == SDep::Anti && TmpMI->isPHI())
138662ac69d4SSumanth Gundapaneni         PHISUs.push_back(TmpSU);
138762ac69d4SSumanth Gundapaneni       // Save the source of COPY/REG_SEQUENCE.
138862ac69d4SSumanth Gundapaneni       // If the source has no pre-decessors, we will end up creating cycles.
138962ac69d4SSumanth Gundapaneni       else if (DepKind == SDep::Data && !TmpMI->isPHI() && TmpSU->NumPreds > 0)
139062ac69d4SSumanth Gundapaneni         SrcSUs.push_back(TmpSU);
139162ac69d4SSumanth Gundapaneni     }
139262ac69d4SSumanth Gundapaneni 
139362ac69d4SSumanth Gundapaneni     if (PHISUs.size() == 0 || SrcSUs.size() == 0)
139462ac69d4SSumanth Gundapaneni       continue;
139562ac69d4SSumanth Gundapaneni 
139662ac69d4SSumanth Gundapaneni     // Find the USEs of PHI. If the use is a PHI or REG_SEQUENCE, push back this
139762ac69d4SSumanth Gundapaneni     // SUnit to the container.
139862ac69d4SSumanth Gundapaneni     SmallVector<SUnit *, 8> UseSUs;
13997c7e368aSSumanth Gundapaneni     // Do not use iterator based loop here as we are updating the container.
14007c7e368aSSumanth Gundapaneni     for (size_t Index = 0; Index < PHISUs.size(); ++Index) {
14017c7e368aSSumanth Gundapaneni       for (auto &Dep : PHISUs[Index]->Succs) {
140262ac69d4SSumanth Gundapaneni         if (Dep.getKind() != SDep::Data)
140362ac69d4SSumanth Gundapaneni           continue;
140462ac69d4SSumanth Gundapaneni 
140562ac69d4SSumanth Gundapaneni         SUnit *TmpSU = Dep.getSUnit();
140662ac69d4SSumanth Gundapaneni         MachineInstr *TmpMI = TmpSU->getInstr();
140762ac69d4SSumanth Gundapaneni         if (TmpMI->isPHI() || TmpMI->isRegSequence()) {
140862ac69d4SSumanth Gundapaneni           PHISUs.push_back(TmpSU);
140962ac69d4SSumanth Gundapaneni           continue;
141062ac69d4SSumanth Gundapaneni         }
141162ac69d4SSumanth Gundapaneni         UseSUs.push_back(TmpSU);
141262ac69d4SSumanth Gundapaneni       }
141362ac69d4SSumanth Gundapaneni     }
141462ac69d4SSumanth Gundapaneni 
141562ac69d4SSumanth Gundapaneni     if (UseSUs.size() == 0)
141662ac69d4SSumanth Gundapaneni       continue;
141762ac69d4SSumanth Gundapaneni 
141862ac69d4SSumanth Gundapaneni     SwingSchedulerDAG *SDAG = cast<SwingSchedulerDAG>(DAG);
141962ac69d4SSumanth Gundapaneni     // Add the artificial dependencies if it does not form a cycle.
142062ac69d4SSumanth Gundapaneni     for (auto I : UseSUs) {
142162ac69d4SSumanth Gundapaneni       for (auto Src : SrcSUs) {
142262ac69d4SSumanth Gundapaneni         if (!SDAG->Topo.IsReachable(I, Src) && Src != I) {
142362ac69d4SSumanth Gundapaneni           Src->addPred(SDep(I, SDep::Artificial));
142462ac69d4SSumanth Gundapaneni           SDAG->Topo.AddPred(Src, I);
142562ac69d4SSumanth Gundapaneni         }
142662ac69d4SSumanth Gundapaneni       }
142762ac69d4SSumanth Gundapaneni     }
142862ac69d4SSumanth Gundapaneni   }
142962ac69d4SSumanth Gundapaneni }
143062ac69d4SSumanth Gundapaneni 
1431254f889dSBrendon Cahoon /// Return true for DAG nodes that we ignore when computing the cost functions.
1432c73b6d6bSHiroshi Inoue /// We ignore the back-edge recurrence in order to avoid unbounded recursion
1433254f889dSBrendon Cahoon /// in the calculation of the ASAP, ALAP, etc functions.
1434254f889dSBrendon Cahoon static bool ignoreDependence(const SDep &D, bool isPred) {
1435254f889dSBrendon Cahoon   if (D.isArtificial())
1436254f889dSBrendon Cahoon     return true;
1437254f889dSBrendon Cahoon   return D.getKind() == SDep::Anti && isPred;
1438254f889dSBrendon Cahoon }
1439254f889dSBrendon Cahoon 
1440254f889dSBrendon Cahoon /// Compute several functions need to order the nodes for scheduling.
1441254f889dSBrendon Cahoon ///  ASAP - Earliest time to schedule a node.
1442254f889dSBrendon Cahoon ///  ALAP - Latest time to schedule a node.
1443254f889dSBrendon Cahoon ///  MOV - Mobility function, difference between ALAP and ASAP.
1444254f889dSBrendon Cahoon ///  D - Depth of each node.
1445254f889dSBrendon Cahoon ///  H - Height of each node.
1446254f889dSBrendon Cahoon void SwingSchedulerDAG::computeNodeFunctions(NodeSetType &NodeSets) {
1447254f889dSBrendon Cahoon   ScheduleInfo.resize(SUnits.size());
1448254f889dSBrendon Cahoon 
1449d34e60caSNicola Zaghen   LLVM_DEBUG({
1450254f889dSBrendon Cahoon     for (ScheduleDAGTopologicalSort::const_iterator I = Topo.begin(),
1451254f889dSBrendon Cahoon                                                     E = Topo.end();
1452254f889dSBrendon Cahoon          I != E; ++I) {
1453726e12cfSMatthias Braun       const SUnit &SU = SUnits[*I];
1454726e12cfSMatthias Braun       dumpNode(SU);
1455254f889dSBrendon Cahoon     }
1456254f889dSBrendon Cahoon   });
1457254f889dSBrendon Cahoon 
1458254f889dSBrendon Cahoon   int maxASAP = 0;
14594b8bcf00SRoorda, Jan-Willem   // Compute ASAP and ZeroLatencyDepth.
1460254f889dSBrendon Cahoon   for (ScheduleDAGTopologicalSort::const_iterator I = Topo.begin(),
1461254f889dSBrendon Cahoon                                                   E = Topo.end();
1462254f889dSBrendon Cahoon        I != E; ++I) {
1463254f889dSBrendon Cahoon     int asap = 0;
14644b8bcf00SRoorda, Jan-Willem     int zeroLatencyDepth = 0;
1465254f889dSBrendon Cahoon     SUnit *SU = &SUnits[*I];
1466254f889dSBrendon Cahoon     for (SUnit::const_pred_iterator IP = SU->Preds.begin(),
1467254f889dSBrendon Cahoon                                     EP = SU->Preds.end();
1468254f889dSBrendon Cahoon          IP != EP; ++IP) {
14694b8bcf00SRoorda, Jan-Willem       SUnit *pred = IP->getSUnit();
1470c715a5d2SKrzysztof Parzyszek       if (IP->getLatency() == 0)
14714b8bcf00SRoorda, Jan-Willem         zeroLatencyDepth =
14724b8bcf00SRoorda, Jan-Willem             std::max(zeroLatencyDepth, getZeroLatencyDepth(pred) + 1);
1473254f889dSBrendon Cahoon       if (ignoreDependence(*IP, true))
1474254f889dSBrendon Cahoon         continue;
1475c715a5d2SKrzysztof Parzyszek       asap = std::max(asap, (int)(getASAP(pred) + IP->getLatency() -
1476254f889dSBrendon Cahoon                                   getDistance(pred, SU, *IP) * MII));
1477254f889dSBrendon Cahoon     }
1478254f889dSBrendon Cahoon     maxASAP = std::max(maxASAP, asap);
1479254f889dSBrendon Cahoon     ScheduleInfo[*I].ASAP = asap;
14804b8bcf00SRoorda, Jan-Willem     ScheduleInfo[*I].ZeroLatencyDepth = zeroLatencyDepth;
1481254f889dSBrendon Cahoon   }
1482254f889dSBrendon Cahoon 
14834b8bcf00SRoorda, Jan-Willem   // Compute ALAP, ZeroLatencyHeight, and MOV.
1484254f889dSBrendon Cahoon   for (ScheduleDAGTopologicalSort::const_reverse_iterator I = Topo.rbegin(),
1485254f889dSBrendon Cahoon                                                           E = Topo.rend();
1486254f889dSBrendon Cahoon        I != E; ++I) {
1487254f889dSBrendon Cahoon     int alap = maxASAP;
14884b8bcf00SRoorda, Jan-Willem     int zeroLatencyHeight = 0;
1489254f889dSBrendon Cahoon     SUnit *SU = &SUnits[*I];
1490254f889dSBrendon Cahoon     for (SUnit::const_succ_iterator IS = SU->Succs.begin(),
1491254f889dSBrendon Cahoon                                     ES = SU->Succs.end();
1492254f889dSBrendon Cahoon          IS != ES; ++IS) {
14934b8bcf00SRoorda, Jan-Willem       SUnit *succ = IS->getSUnit();
1494c715a5d2SKrzysztof Parzyszek       if (IS->getLatency() == 0)
14954b8bcf00SRoorda, Jan-Willem         zeroLatencyHeight =
14964b8bcf00SRoorda, Jan-Willem             std::max(zeroLatencyHeight, getZeroLatencyHeight(succ) + 1);
1497254f889dSBrendon Cahoon       if (ignoreDependence(*IS, true))
1498254f889dSBrendon Cahoon         continue;
1499c715a5d2SKrzysztof Parzyszek       alap = std::min(alap, (int)(getALAP(succ) - IS->getLatency() +
1500254f889dSBrendon Cahoon                                   getDistance(SU, succ, *IS) * MII));
1501254f889dSBrendon Cahoon     }
1502254f889dSBrendon Cahoon 
1503254f889dSBrendon Cahoon     ScheduleInfo[*I].ALAP = alap;
15044b8bcf00SRoorda, Jan-Willem     ScheduleInfo[*I].ZeroLatencyHeight = zeroLatencyHeight;
1505254f889dSBrendon Cahoon   }
1506254f889dSBrendon Cahoon 
1507254f889dSBrendon Cahoon   // After computing the node functions, compute the summary for each node set.
1508254f889dSBrendon Cahoon   for (NodeSet &I : NodeSets)
1509254f889dSBrendon Cahoon     I.computeNodeSetInfo(this);
1510254f889dSBrendon Cahoon 
1511d34e60caSNicola Zaghen   LLVM_DEBUG({
1512254f889dSBrendon Cahoon     for (unsigned i = 0; i < SUnits.size(); i++) {
1513254f889dSBrendon Cahoon       dbgs() << "\tNode " << i << ":\n";
1514254f889dSBrendon Cahoon       dbgs() << "\t   ASAP = " << getASAP(&SUnits[i]) << "\n";
1515254f889dSBrendon Cahoon       dbgs() << "\t   ALAP = " << getALAP(&SUnits[i]) << "\n";
1516254f889dSBrendon Cahoon       dbgs() << "\t   MOV  = " << getMOV(&SUnits[i]) << "\n";
1517254f889dSBrendon Cahoon       dbgs() << "\t   D    = " << getDepth(&SUnits[i]) << "\n";
1518254f889dSBrendon Cahoon       dbgs() << "\t   H    = " << getHeight(&SUnits[i]) << "\n";
15194b8bcf00SRoorda, Jan-Willem       dbgs() << "\t   ZLD  = " << getZeroLatencyDepth(&SUnits[i]) << "\n";
15204b8bcf00SRoorda, Jan-Willem       dbgs() << "\t   ZLH  = " << getZeroLatencyHeight(&SUnits[i]) << "\n";
1521254f889dSBrendon Cahoon     }
1522254f889dSBrendon Cahoon   });
1523254f889dSBrendon Cahoon }
1524254f889dSBrendon Cahoon 
1525254f889dSBrendon Cahoon /// Compute the Pred_L(O) set, as defined in the paper. The set is defined
1526254f889dSBrendon Cahoon /// as the predecessors of the elements of NodeOrder that are not also in
1527254f889dSBrendon Cahoon /// NodeOrder.
1528254f889dSBrendon Cahoon static bool pred_L(SetVector<SUnit *> &NodeOrder,
1529254f889dSBrendon Cahoon                    SmallSetVector<SUnit *, 8> &Preds,
1530254f889dSBrendon Cahoon                    const NodeSet *S = nullptr) {
1531254f889dSBrendon Cahoon   Preds.clear();
1532254f889dSBrendon Cahoon   for (SetVector<SUnit *>::iterator I = NodeOrder.begin(), E = NodeOrder.end();
1533254f889dSBrendon Cahoon        I != E; ++I) {
1534254f889dSBrendon Cahoon     for (SUnit::pred_iterator PI = (*I)->Preds.begin(), PE = (*I)->Preds.end();
1535254f889dSBrendon Cahoon          PI != PE; ++PI) {
1536254f889dSBrendon Cahoon       if (S && S->count(PI->getSUnit()) == 0)
1537254f889dSBrendon Cahoon         continue;
1538254f889dSBrendon Cahoon       if (ignoreDependence(*PI, true))
1539254f889dSBrendon Cahoon         continue;
1540254f889dSBrendon Cahoon       if (NodeOrder.count(PI->getSUnit()) == 0)
1541254f889dSBrendon Cahoon         Preds.insert(PI->getSUnit());
1542254f889dSBrendon Cahoon     }
1543254f889dSBrendon Cahoon     // Back-edges are predecessors with an anti-dependence.
1544254f889dSBrendon Cahoon     for (SUnit::const_succ_iterator IS = (*I)->Succs.begin(),
1545254f889dSBrendon Cahoon                                     ES = (*I)->Succs.end();
1546254f889dSBrendon Cahoon          IS != ES; ++IS) {
1547254f889dSBrendon Cahoon       if (IS->getKind() != SDep::Anti)
1548254f889dSBrendon Cahoon         continue;
1549254f889dSBrendon Cahoon       if (S && S->count(IS->getSUnit()) == 0)
1550254f889dSBrendon Cahoon         continue;
1551254f889dSBrendon Cahoon       if (NodeOrder.count(IS->getSUnit()) == 0)
1552254f889dSBrendon Cahoon         Preds.insert(IS->getSUnit());
1553254f889dSBrendon Cahoon     }
1554254f889dSBrendon Cahoon   }
155532a40564SEugene Zelenko   return !Preds.empty();
1556254f889dSBrendon Cahoon }
1557254f889dSBrendon Cahoon 
1558254f889dSBrendon Cahoon /// Compute the Succ_L(O) set, as defined in the paper. The set is defined
1559254f889dSBrendon Cahoon /// as the successors of the elements of NodeOrder that are not also in
1560254f889dSBrendon Cahoon /// NodeOrder.
1561254f889dSBrendon Cahoon static bool succ_L(SetVector<SUnit *> &NodeOrder,
1562254f889dSBrendon Cahoon                    SmallSetVector<SUnit *, 8> &Succs,
1563254f889dSBrendon Cahoon                    const NodeSet *S = nullptr) {
1564254f889dSBrendon Cahoon   Succs.clear();
1565254f889dSBrendon Cahoon   for (SetVector<SUnit *>::iterator I = NodeOrder.begin(), E = NodeOrder.end();
1566254f889dSBrendon Cahoon        I != E; ++I) {
1567254f889dSBrendon Cahoon     for (SUnit::succ_iterator SI = (*I)->Succs.begin(), SE = (*I)->Succs.end();
1568254f889dSBrendon Cahoon          SI != SE; ++SI) {
1569254f889dSBrendon Cahoon       if (S && S->count(SI->getSUnit()) == 0)
1570254f889dSBrendon Cahoon         continue;
1571254f889dSBrendon Cahoon       if (ignoreDependence(*SI, false))
1572254f889dSBrendon Cahoon         continue;
1573254f889dSBrendon Cahoon       if (NodeOrder.count(SI->getSUnit()) == 0)
1574254f889dSBrendon Cahoon         Succs.insert(SI->getSUnit());
1575254f889dSBrendon Cahoon     }
1576254f889dSBrendon Cahoon     for (SUnit::const_pred_iterator PI = (*I)->Preds.begin(),
1577254f889dSBrendon Cahoon                                     PE = (*I)->Preds.end();
1578254f889dSBrendon Cahoon          PI != PE; ++PI) {
1579254f889dSBrendon Cahoon       if (PI->getKind() != SDep::Anti)
1580254f889dSBrendon Cahoon         continue;
1581254f889dSBrendon Cahoon       if (S && S->count(PI->getSUnit()) == 0)
1582254f889dSBrendon Cahoon         continue;
1583254f889dSBrendon Cahoon       if (NodeOrder.count(PI->getSUnit()) == 0)
1584254f889dSBrendon Cahoon         Succs.insert(PI->getSUnit());
1585254f889dSBrendon Cahoon     }
1586254f889dSBrendon Cahoon   }
158732a40564SEugene Zelenko   return !Succs.empty();
1588254f889dSBrendon Cahoon }
1589254f889dSBrendon Cahoon 
1590254f889dSBrendon Cahoon /// Return true if there is a path from the specified node to any of the nodes
1591254f889dSBrendon Cahoon /// in DestNodes. Keep track and return the nodes in any path.
1592254f889dSBrendon Cahoon static bool computePath(SUnit *Cur, SetVector<SUnit *> &Path,
1593254f889dSBrendon Cahoon                         SetVector<SUnit *> &DestNodes,
1594254f889dSBrendon Cahoon                         SetVector<SUnit *> &Exclude,
1595254f889dSBrendon Cahoon                         SmallPtrSet<SUnit *, 8> &Visited) {
1596254f889dSBrendon Cahoon   if (Cur->isBoundaryNode())
1597254f889dSBrendon Cahoon     return false;
1598254f889dSBrendon Cahoon   if (Exclude.count(Cur) != 0)
1599254f889dSBrendon Cahoon     return false;
1600254f889dSBrendon Cahoon   if (DestNodes.count(Cur) != 0)
1601254f889dSBrendon Cahoon     return true;
1602254f889dSBrendon Cahoon   if (!Visited.insert(Cur).second)
1603254f889dSBrendon Cahoon     return Path.count(Cur) != 0;
1604254f889dSBrendon Cahoon   bool FoundPath = false;
1605254f889dSBrendon Cahoon   for (auto &SI : Cur->Succs)
1606254f889dSBrendon Cahoon     FoundPath |= computePath(SI.getSUnit(), Path, DestNodes, Exclude, Visited);
1607254f889dSBrendon Cahoon   for (auto &PI : Cur->Preds)
1608254f889dSBrendon Cahoon     if (PI.getKind() == SDep::Anti)
1609254f889dSBrendon Cahoon       FoundPath |=
1610254f889dSBrendon Cahoon           computePath(PI.getSUnit(), Path, DestNodes, Exclude, Visited);
1611254f889dSBrendon Cahoon   if (FoundPath)
1612254f889dSBrendon Cahoon     Path.insert(Cur);
1613254f889dSBrendon Cahoon   return FoundPath;
1614254f889dSBrendon Cahoon }
1615254f889dSBrendon Cahoon 
1616254f889dSBrendon Cahoon /// Return true if Set1 is a subset of Set2.
1617254f889dSBrendon Cahoon template <class S1Ty, class S2Ty> static bool isSubset(S1Ty &Set1, S2Ty &Set2) {
1618254f889dSBrendon Cahoon   for (typename S1Ty::iterator I = Set1.begin(), E = Set1.end(); I != E; ++I)
1619254f889dSBrendon Cahoon     if (Set2.count(*I) == 0)
1620254f889dSBrendon Cahoon       return false;
1621254f889dSBrendon Cahoon   return true;
1622254f889dSBrendon Cahoon }
1623254f889dSBrendon Cahoon 
1624254f889dSBrendon Cahoon /// Compute the live-out registers for the instructions in a node-set.
1625254f889dSBrendon Cahoon /// The live-out registers are those that are defined in the node-set,
1626254f889dSBrendon Cahoon /// but not used. Except for use operands of Phis.
1627254f889dSBrendon Cahoon static void computeLiveOuts(MachineFunction &MF, RegPressureTracker &RPTracker,
1628254f889dSBrendon Cahoon                             NodeSet &NS) {
1629254f889dSBrendon Cahoon   const TargetRegisterInfo *TRI = MF.getSubtarget().getRegisterInfo();
1630254f889dSBrendon Cahoon   MachineRegisterInfo &MRI = MF.getRegInfo();
1631254f889dSBrendon Cahoon   SmallVector<RegisterMaskPair, 8> LiveOutRegs;
1632254f889dSBrendon Cahoon   SmallSet<unsigned, 4> Uses;
1633254f889dSBrendon Cahoon   for (SUnit *SU : NS) {
1634254f889dSBrendon Cahoon     const MachineInstr *MI = SU->getInstr();
1635254f889dSBrendon Cahoon     if (MI->isPHI())
1636254f889dSBrendon Cahoon       continue;
1637fc371558SMatthias Braun     for (const MachineOperand &MO : MI->operands())
1638fc371558SMatthias Braun       if (MO.isReg() && MO.isUse()) {
16390c476111SDaniel Sanders         Register Reg = MO.getReg();
16402bea69bfSDaniel Sanders         if (Register::isVirtualRegister(Reg))
1641254f889dSBrendon Cahoon           Uses.insert(Reg);
1642254f889dSBrendon Cahoon         else if (MRI.isAllocatable(Reg))
1643c8fcffe7SMircea Trofin           for (MCRegUnitIterator Units(Reg.asMCReg(), TRI); Units.isValid();
1644c8fcffe7SMircea Trofin                ++Units)
1645254f889dSBrendon Cahoon             Uses.insert(*Units);
1646254f889dSBrendon Cahoon       }
1647254f889dSBrendon Cahoon   }
1648254f889dSBrendon Cahoon   for (SUnit *SU : NS)
1649fc371558SMatthias Braun     for (const MachineOperand &MO : SU->getInstr()->operands())
1650fc371558SMatthias Braun       if (MO.isReg() && MO.isDef() && !MO.isDead()) {
16510c476111SDaniel Sanders         Register Reg = MO.getReg();
16522bea69bfSDaniel Sanders         if (Register::isVirtualRegister(Reg)) {
1653254f889dSBrendon Cahoon           if (!Uses.count(Reg))
165491b5cf84SKrzysztof Parzyszek             LiveOutRegs.push_back(RegisterMaskPair(Reg,
165591b5cf84SKrzysztof Parzyszek                                                    LaneBitmask::getNone()));
1656254f889dSBrendon Cahoon         } else if (MRI.isAllocatable(Reg)) {
1657c8fcffe7SMircea Trofin           for (MCRegUnitIterator Units(Reg.asMCReg(), TRI); Units.isValid();
1658c8fcffe7SMircea Trofin                ++Units)
1659254f889dSBrendon Cahoon             if (!Uses.count(*Units))
166091b5cf84SKrzysztof Parzyszek               LiveOutRegs.push_back(RegisterMaskPair(*Units,
166191b5cf84SKrzysztof Parzyszek                                                      LaneBitmask::getNone()));
1662254f889dSBrendon Cahoon         }
1663254f889dSBrendon Cahoon       }
1664254f889dSBrendon Cahoon   RPTracker.addLiveRegs(LiveOutRegs);
1665254f889dSBrendon Cahoon }
1666254f889dSBrendon Cahoon 
1667254f889dSBrendon Cahoon /// A heuristic to filter nodes in recurrent node-sets if the register
1668254f889dSBrendon Cahoon /// pressure of a set is too high.
1669254f889dSBrendon Cahoon void SwingSchedulerDAG::registerPressureFilter(NodeSetType &NodeSets) {
1670254f889dSBrendon Cahoon   for (auto &NS : NodeSets) {
1671254f889dSBrendon Cahoon     // Skip small node-sets since they won't cause register pressure problems.
1672254f889dSBrendon Cahoon     if (NS.size() <= 2)
1673254f889dSBrendon Cahoon       continue;
1674254f889dSBrendon Cahoon     IntervalPressure RecRegPressure;
1675254f889dSBrendon Cahoon     RegPressureTracker RecRPTracker(RecRegPressure);
1676254f889dSBrendon Cahoon     RecRPTracker.init(&MF, &RegClassInfo, &LIS, BB, BB->end(), false, true);
1677254f889dSBrendon Cahoon     computeLiveOuts(MF, RecRPTracker, NS);
1678254f889dSBrendon Cahoon     RecRPTracker.closeBottom();
1679254f889dSBrendon Cahoon 
1680254f889dSBrendon Cahoon     std::vector<SUnit *> SUnits(NS.begin(), NS.end());
16810cac726aSFangrui Song     llvm::sort(SUnits, [](const SUnit *A, const SUnit *B) {
1682254f889dSBrendon Cahoon       return A->NodeNum > B->NodeNum;
1683254f889dSBrendon Cahoon     });
1684254f889dSBrendon Cahoon 
1685254f889dSBrendon Cahoon     for (auto &SU : SUnits) {
1686254f889dSBrendon Cahoon       // Since we're computing the register pressure for a subset of the
1687254f889dSBrendon Cahoon       // instructions in a block, we need to set the tracker for each
1688254f889dSBrendon Cahoon       // instruction in the node-set. The tracker is set to the instruction
1689254f889dSBrendon Cahoon       // just after the one we're interested in.
1690254f889dSBrendon Cahoon       MachineBasicBlock::const_iterator CurInstI = SU->getInstr();
1691254f889dSBrendon Cahoon       RecRPTracker.setPos(std::next(CurInstI));
1692254f889dSBrendon Cahoon 
1693254f889dSBrendon Cahoon       RegPressureDelta RPDelta;
1694254f889dSBrendon Cahoon       ArrayRef<PressureChange> CriticalPSets;
1695254f889dSBrendon Cahoon       RecRPTracker.getMaxUpwardPressureDelta(SU->getInstr(), nullptr, RPDelta,
1696254f889dSBrendon Cahoon                                              CriticalPSets,
1697254f889dSBrendon Cahoon                                              RecRegPressure.MaxSetPressure);
1698254f889dSBrendon Cahoon       if (RPDelta.Excess.isValid()) {
1699d34e60caSNicola Zaghen         LLVM_DEBUG(
1700d34e60caSNicola Zaghen             dbgs() << "Excess register pressure: SU(" << SU->NodeNum << ") "
1701254f889dSBrendon Cahoon                    << TRI->getRegPressureSetName(RPDelta.Excess.getPSet())
1702254f889dSBrendon Cahoon                    << ":" << RPDelta.Excess.getUnitInc());
1703254f889dSBrendon Cahoon         NS.setExceedPressure(SU);
1704254f889dSBrendon Cahoon         break;
1705254f889dSBrendon Cahoon       }
1706254f889dSBrendon Cahoon       RecRPTracker.recede();
1707254f889dSBrendon Cahoon     }
1708254f889dSBrendon Cahoon   }
1709254f889dSBrendon Cahoon }
1710254f889dSBrendon Cahoon 
1711254f889dSBrendon Cahoon /// A heuristic to colocate node sets that have the same set of
1712254f889dSBrendon Cahoon /// successors.
1713254f889dSBrendon Cahoon void SwingSchedulerDAG::colocateNodeSets(NodeSetType &NodeSets) {
1714254f889dSBrendon Cahoon   unsigned Colocate = 0;
1715254f889dSBrendon Cahoon   for (int i = 0, e = NodeSets.size(); i < e; ++i) {
1716254f889dSBrendon Cahoon     NodeSet &N1 = NodeSets[i];
1717254f889dSBrendon Cahoon     SmallSetVector<SUnit *, 8> S1;
1718254f889dSBrendon Cahoon     if (N1.empty() || !succ_L(N1, S1))
1719254f889dSBrendon Cahoon       continue;
1720254f889dSBrendon Cahoon     for (int j = i + 1; j < e; ++j) {
1721254f889dSBrendon Cahoon       NodeSet &N2 = NodeSets[j];
1722254f889dSBrendon Cahoon       if (N1.compareRecMII(N2) != 0)
1723254f889dSBrendon Cahoon         continue;
1724254f889dSBrendon Cahoon       SmallSetVector<SUnit *, 8> S2;
1725254f889dSBrendon Cahoon       if (N2.empty() || !succ_L(N2, S2))
1726254f889dSBrendon Cahoon         continue;
1727254f889dSBrendon Cahoon       if (isSubset(S1, S2) && S1.size() == S2.size()) {
1728254f889dSBrendon Cahoon         N1.setColocate(++Colocate);
1729254f889dSBrendon Cahoon         N2.setColocate(Colocate);
1730254f889dSBrendon Cahoon         break;
1731254f889dSBrendon Cahoon       }
1732254f889dSBrendon Cahoon     }
1733254f889dSBrendon Cahoon   }
1734254f889dSBrendon Cahoon }
1735254f889dSBrendon Cahoon 
1736254f889dSBrendon Cahoon /// Check if the existing node-sets are profitable. If not, then ignore the
1737254f889dSBrendon Cahoon /// recurrent node-sets, and attempt to schedule all nodes together. This is
17383ca23341SKrzysztof Parzyszek /// a heuristic. If the MII is large and all the recurrent node-sets are small,
17393ca23341SKrzysztof Parzyszek /// then it's best to try to schedule all instructions together instead of
17403ca23341SKrzysztof Parzyszek /// starting with the recurrent node-sets.
1741254f889dSBrendon Cahoon void SwingSchedulerDAG::checkNodeSets(NodeSetType &NodeSets) {
1742254f889dSBrendon Cahoon   // Look for loops with a large MII.
17433ca23341SKrzysztof Parzyszek   if (MII < 17)
1744254f889dSBrendon Cahoon     return;
1745254f889dSBrendon Cahoon   // Check if the node-set contains only a simple add recurrence.
17463ca23341SKrzysztof Parzyszek   for (auto &NS : NodeSets) {
17473ca23341SKrzysztof Parzyszek     if (NS.getRecMII() > 2)
1748254f889dSBrendon Cahoon       return;
17493ca23341SKrzysztof Parzyszek     if (NS.getMaxDepth() > MII)
17503ca23341SKrzysztof Parzyszek       return;
17513ca23341SKrzysztof Parzyszek   }
1752254f889dSBrendon Cahoon   NodeSets.clear();
1753d34e60caSNicola Zaghen   LLVM_DEBUG(dbgs() << "Clear recurrence node-sets\n");
1754254f889dSBrendon Cahoon   return;
1755254f889dSBrendon Cahoon }
1756254f889dSBrendon Cahoon 
1757254f889dSBrendon Cahoon /// Add the nodes that do not belong to a recurrence set into groups
1758254f889dSBrendon Cahoon /// based upon connected componenets.
1759254f889dSBrendon Cahoon void SwingSchedulerDAG::groupRemainingNodes(NodeSetType &NodeSets) {
1760254f889dSBrendon Cahoon   SetVector<SUnit *> NodesAdded;
1761254f889dSBrendon Cahoon   SmallPtrSet<SUnit *, 8> Visited;
1762254f889dSBrendon Cahoon   // Add the nodes that are on a path between the previous node sets and
1763254f889dSBrendon Cahoon   // the current node set.
1764254f889dSBrendon Cahoon   for (NodeSet &I : NodeSets) {
1765254f889dSBrendon Cahoon     SmallSetVector<SUnit *, 8> N;
1766254f889dSBrendon Cahoon     // Add the nodes from the current node set to the previous node set.
1767254f889dSBrendon Cahoon     if (succ_L(I, N)) {
1768254f889dSBrendon Cahoon       SetVector<SUnit *> Path;
1769254f889dSBrendon Cahoon       for (SUnit *NI : N) {
1770254f889dSBrendon Cahoon         Visited.clear();
1771254f889dSBrendon Cahoon         computePath(NI, Path, NodesAdded, I, Visited);
1772254f889dSBrendon Cahoon       }
177332a40564SEugene Zelenko       if (!Path.empty())
1774254f889dSBrendon Cahoon         I.insert(Path.begin(), Path.end());
1775254f889dSBrendon Cahoon     }
1776254f889dSBrendon Cahoon     // Add the nodes from the previous node set to the current node set.
1777254f889dSBrendon Cahoon     N.clear();
1778254f889dSBrendon Cahoon     if (succ_L(NodesAdded, N)) {
1779254f889dSBrendon Cahoon       SetVector<SUnit *> Path;
1780254f889dSBrendon Cahoon       for (SUnit *NI : N) {
1781254f889dSBrendon Cahoon         Visited.clear();
1782254f889dSBrendon Cahoon         computePath(NI, Path, I, NodesAdded, Visited);
1783254f889dSBrendon Cahoon       }
178432a40564SEugene Zelenko       if (!Path.empty())
1785254f889dSBrendon Cahoon         I.insert(Path.begin(), Path.end());
1786254f889dSBrendon Cahoon     }
1787254f889dSBrendon Cahoon     NodesAdded.insert(I.begin(), I.end());
1788254f889dSBrendon Cahoon   }
1789254f889dSBrendon Cahoon 
1790254f889dSBrendon Cahoon   // Create a new node set with the connected nodes of any successor of a node
1791254f889dSBrendon Cahoon   // in a recurrent set.
1792254f889dSBrendon Cahoon   NodeSet NewSet;
1793254f889dSBrendon Cahoon   SmallSetVector<SUnit *, 8> N;
1794254f889dSBrendon Cahoon   if (succ_L(NodesAdded, N))
1795254f889dSBrendon Cahoon     for (SUnit *I : N)
1796254f889dSBrendon Cahoon       addConnectedNodes(I, NewSet, NodesAdded);
179732a40564SEugene Zelenko   if (!NewSet.empty())
1798254f889dSBrendon Cahoon     NodeSets.push_back(NewSet);
1799254f889dSBrendon Cahoon 
1800254f889dSBrendon Cahoon   // Create a new node set with the connected nodes of any predecessor of a node
1801254f889dSBrendon Cahoon   // in a recurrent set.
1802254f889dSBrendon Cahoon   NewSet.clear();
1803254f889dSBrendon Cahoon   if (pred_L(NodesAdded, N))
1804254f889dSBrendon Cahoon     for (SUnit *I : N)
1805254f889dSBrendon Cahoon       addConnectedNodes(I, NewSet, NodesAdded);
180632a40564SEugene Zelenko   if (!NewSet.empty())
1807254f889dSBrendon Cahoon     NodeSets.push_back(NewSet);
1808254f889dSBrendon Cahoon 
1809372ffa15SHiroshi Inoue   // Create new nodes sets with the connected nodes any remaining node that
1810254f889dSBrendon Cahoon   // has no predecessor.
1811254f889dSBrendon Cahoon   for (unsigned i = 0; i < SUnits.size(); ++i) {
1812254f889dSBrendon Cahoon     SUnit *SU = &SUnits[i];
1813254f889dSBrendon Cahoon     if (NodesAdded.count(SU) == 0) {
1814254f889dSBrendon Cahoon       NewSet.clear();
1815254f889dSBrendon Cahoon       addConnectedNodes(SU, NewSet, NodesAdded);
181632a40564SEugene Zelenko       if (!NewSet.empty())
1817254f889dSBrendon Cahoon         NodeSets.push_back(NewSet);
1818254f889dSBrendon Cahoon     }
1819254f889dSBrendon Cahoon   }
1820254f889dSBrendon Cahoon }
1821254f889dSBrendon Cahoon 
182231f47b81SAlexey Lapshin /// Add the node to the set, and add all of its connected nodes to the set.
1823254f889dSBrendon Cahoon void SwingSchedulerDAG::addConnectedNodes(SUnit *SU, NodeSet &NewSet,
1824254f889dSBrendon Cahoon                                           SetVector<SUnit *> &NodesAdded) {
1825254f889dSBrendon Cahoon   NewSet.insert(SU);
1826254f889dSBrendon Cahoon   NodesAdded.insert(SU);
1827254f889dSBrendon Cahoon   for (auto &SI : SU->Succs) {
1828254f889dSBrendon Cahoon     SUnit *Successor = SI.getSUnit();
1829254f889dSBrendon Cahoon     if (!SI.isArtificial() && NodesAdded.count(Successor) == 0)
1830254f889dSBrendon Cahoon       addConnectedNodes(Successor, NewSet, NodesAdded);
1831254f889dSBrendon Cahoon   }
1832254f889dSBrendon Cahoon   for (auto &PI : SU->Preds) {
1833254f889dSBrendon Cahoon     SUnit *Predecessor = PI.getSUnit();
1834254f889dSBrendon Cahoon     if (!PI.isArtificial() && NodesAdded.count(Predecessor) == 0)
1835254f889dSBrendon Cahoon       addConnectedNodes(Predecessor, NewSet, NodesAdded);
1836254f889dSBrendon Cahoon   }
1837254f889dSBrendon Cahoon }
1838254f889dSBrendon Cahoon 
1839254f889dSBrendon Cahoon /// Return true if Set1 contains elements in Set2. The elements in common
1840254f889dSBrendon Cahoon /// are returned in a different container.
1841254f889dSBrendon Cahoon static bool isIntersect(SmallSetVector<SUnit *, 8> &Set1, const NodeSet &Set2,
1842254f889dSBrendon Cahoon                         SmallSetVector<SUnit *, 8> &Result) {
1843254f889dSBrendon Cahoon   Result.clear();
1844254f889dSBrendon Cahoon   for (unsigned i = 0, e = Set1.size(); i != e; ++i) {
1845254f889dSBrendon Cahoon     SUnit *SU = Set1[i];
1846254f889dSBrendon Cahoon     if (Set2.count(SU) != 0)
1847254f889dSBrendon Cahoon       Result.insert(SU);
1848254f889dSBrendon Cahoon   }
1849254f889dSBrendon Cahoon   return !Result.empty();
1850254f889dSBrendon Cahoon }
1851254f889dSBrendon Cahoon 
1852254f889dSBrendon Cahoon /// Merge the recurrence node sets that have the same initial node.
1853254f889dSBrendon Cahoon void SwingSchedulerDAG::fuseRecs(NodeSetType &NodeSets) {
1854254f889dSBrendon Cahoon   for (NodeSetType::iterator I = NodeSets.begin(), E = NodeSets.end(); I != E;
1855254f889dSBrendon Cahoon        ++I) {
1856254f889dSBrendon Cahoon     NodeSet &NI = *I;
1857254f889dSBrendon Cahoon     for (NodeSetType::iterator J = I + 1; J != E;) {
1858254f889dSBrendon Cahoon       NodeSet &NJ = *J;
1859254f889dSBrendon Cahoon       if (NI.getNode(0)->NodeNum == NJ.getNode(0)->NodeNum) {
1860254f889dSBrendon Cahoon         if (NJ.compareRecMII(NI) > 0)
1861254f889dSBrendon Cahoon           NI.setRecMII(NJ.getRecMII());
1862254f889dSBrendon Cahoon         for (NodeSet::iterator NII = J->begin(), ENI = J->end(); NII != ENI;
1863254f889dSBrendon Cahoon              ++NII)
1864254f889dSBrendon Cahoon           I->insert(*NII);
1865254f889dSBrendon Cahoon         NodeSets.erase(J);
1866254f889dSBrendon Cahoon         E = NodeSets.end();
1867254f889dSBrendon Cahoon       } else {
1868254f889dSBrendon Cahoon         ++J;
1869254f889dSBrendon Cahoon       }
1870254f889dSBrendon Cahoon     }
1871254f889dSBrendon Cahoon   }
1872254f889dSBrendon Cahoon }
1873254f889dSBrendon Cahoon 
1874254f889dSBrendon Cahoon /// Remove nodes that have been scheduled in previous NodeSets.
1875254f889dSBrendon Cahoon void SwingSchedulerDAG::removeDuplicateNodes(NodeSetType &NodeSets) {
1876254f889dSBrendon Cahoon   for (NodeSetType::iterator I = NodeSets.begin(), E = NodeSets.end(); I != E;
1877254f889dSBrendon Cahoon        ++I)
1878254f889dSBrendon Cahoon     for (NodeSetType::iterator J = I + 1; J != E;) {
1879254f889dSBrendon Cahoon       J->remove_if([&](SUnit *SUJ) { return I->count(SUJ); });
1880254f889dSBrendon Cahoon 
188132a40564SEugene Zelenko       if (J->empty()) {
1882254f889dSBrendon Cahoon         NodeSets.erase(J);
1883254f889dSBrendon Cahoon         E = NodeSets.end();
1884254f889dSBrendon Cahoon       } else {
1885254f889dSBrendon Cahoon         ++J;
1886254f889dSBrendon Cahoon       }
1887254f889dSBrendon Cahoon     }
1888254f889dSBrendon Cahoon }
1889254f889dSBrendon Cahoon 
1890254f889dSBrendon Cahoon /// Compute an ordered list of the dependence graph nodes, which
1891254f889dSBrendon Cahoon /// indicates the order that the nodes will be scheduled.  This is a
1892254f889dSBrendon Cahoon /// two-level algorithm. First, a partial order is created, which
1893254f889dSBrendon Cahoon /// consists of a list of sets ordered from highest to lowest priority.
1894254f889dSBrendon Cahoon void SwingSchedulerDAG::computeNodeOrder(NodeSetType &NodeSets) {
1895254f889dSBrendon Cahoon   SmallSetVector<SUnit *, 8> R;
1896254f889dSBrendon Cahoon   NodeOrder.clear();
1897254f889dSBrendon Cahoon 
1898254f889dSBrendon Cahoon   for (auto &Nodes : NodeSets) {
1899d34e60caSNicola Zaghen     LLVM_DEBUG(dbgs() << "NodeSet size " << Nodes.size() << "\n");
1900254f889dSBrendon Cahoon     OrderKind Order;
1901254f889dSBrendon Cahoon     SmallSetVector<SUnit *, 8> N;
1902254f889dSBrendon Cahoon     if (pred_L(NodeOrder, N) && isSubset(N, Nodes)) {
1903254f889dSBrendon Cahoon       R.insert(N.begin(), N.end());
1904254f889dSBrendon Cahoon       Order = BottomUp;
1905d34e60caSNicola Zaghen       LLVM_DEBUG(dbgs() << "  Bottom up (preds) ");
1906254f889dSBrendon Cahoon     } else if (succ_L(NodeOrder, N) && isSubset(N, Nodes)) {
1907254f889dSBrendon Cahoon       R.insert(N.begin(), N.end());
1908254f889dSBrendon Cahoon       Order = TopDown;
1909d34e60caSNicola Zaghen       LLVM_DEBUG(dbgs() << "  Top down (succs) ");
1910254f889dSBrendon Cahoon     } else if (isIntersect(N, Nodes, R)) {
1911254f889dSBrendon Cahoon       // If some of the successors are in the existing node-set, then use the
1912254f889dSBrendon Cahoon       // top-down ordering.
1913254f889dSBrendon Cahoon       Order = TopDown;
1914d34e60caSNicola Zaghen       LLVM_DEBUG(dbgs() << "  Top down (intersect) ");
1915254f889dSBrendon Cahoon     } else if (NodeSets.size() == 1) {
1916254f889dSBrendon Cahoon       for (auto &N : Nodes)
1917254f889dSBrendon Cahoon         if (N->Succs.size() == 0)
1918254f889dSBrendon Cahoon           R.insert(N);
1919254f889dSBrendon Cahoon       Order = BottomUp;
1920d34e60caSNicola Zaghen       LLVM_DEBUG(dbgs() << "  Bottom up (all) ");
1921254f889dSBrendon Cahoon     } else {
1922254f889dSBrendon Cahoon       // Find the node with the highest ASAP.
1923254f889dSBrendon Cahoon       SUnit *maxASAP = nullptr;
1924254f889dSBrendon Cahoon       for (SUnit *SU : Nodes) {
1925a2122044SKrzysztof Parzyszek         if (maxASAP == nullptr || getASAP(SU) > getASAP(maxASAP) ||
1926a2122044SKrzysztof Parzyszek             (getASAP(SU) == getASAP(maxASAP) && SU->NodeNum > maxASAP->NodeNum))
1927254f889dSBrendon Cahoon           maxASAP = SU;
1928254f889dSBrendon Cahoon       }
1929254f889dSBrendon Cahoon       R.insert(maxASAP);
1930254f889dSBrendon Cahoon       Order = BottomUp;
1931d34e60caSNicola Zaghen       LLVM_DEBUG(dbgs() << "  Bottom up (default) ");
1932254f889dSBrendon Cahoon     }
1933254f889dSBrendon Cahoon 
1934254f889dSBrendon Cahoon     while (!R.empty()) {
1935254f889dSBrendon Cahoon       if (Order == TopDown) {
1936254f889dSBrendon Cahoon         // Choose the node with the maximum height.  If more than one, choose
1937a2122044SKrzysztof Parzyszek         // the node wiTH the maximum ZeroLatencyHeight. If still more than one,
19384b8bcf00SRoorda, Jan-Willem         // choose the node with the lowest MOV.
1939254f889dSBrendon Cahoon         while (!R.empty()) {
1940254f889dSBrendon Cahoon           SUnit *maxHeight = nullptr;
1941254f889dSBrendon Cahoon           for (SUnit *I : R) {
1942cdc71612SEugene Zelenko             if (maxHeight == nullptr || getHeight(I) > getHeight(maxHeight))
1943254f889dSBrendon Cahoon               maxHeight = I;
1944254f889dSBrendon Cahoon             else if (getHeight(I) == getHeight(maxHeight) &&
19454b8bcf00SRoorda, Jan-Willem                      getZeroLatencyHeight(I) > getZeroLatencyHeight(maxHeight))
1946254f889dSBrendon Cahoon               maxHeight = I;
19474b8bcf00SRoorda, Jan-Willem             else if (getHeight(I) == getHeight(maxHeight) &&
19484b8bcf00SRoorda, Jan-Willem                      getZeroLatencyHeight(I) ==
19494b8bcf00SRoorda, Jan-Willem                          getZeroLatencyHeight(maxHeight) &&
19504b8bcf00SRoorda, Jan-Willem                      getMOV(I) < getMOV(maxHeight))
1951254f889dSBrendon Cahoon               maxHeight = I;
1952254f889dSBrendon Cahoon           }
1953254f889dSBrendon Cahoon           NodeOrder.insert(maxHeight);
1954d34e60caSNicola Zaghen           LLVM_DEBUG(dbgs() << maxHeight->NodeNum << " ");
1955254f889dSBrendon Cahoon           R.remove(maxHeight);
1956254f889dSBrendon Cahoon           for (const auto &I : maxHeight->Succs) {
1957254f889dSBrendon Cahoon             if (Nodes.count(I.getSUnit()) == 0)
1958254f889dSBrendon Cahoon               continue;
1959254f889dSBrendon Cahoon             if (NodeOrder.count(I.getSUnit()) != 0)
1960254f889dSBrendon Cahoon               continue;
1961254f889dSBrendon Cahoon             if (ignoreDependence(I, false))
1962254f889dSBrendon Cahoon               continue;
1963254f889dSBrendon Cahoon             R.insert(I.getSUnit());
1964254f889dSBrendon Cahoon           }
1965254f889dSBrendon Cahoon           // Back-edges are predecessors with an anti-dependence.
1966254f889dSBrendon Cahoon           for (const auto &I : maxHeight->Preds) {
1967254f889dSBrendon Cahoon             if (I.getKind() != SDep::Anti)
1968254f889dSBrendon Cahoon               continue;
1969254f889dSBrendon Cahoon             if (Nodes.count(I.getSUnit()) == 0)
1970254f889dSBrendon Cahoon               continue;
1971254f889dSBrendon Cahoon             if (NodeOrder.count(I.getSUnit()) != 0)
1972254f889dSBrendon Cahoon               continue;
1973254f889dSBrendon Cahoon             R.insert(I.getSUnit());
1974254f889dSBrendon Cahoon           }
1975254f889dSBrendon Cahoon         }
1976254f889dSBrendon Cahoon         Order = BottomUp;
1977d34e60caSNicola Zaghen         LLVM_DEBUG(dbgs() << "\n   Switching order to bottom up ");
1978254f889dSBrendon Cahoon         SmallSetVector<SUnit *, 8> N;
1979254f889dSBrendon Cahoon         if (pred_L(NodeOrder, N, &Nodes))
1980254f889dSBrendon Cahoon           R.insert(N.begin(), N.end());
1981254f889dSBrendon Cahoon       } else {
1982254f889dSBrendon Cahoon         // Choose the node with the maximum depth.  If more than one, choose
19834b8bcf00SRoorda, Jan-Willem         // the node with the maximum ZeroLatencyDepth. If still more than one,
19844b8bcf00SRoorda, Jan-Willem         // choose the node with the lowest MOV.
1985254f889dSBrendon Cahoon         while (!R.empty()) {
1986254f889dSBrendon Cahoon           SUnit *maxDepth = nullptr;
1987254f889dSBrendon Cahoon           for (SUnit *I : R) {
1988cdc71612SEugene Zelenko             if (maxDepth == nullptr || getDepth(I) > getDepth(maxDepth))
1989254f889dSBrendon Cahoon               maxDepth = I;
1990254f889dSBrendon Cahoon             else if (getDepth(I) == getDepth(maxDepth) &&
19914b8bcf00SRoorda, Jan-Willem                      getZeroLatencyDepth(I) > getZeroLatencyDepth(maxDepth))
1992254f889dSBrendon Cahoon               maxDepth = I;
19934b8bcf00SRoorda, Jan-Willem             else if (getDepth(I) == getDepth(maxDepth) &&
19944b8bcf00SRoorda, Jan-Willem                      getZeroLatencyDepth(I) == getZeroLatencyDepth(maxDepth) &&
19954b8bcf00SRoorda, Jan-Willem                      getMOV(I) < getMOV(maxDepth))
1996254f889dSBrendon Cahoon               maxDepth = I;
1997254f889dSBrendon Cahoon           }
1998254f889dSBrendon Cahoon           NodeOrder.insert(maxDepth);
1999d34e60caSNicola Zaghen           LLVM_DEBUG(dbgs() << maxDepth->NodeNum << " ");
2000254f889dSBrendon Cahoon           R.remove(maxDepth);
2001254f889dSBrendon Cahoon           if (Nodes.isExceedSU(maxDepth)) {
2002254f889dSBrendon Cahoon             Order = TopDown;
2003254f889dSBrendon Cahoon             R.clear();
2004254f889dSBrendon Cahoon             R.insert(Nodes.getNode(0));
2005254f889dSBrendon Cahoon             break;
2006254f889dSBrendon Cahoon           }
2007254f889dSBrendon Cahoon           for (const auto &I : maxDepth->Preds) {
2008254f889dSBrendon Cahoon             if (Nodes.count(I.getSUnit()) == 0)
2009254f889dSBrendon Cahoon               continue;
2010254f889dSBrendon Cahoon             if (NodeOrder.count(I.getSUnit()) != 0)
2011254f889dSBrendon Cahoon               continue;
2012254f889dSBrendon Cahoon             R.insert(I.getSUnit());
2013254f889dSBrendon Cahoon           }
2014254f889dSBrendon Cahoon           // Back-edges are predecessors with an anti-dependence.
2015254f889dSBrendon Cahoon           for (const auto &I : maxDepth->Succs) {
2016254f889dSBrendon Cahoon             if (I.getKind() != SDep::Anti)
2017254f889dSBrendon Cahoon               continue;
2018254f889dSBrendon Cahoon             if (Nodes.count(I.getSUnit()) == 0)
2019254f889dSBrendon Cahoon               continue;
2020254f889dSBrendon Cahoon             if (NodeOrder.count(I.getSUnit()) != 0)
2021254f889dSBrendon Cahoon               continue;
2022254f889dSBrendon Cahoon             R.insert(I.getSUnit());
2023254f889dSBrendon Cahoon           }
2024254f889dSBrendon Cahoon         }
2025254f889dSBrendon Cahoon         Order = TopDown;
2026d34e60caSNicola Zaghen         LLVM_DEBUG(dbgs() << "\n   Switching order to top down ");
2027254f889dSBrendon Cahoon         SmallSetVector<SUnit *, 8> N;
2028254f889dSBrendon Cahoon         if (succ_L(NodeOrder, N, &Nodes))
2029254f889dSBrendon Cahoon           R.insert(N.begin(), N.end());
2030254f889dSBrendon Cahoon       }
2031254f889dSBrendon Cahoon     }
2032d34e60caSNicola Zaghen     LLVM_DEBUG(dbgs() << "\nDone with Nodeset\n");
2033254f889dSBrendon Cahoon   }
2034254f889dSBrendon Cahoon 
2035d34e60caSNicola Zaghen   LLVM_DEBUG({
2036254f889dSBrendon Cahoon     dbgs() << "Node order: ";
2037254f889dSBrendon Cahoon     for (SUnit *I : NodeOrder)
2038254f889dSBrendon Cahoon       dbgs() << " " << I->NodeNum << " ";
2039254f889dSBrendon Cahoon     dbgs() << "\n";
2040254f889dSBrendon Cahoon   });
2041254f889dSBrendon Cahoon }
2042254f889dSBrendon Cahoon 
2043254f889dSBrendon Cahoon /// Process the nodes in the computed order and create the pipelined schedule
2044254f889dSBrendon Cahoon /// of the instructions, if possible. Return true if a schedule is found.
2045254f889dSBrendon Cahoon bool SwingSchedulerDAG::schedulePipeline(SMSchedule &Schedule) {
204618e7bf5cSJinsong Ji 
204718e7bf5cSJinsong Ji   if (NodeOrder.empty()){
204818e7bf5cSJinsong Ji     LLVM_DEBUG(dbgs() << "NodeOrder is empty! abort scheduling\n" );
2049254f889dSBrendon Cahoon     return false;
205018e7bf5cSJinsong Ji   }
2051254f889dSBrendon Cahoon 
2052254f889dSBrendon Cahoon   bool scheduleFound = false;
205359d99731SBrendon Cahoon   unsigned II = 0;
2054254f889dSBrendon Cahoon   // Keep increasing II until a valid schedule is found.
205559d99731SBrendon Cahoon   for (II = MII; II <= MAX_II && !scheduleFound; ++II) {
2056254f889dSBrendon Cahoon     Schedule.reset();
2057254f889dSBrendon Cahoon     Schedule.setInitiationInterval(II);
2058d34e60caSNicola Zaghen     LLVM_DEBUG(dbgs() << "Try to schedule with " << II << "\n");
2059254f889dSBrendon Cahoon 
2060254f889dSBrendon Cahoon     SetVector<SUnit *>::iterator NI = NodeOrder.begin();
2061254f889dSBrendon Cahoon     SetVector<SUnit *>::iterator NE = NodeOrder.end();
2062254f889dSBrendon Cahoon     do {
2063254f889dSBrendon Cahoon       SUnit *SU = *NI;
2064254f889dSBrendon Cahoon 
2065254f889dSBrendon Cahoon       // Compute the schedule time for the instruction, which is based
2066254f889dSBrendon Cahoon       // upon the scheduled time for any predecessors/successors.
2067254f889dSBrendon Cahoon       int EarlyStart = INT_MIN;
2068254f889dSBrendon Cahoon       int LateStart = INT_MAX;
2069254f889dSBrendon Cahoon       // These values are set when the size of the schedule window is limited
2070254f889dSBrendon Cahoon       // due to chain dependences.
2071254f889dSBrendon Cahoon       int SchedEnd = INT_MAX;
2072254f889dSBrendon Cahoon       int SchedStart = INT_MIN;
2073254f889dSBrendon Cahoon       Schedule.computeStart(SU, &EarlyStart, &LateStart, &SchedEnd, &SchedStart,
2074254f889dSBrendon Cahoon                             II, this);
2075d34e60caSNicola Zaghen       LLVM_DEBUG({
207618e7bf5cSJinsong Ji         dbgs() << "\n";
2077254f889dSBrendon Cahoon         dbgs() << "Inst (" << SU->NodeNum << ") ";
2078254f889dSBrendon Cahoon         SU->getInstr()->dump();
2079254f889dSBrendon Cahoon         dbgs() << "\n";
2080254f889dSBrendon Cahoon       });
2081d34e60caSNicola Zaghen       LLVM_DEBUG({
208218e7bf5cSJinsong Ji         dbgs() << format("\tes: %8x ls: %8x me: %8x ms: %8x\n", EarlyStart,
208318e7bf5cSJinsong Ji                          LateStart, SchedEnd, SchedStart);
2084254f889dSBrendon Cahoon       });
2085254f889dSBrendon Cahoon 
2086254f889dSBrendon Cahoon       if (EarlyStart > LateStart || SchedEnd < EarlyStart ||
2087254f889dSBrendon Cahoon           SchedStart > LateStart)
2088254f889dSBrendon Cahoon         scheduleFound = false;
2089254f889dSBrendon Cahoon       else if (EarlyStart != INT_MIN && LateStart == INT_MAX) {
2090254f889dSBrendon Cahoon         SchedEnd = std::min(SchedEnd, EarlyStart + (int)II - 1);
2091254f889dSBrendon Cahoon         scheduleFound = Schedule.insert(SU, EarlyStart, SchedEnd, II);
2092254f889dSBrendon Cahoon       } else if (EarlyStart == INT_MIN && LateStart != INT_MAX) {
2093254f889dSBrendon Cahoon         SchedStart = std::max(SchedStart, LateStart - (int)II + 1);
2094254f889dSBrendon Cahoon         scheduleFound = Schedule.insert(SU, LateStart, SchedStart, II);
2095254f889dSBrendon Cahoon       } else if (EarlyStart != INT_MIN && LateStart != INT_MAX) {
2096254f889dSBrendon Cahoon         SchedEnd =
2097254f889dSBrendon Cahoon             std::min(SchedEnd, std::min(LateStart, EarlyStart + (int)II - 1));
2098254f889dSBrendon Cahoon         // When scheduling a Phi it is better to start at the late cycle and go
2099254f889dSBrendon Cahoon         // backwards. The default order may insert the Phi too far away from
2100254f889dSBrendon Cahoon         // its first dependence.
2101254f889dSBrendon Cahoon         if (SU->getInstr()->isPHI())
2102254f889dSBrendon Cahoon           scheduleFound = Schedule.insert(SU, SchedEnd, EarlyStart, II);
2103254f889dSBrendon Cahoon         else
2104254f889dSBrendon Cahoon           scheduleFound = Schedule.insert(SU, EarlyStart, SchedEnd, II);
2105254f889dSBrendon Cahoon       } else {
2106254f889dSBrendon Cahoon         int FirstCycle = Schedule.getFirstCycle();
2107254f889dSBrendon Cahoon         scheduleFound = Schedule.insert(SU, FirstCycle + getASAP(SU),
2108254f889dSBrendon Cahoon                                         FirstCycle + getASAP(SU) + II - 1, II);
2109254f889dSBrendon Cahoon       }
2110254f889dSBrendon Cahoon       // Even if we find a schedule, make sure the schedule doesn't exceed the
2111254f889dSBrendon Cahoon       // allowable number of stages. We keep trying if this happens.
2112254f889dSBrendon Cahoon       if (scheduleFound)
2113254f889dSBrendon Cahoon         if (SwpMaxStages > -1 &&
2114254f889dSBrendon Cahoon             Schedule.getMaxStageCount() > (unsigned)SwpMaxStages)
2115254f889dSBrendon Cahoon           scheduleFound = false;
2116254f889dSBrendon Cahoon 
2117d34e60caSNicola Zaghen       LLVM_DEBUG({
2118254f889dSBrendon Cahoon         if (!scheduleFound)
2119254f889dSBrendon Cahoon           dbgs() << "\tCan't schedule\n";
2120254f889dSBrendon Cahoon       });
2121254f889dSBrendon Cahoon     } while (++NI != NE && scheduleFound);
2122254f889dSBrendon Cahoon 
2123254f889dSBrendon Cahoon     // If a schedule is found, check if it is a valid schedule too.
2124254f889dSBrendon Cahoon     if (scheduleFound)
2125254f889dSBrendon Cahoon       scheduleFound = Schedule.isValidSchedule(this);
2126254f889dSBrendon Cahoon   }
2127254f889dSBrendon Cahoon 
212859d99731SBrendon Cahoon   LLVM_DEBUG(dbgs() << "Schedule Found? " << scheduleFound << " (II=" << II
212959d99731SBrendon Cahoon                     << ")\n");
2130254f889dSBrendon Cahoon 
213180b78a47SJinsong Ji   if (scheduleFound) {
2132254f889dSBrendon Cahoon     Schedule.finalizeSchedule(this);
213380b78a47SJinsong Ji     Pass.ORE->emit([&]() {
213480b78a47SJinsong Ji       return MachineOptimizationRemarkAnalysis(
213580b78a47SJinsong Ji                  DEBUG_TYPE, "schedule", Loop.getStartLoc(), Loop.getHeader())
213680b78a47SJinsong Ji              << "Schedule found with Initiation Interval: " << ore::NV("II", II)
213780b78a47SJinsong Ji              << ", MaxStageCount: "
213880b78a47SJinsong Ji              << ore::NV("MaxStageCount", Schedule.getMaxStageCount());
213980b78a47SJinsong Ji     });
214080b78a47SJinsong Ji   } else
2141254f889dSBrendon Cahoon     Schedule.reset();
2142254f889dSBrendon Cahoon 
2143254f889dSBrendon Cahoon   return scheduleFound && Schedule.getMaxStageCount() > 0;
2144254f889dSBrendon Cahoon }
2145254f889dSBrendon Cahoon 
2146254f889dSBrendon Cahoon /// Return true if we can compute the amount the instruction changes
2147254f889dSBrendon Cahoon /// during each iteration. Set Delta to the amount of the change.
2148254f889dSBrendon Cahoon bool SwingSchedulerDAG::computeDelta(MachineInstr &MI, unsigned &Delta) {
2149254f889dSBrendon Cahoon   const TargetRegisterInfo *TRI = MF.getSubtarget().getRegisterInfo();
2150238c9d63SBjorn Pettersson   const MachineOperand *BaseOp;
2151254f889dSBrendon Cahoon   int64_t Offset;
21528fbc9258SSander de Smalen   bool OffsetIsScalable;
21538fbc9258SSander de Smalen   if (!TII->getMemOperandWithOffset(MI, BaseOp, Offset, OffsetIsScalable, TRI))
21548fbc9258SSander de Smalen     return false;
21558fbc9258SSander de Smalen 
21568fbc9258SSander de Smalen   // FIXME: This algorithm assumes instructions have fixed-size offsets.
21578fbc9258SSander de Smalen   if (OffsetIsScalable)
2158254f889dSBrendon Cahoon     return false;
2159254f889dSBrendon Cahoon 
2160d7eebd6dSFrancis Visoiu Mistrih   if (!BaseOp->isReg())
2161d7eebd6dSFrancis Visoiu Mistrih     return false;
2162d7eebd6dSFrancis Visoiu Mistrih 
21630c476111SDaniel Sanders   Register BaseReg = BaseOp->getReg();
2164d7eebd6dSFrancis Visoiu Mistrih 
2165254f889dSBrendon Cahoon   MachineRegisterInfo &MRI = MF.getRegInfo();
2166254f889dSBrendon Cahoon   // Check if there is a Phi. If so, get the definition in the loop.
2167254f889dSBrendon Cahoon   MachineInstr *BaseDef = MRI.getVRegDef(BaseReg);
2168254f889dSBrendon Cahoon   if (BaseDef && BaseDef->isPHI()) {
2169254f889dSBrendon Cahoon     BaseReg = getLoopPhiReg(*BaseDef, MI.getParent());
2170254f889dSBrendon Cahoon     BaseDef = MRI.getVRegDef(BaseReg);
2171254f889dSBrendon Cahoon   }
2172254f889dSBrendon Cahoon   if (!BaseDef)
2173254f889dSBrendon Cahoon     return false;
2174254f889dSBrendon Cahoon 
2175254f889dSBrendon Cahoon   int D = 0;
21768fb181caSKrzysztof Parzyszek   if (!TII->getIncrementValue(*BaseDef, D) && D >= 0)
2177254f889dSBrendon Cahoon     return false;
2178254f889dSBrendon Cahoon 
2179254f889dSBrendon Cahoon   Delta = D;
2180254f889dSBrendon Cahoon   return true;
2181254f889dSBrendon Cahoon }
2182254f889dSBrendon Cahoon 
2183254f889dSBrendon Cahoon /// Check if we can change the instruction to use an offset value from the
2184254f889dSBrendon Cahoon /// previous iteration. If so, return true and set the base and offset values
2185254f889dSBrendon Cahoon /// so that we can rewrite the load, if necessary.
2186254f889dSBrendon Cahoon ///   v1 = Phi(v0, v3)
2187254f889dSBrendon Cahoon ///   v2 = load v1, 0
2188254f889dSBrendon Cahoon ///   v3 = post_store v1, 4, x
2189254f889dSBrendon Cahoon /// This function enables the load to be rewritten as v2 = load v3, 4.
2190254f889dSBrendon Cahoon bool SwingSchedulerDAG::canUseLastOffsetValue(MachineInstr *MI,
2191254f889dSBrendon Cahoon                                               unsigned &BasePos,
2192254f889dSBrendon Cahoon                                               unsigned &OffsetPos,
2193254f889dSBrendon Cahoon                                               unsigned &NewBase,
2194254f889dSBrendon Cahoon                                               int64_t &Offset) {
2195254f889dSBrendon Cahoon   // Get the load instruction.
21968fb181caSKrzysztof Parzyszek   if (TII->isPostIncrement(*MI))
2197254f889dSBrendon Cahoon     return false;
2198254f889dSBrendon Cahoon   unsigned BasePosLd, OffsetPosLd;
21998fb181caSKrzysztof Parzyszek   if (!TII->getBaseAndOffsetPosition(*MI, BasePosLd, OffsetPosLd))
2200254f889dSBrendon Cahoon     return false;
22010c476111SDaniel Sanders   Register BaseReg = MI->getOperand(BasePosLd).getReg();
2202254f889dSBrendon Cahoon 
2203254f889dSBrendon Cahoon   // Look for the Phi instruction.
2204fdf9bf4fSJustin Bogner   MachineRegisterInfo &MRI = MI->getMF()->getRegInfo();
2205254f889dSBrendon Cahoon   MachineInstr *Phi = MRI.getVRegDef(BaseReg);
2206254f889dSBrendon Cahoon   if (!Phi || !Phi->isPHI())
2207254f889dSBrendon Cahoon     return false;
2208254f889dSBrendon Cahoon   // Get the register defined in the loop block.
2209254f889dSBrendon Cahoon   unsigned PrevReg = getLoopPhiReg(*Phi, MI->getParent());
2210254f889dSBrendon Cahoon   if (!PrevReg)
2211254f889dSBrendon Cahoon     return false;
2212254f889dSBrendon Cahoon 
2213254f889dSBrendon Cahoon   // Check for the post-increment load/store instruction.
2214254f889dSBrendon Cahoon   MachineInstr *PrevDef = MRI.getVRegDef(PrevReg);
2215254f889dSBrendon Cahoon   if (!PrevDef || PrevDef == MI)
2216254f889dSBrendon Cahoon     return false;
2217254f889dSBrendon Cahoon 
22188fb181caSKrzysztof Parzyszek   if (!TII->isPostIncrement(*PrevDef))
2219254f889dSBrendon Cahoon     return false;
2220254f889dSBrendon Cahoon 
2221254f889dSBrendon Cahoon   unsigned BasePos1 = 0, OffsetPos1 = 0;
22228fb181caSKrzysztof Parzyszek   if (!TII->getBaseAndOffsetPosition(*PrevDef, BasePos1, OffsetPos1))
2223254f889dSBrendon Cahoon     return false;
2224254f889dSBrendon Cahoon 
222540df8a2bSKrzysztof Parzyszek   // Make sure that the instructions do not access the same memory location in
222640df8a2bSKrzysztof Parzyszek   // the next iteration.
2227254f889dSBrendon Cahoon   int64_t LoadOffset = MI->getOperand(OffsetPosLd).getImm();
2228254f889dSBrendon Cahoon   int64_t StoreOffset = PrevDef->getOperand(OffsetPos1).getImm();
222940df8a2bSKrzysztof Parzyszek   MachineInstr *NewMI = MF.CloneMachineInstr(MI);
223040df8a2bSKrzysztof Parzyszek   NewMI->getOperand(OffsetPosLd).setImm(LoadOffset + StoreOffset);
223140df8a2bSKrzysztof Parzyszek   bool Disjoint = TII->areMemAccessesTriviallyDisjoint(*NewMI, *PrevDef);
223240df8a2bSKrzysztof Parzyszek   MF.DeleteMachineInstr(NewMI);
223340df8a2bSKrzysztof Parzyszek   if (!Disjoint)
2234254f889dSBrendon Cahoon     return false;
2235254f889dSBrendon Cahoon 
2236254f889dSBrendon Cahoon   // Set the return value once we determine that we return true.
2237254f889dSBrendon Cahoon   BasePos = BasePosLd;
2238254f889dSBrendon Cahoon   OffsetPos = OffsetPosLd;
2239254f889dSBrendon Cahoon   NewBase = PrevReg;
2240254f889dSBrendon Cahoon   Offset = StoreOffset;
2241254f889dSBrendon Cahoon   return true;
2242254f889dSBrendon Cahoon }
2243254f889dSBrendon Cahoon 
2244254f889dSBrendon Cahoon /// Apply changes to the instruction if needed. The changes are need
2245254f889dSBrendon Cahoon /// to improve the scheduling and depend up on the final schedule.
22468f174ddeSKrzysztof Parzyszek void SwingSchedulerDAG::applyInstrChange(MachineInstr *MI,
22478f174ddeSKrzysztof Parzyszek                                          SMSchedule &Schedule) {
2248254f889dSBrendon Cahoon   SUnit *SU = getSUnit(MI);
2249254f889dSBrendon Cahoon   DenseMap<SUnit *, std::pair<unsigned, int64_t>>::iterator It =
2250254f889dSBrendon Cahoon       InstrChanges.find(SU);
2251254f889dSBrendon Cahoon   if (It != InstrChanges.end()) {
2252254f889dSBrendon Cahoon     std::pair<unsigned, int64_t> RegAndOffset = It->second;
2253254f889dSBrendon Cahoon     unsigned BasePos, OffsetPos;
22548fb181caSKrzysztof Parzyszek     if (!TII->getBaseAndOffsetPosition(*MI, BasePos, OffsetPos))
22558f174ddeSKrzysztof Parzyszek       return;
22560c476111SDaniel Sanders     Register BaseReg = MI->getOperand(BasePos).getReg();
2257254f889dSBrendon Cahoon     MachineInstr *LoopDef = findDefInLoop(BaseReg);
2258254f889dSBrendon Cahoon     int DefStageNum = Schedule.stageScheduled(getSUnit(LoopDef));
2259254f889dSBrendon Cahoon     int DefCycleNum = Schedule.cycleScheduled(getSUnit(LoopDef));
2260254f889dSBrendon Cahoon     int BaseStageNum = Schedule.stageScheduled(SU);
2261254f889dSBrendon Cahoon     int BaseCycleNum = Schedule.cycleScheduled(SU);
2262254f889dSBrendon Cahoon     if (BaseStageNum < DefStageNum) {
2263254f889dSBrendon Cahoon       MachineInstr *NewMI = MF.CloneMachineInstr(MI);
2264254f889dSBrendon Cahoon       int OffsetDiff = DefStageNum - BaseStageNum;
2265254f889dSBrendon Cahoon       if (DefCycleNum < BaseCycleNum) {
2266254f889dSBrendon Cahoon         NewMI->getOperand(BasePos).setReg(RegAndOffset.first);
2267254f889dSBrendon Cahoon         if (OffsetDiff > 0)
2268254f889dSBrendon Cahoon           --OffsetDiff;
2269254f889dSBrendon Cahoon       }
2270254f889dSBrendon Cahoon       int64_t NewOffset =
2271254f889dSBrendon Cahoon           MI->getOperand(OffsetPos).getImm() + RegAndOffset.second * OffsetDiff;
2272254f889dSBrendon Cahoon       NewMI->getOperand(OffsetPos).setImm(NewOffset);
2273254f889dSBrendon Cahoon       SU->setInstr(NewMI);
2274254f889dSBrendon Cahoon       MISUnitMap[NewMI] = SU;
2275790a779fSJames Molloy       NewMIs[MI] = NewMI;
2276254f889dSBrendon Cahoon     }
2277254f889dSBrendon Cahoon   }
2278254f889dSBrendon Cahoon }
2279254f889dSBrendon Cahoon 
2280790a779fSJames Molloy /// Return the instruction in the loop that defines the register.
2281790a779fSJames Molloy /// If the definition is a Phi, then follow the Phi operand to
2282790a779fSJames Molloy /// the instruction in the loop.
2283c8fcffe7SMircea Trofin MachineInstr *SwingSchedulerDAG::findDefInLoop(Register Reg) {
2284790a779fSJames Molloy   SmallPtrSet<MachineInstr *, 8> Visited;
2285790a779fSJames Molloy   MachineInstr *Def = MRI.getVRegDef(Reg);
2286790a779fSJames Molloy   while (Def->isPHI()) {
2287790a779fSJames Molloy     if (!Visited.insert(Def).second)
2288790a779fSJames Molloy       break;
2289790a779fSJames Molloy     for (unsigned i = 1, e = Def->getNumOperands(); i < e; i += 2)
2290790a779fSJames Molloy       if (Def->getOperand(i + 1).getMBB() == BB) {
2291790a779fSJames Molloy         Def = MRI.getVRegDef(Def->getOperand(i).getReg());
2292790a779fSJames Molloy         break;
2293790a779fSJames Molloy       }
2294790a779fSJames Molloy   }
2295790a779fSJames Molloy   return Def;
2296790a779fSJames Molloy }
2297790a779fSJames Molloy 
22988e1363dfSKrzysztof Parzyszek /// Return true for an order or output dependence that is loop carried
22998e1363dfSKrzysztof Parzyszek /// potentially. A dependence is loop carried if the destination defines a valu
23008e1363dfSKrzysztof Parzyszek /// that may be used or defined by the source in a subsequent iteration.
23018e1363dfSKrzysztof Parzyszek bool SwingSchedulerDAG::isLoopCarriedDep(SUnit *Source, const SDep &Dep,
2302254f889dSBrendon Cahoon                                          bool isSucc) {
23038e1363dfSKrzysztof Parzyszek   if ((Dep.getKind() != SDep::Order && Dep.getKind() != SDep::Output) ||
23048e1363dfSKrzysztof Parzyszek       Dep.isArtificial())
2305254f889dSBrendon Cahoon     return false;
2306254f889dSBrendon Cahoon 
2307254f889dSBrendon Cahoon   if (!SwpPruneLoopCarried)
2308254f889dSBrendon Cahoon     return true;
2309254f889dSBrendon Cahoon 
23108e1363dfSKrzysztof Parzyszek   if (Dep.getKind() == SDep::Output)
23118e1363dfSKrzysztof Parzyszek     return true;
23128e1363dfSKrzysztof Parzyszek 
2313254f889dSBrendon Cahoon   MachineInstr *SI = Source->getInstr();
2314254f889dSBrendon Cahoon   MachineInstr *DI = Dep.getSUnit()->getInstr();
2315254f889dSBrendon Cahoon   if (!isSucc)
2316254f889dSBrendon Cahoon     std::swap(SI, DI);
2317254f889dSBrendon Cahoon   assert(SI != nullptr && DI != nullptr && "Expecting SUnit with an MI.");
2318254f889dSBrendon Cahoon 
2319254f889dSBrendon Cahoon   // Assume ordered loads and stores may have a loop carried dependence.
2320254f889dSBrendon Cahoon   if (SI->hasUnmodeledSideEffects() || DI->hasUnmodeledSideEffects() ||
23216c5d5ce5SUlrich Weigand       SI->mayRaiseFPException() || DI->mayRaiseFPException() ||
2322254f889dSBrendon Cahoon       SI->hasOrderedMemoryRef() || DI->hasOrderedMemoryRef())
2323254f889dSBrendon Cahoon     return true;
2324254f889dSBrendon Cahoon 
2325254f889dSBrendon Cahoon   // Only chain dependences between a load and store can be loop carried.
2326254f889dSBrendon Cahoon   if (!DI->mayStore() || !SI->mayLoad())
2327254f889dSBrendon Cahoon     return false;
2328254f889dSBrendon Cahoon 
2329254f889dSBrendon Cahoon   unsigned DeltaS, DeltaD;
2330254f889dSBrendon Cahoon   if (!computeDelta(*SI, DeltaS) || !computeDelta(*DI, DeltaD))
2331254f889dSBrendon Cahoon     return true;
2332254f889dSBrendon Cahoon 
2333238c9d63SBjorn Pettersson   const MachineOperand *BaseOpS, *BaseOpD;
2334254f889dSBrendon Cahoon   int64_t OffsetS, OffsetD;
23358fbc9258SSander de Smalen   bool OffsetSIsScalable, OffsetDIsScalable;
2336254f889dSBrendon Cahoon   const TargetRegisterInfo *TRI = MF.getSubtarget().getRegisterInfo();
23378fbc9258SSander de Smalen   if (!TII->getMemOperandWithOffset(*SI, BaseOpS, OffsetS, OffsetSIsScalable,
23388fbc9258SSander de Smalen                                     TRI) ||
23398fbc9258SSander de Smalen       !TII->getMemOperandWithOffset(*DI, BaseOpD, OffsetD, OffsetDIsScalable,
23408fbc9258SSander de Smalen                                     TRI))
2341254f889dSBrendon Cahoon     return true;
2342254f889dSBrendon Cahoon 
23438fbc9258SSander de Smalen   assert(!OffsetSIsScalable && !OffsetDIsScalable &&
23448fbc9258SSander de Smalen          "Expected offsets to be byte offsets");
23458fbc9258SSander de Smalen 
2346d7eebd6dSFrancis Visoiu Mistrih   if (!BaseOpS->isIdenticalTo(*BaseOpD))
2347254f889dSBrendon Cahoon     return true;
2348254f889dSBrendon Cahoon 
23498c07d0c4SKrzysztof Parzyszek   // Check that the base register is incremented by a constant value for each
23508c07d0c4SKrzysztof Parzyszek   // iteration.
2351d7eebd6dSFrancis Visoiu Mistrih   MachineInstr *Def = MRI.getVRegDef(BaseOpS->getReg());
23528c07d0c4SKrzysztof Parzyszek   if (!Def || !Def->isPHI())
23538c07d0c4SKrzysztof Parzyszek     return true;
23548c07d0c4SKrzysztof Parzyszek   unsigned InitVal = 0;
23558c07d0c4SKrzysztof Parzyszek   unsigned LoopVal = 0;
23568c07d0c4SKrzysztof Parzyszek   getPhiRegs(*Def, BB, InitVal, LoopVal);
23578c07d0c4SKrzysztof Parzyszek   MachineInstr *LoopDef = MRI.getVRegDef(LoopVal);
23588c07d0c4SKrzysztof Parzyszek   int D = 0;
23598c07d0c4SKrzysztof Parzyszek   if (!LoopDef || !TII->getIncrementValue(*LoopDef, D))
23608c07d0c4SKrzysztof Parzyszek     return true;
23618c07d0c4SKrzysztof Parzyszek 
2362254f889dSBrendon Cahoon   uint64_t AccessSizeS = (*SI->memoperands_begin())->getSize();
2363254f889dSBrendon Cahoon   uint64_t AccessSizeD = (*DI->memoperands_begin())->getSize();
2364254f889dSBrendon Cahoon 
2365254f889dSBrendon Cahoon   // This is the main test, which checks the offset values and the loop
2366254f889dSBrendon Cahoon   // increment value to determine if the accesses may be loop carried.
236757c3d4beSBrendon Cahoon   if (AccessSizeS == MemoryLocation::UnknownSize ||
236857c3d4beSBrendon Cahoon       AccessSizeD == MemoryLocation::UnknownSize)
2369254f889dSBrendon Cahoon     return true;
237057c3d4beSBrendon Cahoon 
237157c3d4beSBrendon Cahoon   if (DeltaS != DeltaD || DeltaS < AccessSizeS || DeltaD < AccessSizeD)
237257c3d4beSBrendon Cahoon     return true;
237357c3d4beSBrendon Cahoon 
237457c3d4beSBrendon Cahoon   return (OffsetS + (int64_t)AccessSizeS < OffsetD + (int64_t)AccessSizeD);
2375254f889dSBrendon Cahoon }
2376254f889dSBrendon Cahoon 
237788391248SKrzysztof Parzyszek void SwingSchedulerDAG::postprocessDAG() {
237888391248SKrzysztof Parzyszek   for (auto &M : Mutations)
237988391248SKrzysztof Parzyszek     M->apply(this);
238088391248SKrzysztof Parzyszek }
238188391248SKrzysztof Parzyszek 
2382254f889dSBrendon Cahoon /// Try to schedule the node at the specified StartCycle and continue
2383254f889dSBrendon Cahoon /// until the node is schedule or the EndCycle is reached.  This function
2384254f889dSBrendon Cahoon /// returns true if the node is scheduled.  This routine may search either
2385254f889dSBrendon Cahoon /// forward or backward for a place to insert the instruction based upon
2386254f889dSBrendon Cahoon /// the relative values of StartCycle and EndCycle.
2387254f889dSBrendon Cahoon bool SMSchedule::insert(SUnit *SU, int StartCycle, int EndCycle, int II) {
2388254f889dSBrendon Cahoon   bool forward = true;
238918e7bf5cSJinsong Ji   LLVM_DEBUG({
239018e7bf5cSJinsong Ji     dbgs() << "Trying to insert node between " << StartCycle << " and "
239118e7bf5cSJinsong Ji            << EndCycle << " II: " << II << "\n";
239218e7bf5cSJinsong Ji   });
2393254f889dSBrendon Cahoon   if (StartCycle > EndCycle)
2394254f889dSBrendon Cahoon     forward = false;
2395254f889dSBrendon Cahoon 
2396254f889dSBrendon Cahoon   // The terminating condition depends on the direction.
2397254f889dSBrendon Cahoon   int termCycle = forward ? EndCycle + 1 : EndCycle - 1;
2398254f889dSBrendon Cahoon   for (int curCycle = StartCycle; curCycle != termCycle;
2399254f889dSBrendon Cahoon        forward ? ++curCycle : --curCycle) {
2400254f889dSBrendon Cahoon 
2401f6cb3bcbSJinsong Ji     // Add the already scheduled instructions at the specified cycle to the
2402f6cb3bcbSJinsong Ji     // DFA.
2403f6cb3bcbSJinsong Ji     ProcItinResources.clearResources();
2404254f889dSBrendon Cahoon     for (int checkCycle = FirstCycle + ((curCycle - FirstCycle) % II);
2405254f889dSBrendon Cahoon          checkCycle <= LastCycle; checkCycle += II) {
2406254f889dSBrendon Cahoon       std::deque<SUnit *> &cycleInstrs = ScheduledInstrs[checkCycle];
2407254f889dSBrendon Cahoon 
2408254f889dSBrendon Cahoon       for (std::deque<SUnit *>::iterator I = cycleInstrs.begin(),
2409254f889dSBrendon Cahoon                                          E = cycleInstrs.end();
2410254f889dSBrendon Cahoon            I != E; ++I) {
2411254f889dSBrendon Cahoon         if (ST.getInstrInfo()->isZeroCost((*I)->getInstr()->getOpcode()))
2412254f889dSBrendon Cahoon           continue;
2413f6cb3bcbSJinsong Ji         assert(ProcItinResources.canReserveResources(*(*I)->getInstr()) &&
2414254f889dSBrendon Cahoon                "These instructions have already been scheduled.");
2415f6cb3bcbSJinsong Ji         ProcItinResources.reserveResources(*(*I)->getInstr());
2416254f889dSBrendon Cahoon       }
2417254f889dSBrendon Cahoon     }
2418254f889dSBrendon Cahoon     if (ST.getInstrInfo()->isZeroCost(SU->getInstr()->getOpcode()) ||
2419f6cb3bcbSJinsong Ji         ProcItinResources.canReserveResources(*SU->getInstr())) {
2420d34e60caSNicola Zaghen       LLVM_DEBUG({
2421254f889dSBrendon Cahoon         dbgs() << "\tinsert at cycle " << curCycle << " ";
2422254f889dSBrendon Cahoon         SU->getInstr()->dump();
2423254f889dSBrendon Cahoon       });
2424254f889dSBrendon Cahoon 
2425254f889dSBrendon Cahoon       ScheduledInstrs[curCycle].push_back(SU);
2426254f889dSBrendon Cahoon       InstrToCycle.insert(std::make_pair(SU, curCycle));
2427254f889dSBrendon Cahoon       if (curCycle > LastCycle)
2428254f889dSBrendon Cahoon         LastCycle = curCycle;
2429254f889dSBrendon Cahoon       if (curCycle < FirstCycle)
2430254f889dSBrendon Cahoon         FirstCycle = curCycle;
2431254f889dSBrendon Cahoon       return true;
2432254f889dSBrendon Cahoon     }
2433d34e60caSNicola Zaghen     LLVM_DEBUG({
2434254f889dSBrendon Cahoon       dbgs() << "\tfailed to insert at cycle " << curCycle << " ";
2435254f889dSBrendon Cahoon       SU->getInstr()->dump();
2436254f889dSBrendon Cahoon     });
2437254f889dSBrendon Cahoon   }
2438254f889dSBrendon Cahoon   return false;
2439254f889dSBrendon Cahoon }
2440254f889dSBrendon Cahoon 
2441254f889dSBrendon Cahoon // Return the cycle of the earliest scheduled instruction in the chain.
2442254f889dSBrendon Cahoon int SMSchedule::earliestCycleInChain(const SDep &Dep) {
2443254f889dSBrendon Cahoon   SmallPtrSet<SUnit *, 8> Visited;
2444254f889dSBrendon Cahoon   SmallVector<SDep, 8> Worklist;
2445254f889dSBrendon Cahoon   Worklist.push_back(Dep);
2446254f889dSBrendon Cahoon   int EarlyCycle = INT_MAX;
2447254f889dSBrendon Cahoon   while (!Worklist.empty()) {
2448254f889dSBrendon Cahoon     const SDep &Cur = Worklist.pop_back_val();
2449254f889dSBrendon Cahoon     SUnit *PrevSU = Cur.getSUnit();
2450254f889dSBrendon Cahoon     if (Visited.count(PrevSU))
2451254f889dSBrendon Cahoon       continue;
2452254f889dSBrendon Cahoon     std::map<SUnit *, int>::const_iterator it = InstrToCycle.find(PrevSU);
2453254f889dSBrendon Cahoon     if (it == InstrToCycle.end())
2454254f889dSBrendon Cahoon       continue;
2455254f889dSBrendon Cahoon     EarlyCycle = std::min(EarlyCycle, it->second);
2456254f889dSBrendon Cahoon     for (const auto &PI : PrevSU->Preds)
24574a6ebc03SLama       if (PI.getKind() == SDep::Order || PI.getKind() == SDep::Output)
2458254f889dSBrendon Cahoon         Worklist.push_back(PI);
2459254f889dSBrendon Cahoon     Visited.insert(PrevSU);
2460254f889dSBrendon Cahoon   }
2461254f889dSBrendon Cahoon   return EarlyCycle;
2462254f889dSBrendon Cahoon }
2463254f889dSBrendon Cahoon 
2464254f889dSBrendon Cahoon // Return the cycle of the latest scheduled instruction in the chain.
2465254f889dSBrendon Cahoon int SMSchedule::latestCycleInChain(const SDep &Dep) {
2466254f889dSBrendon Cahoon   SmallPtrSet<SUnit *, 8> Visited;
2467254f889dSBrendon Cahoon   SmallVector<SDep, 8> Worklist;
2468254f889dSBrendon Cahoon   Worklist.push_back(Dep);
2469254f889dSBrendon Cahoon   int LateCycle = INT_MIN;
2470254f889dSBrendon Cahoon   while (!Worklist.empty()) {
2471254f889dSBrendon Cahoon     const SDep &Cur = Worklist.pop_back_val();
2472254f889dSBrendon Cahoon     SUnit *SuccSU = Cur.getSUnit();
2473254f889dSBrendon Cahoon     if (Visited.count(SuccSU))
2474254f889dSBrendon Cahoon       continue;
2475254f889dSBrendon Cahoon     std::map<SUnit *, int>::const_iterator it = InstrToCycle.find(SuccSU);
2476254f889dSBrendon Cahoon     if (it == InstrToCycle.end())
2477254f889dSBrendon Cahoon       continue;
2478254f889dSBrendon Cahoon     LateCycle = std::max(LateCycle, it->second);
2479254f889dSBrendon Cahoon     for (const auto &SI : SuccSU->Succs)
24804a6ebc03SLama       if (SI.getKind() == SDep::Order || SI.getKind() == SDep::Output)
2481254f889dSBrendon Cahoon         Worklist.push_back(SI);
2482254f889dSBrendon Cahoon     Visited.insert(SuccSU);
2483254f889dSBrendon Cahoon   }
2484254f889dSBrendon Cahoon   return LateCycle;
2485254f889dSBrendon Cahoon }
2486254f889dSBrendon Cahoon 
2487254f889dSBrendon Cahoon /// If an instruction has a use that spans multiple iterations, then
2488254f889dSBrendon Cahoon /// return true. These instructions are characterized by having a back-ege
2489254f889dSBrendon Cahoon /// to a Phi, which contains a reference to another Phi.
2490254f889dSBrendon Cahoon static SUnit *multipleIterations(SUnit *SU, SwingSchedulerDAG *DAG) {
2491254f889dSBrendon Cahoon   for (auto &P : SU->Preds)
2492254f889dSBrendon Cahoon     if (DAG->isBackedge(SU, P) && P.getSUnit()->getInstr()->isPHI())
2493254f889dSBrendon Cahoon       for (auto &S : P.getSUnit()->Succs)
2494b9b75b8cSKrzysztof Parzyszek         if (S.getKind() == SDep::Data && S.getSUnit()->getInstr()->isPHI())
2495254f889dSBrendon Cahoon           return P.getSUnit();
2496254f889dSBrendon Cahoon   return nullptr;
2497254f889dSBrendon Cahoon }
2498254f889dSBrendon Cahoon 
2499254f889dSBrendon Cahoon /// Compute the scheduling start slot for the instruction.  The start slot
2500254f889dSBrendon Cahoon /// depends on any predecessor or successor nodes scheduled already.
2501254f889dSBrendon Cahoon void SMSchedule::computeStart(SUnit *SU, int *MaxEarlyStart, int *MinLateStart,
2502254f889dSBrendon Cahoon                               int *MinEnd, int *MaxStart, int II,
2503254f889dSBrendon Cahoon                               SwingSchedulerDAG *DAG) {
2504254f889dSBrendon Cahoon   // Iterate over each instruction that has been scheduled already.  The start
2505c73b6d6bSHiroshi Inoue   // slot computation depends on whether the previously scheduled instruction
2506254f889dSBrendon Cahoon   // is a predecessor or successor of the specified instruction.
2507254f889dSBrendon Cahoon   for (int cycle = getFirstCycle(); cycle <= LastCycle; ++cycle) {
2508254f889dSBrendon Cahoon 
2509254f889dSBrendon Cahoon     // Iterate over each instruction in the current cycle.
2510254f889dSBrendon Cahoon     for (SUnit *I : getInstructions(cycle)) {
2511254f889dSBrendon Cahoon       // Because we're processing a DAG for the dependences, we recognize
2512254f889dSBrendon Cahoon       // the back-edge in recurrences by anti dependences.
2513254f889dSBrendon Cahoon       for (unsigned i = 0, e = (unsigned)SU->Preds.size(); i != e; ++i) {
2514254f889dSBrendon Cahoon         const SDep &Dep = SU->Preds[i];
2515254f889dSBrendon Cahoon         if (Dep.getSUnit() == I) {
2516254f889dSBrendon Cahoon           if (!DAG->isBackedge(SU, Dep)) {
2517c715a5d2SKrzysztof Parzyszek             int EarlyStart = cycle + Dep.getLatency() -
2518254f889dSBrendon Cahoon                              DAG->getDistance(Dep.getSUnit(), SU, Dep) * II;
2519254f889dSBrendon Cahoon             *MaxEarlyStart = std::max(*MaxEarlyStart, EarlyStart);
25208e1363dfSKrzysztof Parzyszek             if (DAG->isLoopCarriedDep(SU, Dep, false)) {
2521254f889dSBrendon Cahoon               int End = earliestCycleInChain(Dep) + (II - 1);
2522254f889dSBrendon Cahoon               *MinEnd = std::min(*MinEnd, End);
2523254f889dSBrendon Cahoon             }
2524254f889dSBrendon Cahoon           } else {
2525c715a5d2SKrzysztof Parzyszek             int LateStart = cycle - Dep.getLatency() +
2526254f889dSBrendon Cahoon                             DAG->getDistance(SU, Dep.getSUnit(), Dep) * II;
2527254f889dSBrendon Cahoon             *MinLateStart = std::min(*MinLateStart, LateStart);
2528254f889dSBrendon Cahoon           }
2529254f889dSBrendon Cahoon         }
2530254f889dSBrendon Cahoon         // For instruction that requires multiple iterations, make sure that
2531254f889dSBrendon Cahoon         // the dependent instruction is not scheduled past the definition.
2532254f889dSBrendon Cahoon         SUnit *BE = multipleIterations(I, DAG);
2533254f889dSBrendon Cahoon         if (BE && Dep.getSUnit() == BE && !SU->getInstr()->isPHI() &&
2534254f889dSBrendon Cahoon             !SU->isPred(I))
2535254f889dSBrendon Cahoon           *MinLateStart = std::min(*MinLateStart, cycle);
2536254f889dSBrendon Cahoon       }
2537a2122044SKrzysztof Parzyszek       for (unsigned i = 0, e = (unsigned)SU->Succs.size(); i != e; ++i) {
2538254f889dSBrendon Cahoon         if (SU->Succs[i].getSUnit() == I) {
2539254f889dSBrendon Cahoon           const SDep &Dep = SU->Succs[i];
2540254f889dSBrendon Cahoon           if (!DAG->isBackedge(SU, Dep)) {
2541c715a5d2SKrzysztof Parzyszek             int LateStart = cycle - Dep.getLatency() +
2542254f889dSBrendon Cahoon                             DAG->getDistance(SU, Dep.getSUnit(), Dep) * II;
2543254f889dSBrendon Cahoon             *MinLateStart = std::min(*MinLateStart, LateStart);
25448e1363dfSKrzysztof Parzyszek             if (DAG->isLoopCarriedDep(SU, Dep)) {
2545254f889dSBrendon Cahoon               int Start = latestCycleInChain(Dep) + 1 - II;
2546254f889dSBrendon Cahoon               *MaxStart = std::max(*MaxStart, Start);
2547254f889dSBrendon Cahoon             }
2548254f889dSBrendon Cahoon           } else {
2549c715a5d2SKrzysztof Parzyszek             int EarlyStart = cycle + Dep.getLatency() -
2550254f889dSBrendon Cahoon                              DAG->getDistance(Dep.getSUnit(), SU, Dep) * II;
2551254f889dSBrendon Cahoon             *MaxEarlyStart = std::max(*MaxEarlyStart, EarlyStart);
2552254f889dSBrendon Cahoon           }
2553254f889dSBrendon Cahoon         }
2554254f889dSBrendon Cahoon       }
2555254f889dSBrendon Cahoon     }
2556254f889dSBrendon Cahoon   }
2557a2122044SKrzysztof Parzyszek }
2558254f889dSBrendon Cahoon 
2559254f889dSBrendon Cahoon /// Order the instructions within a cycle so that the definitions occur
2560254f889dSBrendon Cahoon /// before the uses. Returns true if the instruction is added to the start
2561254f889dSBrendon Cahoon /// of the list, or false if added to the end.
2562f13bbf1dSKrzysztof Parzyszek void SMSchedule::orderDependence(SwingSchedulerDAG *SSD, SUnit *SU,
2563254f889dSBrendon Cahoon                                  std::deque<SUnit *> &Insts) {
2564254f889dSBrendon Cahoon   MachineInstr *MI = SU->getInstr();
2565254f889dSBrendon Cahoon   bool OrderBeforeUse = false;
2566254f889dSBrendon Cahoon   bool OrderAfterDef = false;
2567254f889dSBrendon Cahoon   bool OrderBeforeDef = false;
2568254f889dSBrendon Cahoon   unsigned MoveDef = 0;
2569254f889dSBrendon Cahoon   unsigned MoveUse = 0;
2570254f889dSBrendon Cahoon   int StageInst1 = stageScheduled(SU);
2571254f889dSBrendon Cahoon 
2572254f889dSBrendon Cahoon   unsigned Pos = 0;
2573254f889dSBrendon Cahoon   for (std::deque<SUnit *>::iterator I = Insts.begin(), E = Insts.end(); I != E;
2574254f889dSBrendon Cahoon        ++I, ++Pos) {
2575254f889dSBrendon Cahoon     for (unsigned i = 0, e = MI->getNumOperands(); i < e; ++i) {
2576254f889dSBrendon Cahoon       MachineOperand &MO = MI->getOperand(i);
25772bea69bfSDaniel Sanders       if (!MO.isReg() || !Register::isVirtualRegister(MO.getReg()))
2578254f889dSBrendon Cahoon         continue;
2579f13bbf1dSKrzysztof Parzyszek 
25800c476111SDaniel Sanders       Register Reg = MO.getReg();
2581254f889dSBrendon Cahoon       unsigned BasePos, OffsetPos;
25828fb181caSKrzysztof Parzyszek       if (ST.getInstrInfo()->getBaseAndOffsetPosition(*MI, BasePos, OffsetPos))
2583254f889dSBrendon Cahoon         if (MI->getOperand(BasePos).getReg() == Reg)
2584254f889dSBrendon Cahoon           if (unsigned NewReg = SSD->getInstrBaseReg(SU))
2585254f889dSBrendon Cahoon             Reg = NewReg;
2586254f889dSBrendon Cahoon       bool Reads, Writes;
2587254f889dSBrendon Cahoon       std::tie(Reads, Writes) =
2588254f889dSBrendon Cahoon           (*I)->getInstr()->readsWritesVirtualRegister(Reg);
2589254f889dSBrendon Cahoon       if (MO.isDef() && Reads && stageScheduled(*I) <= StageInst1) {
2590254f889dSBrendon Cahoon         OrderBeforeUse = true;
2591f13bbf1dSKrzysztof Parzyszek         if (MoveUse == 0)
2592254f889dSBrendon Cahoon           MoveUse = Pos;
2593254f889dSBrendon Cahoon       } else if (MO.isDef() && Reads && stageScheduled(*I) > StageInst1) {
2594254f889dSBrendon Cahoon         // Add the instruction after the scheduled instruction.
2595254f889dSBrendon Cahoon         OrderAfterDef = true;
2596254f889dSBrendon Cahoon         MoveDef = Pos;
2597254f889dSBrendon Cahoon       } else if (MO.isUse() && Writes && stageScheduled(*I) == StageInst1) {
2598254f889dSBrendon Cahoon         if (cycleScheduled(*I) == cycleScheduled(SU) && !(*I)->isSucc(SU)) {
2599254f889dSBrendon Cahoon           OrderBeforeUse = true;
2600f13bbf1dSKrzysztof Parzyszek           if (MoveUse == 0)
2601254f889dSBrendon Cahoon             MoveUse = Pos;
2602254f889dSBrendon Cahoon         } else {
2603254f889dSBrendon Cahoon           OrderAfterDef = true;
2604254f889dSBrendon Cahoon           MoveDef = Pos;
2605254f889dSBrendon Cahoon         }
2606254f889dSBrendon Cahoon       } else if (MO.isUse() && Writes && stageScheduled(*I) > StageInst1) {
2607254f889dSBrendon Cahoon         OrderBeforeUse = true;
2608f13bbf1dSKrzysztof Parzyszek         if (MoveUse == 0)
2609254f889dSBrendon Cahoon           MoveUse = Pos;
2610254f889dSBrendon Cahoon         if (MoveUse != 0) {
2611254f889dSBrendon Cahoon           OrderAfterDef = true;
2612254f889dSBrendon Cahoon           MoveDef = Pos - 1;
2613254f889dSBrendon Cahoon         }
2614254f889dSBrendon Cahoon       } else if (MO.isUse() && Writes && stageScheduled(*I) < StageInst1) {
2615254f889dSBrendon Cahoon         // Add the instruction before the scheduled instruction.
2616254f889dSBrendon Cahoon         OrderBeforeUse = true;
2617f13bbf1dSKrzysztof Parzyszek         if (MoveUse == 0)
2618254f889dSBrendon Cahoon           MoveUse = Pos;
2619254f889dSBrendon Cahoon       } else if (MO.isUse() && stageScheduled(*I) == StageInst1 &&
2620254f889dSBrendon Cahoon                  isLoopCarriedDefOfUse(SSD, (*I)->getInstr(), MO)) {
2621f13bbf1dSKrzysztof Parzyszek         if (MoveUse == 0) {
2622254f889dSBrendon Cahoon           OrderBeforeDef = true;
2623254f889dSBrendon Cahoon           MoveUse = Pos;
2624254f889dSBrendon Cahoon         }
2625254f889dSBrendon Cahoon       }
2626f13bbf1dSKrzysztof Parzyszek     }
2627254f889dSBrendon Cahoon     // Check for order dependences between instructions. Make sure the source
2628254f889dSBrendon Cahoon     // is ordered before the destination.
26298e1363dfSKrzysztof Parzyszek     for (auto &S : SU->Succs) {
26308e1363dfSKrzysztof Parzyszek       if (S.getSUnit() != *I)
26318e1363dfSKrzysztof Parzyszek         continue;
26328e1363dfSKrzysztof Parzyszek       if (S.getKind() == SDep::Order && stageScheduled(*I) == StageInst1) {
2633254f889dSBrendon Cahoon         OrderBeforeUse = true;
26348e1363dfSKrzysztof Parzyszek         if (Pos < MoveUse)
2635254f889dSBrendon Cahoon           MoveUse = Pos;
2636254f889dSBrendon Cahoon       }
263795770866SJinsong Ji       // We did not handle HW dependences in previous for loop,
263895770866SJinsong Ji       // and we normally set Latency = 0 for Anti deps,
263995770866SJinsong Ji       // so may have nodes in same cycle with Anti denpendent on HW regs.
264095770866SJinsong Ji       else if (S.getKind() == SDep::Anti && stageScheduled(*I) == StageInst1) {
264195770866SJinsong Ji         OrderBeforeUse = true;
264295770866SJinsong Ji         if ((MoveUse == 0) || (Pos < MoveUse))
264395770866SJinsong Ji           MoveUse = Pos;
264495770866SJinsong Ji       }
2645254f889dSBrendon Cahoon     }
26468e1363dfSKrzysztof Parzyszek     for (auto &P : SU->Preds) {
26478e1363dfSKrzysztof Parzyszek       if (P.getSUnit() != *I)
26488e1363dfSKrzysztof Parzyszek         continue;
26498e1363dfSKrzysztof Parzyszek       if (P.getKind() == SDep::Order && stageScheduled(*I) == StageInst1) {
2650254f889dSBrendon Cahoon         OrderAfterDef = true;
2651254f889dSBrendon Cahoon         MoveDef = Pos;
2652254f889dSBrendon Cahoon       }
2653254f889dSBrendon Cahoon     }
2654254f889dSBrendon Cahoon   }
2655254f889dSBrendon Cahoon 
2656254f889dSBrendon Cahoon   // A circular dependence.
2657254f889dSBrendon Cahoon   if (OrderAfterDef && OrderBeforeUse && MoveUse == MoveDef)
2658254f889dSBrendon Cahoon     OrderBeforeUse = false;
2659254f889dSBrendon Cahoon 
2660254f889dSBrendon Cahoon   // OrderAfterDef takes precedences over OrderBeforeDef. The latter is due
2661254f889dSBrendon Cahoon   // to a loop-carried dependence.
2662254f889dSBrendon Cahoon   if (OrderBeforeDef)
2663254f889dSBrendon Cahoon     OrderBeforeUse = !OrderAfterDef || (MoveUse > MoveDef);
2664254f889dSBrendon Cahoon 
2665254f889dSBrendon Cahoon   // The uncommon case when the instruction order needs to be updated because
2666254f889dSBrendon Cahoon   // there is both a use and def.
2667254f889dSBrendon Cahoon   if (OrderBeforeUse && OrderAfterDef) {
2668254f889dSBrendon Cahoon     SUnit *UseSU = Insts.at(MoveUse);
2669254f889dSBrendon Cahoon     SUnit *DefSU = Insts.at(MoveDef);
2670254f889dSBrendon Cahoon     if (MoveUse > MoveDef) {
2671254f889dSBrendon Cahoon       Insts.erase(Insts.begin() + MoveUse);
2672254f889dSBrendon Cahoon       Insts.erase(Insts.begin() + MoveDef);
2673254f889dSBrendon Cahoon     } else {
2674254f889dSBrendon Cahoon       Insts.erase(Insts.begin() + MoveDef);
2675254f889dSBrendon Cahoon       Insts.erase(Insts.begin() + MoveUse);
2676254f889dSBrendon Cahoon     }
2677f13bbf1dSKrzysztof Parzyszek     orderDependence(SSD, UseSU, Insts);
2678f13bbf1dSKrzysztof Parzyszek     orderDependence(SSD, SU, Insts);
2679254f889dSBrendon Cahoon     orderDependence(SSD, DefSU, Insts);
2680f13bbf1dSKrzysztof Parzyszek     return;
2681254f889dSBrendon Cahoon   }
2682254f889dSBrendon Cahoon   // Put the new instruction first if there is a use in the list. Otherwise,
2683254f889dSBrendon Cahoon   // put it at the end of the list.
2684254f889dSBrendon Cahoon   if (OrderBeforeUse)
2685254f889dSBrendon Cahoon     Insts.push_front(SU);
2686254f889dSBrendon Cahoon   else
2687254f889dSBrendon Cahoon     Insts.push_back(SU);
2688254f889dSBrendon Cahoon }
2689254f889dSBrendon Cahoon 
2690254f889dSBrendon Cahoon /// Return true if the scheduled Phi has a loop carried operand.
2691254f889dSBrendon Cahoon bool SMSchedule::isLoopCarried(SwingSchedulerDAG *SSD, MachineInstr &Phi) {
2692254f889dSBrendon Cahoon   if (!Phi.isPHI())
2693254f889dSBrendon Cahoon     return false;
2694c73b6d6bSHiroshi Inoue   assert(Phi.isPHI() && "Expecting a Phi.");
2695254f889dSBrendon Cahoon   SUnit *DefSU = SSD->getSUnit(&Phi);
2696254f889dSBrendon Cahoon   unsigned DefCycle = cycleScheduled(DefSU);
2697254f889dSBrendon Cahoon   int DefStage = stageScheduled(DefSU);
2698254f889dSBrendon Cahoon 
2699254f889dSBrendon Cahoon   unsigned InitVal = 0;
2700254f889dSBrendon Cahoon   unsigned LoopVal = 0;
2701254f889dSBrendon Cahoon   getPhiRegs(Phi, Phi.getParent(), InitVal, LoopVal);
2702254f889dSBrendon Cahoon   SUnit *UseSU = SSD->getSUnit(MRI.getVRegDef(LoopVal));
2703254f889dSBrendon Cahoon   if (!UseSU)
2704254f889dSBrendon Cahoon     return true;
2705254f889dSBrendon Cahoon   if (UseSU->getInstr()->isPHI())
2706254f889dSBrendon Cahoon     return true;
2707254f889dSBrendon Cahoon   unsigned LoopCycle = cycleScheduled(UseSU);
2708254f889dSBrendon Cahoon   int LoopStage = stageScheduled(UseSU);
27093d8482a8SSimon Pilgrim   return (LoopCycle > DefCycle) || (LoopStage <= DefStage);
2710254f889dSBrendon Cahoon }
2711254f889dSBrendon Cahoon 
2712254f889dSBrendon Cahoon /// Return true if the instruction is a definition that is loop carried
2713254f889dSBrendon Cahoon /// and defines the use on the next iteration.
2714254f889dSBrendon Cahoon ///        v1 = phi(v2, v3)
2715254f889dSBrendon Cahoon ///  (Def) v3 = op v1
2716254f889dSBrendon Cahoon ///  (MO)   = v1
2717254f889dSBrendon Cahoon /// If MO appears before Def, then then v1 and v3 may get assigned to the same
2718254f889dSBrendon Cahoon /// register.
2719254f889dSBrendon Cahoon bool SMSchedule::isLoopCarriedDefOfUse(SwingSchedulerDAG *SSD,
2720254f889dSBrendon Cahoon                                        MachineInstr *Def, MachineOperand &MO) {
2721254f889dSBrendon Cahoon   if (!MO.isReg())
2722254f889dSBrendon Cahoon     return false;
2723254f889dSBrendon Cahoon   if (Def->isPHI())
2724254f889dSBrendon Cahoon     return false;
2725254f889dSBrendon Cahoon   MachineInstr *Phi = MRI.getVRegDef(MO.getReg());
2726254f889dSBrendon Cahoon   if (!Phi || !Phi->isPHI() || Phi->getParent() != Def->getParent())
2727254f889dSBrendon Cahoon     return false;
2728254f889dSBrendon Cahoon   if (!isLoopCarried(SSD, *Phi))
2729254f889dSBrendon Cahoon     return false;
2730254f889dSBrendon Cahoon   unsigned LoopReg = getLoopPhiReg(*Phi, Phi->getParent());
2731254f889dSBrendon Cahoon   for (unsigned i = 0, e = Def->getNumOperands(); i != e; ++i) {
2732254f889dSBrendon Cahoon     MachineOperand &DMO = Def->getOperand(i);
2733254f889dSBrendon Cahoon     if (!DMO.isReg() || !DMO.isDef())
2734254f889dSBrendon Cahoon       continue;
2735254f889dSBrendon Cahoon     if (DMO.getReg() == LoopReg)
2736254f889dSBrendon Cahoon       return true;
2737254f889dSBrendon Cahoon   }
2738254f889dSBrendon Cahoon   return false;
2739254f889dSBrendon Cahoon }
2740254f889dSBrendon Cahoon 
2741254f889dSBrendon Cahoon // Check if the generated schedule is valid. This function checks if
2742254f889dSBrendon Cahoon // an instruction that uses a physical register is scheduled in a
2743254f889dSBrendon Cahoon // different stage than the definition. The pipeliner does not handle
2744254f889dSBrendon Cahoon // physical register values that may cross a basic block boundary.
2745254f889dSBrendon Cahoon bool SMSchedule::isValidSchedule(SwingSchedulerDAG *SSD) {
2746254f889dSBrendon Cahoon   for (int i = 0, e = SSD->SUnits.size(); i < e; ++i) {
2747254f889dSBrendon Cahoon     SUnit &SU = SSD->SUnits[i];
2748254f889dSBrendon Cahoon     if (!SU.hasPhysRegDefs)
2749254f889dSBrendon Cahoon       continue;
2750254f889dSBrendon Cahoon     int StageDef = stageScheduled(&SU);
2751254f889dSBrendon Cahoon     assert(StageDef != -1 && "Instruction should have been scheduled.");
2752254f889dSBrendon Cahoon     for (auto &SI : SU.Succs)
2753254f889dSBrendon Cahoon       if (SI.isAssignedRegDep())
27542bea69bfSDaniel Sanders         if (Register::isPhysicalRegister(SI.getReg()))
2755254f889dSBrendon Cahoon           if (stageScheduled(SI.getSUnit()) != StageDef)
2756254f889dSBrendon Cahoon             return false;
2757254f889dSBrendon Cahoon   }
2758254f889dSBrendon Cahoon   return true;
2759254f889dSBrendon Cahoon }
2760254f889dSBrendon Cahoon 
27614b8bcf00SRoorda, Jan-Willem /// A property of the node order in swing-modulo-scheduling is
27624b8bcf00SRoorda, Jan-Willem /// that for nodes outside circuits the following holds:
27634b8bcf00SRoorda, Jan-Willem /// none of them is scheduled after both a successor and a
27644b8bcf00SRoorda, Jan-Willem /// predecessor.
27654b8bcf00SRoorda, Jan-Willem /// The method below checks whether the property is met.
27664b8bcf00SRoorda, Jan-Willem /// If not, debug information is printed and statistics information updated.
27674b8bcf00SRoorda, Jan-Willem /// Note that we do not use an assert statement.
27684b8bcf00SRoorda, Jan-Willem /// The reason is that although an invalid node oder may prevent
27694b8bcf00SRoorda, Jan-Willem /// the pipeliner from finding a pipelined schedule for arbitrary II,
27704b8bcf00SRoorda, Jan-Willem /// it does not lead to the generation of incorrect code.
27714b8bcf00SRoorda, Jan-Willem void SwingSchedulerDAG::checkValidNodeOrder(const NodeSetType &Circuits) const {
27724b8bcf00SRoorda, Jan-Willem 
27734b8bcf00SRoorda, Jan-Willem   // a sorted vector that maps each SUnit to its index in the NodeOrder
27744b8bcf00SRoorda, Jan-Willem   typedef std::pair<SUnit *, unsigned> UnitIndex;
27754b8bcf00SRoorda, Jan-Willem   std::vector<UnitIndex> Indices(NodeOrder.size(), std::make_pair(nullptr, 0));
27764b8bcf00SRoorda, Jan-Willem 
27774b8bcf00SRoorda, Jan-Willem   for (unsigned i = 0, s = NodeOrder.size(); i < s; ++i)
27784b8bcf00SRoorda, Jan-Willem     Indices.push_back(std::make_pair(NodeOrder[i], i));
27794b8bcf00SRoorda, Jan-Willem 
27804b8bcf00SRoorda, Jan-Willem   auto CompareKey = [](UnitIndex i1, UnitIndex i2) {
27814b8bcf00SRoorda, Jan-Willem     return std::get<0>(i1) < std::get<0>(i2);
27824b8bcf00SRoorda, Jan-Willem   };
27834b8bcf00SRoorda, Jan-Willem 
27844b8bcf00SRoorda, Jan-Willem   // sort, so that we can perform a binary search
27850cac726aSFangrui Song   llvm::sort(Indices, CompareKey);
27864b8bcf00SRoorda, Jan-Willem 
27874b8bcf00SRoorda, Jan-Willem   bool Valid = true;
2788febf70a9SDavid L Kreitzer   (void)Valid;
27894b8bcf00SRoorda, Jan-Willem   // for each SUnit in the NodeOrder, check whether
27904b8bcf00SRoorda, Jan-Willem   // it appears after both a successor and a predecessor
27914b8bcf00SRoorda, Jan-Willem   // of the SUnit. If this is the case, and the SUnit
27924b8bcf00SRoorda, Jan-Willem   // is not part of circuit, then the NodeOrder is not
27934b8bcf00SRoorda, Jan-Willem   // valid.
27944b8bcf00SRoorda, Jan-Willem   for (unsigned i = 0, s = NodeOrder.size(); i < s; ++i) {
27954b8bcf00SRoorda, Jan-Willem     SUnit *SU = NodeOrder[i];
27964b8bcf00SRoorda, Jan-Willem     unsigned Index = i;
27974b8bcf00SRoorda, Jan-Willem 
27984b8bcf00SRoorda, Jan-Willem     bool PredBefore = false;
27994b8bcf00SRoorda, Jan-Willem     bool SuccBefore = false;
28004b8bcf00SRoorda, Jan-Willem 
28014b8bcf00SRoorda, Jan-Willem     SUnit *Succ;
28024b8bcf00SRoorda, Jan-Willem     SUnit *Pred;
2803febf70a9SDavid L Kreitzer     (void)Succ;
2804febf70a9SDavid L Kreitzer     (void)Pred;
28054b8bcf00SRoorda, Jan-Willem 
28064b8bcf00SRoorda, Jan-Willem     for (SDep &PredEdge : SU->Preds) {
28074b8bcf00SRoorda, Jan-Willem       SUnit *PredSU = PredEdge.getSUnit();
2808dc8de603SFangrui Song       unsigned PredIndex = std::get<1>(
2809dc8de603SFangrui Song           *llvm::lower_bound(Indices, std::make_pair(PredSU, 0), CompareKey));
28104b8bcf00SRoorda, Jan-Willem       if (!PredSU->getInstr()->isPHI() && PredIndex < Index) {
28114b8bcf00SRoorda, Jan-Willem         PredBefore = true;
28124b8bcf00SRoorda, Jan-Willem         Pred = PredSU;
28134b8bcf00SRoorda, Jan-Willem         break;
28144b8bcf00SRoorda, Jan-Willem       }
28154b8bcf00SRoorda, Jan-Willem     }
28164b8bcf00SRoorda, Jan-Willem 
28174b8bcf00SRoorda, Jan-Willem     for (SDep &SuccEdge : SU->Succs) {
28184b8bcf00SRoorda, Jan-Willem       SUnit *SuccSU = SuccEdge.getSUnit();
28191c884458SJinsong Ji       // Do not process a boundary node, it was not included in NodeOrder,
28201c884458SJinsong Ji       // hence not in Indices either, call to std::lower_bound() below will
28211c884458SJinsong Ji       // return Indices.end().
28221c884458SJinsong Ji       if (SuccSU->isBoundaryNode())
28231c884458SJinsong Ji         continue;
2824dc8de603SFangrui Song       unsigned SuccIndex = std::get<1>(
2825dc8de603SFangrui Song           *llvm::lower_bound(Indices, std::make_pair(SuccSU, 0), CompareKey));
28264b8bcf00SRoorda, Jan-Willem       if (!SuccSU->getInstr()->isPHI() && SuccIndex < Index) {
28274b8bcf00SRoorda, Jan-Willem         SuccBefore = true;
28284b8bcf00SRoorda, Jan-Willem         Succ = SuccSU;
28294b8bcf00SRoorda, Jan-Willem         break;
28304b8bcf00SRoorda, Jan-Willem       }
28314b8bcf00SRoorda, Jan-Willem     }
28324b8bcf00SRoorda, Jan-Willem 
28334b8bcf00SRoorda, Jan-Willem     if (PredBefore && SuccBefore && !SU->getInstr()->isPHI()) {
28344b8bcf00SRoorda, Jan-Willem       // instructions in circuits are allowed to be scheduled
28354b8bcf00SRoorda, Jan-Willem       // after both a successor and predecessor.
2836dc8de603SFangrui Song       bool InCircuit = llvm::any_of(
2837dc8de603SFangrui Song           Circuits, [SU](const NodeSet &Circuit) { return Circuit.count(SU); });
28384b8bcf00SRoorda, Jan-Willem       if (InCircuit)
2839d34e60caSNicola Zaghen         LLVM_DEBUG(dbgs() << "In a circuit, predecessor ";);
28404b8bcf00SRoorda, Jan-Willem       else {
28414b8bcf00SRoorda, Jan-Willem         Valid = false;
28424b8bcf00SRoorda, Jan-Willem         NumNodeOrderIssues++;
2843d34e60caSNicola Zaghen         LLVM_DEBUG(dbgs() << "Predecessor ";);
28444b8bcf00SRoorda, Jan-Willem       }
2845d34e60caSNicola Zaghen       LLVM_DEBUG(dbgs() << Pred->NodeNum << " and successor " << Succ->NodeNum
2846d34e60caSNicola Zaghen                         << " are scheduled before node " << SU->NodeNum
2847d34e60caSNicola Zaghen                         << "\n";);
28484b8bcf00SRoorda, Jan-Willem     }
28494b8bcf00SRoorda, Jan-Willem   }
28504b8bcf00SRoorda, Jan-Willem 
2851d34e60caSNicola Zaghen   LLVM_DEBUG({
28524b8bcf00SRoorda, Jan-Willem     if (!Valid)
28534b8bcf00SRoorda, Jan-Willem       dbgs() << "Invalid node order found!\n";
28544b8bcf00SRoorda, Jan-Willem   });
28554b8bcf00SRoorda, Jan-Willem }
28564b8bcf00SRoorda, Jan-Willem 
28578f174ddeSKrzysztof Parzyszek /// Attempt to fix the degenerate cases when the instruction serialization
28588f174ddeSKrzysztof Parzyszek /// causes the register lifetimes to overlap. For example,
28598f174ddeSKrzysztof Parzyszek ///   p' = store_pi(p, b)
28608f174ddeSKrzysztof Parzyszek ///      = load p, offset
28618f174ddeSKrzysztof Parzyszek /// In this case p and p' overlap, which means that two registers are needed.
28628f174ddeSKrzysztof Parzyszek /// Instead, this function changes the load to use p' and updates the offset.
28638f174ddeSKrzysztof Parzyszek void SwingSchedulerDAG::fixupRegisterOverlaps(std::deque<SUnit *> &Instrs) {
28648f174ddeSKrzysztof Parzyszek   unsigned OverlapReg = 0;
28658f174ddeSKrzysztof Parzyszek   unsigned NewBaseReg = 0;
28668f174ddeSKrzysztof Parzyszek   for (SUnit *SU : Instrs) {
28678f174ddeSKrzysztof Parzyszek     MachineInstr *MI = SU->getInstr();
28688f174ddeSKrzysztof Parzyszek     for (unsigned i = 0, e = MI->getNumOperands(); i < e; ++i) {
28698f174ddeSKrzysztof Parzyszek       const MachineOperand &MO = MI->getOperand(i);
28708f174ddeSKrzysztof Parzyszek       // Look for an instruction that uses p. The instruction occurs in the
28718f174ddeSKrzysztof Parzyszek       // same cycle but occurs later in the serialized order.
28728f174ddeSKrzysztof Parzyszek       if (MO.isReg() && MO.isUse() && MO.getReg() == OverlapReg) {
28738f174ddeSKrzysztof Parzyszek         // Check that the instruction appears in the InstrChanges structure,
28748f174ddeSKrzysztof Parzyszek         // which contains instructions that can have the offset updated.
28758f174ddeSKrzysztof Parzyszek         DenseMap<SUnit *, std::pair<unsigned, int64_t>>::iterator It =
28768f174ddeSKrzysztof Parzyszek           InstrChanges.find(SU);
28778f174ddeSKrzysztof Parzyszek         if (It != InstrChanges.end()) {
28788f174ddeSKrzysztof Parzyszek           unsigned BasePos, OffsetPos;
28798f174ddeSKrzysztof Parzyszek           // Update the base register and adjust the offset.
28808f174ddeSKrzysztof Parzyszek           if (TII->getBaseAndOffsetPosition(*MI, BasePos, OffsetPos)) {
288112bdcab5SKrzysztof Parzyszek             MachineInstr *NewMI = MF.CloneMachineInstr(MI);
288212bdcab5SKrzysztof Parzyszek             NewMI->getOperand(BasePos).setReg(NewBaseReg);
288312bdcab5SKrzysztof Parzyszek             int64_t NewOffset =
288412bdcab5SKrzysztof Parzyszek                 MI->getOperand(OffsetPos).getImm() - It->second.second;
288512bdcab5SKrzysztof Parzyszek             NewMI->getOperand(OffsetPos).setImm(NewOffset);
288612bdcab5SKrzysztof Parzyszek             SU->setInstr(NewMI);
288712bdcab5SKrzysztof Parzyszek             MISUnitMap[NewMI] = SU;
2888790a779fSJames Molloy             NewMIs[MI] = NewMI;
28898f174ddeSKrzysztof Parzyszek           }
28908f174ddeSKrzysztof Parzyszek         }
28918f174ddeSKrzysztof Parzyszek         OverlapReg = 0;
28928f174ddeSKrzysztof Parzyszek         NewBaseReg = 0;
28938f174ddeSKrzysztof Parzyszek         break;
28948f174ddeSKrzysztof Parzyszek       }
28958f174ddeSKrzysztof Parzyszek       // Look for an instruction of the form p' = op(p), which uses and defines
28968f174ddeSKrzysztof Parzyszek       // two virtual registers that get allocated to the same physical register.
28978f174ddeSKrzysztof Parzyszek       unsigned TiedUseIdx = 0;
28988f174ddeSKrzysztof Parzyszek       if (MI->isRegTiedToUseOperand(i, &TiedUseIdx)) {
28998f174ddeSKrzysztof Parzyszek         // OverlapReg is p in the example above.
29008f174ddeSKrzysztof Parzyszek         OverlapReg = MI->getOperand(TiedUseIdx).getReg();
29018f174ddeSKrzysztof Parzyszek         // NewBaseReg is p' in the example above.
29028f174ddeSKrzysztof Parzyszek         NewBaseReg = MI->getOperand(i).getReg();
29038f174ddeSKrzysztof Parzyszek         break;
29048f174ddeSKrzysztof Parzyszek       }
29058f174ddeSKrzysztof Parzyszek     }
29068f174ddeSKrzysztof Parzyszek   }
29078f174ddeSKrzysztof Parzyszek }
29088f174ddeSKrzysztof Parzyszek 
2909254f889dSBrendon Cahoon /// After the schedule has been formed, call this function to combine
2910254f889dSBrendon Cahoon /// the instructions from the different stages/cycles.  That is, this
2911254f889dSBrendon Cahoon /// function creates a schedule that represents a single iteration.
2912254f889dSBrendon Cahoon void SMSchedule::finalizeSchedule(SwingSchedulerDAG *SSD) {
2913254f889dSBrendon Cahoon   // Move all instructions to the first stage from later stages.
2914254f889dSBrendon Cahoon   for (int cycle = getFirstCycle(); cycle <= getFinalCycle(); ++cycle) {
2915254f889dSBrendon Cahoon     for (int stage = 1, lastStage = getMaxStageCount(); stage <= lastStage;
2916254f889dSBrendon Cahoon          ++stage) {
2917254f889dSBrendon Cahoon       std::deque<SUnit *> &cycleInstrs =
2918254f889dSBrendon Cahoon           ScheduledInstrs[cycle + (stage * InitiationInterval)];
2919254f889dSBrendon Cahoon       for (std::deque<SUnit *>::reverse_iterator I = cycleInstrs.rbegin(),
2920254f889dSBrendon Cahoon                                                  E = cycleInstrs.rend();
2921254f889dSBrendon Cahoon            I != E; ++I)
2922254f889dSBrendon Cahoon         ScheduledInstrs[cycle].push_front(*I);
2923254f889dSBrendon Cahoon     }
2924254f889dSBrendon Cahoon   }
2925254f889dSBrendon Cahoon 
2926254f889dSBrendon Cahoon   // Erase all the elements in the later stages. Only one iteration should
2927254f889dSBrendon Cahoon   // remain in the scheduled list, and it contains all the instructions.
2928254f889dSBrendon Cahoon   for (int cycle = getFinalCycle() + 1; cycle <= LastCycle; ++cycle)
2929254f889dSBrendon Cahoon     ScheduledInstrs.erase(cycle);
2930254f889dSBrendon Cahoon 
2931254f889dSBrendon Cahoon   // Change the registers in instruction as specified in the InstrChanges
2932254f889dSBrendon Cahoon   // map. We need to use the new registers to create the correct order.
2933254f889dSBrendon Cahoon   for (int i = 0, e = SSD->SUnits.size(); i != e; ++i) {
2934254f889dSBrendon Cahoon     SUnit *SU = &SSD->SUnits[i];
29358f174ddeSKrzysztof Parzyszek     SSD->applyInstrChange(SU->getInstr(), *this);
2936254f889dSBrendon Cahoon   }
2937254f889dSBrendon Cahoon 
2938254f889dSBrendon Cahoon   // Reorder the instructions in each cycle to fix and improve the
2939254f889dSBrendon Cahoon   // generated code.
2940254f889dSBrendon Cahoon   for (int Cycle = getFirstCycle(), E = getFinalCycle(); Cycle <= E; ++Cycle) {
2941254f889dSBrendon Cahoon     std::deque<SUnit *> &cycleInstrs = ScheduledInstrs[Cycle];
2942f13bbf1dSKrzysztof Parzyszek     std::deque<SUnit *> newOrderPhi;
2943254f889dSBrendon Cahoon     for (unsigned i = 0, e = cycleInstrs.size(); i < e; ++i) {
2944254f889dSBrendon Cahoon       SUnit *SU = cycleInstrs[i];
2945f13bbf1dSKrzysztof Parzyszek       if (SU->getInstr()->isPHI())
2946f13bbf1dSKrzysztof Parzyszek         newOrderPhi.push_back(SU);
2947254f889dSBrendon Cahoon     }
2948254f889dSBrendon Cahoon     std::deque<SUnit *> newOrderI;
2949254f889dSBrendon Cahoon     for (unsigned i = 0, e = cycleInstrs.size(); i < e; ++i) {
2950254f889dSBrendon Cahoon       SUnit *SU = cycleInstrs[i];
2951f13bbf1dSKrzysztof Parzyszek       if (!SU->getInstr()->isPHI())
2952254f889dSBrendon Cahoon         orderDependence(SSD, SU, newOrderI);
2953254f889dSBrendon Cahoon     }
2954254f889dSBrendon Cahoon     // Replace the old order with the new order.
2955f13bbf1dSKrzysztof Parzyszek     cycleInstrs.swap(newOrderPhi);
2956254f889dSBrendon Cahoon     cycleInstrs.insert(cycleInstrs.end(), newOrderI.begin(), newOrderI.end());
29578f174ddeSKrzysztof Parzyszek     SSD->fixupRegisterOverlaps(cycleInstrs);
2958254f889dSBrendon Cahoon   }
2959254f889dSBrendon Cahoon 
2960d34e60caSNicola Zaghen   LLVM_DEBUG(dump(););
2961254f889dSBrendon Cahoon }
2962254f889dSBrendon Cahoon 
2963fa2e3583SAdrian Prantl void NodeSet::print(raw_ostream &os) const {
2964fa2e3583SAdrian Prantl   os << "Num nodes " << size() << " rec " << RecMII << " mov " << MaxMOV
2965fa2e3583SAdrian Prantl      << " depth " << MaxDepth << " col " << Colocate << "\n";
2966fa2e3583SAdrian Prantl   for (const auto &I : Nodes)
2967fa2e3583SAdrian Prantl     os << "   SU(" << I->NodeNum << ") " << *(I->getInstr());
2968fa2e3583SAdrian Prantl   os << "\n";
2969fa2e3583SAdrian Prantl }
2970fa2e3583SAdrian Prantl 
2971615eb470SAaron Ballman #if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
2972254f889dSBrendon Cahoon /// Print the schedule information to the given output.
2973254f889dSBrendon Cahoon void SMSchedule::print(raw_ostream &os) const {
2974254f889dSBrendon Cahoon   // Iterate over each cycle.
2975254f889dSBrendon Cahoon   for (int cycle = getFirstCycle(); cycle <= getFinalCycle(); ++cycle) {
2976254f889dSBrendon Cahoon     // Iterate over each instruction in the cycle.
2977254f889dSBrendon Cahoon     const_sched_iterator cycleInstrs = ScheduledInstrs.find(cycle);
2978254f889dSBrendon Cahoon     for (SUnit *CI : cycleInstrs->second) {
2979254f889dSBrendon Cahoon       os << "cycle " << cycle << " (" << stageScheduled(CI) << ") ";
2980254f889dSBrendon Cahoon       os << "(" << CI->NodeNum << ") ";
2981254f889dSBrendon Cahoon       CI->getInstr()->print(os);
2982254f889dSBrendon Cahoon       os << "\n";
2983254f889dSBrendon Cahoon     }
2984254f889dSBrendon Cahoon   }
2985254f889dSBrendon Cahoon }
2986254f889dSBrendon Cahoon 
2987254f889dSBrendon Cahoon /// Utility function used for debugging to print the schedule.
29888c209aa8SMatthias Braun LLVM_DUMP_METHOD void SMSchedule::dump() const { print(dbgs()); }
2989fa2e3583SAdrian Prantl LLVM_DUMP_METHOD void NodeSet::dump() const { print(dbgs()); }
2990fa2e3583SAdrian Prantl 
29918c209aa8SMatthias Braun #endif
2992fa2e3583SAdrian Prantl 
2993f6cb3bcbSJinsong Ji void ResourceManager::initProcResourceVectors(
2994f6cb3bcbSJinsong Ji     const MCSchedModel &SM, SmallVectorImpl<uint64_t> &Masks) {
2995f6cb3bcbSJinsong Ji   unsigned ProcResourceID = 0;
2996fa2e3583SAdrian Prantl 
2997f6cb3bcbSJinsong Ji   // We currently limit the resource kinds to 64 and below so that we can use
2998f6cb3bcbSJinsong Ji   // uint64_t for Masks
2999f6cb3bcbSJinsong Ji   assert(SM.getNumProcResourceKinds() < 64 &&
3000f6cb3bcbSJinsong Ji          "Too many kinds of resources, unsupported");
3001f6cb3bcbSJinsong Ji   // Create a unique bitmask for every processor resource unit.
3002f6cb3bcbSJinsong Ji   // Skip resource at index 0, since it always references 'InvalidUnit'.
3003f6cb3bcbSJinsong Ji   Masks.resize(SM.getNumProcResourceKinds());
3004f6cb3bcbSJinsong Ji   for (unsigned I = 1, E = SM.getNumProcResourceKinds(); I < E; ++I) {
3005f6cb3bcbSJinsong Ji     const MCProcResourceDesc &Desc = *SM.getProcResource(I);
3006f6cb3bcbSJinsong Ji     if (Desc.SubUnitsIdxBegin)
3007f6cb3bcbSJinsong Ji       continue;
3008f6cb3bcbSJinsong Ji     Masks[I] = 1ULL << ProcResourceID;
3009f6cb3bcbSJinsong Ji     ProcResourceID++;
3010f6cb3bcbSJinsong Ji   }
3011f6cb3bcbSJinsong Ji   // Create a unique bitmask for every processor resource group.
3012f6cb3bcbSJinsong Ji   for (unsigned I = 1, E = SM.getNumProcResourceKinds(); I < E; ++I) {
3013f6cb3bcbSJinsong Ji     const MCProcResourceDesc &Desc = *SM.getProcResource(I);
3014f6cb3bcbSJinsong Ji     if (!Desc.SubUnitsIdxBegin)
3015f6cb3bcbSJinsong Ji       continue;
3016f6cb3bcbSJinsong Ji     Masks[I] = 1ULL << ProcResourceID;
3017f6cb3bcbSJinsong Ji     for (unsigned U = 0; U < Desc.NumUnits; ++U)
3018f6cb3bcbSJinsong Ji       Masks[I] |= Masks[Desc.SubUnitsIdxBegin[U]];
3019f6cb3bcbSJinsong Ji     ProcResourceID++;
3020f6cb3bcbSJinsong Ji   }
3021f6cb3bcbSJinsong Ji   LLVM_DEBUG({
3022ba43840bSJinsong Ji     if (SwpShowResMask) {
3023f6cb3bcbSJinsong Ji       dbgs() << "ProcResourceDesc:\n";
3024f6cb3bcbSJinsong Ji       for (unsigned I = 1, E = SM.getNumProcResourceKinds(); I < E; ++I) {
3025f6cb3bcbSJinsong Ji         const MCProcResourceDesc *ProcResource = SM.getProcResource(I);
3026f6cb3bcbSJinsong Ji         dbgs() << format(" %16s(%2d): Mask: 0x%08x, NumUnits:%2d\n",
3027ba43840bSJinsong Ji                          ProcResource->Name, I, Masks[I],
3028ba43840bSJinsong Ji                          ProcResource->NumUnits);
3029f6cb3bcbSJinsong Ji       }
3030f6cb3bcbSJinsong Ji       dbgs() << " -----------------\n";
3031ba43840bSJinsong Ji     }
3032f6cb3bcbSJinsong Ji   });
3033f6cb3bcbSJinsong Ji }
3034f6cb3bcbSJinsong Ji 
3035f6cb3bcbSJinsong Ji bool ResourceManager::canReserveResources(const MCInstrDesc *MID) const {
3036f6cb3bcbSJinsong Ji 
3037ba43840bSJinsong Ji   LLVM_DEBUG({
3038ba43840bSJinsong Ji     if (SwpDebugResource)
3039ba43840bSJinsong Ji       dbgs() << "canReserveResources:\n";
3040ba43840bSJinsong Ji   });
3041f6cb3bcbSJinsong Ji   if (UseDFA)
3042f6cb3bcbSJinsong Ji     return DFAResources->canReserveResources(MID);
3043f6cb3bcbSJinsong Ji 
3044f6cb3bcbSJinsong Ji   unsigned InsnClass = MID->getSchedClass();
3045f6cb3bcbSJinsong Ji   const MCSchedClassDesc *SCDesc = SM.getSchedClassDesc(InsnClass);
3046f6cb3bcbSJinsong Ji   if (!SCDesc->isValid()) {
3047f6cb3bcbSJinsong Ji     LLVM_DEBUG({
3048f6cb3bcbSJinsong Ji       dbgs() << "No valid Schedule Class Desc for schedClass!\n";
3049f6cb3bcbSJinsong Ji       dbgs() << "isPseduo:" << MID->isPseudo() << "\n";
3050f6cb3bcbSJinsong Ji     });
3051f6cb3bcbSJinsong Ji     return true;
3052f6cb3bcbSJinsong Ji   }
3053f6cb3bcbSJinsong Ji 
3054f6cb3bcbSJinsong Ji   const MCWriteProcResEntry *I = STI->getWriteProcResBegin(SCDesc);
3055f6cb3bcbSJinsong Ji   const MCWriteProcResEntry *E = STI->getWriteProcResEnd(SCDesc);
3056f6cb3bcbSJinsong Ji   for (; I != E; ++I) {
3057f6cb3bcbSJinsong Ji     if (!I->Cycles)
3058f6cb3bcbSJinsong Ji       continue;
3059f6cb3bcbSJinsong Ji     const MCProcResourceDesc *ProcResource =
3060f6cb3bcbSJinsong Ji         SM.getProcResource(I->ProcResourceIdx);
3061f6cb3bcbSJinsong Ji     unsigned NumUnits = ProcResource->NumUnits;
3062f6cb3bcbSJinsong Ji     LLVM_DEBUG({
3063ba43840bSJinsong Ji       if (SwpDebugResource)
3064f6cb3bcbSJinsong Ji         dbgs() << format(" %16s(%2d): Count: %2d, NumUnits:%2d, Cycles:%2d\n",
3065f6cb3bcbSJinsong Ji                          ProcResource->Name, I->ProcResourceIdx,
3066f6cb3bcbSJinsong Ji                          ProcResourceCount[I->ProcResourceIdx], NumUnits,
3067f6cb3bcbSJinsong Ji                          I->Cycles);
3068f6cb3bcbSJinsong Ji     });
3069f6cb3bcbSJinsong Ji     if (ProcResourceCount[I->ProcResourceIdx] >= NumUnits)
3070f6cb3bcbSJinsong Ji       return false;
3071f6cb3bcbSJinsong Ji   }
3072ba43840bSJinsong Ji   LLVM_DEBUG(if (SwpDebugResource) dbgs() << "return true\n\n";);
3073f6cb3bcbSJinsong Ji   return true;
3074f6cb3bcbSJinsong Ji }
3075f6cb3bcbSJinsong Ji 
3076f6cb3bcbSJinsong Ji void ResourceManager::reserveResources(const MCInstrDesc *MID) {
3077ba43840bSJinsong Ji   LLVM_DEBUG({
3078ba43840bSJinsong Ji     if (SwpDebugResource)
3079ba43840bSJinsong Ji       dbgs() << "reserveResources:\n";
3080ba43840bSJinsong Ji   });
3081f6cb3bcbSJinsong Ji   if (UseDFA)
3082f6cb3bcbSJinsong Ji     return DFAResources->reserveResources(MID);
3083f6cb3bcbSJinsong Ji 
3084f6cb3bcbSJinsong Ji   unsigned InsnClass = MID->getSchedClass();
3085f6cb3bcbSJinsong Ji   const MCSchedClassDesc *SCDesc = SM.getSchedClassDesc(InsnClass);
3086f6cb3bcbSJinsong Ji   if (!SCDesc->isValid()) {
3087f6cb3bcbSJinsong Ji     LLVM_DEBUG({
3088f6cb3bcbSJinsong Ji       dbgs() << "No valid Schedule Class Desc for schedClass!\n";
3089f6cb3bcbSJinsong Ji       dbgs() << "isPseduo:" << MID->isPseudo() << "\n";
3090f6cb3bcbSJinsong Ji     });
3091f6cb3bcbSJinsong Ji     return;
3092f6cb3bcbSJinsong Ji   }
3093f6cb3bcbSJinsong Ji   for (const MCWriteProcResEntry &PRE :
3094f6cb3bcbSJinsong Ji        make_range(STI->getWriteProcResBegin(SCDesc),
3095f6cb3bcbSJinsong Ji                   STI->getWriteProcResEnd(SCDesc))) {
3096f6cb3bcbSJinsong Ji     if (!PRE.Cycles)
3097f6cb3bcbSJinsong Ji       continue;
3098f6cb3bcbSJinsong Ji     ++ProcResourceCount[PRE.ProcResourceIdx];
3099f6cb3bcbSJinsong Ji     LLVM_DEBUG({
3100ba43840bSJinsong Ji       if (SwpDebugResource) {
3101c77aff7eSRichard Trieu         const MCProcResourceDesc *ProcResource =
3102c77aff7eSRichard Trieu             SM.getProcResource(PRE.ProcResourceIdx);
3103f6cb3bcbSJinsong Ji         dbgs() << format(" %16s(%2d): Count: %2d, NumUnits:%2d, Cycles:%2d\n",
3104f6cb3bcbSJinsong Ji                          ProcResource->Name, PRE.ProcResourceIdx,
3105e8698eadSRichard Trieu                          ProcResourceCount[PRE.ProcResourceIdx],
3106e8698eadSRichard Trieu                          ProcResource->NumUnits, PRE.Cycles);
3107ba43840bSJinsong Ji       }
3108f6cb3bcbSJinsong Ji     });
3109f6cb3bcbSJinsong Ji   }
3110ba43840bSJinsong Ji   LLVM_DEBUG({
3111ba43840bSJinsong Ji     if (SwpDebugResource)
3112ba43840bSJinsong Ji       dbgs() << "reserveResources: done!\n\n";
3113ba43840bSJinsong Ji   });
3114f6cb3bcbSJinsong Ji }
3115f6cb3bcbSJinsong Ji 
3116f6cb3bcbSJinsong Ji bool ResourceManager::canReserveResources(const MachineInstr &MI) const {
3117f6cb3bcbSJinsong Ji   return canReserveResources(&MI.getDesc());
3118f6cb3bcbSJinsong Ji }
3119f6cb3bcbSJinsong Ji 
3120f6cb3bcbSJinsong Ji void ResourceManager::reserveResources(const MachineInstr &MI) {
3121f6cb3bcbSJinsong Ji   return reserveResources(&MI.getDesc());
3122f6cb3bcbSJinsong Ji }
3123f6cb3bcbSJinsong Ji 
3124f6cb3bcbSJinsong Ji void ResourceManager::clearResources() {
3125f6cb3bcbSJinsong Ji   if (UseDFA)
3126f6cb3bcbSJinsong Ji     return DFAResources->clearResources();
3127f6cb3bcbSJinsong Ji   std::fill(ProcResourceCount.begin(), ProcResourceCount.end(), 0);
3128f6cb3bcbSJinsong Ji }
3129