1 //===- MachineScheduler.cpp - Machine Instruction Scheduler ---------------===//
3 // The LLVM Compiler Infrastructure
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
8 //===----------------------------------------------------------------------===//
10 // MachineScheduler schedules machine instructions after phi elimination. It
11 // preserves LiveIntervals so it can be invoked before register allocation.
13 //===----------------------------------------------------------------------===//
15 #define DEBUG_TYPE "misched"
17 #include "RegisterClassInfo.h"
18 #include "RegisterPressure.h"
19 #include "llvm/CodeGen/LiveIntervalAnalysis.h"
20 #include "llvm/CodeGen/MachineScheduler.h"
21 #include "llvm/CodeGen/Passes.h"
22 #include "llvm/CodeGen/ScheduleDAGInstrs.h"
23 #include "llvm/Analysis/AliasAnalysis.h"
24 #include "llvm/Target/TargetInstrInfo.h"
25 #include "llvm/Support/CommandLine.h"
26 #include "llvm/Support/Debug.h"
27 #include "llvm/Support/ErrorHandling.h"
28 #include "llvm/Support/raw_ostream.h"
29 #include "llvm/ADT/OwningPtr.h"
30 #include "llvm/ADT/PriorityQueue.h"
36 static cl::opt<bool> ForceTopDown("misched-topdown", cl::Hidden,
37 cl::desc("Force top-down list scheduling"));
38 static cl::opt<bool> ForceBottomUp("misched-bottomup", cl::Hidden,
39 cl::desc("Force bottom-up list scheduling"));
42 static cl::opt<bool> ViewMISchedDAGs("view-misched-dags", cl::Hidden,
43 cl::desc("Pop up a window to show MISched dags after they are processed"));
45 static cl::opt<unsigned> MISchedCutoff("misched-cutoff", cl::Hidden,
46 cl::desc("Stop scheduling after N instructions"), cl::init(~0U));
48 static bool ViewMISchedDAGs = false;
51 //===----------------------------------------------------------------------===//
52 // Machine Instruction Scheduling Pass and Registry
53 //===----------------------------------------------------------------------===//
55 MachineSchedContext::MachineSchedContext():
56 MF(0), MLI(0), MDT(0), PassConfig(0), AA(0), LIS(0) {
57 RegClassInfo = new RegisterClassInfo();
60 MachineSchedContext::~MachineSchedContext() {
65 /// MachineScheduler runs after coalescing and before register allocation.
66 class MachineScheduler : public MachineSchedContext,
67 public MachineFunctionPass {
71 virtual void getAnalysisUsage(AnalysisUsage &AU) const;
73 virtual void releaseMemory() {}
75 virtual bool runOnMachineFunction(MachineFunction&);
77 virtual void print(raw_ostream &O, const Module* = 0) const;
79 static char ID; // Class identification, replacement for typeinfo
83 char MachineScheduler::ID = 0;
85 char &llvm::MachineSchedulerID = MachineScheduler::ID;
87 INITIALIZE_PASS_BEGIN(MachineScheduler, "misched",
88 "Machine Instruction Scheduler", false, false)
89 INITIALIZE_AG_DEPENDENCY(AliasAnalysis)
90 INITIALIZE_PASS_DEPENDENCY(SlotIndexes)
91 INITIALIZE_PASS_DEPENDENCY(LiveIntervals)
92 INITIALIZE_PASS_END(MachineScheduler, "misched",
93 "Machine Instruction Scheduler", false, false)
95 MachineScheduler::MachineScheduler()
96 : MachineFunctionPass(ID) {
97 initializeMachineSchedulerPass(*PassRegistry::getPassRegistry());
100 void MachineScheduler::getAnalysisUsage(AnalysisUsage &AU) const {
101 AU.setPreservesCFG();
102 AU.addRequiredID(MachineDominatorsID);
103 AU.addRequired<MachineLoopInfo>();
104 AU.addRequired<AliasAnalysis>();
105 AU.addRequired<TargetPassConfig>();
106 AU.addRequired<SlotIndexes>();
107 AU.addPreserved<SlotIndexes>();
108 AU.addRequired<LiveIntervals>();
109 AU.addPreserved<LiveIntervals>();
110 MachineFunctionPass::getAnalysisUsage(AU);
113 MachinePassRegistry MachineSchedRegistry::Registry;
115 /// A dummy default scheduler factory indicates whether the scheduler
116 /// is overridden on the command line.
117 static ScheduleDAGInstrs *useDefaultMachineSched(MachineSchedContext *C) {
121 /// MachineSchedOpt allows command line selection of the scheduler.
122 static cl::opt<MachineSchedRegistry::ScheduleDAGCtor, false,
123 RegisterPassParser<MachineSchedRegistry> >
124 MachineSchedOpt("misched",
125 cl::init(&useDefaultMachineSched), cl::Hidden,
126 cl::desc("Machine instruction scheduler to use"));
128 static MachineSchedRegistry
129 DefaultSchedRegistry("default", "Use the target's default scheduler choice.",
130 useDefaultMachineSched);
132 /// Forward declare the standard machine scheduler. This will be used as the
133 /// default scheduler if the target does not set a default.
134 static ScheduleDAGInstrs *createConvergingSched(MachineSchedContext *C);
137 /// Decrement this iterator until reaching the top or a non-debug instr.
138 static MachineBasicBlock::iterator
139 priorNonDebug(MachineBasicBlock::iterator I, MachineBasicBlock::iterator Beg) {
140 assert(I != Beg && "reached the top of the region, cannot decrement");
142 if (!I->isDebugValue())
148 /// If this iterator is a debug value, increment until reaching the End or a
149 /// non-debug instruction.
150 static MachineBasicBlock::iterator
151 nextIfDebug(MachineBasicBlock::iterator I, MachineBasicBlock::iterator End) {
152 for(; I != End; ++I) {
153 if (!I->isDebugValue())
159 /// Top-level MachineScheduler pass driver.
161 /// Visit blocks in function order. Divide each block into scheduling regions
162 /// and visit them bottom-up. Visiting regions bottom-up is not required, but is
163 /// consistent with the DAG builder, which traverses the interior of the
164 /// scheduling regions bottom-up.
166 /// This design avoids exposing scheduling boundaries to the DAG builder,
167 /// simplifying the DAG builder's support for "special" target instructions.
168 /// At the same time the design allows target schedulers to operate across
169 /// scheduling boundaries, for example to bundle the boudary instructions
170 /// without reordering them. This creates complexity, because the target
171 /// scheduler must update the RegionBegin and RegionEnd positions cached by
172 /// ScheduleDAGInstrs whenever adding or removing instructions. A much simpler
173 /// design would be to split blocks at scheduling boundaries, but LLVM has a
174 /// general bias against block splitting purely for implementation simplicity.
175 bool MachineScheduler::runOnMachineFunction(MachineFunction &mf) {
176 DEBUG(dbgs() << "Before MISsched:\n"; mf.print(dbgs()));
178 // Initialize the context of the pass.
180 MLI = &getAnalysis<MachineLoopInfo>();
181 MDT = &getAnalysis<MachineDominatorTree>();
182 PassConfig = &getAnalysis<TargetPassConfig>();
183 AA = &getAnalysis<AliasAnalysis>();
185 LIS = &getAnalysis<LiveIntervals>();
186 const TargetInstrInfo *TII = MF->getTarget().getInstrInfo();
188 RegClassInfo->runOnMachineFunction(*MF);
190 // Select the scheduler, or set the default.
191 MachineSchedRegistry::ScheduleDAGCtor Ctor = MachineSchedOpt;
192 if (Ctor == useDefaultMachineSched) {
193 // Get the default scheduler set by the target.
194 Ctor = MachineSchedRegistry::getDefault();
196 Ctor = createConvergingSched;
197 MachineSchedRegistry::setDefault(Ctor);
200 // Instantiate the selected scheduler.
201 OwningPtr<ScheduleDAGInstrs> Scheduler(Ctor(this));
203 // Visit all machine basic blocks.
205 // TODO: Visit blocks in global postorder or postorder within the bottom-up
206 // loop tree. Then we can optionally compute global RegPressure.
207 for (MachineFunction::iterator MBB = MF->begin(), MBBEnd = MF->end();
208 MBB != MBBEnd; ++MBB) {
210 Scheduler->startBlock(MBB);
212 // Break the block into scheduling regions [I, RegionEnd), and schedule each
213 // region as soon as it is discovered. RegionEnd points the the scheduling
214 // boundary at the bottom of the region. The DAG does not include RegionEnd,
215 // but the region does (i.e. the next RegionEnd is above the previous
216 // RegionBegin). If the current block has no terminator then RegionEnd ==
217 // MBB->end() for the bottom region.
219 // The Scheduler may insert instructions during either schedule() or
220 // exitRegion(), even for empty regions. So the local iterators 'I' and
221 // 'RegionEnd' are invalid across these calls.
222 unsigned RemainingCount = MBB->size();
223 for(MachineBasicBlock::iterator RegionEnd = MBB->end();
224 RegionEnd != MBB->begin(); RegionEnd = Scheduler->begin()) {
226 // Avoid decrementing RegionEnd for blocks with no terminator.
227 if (RegionEnd != MBB->end()
228 || TII->isSchedulingBoundary(llvm::prior(RegionEnd), MBB, *MF)) {
230 // Count the boundary instruction.
234 // The next region starts above the previous region. Look backward in the
235 // instruction stream until we find the nearest boundary.
236 MachineBasicBlock::iterator I = RegionEnd;
237 for(;I != MBB->begin(); --I, --RemainingCount) {
238 if (TII->isSchedulingBoundary(llvm::prior(I), MBB, *MF))
241 // Notify the scheduler of the region, even if we may skip scheduling
242 // it. Perhaps it still needs to be bundled.
243 Scheduler->enterRegion(MBB, I, RegionEnd, RemainingCount);
245 // Skip empty scheduling regions (0 or 1 schedulable instructions).
246 if (I == RegionEnd || I == llvm::prior(RegionEnd)) {
247 // Close the current region. Bundle the terminator if needed.
248 // This invalidates 'RegionEnd' and 'I'.
249 Scheduler->exitRegion();
252 DEBUG(dbgs() << "MachineScheduling " << MF->getFunction()->getName()
253 << ":BB#" << MBB->getNumber() << "\n From: " << *I << " To: ";
254 if (RegionEnd != MBB->end()) dbgs() << *RegionEnd;
255 else dbgs() << "End";
256 dbgs() << " Remaining: " << RemainingCount << "\n");
258 // Schedule a region: possibly reorder instructions.
259 // This invalidates 'RegionEnd' and 'I'.
260 Scheduler->schedule();
262 // Close the current region.
263 Scheduler->exitRegion();
265 // Scheduling has invalidated the current iterator 'I'. Ask the
266 // scheduler for the top of it's scheduled region.
267 RegionEnd = Scheduler->begin();
269 assert(RemainingCount == 0 && "Instruction count mismatch!");
270 Scheduler->finishBlock();
272 Scheduler->finalizeSchedule();
273 DEBUG(LIS->print(dbgs()));
277 void MachineScheduler::print(raw_ostream &O, const Module* m) const {
281 //===----------------------------------------------------------------------===//
282 // MachineSchedStrategy - Interface to a machine scheduling algorithm.
283 //===----------------------------------------------------------------------===//
288 /// MachineSchedStrategy - Interface used by ScheduleDAGMI to drive the selected
289 /// scheduling algorithm.
291 /// If this works well and targets wish to reuse ScheduleDAGMI, we may expose it
292 /// in ScheduleDAGInstrs.h
293 class MachineSchedStrategy {
295 virtual ~MachineSchedStrategy() {}
297 /// Initialize the strategy after building the DAG for a new region.
298 virtual void initialize(ScheduleDAGMI *DAG) = 0;
300 /// Pick the next node to schedule, or return NULL. Set IsTopNode to true to
301 /// schedule the node at the top of the unscheduled region. Otherwise it will
302 /// be scheduled at the bottom.
303 virtual SUnit *pickNode(bool &IsTopNode) = 0;
305 /// When all predecessor dependencies have been resolved, free this node for
306 /// top-down scheduling.
307 virtual void releaseTopNode(SUnit *SU) = 0;
308 /// When all successor dependencies have been resolved, free this node for
309 /// bottom-up scheduling.
310 virtual void releaseBottomNode(SUnit *SU) = 0;
314 //===----------------------------------------------------------------------===//
315 // ScheduleDAGMI - Base class for MachineInstr scheduling with LiveIntervals
317 //===----------------------------------------------------------------------===//
320 /// ScheduleDAGMI is an implementation of ScheduleDAGInstrs that schedules
321 /// machine instructions while updating LiveIntervals.
322 class ScheduleDAGMI : public ScheduleDAGInstrs {
324 RegisterClassInfo *RegClassInfo;
325 MachineSchedStrategy *SchedImpl;
327 MachineBasicBlock::iterator LiveRegionEnd;
329 /// Register pressure in this region computed by buildSchedGraph.
330 IntervalPressure RegPressure;
331 RegPressureTracker RPTracker;
333 /// List of pressure sets that exceed the target's pressure limit before
334 /// scheduling, listed in increasing set ID order. Each pressure set is paired
335 /// with its max pressure in the currently scheduled regions.
336 std::vector<PressureElement> RegionCriticalPSets;
338 /// The top of the unscheduled zone.
339 MachineBasicBlock::iterator CurrentTop;
340 IntervalPressure TopPressure;
341 RegPressureTracker TopRPTracker;
343 /// The bottom of the unscheduled zone.
344 MachineBasicBlock::iterator CurrentBottom;
345 IntervalPressure BotPressure;
346 RegPressureTracker BotRPTracker;
348 /// The number of instructions scheduled so far. Used to cut off the
349 /// scheduler at the point determined by misched-cutoff.
350 unsigned NumInstrsScheduled;
352 ScheduleDAGMI(MachineSchedContext *C, MachineSchedStrategy *S):
353 ScheduleDAGInstrs(*C->MF, *C->MLI, *C->MDT, /*IsPostRA=*/false, C->LIS),
354 AA(C->AA), RegClassInfo(C->RegClassInfo), SchedImpl(S),
355 RPTracker(RegPressure), CurrentTop(), TopRPTracker(TopPressure),
356 CurrentBottom(), BotRPTracker(BotPressure), NumInstrsScheduled(0) {}
362 MachineBasicBlock::iterator top() const { return CurrentTop; }
363 MachineBasicBlock::iterator bottom() const { return CurrentBottom; }
365 /// Implement the ScheduleDAGInstrs interface for handling the next scheduling
366 /// region. This covers all instructions in a block, while schedule() may only
368 void enterRegion(MachineBasicBlock *bb,
369 MachineBasicBlock::iterator begin,
370 MachineBasicBlock::iterator end,
373 /// Implement ScheduleDAGInstrs interface for scheduling a sequence of
374 /// reorderable instructions.
377 /// Get current register pressure for the top scheduled instructions.
378 const IntervalPressure &getTopPressure() const { return TopPressure; }
379 const RegPressureTracker &getTopRPTracker() const { return TopRPTracker; }
381 /// Get current register pressure for the bottom scheduled instructions.
382 const IntervalPressure &getBotPressure() const { return BotPressure; }
383 const RegPressureTracker &getBotRPTracker() const { return BotRPTracker; }
385 /// Get register pressure for the entire scheduling region before scheduling.
386 const IntervalPressure &getRegPressure() const { return RegPressure; }
388 const std::vector<PressureElement> &getRegionCriticalPSets() const {
389 return RegionCriticalPSets;
393 void initRegPressure();
394 void updateScheduledPressure(std::vector<unsigned> NewMaxPressure);
396 void moveInstruction(MachineInstr *MI, MachineBasicBlock::iterator InsertPos);
397 bool checkSchedLimit();
399 void releaseSucc(SUnit *SU, SDep *SuccEdge);
400 void releaseSuccessors(SUnit *SU);
401 void releasePred(SUnit *SU, SDep *PredEdge);
402 void releasePredecessors(SUnit *SU);
404 void placeDebugValues();
408 /// ReleaseSucc - Decrement the NumPredsLeft count of a successor. When
409 /// NumPredsLeft reaches zero, release the successor node.
410 void ScheduleDAGMI::releaseSucc(SUnit *SU, SDep *SuccEdge) {
411 SUnit *SuccSU = SuccEdge->getSUnit();
414 if (SuccSU->NumPredsLeft == 0) {
415 dbgs() << "*** Scheduling failed! ***\n";
417 dbgs() << " has been released too many times!\n";
421 --SuccSU->NumPredsLeft;
422 if (SuccSU->NumPredsLeft == 0 && SuccSU != &ExitSU)
423 SchedImpl->releaseTopNode(SuccSU);
426 /// releaseSuccessors - Call releaseSucc on each of SU's successors.
427 void ScheduleDAGMI::releaseSuccessors(SUnit *SU) {
428 for (SUnit::succ_iterator I = SU->Succs.begin(), E = SU->Succs.end();
430 releaseSucc(SU, &*I);
434 /// ReleasePred - Decrement the NumSuccsLeft count of a predecessor. When
435 /// NumSuccsLeft reaches zero, release the predecessor node.
436 void ScheduleDAGMI::releasePred(SUnit *SU, SDep *PredEdge) {
437 SUnit *PredSU = PredEdge->getSUnit();
440 if (PredSU->NumSuccsLeft == 0) {
441 dbgs() << "*** Scheduling failed! ***\n";
443 dbgs() << " has been released too many times!\n";
447 --PredSU->NumSuccsLeft;
448 if (PredSU->NumSuccsLeft == 0 && PredSU != &EntrySU)
449 SchedImpl->releaseBottomNode(PredSU);
452 /// releasePredecessors - Call releasePred on each of SU's predecessors.
453 void ScheduleDAGMI::releasePredecessors(SUnit *SU) {
454 for (SUnit::pred_iterator I = SU->Preds.begin(), E = SU->Preds.end();
456 releasePred(SU, &*I);
460 void ScheduleDAGMI::moveInstruction(MachineInstr *MI,
461 MachineBasicBlock::iterator InsertPos) {
462 // Advance RegionBegin if the first instruction moves down.
463 if (&*RegionBegin == MI)
466 // Update the instruction stream.
467 BB->splice(InsertPos, BB, MI);
469 // Update LiveIntervals
472 // Recede RegionBegin if an instruction moves above the first.
473 if (RegionBegin == InsertPos)
477 bool ScheduleDAGMI::checkSchedLimit() {
479 if (NumInstrsScheduled == MISchedCutoff && MISchedCutoff != ~0U) {
480 CurrentTop = CurrentBottom;
483 ++NumInstrsScheduled;
488 /// enterRegion - Called back from MachineScheduler::runOnMachineFunction after
489 /// crossing a scheduling boundary. [begin, end) includes all instructions in
490 /// the region, including the boundary itself and single-instruction regions
491 /// that don't get scheduled.
492 void ScheduleDAGMI::enterRegion(MachineBasicBlock *bb,
493 MachineBasicBlock::iterator begin,
494 MachineBasicBlock::iterator end,
497 ScheduleDAGInstrs::enterRegion(bb, begin, end, endcount);
499 // For convenience remember the end of the liveness region.
501 (RegionEnd == bb->end()) ? RegionEnd : llvm::next(RegionEnd);
504 // Setup the register pressure trackers for the top scheduled top and bottom
505 // scheduled regions.
506 void ScheduleDAGMI::initRegPressure() {
507 TopRPTracker.init(&MF, RegClassInfo, LIS, BB, RegionBegin);
508 BotRPTracker.init(&MF, RegClassInfo, LIS, BB, LiveRegionEnd);
510 // Close the RPTracker to finalize live ins.
511 RPTracker.closeRegion();
513 // Initialize the live ins and live outs.
514 TopRPTracker.addLiveRegs(RPTracker.getPressure().LiveInRegs);
515 BotRPTracker.addLiveRegs(RPTracker.getPressure().LiveOutRegs);
517 // Close one end of the tracker so we can call
518 // getMaxUpward/DownwardPressureDelta before advancing across any
519 // instructions. This converts currently live regs into live ins/outs.
520 TopRPTracker.closeTop();
521 BotRPTracker.closeBottom();
523 // Account for liveness generated by the region boundary.
524 if (LiveRegionEnd != RegionEnd)
525 BotRPTracker.recede();
527 assert(BotRPTracker.getPos() == RegionEnd && "Can't find the region bottom");
529 // Cache the list of excess pressure sets in this region. This will also track
530 // the max pressure in the scheduled code for these sets.
531 RegionCriticalPSets.clear();
532 std::vector<unsigned> RegionPressure = RPTracker.getPressure().MaxSetPressure;
533 for (unsigned i = 0, e = RegionPressure.size(); i < e; ++i) {
534 unsigned Limit = TRI->getRegPressureSetLimit(i);
535 if (RegionPressure[i] > Limit)
536 RegionCriticalPSets.push_back(PressureElement(i, 0));
538 DEBUG(dbgs() << "Excess PSets: ";
539 for (unsigned i = 0, e = RegionCriticalPSets.size(); i != e; ++i)
540 dbgs() << TRI->getRegPressureSetName(
541 RegionCriticalPSets[i].PSetID) << " ";
545 // FIXME: When the pressure tracker deals in pressure differences then we won't
546 // iterate over all RegionCriticalPSets[i].
548 updateScheduledPressure(std::vector<unsigned> NewMaxPressure) {
549 for (unsigned i = 0, e = RegionCriticalPSets.size(); i < e; ++i) {
550 unsigned ID = RegionCriticalPSets[i].PSetID;
551 int &MaxUnits = RegionCriticalPSets[i].UnitIncrease;
552 if ((int)NewMaxPressure[ID] > MaxUnits)
553 MaxUnits = NewMaxPressure[ID];
557 /// schedule - Called back from MachineScheduler::runOnMachineFunction
558 /// after setting up the current scheduling region. [RegionBegin, RegionEnd)
559 /// only includes instructions that have DAG nodes, not scheduling boundaries.
560 void ScheduleDAGMI::schedule() {
561 // Initialize the register pressure tracker used by buildSchedGraph.
562 RPTracker.init(&MF, RegClassInfo, LIS, BB, LiveRegionEnd);
564 // Account for liveness generate by the region boundary.
565 if (LiveRegionEnd != RegionEnd)
568 // Build the DAG, and compute current register pressure.
569 buildSchedGraph(AA, &RPTracker);
571 // Initialize top/bottom trackers after computing region pressure.
574 DEBUG(dbgs() << "********** MI Scheduling **********\n");
575 DEBUG(for (unsigned su = 0, e = SUnits.size(); su != e; ++su)
576 SUnits[su].dumpAll(this));
578 if (ViewMISchedDAGs) viewGraph();
580 SchedImpl->initialize(this);
582 // Release edges from the special Entry node or to the special Exit node.
583 releaseSuccessors(&EntrySU);
584 releasePredecessors(&ExitSU);
586 // Release all DAG roots for scheduling.
587 for (std::vector<SUnit>::iterator I = SUnits.begin(), E = SUnits.end();
589 // A SUnit is ready to top schedule if it has no predecessors.
590 if (I->Preds.empty())
591 SchedImpl->releaseTopNode(&(*I));
592 // A SUnit is ready to bottom schedule if it has no successors.
593 if (I->Succs.empty())
594 SchedImpl->releaseBottomNode(&(*I));
597 CurrentTop = nextIfDebug(RegionBegin, RegionEnd);
598 CurrentBottom = RegionEnd;
599 bool IsTopNode = false;
600 while (SUnit *SU = SchedImpl->pickNode(IsTopNode)) {
601 DEBUG(dbgs() << "*** " << (IsTopNode ? "Top" : "Bottom")
602 << " Scheduling Instruction:\n"; SU->dump(this));
603 if (!checkSchedLimit())
606 // Move the instruction to its new location in the instruction stream.
607 MachineInstr *MI = SU->getInstr();
610 assert(SU->isTopReady() && "node still has unscheduled dependencies");
611 if (&*CurrentTop == MI)
612 CurrentTop = nextIfDebug(++CurrentTop, CurrentBottom);
614 moveInstruction(MI, CurrentTop);
615 TopRPTracker.setPos(MI);
618 // Update top scheduled pressure.
619 TopRPTracker.advance();
620 assert(TopRPTracker.getPos() == CurrentTop && "out of sync");
621 updateScheduledPressure(TopRPTracker.getPressure().MaxSetPressure);
623 // Release dependent instructions for scheduling.
624 releaseSuccessors(SU);
627 assert(SU->isBottomReady() && "node still has unscheduled dependencies");
628 MachineBasicBlock::iterator priorII =
629 priorNonDebug(CurrentBottom, CurrentTop);
631 CurrentBottom = priorII;
633 if (&*CurrentTop == MI) {
634 CurrentTop = nextIfDebug(++CurrentTop, priorII);
635 TopRPTracker.setPos(CurrentTop);
637 moveInstruction(MI, CurrentBottom);
640 // Update bottom scheduled pressure.
641 BotRPTracker.recede();
642 assert(BotRPTracker.getPos() == CurrentBottom && "out of sync");
643 updateScheduledPressure(BotRPTracker.getPressure().MaxSetPressure);
645 // Release dependent instructions for scheduling.
646 releasePredecessors(SU);
648 SU->isScheduled = true;
650 assert(CurrentTop == CurrentBottom && "Nonempty unscheduled zone.");
655 /// Reinsert any remaining debug_values, just like the PostRA scheduler.
656 void ScheduleDAGMI::placeDebugValues() {
657 // If first instruction was a DBG_VALUE then put it back.
659 BB->splice(RegionBegin, BB, FirstDbgValue);
660 RegionBegin = FirstDbgValue;
663 for (std::vector<std::pair<MachineInstr *, MachineInstr *> >::iterator
664 DI = DbgValues.end(), DE = DbgValues.begin(); DI != DE; --DI) {
665 std::pair<MachineInstr *, MachineInstr *> P = *prior(DI);
666 MachineInstr *DbgValue = P.first;
667 MachineBasicBlock::iterator OrigPrevMI = P.second;
668 BB->splice(++OrigPrevMI, BB, DbgValue);
669 if (OrigPrevMI == llvm::prior(RegionEnd))
670 RegionEnd = DbgValue;
673 FirstDbgValue = NULL;
676 //===----------------------------------------------------------------------===//
677 // ConvergingScheduler - Implementation of the standard MachineSchedStrategy.
678 //===----------------------------------------------------------------------===//
681 /// Wrapper around a vector of SUnits with some basic convenience methods.
683 typedef std::vector<SUnit*>::iterator iterator;
686 std::vector<SUnit*> Queue;
688 ReadyQ(unsigned id): ID(id) {}
690 bool isInQueue(SUnit *SU) const {
691 return SU->NodeQueueId & ID;
694 bool empty() const { return Queue.empty(); }
696 unsigned size() const { return Queue.size(); }
698 iterator begin() { return Queue.begin(); }
700 iterator end() { return Queue.end(); }
702 iterator find(SUnit *SU) {
703 return std::find(Queue.begin(), Queue.end(), SU);
706 void push(SUnit *SU) {
708 SU->NodeQueueId |= ID;
711 void remove(iterator I) {
712 (*I)->NodeQueueId &= ~ID;
717 void dump(const char* Name) {
718 dbgs() << Name << ": ";
719 for (unsigned i = 0, e = Queue.size(); i < e; ++i)
720 dbgs() << Queue[i]->NodeNum << " ";
725 /// ConvergingScheduler shrinks the unscheduled zone using heuristics to balance
727 class ConvergingScheduler : public MachineSchedStrategy {
729 /// Store the state used by ConvergingScheduler heuristics, required for the
730 /// lifetime of one invocation of pickNode().
731 struct SchedCandidate {
732 // The best SUnit candidate.
735 // Register pressure values for the best candidate.
736 RegPressureDelta RPDelta;
738 SchedCandidate(): SU(NULL) {}
740 /// Represent the type of SchedCandidate found within a single queue.
742 NoCand, NodeOrder, SingleExcess, SingleCritical, SingleMax, MultiPressure };
745 const TargetRegisterInfo *TRI;
751 /// SUnit::NodeQueueId = 0 (none), = 1 (top), = 2 (bottom), = 3 (both)
757 ConvergingScheduler(): DAG(0), TRI(0), TopQueue(TopQID), BotQueue(BotQID) {}
759 static const char *getQName(unsigned ID) {
761 default: return "NoQ";
762 case TopQID: return "TopQ";
763 case BotQID: return "BotQ";
767 virtual void initialize(ScheduleDAGMI *dag) {
771 assert((!ForceTopDown || !ForceBottomUp) &&
772 "-misched-topdown incompatible with -misched-bottomup");
775 virtual SUnit *pickNode(bool &IsTopNode);
777 virtual void releaseTopNode(SUnit *SU) {
778 if (!SU->isScheduled)
781 virtual void releaseBottomNode(SUnit *SU) {
782 if (!SU->isScheduled)
786 SUnit *pickNodeBidrectional(bool &IsTopNode);
788 CandResult pickNodeFromQueue(ReadyQ &Q, const RegPressureTracker &RPTracker,
789 SchedCandidate &Candidate);
791 void traceCandidate(const char *Label, unsigned QID, SUnit *SU,
792 PressureElement P = PressureElement());
798 void ConvergingScheduler::
799 traceCandidate(const char *Label, unsigned QID, SUnit *SU,
801 dbgs() << Label << getQName(QID) << " ";
803 dbgs() << TRI->getRegPressureSetName(P.PSetID) << ":" << P.UnitIncrease
811 /// pickNodeFromQueue helper that returns true if the LHS reg pressure effect is
812 /// more desirable than RHS from scheduling standpoint.
813 static bool compareRPDelta(const RegPressureDelta &LHS,
814 const RegPressureDelta &RHS) {
815 // Compare each component of pressure in decreasing order of importance
816 // without checking if any are valid. Invalid PressureElements are assumed to
817 // have UnitIncrease==0, so are neutral.
819 // Avoid increasing the max critical pressure in the scheduled region.
820 if (LHS.Excess.UnitIncrease != RHS.Excess.UnitIncrease)
821 return LHS.Excess.UnitIncrease < RHS.Excess.UnitIncrease;
823 // Avoid increasing the max critical pressure in the scheduled region.
824 if (LHS.CriticalMax.UnitIncrease != RHS.CriticalMax.UnitIncrease)
825 return LHS.CriticalMax.UnitIncrease < RHS.CriticalMax.UnitIncrease;
827 // Avoid increasing the max pressure of the entire region.
828 if (LHS.CurrentMax.UnitIncrease != RHS.CurrentMax.UnitIncrease)
829 return LHS.CurrentMax.UnitIncrease < RHS.CurrentMax.UnitIncrease;
834 /// Pick the best candidate from the top queue.
836 /// TODO: getMaxPressureDelta results can be mostly cached for each SUnit during
837 /// DAG building. To adjust for the current scheduling location we need to
838 /// maintain the number of vreg uses remaining to be top-scheduled.
839 ConvergingScheduler::CandResult ConvergingScheduler::
840 pickNodeFromQueue(ReadyQ &Q, const RegPressureTracker &RPTracker,
841 SchedCandidate &Candidate) {
842 DEBUG(Q.dump(getQName(Q.ID)));
844 // getMaxPressureDelta temporarily modifies the tracker.
845 RegPressureTracker &TempTracker = const_cast<RegPressureTracker&>(RPTracker);
847 // BestSU remains NULL if no top candidates beat the best existing candidate.
848 CandResult FoundCandidate = NoCand;
849 for (ReadyQ::iterator I = Q.begin(), E = Q.end(); I != E; ++I) {
851 RegPressureDelta RPDelta;
852 TempTracker.getMaxPressureDelta((*I)->getInstr(), RPDelta,
853 DAG->getRegionCriticalPSets(),
854 DAG->getRegPressure().MaxSetPressure);
856 // Initialize the candidate if needed.
859 Candidate.RPDelta = RPDelta;
860 FoundCandidate = NodeOrder;
863 // Avoid exceeding the target's limit.
864 if (RPDelta.Excess.UnitIncrease < Candidate.RPDelta.Excess.UnitIncrease) {
865 DEBUG(traceCandidate("ECAND", Q.ID, *I, RPDelta.Excess));
867 Candidate.RPDelta = RPDelta;
868 FoundCandidate = SingleExcess;
871 if (RPDelta.Excess.UnitIncrease > Candidate.RPDelta.Excess.UnitIncrease)
873 if (FoundCandidate == SingleExcess)
874 FoundCandidate = MultiPressure;
876 // Avoid increasing the max critical pressure in the scheduled region.
877 if (RPDelta.CriticalMax.UnitIncrease
878 < Candidate.RPDelta.CriticalMax.UnitIncrease) {
879 DEBUG(traceCandidate("PCAND", Q.ID, *I, RPDelta.CriticalMax));
881 Candidate.RPDelta = RPDelta;
882 FoundCandidate = SingleCritical;
885 if (RPDelta.CriticalMax.UnitIncrease
886 > Candidate.RPDelta.CriticalMax.UnitIncrease)
888 if (FoundCandidate == SingleCritical)
889 FoundCandidate = MultiPressure;
891 // Avoid increasing the max pressure of the entire region.
892 if (RPDelta.CurrentMax.UnitIncrease
893 < Candidate.RPDelta.CurrentMax.UnitIncrease) {
894 DEBUG(traceCandidate("MCAND", Q.ID, *I, RPDelta.CurrentMax));
896 Candidate.RPDelta = RPDelta;
897 FoundCandidate = SingleMax;
900 if (RPDelta.CurrentMax.UnitIncrease
901 > Candidate.RPDelta.CurrentMax.UnitIncrease)
903 if (FoundCandidate == SingleMax)
904 FoundCandidate = MultiPressure;
906 // Fall through to original instruction order.
907 // Only consider node order if Candidate was chosen from this Q.
908 if (FoundCandidate == NoCand)
911 if ((Q.ID == TopQID && (*I)->NodeNum < Candidate.SU->NodeNum)
912 || (Q.ID == BotQID && (*I)->NodeNum > Candidate.SU->NodeNum)) {
913 DEBUG(traceCandidate("NCAND", Q.ID, *I));
915 Candidate.RPDelta = RPDelta;
916 FoundCandidate = NodeOrder;
919 return FoundCandidate;
922 /// Pick the best candidate node from either the top or bottom queue.
923 SUnit *ConvergingScheduler::pickNodeBidrectional(bool &IsTopNode) {
924 // Schedule as far as possible in the direction of no choice. This is most
925 // efficient, but also provides the best heuristics for CriticalPSets.
926 if (BotQueue.size() == 1) {
928 return *BotQueue.begin();
930 if (TopQueue.size() == 1) {
932 return *TopQueue.begin();
934 SchedCandidate BotCandidate;
935 // Prefer bottom scheduling when heuristics are silent.
936 CandResult BotResult =
937 pickNodeFromQueue(BotQueue, DAG->getBotRPTracker(), BotCandidate);
938 assert(BotResult != NoCand && "failed to find the first candidate");
940 // If either Q has a single candidate that provides the least increase in
941 // Excess pressure, we can immediately schedule from that Q.
943 // RegionCriticalPSets summarizes the pressure within the scheduled region and
944 // affects picking from either Q. If scheduling in one direction must
945 // increase pressure for one of the excess PSets, then schedule in that
946 // direction first to provide more freedom in the other direction.
947 if (BotResult == SingleExcess || BotResult == SingleCritical) {
949 return BotCandidate.SU;
951 // Check if the top Q has a better candidate.
952 SchedCandidate TopCandidate;
953 CandResult TopResult =
954 pickNodeFromQueue(TopQueue, DAG->getTopRPTracker(), TopCandidate);
955 assert(TopResult != NoCand && "failed to find the first candidate");
957 if (TopResult == SingleExcess || TopResult == SingleCritical) {
959 return TopCandidate.SU;
961 // If either Q has a single candidate that minimizes pressure above the
962 // original region's pressure pick it.
963 if (BotResult == SingleMax) {
965 return BotCandidate.SU;
967 if (TopResult == SingleMax) {
969 return TopCandidate.SU;
971 // Check for a salient pressure difference and pick the best from either side.
972 if (compareRPDelta(TopCandidate.RPDelta, BotCandidate.RPDelta)) {
974 return TopCandidate.SU;
976 // Otherwise prefer the bottom candidate in node order.
978 return BotCandidate.SU;
981 /// Pick the best node to balance the schedule. Implements MachineSchedStrategy.
982 SUnit *ConvergingScheduler::pickNode(bool &IsTopNode) {
983 if (DAG->top() == DAG->bottom()) {
984 assert(TopQueue.empty() && BotQueue.empty() && "ReadyQ garbage");
989 SU = DAG->getSUnit(DAG->top());
992 else if (ForceBottomUp) {
993 SU = DAG->getSUnit(priorNonDebug(DAG->bottom(), DAG->top()));
997 SU = pickNodeBidrectional(IsTopNode);
999 if (SU->isTopReady()) {
1000 assert(!TopQueue.empty() && "bad ready count");
1001 TopQueue.remove(TopQueue.find(SU));
1003 if (SU->isBottomReady()) {
1004 assert(!BotQueue.empty() && "bad ready count");
1005 BotQueue.remove(BotQueue.find(SU));
1010 /// Create the standard converging machine scheduler. This will be used as the
1011 /// default scheduler if the target does not set a default.
1012 static ScheduleDAGInstrs *createConvergingSched(MachineSchedContext *C) {
1013 assert((!ForceTopDown || !ForceBottomUp) &&
1014 "-misched-topdown incompatible with -misched-bottomup");
1015 return new ScheduleDAGMI(C, new ConvergingScheduler());
1017 static MachineSchedRegistry
1018 ConvergingSchedRegistry("converge", "Standard converging scheduler.",
1019 createConvergingSched);
1021 //===----------------------------------------------------------------------===//
1022 // Machine Instruction Shuffler for Correctness Testing
1023 //===----------------------------------------------------------------------===//
1027 /// Apply a less-than relation on the node order, which corresponds to the
1028 /// instruction order prior to scheduling. IsReverse implements greater-than.
1029 template<bool IsReverse>
1031 bool operator()(SUnit *A, SUnit *B) const {
1033 return A->NodeNum > B->NodeNum;
1035 return A->NodeNum < B->NodeNum;
1039 /// Reorder instructions as much as possible.
1040 class InstructionShuffler : public MachineSchedStrategy {
1044 // Using a less-than relation (SUnitOrder<false>) for the TopQ priority
1045 // gives nodes with a higher number higher priority causing the latest
1046 // instructions to be scheduled first.
1047 PriorityQueue<SUnit*, std::vector<SUnit*>, SUnitOrder<false> >
1049 // When scheduling bottom-up, use greater-than as the queue priority.
1050 PriorityQueue<SUnit*, std::vector<SUnit*>, SUnitOrder<true> >
1053 InstructionShuffler(bool alternate, bool topdown)
1054 : IsAlternating(alternate), IsTopDown(topdown) {}
1056 virtual void initialize(ScheduleDAGMI *) {
1061 /// Implement MachineSchedStrategy interface.
1062 /// -----------------------------------------
1064 virtual SUnit *pickNode(bool &IsTopNode) {
1068 if (TopQ.empty()) return NULL;
1071 } while (SU->isScheduled);
1076 if (BottomQ.empty()) return NULL;
1079 } while (SU->isScheduled);
1083 IsTopDown = !IsTopDown;
1087 virtual void releaseTopNode(SUnit *SU) {
1090 virtual void releaseBottomNode(SUnit *SU) {
1096 static ScheduleDAGInstrs *createInstructionShuffler(MachineSchedContext *C) {
1097 bool Alternate = !ForceTopDown && !ForceBottomUp;
1098 bool TopDown = !ForceBottomUp;
1099 assert((TopDown || !ForceTopDown) &&
1100 "-misched-topdown incompatible with -misched-bottomup");
1101 return new ScheduleDAGMI(C, new InstructionShuffler(Alternate, TopDown));
1103 static MachineSchedRegistry ShufflerRegistry(
1104 "shuffle", "Shuffle machine instructions alternating directions",
1105 createInstructionShuffler);