72#include "llvm/Config/llvm-config.h"
101#define DEBUG_TYPE "pipeliner"
103STATISTIC(NumTrytoPipeline,
"Number of loops that we attempt to pipeline");
104STATISTIC(NumPipelined,
"Number of loops software pipelined");
105STATISTIC(NumNodeOrderIssues,
"Number of node order issues found");
106STATISTIC(NumFailBranch,
"Pipeliner abort due to unknown branch");
107STATISTIC(NumFailLoop,
"Pipeliner abort due to unsupported loop");
108STATISTIC(NumFailPreheader,
"Pipeliner abort due to missing preheader");
109STATISTIC(NumFailLargeMaxMII,
"Pipeliner abort due to MaxMII too large");
110STATISTIC(NumFailZeroMII,
"Pipeliner abort due to zero MII");
111STATISTIC(NumFailNoSchedule,
"Pipeliner abort due to no schedule found");
112STATISTIC(NumFailZeroStage,
"Pipeliner abort due to zero stage");
113STATISTIC(NumFailLargeMaxStage,
"Pipeliner abort due to too many stages");
114STATISTIC(NumFailTooManyStores,
"Pipeliner abort due to too many stores");
118 cl::desc(
"Enable Software Pipelining"));
127 cl::desc(
"Size limit for the MII."),
133 cl::desc(
"Force pipeliner to use specified II."),
139 cl::desc(
"Maximum stages allowed in the generated scheduled."),
146 cl::desc(
"Prune dependences between unrelated Phi nodes."),
153 cl::desc(
"Prune loop carried order dependences."),
171 cl::desc(
"Instead of emitting the pipelined code, annotate instructions "
172 "with the generated schedule for feeding into the "
173 "-modulo-schedule-test pass"));
178 "Use the experimental peeling code generator for software pipelining"));
186 cl::desc(
"Limit register pressure of scheduled loop"));
191 cl::desc(
"Margin representing the unused percentage of "
192 "the register pressure limit"));
196 cl::desc(
"Use the MVE code generator for software pipelining"));
201 "pipeliner-max-num-stores",
209 cl::desc(
"Enable CopyToPhi DAG Mutation"));
214 "pipeliner-force-issue-width",
221 cl::desc(
"Set how to use window scheduling algorithm."),
223 "Turn off window algorithm."),
225 "Use window algorithm after SMS algorithm fails."),
227 "Use window algorithm instead of SMS algorithm.")));
229unsigned SwingSchedulerDAG::Circuits::MaxPaths = 5;
237 "Modulo Software Pipelining",
false,
false)
279 enum class InstrTag {
288 TaggedSUnit(
SUnit *SU, InstrTag Tag)
291 InstrTag
getTag()
const {
return InstrTag(getInt()); }
296 struct NoBarrierInstsChunk {
301 void append(
SUnit *SU);
306 std::vector<SUnit> &SUnits;
312 std::vector<BitVector> LoopCarried;
325 std::vector<TaggedSUnit> TaggedSUnits;
339 return LoopCarried[Idx];
344 std::optional<InstrTag> getInstrTag(
SUnit *SU)
const;
346 void addLoopCarriedDepenenciesForChunks(
const NoBarrierInstsChunk &From,
347 const NoBarrierInstsChunk &To);
354 void computeDependenciesAux();
356 void setLoopCarriedDep(
const SUnit *Src,
const SUnit *Dst) {
357 LoopCarried[Src->NodeNum].set(Dst->NodeNum);
389 TII =
MF->getSubtarget().getInstrInfo();
392 for (
const auto &L : *
MLI)
402bool MachinePipeliner::scheduleLoop(
MachineLoop &L) {
404 for (
const auto &InnerLoop : L)
405 Changed |= scheduleLoop(*InnerLoop);
417 setPragmaPipelineOptions(L);
418 if (!canPipelineLoop(L)) {
422 L.getStartLoc(), L.getHeader())
423 <<
"Failed to pipeline loop";
426 LI.LoopPipelinerInfo.reset();
431 if (useSwingModuloScheduler())
432 Changed = swingModuloScheduler(L);
434 if (useWindowScheduler(
Changed))
435 Changed = runWindowScheduler(L);
437 LI.LoopPipelinerInfo.reset();
441void MachinePipeliner::setPragmaPipelineOptions(
MachineLoop &L) {
446 MachineBasicBlock *LBLK =
L.getTopBlock();
459 MDNode *LoopID = TI->
getMetadata(LLVMContext::MD_loop);
460 if (LoopID ==
nullptr)
477 if (S->
getString() ==
"llvm.loop.pipeline.initiationinterval") {
479 "Pipeline initiation interval hint metadata should have two operands.");
483 }
else if (S->
getString() ==
"llvm.loop.pipeline.disable") {
496 auto It = PhiDeps.find(
Reg);
497 if (It == PhiDeps.end())
508 for (
unsigned Dep : It->second) {
523 unsigned DefReg =
MI.getOperand(0).getReg();
527 for (
unsigned I = 1;
I <
MI.getNumOperands();
I += 2)
528 Ins->second.push_back(
MI.getOperand(
I).getReg());
535 for (
const auto &KV : PhiDeps) {
536 unsigned Reg = KV.first;
547bool MachinePipeliner::canPipelineLoop(
MachineLoop &L) {
548 if (
L.getNumBlocks() != 1) {
550 return MachineOptimizationRemarkAnalysis(
DEBUG_TYPE,
"canPipelineLoop",
551 L.getStartLoc(),
L.getHeader())
552 <<
"Not a single basic block: "
553 <<
ore::NV(
"NumBlocks",
L.getNumBlocks());
565 return MachineOptimizationRemarkAnalysis(
DEBUG_TYPE,
"canPipelineLoop",
566 L.getStartLoc(),
L.getHeader())
567 <<
"Disabled by Pragma.";
577 if (
TII->analyzeBranch(*
L.getHeader(),
LI.TBB,
LI.FBB,
LI.BrCond)) {
578 LLVM_DEBUG(
dbgs() <<
"Unable to analyzeBranch, can NOT pipeline Loop\n");
581 return MachineOptimizationRemarkAnalysis(
DEBUG_TYPE,
"canPipelineLoop",
582 L.getStartLoc(),
L.getHeader())
583 <<
"The branch can't be understood";
588 LI.LoopInductionVar =
nullptr;
589 LI.LoopCompare =
nullptr;
590 LI.LoopPipelinerInfo =
TII->analyzeLoopForPipelining(
L.getTopBlock());
591 if (!
LI.LoopPipelinerInfo) {
592 LLVM_DEBUG(
dbgs() <<
"Unable to analyzeLoop, can NOT pipeline Loop\n");
595 return MachineOptimizationRemarkAnalysis(
DEBUG_TYPE,
"canPipelineLoop",
596 L.getStartLoc(),
L.getHeader())
597 <<
"The loop structure is not supported";
602 if (!
L.getLoopPreheader()) {
603 LLVM_DEBUG(
dbgs() <<
"Preheader not found, can NOT pipeline Loop\n");
606 return MachineOptimizationRemarkAnalysis(
DEBUG_TYPE,
"canPipelineLoop",
607 L.getStartLoc(),
L.getHeader())
608 <<
"No loop preheader found";
613 unsigned NumStores = 0;
614 for (MachineInstr &
MI : *
L.getHeader())
619 NumFailTooManyStores++;
621 return MachineOptimizationRemarkAnalysis(
DEBUG_TYPE,
"canPipelineLoop",
622 L.getStartLoc(),
L.getHeader())
623 <<
"Too many store instructions in the loop: "
624 <<
ore::NV(
"NumStores", NumStores) <<
" > "
631 preprocessPhiNodes(*
L.getHeader());
636 MachineRegisterInfo &MRI =
MF->getRegInfo();
640 for (MachineInstr &PI :
B.phis()) {
641 MachineOperand &DefOp = PI.getOperand(0);
645 for (
unsigned i = 1, n = PI.getNumOperands(); i != n; i += 2) {
646 MachineOperand &RegOp = PI.getOperand(i);
653 MachineBasicBlock &PredB = *PI.getOperand(i+1).getMBB();
670bool MachinePipeliner::swingModuloScheduler(
MachineLoop &L) {
671 assert(
L.getBlocks().size() == 1 &&
"SMS works on single blocks only.");
674 SwingSchedulerDAG SMS(
678 MachineBasicBlock *
MBB =
L.getHeader();
696 return SMS.hasNewSchedule();
710bool MachinePipeliner::runWindowScheduler(
MachineLoop &L) {
718 Context.RegClassInfo->runOnMachineFunction(*
MF);
723bool MachinePipeliner::useSwingModuloScheduler() {
728bool MachinePipeliner::useWindowScheduler(
bool Changed) {
735 "llvm.loop.pipeline.initiationinterval is set.\n");
743void SwingSchedulerDAG::setMII(
unsigned ResMII,
unsigned RecMII) {
746 else if (II_setByPragma > 0)
747 MII = II_setByPragma;
749 MII = std::max(ResMII, RecMII);
752void SwingSchedulerDAG::setMAX_II() {
755 else if (II_setByPragma > 0)
756 MAX_II = II_setByPragma;
766 updatePhiDependences();
767 Topo.InitDAGTopologicalSorting();
773 dbgs() <<
"===== Loop Carried Edges Begin =====\n";
776 dbgs() <<
"===== Loop Carried Edges End =====\n";
779 NodeSetType NodeSets;
780 findCircuits(NodeSets);
781 NodeSetType Circuits = NodeSets;
784 unsigned ResMII = calculateResMII();
785 unsigned RecMII = calculateRecMII(NodeSets);
793 setMII(ResMII, RecMII);
797 <<
" (rec=" << RecMII <<
", res=" << ResMII <<
")\n");
803 Pass.ORE->emit([&]() {
805 DEBUG_TYPE,
"schedule", Loop.getStartLoc(), Loop.getHeader())
806 <<
"Invalid Minimal Initiation Interval: 0";
814 <<
", we don't pipeline large loops\n");
815 NumFailLargeMaxMII++;
816 Pass.ORE->emit([&]() {
818 DEBUG_TYPE,
"schedule", Loop.getStartLoc(), Loop.getHeader())
819 <<
"Minimal Initiation Interval too large: "
820 <<
ore::NV(
"MII", (
int)MII) <<
" > "
822 <<
"Refer to -pipeliner-max-mii.";
827 computeNodeFunctions(NodeSets);
829 registerPressureFilter(NodeSets);
831 colocateNodeSets(NodeSets);
833 checkNodeSets(NodeSets);
836 for (
auto &
I : NodeSets) {
837 dbgs() <<
" Rec NodeSet ";
844 groupRemainingNodes(NodeSets);
846 removeDuplicateNodes(NodeSets);
849 for (
auto &
I : NodeSets) {
850 dbgs() <<
" NodeSet ";
855 computeNodeOrder(NodeSets);
858 checkValidNodeOrder(Circuits);
861 Scheduled = schedulePipeline(Schedule);
866 Pass.ORE->emit([&]() {
868 DEBUG_TYPE,
"schedule", Loop.getStartLoc(), Loop.getHeader())
869 <<
"Unable to find schedule";
876 if (numStages == 0) {
879 Pass.ORE->emit([&]() {
881 DEBUG_TYPE,
"schedule", Loop.getStartLoc(), Loop.getHeader())
882 <<
"No need to pipeline - no overlapped iterations in schedule.";
889 <<
" : too many stages, abort\n");
890 NumFailLargeMaxStage++;
891 Pass.ORE->emit([&]() {
893 DEBUG_TYPE,
"schedule", Loop.getStartLoc(), Loop.getHeader())
894 <<
"Too many stages in schedule: "
895 <<
ore::NV(
"numStages", (
int)numStages) <<
" > "
897 <<
". Refer to -pipeliner-max-stages.";
902 Pass.ORE->emit([&]() {
905 <<
"Pipelined succesfully!";
910 std::vector<MachineInstr *> OrderedInsts;
914 OrderedInsts.push_back(SU->getInstr());
915 Cycles[SU->getInstr()] =
Cycle;
920 for (
auto &KV : NewMIs) {
921 Cycles[KV.first] = Cycles[KV.second];
922 Stages[KV.first] = Stages[KV.second];
923 NewInstrChanges[KV.first] = InstrChanges[
getSUnit(KV.first)];
930 "Cannot serialize a schedule with InstrChanges!");
940 LoopPipelinerInfo->isMVEExpanderSupported() &&
954 for (
auto &KV : NewMIs)
955 MF.deleteMachineInstr(KV.second);
966 assert(Phi.isPHI() &&
"Expecting a Phi.");
970 for (
unsigned i = 1, e = Phi.getNumOperands(); i != e; i += 2)
971 if (Phi.getOperand(i + 1).getMBB() !=
Loop)
972 InitVal = Phi.getOperand(i).getReg();
974 LoopVal = Phi.getOperand(i).getReg();
976 assert(InitVal && LoopVal &&
"Unexpected Phi structure.");
982 for (
unsigned i = 1, e = Phi.getNumOperands(); i != e; i += 2)
983 if (Phi.getOperand(i + 1).getMBB() == LoopBB)
984 return Phi.getOperand(i).getReg();
993 while (!Worklist.
empty()) {
995 for (
const auto &
SI : SU->
Succs) {
998 if (Visited.
count(SuccSU))
1011 if (!getUnderlyingObjects())
1036bool SUnitWithMemInfo::getUnderlyingObjects() {
1038 if (!
MI->hasOneMemOperand())
1056 const SUnitWithMemInfo &Dst,
1061 if (Src.isTriviallyDisjoint(Dst))
1075 if (Src.isUnknown() || Dst.isUnknown())
1077 if (Src.MemOpValue == Dst.MemOpValue && Src.MemOpOffset <= Dst.MemOpOffset)
1088 for (
const Value *SrcObj : Src.UnderlyingObjs)
1089 for (
const Value *DstObj : Dst.UnderlyingObjs)
1097void LoopCarriedOrderDepsTracker::NoBarrierInstsChunk::append(SUnit *SU) {
1100 Stores.emplace_back(SU);
1101 else if (
MI->mayLoad())
1102 Loads.emplace_back(SU);
1103 else if (
MI->mayRaiseFPException())
1104 FPExceptions.emplace_back(SU);
1112 : DAG(SSD), BAA(BAA), SUnits(DAG->SUnits), N(SUnits.
size()),
1113 LoopCarried(N,
BitVector(N)), TII(TII), TRI(TRI) {}
1117 for (
auto &SU : SUnits) {
1118 auto Tagged = getInstrTag(&SU);
1123 TaggedSUnits.emplace_back(&SU, *Tagged);
1126 computeDependenciesAux();
1129std::optional<LoopCarriedOrderDepsTracker::InstrTag>
1130LoopCarriedOrderDepsTracker::getInstrTag(
SUnit *SU)
const {
1132 if (
TII->isGlobalMemoryObject(
MI))
1133 return InstrTag::Barrier;
1135 if (
MI->mayStore() ||
1136 (
MI->mayLoad() && !
MI->isDereferenceableInvariantLoad()))
1137 return InstrTag::LoadOrStore;
1139 if (
MI->mayRaiseFPException())
1140 return InstrTag::FPExceptions;
1142 return std::nullopt;
1145void LoopCarriedOrderDepsTracker::addDependenciesBetweenSUs(
1146 const SUnitWithMemInfo &Src,
const SUnitWithMemInfo &Dst) {
1148 if (Src.SU == Dst.SU)
1152 setLoopCarriedDep(Src.SU, Dst.SU);
1155void LoopCarriedOrderDepsTracker::addLoopCarriedDepenenciesForChunks(
1156 const NoBarrierInstsChunk &From,
const NoBarrierInstsChunk &To) {
1158 for (
const SUnitWithMemInfo &Src : From.Loads)
1159 for (
const SUnitWithMemInfo &Dst : To.Stores)
1160 addDependenciesBetweenSUs(Src, Dst);
1163 for (
const SUnitWithMemInfo &Src : From.Stores)
1164 for (
const SUnitWithMemInfo &Dst : To.Loads)
1165 addDependenciesBetweenSUs(Src, Dst);
1168 for (
const SUnitWithMemInfo &Src : From.Stores)
1169 for (
const SUnitWithMemInfo &Dst : To.Stores)
1170 addDependenciesBetweenSUs(Src, Dst);
1173void LoopCarriedOrderDepsTracker::computeDependenciesAux() {
1175 SUnit *FirstBarrier =
nullptr;
1176 SUnit *LastBarrier =
nullptr;
1177 for (
const auto &TSU : TaggedSUnits) {
1178 InstrTag
Tag = TSU.getTag();
1179 SUnit *SU = TSU.getPointer();
1181 case InstrTag::Barrier:
1185 Chunks.emplace_back();
1187 case InstrTag::LoadOrStore:
1188 case InstrTag::FPExceptions:
1189 Chunks.back().append(SU);
1197 for (
const NoBarrierInstsChunk &Chunk : Chunks)
1198 addLoopCarriedDepenenciesForChunks(Chunk, Chunk);
1227 assert(LastBarrier &&
"Both barriers should be set.");
1230 for (
const SUnitWithMemInfo &Dst : Chunks.front().Loads)
1231 setLoopCarriedDep(LastBarrier, Dst.SU);
1232 for (
const SUnitWithMemInfo &Dst : Chunks.front().Stores)
1233 setLoopCarriedDep(LastBarrier, Dst.SU);
1234 for (
const SUnitWithMemInfo &Dst : Chunks.front().FPExceptions)
1235 setLoopCarriedDep(LastBarrier, Dst.SU);
1238 for (
const SUnitWithMemInfo &Src : Chunks.back().Loads)
1239 setLoopCarriedDep(Src.SU, FirstBarrier);
1240 for (
const SUnitWithMemInfo &Src : Chunks.back().Stores)
1241 setLoopCarriedDep(Src.SU, FirstBarrier);
1242 for (
const SUnitWithMemInfo &Src : Chunks.back().FPExceptions)
1243 setLoopCarriedDep(Src.SU, FirstBarrier);
1246 if (FirstBarrier != LastBarrier)
1247 setLoopCarriedDep(LastBarrier, FirstBarrier);
1256LoopCarriedEdges SwingSchedulerDAG::addLoopCarriedDependences() {
1257 LoopCarriedEdges LCE;
1261 LCODTracker.computeDependencies();
1262 for (
unsigned I = 0;
I != SUnits.size();
I++)
1263 for (
const int Succ : LCODTracker.getLoopCarried(
I).set_bits())
1276void SwingSchedulerDAG::updatePhiDependences() {
1278 const TargetSubtargetInfo &
ST = MF.getSubtarget<TargetSubtargetInfo>();
1281 for (SUnit &
I : SUnits) {
1286 MachineInstr *
MI =
I.getInstr();
1288 for (
const MachineOperand &MO :
MI->operands()) {
1298 MachineInstr *
UseMI = &*UI;
1299 SUnit *SU = getSUnit(
UseMI);
1325 }
else if (MO.isUse()) {
1328 if (
DefMI ==
nullptr)
1330 SUnit *SU = getSUnit(
DefMI);
1335 ST.adjustSchedDependency(SU, 0, &
I, MO.getOperandNo(), Dep,
1342 if (SU->
NodeNum <
I.NodeNum && !
I.isPred(SU))
1351 for (
auto &PI :
I.Preds) {
1352 MachineInstr *PMI = PI.getSUnit()->getInstr();
1354 if (
I.getInstr()->isPHI()) {
1363 for (
const SDep &
D : RemoveDeps)
1370void SwingSchedulerDAG::changeDependences() {
1374 for (SUnit &
I : SUnits) {
1375 unsigned BasePos = 0, OffsetPos = 0;
1377 int64_t NewOffset = 0;
1378 if (!canUseLastOffsetValue(
I.getInstr(), BasePos, OffsetPos, NewBase,
1383 Register OrigBase =
I.getInstr()->getOperand(BasePos).getReg();
1387 SUnit *DefSU = getSUnit(
DefMI);
1394 SUnit *LastSU = getSUnit(LastMI);
1398 if (Topo.IsReachable(&
I, LastSU))
1403 for (
const SDep &
P :
I.Preds)
1404 if (
P.getSUnit() == DefSU)
1406 for (
const SDep &
D : Deps) {
1407 Topo.RemovePred(&
I,
D.getSUnit());
1412 for (
auto &
P : LastSU->
Preds)
1415 for (
const SDep &
D : Deps) {
1416 Topo.RemovePred(LastSU,
D.getSUnit());
1423 Topo.AddPred(LastSU, &
I);
1428 InstrChanges[&
I] = std::make_pair(NewBase, NewOffset);
1439 std::vector<MachineInstr *> &OrderedInsts,
1447 Stage <= LastStage; ++Stage) {
1450 Instrs[
Cycle].push_front(SU);
1457 std::deque<SUnit *> &CycleInstrs = Instrs[
Cycle];
1459 for (
SUnit *SU : CycleInstrs) {
1461 OrderedInsts.push_back(
MI);
1471struct FuncUnitSorter {
1472 const InstrItineraryData *InstrItins;
1473 const MCSubtargetInfo *STI;
1474 DenseMap<InstrStage::FuncUnits, unsigned> Resources;
1476 FuncUnitSorter(
const TargetSubtargetInfo &TSI)
1477 : InstrItins(TSI.getInstrItineraryData()), STI(&TSI) {}
1482 unsigned minFuncUnits(
const MachineInstr *Inst,
1485 unsigned min = UINT_MAX;
1486 if (InstrItins && !InstrItins->
isEmpty()) {
1487 for (
const InstrStage &IS :
1489 InstrItins->
endStage(SchedClass))) {
1492 if (numAlternatives < min) {
1493 min = numAlternatives;
1500 const MCSchedClassDesc *SCDesc =
1507 for (
const MCWriteProcResEntry &PRE :
1510 if (!PRE.ReleaseAtCycle)
1512 const MCProcResourceDesc *ProcResource =
1514 unsigned NumUnits = ProcResource->
NumUnits;
1515 if (NumUnits < min) {
1517 F = PRE.ProcResourceIdx;
1522 llvm_unreachable(
"Should have non-empty InstrItins or hasInstrSchedModel!");
1530 void calcCriticalResources(MachineInstr &
MI) {
1531 unsigned SchedClass =
MI.getDesc().getSchedClass();
1532 if (InstrItins && !InstrItins->
isEmpty()) {
1533 for (
const InstrStage &IS :
1535 InstrItins->
endStage(SchedClass))) {
1538 Resources[FuncUnits]++;
1543 const MCSchedClassDesc *SCDesc =
1550 for (
const MCWriteProcResEntry &PRE :
1553 if (!PRE.ReleaseAtCycle)
1555 Resources[PRE.ProcResourceIdx]++;
1559 llvm_unreachable(
"Should have non-empty InstrItins or hasInstrSchedModel!");
1563 bool operator()(
const MachineInstr *IS1,
const MachineInstr *IS2)
const {
1565 unsigned MFUs1 = minFuncUnits(IS1, F1);
1566 unsigned MFUs2 = minFuncUnits(IS2, F2);
1569 return MFUs1 > MFUs2;
1574class HighRegisterPressureDetector {
1575 MachineBasicBlock *OrigMBB;
1576 const MachineRegisterInfo &MRI;
1577 const TargetRegisterInfo *
TRI;
1579 const unsigned PSetNum;
1585 std::vector<unsigned> InitSetPressure;
1589 std::vector<unsigned> PressureSetLimit;
1591 DenseMap<MachineInstr *, RegisterOperands> ROMap;
1593 using Instr2LastUsesTy = DenseMap<MachineInstr *, SmallDenseSet<Register, 4>>;
1596 using OrderedInstsTy = std::vector<MachineInstr *>;
1597 using Instr2StageTy = DenseMap<MachineInstr *, unsigned>;
1600 static void dumpRegisterPressures(
const std::vector<unsigned> &Pressures) {
1601 if (Pressures.size() == 0) {
1605 for (
unsigned P : Pressures) {
1616 VirtRegOrUnit VRegOrUnit =
1618 : VirtRegOrUnit(static_cast<MCRegUnit>(
Reg.id()));
1621 dbgs() << *PSetIter <<
' ';
1626 void increaseRegisterPressure(std::vector<unsigned> &Pressure,
1629 VirtRegOrUnit VRegOrUnit =
1631 : VirtRegOrUnit(static_cast<MCRegUnit>(
Reg.id()));
1634 for (; PSetIter.isValid(); ++PSetIter)
1635 Pressure[*PSetIter] += Weight;
1638 void decreaseRegisterPressure(std::vector<unsigned> &Pressure,
1641 unsigned Weight = PSetIter.getWeight();
1642 for (; PSetIter.isValid(); ++PSetIter) {
1643 auto &
P = Pressure[*PSetIter];
1645 "register pressure must be greater than or equal weight");
1667 void computeLiveIn() {
1668 DenseSet<Register>
Used;
1669 for (
auto &
MI : *OrigMBB) {
1670 if (
MI.isDebugInstr())
1672 for (
auto &Use : ROMap[&
MI].
Uses) {
1675 Use.VRegOrUnit.isVirtualReg()
1676 ?
Use.VRegOrUnit.asVirtualReg()
1677 :
Register(
static_cast<unsigned>(
Use.VRegOrUnit.asMCRegUnit()));
1682 if (isReservedRegister(
Reg))
1684 if (isDefinedInThisLoop(
Reg))
1690 for (
auto LiveIn : Used)
1691 increaseRegisterPressure(InitSetPressure, LiveIn);
1695 void computePressureSetLimit(
const RegisterClassInfo &RCI) {
1696 for (
unsigned PSet = 0; PSet < PSetNum; PSet++)
1711 Instr2LastUsesTy computeLastUses(
const OrderedInstsTy &OrderedInsts,
1712 Instr2StageTy &Stages)
const {
1717 DenseSet<Register> TargetRegs;
1718 const auto UpdateTargetRegs = [
this, &TargetRegs](
Register Reg) {
1719 if (isDefinedInThisLoop(
Reg))
1722 for (MachineInstr *
MI : OrderedInsts) {
1725 UpdateTargetRegs(
Reg);
1727 for (
auto &Use : ROMap.
find(
MI)->getSecond().Uses) {
1730 ?
Use.VRegOrUnit.asVirtualReg()
1732 Use.VRegOrUnit.asMCRegUnit()));
1733 UpdateTargetRegs(
Reg);
1738 const auto InstrScore = [&Stages](MachineInstr *
MI) {
1739 return Stages[
MI] +
MI->isPHI();
1742 DenseMap<Register, MachineInstr *> LastUseMI;
1744 for (
auto &Use : ROMap.
find(
MI)->getSecond().Uses) {
1747 Use.VRegOrUnit.isVirtualReg()
1748 ?
Use.VRegOrUnit.asVirtualReg()
1749 :
Register(
static_cast<unsigned>(
Use.VRegOrUnit.asMCRegUnit()));
1754 MachineInstr *Orig = Ite->second;
1755 MachineInstr *
New =
MI;
1756 if (InstrScore(Orig) < InstrScore(New))
1762 Instr2LastUsesTy LastUses;
1763 for (
auto [
Reg,
MI] : LastUseMI)
1764 LastUses[
MI].insert(
Reg);
1780 std::vector<unsigned>
1781 computeMaxSetPressure(
const OrderedInstsTy &OrderedInsts,
1782 Instr2StageTy &Stages,
1783 const unsigned StageCount)
const {
1784 using RegSetTy = SmallDenseSet<Register, 16>;
1790 auto CurSetPressure = InitSetPressure;
1791 auto MaxSetPressure = InitSetPressure;
1792 auto LastUses = computeLastUses(OrderedInsts, Stages);
1795 dbgs() <<
"Ordered instructions:\n";
1796 for (MachineInstr *
MI : OrderedInsts) {
1797 dbgs() <<
"Stage " << Stages[
MI] <<
": ";
1802 const auto InsertReg = [
this, &CurSetPressure](RegSetTy &RegSet,
1803 VirtRegOrUnit VRegOrUnit) {
1817 increaseRegisterPressure(CurSetPressure,
Reg);
1821 const auto EraseReg = [
this, &CurSetPressure](RegSetTy &RegSet,
1827 if (!RegSet.contains(
Reg))
1832 decreaseRegisterPressure(CurSetPressure,
Reg);
1836 for (
unsigned I = 0;
I < StageCount;
I++) {
1837 for (MachineInstr *
MI : OrderedInsts) {
1838 const auto Stage = Stages[
MI];
1842 const unsigned Iter =
I - Stage;
1844 for (
auto &Def : ROMap.
find(
MI)->getSecond().Defs)
1845 InsertReg(LiveRegSets[Iter],
Def.VRegOrUnit);
1847 for (
auto LastUse : LastUses[
MI]) {
1850 EraseReg(LiveRegSets[Iter - 1], LastUse);
1852 EraseReg(LiveRegSets[Iter], LastUse);
1856 for (
unsigned PSet = 0; PSet < PSetNum; PSet++)
1857 MaxSetPressure[PSet] =
1858 std::max(MaxSetPressure[PSet], CurSetPressure[PSet]);
1861 dbgs() <<
"CurSetPressure=";
1862 dumpRegisterPressures(CurSetPressure);
1863 dbgs() <<
" iter=" << Iter <<
" stage=" << Stage <<
":";
1869 return MaxSetPressure;
1873 HighRegisterPressureDetector(MachineBasicBlock *OrigMBB,
1874 const MachineFunction &MF)
1875 : OrigMBB(OrigMBB), MRI(MF.getRegInfo()),
1876 TRI(MF.getSubtarget().getRegisterInfo()),
1877 PSetNum(
TRI->getNumRegPressureSets()), InitSetPressure(PSetNum, 0),
1878 PressureSetLimit(PSetNum, 0) {}
1882 void init(
const RegisterClassInfo &RCI) {
1883 for (MachineInstr &
MI : *OrigMBB) {
1884 if (
MI.isDebugInstr())
1886 ROMap[&
MI].collect(
MI, *
TRI, MRI,
false,
true);
1890 computePressureSetLimit(RCI);
1895 bool detect(
const SwingSchedulerDAG *SSD, SMSchedule &Schedule,
1896 const unsigned MaxStage)
const {
1898 "the percentage of the margin must be between 0 to 100");
1900 OrderedInstsTy OrderedInsts;
1901 Instr2StageTy Stages;
1903 const auto MaxSetPressure =
1904 computeMaxSetPressure(OrderedInsts, Stages, MaxStage + 1);
1907 dbgs() <<
"Dump MaxSetPressure:\n";
1908 for (
unsigned I = 0;
I < MaxSetPressure.size();
I++) {
1909 dbgs() <<
format(
"MaxSetPressure[%d]=%d\n",
I, MaxSetPressure[
I]);
1914 for (
unsigned PSet = 0; PSet < PSetNum; PSet++) {
1915 unsigned Limit = PressureSetLimit[PSet];
1918 <<
" Margin=" << Margin <<
"\n");
1919 if (Limit < MaxSetPressure[PSet] + Margin) {
1922 <<
"Rejected the schedule because of too high register pressure\n");
1938unsigned SwingSchedulerDAG::calculateResMII() {
1940 ResourceManager
RM(&MF.getSubtarget(),
this);
1941 return RM.calculateResMII();
1950unsigned SwingSchedulerDAG::calculateRecMII(NodeSetType &NodeSets) {
1951 unsigned RecMII = 0;
1953 for (NodeSet &Nodes : NodeSets) {
1957 unsigned Delay = Nodes.getLatency();
1958 unsigned Distance = 1;
1961 unsigned CurMII = (Delay + Distance - 1) / Distance;
1962 Nodes.setRecMII(CurMII);
1963 if (CurMII > RecMII)
1971void SwingSchedulerDAG::Circuits::createAdjacencyStructure(
1972 SwingSchedulerDDG *DDG) {
1973 BitVector
Added(SUnits.size());
1974 DenseMap<int, int> OutputDeps;
1975 for (
int i = 0, e = SUnits.size(); i != e; ++i) {
1981 if (OE.isOutputDep()) {
1982 int N = OE.getDst()->NodeNum;
1984 auto Dep = OutputDeps.
find(BackEdge);
1985 if (Dep != OutputDeps.
end()) {
1986 BackEdge = Dep->second;
1987 OutputDeps.
erase(Dep);
1989 OutputDeps[
N] = BackEdge;
1992 if (OE.getDst()->isBoundaryNode() || OE.isArtificial())
2004 int N = OE.getDst()->NodeNum;
2006 AdjK[i].push_back(
N);
2013 int N = Dst->NodeNum;
2015 AdjK[i].push_back(
N);
2022 for (
auto &OD : OutputDeps)
2023 if (!
Added.test(OD.second)) {
2024 AdjK[OD.first].push_back(OD.second);
2025 Added.set(OD.second);
2031bool SwingSchedulerDAG::Circuits::circuit(
int V,
int S, NodeSetType &NodeSets,
2032 const SwingSchedulerDAG *DAG,
2034 SUnit *SV = &SUnits[
V];
2039 for (
auto W : AdjK[V]) {
2040 if (NumPaths > MaxPaths)
2051 if (!Blocked.test(W)) {
2052 if (circuit(W, S, NodeSets, DAG,
2053 Node2Idx->at(W) < Node2Idx->at(V) ?
true : HasBackedge))
2061 for (
auto W : AdjK[V]) {
2072void SwingSchedulerDAG::Circuits::unblock(
int U) {
2074 SmallPtrSet<SUnit *, 4> &BU =
B[
U];
2075 while (!BU.
empty()) {
2076 SmallPtrSet<SUnit *, 4>::iterator
SI = BU.
begin();
2077 assert(SI != BU.
end() &&
"Invalid B set.");
2080 if (Blocked.test(
W->NodeNum))
2081 unblock(
W->NodeNum);
2087void SwingSchedulerDAG::findCircuits(NodeSetType &NodeSets) {
2088 Circuits Cir(SUnits, Topo);
2090 Cir.createAdjacencyStructure(&*DDG);
2091 for (
int I = 0,
E = SUnits.size();
I !=
E; ++
I) {
2093 Cir.circuit(
I,
I, NodeSets,
this);
2115void SwingSchedulerDAG::CopyToPhiMutation::apply(ScheduleDAGInstrs *DAG) {
2116 for (SUnit &SU : DAG->
SUnits) {
2126 for (
auto &Dep : SU.
Preds) {
2127 SUnit *TmpSU = Dep.getSUnit();
2128 MachineInstr *TmpMI = TmpSU->
getInstr();
2139 if (PHISUs.
size() == 0 || SrcSUs.
size() == 0)
2147 for (
auto &Dep : PHISUs[Index]->Succs) {
2151 SUnit *TmpSU = Dep.getSUnit();
2152 MachineInstr *TmpMI = TmpSU->
getInstr();
2161 if (UseSUs.
size() == 0)
2166 for (
auto *
I : UseSUs) {
2167 for (
auto *Src : SrcSUs) {
2183void SwingSchedulerDAG::computeNodeFunctions(NodeSetType &NodeSets) {
2184 ScheduleInfo.resize(SUnits.size());
2187 for (
int I : Topo) {
2188 const SUnit &SU = SUnits[
I];
2195 for (
int I : Topo) {
2197 int zeroLatencyDepth = 0;
2198 SUnit *SU = &SUnits[
I];
2200 SUnit *Pred =
IE.getSrc();
2201 if (
IE.getLatency() == 0)
2203 std::max(zeroLatencyDepth, getZeroLatencyDepth(Pred) + 1);
2204 if (
IE.ignoreDependence(
true))
2206 asap = std::max(asap, (
int)(getASAP(Pred) +
IE.getLatency() -
2207 IE.getDistance() * MII));
2209 maxASAP = std::max(maxASAP, asap);
2210 ScheduleInfo[
I].ASAP = asap;
2211 ScheduleInfo[
I].ZeroLatencyDepth = zeroLatencyDepth;
2217 int zeroLatencyHeight = 0;
2218 SUnit *SU = &SUnits[
I];
2220 SUnit *Succ = OE.getDst();
2223 if (OE.getLatency() == 0)
2225 std::max(zeroLatencyHeight, getZeroLatencyHeight(Succ) + 1);
2226 if (OE.ignoreDependence(
true))
2228 alap = std::min(alap, (
int)(getALAP(Succ) - OE.getLatency() +
2229 OE.getDistance() * MII));
2232 ScheduleInfo[
I].ALAP = alap;
2233 ScheduleInfo[
I].ZeroLatencyHeight = zeroLatencyHeight;
2237 for (NodeSet &
I : NodeSets)
2238 I.computeNodeSetInfo(
this);
2241 for (
unsigned i = 0; i < SUnits.size(); i++) {
2242 dbgs() <<
"\tNode " << i <<
":\n";
2243 dbgs() <<
"\t ASAP = " << getASAP(&SUnits[i]) <<
"\n";
2244 dbgs() <<
"\t ALAP = " << getALAP(&SUnits[i]) <<
"\n";
2245 dbgs() <<
"\t MOV = " << getMOV(&SUnits[i]) <<
"\n";
2246 dbgs() <<
"\t D = " << getDepth(&SUnits[i]) <<
"\n";
2247 dbgs() <<
"\t H = " << getHeight(&SUnits[i]) <<
"\n";
2248 dbgs() <<
"\t ZLD = " << getZeroLatencyDepth(&SUnits[i]) <<
"\n";
2249 dbgs() <<
"\t ZLH = " << getZeroLatencyHeight(&SUnits[i]) <<
"\n";
2264 SUnit *PredSU = IE.getSrc();
2265 if (S && S->count(PredSU) == 0)
2267 if (IE.ignoreDependence(
true))
2278 SUnit *SuccSU = OE.getDst();
2279 if (!OE.isAntiDep())
2281 if (S && S->count(SuccSU) == 0)
2287 return !Preds.
empty();
2300 SUnit *SuccSU = OE.getDst();
2301 if (S && S->count(SuccSU) == 0)
2303 if (OE.ignoreDependence(
false))
2314 SUnit *PredSU = IE.getSrc();
2315 if (!IE.isAntiDep())
2317 if (S && S->count(PredSU) == 0)
2323 return !Succs.
empty();
2339 if (!Visited.
insert(Cur).second)
2340 return Path.contains(Cur);
2341 bool FoundPath =
false;
2343 if (!OE.ignoreDependence(
false))
2345 computePath(OE.getDst(), Path, DestNodes, Exclude, Visited, DDG);
2347 if (IE.isAntiDep() && IE.getDistance() == 0)
2349 computePath(IE.getSrc(), Path, DestNodes, Exclude, Visited, DDG);
2364 for (
SUnit *SU : NS) {
2370 if (
Reg.isVirtual())
2373 for (MCRegUnit Unit :
TRI->regunits(
Reg.asMCReg()))
2377 for (
SUnit *SU : NS)
2381 if (
Reg.isVirtual()) {
2386 for (MCRegUnit Unit :
TRI->regunits(
Reg.asMCReg()))
2397void SwingSchedulerDAG::registerPressureFilter(NodeSetType &NodeSets) {
2398 for (
auto &NS : NodeSets) {
2402 IntervalPressure RecRegPressure;
2403 RegPressureTracker RecRPTracker(RecRegPressure);
2404 RecRPTracker.init(&MF, &RegClassInfo, &LIS, BB, BB->end(),
false,
true);
2406 RecRPTracker.closeBottom();
2408 std::vector<SUnit *> SUnits(NS.begin(), NS.end());
2409 llvm::sort(SUnits, [](
const SUnit *
A,
const SUnit *
B) {
2410 return A->NodeNum >
B->NodeNum;
2413 for (
auto &SU : SUnits) {
2419 RecRPTracker.setPos(std::next(CurInstI));
2421 RegPressureDelta RPDelta;
2423 RecRPTracker.getMaxUpwardPressureDelta(SU->
getInstr(),
nullptr, RPDelta,
2428 dbgs() <<
"Excess register pressure: SU(" << SU->
NodeNum <<
") "
2431 NS.setExceedPressure(SU);
2434 RecRPTracker.recede();
2441void SwingSchedulerDAG::colocateNodeSets(NodeSetType &NodeSets) {
2442 unsigned Colocate = 0;
2443 for (
int i = 0, e = NodeSets.size(); i < e; ++i) {
2445 SmallSetVector<SUnit *, 8>
S1;
2448 for (
int j = i + 1;
j <
e; ++
j) {
2452 SmallSetVector<SUnit *, 8> S2;
2469void SwingSchedulerDAG::checkNodeSets(NodeSetType &NodeSets) {
2474 for (
auto &NS : NodeSets) {
2475 if (NS.getRecMII() > 2)
2477 if (NS.getMaxDepth() > MII)
2486void SwingSchedulerDAG::groupRemainingNodes(NodeSetType &NodeSets) {
2487 SetVector<SUnit *> NodesAdded;
2488 SmallPtrSet<SUnit *, 8> Visited;
2491 for (NodeSet &
I : NodeSets) {
2492 SmallSetVector<SUnit *, 8>
N;
2495 SetVector<SUnit *>
Path;
2496 for (SUnit *NI :
N) {
2498 computePath(NI, Path, NodesAdded,
I, Visited, DDG.get());
2505 if (
succ_L(NodesAdded,
N, DDG.get())) {
2506 SetVector<SUnit *>
Path;
2507 for (SUnit *NI :
N) {
2509 computePath(NI, Path,
I, NodesAdded, Visited, DDG.get());
2520 SmallSetVector<SUnit *, 8>
N;
2521 if (
succ_L(NodesAdded,
N, DDG.get()))
2523 addConnectedNodes(
I, NewSet, NodesAdded);
2524 if (!NewSet.
empty())
2525 NodeSets.push_back(NewSet);
2530 if (
pred_L(NodesAdded,
N, DDG.get()))
2532 addConnectedNodes(
I, NewSet, NodesAdded);
2533 if (!NewSet.
empty())
2534 NodeSets.push_back(NewSet);
2538 for (SUnit &SU : SUnits) {
2539 if (NodesAdded.
count(&SU) == 0) {
2541 addConnectedNodes(&SU, NewSet, NodesAdded);
2542 if (!NewSet.
empty())
2543 NodeSets.push_back(NewSet);
2549void SwingSchedulerDAG::addConnectedNodes(SUnit *SU, NodeSet &NewSet,
2550 SetVector<SUnit *> &NodesAdded) {
2555 if (!OE.isArtificial() && !
Successor->isBoundaryNode() &&
2557 addConnectedNodes(
Successor, NewSet, NodesAdded);
2560 SUnit *Predecessor =
IE.getSrc();
2561 if (!
IE.isArtificial() && NodesAdded.
count(Predecessor) == 0)
2562 addConnectedNodes(Predecessor, NewSet, NodesAdded);
2571 for (
SUnit *SU : Set1) {
2572 if (Set2.
count(SU) != 0)
2575 return !Result.empty();
2579void SwingSchedulerDAG::fuseRecs(NodeSetType &NodeSets) {
2580 for (NodeSetType::iterator
I = NodeSets.begin(),
E = NodeSets.end();
I !=
E;
2583 for (NodeSetType::iterator J =
I + 1; J !=
E;) {
2588 for (SUnit *SU : *J)
2600void SwingSchedulerDAG::removeDuplicateNodes(NodeSetType &NodeSets) {
2601 for (NodeSetType::iterator
I = NodeSets.begin(),
E = NodeSets.end();
I !=
E;
2603 for (NodeSetType::iterator J =
I + 1; J !=
E;) {
2604 J->remove_if([&](SUnit *SUJ) {
return I->count(SUJ); });
2619void SwingSchedulerDAG::computeNodeOrder(NodeSetType &NodeSets) {
2620 SmallSetVector<SUnit *, 8>
R;
2623 for (
auto &Nodes : NodeSets) {
2626 SmallSetVector<SUnit *, 8>
N;
2641 }
else if (NodeSets.size() == 1) {
2642 for (
const auto &
N : Nodes)
2643 if (
N->Succs.size() == 0)
2649 SUnit *maxASAP =
nullptr;
2650 for (SUnit *SU : Nodes) {
2651 if (maxASAP ==
nullptr || getASAP(SU) > getASAP(maxASAP) ||
2652 (getASAP(SU) == getASAP(maxASAP) && SU->
NodeNum > maxASAP->
NodeNum))
2660 while (!
R.empty()) {
2661 if (Order == TopDown) {
2665 while (!
R.empty()) {
2666 SUnit *maxHeight =
nullptr;
2667 for (SUnit *
I : R) {
2668 if (maxHeight ==
nullptr || getHeight(
I) > getHeight(maxHeight))
2670 else if (getHeight(
I) == getHeight(maxHeight) &&
2671 getZeroLatencyHeight(
I) > getZeroLatencyHeight(maxHeight))
2673 else if (getHeight(
I) == getHeight(maxHeight) &&
2674 getZeroLatencyHeight(
I) ==
2675 getZeroLatencyHeight(maxHeight) &&
2676 getMOV(
I) < getMOV(maxHeight))
2681 R.remove(maxHeight);
2682 for (
const auto &OE : DDG->
getOutEdges(maxHeight)) {
2683 SUnit *SU = OE.getDst();
2684 if (Nodes.count(SU) == 0)
2688 if (OE.ignoreDependence(
false))
2697 for (
const auto &IE : DDG->
getInEdges(maxHeight)) {
2698 SUnit *SU =
IE.getSrc();
2699 if (!
IE.isAntiDep())
2701 if (Nodes.count(SU) == 0)
2710 SmallSetVector<SUnit *, 8>
N;
2717 while (!
R.empty()) {
2718 SUnit *maxDepth =
nullptr;
2719 for (SUnit *
I : R) {
2720 if (maxDepth ==
nullptr || getDepth(
I) > getDepth(maxDepth))
2722 else if (getDepth(
I) == getDepth(maxDepth) &&
2723 getZeroLatencyDepth(
I) > getZeroLatencyDepth(maxDepth))
2725 else if (getDepth(
I) == getDepth(maxDepth) &&
2726 getZeroLatencyDepth(
I) == getZeroLatencyDepth(maxDepth) &&
2727 getMOV(
I) < getMOV(maxDepth))
2733 if (Nodes.isExceedSU(maxDepth)) {
2736 R.insert(Nodes.getNode(0));
2739 for (
const auto &IE : DDG->
getInEdges(maxDepth)) {
2740 SUnit *SU =
IE.getSrc();
2741 if (Nodes.count(SU) == 0)
2752 for (
const auto &OE : DDG->
getOutEdges(maxDepth)) {
2753 SUnit *SU = OE.getDst();
2754 if (!OE.isAntiDep())
2756 if (Nodes.count(SU) == 0)
2765 SmallSetVector<SUnit *, 8>
N;
2774 dbgs() <<
"Node order: ";
2776 dbgs() <<
" " <<
I->NodeNum <<
" ";
2783bool SwingSchedulerDAG::schedulePipeline(SMSchedule &Schedule) {
2790 bool scheduleFound =
false;
2791 std::unique_ptr<HighRegisterPressureDetector> HRPDetector;
2794 std::make_unique<HighRegisterPressureDetector>(Loop.getHeader(), MF);
2795 HRPDetector->init(RegClassInfo);
2798 for (
unsigned II = MII;
II <= MAX_II && !scheduleFound; ++
II) {
2810 int EarlyStart = INT_MIN;
2811 int LateStart = INT_MAX;
2820 dbgs() <<
format(
"\tes: %8x ls: %8x\n", EarlyStart, LateStart));
2822 if (EarlyStart > LateStart)
2823 scheduleFound =
false;
2824 else if (EarlyStart != INT_MIN && LateStart == INT_MAX)
2826 Schedule.
insert(SU, EarlyStart, EarlyStart + (
int)
II - 1,
II);
2827 else if (EarlyStart == INT_MIN && LateStart != INT_MAX)
2829 Schedule.
insert(SU, LateStart, LateStart - (
int)
II + 1,
II);
2830 else if (EarlyStart != INT_MIN && LateStart != INT_MAX) {
2831 LateStart = std::min(LateStart, EarlyStart + (
int)
II - 1);
2840 scheduleFound = Schedule.
insert(SU, LateStart, EarlyStart,
II);
2842 scheduleFound = Schedule.
insert(SU, EarlyStart, LateStart,
II);
2845 scheduleFound = Schedule.
insert(SU, FirstCycle + getASAP(SU),
2846 FirstCycle + getASAP(SU) +
II - 1,
II);
2854 scheduleFound =
false;
2858 dbgs() <<
"\tCan't schedule\n";
2860 }
while (++NI != NE && scheduleFound);
2887 if (scheduleFound) {
2888 scheduleFound = LoopPipelinerInfo->shouldUseSchedule(*
this, Schedule);
2893 if (scheduleFound) {
2895 Pass.ORE->emit([&]() {
2896 return MachineOptimizationRemarkAnalysis(
2897 DEBUG_TYPE,
"schedule", Loop.getStartLoc(), Loop.getHeader())
2898 <<
"Schedule found with Initiation Interval: "
2900 <<
", MaxStageCount: "
2914 if (!
Reg.isVirtual())
2928 if (!
Op.isReg() || !
Op.getReg().isVirtual())
2956 if (Def->getParent() != LoopBB)
2959 if (Def->isCopy()) {
2961 if (Def->getOperand(0).getSubReg() || Def->getOperand(1).getSubReg())
2963 CurReg = Def->getOperand(1).getReg();
2964 }
else if (Def->isPHI()) {
2970 }
else if (
TII->getIncrementValue(*Def,
Value)) {
2978 bool OffsetIsScalable;
2979 if (
TII->getMemOperandWithOffset(*Def, BaseOp,
Offset, OffsetIsScalable,
2982 CurReg = BaseOp->
getReg();
2994 if (CurReg == OrgReg)
3006bool SwingSchedulerDAG::computeDelta(
const MachineInstr &
MI,
int &Delta)
const {
3007 const TargetRegisterInfo *
TRI = MF.getSubtarget().getRegisterInfo();
3008 const MachineOperand *BaseOp;
3010 bool OffsetIsScalable;
3011 if (!
TII->getMemOperandWithOffset(
MI, BaseOp,
Offset, OffsetIsScalable,
TRI))
3015 if (OffsetIsScalable)
3018 if (!BaseOp->
isReg())
3031bool SwingSchedulerDAG::canUseLastOffsetValue(MachineInstr *
MI,
3033 unsigned &OffsetPos,
3039 unsigned BasePosLd, OffsetPosLd;
3045 MachineRegisterInfo &MRI =
MI->getMF()->getRegInfo();
3047 if (!Phi || !
Phi->isPHI())
3055 MachineInstr *PrevDef = MRI.
getVRegDef(PrevReg);
3056 if (!PrevDef || PrevDef ==
MI)
3062 unsigned BasePos1 = 0, OffsetPos1 = 0;
3068 int64_t LoadOffset =
MI->getOperand(OffsetPosLd).getImm();
3070 MachineInstr *NewMI = MF.CloneMachineInstr(
MI);
3073 MF.deleteMachineInstr(NewMI);
3078 BasePos = BasePosLd;
3079 OffsetPos = OffsetPosLd;
3091 InstrChanges.find(SU);
3092 if (It != InstrChanges.
end()) {
3093 std::pair<Register, int64_t> RegAndOffset = It->second;
3094 unsigned BasePos, OffsetPos;
3095 if (!
TII->getBaseAndOffsetPosition(*
MI, BasePos, OffsetPos))
3097 Register BaseReg =
MI->getOperand(BasePos).getReg();
3103 if (BaseStageNum < DefStageNum) {
3105 int OffsetDiff = DefStageNum - BaseStageNum;
3106 if (DefCycleNum < BaseCycleNum) {
3112 MI->getOperand(OffsetPos).getImm() + RegAndOffset.second * OffsetDiff;
3127 while (Def->isPHI()) {
3128 if (!Visited.
insert(Def).second)
3130 for (
unsigned i = 1, e = Def->getNumOperands(); i < e; i += 2)
3131 if (Def->getOperand(i + 1).getMBB() == BB) {
3132 Def = MRI.
getVRegDef(Def->getOperand(i).getReg());
3143 int DeltaB, DeltaO, Delta;
3150 int64_t OffsetB, OffsetO;
3151 bool OffsetBIsScalable, OffsetOIsScalable;
3153 if (!
TII->getMemOperandWithOffset(*BaseMI, BaseOpB, OffsetB,
3154 OffsetBIsScalable,
TRI) ||
3155 !
TII->getMemOperandWithOffset(*OtherMI, BaseOpO, OffsetO,
3156 OffsetOIsScalable,
TRI))
3159 if (OffsetBIsScalable || OffsetOIsScalable)
3169 if (!RegB.
isVirtual() || !RegO.isVirtual())
3174 if (!DefB || !DefO || !DefB->
isPHI() || !DefO->
isPHI())
3199 dbgs() <<
"Overlap check:\n";
3200 dbgs() <<
" BaseMI: ";
3202 dbgs() <<
" Base + " << OffsetB <<
" + I * " << Delta
3203 <<
", Len: " << AccessSizeB.
getValue() <<
"\n";
3204 dbgs() <<
" OtherMI: ";
3206 dbgs() <<
" Base + " << OffsetO <<
" + I * " << Delta
3207 <<
", Len: " << AccessSizeO.
getValue() <<
"\n";
3215 int64_t BaseMinAddr = OffsetB;
3216 int64_t OhterNextIterMaxAddr = OffsetO + Delta + AccessSizeO.
getValue() - 1;
3217 if (BaseMinAddr > OhterNextIterMaxAddr) {
3222 int64_t BaseMaxAddr = OffsetB + AccessSizeB.
getValue() - 1;
3223 int64_t OtherNextIterMinAddr = OffsetO + Delta;
3224 if (BaseMaxAddr < OtherNextIterMinAddr) {
3233void SwingSchedulerDAG::postProcessDAG() {
3234 for (
auto &M : Mutations)
3244 bool forward =
true;
3246 dbgs() <<
"Trying to insert node between " << StartCycle <<
" and "
3247 << EndCycle <<
" II: " <<
II <<
"\n";
3249 if (StartCycle > EndCycle)
3253 int termCycle = forward ? EndCycle + 1 : EndCycle - 1;
3254 for (
int curCycle = StartCycle; curCycle != termCycle;
3255 forward ? ++curCycle : --curCycle) {
3258 ProcItinResources.canReserveResources(*SU, curCycle)) {
3260 dbgs() <<
"\tinsert at cycle " << curCycle <<
" ";
3265 ProcItinResources.reserveResources(*SU, curCycle);
3266 ScheduledInstrs[curCycle].push_back(SU);
3267 InstrToCycle.insert(std::make_pair(SU, curCycle));
3268 if (curCycle > LastCycle)
3269 LastCycle = curCycle;
3270 if (curCycle < FirstCycle)
3271 FirstCycle = curCycle;
3275 dbgs() <<
"\tfailed to insert at cycle " << curCycle <<
" ";
3286 for (
auto &
P : SU->
Preds)
3287 if (
P.getKind() ==
SDep::Anti &&
P.getSUnit()->getInstr()->isPHI())
3288 for (
auto &S :
P.getSUnit()->Succs)
3289 if (S.getKind() ==
SDep::Data && S.getSUnit()->getInstr()->isPHI())
3290 return P.getSUnit();
3303 for (
int cycle =
getFirstCycle(); cycle <= LastCycle; ++cycle) {
3306 if (IE.getSrc() ==
I) {
3307 int EarlyStart = cycle + IE.getLatency() - IE.getDistance() *
II;
3308 *MaxEarlyStart = std::max(*MaxEarlyStart, EarlyStart);
3313 if (OE.getDst() ==
I) {
3314 int LateStart = cycle - OE.getLatency() + OE.getDistance() *
II;
3315 *MinLateStart = std::min(*MinLateStart, LateStart);
3320 for (
const auto &Dep : SU->
Preds) {
3323 if (BE && Dep.getSUnit() == BE && !SU->
getInstr()->
isPHI() &&
3325 *MinLateStart = std::min(*MinLateStart, cycle);
3335 std::deque<SUnit *> &Insts)
const {
3337 bool OrderBeforeUse =
false;
3338 bool OrderAfterDef =
false;
3339 bool OrderBeforeDef =
false;
3340 unsigned MoveDef = 0;
3341 unsigned MoveUse = 0;
3346 for (std::deque<SUnit *>::iterator
I = Insts.begin(), E = Insts.end();
I != E;
3349 if (!MO.isReg() || !MO.getReg().isVirtual())
3353 unsigned BasePos, OffsetPos;
3354 if (ST.getInstrInfo()->getBaseAndOffsetPosition(*
MI, BasePos, OffsetPos))
3355 if (
MI->getOperand(BasePos).getReg() == Reg)
3359 std::tie(Reads, Writes) =
3360 (*I)->getInstr()->readsWritesVirtualRegister(Reg);
3362 OrderBeforeUse =
true;
3367 OrderAfterDef =
true;
3369 }
else if (MO.isUse() && Writes &&
stageScheduled(*
I) == StageInst1) {
3371 OrderBeforeUse =
true;
3375 OrderAfterDef =
true;
3379 OrderBeforeUse =
true;
3383 OrderAfterDef =
true;
3388 OrderBeforeUse =
true;
3394 OrderBeforeDef =
true;
3402 if (OE.getDst() != *
I)
3405 OrderBeforeUse =
true;
3412 else if ((OE.isAntiDep() || OE.isOutputDep()) &&
3414 OrderBeforeUse =
true;
3415 if ((MoveUse == 0) || (Pos < MoveUse))
3420 if (IE.getSrc() != *
I)
3422 if ((IE.isAntiDep() || IE.isOutputDep() || IE.isOrderDep()) &&
3424 OrderAfterDef =
true;
3431 if (OrderAfterDef && OrderBeforeUse && MoveUse == MoveDef)
3432 OrderBeforeUse =
false;
3437 OrderBeforeUse = !OrderAfterDef || (MoveUse > MoveDef);
3441 if (OrderBeforeUse && OrderAfterDef) {
3442 SUnit *UseSU = Insts.at(MoveUse);
3443 SUnit *DefSU = Insts.at(MoveDef);
3444 if (MoveUse > MoveDef) {
3445 Insts.erase(Insts.begin() + MoveUse);
3446 Insts.erase(Insts.begin() + MoveDef);
3448 Insts.erase(Insts.begin() + MoveDef);
3449 Insts.erase(Insts.begin() + MoveUse);
3459 Insts.push_front(SU);
3461 Insts.push_back(SU);
3469 assert(Phi.isPHI() &&
"Expecting a Phi.");
3476 getPhiRegs(Phi, Phi.getParent(), InitVal, LoopVal);
3484 return (LoopCycle > DefCycle) || (LoopStage <= DefStage);
3502 if (!Phi || !Phi->isPHI() || Phi->getParent() != Def->getParent())
3508 if (DMO.getReg() == LoopReg)
3519 if (InstrToCycle.count(IE.getSrc()))
3530 for (
auto &SU : SSD->
SUnits)
3535 while (!Worklist.
empty()) {
3537 if (DoNotPipeline.
count(SU))
3540 DoNotPipeline.
insert(SU);
3547 if (OE.getDistance() == 1)
3550 return DoNotPipeline;
3559 int NewLastCycle = INT_MIN;
3564 NewLastCycle = std::max(NewLastCycle, InstrToCycle[&SU]);
3571 if (IE.getDistance() == 0)
3572 NewCycle = std::max(InstrToCycle[IE.getSrc()], NewCycle);
3577 if (OE.getDistance() == 1)
3578 NewCycle = std::max(InstrToCycle[OE.getDst()], NewCycle);
3580 int OldCycle = InstrToCycle[&SU];
3581 if (OldCycle != NewCycle) {
3582 InstrToCycle[&SU] = NewCycle;
3587 <<
") is not pipelined; moving from cycle " << OldCycle
3588 <<
" to " << NewCycle <<
" Instr:" << *SU.
getInstr());
3613 if (FirstCycle + InitiationInterval <= NewCycle)
3616 NewLastCycle = std::max(NewLastCycle, NewCycle);
3618 LastCycle = NewLastCycle;
3635 int CycleDef = InstrToCycle[&SU];
3636 assert(StageDef != -1 &&
"Instruction should have been scheduled.");
3638 SUnit *Dst = OE.getDst();
3639 if (OE.isAssignedRegDep() && !Dst->isBoundaryNode())
3640 if (OE.getReg().isPhysical()) {
3643 if (InstrToCycle[Dst] <= CycleDef)
3661void SwingSchedulerDAG::checkValidNodeOrder(
const NodeSetType &Circuits)
const {
3664 typedef std::pair<SUnit *, unsigned> UnitIndex;
3665 std::vector<UnitIndex> Indices(
NodeOrder.size(), std::make_pair(
nullptr, 0));
3667 for (
unsigned i = 0, s =
NodeOrder.size(); i < s; ++i)
3668 Indices.push_back(std::make_pair(
NodeOrder[i], i));
3670 auto CompareKey = [](UnitIndex i1, UnitIndex i2) {
3671 return std::get<0>(i1) < std::get<0>(i2);
3684 for (
unsigned i = 0, s =
NodeOrder.size(); i < s; ++i) {
3688 bool PredBefore =
false;
3689 bool SuccBefore =
false;
3697 SUnit *PredSU = IE.getSrc();
3698 unsigned PredIndex = std::get<1>(
3708 SUnit *SuccSU = OE.getDst();
3714 unsigned SuccIndex = std::get<1>(
3727 Circuits, [SU](
const NodeSet &Circuit) {
return Circuit.
count(SU); });
3732 NumNodeOrderIssues++;
3736 <<
" are scheduled before node " << SU->
NodeNum
3743 dbgs() <<
"Invalid node order found!\n";
3756 for (
SUnit *SU : Instrs) {
3758 for (
unsigned i = 0, e =
MI->getNumOperands(); i < e; ++i) {
3766 InstrChanges.find(SU);
3767 if (It != InstrChanges.
end()) {
3768 unsigned BasePos, OffsetPos;
3770 if (
TII->getBaseAndOffsetPosition(*
MI, BasePos, OffsetPos)) {
3774 MI->getOperand(OffsetPos).getImm() - It->second.second;
3787 unsigned TiedUseIdx = 0;
3788 if (
MI->isRegTiedToUseOperand(i, &TiedUseIdx)) {
3790 OverlapReg =
MI->getOperand(TiedUseIdx).getReg();
3792 NewBaseReg =
MI->getOperand(i).getReg();
3801 const std::deque<SUnit *> &Instrs)
const {
3802 std::deque<SUnit *> NewOrderPhi;
3803 for (
SUnit *SU : Instrs) {
3805 NewOrderPhi.push_back(SU);
3807 std::deque<SUnit *> NewOrderI;
3808 for (
SUnit *SU : Instrs) {
3824 std::deque<SUnit *> &cycleInstrs =
3825 ScheduledInstrs[cycle + (stage * InitiationInterval)];
3827 ScheduledInstrs[cycle].push_front(SU);
3833 for (
int cycle =
getFinalCycle() + 1; cycle <= LastCycle; ++cycle)
3834 ScheduledInstrs.erase(cycle);
3844 std::deque<SUnit *> &cycleInstrs = ScheduledInstrs[
Cycle];
3853 os <<
"Num nodes " <<
size() <<
" rec " << RecMII <<
" mov " << MaxMOV
3854 <<
" depth " << MaxDepth <<
" col " << Colocate <<
"\n";
3855 for (
const auto &
I : Nodes)
3856 os <<
" SU(" <<
I->NodeNum <<
") " << *(
I->getInstr());
3860#if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
3867 for (
SUnit *CI : cycleInstrs->second) {
3869 os <<
"(" << CI->
NodeNum <<
") ";
3880void ResourceManager::dumpMRT()
const {
3884 std::stringstream SS;
3886 SS << std::setw(4) <<
"Slot";
3887 for (
unsigned I = 1, E =
SM.getNumProcResourceKinds();
I < E; ++
I)
3888 SS << std::setw(3) <<
I;
3889 SS << std::setw(7) <<
"#Mops"
3891 for (
int Slot = 0; Slot < InitiationInterval; ++Slot) {
3892 SS << std::setw(4) << Slot;
3893 for (
unsigned I = 1, E =
SM.getNumProcResourceKinds();
I < E; ++
I)
3894 SS << std::setw(3) << MRT[Slot][
I];
3895 SS << std::setw(7) << NumScheduledMops[Slot] <<
"\n";
3904 unsigned ProcResourceID = 0;
3908 assert(SM.getNumProcResourceKinds() < 64 &&
3909 "Too many kinds of resources, unsupported");
3912 Masks.
resize(SM.getNumProcResourceKinds());
3913 for (
unsigned I = 1, E = SM.getNumProcResourceKinds();
I < E; ++
I) {
3915 if (
Desc.SubUnitsIdxBegin)
3917 Masks[
I] = 1ULL << ProcResourceID;
3921 for (
unsigned I = 1, E = SM.getNumProcResourceKinds();
I < E; ++
I) {
3923 if (!
Desc.SubUnitsIdxBegin)
3925 Masks[
I] = 1ULL << ProcResourceID;
3926 for (
unsigned U = 0; U <
Desc.NumUnits; ++U)
3927 Masks[
I] |= Masks[
Desc.SubUnitsIdxBegin[U]];
3932 dbgs() <<
"ProcResourceDesc:\n";
3933 for (
unsigned I = 1, E = SM.getNumProcResourceKinds();
I < E; ++
I) {
3935 dbgs() <<
format(
" %16s(%2d): Mask: 0x%08x, NumUnits:%2d\n",
3936 ProcResource->
Name,
I, Masks[
I],
3939 dbgs() <<
" -----------------\n";
3947 dbgs() <<
"canReserveResources:\n";
3950 return DFAResources[positiveModulo(
Cycle, InitiationInterval)]
3956 dbgs() <<
"No valid Schedule Class Desc for schedClass!\n";
3962 reserveResources(SCDesc,
Cycle);
3963 bool Result = !isOverbooked();
3964 unreserveResources(SCDesc,
Cycle);
3973 dbgs() <<
"reserveResources:\n";
3976 return DFAResources[positiveModulo(
Cycle, InitiationInterval)]
3982 dbgs() <<
"No valid Schedule Class Desc for schedClass!\n";
3988 reserveResources(SCDesc,
Cycle);
3993 dbgs() <<
"reserveResources: done!\n\n";
4004 ++MRT[positiveModulo(
C, InitiationInterval)][PRE.ProcResourceIdx];
4007 ++NumScheduledMops[positiveModulo(
C, InitiationInterval)];
4016 --MRT[positiveModulo(
C, InitiationInterval)][PRE.ProcResourceIdx];
4019 --NumScheduledMops[positiveModulo(
C, InitiationInterval)];
4022bool ResourceManager::isOverbooked()
const {
4024 for (
int Slot = 0;
Slot < InitiationInterval; ++
Slot) {
4025 for (
unsigned I = 1,
E =
SM.getNumProcResourceKinds();
I <
E; ++
I) {
4026 const MCProcResourceDesc *
Desc =
SM.getProcResource(
I);
4027 if (MRT[Slot][
I] >
Desc->NumUnits)
4030 if (NumScheduledMops[Slot] > IssueWidth)
4036int ResourceManager::calculateResMIIDFA()
const {
4041 FuncUnitSorter FUS = FuncUnitSorter(*ST);
4042 for (SUnit &SU : DAG->
SUnits)
4043 FUS.calcCriticalResources(*SU.
getInstr());
4044 PriorityQueue<MachineInstr *, std::vector<MachineInstr *>, FuncUnitSorter>
4047 for (SUnit &SU : DAG->
SUnits)
4054 while (!FuncUnitOrder.empty()) {
4055 MachineInstr *
MI = FuncUnitOrder.top();
4056 FuncUnitOrder.pop();
4057 if (
TII->isZeroCost(
MI->getOpcode()))
4063 unsigned ReservedCycles = 0;
4064 auto *RI = Resources.
begin();
4065 auto *RE = Resources.
end();
4067 dbgs() <<
"Trying to reserve resource for " << NumCycles
4068 <<
" cycles for \n";
4071 for (
unsigned C = 0;
C < NumCycles; ++
C)
4073 if ((*RI)->canReserveResources(*
MI)) {
4074 (*RI)->reserveResources(*
MI);
4081 <<
", NumCycles:" << NumCycles <<
"\n");
4083 for (
unsigned C = ReservedCycles;
C < NumCycles; ++
C) {
4085 <<
"NewResource created to reserve resources"
4088 assert(NewResource->canReserveResources(*
MI) &&
"Reserve error.");
4089 NewResource->reserveResources(*
MI);
4090 Resources.
push_back(std::unique_ptr<DFAPacketizer>(NewResource));
4094 int Resmii = Resources.
size();
4101 return calculateResMIIDFA();
4108 for (
SUnit &SU : DAG->SUnits) {
4120 <<
" WriteProcRes: ";
4125 make_range(STI->getWriteProcResBegin(SCDesc),
4126 STI->getWriteProcResEnd(SCDesc))) {
4130 SM.getProcResource(PRE.ProcResourceIdx);
4131 dbgs() <<
Desc->Name <<
": " << PRE.ReleaseAtCycle <<
", ";
4134 ResourceCount[PRE.ProcResourceIdx] += PRE.ReleaseAtCycle;
4139 int Result = (NumMops + IssueWidth - 1) / IssueWidth;
4142 dbgs() <<
"#Mops: " << NumMops <<
", "
4143 <<
"IssueWidth: " << IssueWidth <<
", "
4144 <<
"Cycles: " << Result <<
"\n";
4149 std::stringstream SS;
4150 SS << std::setw(2) <<
"ID" << std::setw(16) <<
"Name" << std::setw(10)
4151 <<
"Units" << std::setw(10) <<
"Consumed" << std::setw(10) <<
"Cycles"
4156 for (
unsigned I = 1, E = SM.getNumProcResourceKinds();
I < E; ++
I) {
4158 int Cycles = (ResourceCount[
I] +
Desc->NumUnits - 1) /
Desc->NumUnits;
4161 std::stringstream SS;
4162 SS << std::setw(2) <<
I << std::setw(16) <<
Desc->Name << std::setw(10)
4163 <<
Desc->NumUnits << std::setw(10) << ResourceCount[
I]
4164 << std::setw(10) << Cycles <<
"\n";
4168 if (Cycles > Result)
4175 InitiationInterval =
II;
4176 DFAResources.clear();
4177 DFAResources.resize(
II);
4178 for (
auto &
I : DFAResources)
4179 I.reset(ST->getInstrInfo()->CreateTargetScheduleState(*ST));
4182 NumScheduledMops.clear();
4183 NumScheduledMops.resize(
II);
4187 if (Pred.isArtificial() || Dst->isBoundaryNode())
4192 return IgnoreAnti && (Pred.getKind() ==
SDep::Kind::Anti || Distance != 0);
4195SwingSchedulerDDG::SwingSchedulerDDGEdges &
4196SwingSchedulerDDG::getEdges(
const SUnit *SU) {
4198 return EntrySUEdges;
4204const SwingSchedulerDDG::SwingSchedulerDDGEdges &
4205SwingSchedulerDDG::getEdges(
const SUnit *SU)
const {
4207 return EntrySUEdges;
4213void SwingSchedulerDDG::addEdge(
const SUnit *SU,
4214 const SwingSchedulerDDGEdge &
Edge) {
4216 "Validation-only edges are not expected here.");
4218 auto &Edges = getEdges(SU);
4219 if (
Edge.getSrc() == SU)
4220 Edges.Succs.push_back(
Edge);
4222 Edges.Preds.push_back(
Edge);
4225void SwingSchedulerDDG::initEdges(SUnit *SU) {
4226 for (
const auto &PI : SU->
Preds) {
4227 SwingSchedulerDDGEdge
Edge(SU, PI,
false,
4232 for (
const auto &SI : SU->
Succs) {
4233 SwingSchedulerDDGEdge
Edge(SU, SI,
true,
4241 : EntrySU(EntrySU), ExitSU(ExitSU) {
4242 EdgesVec.resize(SUnits.size());
4247 for (
auto &SU : SUnits)
4251 for (
SUnit &SU : SUnits) {
4256 for (
SUnit *Dst : *OD) {
4259 Edge.setDistance(1);
4260 ValidationOnlyEdges.push_back(Edge);
4272 bool UseAsExtraEdge = [&]() {
4273 if (Edge.getDistance() == 0 || !Edge.isOrderDep())
4276 SUnit *Src = Edge.getSrc();
4277 SUnit *Dst = Edge.getDst();
4278 if (Src->NodeNum < Dst->NodeNum)
4286 getEdges(Edge.getSrc()).ExtraSuccs.push_back(Edge.getDst());
4292const SwingSchedulerDDG::EdgesType &
4294 return getEdges(SU).Preds;
4297const SwingSchedulerDDG::EdgesType &
4299 return getEdges(SU).Succs;
4303 return getEdges(SU).ExtraSuccs;
4310 auto ExpandCycle = [&](
SUnit *SU) {
4317 SUnit *Src = Edge.getSrc();
4318 SUnit *Dst = Edge.getDst();
4319 if (!Src->isInstr() || !Dst->isInstr())
4321 int CycleSrc = ExpandCycle(Src);
4322 int CycleDst = ExpandCycle(Dst);
4323 int MaxLateStart = CycleDst + Edge.getDistance() *
II - Edge.getLatency();
4324 if (CycleSrc > MaxLateStart) {
4326 dbgs() <<
"Validation failed for edge from " << Src->NodeNum <<
" to "
4327 << Dst->NodeNum <<
"\n";
4337 for (
SUnit &SU : SUnits) {
4366 !
TII->isGlobalMemoryObject(FromMI) &&
4384 const auto DumpSU = [](
const SUnit *SU) {
4385 std::ostringstream OSS;
4386 OSS <<
"SU(" << SU->
NodeNum <<
")";
4390 dbgs() <<
" Loop carried edges from " << DumpSU(SU) <<
"\n"
4392 for (
SUnit *Dst : *Order)
4393 dbgs() <<
" " << DumpSU(Dst) <<
"\n";
MachineInstrBuilder & UseMI
MachineInstrBuilder MachineInstrBuilder & DefMI
static std::optional< unsigned > getTag(const TargetRegisterInfo *TRI, const MachineInstr &MI, const LoadInfo &LI)
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
MachineBasicBlock MachineBasicBlock::iterator DebugLoc DL
static void print(raw_ostream &Out, object::Archive::Kind Kind, T Val)
This file contains the simple types necessary to represent the attributes associated with functions a...
This file implements the BitVector class.
static GCRegistry::Add< ErlangGC > A("erlang", "erlang-compatible garbage collector")
static GCRegistry::Add< StatepointGC > D("statepoint-example", "an example strategy for statepoint")
static GCRegistry::Add< CoreCLRGC > E("coreclr", "CoreCLR-compatible GC")
static GCRegistry::Add< OcamlGC > B("ocaml", "ocaml 3.10-compatible GC")
#define clEnumValN(ENUMVAL, FLAGNAME, DESC)
#define LLVM_DUMP_METHOD
Mark debug helper function definitions like dump() that should not be stripped from debug builds.
This file defines the DenseMap class.
const HexagonInstrInfo * TII
A common definition of LaneBitmask for use in TableGen and CodeGen.
static void addEdge(SmallVectorImpl< LazyCallGraph::Edge > &Edges, DenseMap< LazyCallGraph::Node *, int > &EdgeIndexMap, LazyCallGraph::Node &N, LazyCallGraph::Edge::Kind EK)
print mir2vec MIR2Vec Vocabulary Printer Pass
static cl::opt< int > SwpForceII("pipeliner-force-ii", cl::desc("Force pipeliner to use specified II."), cl::Hidden, cl::init(-1))
A command line argument to force pipeliner to use specified initial interval.
static cl::opt< bool > ExperimentalCodeGen("pipeliner-experimental-cg", cl::Hidden, cl::init(false), cl::desc("Use the experimental peeling code generator for software pipelining"))
static bool hasPHICycleDFS(unsigned Reg, const DenseMap< unsigned, SmallVector< unsigned, 2 > > &PhiDeps, SmallSet< unsigned, 8 > &Visited, SmallSet< unsigned, 8 > &RecStack)
Depth-first search to detect cycles among PHI dependencies.
static cl::opt< bool > MVECodeGen("pipeliner-mve-cg", cl::Hidden, cl::init(false), cl::desc("Use the MVE code generator for software pipelining"))
static cl::opt< int > RegPressureMargin("pipeliner-register-pressure-margin", cl::Hidden, cl::init(5), cl::desc("Margin representing the unused percentage of " "the register pressure limit"))
static void getPhiRegs(MachineInstr &Phi, MachineBasicBlock *Loop, Register &InitVal, Register &LoopVal)
Return the register values for the operands of a Phi instruction.
static cl::opt< bool > SwpDebugResource("pipeliner-dbg-res", cl::Hidden, cl::init(false))
static void computeLiveOuts(MachineFunction &MF, RegPressureTracker &RPTracker, NodeSet &NS)
Compute the live-out registers for the instructions in a node-set.
static void computeScheduledInsts(const SwingSchedulerDAG *SSD, SMSchedule &Schedule, std::vector< MachineInstr * > &OrderedInsts, DenseMap< MachineInstr *, unsigned > &Stages)
Create an instruction stream that represents a single iteration and stage of each instruction.
static cl::opt< bool > EmitTestAnnotations("pipeliner-annotate-for-testing", cl::Hidden, cl::init(false), cl::desc("Instead of emitting the pipelined code, annotate instructions " "with the generated schedule for feeding into the " "-modulo-schedule-test pass"))
static Register getLoopPhiReg(const MachineInstr &Phi, const MachineBasicBlock *LoopBB)
Return the Phi register value that comes the loop block.
static bool isIntersect(SmallSetVector< SUnit *, 8 > &Set1, const NodeSet &Set2, SmallSetVector< SUnit *, 8 > &Result)
Return true if Set1 contains elements in Set2.
static bool findLoopIncrementValue(const MachineOperand &Op, int &Value)
When Op is a value that is incremented recursively in a loop and there is a unique instruction that i...
static cl::opt< bool > SwpIgnoreRecMII("pipeliner-ignore-recmii", cl::ReallyHidden, cl::desc("Ignore RecMII"))
static cl::opt< int > SwpLoopLimit("pipeliner-max", cl::Hidden, cl::init(-1))
static cl::opt< bool > SwpPruneLoopCarried("pipeliner-prune-loop-carried", cl::desc("Prune loop carried order dependences."), cl::Hidden, cl::init(true))
A command line option to disable the pruning of loop carried order dependences.
static cl::opt< unsigned > SwpMaxNumStores("pipeliner-max-num-stores", cl::desc("Maximum number of stores allwed in the target loop."), cl::Hidden, cl::init(200))
A command line argument to limit the number of store instructions in the target basic block.
static cl::opt< int > SwpMaxMii("pipeliner-max-mii", cl::desc("Size limit for the MII."), cl::Hidden, cl::init(27))
A command line argument to limit minimum initial interval for pipelining.
static bool isSuccOrder(SUnit *SUa, SUnit *SUb)
Return true if SUb can be reached from SUa following the chain edges.
static cl::opt< int > SwpMaxStages("pipeliner-max-stages", cl::desc("Maximum stages allowed in the generated scheduled."), cl::Hidden, cl::init(3))
A command line argument to limit the number of stages in the pipeline.
static cl::opt< bool > EnableSWPOptSize("enable-pipeliner-opt-size", cl::desc("Enable SWP at Os."), cl::Hidden, cl::init(false))
A command line option to enable SWP at -Os.
static bool hasPHICycle(const MachineBasicBlock *LoopHeader, const MachineRegisterInfo &MRI)
static cl::opt< WindowSchedulingFlag > WindowSchedulingOption("window-sched", cl::Hidden, cl::init(WindowSchedulingFlag::WS_On), cl::desc("Set how to use window scheduling algorithm."), cl::values(clEnumValN(WindowSchedulingFlag::WS_Off, "off", "Turn off window algorithm."), clEnumValN(WindowSchedulingFlag::WS_On, "on", "Use window algorithm after SMS algorithm fails."), clEnumValN(WindowSchedulingFlag::WS_Force, "force", "Use window algorithm instead of SMS algorithm.")))
A command line argument to set the window scheduling option.
static bool pred_L(SetVector< SUnit * > &NodeOrder, SmallSetVector< SUnit *, 8 > &Preds, SwingSchedulerDDG *DDG, const NodeSet *S=nullptr)
Compute the Pred_L(O) set, as defined in the paper.
static cl::opt< bool > SwpShowResMask("pipeliner-show-mask", cl::Hidden, cl::init(false))
static cl::opt< int > SwpIISearchRange("pipeliner-ii-search-range", cl::desc("Range to search for II"), cl::Hidden, cl::init(10))
static bool computePath(SUnit *Cur, SetVector< SUnit * > &Path, SetVector< SUnit * > &DestNodes, SetVector< SUnit * > &Exclude, SmallPtrSet< SUnit *, 8 > &Visited, SwingSchedulerDDG *DDG)
Return true if there is a path from the specified node to any of the nodes in DestNodes.
static bool succ_L(SetVector< SUnit * > &NodeOrder, SmallSetVector< SUnit *, 8 > &Succs, SwingSchedulerDDG *DDG, const NodeSet *S=nullptr)
Compute the Succ_L(O) set, as defined in the paper.
static cl::opt< bool > LimitRegPressure("pipeliner-register-pressure", cl::Hidden, cl::init(false), cl::desc("Limit register pressure of scheduled loop"))
static cl::opt< bool > EnableSWP("enable-pipeliner", cl::Hidden, cl::init(true), cl::desc("Enable Software Pipelining"))
A command line option to turn software pipelining on or off.
static bool hasLoopCarriedMemDep(const SUnitWithMemInfo &Src, const SUnitWithMemInfo &Dst, BatchAAResults &BAA, const TargetInstrInfo *TII, const TargetRegisterInfo *TRI, const SwingSchedulerDAG *SSD)
Returns true if there is a loop-carried order dependency from Src to Dst.
static cl::opt< bool > SwpPruneDeps("pipeliner-prune-deps", cl::desc("Prune dependences between unrelated Phi nodes."), cl::Hidden, cl::init(true))
A command line option to disable the pruning of chain dependences due to an unrelated Phi.
static SUnit * multipleIterations(SUnit *SU, SwingSchedulerDAG *DAG)
If an instruction has a use that spans multiple iterations, then return true.
static Register findUniqueOperandDefinedInLoop(const MachineInstr &MI)
Register const TargetRegisterInfo * TRI
Promote Memory to Register
This file provides utility analysis objects describing memory locations.
static constexpr unsigned SM(unsigned Version)
uint64_t IntrinsicInst * II
#define INITIALIZE_PASS_DEPENDENCY(depName)
#define INITIALIZE_PASS_END(passName, arg, name, cfg, analysis)
#define INITIALIZE_PASS_BEGIN(passName, arg, name, cfg, analysis)
This file defines the PriorityQueue class.
Remove Loads Into Fake Uses
std::pair< BasicBlock *, BasicBlock * > Edge
This file defines generic set operations that may be used on set's of different types,...
This file implements a set that has insertion order iteration characteristics.
This file defines the SmallPtrSet class.
This file defines the SmallSet class.
This file defines the SmallVector class.
This file defines the 'Statistic' class, which is designed to be an easy way to expose various metric...
#define STATISTIC(VARNAME, DESC)
Target-Independent Code Generator Pass Configuration Options pass.
Add loop-carried chain dependencies.
void computeDependencies()
The main function to compute loop-carried order-dependencies.
const BitVector & getLoopCarried(unsigned Idx) const
LoopCarriedOrderDepsTracker(SwingSchedulerDAG *SSD, BatchAAResults *BAA, const TargetInstrInfo *TII, const TargetRegisterInfo *TRI)
A wrapper pass to provide the legacy pass manager access to a suitably prepared AAResults object.
Represent the analysis usage information of a pass.
AnalysisUsage & addRequired()
AnalysisUsage & addPreserved()
Add the specified Pass class to the set of analyses preserved by this pass.
ArrayRef - Represent a constant reference to an array (0 or more elements consecutively in memory),...
const Instruction * getTerminator() const LLVM_READONLY
Returns the terminator instruction; assumes that the block is well-formed.
This class is a wrapper over an AAResults, and it is intended to be used only when there are no IR ch...
bool isNoAlias(const MemoryLocation &LocA, const MemoryLocation &LocB)
ValueT lookup(const_arg_type_t< KeyT > Val) const
lookup - Return the entry for the specified key, or a default constructed value if no such entry exis...
iterator find(const_arg_type_t< KeyT > Val)
std::pair< iterator, bool > try_emplace(KeyT &&Key, Ts &&...Args)
bool erase(const KeyT &Val)
std::pair< iterator, bool > insert(const std::pair< KeyT, ValueT > &KV)
bool skipFunction(const Function &F) const
Optional passes call this function to check whether the pass should be skipped.
AttributeList getAttributes() const
Return the attribute list for this Function.
bool areMemAccessesTriviallyDisjoint(const MachineInstr &MIa, const MachineInstr &MIb) const override
bool isPostIncrement(const MachineInstr &MI) const override
Return true for post-incremented instructions.
DFAPacketizer * CreateTargetScheduleState(const TargetSubtargetInfo &STI) const override
Create machine specific model for scheduling.
bool getBaseAndOffsetPosition(const MachineInstr &MI, unsigned &BasePos, unsigned &OffsetPos) const override
For instructions with a base and offset, return the position of the base register and offset operands...
const InstrStage * beginStage(unsigned ItinClassIndx) const
Return the first stage of the itinerary.
const InstrStage * endStage(unsigned ItinClassIndx) const
Return the last+1 stage of the itinerary.
bool isEmpty() const
Returns true if there are no itineraries.
MDNode * getMetadata(unsigned KindID) const
Get the metadata of given kind attached to this Instruction.
TypeSize getValue() const
Represents a single loop in the control flow graph.
unsigned getSchedClass() const
Return the scheduling class for this instruction.
const MCWriteProcResEntry * getWriteProcResEnd(const MCSchedClassDesc *SC) const
const MCWriteProcResEntry * getWriteProcResBegin(const MCSchedClassDesc *SC) const
Return an iterator at the first process resource consumed by the given scheduling class.
const MCSchedModel & getSchedModel() const
Get the machine model for this subtarget's CPU.
const MDOperand & getOperand(unsigned I) const
ArrayRef< MDOperand > operands() const
unsigned getNumOperands() const
Return number of MDNode operands.
LLVM_ABI StringRef getString() const
MachineInstrBundleIterator< const MachineInstr > const_iterator
iterator_range< iterator > phis()
Returns a range that iterates over the phis in the basic block.
const BasicBlock * getBasicBlock() const
Return the LLVM basic block that this instance corresponded to originally.
LLVM_ABI iterator getFirstTerminator()
Returns an iterator to the first terminator instruction of this basic block.
LLVM_ABI DebugLoc findDebugLoc(instr_iterator MBBI)
Find the next valid DebugLoc starting at MBBI, skipping any debug instructions.
instr_iterator instr_end()
const MachineFunction * getParent() const
Return the MachineFunction containing this basic block.
MachineInstrBundleIterator< MachineInstr > iterator
Analysis pass which computes a MachineDominatorTree.
void getAnalysisUsage(AnalysisUsage &AU) const override
getAnalysisUsage - Subclasses that override getAnalysisUsage must call this.
const TargetSubtargetInfo & getSubtarget() const
getSubtarget - Return the subtarget for which this machine code is being compiled.
MachineRegisterInfo & getRegInfo()
getRegInfo - Return information about the registers currently in use.
Function & getFunction()
Return the LLVM function that this machine code represents.
const MachineInstrBuilder & addReg(Register RegNo, RegState Flags={}, unsigned SubReg=0) const
Add a new virtual register operand.
Representation of each machine instruction.
unsigned getOpcode() const
Returns the opcode of this MachineInstr.
const MachineBasicBlock * getParent() const
filtered_mop_range all_defs()
Returns an iterator range over all operands that are (explicit or implicit) register defs.
bool mayLoad(QueryType Type=AnyInBundle) const
Return true if this instruction could possibly read memory.
const MCInstrDesc & getDesc() const
Returns the target instruction descriptor of this MachineInstr.
bool isRegSequence() const
mmo_iterator memoperands_begin() const
Access to memory operands of the instruction.
LLVM_ABI bool isIdenticalTo(const MachineInstr &Other, MICheckType Check=CheckDefs) const
Return true if this instruction is identical to Other.
LLVM_ABI void print(raw_ostream &OS, bool IsStandalone=true, bool SkipOpers=false, bool SkipDebugLoc=false, bool AddNewLine=true, const TargetInstrInfo *TII=nullptr) const
Print this MI to OS.
bool mayStore(QueryType Type=AnyInBundle) const
Return true if this instruction could possibly modify memory.
bool isPseudo(QueryType Type=IgnoreBundle) const
Return true if this is a pseudo instruction that doesn't correspond to a real machine instruction.
LLVM_ABI void dump() const
const MachineOperand & getOperand(unsigned i) const
A description of a memory reference used in the backend.
AAMDNodes getAAInfo() const
Return the AA tags for the memory reference.
const Value * getValue() const
Return the base address of the memory access.
int64_t getOffset() const
For normal values, this is a byte offset added to the base address.
MachineOperand class - Representation of each machine instruction operand.
void setSubReg(unsigned subReg)
unsigned getSubReg() const
void setImm(int64_t immVal)
bool isReg() const
isReg - Tests if this is a MO_Register operand.
LLVM_ABI void setReg(Register Reg)
Change the register this operand corresponds to.
Register getReg() const
getReg - Returns the register number.
LLVM_ABI bool isIdenticalTo(const MachineOperand &Other) const
Returns true if this operand is identical to the specified operand except for liveness related flags ...
The main class in the implementation of the target independent software pipeliner pass.
bool runOnMachineFunction(MachineFunction &MF) override
The "main" function for implementing Swing Modulo Scheduling.
const TargetInstrInfo * TII
void getAnalysisUsage(AnalysisUsage &AU) const override
getAnalysisUsage - Subclasses that override getAnalysisUsage must call this.
const MachineDominatorTree * MDT
const MachineLoopInfo * MLI
MachineOptimizationRemarkEmitter * ORE
RegisterClassInfo RegClassInfo
MachineRegisterInfo - Keep track of information for virtual and physical registers,...
defusechain_instr_iterator< true, false, false, true > use_instr_iterator
use_instr_iterator/use_instr_begin/use_instr_end - Walk all uses of the specified register,...
const TargetRegisterClass * getRegClass(Register Reg) const
Return the register class of the specified virtual register.
LLVM_ABI MachineInstr * getVRegDef(Register Reg) const
getVRegDef - Return the machine instr that defines the specified virtual register or null if none is ...
use_instr_iterator use_instr_begin(Register RegNo) const
PSetIterator getPressureSets(VirtRegOrUnit VRegOrUnit) const
Get an iterator over the pressure sets affected by the virtual register or register unit.
bool isReserved(MCRegister PhysReg) const
isReserved - Returns true when PhysReg is a reserved register.
LLVM_ABI Register createVirtualRegister(const TargetRegisterClass *RegClass, StringRef Name="")
createVirtualRegister - Create and return a new virtual register in the function with the specified r...
static use_instr_iterator use_instr_end()
bool isAllocatable(MCRegister PhysReg) const
isAllocatable - Returns true when PhysReg belongs to an allocatable register class and it hasn't been...
LLVM_ABI MachineInstr * getUniqueVRegDef(Register Reg) const
getUniqueVRegDef - Return the unique machine instr that defines the specified virtual register or nul...
static MemoryLocation getBeforeOrAfter(const Value *Ptr, const AAMDNodes &AATags=AAMDNodes())
Return a location that may access any location before or after Ptr, while remaining within the underl...
Expand the kernel using modulo variable expansion algorithm (MVE).
static bool canApply(MachineLoop &L)
Check if ModuloScheduleExpanderMVE can be applied to L.
The ModuloScheduleExpander takes a ModuloSchedule and expands it in-place, rewriting the old loop and...
void cleanup()
Performs final cleanup after expansion.
void expand()
Performs the actual expansion.
Expander that simply annotates each scheduled instruction with a post-instr symbol that can be consum...
void annotate()
Performs the annotation.
Represents a schedule for a single-block loop.
A NodeSet contains a set of SUnit DAG nodes with additional information that assigns a priority to th...
SUnit * getNode(unsigned i) const
void print(raw_ostream &os) const
void setRecMII(unsigned mii)
unsigned count(SUnit *SU) const
void setColocate(unsigned c)
int compareRecMII(NodeSet &RHS)
LLVM_DUMP_METHOD void dump() const
unsigned getWeight() const
AnalysisType & getAnalysis() const
getAnalysis<AnalysisType>() - This function is used by subclasses to get to the analysis information ...
A reimplementation of ModuloScheduleExpander.
PointerIntPair - This class implements a pair of a pointer and small integer.
Track the current register pressure at some position in the instruction stream, and remember the high...
LLVM_ABI void addLiveRegs(ArrayRef< VRegMaskOrUnit > Regs)
Force liveness of virtual registers or physical register units.
unsigned getRegPressureSetLimit(unsigned Idx) const
Get the register unit limit for the given pressure set index.
Wrapper class representing virtual and physical registers.
MCRegister asMCReg() const
Utility to check-convert this value to a MCRegister.
constexpr bool isValid() const
constexpr bool isVirtual() const
Return true if the specified register number is in the virtual register namespace.
constexpr bool isPhysical() const
Return true if the specified register number is in the physical register namespace.
int calculateResMII() const
void initProcResourceVectors(const MCSchedModel &SM, SmallVectorImpl< uint64_t > &Masks)
void init(int II)
Initialize resources with the initiation interval II.
bool canReserveResources(SUnit &SU, int Cycle)
Check if the resources occupied by a machine instruction are available in the current state.
Kind
These are the different kinds of scheduling dependencies.
@ Order
Any other ordering dependency.
@ Anti
A register anti-dependence (aka WAR).
@ Data
Regular data dependence (aka true-dependence).
void setLatency(unsigned Lat)
Sets the latency for this edge.
@ Barrier
An unknown scheduling barrier.
@ Artificial
Arbitrary strong DAG edge (no real dependence).
This class represents the scheduled code.
std::deque< SUnit * > reorderInstructions(const SwingSchedulerDAG *SSD, const std::deque< SUnit * > &Instrs) const
void setInitiationInterval(int ii)
Set the initiation interval for this schedule.
void dump() const
Utility function used for debugging to print the schedule.
bool insert(SUnit *SU, int StartCycle, int EndCycle, int II)
Try to schedule the node at the specified StartCycle and continue until the node is schedule or the E...
unsigned getMaxStageCount()
Return the maximum stage count needed for this schedule.
void print(raw_ostream &os) const
Print the schedule information to the given output.
bool onlyHasLoopCarriedOutputOrOrderPreds(SUnit *SU, const SwingSchedulerDDG *DDG) const
Return true if all scheduled predecessors are loop-carried output/order dependencies.
int stageScheduled(SUnit *SU) const
Return the stage for a scheduled instruction.
void orderDependence(const SwingSchedulerDAG *SSD, SUnit *SU, std::deque< SUnit * > &Insts) const
Order the instructions within a cycle so that the definitions occur before the uses.
bool isValidSchedule(SwingSchedulerDAG *SSD)
int getInitiationInterval() const
Return the initiation interval for this schedule.
std::deque< SUnit * > & getInstructions(int cycle)
Return the instructions that are scheduled at the specified cycle.
int getFirstCycle() const
Return the first cycle in the completed schedule.
DenseMap< int, std::deque< SUnit * > >::const_iterator const_sched_iterator
bool isLoopCarriedDefOfUse(const SwingSchedulerDAG *SSD, MachineInstr *Def, MachineOperand &MO) const
Return true if the instruction is a definition that is loop carried and defines the use on the next i...
unsigned cycleScheduled(SUnit *SU) const
Return the cycle for a scheduled instruction.
SmallPtrSet< SUnit *, 8 > computeUnpipelineableNodes(SwingSchedulerDAG *SSD, TargetInstrInfo::PipelinerLoopInfo *PLI)
Determine transitive dependences of unpipelineable instructions.
void computeStart(SUnit *SU, int *MaxEarlyStart, int *MinLateStart, int II, SwingSchedulerDAG *DAG)
Compute the scheduling start slot for the instruction.
bool normalizeNonPipelinedInstructions(SwingSchedulerDAG *SSD, TargetInstrInfo::PipelinerLoopInfo *PLI)
bool isLoopCarried(const SwingSchedulerDAG *SSD, MachineInstr &Phi) const
Return true if the scheduled Phi has a loop carried operand.
int getFinalCycle() const
Return the last cycle in the finalized schedule.
void finalizeSchedule(SwingSchedulerDAG *SSD)
After the schedule has been formed, call this function to combine the instructions from the different...
Scheduling unit. This is a node in the scheduling DAG.
bool isInstr() const
Returns true if this SUnit refers to a machine instruction as opposed to an SDNode.
unsigned NodeNum
Entry # of node in the node vector.
void setInstr(MachineInstr *MI)
Assigns the instruction for the SUnit.
LLVM_ABI void removePred(const SDep &D)
Removes the specified edge as a pred of the current node if it exists.
bool isPred(const SUnit *N) const
Tests if node N is a predecessor of this node.
unsigned short Latency
Node latency.
bool isBoundaryNode() const
Boundary nodes are placeholders for the boundary of the scheduling region.
bool hasPhysRegDefs
Has physreg defs that are being used.
SmallVector< SDep, 4 > Succs
All sunit successors.
SmallVector< SDep, 4 > Preds
All sunit predecessors.
LLVM_ABI bool addPred(const SDep &D, bool Required=true)
Adds the specified edge as a pred of the current node if not already.
MachineInstr * getInstr() const
Returns the representative MachineInstr for this SUnit.
DenseMap< MachineInstr *, SUnit * > MISUnitMap
After calling BuildSchedGraph, each machine instruction in the current scheduling region is mapped to...
virtual void finishBlock()
Cleans up after scheduling in the given block.
MachineBasicBlock * BB
The block in which to insert instructions.
void buildSchedGraph(AAResults *AA, RegPressureTracker *RPTracker=nullptr, PressureDiffs *PDiffs=nullptr, LiveIntervals *LIS=nullptr, bool TrackLaneMasks=false)
Builds SUnits for the current region.
SUnit * getSUnit(MachineInstr *MI) const
Returns an existing SUnit for this MI, or nullptr.
void dump() const override
LLVM_ABI void AddPred(SUnit *Y, SUnit *X)
Updates the topological ordering to accommodate an edge to be added from SUnit X to SUnit Y.
LLVM_ABI bool IsReachable(const SUnit *SU, const SUnit *TargetSU)
Checks if SU is reachable from TargetSU.
MachineRegisterInfo & MRI
Virtual/real register map.
const TargetInstrInfo * TII
Target instruction information.
std::vector< SUnit > SUnits
The scheduling units.
const TargetRegisterInfo * TRI
Target processor register info.
SUnit EntrySU
Special node for the region entry.
MachineFunction & MF
Machine function.
SUnit ExitSU
Special node for the region exit.
A vector that has set insertion semantics.
size_type size() const
Determine the number of elements in the SetVector.
void insert_range(Range &&R)
size_type count(const_arg_type key) const
Count the number of elements of a given key in the SetVector.
typename vector_type::const_iterator iterator
bool contains(const_arg_type key) const
Check if the SetVector contains the given key.
void clear()
Completely clear the SetVector.
bool empty() const
Determine if the SetVector is empty or not.
bool insert(const value_type &X)
Insert a new element into the SetVector.
SlotIndex insertMachineInstrInMaps(MachineInstr &MI, bool Late=false)
Insert the given machine instruction into the mapping.
bool erase(PtrType Ptr)
Remove pointer from the set.
size_type count(ConstPtrType Ptr) const
count - Return 1 if the specified pointer is in the set, 0 otherwise.
std::pair< iterator, bool > insert(PtrType Ptr)
Inserts Ptr if and only if there is no element in the container equal to Ptr.
bool contains(ConstPtrType Ptr) const
SmallPtrSet - This class implements a set which is optimized for holding SmallSize or less elements.
A SetVector that performs no allocations if smaller than a certain size.
SmallSet - This maintains a set of unique values, optimizing for the case when the set is small (less...
size_type count(const T &V) const
count - Return 1 if the element is in the set, 0 otherwise.
std::pair< const_iterator, bool > insert(const T &V)
insert - Insert an element into the set if it isn't already there.
This class consists of common code factored out of the SmallVector class to reduce code duplication b...
reference emplace_back(ArgTypes &&... Args)
void push_back(const T &Elt)
This is a 'vector' (really, a variable-sized array), optimized for the case when the array is small.
This class builds the dependence graph for the instructions in a loop, and attempts to schedule the i...
void applyInstrChange(MachineInstr *MI, SMSchedule &Schedule)
Apply changes to the instruction if needed.
const SwingSchedulerDDG * getDDG() const
void finishBlock() override
Clean up after the software pipeliner runs.
void fixupRegisterOverlaps(std::deque< SUnit * > &Instrs)
Attempt to fix the degenerate cases when the instruction serialization causes the register lifetimes ...
void schedule() override
We override the schedule function in ScheduleDAGInstrs to implement the scheduling part of the Swing ...
bool mayOverlapInLaterIter(const MachineInstr *BaseMI, const MachineInstr *OtherMI) const
Return false if there is no overlap between the region accessed by BaseMI in an iteration and the reg...
Register getInstrBaseReg(SUnit *SU) const
Return the new base register that was stored away for the changed instruction.
Represents a dependence between two instruction.
bool ignoreDependence(bool IgnoreAnti) const
Returns true for DDG nodes that we ignore when computing the cost functions.
This class provides APIs to retrieve edges from/to an SUnit node, with a particular focus on loop-car...
SwingSchedulerDDG(std::vector< SUnit > &SUnits, SUnit *EntrySU, SUnit *ExitSU, const LoopCarriedEdges &LCE)
ArrayRef< SUnit * > getExtraOutEdges(const SUnit *SU) const
const EdgesType & getInEdges(const SUnit *SU) const
bool isValidSchedule(const SMSchedule &Schedule) const
Check if Schedule doesn't violate the validation-only dependencies.
const EdgesType & getOutEdges(const SUnit *SU) const
Object returned by analyzeLoopForPipelining.
virtual bool shouldIgnoreForPipelining(const MachineInstr *MI) const =0
Return true if the given instruction should not be pipelined and should be ignored.
TargetInstrInfo - Interface to description of machine instruction set.
Primary interface to the complete machine description for the target machine.
Target-Independent Code Generator Pass Configuration Options.
TargetRegisterInfo base class - We assume that the target defines a static array of TargetRegisterDes...
virtual bool enableMachinePipeliner() const
True if the subtarget should run MachinePipeliner.
virtual bool useDFAforSMS() const
Default to DFA for resource management, return false when target will use ProcResource in InstrSchedM...
virtual const TargetInstrInfo * getInstrInfo() const
virtual const TargetRegisterInfo * getRegisterInfo() const =0
Return the target's register information.
virtual const InstrItineraryData * getInstrItineraryData() const
getInstrItineraryData - Returns instruction itinerary data for the target or specific subtarget.
A Use represents the edge between a Value definition and its users.
LLVM Value Representation.
Wrapper class representing a virtual register or register unit.
constexpr bool isVirtualReg() const
constexpr MCRegUnit asMCRegUnit() const
constexpr Register asVirtualReg() const
The main class in the implementation of the target independent window scheduler.
std::pair< iterator, bool > insert(const ValueT &V)
bool contains(const_arg_type_t< ValueT > V) const
Check if the set contains the given element.
This class implements an extremely fast bulk output stream that can only output to a stream.
This provides a very simple, boring adaptor for a begin and end iterator into a range type.
#define llvm_unreachable(msg)
Marks that the current location is not supposed to be reachable.
@ C
The default llvm calling convention, compatible with C.
@ BasicBlock
Various leaf nodes.
@ Valid
The data is already valid.
ValuesClass values(OptsTy... Options)
Helper to build a ValuesClass by forwarding a variable number of arguments as an initializer list to ...
initializer< Ty > init(const Ty &Val)
std::enable_if_t< detail::IsValidPointer< X, Y >::value, X * > extract(Y &&MD)
Extract a Value from Metadata.
DiagnosticInfoOptimizationBase::Argument NV
NodeAddr< DefNode * > Def
NodeAddr< PhiNode * > Phi
NodeAddr< UseNode * > Use
std::set< NodeId > NodeSet
friend class Instruction
Iterator for Instructions in a `BasicBlock.
BaseReg
Stack frame base register. Bit 0 of FREInfo.Info.
This is an optimization pass for GlobalISel generic memory operations.
auto drop_begin(T &&RangeOrContainer, size_t N=1)
Return a range covering RangeOrContainer with the first N elements excluded.
void dump(const SparseBitVector< ElementSize > &LHS, raw_ostream &out)
void stable_sort(R &&Range)
auto size(R &&Range, std::enable_if_t< std::is_base_of< std::random_access_iterator_tag, typename std::iterator_traits< decltype(Range.begin())>::iterator_category >::value, void > *=nullptr)
Get the size of a range.
MachineInstrBuilder BuildMI(MachineFunction &MF, const MIMetadata &MIMD, const MCInstrDesc &MCID)
Builder interface. Specify how to create the initial instruction itself.
decltype(auto) dyn_cast(const From &Val)
dyn_cast<X> - Return the argument parameter cast to the specified type.
iterator_range< T > make_range(T x, T y)
Convenience function for iterating over sub-ranges.
bool set_is_subset(const S1Ty &S1, const S2Ty &S2)
set_is_subset(A, B) - Return true iff A in B
void append_range(Container &C, Range &&R)
Wrapper function to append range R to container C.
constexpr int popcount(T Value) noexcept
Count the number of set bits in a value.
void erase(Container &C, ValueType V)
Wrapper function to remove a value from a container:
bool any_of(R &&range, UnaryPredicate P)
Provide wrappers to std::any_of which take ranges instead of having to pass begin/end explicitly.
auto reverse(ContainerTy &&C)
static int64_t computeDelta(SectionEntry *A, SectionEntry *B)
@ WS_Force
Use window algorithm after SMS algorithm fails.
@ WS_On
Turn off window algorithm.
void sort(IteratorTy Start, IteratorTy End)
LLVM_ABI raw_ostream & dbgs()
dbgs() - This returns a reference to a raw_ostream for debugging messages.
class LLVM_GSL_OWNER SmallVector
Forward declaration of SmallVector so that calculateSmallVectorDefaultInlinedElements can reference s...
RegState getRegState(const MachineOperand &RegOp)
Get all register state flags from machine operand RegOp.
format_object< Ts... > format(const char *Fmt, const Ts &... Vals)
These are helper functions used to produce formatted output.
cl::opt< bool > SwpEnableCopyToPhi
auto lower_bound(R &&Range, T &&Value)
Provide wrappers to std::lower_bound which take ranges instead of having to pass begin/end explicitly...
LLVM_ABI char & MachinePipelinerID
This pass performs software pipelining on machine instructions.
DWARFExpression::Operation Op
ArrayRef(const T &OneElt) -> ArrayRef< T >
decltype(auto) cast(const From &Val)
cast<X> - Return the argument parameter cast to the specified type.
bool is_contained(R &&Range, const E &Element)
Returns true if Element is found in Range.
cl::opt< int > SwpForceIssueWidth
A command line argument to force pipeliner to use specified issue width.
@ Increment
Incrementally increasing token ID.
AAResults AliasAnalysis
Temporary typedef for legacy code that uses a generic AliasAnalysis pointer or reference.
LLVM_ABI void getUnderlyingObjects(const Value *V, SmallVectorImpl< const Value * > &Objects, const LoopInfo *LI=nullptr, unsigned MaxLookup=MaxLookupSearchDepth)
This method is similar to getUnderlyingObject except that it can look through phi and select instruct...
LLVM_ABI bool isIdentifiedObject(const Value *V)
Return true if this pointer refers to a distinct and identifiable object.
LLVM_ABI Printable printReg(Register Reg, const TargetRegisterInfo *TRI=nullptr, unsigned SubIdx=0, const MachineRegisterInfo *MRI=nullptr)
Prints virtual and physical registers with or without a TRI instance.
void swap(llvm::BitVector &LHS, llvm::BitVector &RHS)
Implement std::swap in terms of BitVector swap.
This class holds an SUnit corresponding to a memory operation and other information related to the in...
const Value * MemOpValue
The value of a memory operand.
SmallVector< const Value *, 2 > UnderlyingObjs
bool isTriviallyDisjoint(const SUnitWithMemInfo &Other) const
int64_t MemOpOffset
The offset of a memory operand.
bool IsAllIdentified
True if all the underlying objects are identified.
SUnitWithMemInfo(SUnit *SU)
A collection of metadata nodes that might be associated with a memory access used by the alias-analys...
uint64_t FuncUnits
Bitmask representing a set of functional units.
static constexpr LaneBitmask getNone()
Represents loop-carried dependencies.
SmallSetVector< SUnit *, 8 > OrderDep
const OrderDep * getOrderDepOrNull(SUnit *Key) const
void modifySUnits(std::vector< SUnit > &SUnits, const TargetInstrInfo *TII)
Adds some edges to the original DAG that correspond to loop-carried dependencies.
void dump(SUnit *SU, const TargetRegisterInfo *TRI, const MachineRegisterInfo *MRI) const
Define a kind of processor resource that will be modeled by the scheduler.
Summarize the scheduling resources required for an instruction of a particular scheduling class.
Machine model for scheduling, bundling, and heuristics.
const MCSchedClassDesc * getSchedClassDesc(unsigned SchedClassIdx) const
bool hasInstrSchedModel() const
Does this machine model include instruction-level scheduling.
const MCProcResourceDesc * getProcResource(unsigned ProcResourceIdx) const
Identify one of the processor resource kinds consumed by a particular scheduling class for the specif...
MachineSchedContext provides enough context from the MachineScheduler pass for the target to instanti...
std::vector< unsigned > MaxSetPressure
Map of max reg pressure indexed by pressure set ID, not class ID.