xref: /llvm-project/llvm/lib/CodeGen/MachineScheduler.cpp (revision 7ccdc5c192924f6437f664c43b315b6d6b725c80)
1 //===- MachineScheduler.cpp - Machine Instruction Scheduler ---------------===//
2 //
3 //                     The LLVM Compiler Infrastructure
4 //
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
7 //
8 //===----------------------------------------------------------------------===//
9 //
10 // MachineScheduler schedules machine instructions after phi elimination. It
11 // preserves LiveIntervals so it can be invoked before register allocation.
12 //
13 //===----------------------------------------------------------------------===//
14 
15 #define DEBUG_TYPE "misched"
16 
17 #include "ScheduleDAGInstrs.h"
18 #include "LiveDebugVariables.h"
19 #include "llvm/CodeGen/LiveIntervalAnalysis.h"
20 #include "llvm/CodeGen/MachinePassRegistry.h"
21 #include "llvm/CodeGen/Passes.h"
22 #include "llvm/Analysis/AliasAnalysis.h"
23 #include "llvm/Target/TargetInstrInfo.h"
24 #include "llvm/Support/CommandLine.h"
25 #include "llvm/Support/Debug.h"
26 #include "llvm/Support/ErrorHandling.h"
27 #include "llvm/Support/raw_ostream.h"
28 #include "llvm/ADT/OwningPtr.h"
29 
30 #include <queue>
31 
32 using namespace llvm;
33 
34 //===----------------------------------------------------------------------===//
35 // Machine Instruction Scheduling Pass and Registry
36 //===----------------------------------------------------------------------===//
37 
38 namespace {
39 /// MachineScheduler runs after coalescing and before register allocation.
40 class MachineScheduler : public MachineFunctionPass {
41 public:
42   MachineFunction *MF;
43   const TargetInstrInfo *TII;
44   const MachineLoopInfo *MLI;
45   const MachineDominatorTree *MDT;
46 
47   MachineScheduler();
48 
49   virtual void getAnalysisUsage(AnalysisUsage &AU) const;
50 
51   virtual void releaseMemory() {}
52 
53   virtual bool runOnMachineFunction(MachineFunction&);
54 
55   virtual void print(raw_ostream &O, const Module* = 0) const;
56 
57   static char ID; // Class identification, replacement for typeinfo
58 };
59 } // namespace
60 
61 char MachineScheduler::ID = 0;
62 
63 char &llvm::MachineSchedulerID = MachineScheduler::ID;
64 
65 INITIALIZE_PASS_BEGIN(MachineScheduler, "misched",
66                       "Machine Instruction Scheduler", false, false)
67 INITIALIZE_AG_DEPENDENCY(AliasAnalysis)
68 INITIALIZE_PASS_DEPENDENCY(SlotIndexes)
69 INITIALIZE_PASS_DEPENDENCY(LiveIntervals)
70 INITIALIZE_PASS_DEPENDENCY(LiveDebugVariables)
71 INITIALIZE_PASS_DEPENDENCY(StrongPHIElimination)
72 INITIALIZE_PASS_DEPENDENCY(RegisterCoalescer)
73 INITIALIZE_PASS_END(MachineScheduler, "misched",
74                     "Machine Instruction Scheduler", false, false)
75 
76 MachineScheduler::MachineScheduler()
77 : MachineFunctionPass(ID), MF(0), MLI(0), MDT(0) {
78   initializeMachineSchedulerPass(*PassRegistry::getPassRegistry());
79 }
80 
81 void MachineScheduler::getAnalysisUsage(AnalysisUsage &AU) const {
82   AU.setPreservesCFG();
83   AU.addRequiredID(MachineDominatorsID);
84   AU.addRequired<MachineLoopInfo>();
85   AU.addRequired<AliasAnalysis>();
86   AU.addPreserved<AliasAnalysis>();
87   AU.addRequired<SlotIndexes>();
88   AU.addPreserved<SlotIndexes>();
89   AU.addRequired<LiveIntervals>();
90   AU.addPreserved<LiveIntervals>();
91   AU.addRequired<LiveDebugVariables>();
92   AU.addPreserved<LiveDebugVariables>();
93   if (StrongPHIElim) {
94     AU.addRequiredID(StrongPHIEliminationID);
95     AU.addPreservedID(StrongPHIEliminationID);
96   }
97   AU.addRequiredID(RegisterCoalescerPassID);
98   AU.addPreservedID(RegisterCoalescerPassID);
99   MachineFunctionPass::getAnalysisUsage(AU);
100 }
101 
102 namespace {
103 /// MachineSchedRegistry provides a selection of available machine instruction
104 /// schedulers.
105 class MachineSchedRegistry : public MachinePassRegistryNode {
106 public:
107   typedef ScheduleDAGInstrs *(*ScheduleDAGCtor)(MachineScheduler *);
108 
109   // RegisterPassParser requires a (misnamed) FunctionPassCtor type.
110   typedef ScheduleDAGCtor FunctionPassCtor;
111 
112   static MachinePassRegistry Registry;
113 
114   MachineSchedRegistry(const char *N, const char *D, ScheduleDAGCtor C)
115     : MachinePassRegistryNode(N, D, (MachinePassCtor)C) {
116     Registry.Add(this);
117   }
118   ~MachineSchedRegistry() { Registry.Remove(this); }
119 
120   // Accessors.
121   //
122   MachineSchedRegistry *getNext() const {
123     return (MachineSchedRegistry *)MachinePassRegistryNode::getNext();
124   }
125   static MachineSchedRegistry *getList() {
126     return (MachineSchedRegistry *)Registry.getList();
127   }
128   static ScheduleDAGCtor getDefault() {
129     return (ScheduleDAGCtor)Registry.getDefault();
130   }
131   static void setDefault(ScheduleDAGCtor C) {
132     Registry.setDefault((MachinePassCtor)C);
133   }
134   static void setListener(MachinePassRegistryListener *L) {
135     Registry.setListener(L);
136   }
137 };
138 } // namespace
139 
140 MachinePassRegistry MachineSchedRegistry::Registry;
141 
142 static ScheduleDAGInstrs *createDefaultMachineSched(MachineScheduler *P);
143 
144 /// MachineSchedOpt allows command line selection of the scheduler.
145 static cl::opt<MachineSchedRegistry::ScheduleDAGCtor, false,
146                RegisterPassParser<MachineSchedRegistry> >
147 MachineSchedOpt("misched",
148                 cl::init(&createDefaultMachineSched), cl::Hidden,
149                 cl::desc("Machine instruction scheduler to use"));
150 
151 //===----------------------------------------------------------------------===//
152 // Machine Instruction Scheduling Common Implementation
153 //===----------------------------------------------------------------------===//
154 
155 namespace {
156 /// MachineScheduler is an implementation of ScheduleDAGInstrs that schedules
157 /// machine instructions while updating LiveIntervals.
158 class ScheduleTopDownLive : public ScheduleDAGInstrs {
159 protected:
160   MachineScheduler *Pass;
161 public:
162   ScheduleTopDownLive(MachineScheduler *P):
163     ScheduleDAGInstrs(*P->MF, *P->MLI, *P->MDT, /*IsPostRA=*/false), Pass(P) {}
164 
165   /// ScheduleDAGInstrs callback.
166   void Schedule();
167 
168   /// Interface implemented by the selected top-down liveinterval scheduler.
169   ///
170   /// Pick the next node to schedule, or return NULL.
171   virtual SUnit *pickNode() = 0;
172 
173   /// When all preceeding dependencies have been resolved, free this node for
174   /// scheduling.
175   virtual void releaseNode(SUnit *SU) = 0;
176 
177 protected:
178   void releaseSucc(SUnit *SU, SDep *SuccEdge);
179   void releaseSuccessors(SUnit *SU);
180 };
181 } // namespace
182 
183 /// ReleaseSucc - Decrement the NumPredsLeft count of a successor. When
184 /// NumPredsLeft reaches zero, release the successor node.
185 void ScheduleTopDownLive::releaseSucc(SUnit *SU, SDep *SuccEdge) {
186   SUnit *SuccSU = SuccEdge->getSUnit();
187 
188 #ifndef NDEBUG
189   if (SuccSU->NumPredsLeft == 0) {
190     dbgs() << "*** Scheduling failed! ***\n";
191     SuccSU->dump(this);
192     dbgs() << " has been released too many times!\n";
193     llvm_unreachable(0);
194   }
195 #endif
196   --SuccSU->NumPredsLeft;
197   if (SuccSU->NumPredsLeft == 0 && SuccSU != &ExitSU)
198     releaseNode(SuccSU);
199 }
200 
201 /// releaseSuccessors - Call releaseSucc on each of SU's successors.
202 void ScheduleTopDownLive::releaseSuccessors(SUnit *SU) {
203   for (SUnit::succ_iterator I = SU->Succs.begin(), E = SU->Succs.end();
204        I != E; ++I) {
205     releaseSucc(SU, &*I);
206   }
207 }
208 
209 /// Schedule - This is called back from ScheduleDAGInstrs::Run() when it's
210 /// time to do some work.
211 void ScheduleTopDownLive::Schedule() {
212   BuildSchedGraph(&Pass->getAnalysis<AliasAnalysis>());
213 
214   DEBUG(dbgs() << "********** MI Scheduling **********\n");
215   DEBUG(for (unsigned su = 0, e = SUnits.size(); su != e; ++su)
216           SUnits[su].dumpAll(this));
217 
218   // Release any successors of the special Entry node. It is currently unused,
219   // but we keep up appearances.
220   releaseSuccessors(&EntrySU);
221 
222   // Release all DAG roots for scheduling.
223   for (std::vector<SUnit>::iterator I = SUnits.begin(), E = SUnits.end();
224        I != E; ++I) {
225     // A SUnit is ready to schedule if it has no predecessors.
226     if (I->Preds.empty())
227       releaseNode(&(*I));
228   }
229 
230   InsertPos = Begin;
231   while (SUnit *SU = pickNode()) {
232     DEBUG(dbgs() << "*** Scheduling Instruction:\n"; SU->dump(this));
233 
234     // Move the instruction to its new location in the instruction stream.
235     MachineInstr *MI = SU->getInstr();
236     if (&*InsertPos == MI)
237       ++InsertPos;
238     else {
239       BB->splice(InsertPos, BB, MI);
240       if (Begin == InsertPos)
241         Begin = MI;
242     }
243 
244     // TODO: Update live intervals.
245 
246     // Release dependent instructions for scheduling.
247     releaseSuccessors(SU);
248   }
249 }
250 
251 bool MachineScheduler::runOnMachineFunction(MachineFunction &mf) {
252   // Initialize the context of the pass.
253   MF = &mf;
254   MLI = &getAnalysis<MachineLoopInfo>();
255   MDT = &getAnalysis<MachineDominatorTree>();
256   TII = MF->getTarget().getInstrInfo();
257 
258   // Select the scheduler, or set the default.
259   MachineSchedRegistry::ScheduleDAGCtor Ctor =
260     MachineSchedRegistry::getDefault();
261   if (!Ctor) {
262     Ctor = MachineSchedOpt;
263     MachineSchedRegistry::setDefault(Ctor);
264   }
265   // Instantiate the selected scheduler.
266   OwningPtr<ScheduleDAGInstrs> Scheduler(Ctor(this));
267 
268   // Visit all machine basic blocks.
269   for (MachineFunction::iterator MBB = MF->begin(), MBBEnd = MF->end();
270        MBB != MBBEnd; ++MBB) {
271 
272     // Break the block into scheduling regions [I, RegionEnd), and schedule each
273     // region as soon as it is discovered.
274     unsigned RemainingCount = MBB->size();
275     for(MachineBasicBlock::iterator RegionEnd = MBB->end();
276         RegionEnd != MBB->begin();) {
277       // The next region starts above the previous region. Look backward in the
278       // instruction stream until we find the nearest boundary.
279       MachineBasicBlock::iterator I = RegionEnd;
280       for(;I != MBB->begin(); --I, --RemainingCount) {
281         if (TII->isSchedulingBoundary(llvm::prior(I), MBB, *MF))
282           break;
283       }
284       if (I == RegionEnd) {
285         // Skip empty scheduling regions.
286         RegionEnd = llvm::prior(RegionEnd);
287         --RemainingCount;
288         continue;
289       }
290       // Skip regions with one instruction.
291       if (I == llvm::prior(RegionEnd)) {
292         RegionEnd = llvm::prior(RegionEnd);
293         continue;
294       }
295       DEBUG(dbgs() << "MachineScheduling " << MF->getFunction()->getName()
296             << ":BB#" << MBB->getNumber() << "\n  From: " << *I << "    To: "
297             << *RegionEnd << " Remaining: " << RemainingCount << "\n");
298 
299       // Inform ScheduleDAGInstrs of the region being scheduled. It calls back
300       // to our Schedule() method.
301       Scheduler->Run(MBB, I, RegionEnd, MBB->size());
302       RegionEnd = Scheduler->Begin;
303     }
304     assert(RemainingCount == 0 && "Instruction count mismatch!");
305   }
306   return true;
307 }
308 
309 void MachineScheduler::print(raw_ostream &O, const Module* m) const {
310   // unimplemented
311 }
312 
313 //===----------------------------------------------------------------------===//
314 // Placeholder for extending the machine instruction scheduler.
315 //===----------------------------------------------------------------------===//
316 
317 namespace {
318 class DefaultMachineScheduler : public ScheduleDAGInstrs {
319   MachineScheduler *Pass;
320 public:
321   DefaultMachineScheduler(MachineScheduler *P):
322     ScheduleDAGInstrs(*P->MF, *P->MLI, *P->MDT, /*IsPostRA=*/false), Pass(P) {}
323 
324   /// Schedule - This is called back from ScheduleDAGInstrs::Run() when it's
325   /// time to do some work.
326   void Schedule();
327 };
328 } // namespace
329 
330 static ScheduleDAGInstrs *createDefaultMachineSched(MachineScheduler *P) {
331   return new DefaultMachineScheduler(P);
332 }
333 static MachineSchedRegistry
334 SchedDefaultRegistry("default", "Activate the scheduler pass, "
335                      "but don't reorder instructions",
336                      createDefaultMachineSched);
337 
338 
339 /// Schedule - This is called back from ScheduleDAGInstrs::Run() when it's
340 /// time to do some work.
341 void DefaultMachineScheduler::Schedule() {
342   BuildSchedGraph(&Pass->getAnalysis<AliasAnalysis>());
343 
344   DEBUG(dbgs() << "********** MI Scheduling **********\n");
345   DEBUG(for (unsigned su = 0, e = SUnits.size(); su != e; ++su)
346           SUnits[su].dumpAll(this));
347 
348   // TODO: Put interesting things here.
349   //
350   // When this is fully implemented, it will become a subclass of
351   // ScheduleTopDownLive. So this driver will disappear.
352 }
353 
354 //===----------------------------------------------------------------------===//
355 // Machine Instruction Shuffler for Correctness Testing
356 //===----------------------------------------------------------------------===//
357 
358 #ifndef NDEBUG
359 namespace {
360 // Nodes with a higher number have lower priority. This way we attempt to
361 // schedule the latest instructions earliest.
362 //
363 // TODO: Relies on the property of the BuildSchedGraph that results in SUnits
364 // being ordered in sequence bottom-up. This will be formalized, probably be
365 // constructing SUnits in a prepass.
366 struct ShuffleSUnitOrder {
367   bool operator()(SUnit *A, SUnit *B) const {
368     return A->NodeNum > B->NodeNum;
369   }
370 };
371 
372 /// Reorder instructions as much as possible.
373 class InstructionShuffler : public ScheduleTopDownLive {
374   std::priority_queue<SUnit*, std::vector<SUnit*>, ShuffleSUnitOrder> Queue;
375 public:
376   InstructionShuffler(MachineScheduler *P):
377     ScheduleTopDownLive(P) {}
378 
379   /// ScheduleTopDownLive Interface
380 
381   virtual SUnit *pickNode() {
382     if (Queue.empty()) return NULL;
383     SUnit *SU = Queue.top();
384     Queue.pop();
385     return SU;
386   }
387 
388   virtual void releaseNode(SUnit *SU) {
389     Queue.push(SU);
390   }
391 };
392 } // namespace
393 
394 static ScheduleDAGInstrs *createInstructionShuffler(MachineScheduler *P) {
395   return new InstructionShuffler(P);
396 }
397 static MachineSchedRegistry ShufflerRegistry("shuffle",
398                                              "Shuffle machine instructions",
399                                              createInstructionShuffler);
400 #endif // !NDEBUG
401