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
32989f1c72Sserge-sans-paille #include "llvm/CodeGen/MachinePipeliner.h"
33cdc71612SEugene Zelenko #include "llvm/ADT/ArrayRef.h"
34cdc71612SEugene Zelenko #include "llvm/ADT/BitVector.h"
35254f889dSBrendon Cahoon #include "llvm/ADT/DenseMap.h"
36254f889dSBrendon Cahoon #include "llvm/ADT/MapVector.h"
37254f889dSBrendon Cahoon #include "llvm/ADT/PriorityQueue.h"
38d6391209SKazu Hirata #include "llvm/ADT/SetOperations.h"
39254f889dSBrendon Cahoon #include "llvm/ADT/SetVector.h"
40254f889dSBrendon Cahoon #include "llvm/ADT/SmallPtrSet.h"
41254f889dSBrendon Cahoon #include "llvm/ADT/SmallSet.h"
42cdc71612SEugene Zelenko #include "llvm/ADT/SmallVector.h"
43254f889dSBrendon Cahoon #include "llvm/ADT/Statistic.h"
446bda14b3SChandler Carruth #include "llvm/ADT/iterator_range.h"
45254f889dSBrendon Cahoon #include "llvm/Analysis/AliasAnalysis.h"
46cdc71612SEugene Zelenko #include "llvm/Analysis/MemoryLocation.h"
47989f1c72Sserge-sans-paille #include "llvm/Analysis/OptimizationRemarkEmitter.h"
48254f889dSBrendon Cahoon #include "llvm/Analysis/ValueTracking.h"
49254f889dSBrendon Cahoon #include "llvm/CodeGen/DFAPacketizer.h"
50f842297dSMatthias Braun #include "llvm/CodeGen/LiveIntervals.h"
51254f889dSBrendon Cahoon #include "llvm/CodeGen/MachineBasicBlock.h"
52254f889dSBrendon Cahoon #include "llvm/CodeGen/MachineDominators.h"
53cdc71612SEugene Zelenko #include "llvm/CodeGen/MachineFunction.h"
54cdc71612SEugene Zelenko #include "llvm/CodeGen/MachineFunctionPass.h"
55cdc71612SEugene Zelenko #include "llvm/CodeGen/MachineInstr.h"
56254f889dSBrendon Cahoon #include "llvm/CodeGen/MachineInstrBuilder.h"
57254f889dSBrendon Cahoon #include "llvm/CodeGen/MachineLoopInfo.h"
58cdc71612SEugene Zelenko #include "llvm/CodeGen/MachineMemOperand.h"
59cdc71612SEugene Zelenko #include "llvm/CodeGen/MachineOperand.h"
60254f889dSBrendon Cahoon #include "llvm/CodeGen/MachineRegisterInfo.h"
61790a779fSJames Molloy #include "llvm/CodeGen/ModuloSchedule.h"
62254f889dSBrendon Cahoon #include "llvm/CodeGen/RegisterPressure.h"
63cdc71612SEugene Zelenko #include "llvm/CodeGen/ScheduleDAG.h"
6488391248SKrzysztof Parzyszek #include "llvm/CodeGen/ScheduleDAGMutation.h"
65b3bde2eaSDavid Blaikie #include "llvm/CodeGen/TargetOpcodes.h"
66b3bde2eaSDavid Blaikie #include "llvm/CodeGen/TargetRegisterInfo.h"
67b3bde2eaSDavid Blaikie #include "llvm/CodeGen/TargetSubtargetInfo.h"
68432a3883SNico Weber #include "llvm/Config/llvm-config.h"
69cdc71612SEugene Zelenko #include "llvm/IR/Attributes.h"
7032a40564SEugene Zelenko #include "llvm/IR/Function.h"
7132a40564SEugene Zelenko #include "llvm/MC/LaneBitmask.h"
7232a40564SEugene Zelenko #include "llvm/MC/MCInstrDesc.h"
73254f889dSBrendon Cahoon #include "llvm/MC/MCInstrItineraries.h"
7432a40564SEugene Zelenko #include "llvm/MC/MCRegisterInfo.h"
7532a40564SEugene Zelenko #include "llvm/Pass.h"
76254f889dSBrendon Cahoon #include "llvm/Support/CommandLine.h"
7732a40564SEugene Zelenko #include "llvm/Support/Compiler.h"
78254f889dSBrendon Cahoon #include "llvm/Support/Debug.h"
79cdc71612SEugene Zelenko #include "llvm/Support/MathExtras.h"
80254f889dSBrendon Cahoon #include "llvm/Support/raw_ostream.h"
81cdc71612SEugene Zelenko #include <algorithm>
82cdc71612SEugene Zelenko #include <cassert>
83254f889dSBrendon Cahoon #include <climits>
84cdc71612SEugene Zelenko #include <cstdint>
85254f889dSBrendon Cahoon #include <deque>
86cdc71612SEugene Zelenko #include <functional>
87cdc71612SEugene Zelenko #include <iterator>
88254f889dSBrendon Cahoon #include <map>
8932a40564SEugene Zelenko #include <memory>
90cdc71612SEugene Zelenko #include <tuple>
91cdc71612SEugene Zelenko #include <utility>
92cdc71612SEugene Zelenko #include <vector>
93254f889dSBrendon Cahoon
94254f889dSBrendon Cahoon using namespace llvm;
95254f889dSBrendon Cahoon
96254f889dSBrendon Cahoon #define DEBUG_TYPE "pipeliner"
97254f889dSBrendon Cahoon
98254f889dSBrendon Cahoon STATISTIC(NumTrytoPipeline, "Number of loops that we attempt to pipeline");
99254f889dSBrendon Cahoon STATISTIC(NumPipelined, "Number of loops software pipelined");
1004b8bcf00SRoorda, Jan-Willem STATISTIC(NumNodeOrderIssues, "Number of node order issues found");
10118e7bf5cSJinsong Ji STATISTIC(NumFailBranch, "Pipeliner abort due to unknown branch");
10218e7bf5cSJinsong Ji STATISTIC(NumFailLoop, "Pipeliner abort due to unsupported loop");
10318e7bf5cSJinsong Ji STATISTIC(NumFailPreheader, "Pipeliner abort due to missing preheader");
10418e7bf5cSJinsong Ji STATISTIC(NumFailLargeMaxMII, "Pipeliner abort due to MaxMII too large");
10518e7bf5cSJinsong Ji STATISTIC(NumFailZeroMII, "Pipeliner abort due to zero MII");
10618e7bf5cSJinsong Ji STATISTIC(NumFailNoSchedule, "Pipeliner abort due to no schedule found");
10718e7bf5cSJinsong Ji STATISTIC(NumFailZeroStage, "Pipeliner abort due to zero stage");
10818e7bf5cSJinsong Ji STATISTIC(NumFailLargeMaxStage, "Pipeliner abort due to too many stages");
109254f889dSBrendon Cahoon
110254f889dSBrendon Cahoon /// A command line option to turn software pipelining on or off.
111b7d3311cSBenjamin Kramer static cl::opt<bool> EnableSWP("enable-pipeliner", cl::Hidden, cl::init(true),
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",
14995a13425SFangrui Song cl::ReallyHidden,
15095a13425SFangrui Song 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.
17136c7d79dSFangrui Song cl::opt<bool> SwpEnableCopyToPhi("pipeliner-enable-copytophi", cl::ReallyHidden,
17236c7d79dSFangrui Song cl::init(true),
17362ac69d4SSumanth Gundapaneni cl::desc("Enable CopyToPhi DAG Mutation"));
17462ac69d4SSumanth Gundapaneni
175fa2e3583SAdrian Prantl } // end namespace llvm
176254f889dSBrendon Cahoon
177254f889dSBrendon Cahoon unsigned SwingSchedulerDAG::Circuits::MaxPaths = 5;
178254f889dSBrendon Cahoon char MachinePipeliner::ID = 0;
179254f889dSBrendon Cahoon #ifndef NDEBUG
180254f889dSBrendon Cahoon int MachinePipeliner::NumTries = 0;
181254f889dSBrendon Cahoon #endif
182254f889dSBrendon Cahoon char &llvm::MachinePipelinerID = MachinePipeliner::ID;
18332a40564SEugene Zelenko
1841527baabSMatthias Braun INITIALIZE_PASS_BEGIN(MachinePipeliner, DEBUG_TYPE,
185254f889dSBrendon Cahoon "Modulo Software Pipelining", false, false)
INITIALIZE_PASS_DEPENDENCY(AAResultsWrapperPass)186254f889dSBrendon Cahoon INITIALIZE_PASS_DEPENDENCY(AAResultsWrapperPass)
187254f889dSBrendon Cahoon INITIALIZE_PASS_DEPENDENCY(MachineLoopInfo)
188254f889dSBrendon Cahoon INITIALIZE_PASS_DEPENDENCY(MachineDominatorTree)
189254f889dSBrendon Cahoon INITIALIZE_PASS_DEPENDENCY(LiveIntervals)
1901527baabSMatthias Braun INITIALIZE_PASS_END(MachinePipeliner, DEBUG_TYPE,
191254f889dSBrendon Cahoon "Modulo Software Pipelining", false, false)
192254f889dSBrendon Cahoon
193254f889dSBrendon Cahoon /// The "main" function for implementing Swing Modulo Scheduling.
194254f889dSBrendon Cahoon bool MachinePipeliner::runOnMachineFunction(MachineFunction &mf) {
195f1caa283SMatthias Braun if (skipFunction(mf.getFunction()))
196254f889dSBrendon Cahoon return false;
197254f889dSBrendon Cahoon
198254f889dSBrendon Cahoon if (!EnableSWP)
199254f889dSBrendon Cahoon return false;
200254f889dSBrendon Cahoon
201d7593ebaSArthur Eubanks if (mf.getFunction().getAttributes().hasFnAttr(Attribute::OptimizeForSize) &&
202254f889dSBrendon Cahoon !EnableSWPOptSize.getPosition())
203254f889dSBrendon Cahoon return false;
204254f889dSBrendon Cahoon
205ef2d6d99SJinsong Ji if (!mf.getSubtarget().enableMachinePipeliner())
206ef2d6d99SJinsong Ji return false;
207ef2d6d99SJinsong Ji
208f6cb3bcbSJinsong Ji // Cannot pipeline loops without instruction itineraries if we are using
209f6cb3bcbSJinsong Ji // DFA for the pipeliner.
210f6cb3bcbSJinsong Ji if (mf.getSubtarget().useDFAforSMS() &&
211f6cb3bcbSJinsong Ji (!mf.getSubtarget().getInstrItineraryData() ||
212f6cb3bcbSJinsong Ji mf.getSubtarget().getInstrItineraryData()->isEmpty()))
213f6cb3bcbSJinsong Ji return false;
214f6cb3bcbSJinsong Ji
215254f889dSBrendon Cahoon MF = &mf;
216254f889dSBrendon Cahoon MLI = &getAnalysis<MachineLoopInfo>();
217254f889dSBrendon Cahoon MDT = &getAnalysis<MachineDominatorTree>();
21880b78a47SJinsong Ji ORE = &getAnalysis<MachineOptimizationRemarkEmitterPass>().getORE();
219254f889dSBrendon Cahoon TII = MF->getSubtarget().getInstrInfo();
220254f889dSBrendon Cahoon RegClassInfo.runOnMachineFunction(*MF);
221254f889dSBrendon Cahoon
2229e6d1f4bSKazu Hirata for (const auto &L : *MLI)
223254f889dSBrendon Cahoon scheduleLoop(*L);
224254f889dSBrendon Cahoon
225254f889dSBrendon Cahoon return false;
226254f889dSBrendon Cahoon }
227254f889dSBrendon Cahoon
228254f889dSBrendon Cahoon /// Attempt to perform the SMS algorithm on the specified loop. This function is
229254f889dSBrendon Cahoon /// the main entry point for the algorithm. The function identifies candidate
230254f889dSBrendon Cahoon /// loops, calculates the minimum initiation interval, and attempts to schedule
231254f889dSBrendon Cahoon /// the loop.
scheduleLoop(MachineLoop & L)232254f889dSBrendon Cahoon bool MachinePipeliner::scheduleLoop(MachineLoop &L) {
233254f889dSBrendon Cahoon bool Changed = false;
2349e6d1f4bSKazu Hirata for (const auto &InnerLoop : L)
235254f889dSBrendon Cahoon Changed |= scheduleLoop(*InnerLoop);
236254f889dSBrendon Cahoon
237254f889dSBrendon Cahoon #ifndef NDEBUG
238254f889dSBrendon Cahoon // Stop trying after reaching the limit (if any).
239254f889dSBrendon Cahoon int Limit = SwpLoopLimit;
240254f889dSBrendon Cahoon if (Limit >= 0) {
241254f889dSBrendon Cahoon if (NumTries >= SwpLoopLimit)
242254f889dSBrendon Cahoon return Changed;
243254f889dSBrendon Cahoon NumTries++;
244254f889dSBrendon Cahoon }
245254f889dSBrendon Cahoon #endif
246254f889dSBrendon Cahoon
24759d99731SBrendon Cahoon setPragmaPipelineOptions(L);
24859d99731SBrendon Cahoon if (!canPipelineLoop(L)) {
24959d99731SBrendon Cahoon LLVM_DEBUG(dbgs() << "\n!!! Can not pipeline loop.\n");
25080b78a47SJinsong Ji ORE->emit([&]() {
25180b78a47SJinsong Ji return MachineOptimizationRemarkMissed(DEBUG_TYPE, "canPipelineLoop",
25280b78a47SJinsong Ji L.getStartLoc(), L.getHeader())
25380b78a47SJinsong Ji << "Failed to pipeline loop";
25480b78a47SJinsong Ji });
25580b78a47SJinsong Ji
256dcb77643SDavid Penry LI.LoopPipelinerInfo.reset();
257254f889dSBrendon Cahoon return Changed;
25859d99731SBrendon Cahoon }
259254f889dSBrendon Cahoon
260254f889dSBrendon Cahoon ++NumTrytoPipeline;
261254f889dSBrendon Cahoon
262254f889dSBrendon Cahoon Changed = swingModuloScheduler(L);
263254f889dSBrendon Cahoon
264dcb77643SDavid Penry LI.LoopPipelinerInfo.reset();
265254f889dSBrendon Cahoon return Changed;
266254f889dSBrendon Cahoon }
267254f889dSBrendon Cahoon
setPragmaPipelineOptions(MachineLoop & L)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.
canPipelineLoop(MachineLoop & L)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;
357dcb77643SDavid Penry LI.LoopPipelinerInfo = TII->analyzeLoopForPipelining(L.getTopBlock());
358dcb77643SDavid Penry if (!LI.LoopPipelinerInfo) {
35980b78a47SJinsong Ji LLVM_DEBUG(dbgs() << "Unable to analyzeLoop, can NOT pipeline Loop\n");
36018e7bf5cSJinsong Ji NumFailLoop++;
36180b78a47SJinsong Ji ORE->emit([&]() {
36280b78a47SJinsong Ji return MachineOptimizationRemarkAnalysis(DEBUG_TYPE, "canPipelineLoop",
36380b78a47SJinsong Ji L.getStartLoc(), L.getHeader())
36480b78a47SJinsong Ji << "The loop structure is not supported";
36580b78a47SJinsong Ji });
366254f889dSBrendon Cahoon return false;
36718e7bf5cSJinsong Ji }
368254f889dSBrendon Cahoon
36918e7bf5cSJinsong Ji if (!L.getLoopPreheader()) {
37080b78a47SJinsong Ji LLVM_DEBUG(dbgs() << "Preheader not found, can NOT pipeline Loop\n");
37118e7bf5cSJinsong Ji NumFailPreheader++;
37280b78a47SJinsong Ji ORE->emit([&]() {
37380b78a47SJinsong Ji return MachineOptimizationRemarkAnalysis(DEBUG_TYPE, "canPipelineLoop",
37480b78a47SJinsong Ji L.getStartLoc(), L.getHeader())
37580b78a47SJinsong Ji << "No loop preheader found";
37680b78a47SJinsong Ji });
377254f889dSBrendon Cahoon return false;
37818e7bf5cSJinsong Ji }
379254f889dSBrendon Cahoon
380c715a5d2SKrzysztof Parzyszek // Remove any subregisters from inputs to phi nodes.
381c715a5d2SKrzysztof Parzyszek preprocessPhiNodes(*L.getHeader());
382254f889dSBrendon Cahoon return true;
383254f889dSBrendon Cahoon }
384254f889dSBrendon Cahoon
preprocessPhiNodes(MachineBasicBlock & B)385c715a5d2SKrzysztof Parzyszek void MachinePipeliner::preprocessPhiNodes(MachineBasicBlock &B) {
386c715a5d2SKrzysztof Parzyszek MachineRegisterInfo &MRI = MF->getRegInfo();
387c715a5d2SKrzysztof Parzyszek SlotIndexes &Slots = *getAnalysis<LiveIntervals>().getSlotIndexes();
388c715a5d2SKrzysztof Parzyszek
389c3e698e2SKazu Hirata for (MachineInstr &PI : B.phis()) {
390c715a5d2SKrzysztof Parzyszek MachineOperand &DefOp = PI.getOperand(0);
391c715a5d2SKrzysztof Parzyszek assert(DefOp.getSubReg() == 0);
392c715a5d2SKrzysztof Parzyszek auto *RC = MRI.getRegClass(DefOp.getReg());
393c715a5d2SKrzysztof Parzyszek
394c715a5d2SKrzysztof Parzyszek for (unsigned i = 1, n = PI.getNumOperands(); i != n; i += 2) {
395c715a5d2SKrzysztof Parzyszek MachineOperand &RegOp = PI.getOperand(i);
396c715a5d2SKrzysztof Parzyszek if (RegOp.getSubReg() == 0)
397c715a5d2SKrzysztof Parzyszek continue;
398c715a5d2SKrzysztof Parzyszek
399c715a5d2SKrzysztof Parzyszek // If the operand uses a subregister, replace it with a new register
400c715a5d2SKrzysztof Parzyszek // without subregisters, and generate a copy to the new register.
4010c476111SDaniel Sanders Register NewReg = MRI.createVirtualRegister(RC);
402c715a5d2SKrzysztof Parzyszek MachineBasicBlock &PredB = *PI.getOperand(i+1).getMBB();
403c715a5d2SKrzysztof Parzyszek MachineBasicBlock::iterator At = PredB.getFirstTerminator();
404c715a5d2SKrzysztof Parzyszek const DebugLoc &DL = PredB.findDebugLoc(At);
405c715a5d2SKrzysztof Parzyszek auto Copy = BuildMI(PredB, At, DL, TII->get(TargetOpcode::COPY), NewReg)
406c715a5d2SKrzysztof Parzyszek .addReg(RegOp.getReg(), getRegState(RegOp),
407c715a5d2SKrzysztof Parzyszek RegOp.getSubReg());
408c715a5d2SKrzysztof Parzyszek Slots.insertMachineInstrInMaps(*Copy);
409c715a5d2SKrzysztof Parzyszek RegOp.setReg(NewReg);
410c715a5d2SKrzysztof Parzyszek RegOp.setSubReg(0);
411c715a5d2SKrzysztof Parzyszek }
412c715a5d2SKrzysztof Parzyszek }
413c715a5d2SKrzysztof Parzyszek }
414c715a5d2SKrzysztof Parzyszek
415254f889dSBrendon Cahoon /// The SMS algorithm consists of the following main steps:
416254f889dSBrendon Cahoon /// 1. Computation and analysis of the dependence graph.
417254f889dSBrendon Cahoon /// 2. Ordering of the nodes (instructions).
418254f889dSBrendon Cahoon /// 3. Attempt to Schedule the loop.
swingModuloScheduler(MachineLoop & L)419254f889dSBrendon Cahoon bool MachinePipeliner::swingModuloScheduler(MachineLoop &L) {
420254f889dSBrendon Cahoon assert(L.getBlocks().size() == 1 && "SMS works on single blocks only.");
421254f889dSBrendon Cahoon
42259d99731SBrendon Cahoon SwingSchedulerDAG SMS(*this, L, getAnalysis<LiveIntervals>(), RegClassInfo,
423dcb77643SDavid Penry II_setByPragma, LI.LoopPipelinerInfo.get());
424254f889dSBrendon Cahoon
425254f889dSBrendon Cahoon MachineBasicBlock *MBB = L.getHeader();
426254f889dSBrendon Cahoon // The kernel should not include any terminator instructions. These
427254f889dSBrendon Cahoon // will be added back later.
428254f889dSBrendon Cahoon SMS.startBlock(MBB);
429254f889dSBrendon Cahoon
430254f889dSBrendon Cahoon // Compute the number of 'real' instructions in the basic block by
431254f889dSBrendon Cahoon // ignoring terminators.
432254f889dSBrendon Cahoon unsigned size = MBB->size();
433254f889dSBrendon Cahoon for (MachineBasicBlock::iterator I = MBB->getFirstTerminator(),
434254f889dSBrendon Cahoon E = MBB->instr_end();
435254f889dSBrendon Cahoon I != E; ++I, --size)
436254f889dSBrendon Cahoon ;
437254f889dSBrendon Cahoon
438254f889dSBrendon Cahoon SMS.enterRegion(MBB, MBB->begin(), MBB->getFirstTerminator(), size);
439254f889dSBrendon Cahoon SMS.schedule();
440254f889dSBrendon Cahoon SMS.exitRegion();
441254f889dSBrendon Cahoon
442254f889dSBrendon Cahoon SMS.finishBlock();
443254f889dSBrendon Cahoon return SMS.hasNewSchedule();
444254f889dSBrendon Cahoon }
445254f889dSBrendon Cahoon
getAnalysisUsage(AnalysisUsage & AU) const4462ce38b3fSdfukalov void MachinePipeliner::getAnalysisUsage(AnalysisUsage &AU) const {
4472ce38b3fSdfukalov AU.addRequired<AAResultsWrapperPass>();
4482ce38b3fSdfukalov AU.addPreserved<AAResultsWrapperPass>();
4492ce38b3fSdfukalov AU.addRequired<MachineLoopInfo>();
4502ce38b3fSdfukalov AU.addRequired<MachineDominatorTree>();
4512ce38b3fSdfukalov AU.addRequired<LiveIntervals>();
4522ce38b3fSdfukalov AU.addRequired<MachineOptimizationRemarkEmitterPass>();
4532ce38b3fSdfukalov MachineFunctionPass::getAnalysisUsage(AU);
4542ce38b3fSdfukalov }
4552ce38b3fSdfukalov
setMII(unsigned ResMII,unsigned RecMII)45659d99731SBrendon Cahoon void SwingSchedulerDAG::setMII(unsigned ResMII, unsigned RecMII) {
45759d99731SBrendon Cahoon if (II_setByPragma > 0)
45859d99731SBrendon Cahoon MII = II_setByPragma;
45959d99731SBrendon Cahoon else
46059d99731SBrendon Cahoon MII = std::max(ResMII, RecMII);
46159d99731SBrendon Cahoon }
46259d99731SBrendon Cahoon
setMAX_II()46359d99731SBrendon Cahoon void SwingSchedulerDAG::setMAX_II() {
46459d99731SBrendon Cahoon if (II_setByPragma > 0)
46559d99731SBrendon Cahoon MAX_II = II_setByPragma;
46659d99731SBrendon Cahoon else
46759d99731SBrendon Cahoon MAX_II = MII + 10;
46859d99731SBrendon Cahoon }
46959d99731SBrendon Cahoon
470254f889dSBrendon Cahoon /// We override the schedule function in ScheduleDAGInstrs to implement the
471254f889dSBrendon Cahoon /// scheduling part of the Swing Modulo Scheduling algorithm.
schedule()472254f889dSBrendon Cahoon void SwingSchedulerDAG::schedule() {
473254f889dSBrendon Cahoon AliasAnalysis *AA = &Pass.getAnalysis<AAResultsWrapperPass>().getAAResults();
474254f889dSBrendon Cahoon buildSchedGraph(AA);
475254f889dSBrendon Cahoon addLoopCarriedDependences(AA);
476254f889dSBrendon Cahoon updatePhiDependences();
477254f889dSBrendon Cahoon Topo.InitDAGTopologicalSorting();
478254f889dSBrendon Cahoon changeDependences();
47962ac69d4SSumanth Gundapaneni postprocessDAG();
480726e12cfSMatthias Braun LLVM_DEBUG(dump());
481254f889dSBrendon Cahoon
482254f889dSBrendon Cahoon NodeSetType NodeSets;
483254f889dSBrendon Cahoon findCircuits(NodeSets);
4844b8bcf00SRoorda, Jan-Willem NodeSetType Circuits = NodeSets;
485254f889dSBrendon Cahoon
486254f889dSBrendon Cahoon // Calculate the MII.
487254f889dSBrendon Cahoon unsigned ResMII = calculateResMII();
488254f889dSBrendon Cahoon unsigned RecMII = calculateRecMII(NodeSets);
489254f889dSBrendon Cahoon
490254f889dSBrendon Cahoon fuseRecs(NodeSets);
491254f889dSBrendon Cahoon
492254f889dSBrendon Cahoon // This flag is used for testing and can cause correctness problems.
493254f889dSBrendon Cahoon if (SwpIgnoreRecMII)
494254f889dSBrendon Cahoon RecMII = 0;
495254f889dSBrendon Cahoon
49659d99731SBrendon Cahoon setMII(ResMII, RecMII);
49759d99731SBrendon Cahoon setMAX_II();
49859d99731SBrendon Cahoon
49959d99731SBrendon Cahoon LLVM_DEBUG(dbgs() << "MII = " << MII << " MAX_II = " << MAX_II
50059d99731SBrendon Cahoon << " (rec=" << RecMII << ", res=" << ResMII << ")\n");
501254f889dSBrendon Cahoon
502254f889dSBrendon Cahoon // Can't schedule a loop without a valid MII.
50318e7bf5cSJinsong Ji if (MII == 0) {
50480b78a47SJinsong Ji LLVM_DEBUG(dbgs() << "Invalid Minimal Initiation Interval: 0\n");
50518e7bf5cSJinsong Ji NumFailZeroMII++;
50680b78a47SJinsong Ji Pass.ORE->emit([&]() {
50780b78a47SJinsong Ji return MachineOptimizationRemarkAnalysis(
50880b78a47SJinsong Ji DEBUG_TYPE, "schedule", Loop.getStartLoc(), Loop.getHeader())
50980b78a47SJinsong Ji << "Invalid Minimal Initiation Interval: 0";
51080b78a47SJinsong Ji });
511254f889dSBrendon Cahoon return;
51218e7bf5cSJinsong Ji }
513254f889dSBrendon Cahoon
514254f889dSBrendon Cahoon // Don't pipeline large loops.
51518e7bf5cSJinsong Ji if (SwpMaxMii != -1 && (int)MII > SwpMaxMii) {
51618e7bf5cSJinsong Ji LLVM_DEBUG(dbgs() << "MII > " << SwpMaxMii
517907aedbbSDavid Penry << ", we don't pipeline large loops\n");
51818e7bf5cSJinsong Ji NumFailLargeMaxMII++;
51980b78a47SJinsong Ji Pass.ORE->emit([&]() {
52080b78a47SJinsong Ji return MachineOptimizationRemarkAnalysis(
52180b78a47SJinsong Ji DEBUG_TYPE, "schedule", Loop.getStartLoc(), Loop.getHeader())
52280b78a47SJinsong Ji << "Minimal Initiation Interval too large: "
52380b78a47SJinsong Ji << ore::NV("MII", (int)MII) << " > "
52480b78a47SJinsong Ji << ore::NV("SwpMaxMii", SwpMaxMii) << "."
52580b78a47SJinsong Ji << "Refer to -pipeliner-max-mii.";
52680b78a47SJinsong Ji });
527254f889dSBrendon Cahoon return;
52818e7bf5cSJinsong Ji }
529254f889dSBrendon Cahoon
530254f889dSBrendon Cahoon computeNodeFunctions(NodeSets);
531254f889dSBrendon Cahoon
532254f889dSBrendon Cahoon registerPressureFilter(NodeSets);
533254f889dSBrendon Cahoon
534254f889dSBrendon Cahoon colocateNodeSets(NodeSets);
535254f889dSBrendon Cahoon
536254f889dSBrendon Cahoon checkNodeSets(NodeSets);
537254f889dSBrendon Cahoon
538d34e60caSNicola Zaghen LLVM_DEBUG({
539254f889dSBrendon Cahoon for (auto &I : NodeSets) {
540254f889dSBrendon Cahoon dbgs() << " Rec NodeSet ";
541254f889dSBrendon Cahoon I.dump();
542254f889dSBrendon Cahoon }
543254f889dSBrendon Cahoon });
544254f889dSBrendon Cahoon
545efd94c56SFangrui Song llvm::stable_sort(NodeSets, std::greater<NodeSet>());
546254f889dSBrendon Cahoon
547254f889dSBrendon Cahoon groupRemainingNodes(NodeSets);
548254f889dSBrendon Cahoon
549254f889dSBrendon Cahoon removeDuplicateNodes(NodeSets);
550254f889dSBrendon Cahoon
551d34e60caSNicola Zaghen LLVM_DEBUG({
552254f889dSBrendon Cahoon for (auto &I : NodeSets) {
553254f889dSBrendon Cahoon dbgs() << " NodeSet ";
554254f889dSBrendon Cahoon I.dump();
555254f889dSBrendon Cahoon }
556254f889dSBrendon Cahoon });
557254f889dSBrendon Cahoon
558254f889dSBrendon Cahoon computeNodeOrder(NodeSets);
559254f889dSBrendon Cahoon
5604b8bcf00SRoorda, Jan-Willem // check for node order issues
5614b8bcf00SRoorda, Jan-Willem checkValidNodeOrder(Circuits);
5624b8bcf00SRoorda, Jan-Willem
563254f889dSBrendon Cahoon SMSchedule Schedule(Pass.MF);
564254f889dSBrendon Cahoon Scheduled = schedulePipeline(Schedule);
565254f889dSBrendon Cahoon
56618e7bf5cSJinsong Ji if (!Scheduled){
56718e7bf5cSJinsong Ji LLVM_DEBUG(dbgs() << "No schedule found, return\n");
56818e7bf5cSJinsong Ji NumFailNoSchedule++;
56980b78a47SJinsong Ji Pass.ORE->emit([&]() {
57080b78a47SJinsong Ji return MachineOptimizationRemarkAnalysis(
57180b78a47SJinsong Ji DEBUG_TYPE, "schedule", Loop.getStartLoc(), Loop.getHeader())
57280b78a47SJinsong Ji << "Unable to find schedule";
57380b78a47SJinsong Ji });
574254f889dSBrendon Cahoon return;
57518e7bf5cSJinsong Ji }
576254f889dSBrendon Cahoon
577254f889dSBrendon Cahoon unsigned numStages = Schedule.getMaxStageCount();
578254f889dSBrendon Cahoon // No need to generate pipeline if there are no overlapped iterations.
57918e7bf5cSJinsong Ji if (numStages == 0) {
58080b78a47SJinsong Ji LLVM_DEBUG(dbgs() << "No overlapped iterations, skip.\n");
58118e7bf5cSJinsong Ji NumFailZeroStage++;
58280b78a47SJinsong Ji Pass.ORE->emit([&]() {
58380b78a47SJinsong Ji return MachineOptimizationRemarkAnalysis(
58480b78a47SJinsong Ji DEBUG_TYPE, "schedule", Loop.getStartLoc(), Loop.getHeader())
58580b78a47SJinsong Ji << "No need to pipeline - no overlapped iterations in schedule.";
58680b78a47SJinsong Ji });
587254f889dSBrendon Cahoon return;
58818e7bf5cSJinsong Ji }
589254f889dSBrendon Cahoon // Check that the maximum stage count is less than user-defined limit.
59018e7bf5cSJinsong Ji if (SwpMaxStages > -1 && (int)numStages > SwpMaxStages) {
59118e7bf5cSJinsong Ji LLVM_DEBUG(dbgs() << "numStages:" << numStages << ">" << SwpMaxStages
59218e7bf5cSJinsong Ji << " : too many stages, abort\n");
59318e7bf5cSJinsong Ji NumFailLargeMaxStage++;
59480b78a47SJinsong Ji Pass.ORE->emit([&]() {
59580b78a47SJinsong Ji return MachineOptimizationRemarkAnalysis(
59680b78a47SJinsong Ji DEBUG_TYPE, "schedule", Loop.getStartLoc(), Loop.getHeader())
59780b78a47SJinsong Ji << "Too many stages in schedule: "
59880b78a47SJinsong Ji << ore::NV("numStages", (int)numStages) << " > "
59980b78a47SJinsong Ji << ore::NV("SwpMaxStages", SwpMaxStages)
60080b78a47SJinsong Ji << ". Refer to -pipeliner-max-stages.";
60180b78a47SJinsong Ji });
602254f889dSBrendon Cahoon return;
60318e7bf5cSJinsong Ji }
604254f889dSBrendon Cahoon
60580b78a47SJinsong Ji Pass.ORE->emit([&]() {
60680b78a47SJinsong Ji return MachineOptimizationRemark(DEBUG_TYPE, "schedule", Loop.getStartLoc(),
60780b78a47SJinsong Ji Loop.getHeader())
60880b78a47SJinsong Ji << "Pipelined succesfully!";
60980b78a47SJinsong Ji });
61080b78a47SJinsong Ji
611790a779fSJames Molloy // Generate the schedule as a ModuloSchedule.
612790a779fSJames Molloy DenseMap<MachineInstr *, int> Cycles, Stages;
613790a779fSJames Molloy std::vector<MachineInstr *> OrderedInsts;
614790a779fSJames Molloy for (int Cycle = Schedule.getFirstCycle(); Cycle <= Schedule.getFinalCycle();
615790a779fSJames Molloy ++Cycle) {
616790a779fSJames Molloy for (SUnit *SU : Schedule.getInstructions(Cycle)) {
617790a779fSJames Molloy OrderedInsts.push_back(SU->getInstr());
618790a779fSJames Molloy Cycles[SU->getInstr()] = Cycle;
619790a779fSJames Molloy Stages[SU->getInstr()] = Schedule.stageScheduled(SU);
620790a779fSJames Molloy }
621790a779fSJames Molloy }
622790a779fSJames Molloy DenseMap<MachineInstr *, std::pair<unsigned, int64_t>> NewInstrChanges;
623790a779fSJames Molloy for (auto &KV : NewMIs) {
624790a779fSJames Molloy Cycles[KV.first] = Cycles[KV.second];
625790a779fSJames Molloy Stages[KV.first] = Stages[KV.second];
626790a779fSJames Molloy NewInstrChanges[KV.first] = InstrChanges[getSUnit(KV.first)];
627790a779fSJames Molloy }
628790a779fSJames Molloy
629790a779fSJames Molloy ModuloSchedule MS(MF, &Loop, std::move(OrderedInsts), std::move(Cycles),
630790a779fSJames Molloy std::move(Stages));
63193549957SJames Molloy if (EmitTestAnnotations) {
63293549957SJames Molloy assert(NewInstrChanges.empty() &&
63393549957SJames Molloy "Cannot serialize a schedule with InstrChanges!");
63493549957SJames Molloy ModuloScheduleTestAnnotater MSTI(MF, MS);
63593549957SJames Molloy MSTI.annotate();
63693549957SJames Molloy return;
63793549957SJames Molloy }
638fef9f590SJames Molloy // The experimental code generator can't work if there are InstChanges.
639fef9f590SJames Molloy if (ExperimentalCodeGen && NewInstrChanges.empty()) {
640fef9f590SJames Molloy PeelingModuloScheduleExpander MSE(MF, MS, &LIS);
6419026518eSJames Molloy MSE.expand();
642fef9f590SJames Molloy } else {
643790a779fSJames Molloy ModuloScheduleExpander MSE(MF, MS, LIS, std::move(NewInstrChanges));
644790a779fSJames Molloy MSE.expand();
645fef9f590SJames Molloy MSE.cleanup();
646fef9f590SJames Molloy }
647254f889dSBrendon Cahoon ++NumPipelined;
648254f889dSBrendon Cahoon }
649254f889dSBrendon Cahoon
650254f889dSBrendon Cahoon /// Clean up after the software pipeliner runs.
finishBlock()651254f889dSBrendon Cahoon void SwingSchedulerDAG::finishBlock() {
652790a779fSJames Molloy for (auto &KV : NewMIs)
653b0127424SMircea Trofin MF.deleteMachineInstr(KV.second);
654254f889dSBrendon Cahoon NewMIs.clear();
655254f889dSBrendon Cahoon
656254f889dSBrendon Cahoon // Call the superclass.
657254f889dSBrendon Cahoon ScheduleDAGInstrs::finishBlock();
658254f889dSBrendon Cahoon }
659254f889dSBrendon Cahoon
660254f889dSBrendon Cahoon /// Return the register values for the operands of a Phi instruction.
661254f889dSBrendon Cahoon /// This function assume the instruction is a Phi.
getPhiRegs(MachineInstr & Phi,MachineBasicBlock * Loop,unsigned & InitVal,unsigned & LoopVal)662254f889dSBrendon Cahoon static void getPhiRegs(MachineInstr &Phi, MachineBasicBlock *Loop,
663254f889dSBrendon Cahoon unsigned &InitVal, unsigned &LoopVal) {
664254f889dSBrendon Cahoon assert(Phi.isPHI() && "Expecting a Phi.");
665254f889dSBrendon Cahoon
666254f889dSBrendon Cahoon InitVal = 0;
667254f889dSBrendon Cahoon LoopVal = 0;
668254f889dSBrendon Cahoon for (unsigned i = 1, e = Phi.getNumOperands(); i != e; i += 2)
669254f889dSBrendon Cahoon if (Phi.getOperand(i + 1).getMBB() != Loop)
670254f889dSBrendon Cahoon InitVal = Phi.getOperand(i).getReg();
671fbfb19b1SSimon Pilgrim else
672254f889dSBrendon Cahoon LoopVal = Phi.getOperand(i).getReg();
673254f889dSBrendon Cahoon
674254f889dSBrendon Cahoon assert(InitVal != 0 && LoopVal != 0 && "Unexpected Phi structure.");
675254f889dSBrendon Cahoon }
676254f889dSBrendon Cahoon
6778f976ba0SHiroshi Inoue /// Return the Phi register value that comes the loop block.
getLoopPhiReg(MachineInstr & Phi,MachineBasicBlock * LoopBB)678254f889dSBrendon Cahoon static unsigned getLoopPhiReg(MachineInstr &Phi, MachineBasicBlock *LoopBB) {
679254f889dSBrendon Cahoon for (unsigned i = 1, e = Phi.getNumOperands(); i != e; i += 2)
680254f889dSBrendon Cahoon if (Phi.getOperand(i + 1).getMBB() == LoopBB)
681254f889dSBrendon Cahoon return Phi.getOperand(i).getReg();
682254f889dSBrendon Cahoon return 0;
683254f889dSBrendon Cahoon }
684254f889dSBrendon Cahoon
685254f889dSBrendon Cahoon /// Return true if SUb can be reached from SUa following the chain edges.
isSuccOrder(SUnit * SUa,SUnit * SUb)686254f889dSBrendon Cahoon static bool isSuccOrder(SUnit *SUa, SUnit *SUb) {
687254f889dSBrendon Cahoon SmallPtrSet<SUnit *, 8> Visited;
688254f889dSBrendon Cahoon SmallVector<SUnit *, 8> Worklist;
689254f889dSBrendon Cahoon Worklist.push_back(SUa);
690254f889dSBrendon Cahoon while (!Worklist.empty()) {
691254f889dSBrendon Cahoon const SUnit *SU = Worklist.pop_back_val();
6929e6d1f4bSKazu Hirata for (const auto &SI : SU->Succs) {
693254f889dSBrendon Cahoon SUnit *SuccSU = SI.getSUnit();
694254f889dSBrendon Cahoon if (SI.getKind() == SDep::Order) {
695254f889dSBrendon Cahoon if (Visited.count(SuccSU))
696254f889dSBrendon Cahoon continue;
697254f889dSBrendon Cahoon if (SuccSU == SUb)
698254f889dSBrendon Cahoon return true;
699254f889dSBrendon Cahoon Worklist.push_back(SuccSU);
700254f889dSBrendon Cahoon Visited.insert(SuccSU);
701254f889dSBrendon Cahoon }
702254f889dSBrendon Cahoon }
703254f889dSBrendon Cahoon }
704254f889dSBrendon Cahoon return false;
705254f889dSBrendon Cahoon }
706254f889dSBrendon Cahoon
707254f889dSBrendon Cahoon /// Return true if the instruction causes a chain between memory
708254f889dSBrendon Cahoon /// references before and after it.
isDependenceBarrier(MachineInstr & MI)709*8d0383ebSMatt Arsenault static bool isDependenceBarrier(MachineInstr &MI) {
7106c5d5ce5SUlrich Weigand return MI.isCall() || MI.mayRaiseFPException() ||
7116c5d5ce5SUlrich Weigand MI.hasUnmodeledSideEffects() ||
712254f889dSBrendon Cahoon (MI.hasOrderedMemoryRef() &&
713*8d0383ebSMatt Arsenault (!MI.mayLoad() || !MI.isDereferenceableInvariantLoad()));
714254f889dSBrendon Cahoon }
715254f889dSBrendon Cahoon
716254f889dSBrendon Cahoon /// Return the underlying objects for the memory references of an instruction.
717254f889dSBrendon Cahoon /// This function calls the code in ValueTracking, but first checks that the
718254f889dSBrendon Cahoon /// instruction has a memory operand.
getUnderlyingObjects(const MachineInstr * MI,SmallVectorImpl<const Value * > & Objs)71971e8c6f2SBjorn Pettersson static void getUnderlyingObjects(const MachineInstr *MI,
720b0eb40caSVitaly Buka SmallVectorImpl<const Value *> &Objs) {
721254f889dSBrendon Cahoon if (!MI->hasOneMemOperand())
722254f889dSBrendon Cahoon return;
723254f889dSBrendon Cahoon MachineMemOperand *MM = *MI->memoperands_begin();
724254f889dSBrendon Cahoon if (!MM->getValue())
725254f889dSBrendon Cahoon return;
726b0eb40caSVitaly Buka getUnderlyingObjects(MM->getValue(), Objs);
72771e8c6f2SBjorn Pettersson for (const Value *V : Objs) {
7289f041b18SKrzysztof Parzyszek if (!isIdentifiedObject(V)) {
7299f041b18SKrzysztof Parzyszek Objs.clear();
7309f041b18SKrzysztof Parzyszek return;
7319f041b18SKrzysztof Parzyszek }
7329f041b18SKrzysztof Parzyszek Objs.push_back(V);
7339f041b18SKrzysztof Parzyszek }
734254f889dSBrendon Cahoon }
735254f889dSBrendon Cahoon
736254f889dSBrendon Cahoon /// Add a chain edge between a load and store if the store can be an
737254f889dSBrendon Cahoon /// alias of the load on a subsequent iteration, i.e., a loop carried
738254f889dSBrendon Cahoon /// dependence. This code is very similar to the code in ScheduleDAGInstrs
739254f889dSBrendon Cahoon /// but that code doesn't create loop carried dependences.
addLoopCarriedDependences(AliasAnalysis * AA)740254f889dSBrendon Cahoon void SwingSchedulerDAG::addLoopCarriedDependences(AliasAnalysis *AA) {
74171e8c6f2SBjorn Pettersson MapVector<const Value *, SmallVector<SUnit *, 4>> PendingLoads;
7429f041b18SKrzysztof Parzyszek Value *UnknownValue =
7439f041b18SKrzysztof Parzyszek UndefValue::get(Type::getVoidTy(MF.getFunction().getContext()));
744254f889dSBrendon Cahoon for (auto &SU : SUnits) {
745254f889dSBrendon Cahoon MachineInstr &MI = *SU.getInstr();
746*8d0383ebSMatt Arsenault if (isDependenceBarrier(MI))
747254f889dSBrendon Cahoon PendingLoads.clear();
748254f889dSBrendon Cahoon else if (MI.mayLoad()) {
74971e8c6f2SBjorn Pettersson SmallVector<const Value *, 4> Objs;
750b0eb40caSVitaly Buka ::getUnderlyingObjects(&MI, Objs);
7519f041b18SKrzysztof Parzyszek if (Objs.empty())
7529f041b18SKrzysztof Parzyszek Objs.push_back(UnknownValue);
7539e6d1f4bSKazu Hirata for (const auto *V : Objs) {
754254f889dSBrendon Cahoon SmallVector<SUnit *, 4> &SUs = PendingLoads[V];
755254f889dSBrendon Cahoon SUs.push_back(&SU);
756254f889dSBrendon Cahoon }
757254f889dSBrendon Cahoon } else if (MI.mayStore()) {
75871e8c6f2SBjorn Pettersson SmallVector<const Value *, 4> Objs;
759b0eb40caSVitaly Buka ::getUnderlyingObjects(&MI, Objs);
7609f041b18SKrzysztof Parzyszek if (Objs.empty())
7619f041b18SKrzysztof Parzyszek Objs.push_back(UnknownValue);
7629e6d1f4bSKazu Hirata for (const auto *V : Objs) {
76371e8c6f2SBjorn Pettersson MapVector<const Value *, SmallVector<SUnit *, 4>>::iterator I =
764254f889dSBrendon Cahoon PendingLoads.find(V);
765254f889dSBrendon Cahoon if (I == PendingLoads.end())
766254f889dSBrendon Cahoon continue;
7679e6d1f4bSKazu Hirata for (auto *Load : I->second) {
768254f889dSBrendon Cahoon if (isSuccOrder(Load, &SU))
769254f889dSBrendon Cahoon continue;
770254f889dSBrendon Cahoon MachineInstr &LdMI = *Load->getInstr();
771254f889dSBrendon Cahoon // First, perform the cheaper check that compares the base register.
772254f889dSBrendon Cahoon // If they are the same and the load offset is less than the store
773254f889dSBrendon Cahoon // offset, then mark the dependence as loop carried potentially.
774238c9d63SBjorn Pettersson const MachineOperand *BaseOp1, *BaseOp2;
775254f889dSBrendon Cahoon int64_t Offset1, Offset2;
7768fbc9258SSander de Smalen bool Offset1IsScalable, Offset2IsScalable;
7778fbc9258SSander de Smalen if (TII->getMemOperandWithOffset(LdMI, BaseOp1, Offset1,
7788fbc9258SSander de Smalen Offset1IsScalable, TRI) &&
7798fbc9258SSander de Smalen TII->getMemOperandWithOffset(MI, BaseOp2, Offset2,
7808fbc9258SSander de Smalen Offset2IsScalable, TRI)) {
781d7eebd6dSFrancis Visoiu Mistrih if (BaseOp1->isIdenticalTo(*BaseOp2) &&
7828fbc9258SSander de Smalen Offset1IsScalable == Offset2IsScalable &&
783d7eebd6dSFrancis Visoiu Mistrih (int)Offset1 < (int)Offset2) {
784f5524f04SChangpeng Fang assert(TII->areMemAccessesTriviallyDisjoint(LdMI, MI) &&
785254f889dSBrendon Cahoon "What happened to the chain edge?");
786c715a5d2SKrzysztof Parzyszek SDep Dep(Load, SDep::Barrier);
787c715a5d2SKrzysztof Parzyszek Dep.setLatency(1);
788c715a5d2SKrzysztof Parzyszek SU.addPred(Dep);
789254f889dSBrendon Cahoon continue;
790254f889dSBrendon Cahoon }
7919f041b18SKrzysztof Parzyszek }
792254f889dSBrendon Cahoon // Second, the more expensive check that uses alias analysis on the
793254f889dSBrendon Cahoon // base registers. If they alias, and the load offset is less than
794254f889dSBrendon Cahoon // the store offset, the mark the dependence as loop carried.
795254f889dSBrendon Cahoon if (!AA) {
796c715a5d2SKrzysztof Parzyszek SDep Dep(Load, SDep::Barrier);
797c715a5d2SKrzysztof Parzyszek Dep.setLatency(1);
798c715a5d2SKrzysztof Parzyszek SU.addPred(Dep);
799254f889dSBrendon Cahoon continue;
800254f889dSBrendon Cahoon }
801254f889dSBrendon Cahoon MachineMemOperand *MMO1 = *LdMI.memoperands_begin();
802254f889dSBrendon Cahoon MachineMemOperand *MMO2 = *MI.memoperands_begin();
803254f889dSBrendon Cahoon if (!MMO1->getValue() || !MMO2->getValue()) {
804c715a5d2SKrzysztof Parzyszek SDep Dep(Load, SDep::Barrier);
805c715a5d2SKrzysztof Parzyszek Dep.setLatency(1);
806c715a5d2SKrzysztof Parzyszek SU.addPred(Dep);
807254f889dSBrendon Cahoon continue;
808254f889dSBrendon Cahoon }
809254f889dSBrendon Cahoon if (MMO1->getValue() == MMO2->getValue() &&
810254f889dSBrendon Cahoon MMO1->getOffset() <= MMO2->getOffset()) {
811c715a5d2SKrzysztof Parzyszek SDep Dep(Load, SDep::Barrier);
812c715a5d2SKrzysztof Parzyszek Dep.setLatency(1);
813c715a5d2SKrzysztof Parzyszek SU.addPred(Dep);
814254f889dSBrendon Cahoon continue;
815254f889dSBrendon Cahoon }
816d0660797Sdfukalov if (!AA->isNoAlias(
8174df8efceSNikita Popov MemoryLocation::getAfter(MMO1->getValue(), MMO1->getAAInfo()),
818d0660797Sdfukalov MemoryLocation::getAfter(MMO2->getValue(),
819d0660797Sdfukalov MMO2->getAAInfo()))) {
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.
updatePhiDependences()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.
changeDependences()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;
9523279943aSKazu Hirata for (const SDep &P : I.Preds)
9533279943aSKazu Hirata if (P.getSUnit() == DefSU)
9543279943aSKazu Hirata Deps.push_back(P);
955254f889dSBrendon Cahoon for (int i = 0, e = Deps.size(); i != e; i++) {
956254f889dSBrendon Cahoon Topo.RemovePred(&I, Deps[i].getSUnit());
957254f889dSBrendon Cahoon I.removePred(Deps[i]);
958254f889dSBrendon Cahoon }
959254f889dSBrendon Cahoon // Remove the chain dependence between the instructions.
960254f889dSBrendon Cahoon Deps.clear();
961254f889dSBrendon Cahoon for (auto &P : LastSU->Preds)
962254f889dSBrendon Cahoon if (P.getSUnit() == &I && P.getKind() == SDep::Order)
963254f889dSBrendon Cahoon Deps.push_back(P);
964254f889dSBrendon Cahoon for (int i = 0, e = Deps.size(); i != e; i++) {
965254f889dSBrendon Cahoon Topo.RemovePred(LastSU, Deps[i].getSUnit());
966254f889dSBrendon Cahoon LastSU->removePred(Deps[i]);
967254f889dSBrendon Cahoon }
968254f889dSBrendon Cahoon
969254f889dSBrendon Cahoon // Add a dependence between the new instruction and the instruction
970254f889dSBrendon Cahoon // that defines the new base.
971254f889dSBrendon Cahoon SDep Dep(&I, SDep::Anti, NewBase);
9728916e438SSumanth Gundapaneni Topo.AddPred(LastSU, &I);
973254f889dSBrendon Cahoon LastSU->addPred(Dep);
974254f889dSBrendon Cahoon
975254f889dSBrendon Cahoon // Remember the base and offset information so that we can update the
976254f889dSBrendon Cahoon // instruction during code generation.
977254f889dSBrendon Cahoon InstrChanges[&I] = std::make_pair(NewBase, NewOffset);
978254f889dSBrendon Cahoon }
979254f889dSBrendon Cahoon }
980254f889dSBrendon Cahoon
981254f889dSBrendon Cahoon namespace {
982cdc71612SEugene Zelenko
983254f889dSBrendon Cahoon // FuncUnitSorter - Comparison operator used to sort instructions by
984254f889dSBrendon Cahoon // the number of functional unit choices.
985254f889dSBrendon Cahoon struct FuncUnitSorter {
986254f889dSBrendon Cahoon const InstrItineraryData *InstrItins;
987f6cb3bcbSJinsong Ji const MCSubtargetInfo *STI;
988c3f36accSBevin Hansson DenseMap<InstrStage::FuncUnits, unsigned> Resources;
989254f889dSBrendon Cahoon
FuncUnitSorter__anon58791d410d11::FuncUnitSorter990f6cb3bcbSJinsong Ji FuncUnitSorter(const TargetSubtargetInfo &TSI)
991f6cb3bcbSJinsong Ji : InstrItins(TSI.getInstrItineraryData()), STI(&TSI) {}
99232a40564SEugene Zelenko
993254f889dSBrendon Cahoon // Compute the number of functional unit alternatives needed
994254f889dSBrendon Cahoon // at each stage, and take the minimum value. We prioritize the
995254f889dSBrendon Cahoon // instructions by the least number of choices first.
minFuncUnits__anon58791d410d11::FuncUnitSorter996c3f36accSBevin Hansson unsigned minFuncUnits(const MachineInstr *Inst,
997c3f36accSBevin Hansson InstrStage::FuncUnits &F) const {
998f6cb3bcbSJinsong Ji unsigned SchedClass = Inst->getDesc().getSchedClass();
999254f889dSBrendon Cahoon unsigned min = UINT_MAX;
1000f6cb3bcbSJinsong Ji if (InstrItins && !InstrItins->isEmpty()) {
1001f6cb3bcbSJinsong Ji for (const InstrStage &IS :
1002f6cb3bcbSJinsong Ji make_range(InstrItins->beginStage(SchedClass),
1003f6cb3bcbSJinsong Ji InstrItins->endStage(SchedClass))) {
1004c3f36accSBevin Hansson InstrStage::FuncUnits funcUnits = IS.getUnits();
1005254f889dSBrendon Cahoon unsigned numAlternatives = countPopulation(funcUnits);
1006254f889dSBrendon Cahoon if (numAlternatives < min) {
1007254f889dSBrendon Cahoon min = numAlternatives;
1008254f889dSBrendon Cahoon F = funcUnits;
1009254f889dSBrendon Cahoon }
1010254f889dSBrendon Cahoon }
1011254f889dSBrendon Cahoon return min;
1012254f889dSBrendon Cahoon }
1013f6cb3bcbSJinsong Ji if (STI && STI->getSchedModel().hasInstrSchedModel()) {
1014f6cb3bcbSJinsong Ji const MCSchedClassDesc *SCDesc =
1015f6cb3bcbSJinsong Ji STI->getSchedModel().getSchedClassDesc(SchedClass);
1016f6cb3bcbSJinsong Ji if (!SCDesc->isValid())
1017f6cb3bcbSJinsong Ji // No valid Schedule Class Desc for schedClass, should be
1018f6cb3bcbSJinsong Ji // Pseudo/PostRAPseudo
1019f6cb3bcbSJinsong Ji return min;
1020f6cb3bcbSJinsong Ji
1021f6cb3bcbSJinsong Ji for (const MCWriteProcResEntry &PRE :
1022f6cb3bcbSJinsong Ji make_range(STI->getWriteProcResBegin(SCDesc),
1023f6cb3bcbSJinsong Ji STI->getWriteProcResEnd(SCDesc))) {
1024f6cb3bcbSJinsong Ji if (!PRE.Cycles)
1025f6cb3bcbSJinsong Ji continue;
1026f6cb3bcbSJinsong Ji const MCProcResourceDesc *ProcResource =
1027f6cb3bcbSJinsong Ji STI->getSchedModel().getProcResource(PRE.ProcResourceIdx);
1028f6cb3bcbSJinsong Ji unsigned NumUnits = ProcResource->NumUnits;
1029f6cb3bcbSJinsong Ji if (NumUnits < min) {
1030f6cb3bcbSJinsong Ji min = NumUnits;
1031f6cb3bcbSJinsong Ji F = PRE.ProcResourceIdx;
1032f6cb3bcbSJinsong Ji }
1033f6cb3bcbSJinsong Ji }
1034f6cb3bcbSJinsong Ji return min;
1035f6cb3bcbSJinsong Ji }
1036f6cb3bcbSJinsong Ji llvm_unreachable("Should have non-empty InstrItins or hasInstrSchedModel!");
1037f6cb3bcbSJinsong Ji }
1038254f889dSBrendon Cahoon
1039254f889dSBrendon Cahoon // Compute the critical resources needed by the instruction. This
1040254f889dSBrendon Cahoon // function records the functional units needed by instructions that
1041254f889dSBrendon Cahoon // must use only one functional unit. We use this as a tie breaker
1042254f889dSBrendon Cahoon // for computing the resource MII. The instrutions that require
1043254f889dSBrendon Cahoon // the same, highly used, functional unit have high priority.
calcCriticalResources__anon58791d410d11::FuncUnitSorter1044254f889dSBrendon Cahoon void calcCriticalResources(MachineInstr &MI) {
1045254f889dSBrendon Cahoon unsigned SchedClass = MI.getDesc().getSchedClass();
1046f6cb3bcbSJinsong Ji if (InstrItins && !InstrItins->isEmpty()) {
1047f6cb3bcbSJinsong Ji for (const InstrStage &IS :
1048f6cb3bcbSJinsong Ji make_range(InstrItins->beginStage(SchedClass),
1049f6cb3bcbSJinsong Ji InstrItins->endStage(SchedClass))) {
1050c3f36accSBevin Hansson InstrStage::FuncUnits FuncUnits = IS.getUnits();
1051254f889dSBrendon Cahoon if (countPopulation(FuncUnits) == 1)
1052254f889dSBrendon Cahoon Resources[FuncUnits]++;
1053254f889dSBrendon Cahoon }
1054f6cb3bcbSJinsong Ji return;
1055f6cb3bcbSJinsong Ji }
1056f6cb3bcbSJinsong Ji if (STI && STI->getSchedModel().hasInstrSchedModel()) {
1057f6cb3bcbSJinsong Ji const MCSchedClassDesc *SCDesc =
1058f6cb3bcbSJinsong Ji STI->getSchedModel().getSchedClassDesc(SchedClass);
1059f6cb3bcbSJinsong Ji if (!SCDesc->isValid())
1060f6cb3bcbSJinsong Ji // No valid Schedule Class Desc for schedClass, should be
1061f6cb3bcbSJinsong Ji // Pseudo/PostRAPseudo
1062f6cb3bcbSJinsong Ji return;
1063f6cb3bcbSJinsong Ji
1064f6cb3bcbSJinsong Ji for (const MCWriteProcResEntry &PRE :
1065f6cb3bcbSJinsong Ji make_range(STI->getWriteProcResBegin(SCDesc),
1066f6cb3bcbSJinsong Ji STI->getWriteProcResEnd(SCDesc))) {
1067f6cb3bcbSJinsong Ji if (!PRE.Cycles)
1068f6cb3bcbSJinsong Ji continue;
1069f6cb3bcbSJinsong Ji Resources[PRE.ProcResourceIdx]++;
1070f6cb3bcbSJinsong Ji }
1071f6cb3bcbSJinsong Ji return;
1072f6cb3bcbSJinsong Ji }
1073f6cb3bcbSJinsong Ji llvm_unreachable("Should have non-empty InstrItins or hasInstrSchedModel!");
1074254f889dSBrendon Cahoon }
1075254f889dSBrendon Cahoon
1076254f889dSBrendon Cahoon /// Return true if IS1 has less priority than IS2.
operator ()__anon58791d410d11::FuncUnitSorter1077254f889dSBrendon Cahoon bool operator()(const MachineInstr *IS1, const MachineInstr *IS2) const {
1078c3f36accSBevin Hansson InstrStage::FuncUnits F1 = 0, F2 = 0;
1079254f889dSBrendon Cahoon unsigned MFUs1 = minFuncUnits(IS1, F1);
1080254f889dSBrendon Cahoon unsigned MFUs2 = minFuncUnits(IS2, F2);
10816349ce5cSJinsong Ji if (MFUs1 == MFUs2)
1082254f889dSBrendon Cahoon return Resources.lookup(F1) < Resources.lookup(F2);
1083254f889dSBrendon Cahoon return MFUs1 > MFUs2;
1084254f889dSBrendon Cahoon }
1085254f889dSBrendon Cahoon };
1086cdc71612SEugene Zelenko
1087cdc71612SEugene Zelenko } // end anonymous namespace
1088254f889dSBrendon Cahoon
1089254f889dSBrendon Cahoon /// Calculate the resource constrained minimum initiation interval for the
1090254f889dSBrendon Cahoon /// specified loop. We use the DFA to model the resources needed for
1091254f889dSBrendon Cahoon /// each instruction, and we ignore dependences. A different DFA is created
1092254f889dSBrendon Cahoon /// for each cycle that is required. When adding a new instruction, we attempt
1093254f889dSBrendon Cahoon /// to add it to each existing DFA, until a legal space is found. If the
1094254f889dSBrendon Cahoon /// instruction cannot be reserved in an existing DFA, we create a new one.
calculateResMII()1095254f889dSBrendon Cahoon unsigned SwingSchedulerDAG::calculateResMII() {
1096f6cb3bcbSJinsong Ji
109718e7bf5cSJinsong Ji LLVM_DEBUG(dbgs() << "calculateResMII:\n");
1098f6cb3bcbSJinsong Ji SmallVector<ResourceManager*, 8> Resources;
1099254f889dSBrendon Cahoon MachineBasicBlock *MBB = Loop.getHeader();
1100f6cb3bcbSJinsong Ji Resources.push_back(new ResourceManager(&MF.getSubtarget()));
1101254f889dSBrendon Cahoon
1102254f889dSBrendon Cahoon // Sort the instructions by the number of available choices for scheduling,
1103254f889dSBrendon Cahoon // least to most. Use the number of critical resources as the tie breaker.
1104f6cb3bcbSJinsong Ji FuncUnitSorter FUS = FuncUnitSorter(MF.getSubtarget());
1105c4a8928bSKazu Hirata for (MachineInstr &MI :
1106c4a8928bSKazu Hirata llvm::make_range(MBB->getFirstNonPHI(), MBB->getFirstTerminator()))
1107c4a8928bSKazu Hirata FUS.calcCriticalResources(MI);
1108254f889dSBrendon Cahoon PriorityQueue<MachineInstr *, std::vector<MachineInstr *>, FuncUnitSorter>
1109254f889dSBrendon Cahoon FuncUnitOrder(FUS);
1110254f889dSBrendon Cahoon
1111c4a8928bSKazu Hirata for (MachineInstr &MI :
1112c4a8928bSKazu Hirata llvm::make_range(MBB->getFirstNonPHI(), MBB->getFirstTerminator()))
1113c4a8928bSKazu Hirata FuncUnitOrder.push(&MI);
1114254f889dSBrendon Cahoon
1115254f889dSBrendon Cahoon while (!FuncUnitOrder.empty()) {
1116254f889dSBrendon Cahoon MachineInstr *MI = FuncUnitOrder.top();
1117254f889dSBrendon Cahoon FuncUnitOrder.pop();
1118254f889dSBrendon Cahoon if (TII->isZeroCost(MI->getOpcode()))
1119254f889dSBrendon Cahoon continue;
1120254f889dSBrendon Cahoon // Attempt to reserve the instruction in an existing DFA. At least one
1121254f889dSBrendon Cahoon // DFA is needed for each cycle.
1122254f889dSBrendon Cahoon unsigned NumCycles = getSUnit(MI)->Latency;
1123254f889dSBrendon Cahoon unsigned ReservedCycles = 0;
1124f6cb3bcbSJinsong Ji SmallVectorImpl<ResourceManager *>::iterator RI = Resources.begin();
1125f6cb3bcbSJinsong Ji SmallVectorImpl<ResourceManager *>::iterator RE = Resources.end();
112618e7bf5cSJinsong Ji LLVM_DEBUG({
112718e7bf5cSJinsong Ji dbgs() << "Trying to reserve resource for " << NumCycles
112818e7bf5cSJinsong Ji << " cycles for \n";
112918e7bf5cSJinsong Ji MI->dump();
113018e7bf5cSJinsong Ji });
1131254f889dSBrendon Cahoon for (unsigned C = 0; C < NumCycles; ++C)
1132254f889dSBrendon Cahoon while (RI != RE) {
1133fee855b5SJinsong Ji if ((*RI)->canReserveResources(*MI)) {
1134fee855b5SJinsong Ji (*RI)->reserveResources(*MI);
1135254f889dSBrendon Cahoon ++ReservedCycles;
1136254f889dSBrendon Cahoon break;
1137254f889dSBrendon Cahoon }
1138fee855b5SJinsong Ji RI++;
1139254f889dSBrendon Cahoon }
114018e7bf5cSJinsong Ji LLVM_DEBUG(dbgs() << "ReservedCycles:" << ReservedCycles
114118e7bf5cSJinsong Ji << ", NumCycles:" << NumCycles << "\n");
1142254f889dSBrendon Cahoon // Add new DFAs, if needed, to reserve resources.
1143254f889dSBrendon Cahoon for (unsigned C = ReservedCycles; C < NumCycles; ++C) {
1144ba43840bSJinsong Ji LLVM_DEBUG(if (SwpDebugResource) dbgs()
1145ba43840bSJinsong Ji << "NewResource created to reserve resources"
114618e7bf5cSJinsong Ji << "\n");
1147f6cb3bcbSJinsong Ji ResourceManager *NewResource = new ResourceManager(&MF.getSubtarget());
1148254f889dSBrendon Cahoon assert(NewResource->canReserveResources(*MI) && "Reserve error.");
1149254f889dSBrendon Cahoon NewResource->reserveResources(*MI);
1150254f889dSBrendon Cahoon Resources.push_back(NewResource);
1151254f889dSBrendon Cahoon }
1152254f889dSBrendon Cahoon }
1153254f889dSBrendon Cahoon int Resmii = Resources.size();
115480b78a47SJinsong Ji LLVM_DEBUG(dbgs() << "Return Res MII:" << Resmii << "\n");
1155254f889dSBrendon Cahoon // Delete the memory for each of the DFAs that were created earlier.
1156f6cb3bcbSJinsong Ji for (ResourceManager *RI : Resources) {
1157f6cb3bcbSJinsong Ji ResourceManager *D = RI;
1158254f889dSBrendon Cahoon delete D;
1159254f889dSBrendon Cahoon }
1160254f889dSBrendon Cahoon Resources.clear();
1161254f889dSBrendon Cahoon return Resmii;
1162254f889dSBrendon Cahoon }
1163254f889dSBrendon Cahoon
1164254f889dSBrendon Cahoon /// Calculate the recurrence-constrainted minimum initiation interval.
1165254f889dSBrendon Cahoon /// Iterate over each circuit. Compute the delay(c) and distance(c)
1166254f889dSBrendon Cahoon /// for each circuit. The II needs to satisfy the inequality
1167254f889dSBrendon Cahoon /// delay(c) - II*distance(c) <= 0. For each circuit, choose the smallest
1168c73b6d6bSHiroshi Inoue /// II that satisfies the inequality, and the RecMII is the maximum
1169254f889dSBrendon Cahoon /// of those values.
calculateRecMII(NodeSetType & NodeSets)1170254f889dSBrendon Cahoon unsigned SwingSchedulerDAG::calculateRecMII(NodeSetType &NodeSets) {
1171254f889dSBrendon Cahoon unsigned RecMII = 0;
1172254f889dSBrendon Cahoon
1173254f889dSBrendon Cahoon for (NodeSet &Nodes : NodeSets) {
117432a40564SEugene Zelenko if (Nodes.empty())
1175254f889dSBrendon Cahoon continue;
1176254f889dSBrendon Cahoon
1177a2122044SKrzysztof Parzyszek unsigned Delay = Nodes.getLatency();
1178254f889dSBrendon Cahoon unsigned Distance = 1;
1179254f889dSBrendon Cahoon
1180254f889dSBrendon Cahoon // ii = ceil(delay / distance)
1181254f889dSBrendon Cahoon unsigned CurMII = (Delay + Distance - 1) / Distance;
1182254f889dSBrendon Cahoon Nodes.setRecMII(CurMII);
1183254f889dSBrendon Cahoon if (CurMII > RecMII)
1184254f889dSBrendon Cahoon RecMII = CurMII;
1185254f889dSBrendon Cahoon }
1186254f889dSBrendon Cahoon
1187254f889dSBrendon Cahoon return RecMII;
1188254f889dSBrendon Cahoon }
1189254f889dSBrendon Cahoon
1190254f889dSBrendon Cahoon /// Swap all the anti dependences in the DAG. That means it is no longer a DAG,
1191254f889dSBrendon Cahoon /// but we do this to find the circuits, and then change them back.
swapAntiDependences(std::vector<SUnit> & SUnits)1192254f889dSBrendon Cahoon static void swapAntiDependences(std::vector<SUnit> &SUnits) {
1193254f889dSBrendon Cahoon SmallVector<std::pair<SUnit *, SDep>, 8> DepsAdded;
1194ca2f5389SKazu Hirata for (SUnit &SU : SUnits) {
1195ca2f5389SKazu Hirata for (SDep &Pred : SU.Preds)
1196ca2f5389SKazu Hirata if (Pred.getKind() == SDep::Anti)
1197ca2f5389SKazu Hirata DepsAdded.push_back(std::make_pair(&SU, Pred));
1198254f889dSBrendon Cahoon }
11993279943aSKazu Hirata for (std::pair<SUnit *, SDep> &P : DepsAdded) {
1200254f889dSBrendon Cahoon // Remove this anti dependency and add one in the reverse direction.
12013279943aSKazu Hirata SUnit *SU = P.first;
12023279943aSKazu Hirata SDep &D = P.second;
1203254f889dSBrendon Cahoon SUnit *TargetSU = D.getSUnit();
1204254f889dSBrendon Cahoon unsigned Reg = D.getReg();
1205254f889dSBrendon Cahoon unsigned Lat = D.getLatency();
1206254f889dSBrendon Cahoon SU->removePred(D);
1207254f889dSBrendon Cahoon SDep Dep(SU, SDep::Anti, Reg);
1208254f889dSBrendon Cahoon Dep.setLatency(Lat);
1209254f889dSBrendon Cahoon TargetSU->addPred(Dep);
1210254f889dSBrendon Cahoon }
1211254f889dSBrendon Cahoon }
1212254f889dSBrendon Cahoon
1213254f889dSBrendon Cahoon /// Create the adjacency structure of the nodes in the graph.
createAdjacencyStructure(SwingSchedulerDAG * DAG)1214254f889dSBrendon Cahoon void SwingSchedulerDAG::Circuits::createAdjacencyStructure(
1215254f889dSBrendon Cahoon SwingSchedulerDAG *DAG) {
1216254f889dSBrendon Cahoon BitVector Added(SUnits.size());
12178e1363dfSKrzysztof Parzyszek DenseMap<int, int> OutputDeps;
1218254f889dSBrendon Cahoon for (int i = 0, e = SUnits.size(); i != e; ++i) {
1219254f889dSBrendon Cahoon Added.reset();
1220254f889dSBrendon Cahoon // Add any successor to the adjacency matrix and exclude duplicates.
1221254f889dSBrendon Cahoon for (auto &SI : SUnits[i].Succs) {
12228e1363dfSKrzysztof Parzyszek // Only create a back-edge on the first and last nodes of a dependence
12238e1363dfSKrzysztof Parzyszek // chain. This records any chains and adds them later.
12248e1363dfSKrzysztof Parzyszek if (SI.getKind() == SDep::Output) {
12258e1363dfSKrzysztof Parzyszek int N = SI.getSUnit()->NodeNum;
12268e1363dfSKrzysztof Parzyszek int BackEdge = i;
12278e1363dfSKrzysztof Parzyszek auto Dep = OutputDeps.find(BackEdge);
12288e1363dfSKrzysztof Parzyszek if (Dep != OutputDeps.end()) {
12298e1363dfSKrzysztof Parzyszek BackEdge = Dep->second;
12308e1363dfSKrzysztof Parzyszek OutputDeps.erase(Dep);
12318e1363dfSKrzysztof Parzyszek }
12328e1363dfSKrzysztof Parzyszek OutputDeps[N] = BackEdge;
12338e1363dfSKrzysztof Parzyszek }
1234ada0f511SSumanth Gundapaneni // Do not process a boundary node, an artificial node.
1235ada0f511SSumanth Gundapaneni // A back-edge is processed only if it goes to a Phi.
1236ada0f511SSumanth Gundapaneni if (SI.getSUnit()->isBoundaryNode() || SI.isArtificial() ||
1237254f889dSBrendon Cahoon (SI.getKind() == SDep::Anti && !SI.getSUnit()->getInstr()->isPHI()))
1238254f889dSBrendon Cahoon continue;
1239254f889dSBrendon Cahoon int N = SI.getSUnit()->NodeNum;
1240254f889dSBrendon Cahoon if (!Added.test(N)) {
1241254f889dSBrendon Cahoon AdjK[i].push_back(N);
1242254f889dSBrendon Cahoon Added.set(N);
1243254f889dSBrendon Cahoon }
1244254f889dSBrendon Cahoon }
1245254f889dSBrendon Cahoon // A chain edge between a store and a load is treated as a back-edge in the
1246254f889dSBrendon Cahoon // adjacency matrix.
1247254f889dSBrendon Cahoon for (auto &PI : SUnits[i].Preds) {
1248254f889dSBrendon Cahoon if (!SUnits[i].getInstr()->mayStore() ||
12498e1363dfSKrzysztof Parzyszek !DAG->isLoopCarriedDep(&SUnits[i], PI, false))
1250254f889dSBrendon Cahoon continue;
1251254f889dSBrendon Cahoon if (PI.getKind() == SDep::Order && PI.getSUnit()->getInstr()->mayLoad()) {
1252254f889dSBrendon Cahoon int N = PI.getSUnit()->NodeNum;
1253254f889dSBrendon Cahoon if (!Added.test(N)) {
1254254f889dSBrendon Cahoon AdjK[i].push_back(N);
1255254f889dSBrendon Cahoon Added.set(N);
1256254f889dSBrendon Cahoon }
1257254f889dSBrendon Cahoon }
1258254f889dSBrendon Cahoon }
1259254f889dSBrendon Cahoon }
1260dad8c6a1SHiroshi Inoue // Add back-edges in the adjacency matrix for the output dependences.
12618e1363dfSKrzysztof Parzyszek for (auto &OD : OutputDeps)
12628e1363dfSKrzysztof Parzyszek if (!Added.test(OD.second)) {
12638e1363dfSKrzysztof Parzyszek AdjK[OD.first].push_back(OD.second);
12648e1363dfSKrzysztof Parzyszek Added.set(OD.second);
12658e1363dfSKrzysztof Parzyszek }
1266254f889dSBrendon Cahoon }
1267254f889dSBrendon Cahoon
1268254f889dSBrendon Cahoon /// Identify an elementary circuit in the dependence graph starting at the
1269254f889dSBrendon Cahoon /// specified node.
circuit(int V,int S,NodeSetType & NodeSets,bool HasBackedge)1270254f889dSBrendon Cahoon bool SwingSchedulerDAG::Circuits::circuit(int V, int S, NodeSetType &NodeSets,
1271254f889dSBrendon Cahoon bool HasBackedge) {
1272254f889dSBrendon Cahoon SUnit *SV = &SUnits[V];
1273254f889dSBrendon Cahoon bool F = false;
1274254f889dSBrendon Cahoon Stack.insert(SV);
1275254f889dSBrendon Cahoon Blocked.set(V);
1276254f889dSBrendon Cahoon
1277254f889dSBrendon Cahoon for (auto W : AdjK[V]) {
1278254f889dSBrendon Cahoon if (NumPaths > MaxPaths)
1279254f889dSBrendon Cahoon break;
1280254f889dSBrendon Cahoon if (W < S)
1281254f889dSBrendon Cahoon continue;
1282254f889dSBrendon Cahoon if (W == S) {
1283254f889dSBrendon Cahoon if (!HasBackedge)
1284254f889dSBrendon Cahoon NodeSets.push_back(NodeSet(Stack.begin(), Stack.end()));
1285254f889dSBrendon Cahoon F = true;
1286254f889dSBrendon Cahoon ++NumPaths;
1287254f889dSBrendon Cahoon break;
1288254f889dSBrendon Cahoon } else if (!Blocked.test(W)) {
128977418a37SSumanth Gundapaneni if (circuit(W, S, NodeSets,
129077418a37SSumanth Gundapaneni Node2Idx->at(W) < Node2Idx->at(V) ? true : HasBackedge))
1291254f889dSBrendon Cahoon F = true;
1292254f889dSBrendon Cahoon }
1293254f889dSBrendon Cahoon }
1294254f889dSBrendon Cahoon
1295254f889dSBrendon Cahoon if (F)
1296254f889dSBrendon Cahoon unblock(V);
1297254f889dSBrendon Cahoon else {
1298254f889dSBrendon Cahoon for (auto W : AdjK[V]) {
1299254f889dSBrendon Cahoon if (W < S)
1300254f889dSBrendon Cahoon continue;
1301254f889dSBrendon Cahoon B[W].insert(SV);
1302254f889dSBrendon Cahoon }
1303254f889dSBrendon Cahoon }
1304254f889dSBrendon Cahoon Stack.pop_back();
1305254f889dSBrendon Cahoon return F;
1306254f889dSBrendon Cahoon }
1307254f889dSBrendon Cahoon
1308254f889dSBrendon Cahoon /// Unblock a node in the circuit finding algorithm.
unblock(int U)1309254f889dSBrendon Cahoon void SwingSchedulerDAG::Circuits::unblock(int U) {
1310254f889dSBrendon Cahoon Blocked.reset(U);
1311254f889dSBrendon Cahoon SmallPtrSet<SUnit *, 4> &BU = B[U];
1312254f889dSBrendon Cahoon while (!BU.empty()) {
1313254f889dSBrendon Cahoon SmallPtrSet<SUnit *, 4>::iterator SI = BU.begin();
1314254f889dSBrendon Cahoon assert(SI != BU.end() && "Invalid B set.");
1315254f889dSBrendon Cahoon SUnit *W = *SI;
1316254f889dSBrendon Cahoon BU.erase(W);
1317254f889dSBrendon Cahoon if (Blocked.test(W->NodeNum))
1318254f889dSBrendon Cahoon unblock(W->NodeNum);
1319254f889dSBrendon Cahoon }
1320254f889dSBrendon Cahoon }
1321254f889dSBrendon Cahoon
1322254f889dSBrendon Cahoon /// Identify all the elementary circuits in the dependence graph using
1323254f889dSBrendon Cahoon /// Johnson's circuit algorithm.
findCircuits(NodeSetType & NodeSets)1324254f889dSBrendon Cahoon void SwingSchedulerDAG::findCircuits(NodeSetType &NodeSets) {
1325254f889dSBrendon Cahoon // Swap all the anti dependences in the DAG. That means it is no longer a DAG,
1326254f889dSBrendon Cahoon // but we do this to find the circuits, and then change them back.
1327254f889dSBrendon Cahoon swapAntiDependences(SUnits);
1328254f889dSBrendon Cahoon
132977418a37SSumanth Gundapaneni Circuits Cir(SUnits, Topo);
1330254f889dSBrendon Cahoon // Create the adjacency structure.
1331254f889dSBrendon Cahoon Cir.createAdjacencyStructure(this);
1332254f889dSBrendon Cahoon for (int i = 0, e = SUnits.size(); i != e; ++i) {
1333254f889dSBrendon Cahoon Cir.reset();
1334254f889dSBrendon Cahoon Cir.circuit(i, i, NodeSets);
1335254f889dSBrendon Cahoon }
1336254f889dSBrendon Cahoon
1337254f889dSBrendon Cahoon // Change the dependences back so that we've created a DAG again.
1338254f889dSBrendon Cahoon swapAntiDependences(SUnits);
1339254f889dSBrendon Cahoon }
1340254f889dSBrendon Cahoon
134162ac69d4SSumanth Gundapaneni // Create artificial dependencies between the source of COPY/REG_SEQUENCE that
134262ac69d4SSumanth Gundapaneni // is loop-carried to the USE in next iteration. This will help pipeliner avoid
134362ac69d4SSumanth Gundapaneni // additional copies that are needed across iterations. An artificial dependence
134462ac69d4SSumanth Gundapaneni // edge is added from USE to SOURCE of COPY/REG_SEQUENCE.
134562ac69d4SSumanth Gundapaneni
134662ac69d4SSumanth Gundapaneni // PHI-------Anti-Dep-----> COPY/REG_SEQUENCE (loop-carried)
134762ac69d4SSumanth Gundapaneni // SRCOfCopY------True-Dep---> COPY/REG_SEQUENCE
134862ac69d4SSumanth Gundapaneni // PHI-------True-Dep------> USEOfPhi
134962ac69d4SSumanth Gundapaneni
135062ac69d4SSumanth Gundapaneni // The mutation creates
135162ac69d4SSumanth Gundapaneni // USEOfPHI -------Artificial-Dep---> SRCOfCopy
135262ac69d4SSumanth Gundapaneni
135362ac69d4SSumanth Gundapaneni // This overall will ensure, the USEOfPHI is scheduled before SRCOfCopy
135462ac69d4SSumanth Gundapaneni // (since USE is a predecessor), implies, the COPY/ REG_SEQUENCE is scheduled
135562ac69d4SSumanth Gundapaneni // late to avoid additional copies across iterations. The possible scheduling
135662ac69d4SSumanth Gundapaneni // order would be
135762ac69d4SSumanth Gundapaneni // USEOfPHI --- SRCOfCopy--- COPY/REG_SEQUENCE.
135862ac69d4SSumanth Gundapaneni
apply(ScheduleDAGInstrs * DAG)135962ac69d4SSumanth Gundapaneni void SwingSchedulerDAG::CopyToPhiMutation::apply(ScheduleDAGInstrs *DAG) {
136062ac69d4SSumanth Gundapaneni for (SUnit &SU : DAG->SUnits) {
136162ac69d4SSumanth Gundapaneni // Find the COPY/REG_SEQUENCE instruction.
136262ac69d4SSumanth Gundapaneni if (!SU.getInstr()->isCopy() && !SU.getInstr()->isRegSequence())
136362ac69d4SSumanth Gundapaneni continue;
136462ac69d4SSumanth Gundapaneni
136562ac69d4SSumanth Gundapaneni // Record the loop carried PHIs.
136662ac69d4SSumanth Gundapaneni SmallVector<SUnit *, 4> PHISUs;
136762ac69d4SSumanth Gundapaneni // Record the SrcSUs that feed the COPY/REG_SEQUENCE instructions.
136862ac69d4SSumanth Gundapaneni SmallVector<SUnit *, 4> SrcSUs;
136962ac69d4SSumanth Gundapaneni
137062ac69d4SSumanth Gundapaneni for (auto &Dep : SU.Preds) {
137162ac69d4SSumanth Gundapaneni SUnit *TmpSU = Dep.getSUnit();
137262ac69d4SSumanth Gundapaneni MachineInstr *TmpMI = TmpSU->getInstr();
137362ac69d4SSumanth Gundapaneni SDep::Kind DepKind = Dep.getKind();
137462ac69d4SSumanth Gundapaneni // Save the loop carried PHI.
137562ac69d4SSumanth Gundapaneni if (DepKind == SDep::Anti && TmpMI->isPHI())
137662ac69d4SSumanth Gundapaneni PHISUs.push_back(TmpSU);
137762ac69d4SSumanth Gundapaneni // Save the source of COPY/REG_SEQUENCE.
137862ac69d4SSumanth Gundapaneni // If the source has no pre-decessors, we will end up creating cycles.
137962ac69d4SSumanth Gundapaneni else if (DepKind == SDep::Data && !TmpMI->isPHI() && TmpSU->NumPreds > 0)
138062ac69d4SSumanth Gundapaneni SrcSUs.push_back(TmpSU);
138162ac69d4SSumanth Gundapaneni }
138262ac69d4SSumanth Gundapaneni
138362ac69d4SSumanth Gundapaneni if (PHISUs.size() == 0 || SrcSUs.size() == 0)
138462ac69d4SSumanth Gundapaneni continue;
138562ac69d4SSumanth Gundapaneni
138662ac69d4SSumanth Gundapaneni // Find the USEs of PHI. If the use is a PHI or REG_SEQUENCE, push back this
138762ac69d4SSumanth Gundapaneni // SUnit to the container.
138862ac69d4SSumanth Gundapaneni SmallVector<SUnit *, 8> UseSUs;
13897c7e368aSSumanth Gundapaneni // Do not use iterator based loop here as we are updating the container.
13907c7e368aSSumanth Gundapaneni for (size_t Index = 0; Index < PHISUs.size(); ++Index) {
13917c7e368aSSumanth Gundapaneni for (auto &Dep : PHISUs[Index]->Succs) {
139262ac69d4SSumanth Gundapaneni if (Dep.getKind() != SDep::Data)
139362ac69d4SSumanth Gundapaneni continue;
139462ac69d4SSumanth Gundapaneni
139562ac69d4SSumanth Gundapaneni SUnit *TmpSU = Dep.getSUnit();
139662ac69d4SSumanth Gundapaneni MachineInstr *TmpMI = TmpSU->getInstr();
139762ac69d4SSumanth Gundapaneni if (TmpMI->isPHI() || TmpMI->isRegSequence()) {
139862ac69d4SSumanth Gundapaneni PHISUs.push_back(TmpSU);
139962ac69d4SSumanth Gundapaneni continue;
140062ac69d4SSumanth Gundapaneni }
140162ac69d4SSumanth Gundapaneni UseSUs.push_back(TmpSU);
140262ac69d4SSumanth Gundapaneni }
140362ac69d4SSumanth Gundapaneni }
140462ac69d4SSumanth Gundapaneni
140562ac69d4SSumanth Gundapaneni if (UseSUs.size() == 0)
140662ac69d4SSumanth Gundapaneni continue;
140762ac69d4SSumanth Gundapaneni
140862ac69d4SSumanth Gundapaneni SwingSchedulerDAG *SDAG = cast<SwingSchedulerDAG>(DAG);
140962ac69d4SSumanth Gundapaneni // Add the artificial dependencies if it does not form a cycle.
14109e6d1f4bSKazu Hirata for (auto *I : UseSUs) {
14119e6d1f4bSKazu Hirata for (auto *Src : SrcSUs) {
141262ac69d4SSumanth Gundapaneni if (!SDAG->Topo.IsReachable(I, Src) && Src != I) {
141362ac69d4SSumanth Gundapaneni Src->addPred(SDep(I, SDep::Artificial));
141462ac69d4SSumanth Gundapaneni SDAG->Topo.AddPred(Src, I);
141562ac69d4SSumanth Gundapaneni }
141662ac69d4SSumanth Gundapaneni }
141762ac69d4SSumanth Gundapaneni }
141862ac69d4SSumanth Gundapaneni }
141962ac69d4SSumanth Gundapaneni }
142062ac69d4SSumanth Gundapaneni
1421254f889dSBrendon Cahoon /// Return true for DAG nodes that we ignore when computing the cost functions.
1422c73b6d6bSHiroshi Inoue /// We ignore the back-edge recurrence in order to avoid unbounded recursion
1423254f889dSBrendon Cahoon /// in the calculation of the ASAP, ALAP, etc functions.
ignoreDependence(const SDep & D,bool isPred)1424254f889dSBrendon Cahoon static bool ignoreDependence(const SDep &D, bool isPred) {
1425dcb77643SDavid Penry if (D.isArtificial() || D.getSUnit()->isBoundaryNode())
1426254f889dSBrendon Cahoon return true;
1427254f889dSBrendon Cahoon return D.getKind() == SDep::Anti && isPred;
1428254f889dSBrendon Cahoon }
1429254f889dSBrendon Cahoon
1430254f889dSBrendon Cahoon /// Compute several functions need to order the nodes for scheduling.
1431254f889dSBrendon Cahoon /// ASAP - Earliest time to schedule a node.
1432254f889dSBrendon Cahoon /// ALAP - Latest time to schedule a node.
1433254f889dSBrendon Cahoon /// MOV - Mobility function, difference between ALAP and ASAP.
1434254f889dSBrendon Cahoon /// D - Depth of each node.
1435254f889dSBrendon Cahoon /// H - Height of each node.
computeNodeFunctions(NodeSetType & NodeSets)1436254f889dSBrendon Cahoon void SwingSchedulerDAG::computeNodeFunctions(NodeSetType &NodeSets) {
1437254f889dSBrendon Cahoon ScheduleInfo.resize(SUnits.size());
1438254f889dSBrendon Cahoon
1439d34e60caSNicola Zaghen LLVM_DEBUG({
14403279943aSKazu Hirata for (int I : Topo) {
14413279943aSKazu Hirata const SUnit &SU = SUnits[I];
1442726e12cfSMatthias Braun dumpNode(SU);
1443254f889dSBrendon Cahoon }
1444254f889dSBrendon Cahoon });
1445254f889dSBrendon Cahoon
1446254f889dSBrendon Cahoon int maxASAP = 0;
14474b8bcf00SRoorda, Jan-Willem // Compute ASAP and ZeroLatencyDepth.
14483279943aSKazu Hirata for (int I : Topo) {
1449254f889dSBrendon Cahoon int asap = 0;
14504b8bcf00SRoorda, Jan-Willem int zeroLatencyDepth = 0;
14513279943aSKazu Hirata SUnit *SU = &SUnits[I];
1452fd7d4064SKazu Hirata for (const SDep &P : SU->Preds) {
1453fd7d4064SKazu Hirata SUnit *pred = P.getSUnit();
1454fd7d4064SKazu Hirata if (P.getLatency() == 0)
14554b8bcf00SRoorda, Jan-Willem zeroLatencyDepth =
14564b8bcf00SRoorda, Jan-Willem std::max(zeroLatencyDepth, getZeroLatencyDepth(pred) + 1);
1457fd7d4064SKazu Hirata if (ignoreDependence(P, true))
1458254f889dSBrendon Cahoon continue;
1459fd7d4064SKazu Hirata asap = std::max(asap, (int)(getASAP(pred) + P.getLatency() -
1460fd7d4064SKazu Hirata getDistance(pred, SU, P) * MII));
1461254f889dSBrendon Cahoon }
1462254f889dSBrendon Cahoon maxASAP = std::max(maxASAP, asap);
14633279943aSKazu Hirata ScheduleInfo[I].ASAP = asap;
14643279943aSKazu Hirata ScheduleInfo[I].ZeroLatencyDepth = zeroLatencyDepth;
1465254f889dSBrendon Cahoon }
1466254f889dSBrendon Cahoon
14674b8bcf00SRoorda, Jan-Willem // Compute ALAP, ZeroLatencyHeight, and MOV.
1468ca2f5389SKazu Hirata for (int I : llvm::reverse(Topo)) {
1469254f889dSBrendon Cahoon int alap = maxASAP;
14704b8bcf00SRoorda, Jan-Willem int zeroLatencyHeight = 0;
1471ca2f5389SKazu Hirata SUnit *SU = &SUnits[I];
1472ca2f5389SKazu Hirata for (const SDep &S : SU->Succs) {
1473ca2f5389SKazu Hirata SUnit *succ = S.getSUnit();
1474dcb77643SDavid Penry if (succ->isBoundaryNode())
1475dcb77643SDavid Penry continue;
1476ca2f5389SKazu Hirata if (S.getLatency() == 0)
14774b8bcf00SRoorda, Jan-Willem zeroLatencyHeight =
14784b8bcf00SRoorda, Jan-Willem std::max(zeroLatencyHeight, getZeroLatencyHeight(succ) + 1);
1479ca2f5389SKazu Hirata if (ignoreDependence(S, true))
1480254f889dSBrendon Cahoon continue;
1481ca2f5389SKazu Hirata alap = std::min(alap, (int)(getALAP(succ) - S.getLatency() +
1482ca2f5389SKazu Hirata getDistance(SU, succ, S) * MII));
1483254f889dSBrendon Cahoon }
1484254f889dSBrendon Cahoon
1485ca2f5389SKazu Hirata ScheduleInfo[I].ALAP = alap;
1486ca2f5389SKazu Hirata ScheduleInfo[I].ZeroLatencyHeight = zeroLatencyHeight;
1487254f889dSBrendon Cahoon }
1488254f889dSBrendon Cahoon
1489254f889dSBrendon Cahoon // After computing the node functions, compute the summary for each node set.
1490254f889dSBrendon Cahoon for (NodeSet &I : NodeSets)
1491254f889dSBrendon Cahoon I.computeNodeSetInfo(this);
1492254f889dSBrendon Cahoon
1493d34e60caSNicola Zaghen LLVM_DEBUG({
1494254f889dSBrendon Cahoon for (unsigned i = 0; i < SUnits.size(); i++) {
1495254f889dSBrendon Cahoon dbgs() << "\tNode " << i << ":\n";
1496254f889dSBrendon Cahoon dbgs() << "\t ASAP = " << getASAP(&SUnits[i]) << "\n";
1497254f889dSBrendon Cahoon dbgs() << "\t ALAP = " << getALAP(&SUnits[i]) << "\n";
1498254f889dSBrendon Cahoon dbgs() << "\t MOV = " << getMOV(&SUnits[i]) << "\n";
1499254f889dSBrendon Cahoon dbgs() << "\t D = " << getDepth(&SUnits[i]) << "\n";
1500254f889dSBrendon Cahoon dbgs() << "\t H = " << getHeight(&SUnits[i]) << "\n";
15014b8bcf00SRoorda, Jan-Willem dbgs() << "\t ZLD = " << getZeroLatencyDepth(&SUnits[i]) << "\n";
15024b8bcf00SRoorda, Jan-Willem dbgs() << "\t ZLH = " << getZeroLatencyHeight(&SUnits[i]) << "\n";
1503254f889dSBrendon Cahoon }
1504254f889dSBrendon Cahoon });
1505254f889dSBrendon Cahoon }
1506254f889dSBrendon Cahoon
1507254f889dSBrendon Cahoon /// Compute the Pred_L(O) set, as defined in the paper. The set is defined
1508254f889dSBrendon Cahoon /// as the predecessors of the elements of NodeOrder that are not also in
1509254f889dSBrendon Cahoon /// NodeOrder.
pred_L(SetVector<SUnit * > & NodeOrder,SmallSetVector<SUnit *,8> & Preds,const NodeSet * S=nullptr)1510254f889dSBrendon Cahoon static bool pred_L(SetVector<SUnit *> &NodeOrder,
1511254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> &Preds,
1512254f889dSBrendon Cahoon const NodeSet *S = nullptr) {
1513254f889dSBrendon Cahoon Preds.clear();
1514f240e528SKazu Hirata for (const SUnit *SU : NodeOrder) {
1515f240e528SKazu Hirata for (const SDep &Pred : SU->Preds) {
15163279943aSKazu Hirata if (S && S->count(Pred.getSUnit()) == 0)
1517254f889dSBrendon Cahoon continue;
15183279943aSKazu Hirata if (ignoreDependence(Pred, true))
1519254f889dSBrendon Cahoon continue;
15203279943aSKazu Hirata if (NodeOrder.count(Pred.getSUnit()) == 0)
15213279943aSKazu Hirata Preds.insert(Pred.getSUnit());
1522254f889dSBrendon Cahoon }
1523254f889dSBrendon Cahoon // Back-edges are predecessors with an anti-dependence.
1524f240e528SKazu Hirata for (const SDep &Succ : SU->Succs) {
15253279943aSKazu Hirata if (Succ.getKind() != SDep::Anti)
1526254f889dSBrendon Cahoon continue;
15273279943aSKazu Hirata if (S && S->count(Succ.getSUnit()) == 0)
1528254f889dSBrendon Cahoon continue;
15293279943aSKazu Hirata if (NodeOrder.count(Succ.getSUnit()) == 0)
15303279943aSKazu Hirata Preds.insert(Succ.getSUnit());
1531254f889dSBrendon Cahoon }
1532254f889dSBrendon Cahoon }
153332a40564SEugene Zelenko return !Preds.empty();
1534254f889dSBrendon Cahoon }
1535254f889dSBrendon Cahoon
1536254f889dSBrendon Cahoon /// Compute the Succ_L(O) set, as defined in the paper. The set is defined
1537254f889dSBrendon Cahoon /// as the successors of the elements of NodeOrder that are not also in
1538254f889dSBrendon Cahoon /// NodeOrder.
succ_L(SetVector<SUnit * > & NodeOrder,SmallSetVector<SUnit *,8> & Succs,const NodeSet * S=nullptr)1539254f889dSBrendon Cahoon static bool succ_L(SetVector<SUnit *> &NodeOrder,
1540254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> &Succs,
1541254f889dSBrendon Cahoon const NodeSet *S = nullptr) {
1542254f889dSBrendon Cahoon Succs.clear();
1543ca2f5389SKazu Hirata for (const SUnit *SU : NodeOrder) {
1544ca2f5389SKazu Hirata for (const SDep &Succ : SU->Succs) {
15453279943aSKazu Hirata if (S && S->count(Succ.getSUnit()) == 0)
1546254f889dSBrendon Cahoon continue;
15473279943aSKazu Hirata if (ignoreDependence(Succ, false))
1548254f889dSBrendon Cahoon continue;
15493279943aSKazu Hirata if (NodeOrder.count(Succ.getSUnit()) == 0)
15503279943aSKazu Hirata Succs.insert(Succ.getSUnit());
1551254f889dSBrendon Cahoon }
1552ca2f5389SKazu Hirata for (const SDep &Pred : SU->Preds) {
15533279943aSKazu Hirata if (Pred.getKind() != SDep::Anti)
1554254f889dSBrendon Cahoon continue;
15553279943aSKazu Hirata if (S && S->count(Pred.getSUnit()) == 0)
1556254f889dSBrendon Cahoon continue;
15573279943aSKazu Hirata if (NodeOrder.count(Pred.getSUnit()) == 0)
15583279943aSKazu Hirata Succs.insert(Pred.getSUnit());
1559254f889dSBrendon Cahoon }
1560254f889dSBrendon Cahoon }
156132a40564SEugene Zelenko return !Succs.empty();
1562254f889dSBrendon Cahoon }
1563254f889dSBrendon Cahoon
1564254f889dSBrendon Cahoon /// Return true if there is a path from the specified node to any of the nodes
1565254f889dSBrendon Cahoon /// in DestNodes. Keep track and return the nodes in any path.
computePath(SUnit * Cur,SetVector<SUnit * > & Path,SetVector<SUnit * > & DestNodes,SetVector<SUnit * > & Exclude,SmallPtrSet<SUnit *,8> & Visited)1566254f889dSBrendon Cahoon static bool computePath(SUnit *Cur, SetVector<SUnit *> &Path,
1567254f889dSBrendon Cahoon SetVector<SUnit *> &DestNodes,
1568254f889dSBrendon Cahoon SetVector<SUnit *> &Exclude,
1569254f889dSBrendon Cahoon SmallPtrSet<SUnit *, 8> &Visited) {
1570254f889dSBrendon Cahoon if (Cur->isBoundaryNode())
1571254f889dSBrendon Cahoon return false;
1572b7c5e0b0SKazu Hirata if (Exclude.contains(Cur))
1573254f889dSBrendon Cahoon return false;
1574b7c5e0b0SKazu Hirata if (DestNodes.contains(Cur))
1575254f889dSBrendon Cahoon return true;
1576254f889dSBrendon Cahoon if (!Visited.insert(Cur).second)
1577b7c5e0b0SKazu Hirata return Path.contains(Cur);
1578254f889dSBrendon Cahoon bool FoundPath = false;
1579254f889dSBrendon Cahoon for (auto &SI : Cur->Succs)
158068dee839SThomas Preud'homme if (!ignoreDependence(SI, false))
158168dee839SThomas Preud'homme FoundPath |=
158268dee839SThomas Preud'homme computePath(SI.getSUnit(), Path, DestNodes, Exclude, Visited);
1583254f889dSBrendon Cahoon for (auto &PI : Cur->Preds)
1584254f889dSBrendon Cahoon if (PI.getKind() == SDep::Anti)
1585254f889dSBrendon Cahoon FoundPath |=
1586254f889dSBrendon Cahoon computePath(PI.getSUnit(), Path, DestNodes, Exclude, Visited);
1587254f889dSBrendon Cahoon if (FoundPath)
1588254f889dSBrendon Cahoon Path.insert(Cur);
1589254f889dSBrendon Cahoon return FoundPath;
1590254f889dSBrendon Cahoon }
1591254f889dSBrendon Cahoon
1592254f889dSBrendon Cahoon /// Compute the live-out registers for the instructions in a node-set.
1593254f889dSBrendon Cahoon /// The live-out registers are those that are defined in the node-set,
1594254f889dSBrendon Cahoon /// but not used. Except for use operands of Phis.
computeLiveOuts(MachineFunction & MF,RegPressureTracker & RPTracker,NodeSet & NS)1595254f889dSBrendon Cahoon static void computeLiveOuts(MachineFunction &MF, RegPressureTracker &RPTracker,
1596254f889dSBrendon Cahoon NodeSet &NS) {
1597254f889dSBrendon Cahoon const TargetRegisterInfo *TRI = MF.getSubtarget().getRegisterInfo();
1598254f889dSBrendon Cahoon MachineRegisterInfo &MRI = MF.getRegInfo();
1599254f889dSBrendon Cahoon SmallVector<RegisterMaskPair, 8> LiveOutRegs;
1600254f889dSBrendon Cahoon SmallSet<unsigned, 4> Uses;
1601254f889dSBrendon Cahoon for (SUnit *SU : NS) {
1602254f889dSBrendon Cahoon const MachineInstr *MI = SU->getInstr();
1603254f889dSBrendon Cahoon if (MI->isPHI())
1604254f889dSBrendon Cahoon continue;
1605fc371558SMatthias Braun for (const MachineOperand &MO : MI->operands())
1606fc371558SMatthias Braun if (MO.isReg() && MO.isUse()) {
16070c476111SDaniel Sanders Register Reg = MO.getReg();
16082bea69bfSDaniel Sanders if (Register::isVirtualRegister(Reg))
1609254f889dSBrendon Cahoon Uses.insert(Reg);
1610254f889dSBrendon Cahoon else if (MRI.isAllocatable(Reg))
1611c8fcffe7SMircea Trofin for (MCRegUnitIterator Units(Reg.asMCReg(), TRI); Units.isValid();
1612c8fcffe7SMircea Trofin ++Units)
1613254f889dSBrendon Cahoon Uses.insert(*Units);
1614254f889dSBrendon Cahoon }
1615254f889dSBrendon Cahoon }
1616254f889dSBrendon Cahoon for (SUnit *SU : NS)
1617fc371558SMatthias Braun for (const MachineOperand &MO : SU->getInstr()->operands())
1618fc371558SMatthias Braun if (MO.isReg() && MO.isDef() && !MO.isDead()) {
16190c476111SDaniel Sanders Register Reg = MO.getReg();
16202bea69bfSDaniel Sanders if (Register::isVirtualRegister(Reg)) {
1621254f889dSBrendon Cahoon if (!Uses.count(Reg))
162291b5cf84SKrzysztof Parzyszek LiveOutRegs.push_back(RegisterMaskPair(Reg,
162391b5cf84SKrzysztof Parzyszek LaneBitmask::getNone()));
1624254f889dSBrendon Cahoon } else if (MRI.isAllocatable(Reg)) {
1625c8fcffe7SMircea Trofin for (MCRegUnitIterator Units(Reg.asMCReg(), TRI); Units.isValid();
1626c8fcffe7SMircea Trofin ++Units)
1627254f889dSBrendon Cahoon if (!Uses.count(*Units))
162891b5cf84SKrzysztof Parzyszek LiveOutRegs.push_back(RegisterMaskPair(*Units,
162991b5cf84SKrzysztof Parzyszek LaneBitmask::getNone()));
1630254f889dSBrendon Cahoon }
1631254f889dSBrendon Cahoon }
1632254f889dSBrendon Cahoon RPTracker.addLiveRegs(LiveOutRegs);
1633254f889dSBrendon Cahoon }
1634254f889dSBrendon Cahoon
1635254f889dSBrendon Cahoon /// A heuristic to filter nodes in recurrent node-sets if the register
1636254f889dSBrendon Cahoon /// pressure of a set is too high.
registerPressureFilter(NodeSetType & NodeSets)1637254f889dSBrendon Cahoon void SwingSchedulerDAG::registerPressureFilter(NodeSetType &NodeSets) {
1638254f889dSBrendon Cahoon for (auto &NS : NodeSets) {
1639254f889dSBrendon Cahoon // Skip small node-sets since they won't cause register pressure problems.
1640254f889dSBrendon Cahoon if (NS.size() <= 2)
1641254f889dSBrendon Cahoon continue;
1642254f889dSBrendon Cahoon IntervalPressure RecRegPressure;
1643254f889dSBrendon Cahoon RegPressureTracker RecRPTracker(RecRegPressure);
1644254f889dSBrendon Cahoon RecRPTracker.init(&MF, &RegClassInfo, &LIS, BB, BB->end(), false, true);
1645254f889dSBrendon Cahoon computeLiveOuts(MF, RecRPTracker, NS);
1646254f889dSBrendon Cahoon RecRPTracker.closeBottom();
1647254f889dSBrendon Cahoon
1648254f889dSBrendon Cahoon std::vector<SUnit *> SUnits(NS.begin(), NS.end());
16490cac726aSFangrui Song llvm::sort(SUnits, [](const SUnit *A, const SUnit *B) {
1650254f889dSBrendon Cahoon return A->NodeNum > B->NodeNum;
1651254f889dSBrendon Cahoon });
1652254f889dSBrendon Cahoon
1653254f889dSBrendon Cahoon for (auto &SU : SUnits) {
1654254f889dSBrendon Cahoon // Since we're computing the register pressure for a subset of the
1655254f889dSBrendon Cahoon // instructions in a block, we need to set the tracker for each
1656254f889dSBrendon Cahoon // instruction in the node-set. The tracker is set to the instruction
1657254f889dSBrendon Cahoon // just after the one we're interested in.
1658254f889dSBrendon Cahoon MachineBasicBlock::const_iterator CurInstI = SU->getInstr();
1659254f889dSBrendon Cahoon RecRPTracker.setPos(std::next(CurInstI));
1660254f889dSBrendon Cahoon
1661254f889dSBrendon Cahoon RegPressureDelta RPDelta;
1662254f889dSBrendon Cahoon ArrayRef<PressureChange> CriticalPSets;
1663254f889dSBrendon Cahoon RecRPTracker.getMaxUpwardPressureDelta(SU->getInstr(), nullptr, RPDelta,
1664254f889dSBrendon Cahoon CriticalPSets,
1665254f889dSBrendon Cahoon RecRegPressure.MaxSetPressure);
1666254f889dSBrendon Cahoon if (RPDelta.Excess.isValid()) {
1667d34e60caSNicola Zaghen LLVM_DEBUG(
1668d34e60caSNicola Zaghen dbgs() << "Excess register pressure: SU(" << SU->NodeNum << ") "
1669254f889dSBrendon Cahoon << TRI->getRegPressureSetName(RPDelta.Excess.getPSet())
1670907aedbbSDavid Penry << ":" << RPDelta.Excess.getUnitInc() << "\n");
1671254f889dSBrendon Cahoon NS.setExceedPressure(SU);
1672254f889dSBrendon Cahoon break;
1673254f889dSBrendon Cahoon }
1674254f889dSBrendon Cahoon RecRPTracker.recede();
1675254f889dSBrendon Cahoon }
1676254f889dSBrendon Cahoon }
1677254f889dSBrendon Cahoon }
1678254f889dSBrendon Cahoon
1679254f889dSBrendon Cahoon /// A heuristic to colocate node sets that have the same set of
1680254f889dSBrendon Cahoon /// successors.
colocateNodeSets(NodeSetType & NodeSets)1681254f889dSBrendon Cahoon void SwingSchedulerDAG::colocateNodeSets(NodeSetType &NodeSets) {
1682254f889dSBrendon Cahoon unsigned Colocate = 0;
1683254f889dSBrendon Cahoon for (int i = 0, e = NodeSets.size(); i < e; ++i) {
1684254f889dSBrendon Cahoon NodeSet &N1 = NodeSets[i];
1685254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> S1;
1686254f889dSBrendon Cahoon if (N1.empty() || !succ_L(N1, S1))
1687254f889dSBrendon Cahoon continue;
1688254f889dSBrendon Cahoon for (int j = i + 1; j < e; ++j) {
1689254f889dSBrendon Cahoon NodeSet &N2 = NodeSets[j];
1690254f889dSBrendon Cahoon if (N1.compareRecMII(N2) != 0)
1691254f889dSBrendon Cahoon continue;
1692254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> S2;
1693254f889dSBrendon Cahoon if (N2.empty() || !succ_L(N2, S2))
1694254f889dSBrendon Cahoon continue;
1695d6391209SKazu Hirata if (llvm::set_is_subset(S1, S2) && S1.size() == S2.size()) {
1696254f889dSBrendon Cahoon N1.setColocate(++Colocate);
1697254f889dSBrendon Cahoon N2.setColocate(Colocate);
1698254f889dSBrendon Cahoon break;
1699254f889dSBrendon Cahoon }
1700254f889dSBrendon Cahoon }
1701254f889dSBrendon Cahoon }
1702254f889dSBrendon Cahoon }
1703254f889dSBrendon Cahoon
1704254f889dSBrendon Cahoon /// Check if the existing node-sets are profitable. If not, then ignore the
1705254f889dSBrendon Cahoon /// recurrent node-sets, and attempt to schedule all nodes together. This is
17063ca23341SKrzysztof Parzyszek /// a heuristic. If the MII is large and all the recurrent node-sets are small,
17073ca23341SKrzysztof Parzyszek /// then it's best to try to schedule all instructions together instead of
17083ca23341SKrzysztof Parzyszek /// starting with the recurrent node-sets.
checkNodeSets(NodeSetType & NodeSets)1709254f889dSBrendon Cahoon void SwingSchedulerDAG::checkNodeSets(NodeSetType &NodeSets) {
1710254f889dSBrendon Cahoon // Look for loops with a large MII.
17113ca23341SKrzysztof Parzyszek if (MII < 17)
1712254f889dSBrendon Cahoon return;
1713254f889dSBrendon Cahoon // Check if the node-set contains only a simple add recurrence.
17143ca23341SKrzysztof Parzyszek for (auto &NS : NodeSets) {
17153ca23341SKrzysztof Parzyszek if (NS.getRecMII() > 2)
1716254f889dSBrendon Cahoon return;
17173ca23341SKrzysztof Parzyszek if (NS.getMaxDepth() > MII)
17183ca23341SKrzysztof Parzyszek return;
17193ca23341SKrzysztof Parzyszek }
1720254f889dSBrendon Cahoon NodeSets.clear();
1721d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "Clear recurrence node-sets\n");
1722254f889dSBrendon Cahoon }
1723254f889dSBrendon Cahoon
1724254f889dSBrendon Cahoon /// Add the nodes that do not belong to a recurrence set into groups
1725449ef2fcSThomas Preud'homme /// based upon connected components.
groupRemainingNodes(NodeSetType & NodeSets)1726254f889dSBrendon Cahoon void SwingSchedulerDAG::groupRemainingNodes(NodeSetType &NodeSets) {
1727254f889dSBrendon Cahoon SetVector<SUnit *> NodesAdded;
1728254f889dSBrendon Cahoon SmallPtrSet<SUnit *, 8> Visited;
1729254f889dSBrendon Cahoon // Add the nodes that are on a path between the previous node sets and
1730254f889dSBrendon Cahoon // the current node set.
1731254f889dSBrendon Cahoon for (NodeSet &I : NodeSets) {
1732254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> N;
1733254f889dSBrendon Cahoon // Add the nodes from the current node set to the previous node set.
1734254f889dSBrendon Cahoon if (succ_L(I, N)) {
1735254f889dSBrendon Cahoon SetVector<SUnit *> Path;
1736254f889dSBrendon Cahoon for (SUnit *NI : N) {
1737254f889dSBrendon Cahoon Visited.clear();
1738254f889dSBrendon Cahoon computePath(NI, Path, NodesAdded, I, Visited);
1739254f889dSBrendon Cahoon }
174032a40564SEugene Zelenko if (!Path.empty())
1741254f889dSBrendon Cahoon I.insert(Path.begin(), Path.end());
1742254f889dSBrendon Cahoon }
1743254f889dSBrendon Cahoon // Add the nodes from the previous node set to the current node set.
1744254f889dSBrendon Cahoon N.clear();
1745254f889dSBrendon Cahoon if (succ_L(NodesAdded, N)) {
1746254f889dSBrendon Cahoon SetVector<SUnit *> Path;
1747254f889dSBrendon Cahoon for (SUnit *NI : N) {
1748254f889dSBrendon Cahoon Visited.clear();
1749254f889dSBrendon Cahoon computePath(NI, Path, I, NodesAdded, Visited);
1750254f889dSBrendon Cahoon }
175132a40564SEugene Zelenko if (!Path.empty())
1752254f889dSBrendon Cahoon I.insert(Path.begin(), Path.end());
1753254f889dSBrendon Cahoon }
1754254f889dSBrendon Cahoon NodesAdded.insert(I.begin(), I.end());
1755254f889dSBrendon Cahoon }
1756254f889dSBrendon Cahoon
1757254f889dSBrendon Cahoon // Create a new node set with the connected nodes of any successor of a node
1758254f889dSBrendon Cahoon // in a recurrent set.
1759254f889dSBrendon Cahoon NodeSet NewSet;
1760254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> N;
1761254f889dSBrendon Cahoon if (succ_L(NodesAdded, N))
1762254f889dSBrendon Cahoon for (SUnit *I : N)
1763254f889dSBrendon Cahoon addConnectedNodes(I, NewSet, NodesAdded);
176432a40564SEugene Zelenko if (!NewSet.empty())
1765254f889dSBrendon Cahoon NodeSets.push_back(NewSet);
1766254f889dSBrendon Cahoon
1767254f889dSBrendon Cahoon // Create a new node set with the connected nodes of any predecessor of a node
1768254f889dSBrendon Cahoon // in a recurrent set.
1769254f889dSBrendon Cahoon NewSet.clear();
1770254f889dSBrendon Cahoon if (pred_L(NodesAdded, N))
1771254f889dSBrendon Cahoon for (SUnit *I : N)
1772254f889dSBrendon Cahoon addConnectedNodes(I, NewSet, NodesAdded);
177332a40564SEugene Zelenko if (!NewSet.empty())
1774254f889dSBrendon Cahoon NodeSets.push_back(NewSet);
1775254f889dSBrendon Cahoon
1776372ffa15SHiroshi Inoue // Create new nodes sets with the connected nodes any remaining node that
1777254f889dSBrendon Cahoon // has no predecessor.
17783279943aSKazu Hirata for (SUnit &SU : SUnits) {
17793279943aSKazu Hirata if (NodesAdded.count(&SU) == 0) {
1780254f889dSBrendon Cahoon NewSet.clear();
17813279943aSKazu Hirata addConnectedNodes(&SU, NewSet, NodesAdded);
178232a40564SEugene Zelenko if (!NewSet.empty())
1783254f889dSBrendon Cahoon NodeSets.push_back(NewSet);
1784254f889dSBrendon Cahoon }
1785254f889dSBrendon Cahoon }
1786254f889dSBrendon Cahoon }
1787254f889dSBrendon Cahoon
178831f47b81SAlexey Lapshin /// Add the node to the set, and add all of its connected nodes to the set.
addConnectedNodes(SUnit * SU,NodeSet & NewSet,SetVector<SUnit * > & NodesAdded)1789254f889dSBrendon Cahoon void SwingSchedulerDAG::addConnectedNodes(SUnit *SU, NodeSet &NewSet,
1790254f889dSBrendon Cahoon SetVector<SUnit *> &NodesAdded) {
1791254f889dSBrendon Cahoon NewSet.insert(SU);
1792254f889dSBrendon Cahoon NodesAdded.insert(SU);
1793254f889dSBrendon Cahoon for (auto &SI : SU->Succs) {
1794254f889dSBrendon Cahoon SUnit *Successor = SI.getSUnit();
1795dcb77643SDavid Penry if (!SI.isArtificial() && !Successor->isBoundaryNode() &&
1796dcb77643SDavid Penry NodesAdded.count(Successor) == 0)
1797254f889dSBrendon Cahoon addConnectedNodes(Successor, NewSet, NodesAdded);
1798254f889dSBrendon Cahoon }
1799254f889dSBrendon Cahoon for (auto &PI : SU->Preds) {
1800254f889dSBrendon Cahoon SUnit *Predecessor = PI.getSUnit();
1801254f889dSBrendon Cahoon if (!PI.isArtificial() && NodesAdded.count(Predecessor) == 0)
1802254f889dSBrendon Cahoon addConnectedNodes(Predecessor, NewSet, NodesAdded);
1803254f889dSBrendon Cahoon }
1804254f889dSBrendon Cahoon }
1805254f889dSBrendon Cahoon
1806254f889dSBrendon Cahoon /// Return true if Set1 contains elements in Set2. The elements in common
1807254f889dSBrendon Cahoon /// are returned in a different container.
isIntersect(SmallSetVector<SUnit *,8> & Set1,const NodeSet & Set2,SmallSetVector<SUnit *,8> & Result)1808254f889dSBrendon Cahoon static bool isIntersect(SmallSetVector<SUnit *, 8> &Set1, const NodeSet &Set2,
1809254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> &Result) {
1810254f889dSBrendon Cahoon Result.clear();
1811bcf4fa45SKazu Hirata for (SUnit *SU : Set1) {
1812254f889dSBrendon Cahoon if (Set2.count(SU) != 0)
1813254f889dSBrendon Cahoon Result.insert(SU);
1814254f889dSBrendon Cahoon }
1815254f889dSBrendon Cahoon return !Result.empty();
1816254f889dSBrendon Cahoon }
1817254f889dSBrendon Cahoon
1818254f889dSBrendon Cahoon /// Merge the recurrence node sets that have the same initial node.
fuseRecs(NodeSetType & NodeSets)1819254f889dSBrendon Cahoon void SwingSchedulerDAG::fuseRecs(NodeSetType &NodeSets) {
1820254f889dSBrendon Cahoon for (NodeSetType::iterator I = NodeSets.begin(), E = NodeSets.end(); I != E;
1821254f889dSBrendon Cahoon ++I) {
1822254f889dSBrendon Cahoon NodeSet &NI = *I;
1823254f889dSBrendon Cahoon for (NodeSetType::iterator J = I + 1; J != E;) {
1824254f889dSBrendon Cahoon NodeSet &NJ = *J;
1825254f889dSBrendon Cahoon if (NI.getNode(0)->NodeNum == NJ.getNode(0)->NodeNum) {
1826254f889dSBrendon Cahoon if (NJ.compareRecMII(NI) > 0)
1827254f889dSBrendon Cahoon NI.setRecMII(NJ.getRecMII());
18283279943aSKazu Hirata for (SUnit *SU : *J)
18293279943aSKazu Hirata I->insert(SU);
1830254f889dSBrendon Cahoon NodeSets.erase(J);
1831254f889dSBrendon Cahoon E = NodeSets.end();
1832254f889dSBrendon Cahoon } else {
1833254f889dSBrendon Cahoon ++J;
1834254f889dSBrendon Cahoon }
1835254f889dSBrendon Cahoon }
1836254f889dSBrendon Cahoon }
1837254f889dSBrendon Cahoon }
1838254f889dSBrendon Cahoon
1839254f889dSBrendon Cahoon /// Remove nodes that have been scheduled in previous NodeSets.
removeDuplicateNodes(NodeSetType & NodeSets)1840254f889dSBrendon Cahoon void SwingSchedulerDAG::removeDuplicateNodes(NodeSetType &NodeSets) {
1841254f889dSBrendon Cahoon for (NodeSetType::iterator I = NodeSets.begin(), E = NodeSets.end(); I != E;
1842254f889dSBrendon Cahoon ++I)
1843254f889dSBrendon Cahoon for (NodeSetType::iterator J = I + 1; J != E;) {
1844254f889dSBrendon Cahoon J->remove_if([&](SUnit *SUJ) { return I->count(SUJ); });
1845254f889dSBrendon Cahoon
184632a40564SEugene Zelenko if (J->empty()) {
1847254f889dSBrendon Cahoon NodeSets.erase(J);
1848254f889dSBrendon Cahoon E = NodeSets.end();
1849254f889dSBrendon Cahoon } else {
1850254f889dSBrendon Cahoon ++J;
1851254f889dSBrendon Cahoon }
1852254f889dSBrendon Cahoon }
1853254f889dSBrendon Cahoon }
1854254f889dSBrendon Cahoon
1855254f889dSBrendon Cahoon /// Compute an ordered list of the dependence graph nodes, which
1856254f889dSBrendon Cahoon /// indicates the order that the nodes will be scheduled. This is a
1857254f889dSBrendon Cahoon /// two-level algorithm. First, a partial order is created, which
1858254f889dSBrendon Cahoon /// consists of a list of sets ordered from highest to lowest priority.
computeNodeOrder(NodeSetType & NodeSets)1859254f889dSBrendon Cahoon void SwingSchedulerDAG::computeNodeOrder(NodeSetType &NodeSets) {
1860254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> R;
1861254f889dSBrendon Cahoon NodeOrder.clear();
1862254f889dSBrendon Cahoon
1863254f889dSBrendon Cahoon for (auto &Nodes : NodeSets) {
1864d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "NodeSet size " << Nodes.size() << "\n");
1865254f889dSBrendon Cahoon OrderKind Order;
1866254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> N;
1867d6391209SKazu Hirata if (pred_L(NodeOrder, N) && llvm::set_is_subset(N, Nodes)) {
1868254f889dSBrendon Cahoon R.insert(N.begin(), N.end());
1869254f889dSBrendon Cahoon Order = BottomUp;
1870d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << " Bottom up (preds) ");
1871d6391209SKazu Hirata } else if (succ_L(NodeOrder, N) && llvm::set_is_subset(N, Nodes)) {
1872254f889dSBrendon Cahoon R.insert(N.begin(), N.end());
1873254f889dSBrendon Cahoon Order = TopDown;
1874d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << " Top down (succs) ");
1875254f889dSBrendon Cahoon } else if (isIntersect(N, Nodes, R)) {
1876254f889dSBrendon Cahoon // If some of the successors are in the existing node-set, then use the
1877254f889dSBrendon Cahoon // top-down ordering.
1878254f889dSBrendon Cahoon Order = TopDown;
1879d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << " Top down (intersect) ");
1880254f889dSBrendon Cahoon } else if (NodeSets.size() == 1) {
18819e6d1f4bSKazu Hirata for (const auto &N : Nodes)
1882254f889dSBrendon Cahoon if (N->Succs.size() == 0)
1883254f889dSBrendon Cahoon R.insert(N);
1884254f889dSBrendon Cahoon Order = BottomUp;
1885d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << " Bottom up (all) ");
1886254f889dSBrendon Cahoon } else {
1887254f889dSBrendon Cahoon // Find the node with the highest ASAP.
1888254f889dSBrendon Cahoon SUnit *maxASAP = nullptr;
1889254f889dSBrendon Cahoon for (SUnit *SU : Nodes) {
1890a2122044SKrzysztof Parzyszek if (maxASAP == nullptr || getASAP(SU) > getASAP(maxASAP) ||
1891a2122044SKrzysztof Parzyszek (getASAP(SU) == getASAP(maxASAP) && SU->NodeNum > maxASAP->NodeNum))
1892254f889dSBrendon Cahoon maxASAP = SU;
1893254f889dSBrendon Cahoon }
1894254f889dSBrendon Cahoon R.insert(maxASAP);
1895254f889dSBrendon Cahoon Order = BottomUp;
1896d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << " Bottom up (default) ");
1897254f889dSBrendon Cahoon }
1898254f889dSBrendon Cahoon
1899254f889dSBrendon Cahoon while (!R.empty()) {
1900254f889dSBrendon Cahoon if (Order == TopDown) {
1901254f889dSBrendon Cahoon // Choose the node with the maximum height. If more than one, choose
1902a2122044SKrzysztof Parzyszek // the node wiTH the maximum ZeroLatencyHeight. If still more than one,
19034b8bcf00SRoorda, Jan-Willem // choose the node with the lowest MOV.
1904254f889dSBrendon Cahoon while (!R.empty()) {
1905254f889dSBrendon Cahoon SUnit *maxHeight = nullptr;
1906254f889dSBrendon Cahoon for (SUnit *I : R) {
1907cdc71612SEugene Zelenko if (maxHeight == nullptr || getHeight(I) > getHeight(maxHeight))
1908254f889dSBrendon Cahoon maxHeight = I;
1909254f889dSBrendon Cahoon else if (getHeight(I) == getHeight(maxHeight) &&
19104b8bcf00SRoorda, Jan-Willem getZeroLatencyHeight(I) > getZeroLatencyHeight(maxHeight))
1911254f889dSBrendon Cahoon maxHeight = I;
19124b8bcf00SRoorda, Jan-Willem else if (getHeight(I) == getHeight(maxHeight) &&
19134b8bcf00SRoorda, Jan-Willem getZeroLatencyHeight(I) ==
19144b8bcf00SRoorda, Jan-Willem getZeroLatencyHeight(maxHeight) &&
19154b8bcf00SRoorda, Jan-Willem getMOV(I) < getMOV(maxHeight))
1916254f889dSBrendon Cahoon maxHeight = I;
1917254f889dSBrendon Cahoon }
1918254f889dSBrendon Cahoon NodeOrder.insert(maxHeight);
1919d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << maxHeight->NodeNum << " ");
1920254f889dSBrendon Cahoon R.remove(maxHeight);
1921254f889dSBrendon Cahoon for (const auto &I : maxHeight->Succs) {
1922254f889dSBrendon Cahoon if (Nodes.count(I.getSUnit()) == 0)
1923254f889dSBrendon Cahoon continue;
1924b7c5e0b0SKazu Hirata if (NodeOrder.contains(I.getSUnit()))
1925254f889dSBrendon Cahoon continue;
1926254f889dSBrendon Cahoon if (ignoreDependence(I, false))
1927254f889dSBrendon Cahoon continue;
1928254f889dSBrendon Cahoon R.insert(I.getSUnit());
1929254f889dSBrendon Cahoon }
1930254f889dSBrendon Cahoon // Back-edges are predecessors with an anti-dependence.
1931254f889dSBrendon Cahoon for (const auto &I : maxHeight->Preds) {
1932254f889dSBrendon Cahoon if (I.getKind() != SDep::Anti)
1933254f889dSBrendon Cahoon continue;
1934254f889dSBrendon Cahoon if (Nodes.count(I.getSUnit()) == 0)
1935254f889dSBrendon Cahoon continue;
1936b7c5e0b0SKazu Hirata if (NodeOrder.contains(I.getSUnit()))
1937254f889dSBrendon Cahoon continue;
1938254f889dSBrendon Cahoon R.insert(I.getSUnit());
1939254f889dSBrendon Cahoon }
1940254f889dSBrendon Cahoon }
1941254f889dSBrendon Cahoon Order = BottomUp;
1942d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "\n Switching order to bottom up ");
1943254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> N;
1944254f889dSBrendon Cahoon if (pred_L(NodeOrder, N, &Nodes))
1945254f889dSBrendon Cahoon R.insert(N.begin(), N.end());
1946254f889dSBrendon Cahoon } else {
1947254f889dSBrendon Cahoon // Choose the node with the maximum depth. If more than one, choose
19484b8bcf00SRoorda, Jan-Willem // the node with the maximum ZeroLatencyDepth. If still more than one,
19494b8bcf00SRoorda, Jan-Willem // choose the node with the lowest MOV.
1950254f889dSBrendon Cahoon while (!R.empty()) {
1951254f889dSBrendon Cahoon SUnit *maxDepth = nullptr;
1952254f889dSBrendon Cahoon for (SUnit *I : R) {
1953cdc71612SEugene Zelenko if (maxDepth == nullptr || getDepth(I) > getDepth(maxDepth))
1954254f889dSBrendon Cahoon maxDepth = I;
1955254f889dSBrendon Cahoon else if (getDepth(I) == getDepth(maxDepth) &&
19564b8bcf00SRoorda, Jan-Willem getZeroLatencyDepth(I) > getZeroLatencyDepth(maxDepth))
1957254f889dSBrendon Cahoon maxDepth = I;
19584b8bcf00SRoorda, Jan-Willem else if (getDepth(I) == getDepth(maxDepth) &&
19594b8bcf00SRoorda, Jan-Willem getZeroLatencyDepth(I) == getZeroLatencyDepth(maxDepth) &&
19604b8bcf00SRoorda, Jan-Willem getMOV(I) < getMOV(maxDepth))
1961254f889dSBrendon Cahoon maxDepth = I;
1962254f889dSBrendon Cahoon }
1963254f889dSBrendon Cahoon NodeOrder.insert(maxDepth);
1964d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << maxDepth->NodeNum << " ");
1965254f889dSBrendon Cahoon R.remove(maxDepth);
1966254f889dSBrendon Cahoon if (Nodes.isExceedSU(maxDepth)) {
1967254f889dSBrendon Cahoon Order = TopDown;
1968254f889dSBrendon Cahoon R.clear();
1969254f889dSBrendon Cahoon R.insert(Nodes.getNode(0));
1970254f889dSBrendon Cahoon break;
1971254f889dSBrendon Cahoon }
1972254f889dSBrendon Cahoon for (const auto &I : maxDepth->Preds) {
1973254f889dSBrendon Cahoon if (Nodes.count(I.getSUnit()) == 0)
1974254f889dSBrendon Cahoon continue;
1975b7c5e0b0SKazu Hirata if (NodeOrder.contains(I.getSUnit()))
1976254f889dSBrendon Cahoon continue;
1977254f889dSBrendon Cahoon R.insert(I.getSUnit());
1978254f889dSBrendon Cahoon }
1979254f889dSBrendon Cahoon // Back-edges are predecessors with an anti-dependence.
1980254f889dSBrendon Cahoon for (const auto &I : maxDepth->Succs) {
1981254f889dSBrendon Cahoon if (I.getKind() != SDep::Anti)
1982254f889dSBrendon Cahoon continue;
1983254f889dSBrendon Cahoon if (Nodes.count(I.getSUnit()) == 0)
1984254f889dSBrendon Cahoon continue;
1985b7c5e0b0SKazu Hirata if (NodeOrder.contains(I.getSUnit()))
1986254f889dSBrendon Cahoon continue;
1987254f889dSBrendon Cahoon R.insert(I.getSUnit());
1988254f889dSBrendon Cahoon }
1989254f889dSBrendon Cahoon }
1990254f889dSBrendon Cahoon Order = TopDown;
1991d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "\n Switching order to top down ");
1992254f889dSBrendon Cahoon SmallSetVector<SUnit *, 8> N;
1993254f889dSBrendon Cahoon if (succ_L(NodeOrder, N, &Nodes))
1994254f889dSBrendon Cahoon R.insert(N.begin(), N.end());
1995254f889dSBrendon Cahoon }
1996254f889dSBrendon Cahoon }
1997d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "\nDone with Nodeset\n");
1998254f889dSBrendon Cahoon }
1999254f889dSBrendon Cahoon
2000d34e60caSNicola Zaghen LLVM_DEBUG({
2001254f889dSBrendon Cahoon dbgs() << "Node order: ";
2002254f889dSBrendon Cahoon for (SUnit *I : NodeOrder)
2003254f889dSBrendon Cahoon dbgs() << " " << I->NodeNum << " ";
2004254f889dSBrendon Cahoon dbgs() << "\n";
2005254f889dSBrendon Cahoon });
2006254f889dSBrendon Cahoon }
2007254f889dSBrendon Cahoon
2008254f889dSBrendon Cahoon /// Process the nodes in the computed order and create the pipelined schedule
2009254f889dSBrendon Cahoon /// of the instructions, if possible. Return true if a schedule is found.
schedulePipeline(SMSchedule & Schedule)2010254f889dSBrendon Cahoon bool SwingSchedulerDAG::schedulePipeline(SMSchedule &Schedule) {
201118e7bf5cSJinsong Ji
201218e7bf5cSJinsong Ji if (NodeOrder.empty()){
201318e7bf5cSJinsong Ji LLVM_DEBUG(dbgs() << "NodeOrder is empty! abort scheduling\n" );
2014254f889dSBrendon Cahoon return false;
201518e7bf5cSJinsong Ji }
2016254f889dSBrendon Cahoon
2017254f889dSBrendon Cahoon bool scheduleFound = false;
2018254f889dSBrendon Cahoon // Keep increasing II until a valid schedule is found.
2019f0ec9f1bSMarianne Mailhot-Sarrasin for (unsigned II = MII; II <= MAX_II && !scheduleFound; ++II) {
2020254f889dSBrendon Cahoon Schedule.reset();
2021254f889dSBrendon Cahoon Schedule.setInitiationInterval(II);
2022d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "Try to schedule with " << II << "\n");
2023254f889dSBrendon Cahoon
2024254f889dSBrendon Cahoon SetVector<SUnit *>::iterator NI = NodeOrder.begin();
2025254f889dSBrendon Cahoon SetVector<SUnit *>::iterator NE = NodeOrder.end();
2026254f889dSBrendon Cahoon do {
2027254f889dSBrendon Cahoon SUnit *SU = *NI;
2028254f889dSBrendon Cahoon
2029254f889dSBrendon Cahoon // Compute the schedule time for the instruction, which is based
2030254f889dSBrendon Cahoon // upon the scheduled time for any predecessors/successors.
2031254f889dSBrendon Cahoon int EarlyStart = INT_MIN;
2032254f889dSBrendon Cahoon int LateStart = INT_MAX;
2033254f889dSBrendon Cahoon // These values are set when the size of the schedule window is limited
2034254f889dSBrendon Cahoon // due to chain dependences.
2035254f889dSBrendon Cahoon int SchedEnd = INT_MAX;
2036254f889dSBrendon Cahoon int SchedStart = INT_MIN;
2037254f889dSBrendon Cahoon Schedule.computeStart(SU, &EarlyStart, &LateStart, &SchedEnd, &SchedStart,
2038254f889dSBrendon Cahoon II, this);
2039d34e60caSNicola Zaghen LLVM_DEBUG({
204018e7bf5cSJinsong Ji dbgs() << "\n";
2041254f889dSBrendon Cahoon dbgs() << "Inst (" << SU->NodeNum << ") ";
2042254f889dSBrendon Cahoon SU->getInstr()->dump();
2043254f889dSBrendon Cahoon dbgs() << "\n";
2044254f889dSBrendon Cahoon });
2045d34e60caSNicola Zaghen LLVM_DEBUG({
204618e7bf5cSJinsong Ji dbgs() << format("\tes: %8x ls: %8x me: %8x ms: %8x\n", EarlyStart,
204718e7bf5cSJinsong Ji LateStart, SchedEnd, SchedStart);
2048254f889dSBrendon Cahoon });
2049254f889dSBrendon Cahoon
2050254f889dSBrendon Cahoon if (EarlyStart > LateStart || SchedEnd < EarlyStart ||
2051254f889dSBrendon Cahoon SchedStart > LateStart)
2052254f889dSBrendon Cahoon scheduleFound = false;
2053254f889dSBrendon Cahoon else if (EarlyStart != INT_MIN && LateStart == INT_MAX) {
2054254f889dSBrendon Cahoon SchedEnd = std::min(SchedEnd, EarlyStart + (int)II - 1);
2055254f889dSBrendon Cahoon scheduleFound = Schedule.insert(SU, EarlyStart, SchedEnd, II);
2056254f889dSBrendon Cahoon } else if (EarlyStart == INT_MIN && LateStart != INT_MAX) {
2057254f889dSBrendon Cahoon SchedStart = std::max(SchedStart, LateStart - (int)II + 1);
2058254f889dSBrendon Cahoon scheduleFound = Schedule.insert(SU, LateStart, SchedStart, II);
2059254f889dSBrendon Cahoon } else if (EarlyStart != INT_MIN && LateStart != INT_MAX) {
2060254f889dSBrendon Cahoon SchedEnd =
2061254f889dSBrendon Cahoon std::min(SchedEnd, std::min(LateStart, EarlyStart + (int)II - 1));
2062254f889dSBrendon Cahoon // When scheduling a Phi it is better to start at the late cycle and go
2063254f889dSBrendon Cahoon // backwards. The default order may insert the Phi too far away from
2064254f889dSBrendon Cahoon // its first dependence.
2065254f889dSBrendon Cahoon if (SU->getInstr()->isPHI())
2066254f889dSBrendon Cahoon scheduleFound = Schedule.insert(SU, SchedEnd, EarlyStart, II);
2067254f889dSBrendon Cahoon else
2068254f889dSBrendon Cahoon scheduleFound = Schedule.insert(SU, EarlyStart, SchedEnd, II);
2069254f889dSBrendon Cahoon } else {
2070254f889dSBrendon Cahoon int FirstCycle = Schedule.getFirstCycle();
2071254f889dSBrendon Cahoon scheduleFound = Schedule.insert(SU, FirstCycle + getASAP(SU),
2072254f889dSBrendon Cahoon FirstCycle + getASAP(SU) + II - 1, II);
2073254f889dSBrendon Cahoon }
2074254f889dSBrendon Cahoon // Even if we find a schedule, make sure the schedule doesn't exceed the
2075254f889dSBrendon Cahoon // allowable number of stages. We keep trying if this happens.
2076254f889dSBrendon Cahoon if (scheduleFound)
2077254f889dSBrendon Cahoon if (SwpMaxStages > -1 &&
2078254f889dSBrendon Cahoon Schedule.getMaxStageCount() > (unsigned)SwpMaxStages)
2079254f889dSBrendon Cahoon scheduleFound = false;
2080254f889dSBrendon Cahoon
2081d34e60caSNicola Zaghen LLVM_DEBUG({
2082254f889dSBrendon Cahoon if (!scheduleFound)
2083254f889dSBrendon Cahoon dbgs() << "\tCan't schedule\n";
2084254f889dSBrendon Cahoon });
2085254f889dSBrendon Cahoon } while (++NI != NE && scheduleFound);
2086254f889dSBrendon Cahoon
2087dcb77643SDavid Penry // If a schedule is found, ensure non-pipelined instructions are in stage 0
2088dcb77643SDavid Penry if (scheduleFound)
2089dcb77643SDavid Penry scheduleFound =
2090dcb77643SDavid Penry Schedule.normalizeNonPipelinedInstructions(this, LoopPipelinerInfo);
2091dcb77643SDavid Penry
2092254f889dSBrendon Cahoon // If a schedule is found, check if it is a valid schedule too.
2093254f889dSBrendon Cahoon if (scheduleFound)
2094254f889dSBrendon Cahoon scheduleFound = Schedule.isValidSchedule(this);
2095254f889dSBrendon Cahoon }
2096254f889dSBrendon Cahoon
2097f0ec9f1bSMarianne Mailhot-Sarrasin LLVM_DEBUG(dbgs() << "Schedule Found? " << scheduleFound
2098f0ec9f1bSMarianne Mailhot-Sarrasin << " (II=" << Schedule.getInitiationInterval()
209959d99731SBrendon Cahoon << ")\n");
2100254f889dSBrendon Cahoon
210180b78a47SJinsong Ji if (scheduleFound) {
2102254f889dSBrendon Cahoon Schedule.finalizeSchedule(this);
210380b78a47SJinsong Ji Pass.ORE->emit([&]() {
210480b78a47SJinsong Ji return MachineOptimizationRemarkAnalysis(
210580b78a47SJinsong Ji DEBUG_TYPE, "schedule", Loop.getStartLoc(), Loop.getHeader())
2106f0ec9f1bSMarianne Mailhot-Sarrasin << "Schedule found with Initiation Interval: "
2107f0ec9f1bSMarianne Mailhot-Sarrasin << ore::NV("II", Schedule.getInitiationInterval())
210880b78a47SJinsong Ji << ", MaxStageCount: "
210980b78a47SJinsong Ji << ore::NV("MaxStageCount", Schedule.getMaxStageCount());
211080b78a47SJinsong Ji });
211180b78a47SJinsong Ji } else
2112254f889dSBrendon Cahoon Schedule.reset();
2113254f889dSBrendon Cahoon
2114254f889dSBrendon Cahoon return scheduleFound && Schedule.getMaxStageCount() > 0;
2115254f889dSBrendon Cahoon }
2116254f889dSBrendon Cahoon
2117254f889dSBrendon Cahoon /// Return true if we can compute the amount the instruction changes
2118254f889dSBrendon Cahoon /// during each iteration. Set Delta to the amount of the change.
computeDelta(MachineInstr & MI,unsigned & Delta)2119254f889dSBrendon Cahoon bool SwingSchedulerDAG::computeDelta(MachineInstr &MI, unsigned &Delta) {
2120254f889dSBrendon Cahoon const TargetRegisterInfo *TRI = MF.getSubtarget().getRegisterInfo();
2121238c9d63SBjorn Pettersson const MachineOperand *BaseOp;
2122254f889dSBrendon Cahoon int64_t Offset;
21238fbc9258SSander de Smalen bool OffsetIsScalable;
21248fbc9258SSander de Smalen if (!TII->getMemOperandWithOffset(MI, BaseOp, Offset, OffsetIsScalable, TRI))
21258fbc9258SSander de Smalen return false;
21268fbc9258SSander de Smalen
21278fbc9258SSander de Smalen // FIXME: This algorithm assumes instructions have fixed-size offsets.
21288fbc9258SSander de Smalen if (OffsetIsScalable)
2129254f889dSBrendon Cahoon return false;
2130254f889dSBrendon Cahoon
2131d7eebd6dSFrancis Visoiu Mistrih if (!BaseOp->isReg())
2132d7eebd6dSFrancis Visoiu Mistrih return false;
2133d7eebd6dSFrancis Visoiu Mistrih
21340c476111SDaniel Sanders Register BaseReg = BaseOp->getReg();
2135d7eebd6dSFrancis Visoiu Mistrih
2136254f889dSBrendon Cahoon MachineRegisterInfo &MRI = MF.getRegInfo();
2137254f889dSBrendon Cahoon // Check if there is a Phi. If so, get the definition in the loop.
2138254f889dSBrendon Cahoon MachineInstr *BaseDef = MRI.getVRegDef(BaseReg);
2139254f889dSBrendon Cahoon if (BaseDef && BaseDef->isPHI()) {
2140254f889dSBrendon Cahoon BaseReg = getLoopPhiReg(*BaseDef, MI.getParent());
2141254f889dSBrendon Cahoon BaseDef = MRI.getVRegDef(BaseReg);
2142254f889dSBrendon Cahoon }
2143254f889dSBrendon Cahoon if (!BaseDef)
2144254f889dSBrendon Cahoon return false;
2145254f889dSBrendon Cahoon
2146254f889dSBrendon Cahoon int D = 0;
21478fb181caSKrzysztof Parzyszek if (!TII->getIncrementValue(*BaseDef, D) && D >= 0)
2148254f889dSBrendon Cahoon return false;
2149254f889dSBrendon Cahoon
2150254f889dSBrendon Cahoon Delta = D;
2151254f889dSBrendon Cahoon return true;
2152254f889dSBrendon Cahoon }
2153254f889dSBrendon Cahoon
2154254f889dSBrendon Cahoon /// Check if we can change the instruction to use an offset value from the
2155254f889dSBrendon Cahoon /// previous iteration. If so, return true and set the base and offset values
2156254f889dSBrendon Cahoon /// so that we can rewrite the load, if necessary.
2157254f889dSBrendon Cahoon /// v1 = Phi(v0, v3)
2158254f889dSBrendon Cahoon /// v2 = load v1, 0
2159254f889dSBrendon Cahoon /// v3 = post_store v1, 4, x
2160254f889dSBrendon Cahoon /// This function enables the load to be rewritten as v2 = load v3, 4.
canUseLastOffsetValue(MachineInstr * MI,unsigned & BasePos,unsigned & OffsetPos,unsigned & NewBase,int64_t & Offset)2161254f889dSBrendon Cahoon bool SwingSchedulerDAG::canUseLastOffsetValue(MachineInstr *MI,
2162254f889dSBrendon Cahoon unsigned &BasePos,
2163254f889dSBrendon Cahoon unsigned &OffsetPos,
2164254f889dSBrendon Cahoon unsigned &NewBase,
2165254f889dSBrendon Cahoon int64_t &Offset) {
2166254f889dSBrendon Cahoon // Get the load instruction.
21678fb181caSKrzysztof Parzyszek if (TII->isPostIncrement(*MI))
2168254f889dSBrendon Cahoon return false;
2169254f889dSBrendon Cahoon unsigned BasePosLd, OffsetPosLd;
21708fb181caSKrzysztof Parzyszek if (!TII->getBaseAndOffsetPosition(*MI, BasePosLd, OffsetPosLd))
2171254f889dSBrendon Cahoon return false;
21720c476111SDaniel Sanders Register BaseReg = MI->getOperand(BasePosLd).getReg();
2173254f889dSBrendon Cahoon
2174254f889dSBrendon Cahoon // Look for the Phi instruction.
2175fdf9bf4fSJustin Bogner MachineRegisterInfo &MRI = MI->getMF()->getRegInfo();
2176254f889dSBrendon Cahoon MachineInstr *Phi = MRI.getVRegDef(BaseReg);
2177254f889dSBrendon Cahoon if (!Phi || !Phi->isPHI())
2178254f889dSBrendon Cahoon return false;
2179254f889dSBrendon Cahoon // Get the register defined in the loop block.
2180254f889dSBrendon Cahoon unsigned PrevReg = getLoopPhiReg(*Phi, MI->getParent());
2181254f889dSBrendon Cahoon if (!PrevReg)
2182254f889dSBrendon Cahoon return false;
2183254f889dSBrendon Cahoon
2184254f889dSBrendon Cahoon // Check for the post-increment load/store instruction.
2185254f889dSBrendon Cahoon MachineInstr *PrevDef = MRI.getVRegDef(PrevReg);
2186254f889dSBrendon Cahoon if (!PrevDef || PrevDef == MI)
2187254f889dSBrendon Cahoon return false;
2188254f889dSBrendon Cahoon
21898fb181caSKrzysztof Parzyszek if (!TII->isPostIncrement(*PrevDef))
2190254f889dSBrendon Cahoon return false;
2191254f889dSBrendon Cahoon
2192254f889dSBrendon Cahoon unsigned BasePos1 = 0, OffsetPos1 = 0;
21938fb181caSKrzysztof Parzyszek if (!TII->getBaseAndOffsetPosition(*PrevDef, BasePos1, OffsetPos1))
2194254f889dSBrendon Cahoon return false;
2195254f889dSBrendon Cahoon
219640df8a2bSKrzysztof Parzyszek // Make sure that the instructions do not access the same memory location in
219740df8a2bSKrzysztof Parzyszek // the next iteration.
2198254f889dSBrendon Cahoon int64_t LoadOffset = MI->getOperand(OffsetPosLd).getImm();
2199254f889dSBrendon Cahoon int64_t StoreOffset = PrevDef->getOperand(OffsetPos1).getImm();
220040df8a2bSKrzysztof Parzyszek MachineInstr *NewMI = MF.CloneMachineInstr(MI);
220140df8a2bSKrzysztof Parzyszek NewMI->getOperand(OffsetPosLd).setImm(LoadOffset + StoreOffset);
220240df8a2bSKrzysztof Parzyszek bool Disjoint = TII->areMemAccessesTriviallyDisjoint(*NewMI, *PrevDef);
2203b0127424SMircea Trofin MF.deleteMachineInstr(NewMI);
220440df8a2bSKrzysztof Parzyszek if (!Disjoint)
2205254f889dSBrendon Cahoon return false;
2206254f889dSBrendon Cahoon
2207254f889dSBrendon Cahoon // Set the return value once we determine that we return true.
2208254f889dSBrendon Cahoon BasePos = BasePosLd;
2209254f889dSBrendon Cahoon OffsetPos = OffsetPosLd;
2210254f889dSBrendon Cahoon NewBase = PrevReg;
2211254f889dSBrendon Cahoon Offset = StoreOffset;
2212254f889dSBrendon Cahoon return true;
2213254f889dSBrendon Cahoon }
2214254f889dSBrendon Cahoon
2215254f889dSBrendon Cahoon /// Apply changes to the instruction if needed. The changes are need
2216254f889dSBrendon Cahoon /// to improve the scheduling and depend up on the final schedule.
applyInstrChange(MachineInstr * MI,SMSchedule & Schedule)22178f174ddeSKrzysztof Parzyszek void SwingSchedulerDAG::applyInstrChange(MachineInstr *MI,
22188f174ddeSKrzysztof Parzyszek SMSchedule &Schedule) {
2219254f889dSBrendon Cahoon SUnit *SU = getSUnit(MI);
2220254f889dSBrendon Cahoon DenseMap<SUnit *, std::pair<unsigned, int64_t>>::iterator It =
2221254f889dSBrendon Cahoon InstrChanges.find(SU);
2222254f889dSBrendon Cahoon if (It != InstrChanges.end()) {
2223254f889dSBrendon Cahoon std::pair<unsigned, int64_t> RegAndOffset = It->second;
2224254f889dSBrendon Cahoon unsigned BasePos, OffsetPos;
22258fb181caSKrzysztof Parzyszek if (!TII->getBaseAndOffsetPosition(*MI, BasePos, OffsetPos))
22268f174ddeSKrzysztof Parzyszek return;
22270c476111SDaniel Sanders Register BaseReg = MI->getOperand(BasePos).getReg();
2228254f889dSBrendon Cahoon MachineInstr *LoopDef = findDefInLoop(BaseReg);
2229254f889dSBrendon Cahoon int DefStageNum = Schedule.stageScheduled(getSUnit(LoopDef));
2230254f889dSBrendon Cahoon int DefCycleNum = Schedule.cycleScheduled(getSUnit(LoopDef));
2231254f889dSBrendon Cahoon int BaseStageNum = Schedule.stageScheduled(SU);
2232254f889dSBrendon Cahoon int BaseCycleNum = Schedule.cycleScheduled(SU);
2233254f889dSBrendon Cahoon if (BaseStageNum < DefStageNum) {
2234254f889dSBrendon Cahoon MachineInstr *NewMI = MF.CloneMachineInstr(MI);
2235254f889dSBrendon Cahoon int OffsetDiff = DefStageNum - BaseStageNum;
2236254f889dSBrendon Cahoon if (DefCycleNum < BaseCycleNum) {
2237254f889dSBrendon Cahoon NewMI->getOperand(BasePos).setReg(RegAndOffset.first);
2238254f889dSBrendon Cahoon if (OffsetDiff > 0)
2239254f889dSBrendon Cahoon --OffsetDiff;
2240254f889dSBrendon Cahoon }
2241254f889dSBrendon Cahoon int64_t NewOffset =
2242254f889dSBrendon Cahoon MI->getOperand(OffsetPos).getImm() + RegAndOffset.second * OffsetDiff;
2243254f889dSBrendon Cahoon NewMI->getOperand(OffsetPos).setImm(NewOffset);
2244254f889dSBrendon Cahoon SU->setInstr(NewMI);
2245254f889dSBrendon Cahoon MISUnitMap[NewMI] = SU;
2246790a779fSJames Molloy NewMIs[MI] = NewMI;
2247254f889dSBrendon Cahoon }
2248254f889dSBrendon Cahoon }
2249254f889dSBrendon Cahoon }
2250254f889dSBrendon Cahoon
2251790a779fSJames Molloy /// Return the instruction in the loop that defines the register.
2252790a779fSJames Molloy /// If the definition is a Phi, then follow the Phi operand to
2253790a779fSJames Molloy /// the instruction in the loop.
findDefInLoop(Register Reg)2254c8fcffe7SMircea Trofin MachineInstr *SwingSchedulerDAG::findDefInLoop(Register Reg) {
2255790a779fSJames Molloy SmallPtrSet<MachineInstr *, 8> Visited;
2256790a779fSJames Molloy MachineInstr *Def = MRI.getVRegDef(Reg);
2257790a779fSJames Molloy while (Def->isPHI()) {
2258790a779fSJames Molloy if (!Visited.insert(Def).second)
2259790a779fSJames Molloy break;
2260790a779fSJames Molloy for (unsigned i = 1, e = Def->getNumOperands(); i < e; i += 2)
2261790a779fSJames Molloy if (Def->getOperand(i + 1).getMBB() == BB) {
2262790a779fSJames Molloy Def = MRI.getVRegDef(Def->getOperand(i).getReg());
2263790a779fSJames Molloy break;
2264790a779fSJames Molloy }
2265790a779fSJames Molloy }
2266790a779fSJames Molloy return Def;
2267790a779fSJames Molloy }
2268790a779fSJames Molloy
22698e1363dfSKrzysztof Parzyszek /// Return true for an order or output dependence that is loop carried
22708e1363dfSKrzysztof Parzyszek /// potentially. A dependence is loop carried if the destination defines a valu
22718e1363dfSKrzysztof Parzyszek /// that may be used or defined by the source in a subsequent iteration.
isLoopCarriedDep(SUnit * Source,const SDep & Dep,bool isSucc)22728e1363dfSKrzysztof Parzyszek bool SwingSchedulerDAG::isLoopCarriedDep(SUnit *Source, const SDep &Dep,
2273254f889dSBrendon Cahoon bool isSucc) {
22748e1363dfSKrzysztof Parzyszek if ((Dep.getKind() != SDep::Order && Dep.getKind() != SDep::Output) ||
2275dcb77643SDavid Penry Dep.isArtificial() || Dep.getSUnit()->isBoundaryNode())
2276254f889dSBrendon Cahoon return false;
2277254f889dSBrendon Cahoon
2278254f889dSBrendon Cahoon if (!SwpPruneLoopCarried)
2279254f889dSBrendon Cahoon return true;
2280254f889dSBrendon Cahoon
22818e1363dfSKrzysztof Parzyszek if (Dep.getKind() == SDep::Output)
22828e1363dfSKrzysztof Parzyszek return true;
22838e1363dfSKrzysztof Parzyszek
2284254f889dSBrendon Cahoon MachineInstr *SI = Source->getInstr();
2285254f889dSBrendon Cahoon MachineInstr *DI = Dep.getSUnit()->getInstr();
2286254f889dSBrendon Cahoon if (!isSucc)
2287254f889dSBrendon Cahoon std::swap(SI, DI);
2288254f889dSBrendon Cahoon assert(SI != nullptr && DI != nullptr && "Expecting SUnit with an MI.");
2289254f889dSBrendon Cahoon
2290254f889dSBrendon Cahoon // Assume ordered loads and stores may have a loop carried dependence.
2291254f889dSBrendon Cahoon if (SI->hasUnmodeledSideEffects() || DI->hasUnmodeledSideEffects() ||
22926c5d5ce5SUlrich Weigand SI->mayRaiseFPException() || DI->mayRaiseFPException() ||
2293254f889dSBrendon Cahoon SI->hasOrderedMemoryRef() || DI->hasOrderedMemoryRef())
2294254f889dSBrendon Cahoon return true;
2295254f889dSBrendon Cahoon
2296254f889dSBrendon Cahoon // Only chain dependences between a load and store can be loop carried.
2297254f889dSBrendon Cahoon if (!DI->mayStore() || !SI->mayLoad())
2298254f889dSBrendon Cahoon return false;
2299254f889dSBrendon Cahoon
2300254f889dSBrendon Cahoon unsigned DeltaS, DeltaD;
2301254f889dSBrendon Cahoon if (!computeDelta(*SI, DeltaS) || !computeDelta(*DI, DeltaD))
2302254f889dSBrendon Cahoon return true;
2303254f889dSBrendon Cahoon
2304238c9d63SBjorn Pettersson const MachineOperand *BaseOpS, *BaseOpD;
2305254f889dSBrendon Cahoon int64_t OffsetS, OffsetD;
23068fbc9258SSander de Smalen bool OffsetSIsScalable, OffsetDIsScalable;
2307254f889dSBrendon Cahoon const TargetRegisterInfo *TRI = MF.getSubtarget().getRegisterInfo();
23088fbc9258SSander de Smalen if (!TII->getMemOperandWithOffset(*SI, BaseOpS, OffsetS, OffsetSIsScalable,
23098fbc9258SSander de Smalen TRI) ||
23108fbc9258SSander de Smalen !TII->getMemOperandWithOffset(*DI, BaseOpD, OffsetD, OffsetDIsScalable,
23118fbc9258SSander de Smalen TRI))
2312254f889dSBrendon Cahoon return true;
2313254f889dSBrendon Cahoon
23148fbc9258SSander de Smalen assert(!OffsetSIsScalable && !OffsetDIsScalable &&
23158fbc9258SSander de Smalen "Expected offsets to be byte offsets");
23168fbc9258SSander de Smalen
2317d7eebd6dSFrancis Visoiu Mistrih if (!BaseOpS->isIdenticalTo(*BaseOpD))
2318254f889dSBrendon Cahoon return true;
2319254f889dSBrendon Cahoon
23208c07d0c4SKrzysztof Parzyszek // Check that the base register is incremented by a constant value for each
23218c07d0c4SKrzysztof Parzyszek // iteration.
2322d7eebd6dSFrancis Visoiu Mistrih MachineInstr *Def = MRI.getVRegDef(BaseOpS->getReg());
23238c07d0c4SKrzysztof Parzyszek if (!Def || !Def->isPHI())
23248c07d0c4SKrzysztof Parzyszek return true;
23258c07d0c4SKrzysztof Parzyszek unsigned InitVal = 0;
23268c07d0c4SKrzysztof Parzyszek unsigned LoopVal = 0;
23278c07d0c4SKrzysztof Parzyszek getPhiRegs(*Def, BB, InitVal, LoopVal);
23288c07d0c4SKrzysztof Parzyszek MachineInstr *LoopDef = MRI.getVRegDef(LoopVal);
23298c07d0c4SKrzysztof Parzyszek int D = 0;
23308c07d0c4SKrzysztof Parzyszek if (!LoopDef || !TII->getIncrementValue(*LoopDef, D))
23318c07d0c4SKrzysztof Parzyszek return true;
23328c07d0c4SKrzysztof Parzyszek
2333254f889dSBrendon Cahoon uint64_t AccessSizeS = (*SI->memoperands_begin())->getSize();
2334254f889dSBrendon Cahoon uint64_t AccessSizeD = (*DI->memoperands_begin())->getSize();
2335254f889dSBrendon Cahoon
2336254f889dSBrendon Cahoon // This is the main test, which checks the offset values and the loop
2337254f889dSBrendon Cahoon // increment value to determine if the accesses may be loop carried.
233857c3d4beSBrendon Cahoon if (AccessSizeS == MemoryLocation::UnknownSize ||
233957c3d4beSBrendon Cahoon AccessSizeD == MemoryLocation::UnknownSize)
2340254f889dSBrendon Cahoon return true;
234157c3d4beSBrendon Cahoon
234257c3d4beSBrendon Cahoon if (DeltaS != DeltaD || DeltaS < AccessSizeS || DeltaD < AccessSizeD)
234357c3d4beSBrendon Cahoon return true;
234457c3d4beSBrendon Cahoon
234557c3d4beSBrendon Cahoon return (OffsetS + (int64_t)AccessSizeS < OffsetD + (int64_t)AccessSizeD);
2346254f889dSBrendon Cahoon }
2347254f889dSBrendon Cahoon
postprocessDAG()234888391248SKrzysztof Parzyszek void SwingSchedulerDAG::postprocessDAG() {
234988391248SKrzysztof Parzyszek for (auto &M : Mutations)
235088391248SKrzysztof Parzyszek M->apply(this);
235188391248SKrzysztof Parzyszek }
235288391248SKrzysztof Parzyszek
2353254f889dSBrendon Cahoon /// Try to schedule the node at the specified StartCycle and continue
2354254f889dSBrendon Cahoon /// until the node is schedule or the EndCycle is reached. This function
2355254f889dSBrendon Cahoon /// returns true if the node is scheduled. This routine may search either
2356254f889dSBrendon Cahoon /// forward or backward for a place to insert the instruction based upon
2357254f889dSBrendon Cahoon /// the relative values of StartCycle and EndCycle.
insert(SUnit * SU,int StartCycle,int EndCycle,int II)2358254f889dSBrendon Cahoon bool SMSchedule::insert(SUnit *SU, int StartCycle, int EndCycle, int II) {
2359254f889dSBrendon Cahoon bool forward = true;
236018e7bf5cSJinsong Ji LLVM_DEBUG({
236118e7bf5cSJinsong Ji dbgs() << "Trying to insert node between " << StartCycle << " and "
236218e7bf5cSJinsong Ji << EndCycle << " II: " << II << "\n";
236318e7bf5cSJinsong Ji });
2364254f889dSBrendon Cahoon if (StartCycle > EndCycle)
2365254f889dSBrendon Cahoon forward = false;
2366254f889dSBrendon Cahoon
2367254f889dSBrendon Cahoon // The terminating condition depends on the direction.
2368254f889dSBrendon Cahoon int termCycle = forward ? EndCycle + 1 : EndCycle - 1;
2369254f889dSBrendon Cahoon for (int curCycle = StartCycle; curCycle != termCycle;
2370254f889dSBrendon Cahoon forward ? ++curCycle : --curCycle) {
2371254f889dSBrendon Cahoon
2372f6cb3bcbSJinsong Ji // Add the already scheduled instructions at the specified cycle to the
2373f6cb3bcbSJinsong Ji // DFA.
2374f6cb3bcbSJinsong Ji ProcItinResources.clearResources();
2375254f889dSBrendon Cahoon for (int checkCycle = FirstCycle + ((curCycle - FirstCycle) % II);
2376254f889dSBrendon Cahoon checkCycle <= LastCycle; checkCycle += II) {
2377254f889dSBrendon Cahoon std::deque<SUnit *> &cycleInstrs = ScheduledInstrs[checkCycle];
2378254f889dSBrendon Cahoon
23793279943aSKazu Hirata for (SUnit *CI : cycleInstrs) {
23803279943aSKazu Hirata if (ST.getInstrInfo()->isZeroCost(CI->getInstr()->getOpcode()))
2381254f889dSBrendon Cahoon continue;
23823279943aSKazu Hirata assert(ProcItinResources.canReserveResources(*CI->getInstr()) &&
2383254f889dSBrendon Cahoon "These instructions have already been scheduled.");
23843279943aSKazu Hirata ProcItinResources.reserveResources(*CI->getInstr());
2385254f889dSBrendon Cahoon }
2386254f889dSBrendon Cahoon }
2387254f889dSBrendon Cahoon if (ST.getInstrInfo()->isZeroCost(SU->getInstr()->getOpcode()) ||
2388f6cb3bcbSJinsong Ji ProcItinResources.canReserveResources(*SU->getInstr())) {
2389d34e60caSNicola Zaghen LLVM_DEBUG({
2390254f889dSBrendon Cahoon dbgs() << "\tinsert at cycle " << curCycle << " ";
2391254f889dSBrendon Cahoon SU->getInstr()->dump();
2392254f889dSBrendon Cahoon });
2393254f889dSBrendon Cahoon
2394254f889dSBrendon Cahoon ScheduledInstrs[curCycle].push_back(SU);
2395254f889dSBrendon Cahoon InstrToCycle.insert(std::make_pair(SU, curCycle));
2396254f889dSBrendon Cahoon if (curCycle > LastCycle)
2397254f889dSBrendon Cahoon LastCycle = curCycle;
2398254f889dSBrendon Cahoon if (curCycle < FirstCycle)
2399254f889dSBrendon Cahoon FirstCycle = curCycle;
2400254f889dSBrendon Cahoon return true;
2401254f889dSBrendon Cahoon }
2402d34e60caSNicola Zaghen LLVM_DEBUG({
2403254f889dSBrendon Cahoon dbgs() << "\tfailed to insert at cycle " << curCycle << " ";
2404254f889dSBrendon Cahoon SU->getInstr()->dump();
2405254f889dSBrendon Cahoon });
2406254f889dSBrendon Cahoon }
2407254f889dSBrendon Cahoon return false;
2408254f889dSBrendon Cahoon }
2409254f889dSBrendon Cahoon
2410254f889dSBrendon Cahoon // Return the cycle of the earliest scheduled instruction in the chain.
earliestCycleInChain(const SDep & Dep)2411254f889dSBrendon Cahoon int SMSchedule::earliestCycleInChain(const SDep &Dep) {
2412254f889dSBrendon Cahoon SmallPtrSet<SUnit *, 8> Visited;
2413254f889dSBrendon Cahoon SmallVector<SDep, 8> Worklist;
2414254f889dSBrendon Cahoon Worklist.push_back(Dep);
2415254f889dSBrendon Cahoon int EarlyCycle = INT_MAX;
2416254f889dSBrendon Cahoon while (!Worklist.empty()) {
2417254f889dSBrendon Cahoon const SDep &Cur = Worklist.pop_back_val();
2418254f889dSBrendon Cahoon SUnit *PrevSU = Cur.getSUnit();
2419254f889dSBrendon Cahoon if (Visited.count(PrevSU))
2420254f889dSBrendon Cahoon continue;
2421254f889dSBrendon Cahoon std::map<SUnit *, int>::const_iterator it = InstrToCycle.find(PrevSU);
2422254f889dSBrendon Cahoon if (it == InstrToCycle.end())
2423254f889dSBrendon Cahoon continue;
2424254f889dSBrendon Cahoon EarlyCycle = std::min(EarlyCycle, it->second);
2425254f889dSBrendon Cahoon for (const auto &PI : PrevSU->Preds)
24264a6ebc03SLama if (PI.getKind() == SDep::Order || PI.getKind() == SDep::Output)
2427254f889dSBrendon Cahoon Worklist.push_back(PI);
2428254f889dSBrendon Cahoon Visited.insert(PrevSU);
2429254f889dSBrendon Cahoon }
2430254f889dSBrendon Cahoon return EarlyCycle;
2431254f889dSBrendon Cahoon }
2432254f889dSBrendon Cahoon
2433254f889dSBrendon Cahoon // Return the cycle of the latest scheduled instruction in the chain.
latestCycleInChain(const SDep & Dep)2434254f889dSBrendon Cahoon int SMSchedule::latestCycleInChain(const SDep &Dep) {
2435254f889dSBrendon Cahoon SmallPtrSet<SUnit *, 8> Visited;
2436254f889dSBrendon Cahoon SmallVector<SDep, 8> Worklist;
2437254f889dSBrendon Cahoon Worklist.push_back(Dep);
2438254f889dSBrendon Cahoon int LateCycle = INT_MIN;
2439254f889dSBrendon Cahoon while (!Worklist.empty()) {
2440254f889dSBrendon Cahoon const SDep &Cur = Worklist.pop_back_val();
2441254f889dSBrendon Cahoon SUnit *SuccSU = Cur.getSUnit();
2442dcb77643SDavid Penry if (Visited.count(SuccSU) || SuccSU->isBoundaryNode())
2443254f889dSBrendon Cahoon continue;
2444254f889dSBrendon Cahoon std::map<SUnit *, int>::const_iterator it = InstrToCycle.find(SuccSU);
2445254f889dSBrendon Cahoon if (it == InstrToCycle.end())
2446254f889dSBrendon Cahoon continue;
2447254f889dSBrendon Cahoon LateCycle = std::max(LateCycle, it->second);
2448254f889dSBrendon Cahoon for (const auto &SI : SuccSU->Succs)
24494a6ebc03SLama if (SI.getKind() == SDep::Order || SI.getKind() == SDep::Output)
2450254f889dSBrendon Cahoon Worklist.push_back(SI);
2451254f889dSBrendon Cahoon Visited.insert(SuccSU);
2452254f889dSBrendon Cahoon }
2453254f889dSBrendon Cahoon return LateCycle;
2454254f889dSBrendon Cahoon }
2455254f889dSBrendon Cahoon
2456254f889dSBrendon Cahoon /// If an instruction has a use that spans multiple iterations, then
2457254f889dSBrendon Cahoon /// return true. These instructions are characterized by having a back-ege
2458254f889dSBrendon Cahoon /// to a Phi, which contains a reference to another Phi.
multipleIterations(SUnit * SU,SwingSchedulerDAG * DAG)2459254f889dSBrendon Cahoon static SUnit *multipleIterations(SUnit *SU, SwingSchedulerDAG *DAG) {
2460254f889dSBrendon Cahoon for (auto &P : SU->Preds)
2461254f889dSBrendon Cahoon if (DAG->isBackedge(SU, P) && P.getSUnit()->getInstr()->isPHI())
2462254f889dSBrendon Cahoon for (auto &S : P.getSUnit()->Succs)
2463b9b75b8cSKrzysztof Parzyszek if (S.getKind() == SDep::Data && S.getSUnit()->getInstr()->isPHI())
2464254f889dSBrendon Cahoon return P.getSUnit();
2465254f889dSBrendon Cahoon return nullptr;
2466254f889dSBrendon Cahoon }
2467254f889dSBrendon Cahoon
2468254f889dSBrendon Cahoon /// Compute the scheduling start slot for the instruction. The start slot
2469254f889dSBrendon Cahoon /// depends on any predecessor or successor nodes scheduled already.
computeStart(SUnit * SU,int * MaxEarlyStart,int * MinLateStart,int * MinEnd,int * MaxStart,int II,SwingSchedulerDAG * DAG)2470254f889dSBrendon Cahoon void SMSchedule::computeStart(SUnit *SU, int *MaxEarlyStart, int *MinLateStart,
2471254f889dSBrendon Cahoon int *MinEnd, int *MaxStart, int II,
2472254f889dSBrendon Cahoon SwingSchedulerDAG *DAG) {
2473254f889dSBrendon Cahoon // Iterate over each instruction that has been scheduled already. The start
2474c73b6d6bSHiroshi Inoue // slot computation depends on whether the previously scheduled instruction
2475254f889dSBrendon Cahoon // is a predecessor or successor of the specified instruction.
2476254f889dSBrendon Cahoon for (int cycle = getFirstCycle(); cycle <= LastCycle; ++cycle) {
2477254f889dSBrendon Cahoon
2478254f889dSBrendon Cahoon // Iterate over each instruction in the current cycle.
2479254f889dSBrendon Cahoon for (SUnit *I : getInstructions(cycle)) {
2480254f889dSBrendon Cahoon // Because we're processing a DAG for the dependences, we recognize
2481254f889dSBrendon Cahoon // the back-edge in recurrences by anti dependences.
2482254f889dSBrendon Cahoon for (unsigned i = 0, e = (unsigned)SU->Preds.size(); i != e; ++i) {
2483254f889dSBrendon Cahoon const SDep &Dep = SU->Preds[i];
2484254f889dSBrendon Cahoon if (Dep.getSUnit() == I) {
2485254f889dSBrendon Cahoon if (!DAG->isBackedge(SU, Dep)) {
2486c715a5d2SKrzysztof Parzyszek int EarlyStart = cycle + Dep.getLatency() -
2487254f889dSBrendon Cahoon DAG->getDistance(Dep.getSUnit(), SU, Dep) * II;
2488254f889dSBrendon Cahoon *MaxEarlyStart = std::max(*MaxEarlyStart, EarlyStart);
24898e1363dfSKrzysztof Parzyszek if (DAG->isLoopCarriedDep(SU, Dep, false)) {
2490254f889dSBrendon Cahoon int End = earliestCycleInChain(Dep) + (II - 1);
2491254f889dSBrendon Cahoon *MinEnd = std::min(*MinEnd, End);
2492254f889dSBrendon Cahoon }
2493254f889dSBrendon Cahoon } else {
2494c715a5d2SKrzysztof Parzyszek int LateStart = cycle - Dep.getLatency() +
2495254f889dSBrendon Cahoon DAG->getDistance(SU, Dep.getSUnit(), Dep) * II;
2496254f889dSBrendon Cahoon *MinLateStart = std::min(*MinLateStart, LateStart);
2497254f889dSBrendon Cahoon }
2498254f889dSBrendon Cahoon }
2499254f889dSBrendon Cahoon // For instruction that requires multiple iterations, make sure that
2500254f889dSBrendon Cahoon // the dependent instruction is not scheduled past the definition.
2501254f889dSBrendon Cahoon SUnit *BE = multipleIterations(I, DAG);
2502254f889dSBrendon Cahoon if (BE && Dep.getSUnit() == BE && !SU->getInstr()->isPHI() &&
2503254f889dSBrendon Cahoon !SU->isPred(I))
2504254f889dSBrendon Cahoon *MinLateStart = std::min(*MinLateStart, cycle);
2505254f889dSBrendon Cahoon }
2506a2122044SKrzysztof Parzyszek for (unsigned i = 0, e = (unsigned)SU->Succs.size(); i != e; ++i) {
2507254f889dSBrendon Cahoon if (SU->Succs[i].getSUnit() == I) {
2508254f889dSBrendon Cahoon const SDep &Dep = SU->Succs[i];
2509254f889dSBrendon Cahoon if (!DAG->isBackedge(SU, Dep)) {
2510c715a5d2SKrzysztof Parzyszek int LateStart = cycle - Dep.getLatency() +
2511254f889dSBrendon Cahoon DAG->getDistance(SU, Dep.getSUnit(), Dep) * II;
2512254f889dSBrendon Cahoon *MinLateStart = std::min(*MinLateStart, LateStart);
25138e1363dfSKrzysztof Parzyszek if (DAG->isLoopCarriedDep(SU, Dep)) {
2514254f889dSBrendon Cahoon int Start = latestCycleInChain(Dep) + 1 - II;
2515254f889dSBrendon Cahoon *MaxStart = std::max(*MaxStart, Start);
2516254f889dSBrendon Cahoon }
2517254f889dSBrendon Cahoon } else {
2518c715a5d2SKrzysztof Parzyszek int EarlyStart = cycle + Dep.getLatency() -
2519254f889dSBrendon Cahoon DAG->getDistance(Dep.getSUnit(), SU, Dep) * II;
2520254f889dSBrendon Cahoon *MaxEarlyStart = std::max(*MaxEarlyStart, EarlyStart);
2521254f889dSBrendon Cahoon }
2522254f889dSBrendon Cahoon }
2523254f889dSBrendon Cahoon }
2524254f889dSBrendon Cahoon }
2525254f889dSBrendon Cahoon }
2526a2122044SKrzysztof Parzyszek }
2527254f889dSBrendon Cahoon
2528254f889dSBrendon Cahoon /// Order the instructions within a cycle so that the definitions occur
2529254f889dSBrendon Cahoon /// before the uses. Returns true if the instruction is added to the start
2530254f889dSBrendon Cahoon /// of the list, or false if added to the end.
orderDependence(SwingSchedulerDAG * SSD,SUnit * SU,std::deque<SUnit * > & Insts)2531f13bbf1dSKrzysztof Parzyszek void SMSchedule::orderDependence(SwingSchedulerDAG *SSD, SUnit *SU,
2532254f889dSBrendon Cahoon std::deque<SUnit *> &Insts) {
2533254f889dSBrendon Cahoon MachineInstr *MI = SU->getInstr();
2534254f889dSBrendon Cahoon bool OrderBeforeUse = false;
2535254f889dSBrendon Cahoon bool OrderAfterDef = false;
2536254f889dSBrendon Cahoon bool OrderBeforeDef = false;
2537254f889dSBrendon Cahoon unsigned MoveDef = 0;
2538254f889dSBrendon Cahoon unsigned MoveUse = 0;
2539254f889dSBrendon Cahoon int StageInst1 = stageScheduled(SU);
2540254f889dSBrendon Cahoon
2541254f889dSBrendon Cahoon unsigned Pos = 0;
2542254f889dSBrendon Cahoon for (std::deque<SUnit *>::iterator I = Insts.begin(), E = Insts.end(); I != E;
2543254f889dSBrendon Cahoon ++I, ++Pos) {
2544c73fc74cSKazu Hirata for (MachineOperand &MO : MI->operands()) {
25452bea69bfSDaniel Sanders if (!MO.isReg() || !Register::isVirtualRegister(MO.getReg()))
2546254f889dSBrendon Cahoon continue;
2547f13bbf1dSKrzysztof Parzyszek
25480c476111SDaniel Sanders Register Reg = MO.getReg();
2549254f889dSBrendon Cahoon unsigned BasePos, OffsetPos;
25508fb181caSKrzysztof Parzyszek if (ST.getInstrInfo()->getBaseAndOffsetPosition(*MI, BasePos, OffsetPos))
2551254f889dSBrendon Cahoon if (MI->getOperand(BasePos).getReg() == Reg)
2552254f889dSBrendon Cahoon if (unsigned NewReg = SSD->getInstrBaseReg(SU))
2553254f889dSBrendon Cahoon Reg = NewReg;
2554254f889dSBrendon Cahoon bool Reads, Writes;
2555254f889dSBrendon Cahoon std::tie(Reads, Writes) =
2556254f889dSBrendon Cahoon (*I)->getInstr()->readsWritesVirtualRegister(Reg);
2557254f889dSBrendon Cahoon if (MO.isDef() && Reads && stageScheduled(*I) <= StageInst1) {
2558254f889dSBrendon Cahoon OrderBeforeUse = true;
2559f13bbf1dSKrzysztof Parzyszek if (MoveUse == 0)
2560254f889dSBrendon Cahoon MoveUse = Pos;
2561254f889dSBrendon Cahoon } else if (MO.isDef() && Reads && stageScheduled(*I) > StageInst1) {
2562254f889dSBrendon Cahoon // Add the instruction after the scheduled instruction.
2563254f889dSBrendon Cahoon OrderAfterDef = true;
2564254f889dSBrendon Cahoon MoveDef = Pos;
2565254f889dSBrendon Cahoon } else if (MO.isUse() && Writes && stageScheduled(*I) == StageInst1) {
2566254f889dSBrendon Cahoon if (cycleScheduled(*I) == cycleScheduled(SU) && !(*I)->isSucc(SU)) {
2567254f889dSBrendon Cahoon OrderBeforeUse = true;
2568f13bbf1dSKrzysztof Parzyszek if (MoveUse == 0)
2569254f889dSBrendon Cahoon MoveUse = Pos;
2570254f889dSBrendon Cahoon } else {
2571254f889dSBrendon Cahoon OrderAfterDef = true;
2572254f889dSBrendon Cahoon MoveDef = Pos;
2573254f889dSBrendon Cahoon }
2574254f889dSBrendon Cahoon } else if (MO.isUse() && Writes && stageScheduled(*I) > StageInst1) {
2575254f889dSBrendon Cahoon OrderBeforeUse = true;
2576f13bbf1dSKrzysztof Parzyszek if (MoveUse == 0)
2577254f889dSBrendon Cahoon MoveUse = Pos;
2578254f889dSBrendon Cahoon if (MoveUse != 0) {
2579254f889dSBrendon Cahoon OrderAfterDef = true;
2580254f889dSBrendon Cahoon MoveDef = Pos - 1;
2581254f889dSBrendon Cahoon }
2582254f889dSBrendon Cahoon } else if (MO.isUse() && Writes && stageScheduled(*I) < StageInst1) {
2583254f889dSBrendon Cahoon // Add the instruction before the scheduled instruction.
2584254f889dSBrendon Cahoon OrderBeforeUse = true;
2585f13bbf1dSKrzysztof Parzyszek if (MoveUse == 0)
2586254f889dSBrendon Cahoon MoveUse = Pos;
2587254f889dSBrendon Cahoon } else if (MO.isUse() && stageScheduled(*I) == StageInst1 &&
2588254f889dSBrendon Cahoon isLoopCarriedDefOfUse(SSD, (*I)->getInstr(), MO)) {
2589f13bbf1dSKrzysztof Parzyszek if (MoveUse == 0) {
2590254f889dSBrendon Cahoon OrderBeforeDef = true;
2591254f889dSBrendon Cahoon MoveUse = Pos;
2592254f889dSBrendon Cahoon }
2593254f889dSBrendon Cahoon }
2594f13bbf1dSKrzysztof Parzyszek }
2595254f889dSBrendon Cahoon // Check for order dependences between instructions. Make sure the source
2596254f889dSBrendon Cahoon // is ordered before the destination.
25978e1363dfSKrzysztof Parzyszek for (auto &S : SU->Succs) {
25988e1363dfSKrzysztof Parzyszek if (S.getSUnit() != *I)
25998e1363dfSKrzysztof Parzyszek continue;
26008e1363dfSKrzysztof Parzyszek if (S.getKind() == SDep::Order && stageScheduled(*I) == StageInst1) {
2601254f889dSBrendon Cahoon OrderBeforeUse = true;
26028e1363dfSKrzysztof Parzyszek if (Pos < MoveUse)
2603254f889dSBrendon Cahoon MoveUse = Pos;
2604254f889dSBrendon Cahoon }
260595770866SJinsong Ji // We did not handle HW dependences in previous for loop,
260695770866SJinsong Ji // and we normally set Latency = 0 for Anti deps,
260795770866SJinsong Ji // so may have nodes in same cycle with Anti denpendent on HW regs.
260895770866SJinsong Ji else if (S.getKind() == SDep::Anti && stageScheduled(*I) == StageInst1) {
260995770866SJinsong Ji OrderBeforeUse = true;
261095770866SJinsong Ji if ((MoveUse == 0) || (Pos < MoveUse))
261195770866SJinsong Ji MoveUse = Pos;
261295770866SJinsong Ji }
2613254f889dSBrendon Cahoon }
26148e1363dfSKrzysztof Parzyszek for (auto &P : SU->Preds) {
26158e1363dfSKrzysztof Parzyszek if (P.getSUnit() != *I)
26168e1363dfSKrzysztof Parzyszek continue;
26178e1363dfSKrzysztof Parzyszek if (P.getKind() == SDep::Order && stageScheduled(*I) == StageInst1) {
2618254f889dSBrendon Cahoon OrderAfterDef = true;
2619254f889dSBrendon Cahoon MoveDef = Pos;
2620254f889dSBrendon Cahoon }
2621254f889dSBrendon Cahoon }
2622254f889dSBrendon Cahoon }
2623254f889dSBrendon Cahoon
2624254f889dSBrendon Cahoon // A circular dependence.
2625254f889dSBrendon Cahoon if (OrderAfterDef && OrderBeforeUse && MoveUse == MoveDef)
2626254f889dSBrendon Cahoon OrderBeforeUse = false;
2627254f889dSBrendon Cahoon
2628254f889dSBrendon Cahoon // OrderAfterDef takes precedences over OrderBeforeDef. The latter is due
2629254f889dSBrendon Cahoon // to a loop-carried dependence.
2630254f889dSBrendon Cahoon if (OrderBeforeDef)
2631254f889dSBrendon Cahoon OrderBeforeUse = !OrderAfterDef || (MoveUse > MoveDef);
2632254f889dSBrendon Cahoon
2633254f889dSBrendon Cahoon // The uncommon case when the instruction order needs to be updated because
2634254f889dSBrendon Cahoon // there is both a use and def.
2635254f889dSBrendon Cahoon if (OrderBeforeUse && OrderAfterDef) {
2636254f889dSBrendon Cahoon SUnit *UseSU = Insts.at(MoveUse);
2637254f889dSBrendon Cahoon SUnit *DefSU = Insts.at(MoveDef);
2638254f889dSBrendon Cahoon if (MoveUse > MoveDef) {
2639254f889dSBrendon Cahoon Insts.erase(Insts.begin() + MoveUse);
2640254f889dSBrendon Cahoon Insts.erase(Insts.begin() + MoveDef);
2641254f889dSBrendon Cahoon } else {
2642254f889dSBrendon Cahoon Insts.erase(Insts.begin() + MoveDef);
2643254f889dSBrendon Cahoon Insts.erase(Insts.begin() + MoveUse);
2644254f889dSBrendon Cahoon }
2645f13bbf1dSKrzysztof Parzyszek orderDependence(SSD, UseSU, Insts);
2646f13bbf1dSKrzysztof Parzyszek orderDependence(SSD, SU, Insts);
2647254f889dSBrendon Cahoon orderDependence(SSD, DefSU, Insts);
2648f13bbf1dSKrzysztof Parzyszek return;
2649254f889dSBrendon Cahoon }
2650254f889dSBrendon Cahoon // Put the new instruction first if there is a use in the list. Otherwise,
2651254f889dSBrendon Cahoon // put it at the end of the list.
2652254f889dSBrendon Cahoon if (OrderBeforeUse)
2653254f889dSBrendon Cahoon Insts.push_front(SU);
2654254f889dSBrendon Cahoon else
2655254f889dSBrendon Cahoon Insts.push_back(SU);
2656254f889dSBrendon Cahoon }
2657254f889dSBrendon Cahoon
2658254f889dSBrendon Cahoon /// Return true if the scheduled Phi has a loop carried operand.
isLoopCarried(SwingSchedulerDAG * SSD,MachineInstr & Phi)2659254f889dSBrendon Cahoon bool SMSchedule::isLoopCarried(SwingSchedulerDAG *SSD, MachineInstr &Phi) {
2660254f889dSBrendon Cahoon if (!Phi.isPHI())
2661254f889dSBrendon Cahoon return false;
2662c73b6d6bSHiroshi Inoue assert(Phi.isPHI() && "Expecting a Phi.");
2663254f889dSBrendon Cahoon SUnit *DefSU = SSD->getSUnit(&Phi);
2664254f889dSBrendon Cahoon unsigned DefCycle = cycleScheduled(DefSU);
2665254f889dSBrendon Cahoon int DefStage = stageScheduled(DefSU);
2666254f889dSBrendon Cahoon
2667254f889dSBrendon Cahoon unsigned InitVal = 0;
2668254f889dSBrendon Cahoon unsigned LoopVal = 0;
2669254f889dSBrendon Cahoon getPhiRegs(Phi, Phi.getParent(), InitVal, LoopVal);
2670254f889dSBrendon Cahoon SUnit *UseSU = SSD->getSUnit(MRI.getVRegDef(LoopVal));
2671254f889dSBrendon Cahoon if (!UseSU)
2672254f889dSBrendon Cahoon return true;
2673254f889dSBrendon Cahoon if (UseSU->getInstr()->isPHI())
2674254f889dSBrendon Cahoon return true;
2675254f889dSBrendon Cahoon unsigned LoopCycle = cycleScheduled(UseSU);
2676254f889dSBrendon Cahoon int LoopStage = stageScheduled(UseSU);
26773d8482a8SSimon Pilgrim return (LoopCycle > DefCycle) || (LoopStage <= DefStage);
2678254f889dSBrendon Cahoon }
2679254f889dSBrendon Cahoon
2680254f889dSBrendon Cahoon /// Return true if the instruction is a definition that is loop carried
2681254f889dSBrendon Cahoon /// and defines the use on the next iteration.
2682254f889dSBrendon Cahoon /// v1 = phi(v2, v3)
2683254f889dSBrendon Cahoon /// (Def) v3 = op v1
2684254f889dSBrendon Cahoon /// (MO) = v1
2685254f889dSBrendon Cahoon /// If MO appears before Def, then then v1 and v3 may get assigned to the same
2686254f889dSBrendon Cahoon /// register.
isLoopCarriedDefOfUse(SwingSchedulerDAG * SSD,MachineInstr * Def,MachineOperand & MO)2687254f889dSBrendon Cahoon bool SMSchedule::isLoopCarriedDefOfUse(SwingSchedulerDAG *SSD,
2688254f889dSBrendon Cahoon MachineInstr *Def, MachineOperand &MO) {
2689254f889dSBrendon Cahoon if (!MO.isReg())
2690254f889dSBrendon Cahoon return false;
2691254f889dSBrendon Cahoon if (Def->isPHI())
2692254f889dSBrendon Cahoon return false;
2693254f889dSBrendon Cahoon MachineInstr *Phi = MRI.getVRegDef(MO.getReg());
2694254f889dSBrendon Cahoon if (!Phi || !Phi->isPHI() || Phi->getParent() != Def->getParent())
2695254f889dSBrendon Cahoon return false;
2696254f889dSBrendon Cahoon if (!isLoopCarried(SSD, *Phi))
2697254f889dSBrendon Cahoon return false;
2698254f889dSBrendon Cahoon unsigned LoopReg = getLoopPhiReg(*Phi, Phi->getParent());
2699254f889dSBrendon Cahoon for (unsigned i = 0, e = Def->getNumOperands(); i != e; ++i) {
2700254f889dSBrendon Cahoon MachineOperand &DMO = Def->getOperand(i);
2701254f889dSBrendon Cahoon if (!DMO.isReg() || !DMO.isDef())
2702254f889dSBrendon Cahoon continue;
2703254f889dSBrendon Cahoon if (DMO.getReg() == LoopReg)
2704254f889dSBrendon Cahoon return true;
2705254f889dSBrendon Cahoon }
2706254f889dSBrendon Cahoon return false;
2707254f889dSBrendon Cahoon }
2708254f889dSBrendon Cahoon
2709dcb77643SDavid Penry /// Determine transitive dependences of unpipelineable instructions
computeUnpipelineableNodes(SwingSchedulerDAG * SSD,TargetInstrInfo::PipelinerLoopInfo * PLI)2710dcb77643SDavid Penry SmallSet<SUnit *, 8> SMSchedule::computeUnpipelineableNodes(
2711dcb77643SDavid Penry SwingSchedulerDAG *SSD, TargetInstrInfo::PipelinerLoopInfo *PLI) {
2712dcb77643SDavid Penry SmallSet<SUnit *, 8> DoNotPipeline;
2713dcb77643SDavid Penry SmallVector<SUnit *, 8> Worklist;
2714dcb77643SDavid Penry
2715dcb77643SDavid Penry for (auto &SU : SSD->SUnits)
2716dcb77643SDavid Penry if (SU.isInstr() && PLI->shouldIgnoreForPipelining(SU.getInstr()))
2717dcb77643SDavid Penry Worklist.push_back(&SU);
2718dcb77643SDavid Penry
2719dcb77643SDavid Penry while (!Worklist.empty()) {
2720dcb77643SDavid Penry auto SU = Worklist.pop_back_val();
2721dcb77643SDavid Penry if (DoNotPipeline.count(SU))
2722dcb77643SDavid Penry continue;
2723dcb77643SDavid Penry LLVM_DEBUG(dbgs() << "Do not pipeline SU(" << SU->NodeNum << ")\n");
2724dcb77643SDavid Penry DoNotPipeline.insert(SU);
2725dcb77643SDavid Penry for (auto &Dep : SU->Preds)
2726dcb77643SDavid Penry Worklist.push_back(Dep.getSUnit());
2727dcb77643SDavid Penry if (SU->getInstr()->isPHI())
2728dcb77643SDavid Penry for (auto &Dep : SU->Succs)
2729dcb77643SDavid Penry if (Dep.getKind() == SDep::Anti)
2730dcb77643SDavid Penry Worklist.push_back(Dep.getSUnit());
2731dcb77643SDavid Penry }
2732dcb77643SDavid Penry return DoNotPipeline;
2733dcb77643SDavid Penry }
2734dcb77643SDavid Penry
2735dcb77643SDavid Penry // Determine all instructions upon which any unpipelineable instruction depends
2736dcb77643SDavid Penry // and ensure that they are in stage 0. If unable to do so, return false.
normalizeNonPipelinedInstructions(SwingSchedulerDAG * SSD,TargetInstrInfo::PipelinerLoopInfo * PLI)2737dcb77643SDavid Penry bool SMSchedule::normalizeNonPipelinedInstructions(
2738dcb77643SDavid Penry SwingSchedulerDAG *SSD, TargetInstrInfo::PipelinerLoopInfo *PLI) {
2739dcb77643SDavid Penry SmallSet<SUnit *, 8> DNP = computeUnpipelineableNodes(SSD, PLI);
2740dcb77643SDavid Penry
2741dcb77643SDavid Penry int NewLastCycle = INT_MIN;
2742dcb77643SDavid Penry for (SUnit &SU : SSD->SUnits) {
2743dcb77643SDavid Penry if (!SU.isInstr())
2744dcb77643SDavid Penry continue;
2745dcb77643SDavid Penry if (!DNP.contains(&SU) || stageScheduled(&SU) == 0) {
2746dcb77643SDavid Penry NewLastCycle = std::max(NewLastCycle, InstrToCycle[&SU]);
2747dcb77643SDavid Penry continue;
2748dcb77643SDavid Penry }
2749dcb77643SDavid Penry
2750dcb77643SDavid Penry // Put the non-pipelined instruction as early as possible in the schedule
2751dcb77643SDavid Penry int NewCycle = getFirstCycle();
2752dcb77643SDavid Penry for (auto &Dep : SU.Preds)
2753dcb77643SDavid Penry NewCycle = std::max(InstrToCycle[Dep.getSUnit()], NewCycle);
2754dcb77643SDavid Penry
2755dcb77643SDavid Penry int OldCycle = InstrToCycle[&SU];
2756dcb77643SDavid Penry if (OldCycle != NewCycle) {
2757dcb77643SDavid Penry InstrToCycle[&SU] = NewCycle;
2758dcb77643SDavid Penry auto &OldS = getInstructions(OldCycle);
2759a98965d9SKazu Hirata llvm::erase_value(OldS, &SU);
2760dcb77643SDavid Penry getInstructions(NewCycle).emplace_back(&SU);
2761dcb77643SDavid Penry LLVM_DEBUG(dbgs() << "SU(" << SU.NodeNum
2762dcb77643SDavid Penry << ") is not pipelined; moving from cycle " << OldCycle
2763dcb77643SDavid Penry << " to " << NewCycle << " Instr:" << *SU.getInstr());
2764dcb77643SDavid Penry }
2765dcb77643SDavid Penry NewLastCycle = std::max(NewLastCycle, NewCycle);
2766dcb77643SDavid Penry }
2767dcb77643SDavid Penry LastCycle = NewLastCycle;
2768dcb77643SDavid Penry return true;
2769dcb77643SDavid Penry }
2770dcb77643SDavid Penry
2771254f889dSBrendon Cahoon // Check if the generated schedule is valid. This function checks if
2772254f889dSBrendon Cahoon // an instruction that uses a physical register is scheduled in a
2773254f889dSBrendon Cahoon // different stage than the definition. The pipeliner does not handle
2774254f889dSBrendon Cahoon // physical register values that may cross a basic block boundary.
2775dcb77643SDavid Penry // Furthermore, if a physical def/use pair is assigned to the same
2776dcb77643SDavid Penry // cycle, orderDependence does not guarantee def/use ordering, so that
2777dcb77643SDavid Penry // case should be considered invalid. (The test checks for both
2778dcb77643SDavid Penry // earlier and same-cycle use to be more robust.)
isValidSchedule(SwingSchedulerDAG * SSD)2779254f889dSBrendon Cahoon bool SMSchedule::isValidSchedule(SwingSchedulerDAG *SSD) {
27803279943aSKazu Hirata for (SUnit &SU : SSD->SUnits) {
2781254f889dSBrendon Cahoon if (!SU.hasPhysRegDefs)
2782254f889dSBrendon Cahoon continue;
2783254f889dSBrendon Cahoon int StageDef = stageScheduled(&SU);
2784dcb77643SDavid Penry int CycleDef = InstrToCycle[&SU];
2785254f889dSBrendon Cahoon assert(StageDef != -1 && "Instruction should have been scheduled.");
2786254f889dSBrendon Cahoon for (auto &SI : SU.Succs)
2787dcb77643SDavid Penry if (SI.isAssignedRegDep() && !SI.getSUnit()->isBoundaryNode())
2788dcb77643SDavid Penry if (Register::isPhysicalRegister(SI.getReg())) {
2789254f889dSBrendon Cahoon if (stageScheduled(SI.getSUnit()) != StageDef)
2790254f889dSBrendon Cahoon return false;
2791dcb77643SDavid Penry if (InstrToCycle[SI.getSUnit()] <= CycleDef)
2792dcb77643SDavid Penry return false;
2793dcb77643SDavid Penry }
2794254f889dSBrendon Cahoon }
2795254f889dSBrendon Cahoon return true;
2796254f889dSBrendon Cahoon }
2797254f889dSBrendon Cahoon
27984b8bcf00SRoorda, Jan-Willem /// A property of the node order in swing-modulo-scheduling is
27994b8bcf00SRoorda, Jan-Willem /// that for nodes outside circuits the following holds:
28004b8bcf00SRoorda, Jan-Willem /// none of them is scheduled after both a successor and a
28014b8bcf00SRoorda, Jan-Willem /// predecessor.
28024b8bcf00SRoorda, Jan-Willem /// The method below checks whether the property is met.
28034b8bcf00SRoorda, Jan-Willem /// If not, debug information is printed and statistics information updated.
28044b8bcf00SRoorda, Jan-Willem /// Note that we do not use an assert statement.
28054b8bcf00SRoorda, Jan-Willem /// The reason is that although an invalid node oder may prevent
28064b8bcf00SRoorda, Jan-Willem /// the pipeliner from finding a pipelined schedule for arbitrary II,
28074b8bcf00SRoorda, Jan-Willem /// it does not lead to the generation of incorrect code.
checkValidNodeOrder(const NodeSetType & Circuits) const28084b8bcf00SRoorda, Jan-Willem void SwingSchedulerDAG::checkValidNodeOrder(const NodeSetType &Circuits) const {
28094b8bcf00SRoorda, Jan-Willem
28104b8bcf00SRoorda, Jan-Willem // a sorted vector that maps each SUnit to its index in the NodeOrder
28114b8bcf00SRoorda, Jan-Willem typedef std::pair<SUnit *, unsigned> UnitIndex;
28124b8bcf00SRoorda, Jan-Willem std::vector<UnitIndex> Indices(NodeOrder.size(), std::make_pair(nullptr, 0));
28134b8bcf00SRoorda, Jan-Willem
28144b8bcf00SRoorda, Jan-Willem for (unsigned i = 0, s = NodeOrder.size(); i < s; ++i)
28154b8bcf00SRoorda, Jan-Willem Indices.push_back(std::make_pair(NodeOrder[i], i));
28164b8bcf00SRoorda, Jan-Willem
28174b8bcf00SRoorda, Jan-Willem auto CompareKey = [](UnitIndex i1, UnitIndex i2) {
28184b8bcf00SRoorda, Jan-Willem return std::get<0>(i1) < std::get<0>(i2);
28194b8bcf00SRoorda, Jan-Willem };
28204b8bcf00SRoorda, Jan-Willem
28214b8bcf00SRoorda, Jan-Willem // sort, so that we can perform a binary search
28220cac726aSFangrui Song llvm::sort(Indices, CompareKey);
28234b8bcf00SRoorda, Jan-Willem
28244b8bcf00SRoorda, Jan-Willem bool Valid = true;
2825febf70a9SDavid L Kreitzer (void)Valid;
28264b8bcf00SRoorda, Jan-Willem // for each SUnit in the NodeOrder, check whether
28274b8bcf00SRoorda, Jan-Willem // it appears after both a successor and a predecessor
28284b8bcf00SRoorda, Jan-Willem // of the SUnit. If this is the case, and the SUnit
28294b8bcf00SRoorda, Jan-Willem // is not part of circuit, then the NodeOrder is not
28304b8bcf00SRoorda, Jan-Willem // valid.
28314b8bcf00SRoorda, Jan-Willem for (unsigned i = 0, s = NodeOrder.size(); i < s; ++i) {
28324b8bcf00SRoorda, Jan-Willem SUnit *SU = NodeOrder[i];
28334b8bcf00SRoorda, Jan-Willem unsigned Index = i;
28344b8bcf00SRoorda, Jan-Willem
28354b8bcf00SRoorda, Jan-Willem bool PredBefore = false;
28364b8bcf00SRoorda, Jan-Willem bool SuccBefore = false;
28374b8bcf00SRoorda, Jan-Willem
28384b8bcf00SRoorda, Jan-Willem SUnit *Succ;
28394b8bcf00SRoorda, Jan-Willem SUnit *Pred;
2840febf70a9SDavid L Kreitzer (void)Succ;
2841febf70a9SDavid L Kreitzer (void)Pred;
28424b8bcf00SRoorda, Jan-Willem
28434b8bcf00SRoorda, Jan-Willem for (SDep &PredEdge : SU->Preds) {
28444b8bcf00SRoorda, Jan-Willem SUnit *PredSU = PredEdge.getSUnit();
2845dc8de603SFangrui Song unsigned PredIndex = std::get<1>(
2846dc8de603SFangrui Song *llvm::lower_bound(Indices, std::make_pair(PredSU, 0), CompareKey));
28474b8bcf00SRoorda, Jan-Willem if (!PredSU->getInstr()->isPHI() && PredIndex < Index) {
28484b8bcf00SRoorda, Jan-Willem PredBefore = true;
28494b8bcf00SRoorda, Jan-Willem Pred = PredSU;
28504b8bcf00SRoorda, Jan-Willem break;
28514b8bcf00SRoorda, Jan-Willem }
28524b8bcf00SRoorda, Jan-Willem }
28534b8bcf00SRoorda, Jan-Willem
28544b8bcf00SRoorda, Jan-Willem for (SDep &SuccEdge : SU->Succs) {
28554b8bcf00SRoorda, Jan-Willem SUnit *SuccSU = SuccEdge.getSUnit();
28561c884458SJinsong Ji // Do not process a boundary node, it was not included in NodeOrder,
28571c884458SJinsong Ji // hence not in Indices either, call to std::lower_bound() below will
28581c884458SJinsong Ji // return Indices.end().
28591c884458SJinsong Ji if (SuccSU->isBoundaryNode())
28601c884458SJinsong Ji continue;
2861dc8de603SFangrui Song unsigned SuccIndex = std::get<1>(
2862dc8de603SFangrui Song *llvm::lower_bound(Indices, std::make_pair(SuccSU, 0), CompareKey));
28634b8bcf00SRoorda, Jan-Willem if (!SuccSU->getInstr()->isPHI() && SuccIndex < Index) {
28644b8bcf00SRoorda, Jan-Willem SuccBefore = true;
28654b8bcf00SRoorda, Jan-Willem Succ = SuccSU;
28664b8bcf00SRoorda, Jan-Willem break;
28674b8bcf00SRoorda, Jan-Willem }
28684b8bcf00SRoorda, Jan-Willem }
28694b8bcf00SRoorda, Jan-Willem
28704b8bcf00SRoorda, Jan-Willem if (PredBefore && SuccBefore && !SU->getInstr()->isPHI()) {
28714b8bcf00SRoorda, Jan-Willem // instructions in circuits are allowed to be scheduled
28724b8bcf00SRoorda, Jan-Willem // after both a successor and predecessor.
2873dc8de603SFangrui Song bool InCircuit = llvm::any_of(
2874dc8de603SFangrui Song Circuits, [SU](const NodeSet &Circuit) { return Circuit.count(SU); });
28754b8bcf00SRoorda, Jan-Willem if (InCircuit)
2876d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "In a circuit, predecessor ";);
28774b8bcf00SRoorda, Jan-Willem else {
28784b8bcf00SRoorda, Jan-Willem Valid = false;
28794b8bcf00SRoorda, Jan-Willem NumNodeOrderIssues++;
2880d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << "Predecessor ";);
28814b8bcf00SRoorda, Jan-Willem }
2882d34e60caSNicola Zaghen LLVM_DEBUG(dbgs() << Pred->NodeNum << " and successor " << Succ->NodeNum
2883d34e60caSNicola Zaghen << " are scheduled before node " << SU->NodeNum
2884d34e60caSNicola Zaghen << "\n";);
28854b8bcf00SRoorda, Jan-Willem }
28864b8bcf00SRoorda, Jan-Willem }
28874b8bcf00SRoorda, Jan-Willem
2888d34e60caSNicola Zaghen LLVM_DEBUG({
28894b8bcf00SRoorda, Jan-Willem if (!Valid)
28904b8bcf00SRoorda, Jan-Willem dbgs() << "Invalid node order found!\n";
28914b8bcf00SRoorda, Jan-Willem });
28924b8bcf00SRoorda, Jan-Willem }
28934b8bcf00SRoorda, Jan-Willem
28948f174ddeSKrzysztof Parzyszek /// Attempt to fix the degenerate cases when the instruction serialization
28958f174ddeSKrzysztof Parzyszek /// causes the register lifetimes to overlap. For example,
28968f174ddeSKrzysztof Parzyszek /// p' = store_pi(p, b)
28978f174ddeSKrzysztof Parzyszek /// = load p, offset
28988f174ddeSKrzysztof Parzyszek /// In this case p and p' overlap, which means that two registers are needed.
28998f174ddeSKrzysztof Parzyszek /// Instead, this function changes the load to use p' and updates the offset.
fixupRegisterOverlaps(std::deque<SUnit * > & Instrs)29008f174ddeSKrzysztof Parzyszek void SwingSchedulerDAG::fixupRegisterOverlaps(std::deque<SUnit *> &Instrs) {
29018f174ddeSKrzysztof Parzyszek unsigned OverlapReg = 0;
29028f174ddeSKrzysztof Parzyszek unsigned NewBaseReg = 0;
29038f174ddeSKrzysztof Parzyszek for (SUnit *SU : Instrs) {
29048f174ddeSKrzysztof Parzyszek MachineInstr *MI = SU->getInstr();
29058f174ddeSKrzysztof Parzyszek for (unsigned i = 0, e = MI->getNumOperands(); i < e; ++i) {
29068f174ddeSKrzysztof Parzyszek const MachineOperand &MO = MI->getOperand(i);
29078f174ddeSKrzysztof Parzyszek // Look for an instruction that uses p. The instruction occurs in the
29088f174ddeSKrzysztof Parzyszek // same cycle but occurs later in the serialized order.
29098f174ddeSKrzysztof Parzyszek if (MO.isReg() && MO.isUse() && MO.getReg() == OverlapReg) {
29108f174ddeSKrzysztof Parzyszek // Check that the instruction appears in the InstrChanges structure,
29118f174ddeSKrzysztof Parzyszek // which contains instructions that can have the offset updated.
29128f174ddeSKrzysztof Parzyszek DenseMap<SUnit *, std::pair<unsigned, int64_t>>::iterator It =
29138f174ddeSKrzysztof Parzyszek InstrChanges.find(SU);
29148f174ddeSKrzysztof Parzyszek if (It != InstrChanges.end()) {
29158f174ddeSKrzysztof Parzyszek unsigned BasePos, OffsetPos;
29168f174ddeSKrzysztof Parzyszek // Update the base register and adjust the offset.
29178f174ddeSKrzysztof Parzyszek if (TII->getBaseAndOffsetPosition(*MI, BasePos, OffsetPos)) {
291812bdcab5SKrzysztof Parzyszek MachineInstr *NewMI = MF.CloneMachineInstr(MI);
291912bdcab5SKrzysztof Parzyszek NewMI->getOperand(BasePos).setReg(NewBaseReg);
292012bdcab5SKrzysztof Parzyszek int64_t NewOffset =
292112bdcab5SKrzysztof Parzyszek MI->getOperand(OffsetPos).getImm() - It->second.second;
292212bdcab5SKrzysztof Parzyszek NewMI->getOperand(OffsetPos).setImm(NewOffset);
292312bdcab5SKrzysztof Parzyszek SU->setInstr(NewMI);
292412bdcab5SKrzysztof Parzyszek MISUnitMap[NewMI] = SU;
2925790a779fSJames Molloy NewMIs[MI] = NewMI;
29268f174ddeSKrzysztof Parzyszek }
29278f174ddeSKrzysztof Parzyszek }
29288f174ddeSKrzysztof Parzyszek OverlapReg = 0;
29298f174ddeSKrzysztof Parzyszek NewBaseReg = 0;
29308f174ddeSKrzysztof Parzyszek break;
29318f174ddeSKrzysztof Parzyszek }
29328f174ddeSKrzysztof Parzyszek // Look for an instruction of the form p' = op(p), which uses and defines
29338f174ddeSKrzysztof Parzyszek // two virtual registers that get allocated to the same physical register.
29348f174ddeSKrzysztof Parzyszek unsigned TiedUseIdx = 0;
29358f174ddeSKrzysztof Parzyszek if (MI->isRegTiedToUseOperand(i, &TiedUseIdx)) {
29368f174ddeSKrzysztof Parzyszek // OverlapReg is p in the example above.
29378f174ddeSKrzysztof Parzyszek OverlapReg = MI->getOperand(TiedUseIdx).getReg();
29388f174ddeSKrzysztof Parzyszek // NewBaseReg is p' in the example above.
29398f174ddeSKrzysztof Parzyszek NewBaseReg = MI->getOperand(i).getReg();
29408f174ddeSKrzysztof Parzyszek break;
29418f174ddeSKrzysztof Parzyszek }
29428f174ddeSKrzysztof Parzyszek }
29438f174ddeSKrzysztof Parzyszek }
29448f174ddeSKrzysztof Parzyszek }
29458f174ddeSKrzysztof Parzyszek
2946254f889dSBrendon Cahoon /// After the schedule has been formed, call this function to combine
2947254f889dSBrendon Cahoon /// the instructions from the different stages/cycles. That is, this
2948254f889dSBrendon Cahoon /// function creates a schedule that represents a single iteration.
finalizeSchedule(SwingSchedulerDAG * SSD)2949254f889dSBrendon Cahoon void SMSchedule::finalizeSchedule(SwingSchedulerDAG *SSD) {
2950254f889dSBrendon Cahoon // Move all instructions to the first stage from later stages.
2951254f889dSBrendon Cahoon for (int cycle = getFirstCycle(); cycle <= getFinalCycle(); ++cycle) {
2952254f889dSBrendon Cahoon for (int stage = 1, lastStage = getMaxStageCount(); stage <= lastStage;
2953254f889dSBrendon Cahoon ++stage) {
2954254f889dSBrendon Cahoon std::deque<SUnit *> &cycleInstrs =
2955254f889dSBrendon Cahoon ScheduledInstrs[cycle + (stage * InitiationInterval)];
2956bb6447a7SKazu Hirata for (SUnit *SU : llvm::reverse(cycleInstrs))
2957bb6447a7SKazu Hirata ScheduledInstrs[cycle].push_front(SU);
2958254f889dSBrendon Cahoon }
2959254f889dSBrendon Cahoon }
2960254f889dSBrendon Cahoon
2961254f889dSBrendon Cahoon // Erase all the elements in the later stages. Only one iteration should
2962254f889dSBrendon Cahoon // remain in the scheduled list, and it contains all the instructions.
2963254f889dSBrendon Cahoon for (int cycle = getFinalCycle() + 1; cycle <= LastCycle; ++cycle)
2964254f889dSBrendon Cahoon ScheduledInstrs.erase(cycle);
2965254f889dSBrendon Cahoon
2966254f889dSBrendon Cahoon // Change the registers in instruction as specified in the InstrChanges
2967254f889dSBrendon Cahoon // map. We need to use the new registers to create the correct order.
2968ca2f5389SKazu Hirata for (const SUnit &SU : SSD->SUnits)
2969ca2f5389SKazu Hirata SSD->applyInstrChange(SU.getInstr(), *this);
2970254f889dSBrendon Cahoon
2971254f889dSBrendon Cahoon // Reorder the instructions in each cycle to fix and improve the
2972254f889dSBrendon Cahoon // generated code.
2973254f889dSBrendon Cahoon for (int Cycle = getFirstCycle(), E = getFinalCycle(); Cycle <= E; ++Cycle) {
2974254f889dSBrendon Cahoon std::deque<SUnit *> &cycleInstrs = ScheduledInstrs[Cycle];
2975f13bbf1dSKrzysztof Parzyszek std::deque<SUnit *> newOrderPhi;
29763279943aSKazu Hirata for (SUnit *SU : cycleInstrs) {
2977f13bbf1dSKrzysztof Parzyszek if (SU->getInstr()->isPHI())
2978f13bbf1dSKrzysztof Parzyszek newOrderPhi.push_back(SU);
2979254f889dSBrendon Cahoon }
2980254f889dSBrendon Cahoon std::deque<SUnit *> newOrderI;
29813279943aSKazu Hirata for (SUnit *SU : cycleInstrs) {
2982f13bbf1dSKrzysztof Parzyszek if (!SU->getInstr()->isPHI())
2983254f889dSBrendon Cahoon orderDependence(SSD, SU, newOrderI);
2984254f889dSBrendon Cahoon }
2985254f889dSBrendon Cahoon // Replace the old order with the new order.
2986f13bbf1dSKrzysztof Parzyszek cycleInstrs.swap(newOrderPhi);
29871e3ed091SKazu Hirata llvm::append_range(cycleInstrs, newOrderI);
29888f174ddeSKrzysztof Parzyszek SSD->fixupRegisterOverlaps(cycleInstrs);
2989254f889dSBrendon Cahoon }
2990254f889dSBrendon Cahoon
2991d34e60caSNicola Zaghen LLVM_DEBUG(dump(););
2992254f889dSBrendon Cahoon }
2993254f889dSBrendon Cahoon
print(raw_ostream & os) const2994fa2e3583SAdrian Prantl void NodeSet::print(raw_ostream &os) const {
2995fa2e3583SAdrian Prantl os << "Num nodes " << size() << " rec " << RecMII << " mov " << MaxMOV
2996fa2e3583SAdrian Prantl << " depth " << MaxDepth << " col " << Colocate << "\n";
2997fa2e3583SAdrian Prantl for (const auto &I : Nodes)
2998fa2e3583SAdrian Prantl os << " SU(" << I->NodeNum << ") " << *(I->getInstr());
2999fa2e3583SAdrian Prantl os << "\n";
3000fa2e3583SAdrian Prantl }
3001fa2e3583SAdrian Prantl
3002615eb470SAaron Ballman #if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
3003254f889dSBrendon Cahoon /// Print the schedule information to the given output.
print(raw_ostream & os) const3004254f889dSBrendon Cahoon void SMSchedule::print(raw_ostream &os) const {
3005254f889dSBrendon Cahoon // Iterate over each cycle.
3006254f889dSBrendon Cahoon for (int cycle = getFirstCycle(); cycle <= getFinalCycle(); ++cycle) {
3007254f889dSBrendon Cahoon // Iterate over each instruction in the cycle.
3008254f889dSBrendon Cahoon const_sched_iterator cycleInstrs = ScheduledInstrs.find(cycle);
3009254f889dSBrendon Cahoon for (SUnit *CI : cycleInstrs->second) {
3010254f889dSBrendon Cahoon os << "cycle " << cycle << " (" << stageScheduled(CI) << ") ";
3011254f889dSBrendon Cahoon os << "(" << CI->NodeNum << ") ";
3012254f889dSBrendon Cahoon CI->getInstr()->print(os);
3013254f889dSBrendon Cahoon os << "\n";
3014254f889dSBrendon Cahoon }
3015254f889dSBrendon Cahoon }
3016254f889dSBrendon Cahoon }
3017254f889dSBrendon Cahoon
3018254f889dSBrendon Cahoon /// Utility function used for debugging to print the schedule.
dump() const30198c209aa8SMatthias Braun LLVM_DUMP_METHOD void SMSchedule::dump() const { print(dbgs()); }
dump() const3020fa2e3583SAdrian Prantl LLVM_DUMP_METHOD void NodeSet::dump() const { print(dbgs()); }
3021fa2e3583SAdrian Prantl
30228c209aa8SMatthias Braun #endif
3023fa2e3583SAdrian Prantl
initProcResourceVectors(const MCSchedModel & SM,SmallVectorImpl<uint64_t> & Masks)3024f6cb3bcbSJinsong Ji void ResourceManager::initProcResourceVectors(
3025f6cb3bcbSJinsong Ji const MCSchedModel &SM, SmallVectorImpl<uint64_t> &Masks) {
3026f6cb3bcbSJinsong Ji unsigned ProcResourceID = 0;
3027fa2e3583SAdrian Prantl
3028f6cb3bcbSJinsong Ji // We currently limit the resource kinds to 64 and below so that we can use
3029f6cb3bcbSJinsong Ji // uint64_t for Masks
3030f6cb3bcbSJinsong Ji assert(SM.getNumProcResourceKinds() < 64 &&
3031f6cb3bcbSJinsong Ji "Too many kinds of resources, unsupported");
3032f6cb3bcbSJinsong Ji // Create a unique bitmask for every processor resource unit.
3033f6cb3bcbSJinsong Ji // Skip resource at index 0, since it always references 'InvalidUnit'.
3034f6cb3bcbSJinsong Ji Masks.resize(SM.getNumProcResourceKinds());
3035f6cb3bcbSJinsong Ji for (unsigned I = 1, E = SM.getNumProcResourceKinds(); I < E; ++I) {
3036f6cb3bcbSJinsong Ji const MCProcResourceDesc &Desc = *SM.getProcResource(I);
3037f6cb3bcbSJinsong Ji if (Desc.SubUnitsIdxBegin)
3038f6cb3bcbSJinsong Ji continue;
3039f6cb3bcbSJinsong Ji Masks[I] = 1ULL << ProcResourceID;
3040f6cb3bcbSJinsong Ji ProcResourceID++;
3041f6cb3bcbSJinsong Ji }
3042f6cb3bcbSJinsong Ji // Create a unique bitmask for every processor resource group.
3043f6cb3bcbSJinsong Ji for (unsigned I = 1, E = SM.getNumProcResourceKinds(); I < E; ++I) {
3044f6cb3bcbSJinsong Ji const MCProcResourceDesc &Desc = *SM.getProcResource(I);
3045f6cb3bcbSJinsong Ji if (!Desc.SubUnitsIdxBegin)
3046f6cb3bcbSJinsong Ji continue;
3047f6cb3bcbSJinsong Ji Masks[I] = 1ULL << ProcResourceID;
3048f6cb3bcbSJinsong Ji for (unsigned U = 0; U < Desc.NumUnits; ++U)
3049f6cb3bcbSJinsong Ji Masks[I] |= Masks[Desc.SubUnitsIdxBegin[U]];
3050f6cb3bcbSJinsong Ji ProcResourceID++;
3051f6cb3bcbSJinsong Ji }
3052f6cb3bcbSJinsong Ji LLVM_DEBUG({
3053ba43840bSJinsong Ji if (SwpShowResMask) {
3054f6cb3bcbSJinsong Ji dbgs() << "ProcResourceDesc:\n";
3055f6cb3bcbSJinsong Ji for (unsigned I = 1, E = SM.getNumProcResourceKinds(); I < E; ++I) {
3056f6cb3bcbSJinsong Ji const MCProcResourceDesc *ProcResource = SM.getProcResource(I);
3057f6cb3bcbSJinsong Ji dbgs() << format(" %16s(%2d): Mask: 0x%08x, NumUnits:%2d\n",
3058ba43840bSJinsong Ji ProcResource->Name, I, Masks[I],
3059ba43840bSJinsong Ji ProcResource->NumUnits);
3060f6cb3bcbSJinsong Ji }
3061f6cb3bcbSJinsong Ji dbgs() << " -----------------\n";
3062ba43840bSJinsong Ji }
3063f6cb3bcbSJinsong Ji });
3064f6cb3bcbSJinsong Ji }
3065f6cb3bcbSJinsong Ji
canReserveResources(const MCInstrDesc * MID) const3066f6cb3bcbSJinsong Ji bool ResourceManager::canReserveResources(const MCInstrDesc *MID) const {
3067f6cb3bcbSJinsong Ji
3068ba43840bSJinsong Ji LLVM_DEBUG({
3069ba43840bSJinsong Ji if (SwpDebugResource)
3070ba43840bSJinsong Ji dbgs() << "canReserveResources:\n";
3071ba43840bSJinsong Ji });
3072f6cb3bcbSJinsong Ji if (UseDFA)
3073f6cb3bcbSJinsong Ji return DFAResources->canReserveResources(MID);
3074f6cb3bcbSJinsong Ji
3075f6cb3bcbSJinsong Ji unsigned InsnClass = MID->getSchedClass();
3076f6cb3bcbSJinsong Ji const MCSchedClassDesc *SCDesc = SM.getSchedClassDesc(InsnClass);
3077f6cb3bcbSJinsong Ji if (!SCDesc->isValid()) {
3078f6cb3bcbSJinsong Ji LLVM_DEBUG({
3079f6cb3bcbSJinsong Ji dbgs() << "No valid Schedule Class Desc for schedClass!\n";
308067c14d5cSThomas Preud'homme dbgs() << "isPseudo:" << MID->isPseudo() << "\n";
3081f6cb3bcbSJinsong Ji });
3082f6cb3bcbSJinsong Ji return true;
3083f6cb3bcbSJinsong Ji }
3084f6cb3bcbSJinsong Ji
3085f6cb3bcbSJinsong Ji const MCWriteProcResEntry *I = STI->getWriteProcResBegin(SCDesc);
3086f6cb3bcbSJinsong Ji const MCWriteProcResEntry *E = STI->getWriteProcResEnd(SCDesc);
3087f6cb3bcbSJinsong Ji for (; I != E; ++I) {
3088f6cb3bcbSJinsong Ji if (!I->Cycles)
3089f6cb3bcbSJinsong Ji continue;
3090f6cb3bcbSJinsong Ji const MCProcResourceDesc *ProcResource =
3091f6cb3bcbSJinsong Ji SM.getProcResource(I->ProcResourceIdx);
3092f6cb3bcbSJinsong Ji unsigned NumUnits = ProcResource->NumUnits;
3093f6cb3bcbSJinsong Ji LLVM_DEBUG({
3094ba43840bSJinsong Ji if (SwpDebugResource)
3095f6cb3bcbSJinsong Ji dbgs() << format(" %16s(%2d): Count: %2d, NumUnits:%2d, Cycles:%2d\n",
3096f6cb3bcbSJinsong Ji ProcResource->Name, I->ProcResourceIdx,
3097f6cb3bcbSJinsong Ji ProcResourceCount[I->ProcResourceIdx], NumUnits,
3098f6cb3bcbSJinsong Ji I->Cycles);
3099f6cb3bcbSJinsong Ji });
3100f6cb3bcbSJinsong Ji if (ProcResourceCount[I->ProcResourceIdx] >= NumUnits)
3101f6cb3bcbSJinsong Ji return false;
3102f6cb3bcbSJinsong Ji }
3103ba43840bSJinsong Ji LLVM_DEBUG(if (SwpDebugResource) dbgs() << "return true\n\n";);
3104f6cb3bcbSJinsong Ji return true;
3105f6cb3bcbSJinsong Ji }
3106f6cb3bcbSJinsong Ji
reserveResources(const MCInstrDesc * MID)3107f6cb3bcbSJinsong Ji void ResourceManager::reserveResources(const MCInstrDesc *MID) {
3108ba43840bSJinsong Ji LLVM_DEBUG({
3109ba43840bSJinsong Ji if (SwpDebugResource)
3110ba43840bSJinsong Ji dbgs() << "reserveResources:\n";
3111ba43840bSJinsong Ji });
3112f6cb3bcbSJinsong Ji if (UseDFA)
3113f6cb3bcbSJinsong Ji return DFAResources->reserveResources(MID);
3114f6cb3bcbSJinsong Ji
3115f6cb3bcbSJinsong Ji unsigned InsnClass = MID->getSchedClass();
3116f6cb3bcbSJinsong Ji const MCSchedClassDesc *SCDesc = SM.getSchedClassDesc(InsnClass);
3117f6cb3bcbSJinsong Ji if (!SCDesc->isValid()) {
3118f6cb3bcbSJinsong Ji LLVM_DEBUG({
3119f6cb3bcbSJinsong Ji dbgs() << "No valid Schedule Class Desc for schedClass!\n";
312067c14d5cSThomas Preud'homme dbgs() << "isPseudo:" << MID->isPseudo() << "\n";
3121f6cb3bcbSJinsong Ji });
3122f6cb3bcbSJinsong Ji return;
3123f6cb3bcbSJinsong Ji }
3124f6cb3bcbSJinsong Ji for (const MCWriteProcResEntry &PRE :
3125f6cb3bcbSJinsong Ji make_range(STI->getWriteProcResBegin(SCDesc),
3126f6cb3bcbSJinsong Ji STI->getWriteProcResEnd(SCDesc))) {
3127f6cb3bcbSJinsong Ji if (!PRE.Cycles)
3128f6cb3bcbSJinsong Ji continue;
3129f6cb3bcbSJinsong Ji ++ProcResourceCount[PRE.ProcResourceIdx];
3130f6cb3bcbSJinsong Ji LLVM_DEBUG({
3131ba43840bSJinsong Ji if (SwpDebugResource) {
3132c77aff7eSRichard Trieu const MCProcResourceDesc *ProcResource =
3133c77aff7eSRichard Trieu SM.getProcResource(PRE.ProcResourceIdx);
3134f6cb3bcbSJinsong Ji dbgs() << format(" %16s(%2d): Count: %2d, NumUnits:%2d, Cycles:%2d\n",
3135f6cb3bcbSJinsong Ji ProcResource->Name, PRE.ProcResourceIdx,
3136e8698eadSRichard Trieu ProcResourceCount[PRE.ProcResourceIdx],
3137e8698eadSRichard Trieu ProcResource->NumUnits, PRE.Cycles);
3138ba43840bSJinsong Ji }
3139f6cb3bcbSJinsong Ji });
3140f6cb3bcbSJinsong Ji }
3141ba43840bSJinsong Ji LLVM_DEBUG({
3142ba43840bSJinsong Ji if (SwpDebugResource)
3143ba43840bSJinsong Ji dbgs() << "reserveResources: done!\n\n";
3144ba43840bSJinsong Ji });
3145f6cb3bcbSJinsong Ji }
3146f6cb3bcbSJinsong Ji
canReserveResources(const MachineInstr & MI) const3147f6cb3bcbSJinsong Ji bool ResourceManager::canReserveResources(const MachineInstr &MI) const {
3148f6cb3bcbSJinsong Ji return canReserveResources(&MI.getDesc());
3149f6cb3bcbSJinsong Ji }
3150f6cb3bcbSJinsong Ji
reserveResources(const MachineInstr & MI)3151f6cb3bcbSJinsong Ji void ResourceManager::reserveResources(const MachineInstr &MI) {
3152f6cb3bcbSJinsong Ji return reserveResources(&MI.getDesc());
3153f6cb3bcbSJinsong Ji }
3154f6cb3bcbSJinsong Ji
clearResources()3155f6cb3bcbSJinsong Ji void ResourceManager::clearResources() {
3156f6cb3bcbSJinsong Ji if (UseDFA)
3157f6cb3bcbSJinsong Ji return DFAResources->clearResources();
3158f6cb3bcbSJinsong Ji std::fill(ProcResourceCount.begin(), ProcResourceCount.end(), 0);
3159f6cb3bcbSJinsong Ji }
3160