1 //===----- SchedulePostRAList.cpp - list scheduler ------------------------===//
3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4 // See https://llvm.org/LICENSE.txt for license information.
5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
7 //===----------------------------------------------------------------------===//
9 // This implements a top-down list scheduler, using standard algorithms.
10 // The basic approach uses a priority queue of available nodes to schedule.
11 // One at a time, nodes are taken from the priority queue (thus in priority
12 // order), checked for legality to schedule, and emitted if legal.
14 // Nodes may not be legal to schedule either due to structural hazards (e.g.
15 // pipeline or resource constraints) or because an input to the instruction has
16 // not completed execution.
18 //===----------------------------------------------------------------------===//
20 #include "llvm/ADT/Statistic.h"
21 #include "llvm/Analysis/AliasAnalysis.h"
22 #include "llvm/CodeGen/AntiDepBreaker.h"
23 #include "llvm/CodeGen/LatencyPriorityQueue.h"
24 #include "llvm/CodeGen/MachineDominators.h"
25 #include "llvm/CodeGen/MachineFunctionPass.h"
26 #include "llvm/CodeGen/MachineLoopInfo.h"
27 #include "llvm/CodeGen/MachineRegisterInfo.h"
28 #include "llvm/CodeGen/RegisterClassInfo.h"
29 #include "llvm/CodeGen/ScheduleDAGInstrs.h"
30 #include "llvm/CodeGen/ScheduleDAGMutation.h"
31 #include "llvm/CodeGen/ScheduleHazardRecognizer.h"
32 #include "llvm/CodeGen/TargetInstrInfo.h"
33 #include "llvm/CodeGen/TargetPassConfig.h"
34 #include "llvm/CodeGen/TargetSubtargetInfo.h"
35 #include "llvm/Config/llvm-config.h"
36 #include "llvm/InitializePasses.h"
37 #include "llvm/Pass.h"
38 #include "llvm/Support/CommandLine.h"
39 #include "llvm/Support/Debug.h"
40 #include "llvm/Support/ErrorHandling.h"
41 #include "llvm/Support/raw_ostream.h"
44 #define DEBUG_TYPE "post-RA-sched"
46 STATISTIC(NumNoops
, "Number of noops inserted");
47 STATISTIC(NumStalls
, "Number of pipeline stalls");
48 STATISTIC(NumFixedAnti
, "Number of fixed anti-dependencies");
50 // Post-RA scheduling is enabled with
51 // TargetSubtargetInfo.enablePostRAScheduler(). This flag can be used to
52 // override the target.
54 EnablePostRAScheduler("post-RA-scheduler",
55 cl::desc("Enable scheduling after register allocation"),
56 cl::init(false), cl::Hidden
);
57 static cl::opt
<std::string
>
58 EnableAntiDepBreaking("break-anti-dependencies",
59 cl::desc("Break post-RA scheduling anti-dependencies: "
60 "\"critical\", \"all\", or \"none\""),
61 cl::init("none"), cl::Hidden
);
63 // If DebugDiv > 0 then only schedule MBB with (ID % DebugDiv) == DebugMod
65 DebugDiv("postra-sched-debugdiv",
66 cl::desc("Debug control MBBs that are scheduled"),
67 cl::init(0), cl::Hidden
);
69 DebugMod("postra-sched-debugmod",
70 cl::desc("Debug control MBBs that are scheduled"),
71 cl::init(0), cl::Hidden
);
73 AntiDepBreaker::~AntiDepBreaker() = default;
76 class PostRAScheduler
: public MachineFunctionPass
{
77 const TargetInstrInfo
*TII
= nullptr;
78 RegisterClassInfo RegClassInfo
;
82 PostRAScheduler() : MachineFunctionPass(ID
) {}
84 void getAnalysisUsage(AnalysisUsage
&AU
) const override
{
86 AU
.addRequired
<AAResultsWrapperPass
>();
87 AU
.addRequired
<TargetPassConfig
>();
88 AU
.addRequired
<MachineDominatorTreeWrapperPass
>();
89 AU
.addPreserved
<MachineDominatorTreeWrapperPass
>();
90 AU
.addRequired
<MachineLoopInfoWrapperPass
>();
91 AU
.addPreserved
<MachineLoopInfoWrapperPass
>();
92 MachineFunctionPass::getAnalysisUsage(AU
);
95 MachineFunctionProperties
getRequiredProperties() const override
{
96 return MachineFunctionProperties().set(
97 MachineFunctionProperties::Property::NoVRegs
);
100 bool runOnMachineFunction(MachineFunction
&Fn
) override
;
102 char PostRAScheduler::ID
= 0;
104 class SchedulePostRATDList
: public ScheduleDAGInstrs
{
105 /// AvailableQueue - The priority queue to use for the available SUnits.
107 LatencyPriorityQueue AvailableQueue
;
109 /// PendingQueue - This contains all of the instructions whose operands have
110 /// been issued, but their results are not ready yet (due to the latency of
111 /// the operation). Once the operands becomes available, the instruction is
112 /// added to the AvailableQueue.
113 std::vector
<SUnit
*> PendingQueue
;
115 /// HazardRec - The hazard recognizer to use.
116 ScheduleHazardRecognizer
*HazardRec
;
118 /// AntiDepBreak - Anti-dependence breaking object, or NULL if none
119 AntiDepBreaker
*AntiDepBreak
;
121 /// AA - AliasAnalysis for making memory reference queries.
124 /// The schedule. Null SUnit*'s represent noop instructions.
125 std::vector
<SUnit
*> Sequence
;
127 /// Ordered list of DAG postprocessing steps.
128 std::vector
<std::unique_ptr
<ScheduleDAGMutation
>> Mutations
;
130 /// The index in BB of RegionEnd.
132 /// This is the instruction number from the top of the current block, not
133 /// the SlotIndex. It is only used by the AntiDepBreaker.
134 unsigned EndIndex
= 0;
137 SchedulePostRATDList(
138 MachineFunction
&MF
, MachineLoopInfo
&MLI
, AliasAnalysis
*AA
,
139 const RegisterClassInfo
&,
140 TargetSubtargetInfo::AntiDepBreakMode AntiDepMode
,
141 SmallVectorImpl
<const TargetRegisterClass
*> &CriticalPathRCs
);
143 ~SchedulePostRATDList() override
;
145 /// startBlock - Initialize register live-range state for scheduling in
148 void startBlock(MachineBasicBlock
*BB
) override
;
150 // Set the index of RegionEnd within the current BB.
151 void setEndIndex(unsigned EndIdx
) { EndIndex
= EndIdx
; }
153 /// Initialize the scheduler state for the next scheduling region.
154 void enterRegion(MachineBasicBlock
*bb
,
155 MachineBasicBlock::iterator begin
,
156 MachineBasicBlock::iterator end
,
157 unsigned regioninstrs
) override
;
159 /// Notify that the scheduler has finished scheduling the current region.
160 void exitRegion() override
;
162 /// Schedule - Schedule the instruction range using list scheduling.
164 void schedule() override
;
168 /// Observe - Update liveness information to account for the current
169 /// instruction, which will not be scheduled.
171 void Observe(MachineInstr
&MI
, unsigned Count
);
173 /// finishBlock - Clean up register live-range state.
175 void finishBlock() override
;
178 /// Apply each ScheduleDAGMutation step in order.
179 void postProcessDAG();
181 void ReleaseSucc(SUnit
*SU
, SDep
*SuccEdge
);
182 void ReleaseSuccessors(SUnit
*SU
);
183 void ScheduleNodeTopDown(SUnit
*SU
, unsigned CurCycle
);
184 void ListScheduleTopDown();
186 void dumpSchedule() const;
187 void emitNoop(unsigned CurCycle
);
191 char &llvm::PostRASchedulerID
= PostRAScheduler::ID
;
193 INITIALIZE_PASS(PostRAScheduler
, DEBUG_TYPE
,
194 "Post RA top-down list latency scheduler", false, false)
196 SchedulePostRATDList::SchedulePostRATDList(
197 MachineFunction
&MF
, MachineLoopInfo
&MLI
, AliasAnalysis
*AA
,
198 const RegisterClassInfo
&RCI
,
199 TargetSubtargetInfo::AntiDepBreakMode AntiDepMode
,
200 SmallVectorImpl
<const TargetRegisterClass
*> &CriticalPathRCs
)
201 : ScheduleDAGInstrs(MF
, &MLI
), AA(AA
) {
203 const InstrItineraryData
*InstrItins
=
204 MF
.getSubtarget().getInstrItineraryData();
206 MF
.getSubtarget().getInstrInfo()->CreateTargetPostRAHazardRecognizer(
208 MF
.getSubtarget().getPostRAMutations(Mutations
);
210 assert((AntiDepMode
== TargetSubtargetInfo::ANTIDEP_NONE
||
211 MRI
.tracksLiveness()) &&
212 "Live-ins must be accurate for anti-dependency breaking");
213 AntiDepBreak
= ((AntiDepMode
== TargetSubtargetInfo::ANTIDEP_ALL
)
214 ? createAggressiveAntiDepBreaker(MF
, RCI
, CriticalPathRCs
)
215 : ((AntiDepMode
== TargetSubtargetInfo::ANTIDEP_CRITICAL
)
216 ? createCriticalAntiDepBreaker(MF
, RCI
)
220 SchedulePostRATDList::~SchedulePostRATDList() {
225 /// Initialize state associated with the next scheduling region.
226 void SchedulePostRATDList::enterRegion(MachineBasicBlock
*bb
,
227 MachineBasicBlock::iterator begin
,
228 MachineBasicBlock::iterator end
,
229 unsigned regioninstrs
) {
230 ScheduleDAGInstrs::enterRegion(bb
, begin
, end
, regioninstrs
);
234 /// Print the schedule before exiting the region.
235 void SchedulePostRATDList::exitRegion() {
237 dbgs() << "*** Final schedule ***\n";
241 ScheduleDAGInstrs::exitRegion();
244 #if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
245 /// dumpSchedule - dump the scheduled Sequence.
246 LLVM_DUMP_METHOD
void SchedulePostRATDList::dumpSchedule() const {
247 for (const SUnit
*SU
: Sequence
) {
251 dbgs() << "**** NOOP ****\n";
256 static bool enablePostRAScheduler(const TargetSubtargetInfo
&ST
,
257 CodeGenOptLevel OptLevel
) {
258 // Check for explicit enable/disable of post-ra scheduling.
259 if (EnablePostRAScheduler
.getPosition() > 0)
260 return EnablePostRAScheduler
;
262 return ST
.enablePostRAScheduler() &&
263 OptLevel
>= ST
.getOptLevelToEnablePostRAScheduler();
266 bool PostRAScheduler::runOnMachineFunction(MachineFunction
&Fn
) {
267 if (skipFunction(Fn
.getFunction()))
270 const auto &Subtarget
= Fn
.getSubtarget();
271 TargetPassConfig
*PassConfig
= &getAnalysis
<TargetPassConfig
>();
272 // Check that post-RA scheduling is enabled for this target.
273 if (!enablePostRAScheduler(Subtarget
, PassConfig
->getOptLevel()))
276 TII
= Subtarget
.getInstrInfo();
277 MachineLoopInfo
&MLI
= getAnalysis
<MachineLoopInfoWrapperPass
>().getLI();
278 AliasAnalysis
*AA
= &getAnalysis
<AAResultsWrapperPass
>().getAAResults();
279 TargetSubtargetInfo::AntiDepBreakMode AntiDepMode
=
280 Subtarget
.getAntiDepBreakMode();
281 if (EnableAntiDepBreaking
.getPosition() > 0) {
282 AntiDepMode
= (EnableAntiDepBreaking
== "all")
283 ? TargetSubtargetInfo::ANTIDEP_ALL
284 : ((EnableAntiDepBreaking
== "critical")
285 ? TargetSubtargetInfo::ANTIDEP_CRITICAL
286 : TargetSubtargetInfo::ANTIDEP_NONE
);
288 SmallVector
<const TargetRegisterClass
*, 4> CriticalPathRCs
;
289 Subtarget
.getCriticalPathRCs(CriticalPathRCs
);
290 RegClassInfo
.runOnMachineFunction(Fn
);
292 LLVM_DEBUG(dbgs() << "PostRAScheduler\n");
294 SchedulePostRATDList
Scheduler(Fn
, MLI
, AA
, RegClassInfo
, AntiDepMode
,
297 // Loop over all of the basic blocks
298 for (auto &MBB
: Fn
) {
300 // If DebugDiv > 0 then only schedule MBB with (ID % DebugDiv) == DebugMod
302 static int bbcnt
= 0;
303 if (bbcnt
++ % DebugDiv
!= DebugMod
)
305 dbgs() << "*** DEBUG scheduling " << Fn
.getName() << ":"
306 << printMBBReference(MBB
) << " ***\n";
310 // Initialize register live-range state for scheduling in this block.
311 Scheduler
.startBlock(&MBB
);
313 // Schedule each sequence of instructions not interrupted by a label
314 // or anything else that effectively needs to shut down scheduling.
315 MachineBasicBlock::iterator Current
= MBB
.end();
316 unsigned Count
= MBB
.size(), CurrentCount
= Count
;
317 for (MachineBasicBlock::iterator I
= Current
; I
!= MBB
.begin();) {
318 MachineInstr
&MI
= *std::prev(I
);
320 // Calls are not scheduling boundaries before register allocation, but
321 // post-ra we don't gain anything by scheduling across calls since we
322 // don't need to worry about register pressure.
323 if (MI
.isCall() || TII
->isSchedulingBoundary(MI
, &MBB
, Fn
)) {
324 Scheduler
.enterRegion(&MBB
, I
, Current
, CurrentCount
- Count
);
325 Scheduler
.setEndIndex(CurrentCount
);
326 Scheduler
.schedule();
327 Scheduler
.exitRegion();
328 Scheduler
.EmitSchedule();
330 CurrentCount
= Count
;
331 Scheduler
.Observe(MI
, CurrentCount
);
335 Count
-= MI
.getBundleSize();
337 assert(Count
== 0 && "Instruction count mismatch!");
338 assert((MBB
.begin() == Current
|| CurrentCount
!= 0) &&
339 "Instruction count mismatch!");
340 Scheduler
.enterRegion(&MBB
, MBB
.begin(), Current
, CurrentCount
);
341 Scheduler
.setEndIndex(CurrentCount
);
342 Scheduler
.schedule();
343 Scheduler
.exitRegion();
344 Scheduler
.EmitSchedule();
346 // Clean up register live-range state.
347 Scheduler
.finishBlock();
349 // Update register kills
350 Scheduler
.fixupKills(MBB
);
356 /// StartBlock - Initialize register live-range state for scheduling in
359 void SchedulePostRATDList::startBlock(MachineBasicBlock
*BB
) {
360 // Call the superclass.
361 ScheduleDAGInstrs::startBlock(BB
);
363 // Reset the hazard recognizer and anti-dep breaker.
366 AntiDepBreak
->StartBlock(BB
);
369 /// Schedule - Schedule the instruction range using list scheduling.
371 void SchedulePostRATDList::schedule() {
372 // Build the scheduling graph.
377 AntiDepBreak
->BreakAntiDependencies(SUnits
, RegionBegin
, RegionEnd
,
378 EndIndex
, DbgValues
);
381 // We made changes. Update the dependency graph.
382 // Theoretically we could update the graph in place:
383 // When a live range is changed to use a different register, remove
384 // the def's anti-dependence *and* output-dependence edges due to
385 // that register, and add new anti-dependence and output-dependence
386 // edges based on the next live range of the register.
387 ScheduleDAG::clearDAG();
390 NumFixedAnti
+= Broken
;
396 LLVM_DEBUG(dbgs() << "********** List Scheduling **********\n");
399 AvailableQueue
.initNodes(SUnits
);
400 ListScheduleTopDown();
401 AvailableQueue
.releaseState();
404 /// Observe - Update liveness information to account for the current
405 /// instruction, which will not be scheduled.
407 void SchedulePostRATDList::Observe(MachineInstr
&MI
, unsigned Count
) {
409 AntiDepBreak
->Observe(MI
, Count
, EndIndex
);
412 /// FinishBlock - Clean up register live-range state.
414 void SchedulePostRATDList::finishBlock() {
416 AntiDepBreak
->FinishBlock();
418 // Call the superclass.
419 ScheduleDAGInstrs::finishBlock();
422 /// Apply each ScheduleDAGMutation step in order.
423 void SchedulePostRATDList::postProcessDAG() {
424 for (auto &M
: Mutations
)
428 //===----------------------------------------------------------------------===//
429 // Top-Down Scheduling
430 //===----------------------------------------------------------------------===//
432 /// ReleaseSucc - Decrement the NumPredsLeft count of a successor. Add it to
433 /// the PendingQueue if the count reaches zero.
434 void SchedulePostRATDList::ReleaseSucc(SUnit
*SU
, SDep
*SuccEdge
) {
435 SUnit
*SuccSU
= SuccEdge
->getSUnit();
437 if (SuccEdge
->isWeak()) {
438 --SuccSU
->WeakPredsLeft
;
442 if (SuccSU
->NumPredsLeft
== 0) {
443 dbgs() << "*** Scheduling failed! ***\n";
445 dbgs() << " has been released too many times!\n";
446 llvm_unreachable(nullptr);
449 --SuccSU
->NumPredsLeft
;
451 // Standard scheduler algorithms will recompute the depth of the successor
453 // SuccSU->setDepthToAtLeast(SU->getDepth() + SuccEdge->getLatency());
455 // However, we lazily compute node depth instead. Note that
456 // ScheduleNodeTopDown has already updated the depth of this node which causes
457 // all descendents to be marked dirty. Setting the successor depth explicitly
458 // here would cause depth to be recomputed for all its ancestors. If the
459 // successor is not yet ready (because of a transitively redundant edge) then
460 // this causes depth computation to be quadratic in the size of the DAG.
462 // If all the node's predecessors are scheduled, this node is ready
463 // to be scheduled. Ignore the special ExitSU node.
464 if (SuccSU
->NumPredsLeft
== 0 && SuccSU
!= &ExitSU
)
465 PendingQueue
.push_back(SuccSU
);
468 /// ReleaseSuccessors - Call ReleaseSucc on each of SU's successors.
469 void SchedulePostRATDList::ReleaseSuccessors(SUnit
*SU
) {
470 for (SUnit::succ_iterator I
= SU
->Succs
.begin(), E
= SU
->Succs
.end();
472 ReleaseSucc(SU
, &*I
);
476 /// ScheduleNodeTopDown - Add the node to the schedule. Decrement the pending
477 /// count of its successors. If a successor pending count is zero, add it to
478 /// the Available queue.
479 void SchedulePostRATDList::ScheduleNodeTopDown(SUnit
*SU
, unsigned CurCycle
) {
480 LLVM_DEBUG(dbgs() << "*** Scheduling [" << CurCycle
<< "]: ");
481 LLVM_DEBUG(dumpNode(*SU
));
483 Sequence
.push_back(SU
);
484 assert(CurCycle
>= SU
->getDepth() &&
485 "Node scheduled above its depth!");
486 SU
->setDepthToAtLeast(CurCycle
);
488 ReleaseSuccessors(SU
);
489 SU
->isScheduled
= true;
490 AvailableQueue
.scheduledNode(SU
);
493 /// emitNoop - Add a noop to the current instruction sequence.
494 void SchedulePostRATDList::emitNoop(unsigned CurCycle
) {
495 LLVM_DEBUG(dbgs() << "*** Emitting noop in cycle " << CurCycle
<< '\n');
496 HazardRec
->EmitNoop();
497 Sequence
.push_back(nullptr); // NULL here means noop
501 /// ListScheduleTopDown - The main loop of list scheduling for top-down
503 void SchedulePostRATDList::ListScheduleTopDown() {
504 unsigned CurCycle
= 0;
506 // We're scheduling top-down but we're visiting the regions in
507 // bottom-up order, so we don't know the hazards at the start of a
508 // region. So assume no hazards (this should usually be ok as most
509 // blocks are a single region).
512 // Release any successors of the special Entry node.
513 ReleaseSuccessors(&EntrySU
);
515 // Add all leaves to Available queue.
516 for (SUnit
&SUnit
: SUnits
) {
517 // It is available if it has no predecessors.
518 if (!SUnit
.NumPredsLeft
&& !SUnit
.isAvailable
) {
519 AvailableQueue
.push(&SUnit
);
520 SUnit
.isAvailable
= true;
524 // In any cycle where we can't schedule any instructions, we must
525 // stall or emit a noop, depending on the target.
526 bool CycleHasInsts
= false;
528 // While Available queue is not empty, grab the node with the highest
529 // priority. If it is not ready put it back. Schedule the node.
530 std::vector
<SUnit
*> NotReady
;
531 Sequence
.reserve(SUnits
.size());
532 while (!AvailableQueue
.empty() || !PendingQueue
.empty()) {
533 // Check to see if any of the pending instructions are ready to issue. If
534 // so, add them to the available queue.
535 unsigned MinDepth
= ~0u;
536 for (unsigned i
= 0, e
= PendingQueue
.size(); i
!= e
; ++i
) {
537 if (PendingQueue
[i
]->getDepth() <= CurCycle
) {
538 AvailableQueue
.push(PendingQueue
[i
]);
539 PendingQueue
[i
]->isAvailable
= true;
540 PendingQueue
[i
] = PendingQueue
.back();
541 PendingQueue
.pop_back();
543 } else if (PendingQueue
[i
]->getDepth() < MinDepth
)
544 MinDepth
= PendingQueue
[i
]->getDepth();
547 LLVM_DEBUG(dbgs() << "\n*** Examining Available\n";
548 AvailableQueue
.dump(this));
550 SUnit
*FoundSUnit
= nullptr, *NotPreferredSUnit
= nullptr;
551 bool HasNoopHazards
= false;
552 while (!AvailableQueue
.empty()) {
553 SUnit
*CurSUnit
= AvailableQueue
.pop();
555 ScheduleHazardRecognizer::HazardType HT
=
556 HazardRec
->getHazardType(CurSUnit
, 0/*no stalls*/);
557 if (HT
== ScheduleHazardRecognizer::NoHazard
) {
558 if (HazardRec
->ShouldPreferAnother(CurSUnit
)) {
559 if (!NotPreferredSUnit
) {
560 // If this is the first non-preferred node for this cycle, then
561 // record it and continue searching for a preferred node. If this
562 // is not the first non-preferred node, then treat it as though
563 // there had been a hazard.
564 NotPreferredSUnit
= CurSUnit
;
568 FoundSUnit
= CurSUnit
;
573 // Remember if this is a noop hazard.
574 HasNoopHazards
|= HT
== ScheduleHazardRecognizer::NoopHazard
;
576 NotReady
.push_back(CurSUnit
);
579 // If we have a non-preferred node, push it back onto the available list.
580 // If we did not find a preferred node, then schedule this first
581 // non-preferred node.
582 if (NotPreferredSUnit
) {
585 dbgs() << "*** Will schedule a non-preferred instruction...\n");
586 FoundSUnit
= NotPreferredSUnit
;
588 AvailableQueue
.push(NotPreferredSUnit
);
591 NotPreferredSUnit
= nullptr;
594 // Add the nodes that aren't ready back onto the available list.
595 if (!NotReady
.empty()) {
596 AvailableQueue
.push_all(NotReady
);
600 // If we found a node to schedule...
602 // If we need to emit noops prior to this instruction, then do so.
603 unsigned NumPreNoops
= HazardRec
->PreEmitNoops(FoundSUnit
);
604 for (unsigned i
= 0; i
!= NumPreNoops
; ++i
)
607 // ... schedule the node...
608 ScheduleNodeTopDown(FoundSUnit
, CurCycle
);
609 HazardRec
->EmitInstruction(FoundSUnit
);
610 CycleHasInsts
= true;
611 if (HazardRec
->atIssueLimit()) {
612 LLVM_DEBUG(dbgs() << "*** Max instructions per cycle " << CurCycle
614 HazardRec
->AdvanceCycle();
616 CycleHasInsts
= false;
620 LLVM_DEBUG(dbgs() << "*** Finished cycle " << CurCycle
<< '\n');
621 HazardRec
->AdvanceCycle();
622 } else if (!HasNoopHazards
) {
623 // Otherwise, we have a pipeline stall, but no other problem,
624 // just advance the current cycle and try again.
625 LLVM_DEBUG(dbgs() << "*** Stall in cycle " << CurCycle
<< '\n');
626 HazardRec
->AdvanceCycle();
629 // Otherwise, we have no instructions to issue and we have instructions
630 // that will fault if we don't do this right. This is the case for
631 // processors without pipeline interlocks and other cases.
636 CycleHasInsts
= false;
641 unsigned ScheduledNodes
= VerifyScheduledDAG(/*isBottomUp=*/false);
642 unsigned Noops
= llvm::count(Sequence
, nullptr);
643 assert(Sequence
.size() - Noops
== ScheduledNodes
&&
644 "The number of nodes scheduled doesn't match the expected number!");
648 // EmitSchedule - Emit the machine code in scheduled order.
649 void SchedulePostRATDList::EmitSchedule() {
650 RegionBegin
= RegionEnd
;
652 // If first instruction was a DBG_VALUE then put it back.
654 BB
->splice(RegionEnd
, BB
, FirstDbgValue
);
656 // Then re-insert them according to the given schedule.
657 for (unsigned i
= 0, e
= Sequence
.size(); i
!= e
; i
++) {
658 if (SUnit
*SU
= Sequence
[i
])
659 BB
->splice(RegionEnd
, BB
, SU
->getInstr());
661 // Null SUnit* is a noop.
662 TII
->insertNoop(*BB
, RegionEnd
);
664 // Update the Begin iterator, as the first instruction in the block
665 // may have been scheduled later.
667 RegionBegin
= std::prev(RegionEnd
);
670 // Reinsert any remaining debug_values.
671 for (std::vector
<std::pair
<MachineInstr
*, MachineInstr
*> >::iterator
672 DI
= DbgValues
.end(), DE
= DbgValues
.begin(); DI
!= DE
; --DI
) {
673 std::pair
<MachineInstr
*, MachineInstr
*> P
= *std::prev(DI
);
674 MachineInstr
*DbgValue
= P
.first
;
675 MachineBasicBlock::iterator OrigPrivMI
= P
.second
;
676 BB
->splice(++OrigPrivMI
, BB
, DbgValue
);
679 FirstDbgValue
= nullptr;