132a40564SEugene Zelenko //===- MachinePipeliner.cpp - Machine Software Pipeliner Pass -------------===//
2254f889dSBrendon Cahoon //
3254f889dSBrendon Cahoon //                     The LLVM Compiler Infrastructure
4254f889dSBrendon Cahoon //
5254f889dSBrendon Cahoon // This file is distributed under the University of Illinois Open Source
6254f889dSBrendon Cahoon // License. See LICENSE.TXT for details.
7254f889dSBrendon Cahoon //
8254f889dSBrendon Cahoon //===----------------------------------------------------------------------===//
9254f889dSBrendon Cahoon //
10254f889dSBrendon Cahoon // An implementation of the Swing Modulo Scheduling (SMS) software pipeliner.
11254f889dSBrendon Cahoon //
12254f889dSBrendon Cahoon // Software pipelining (SWP) is an instruction scheduling technique for loops
1320a0e550SRoorda, Jan-Willem // that overlap loop iterations and exploits ILP via a compiler transformation.
14254f889dSBrendon Cahoon //
15254f889dSBrendon Cahoon // Swing Modulo Scheduling is an implementation of software pipelining
16254f889dSBrendon Cahoon // that generates schedules that are near optimal in terms of initiation
17254f889dSBrendon Cahoon // interval, register requirements, and stage count. See the papers:
18254f889dSBrendon Cahoon //
19254f889dSBrendon Cahoon // "Swing Modulo Scheduling: A Lifetime-Sensitive Approach", by J. Llosa,
20c73b6d6bSHiroshi Inoue // A. Gonzalez, E. Ayguade, and M. Valero. In PACT '96 Proceedings of the 1996
21254f889dSBrendon Cahoon // Conference on Parallel Architectures and Compilation Techiniques.
22254f889dSBrendon Cahoon //
23254f889dSBrendon Cahoon // "Lifetime-Sensitive Modulo Scheduling in a Production Environment", by J.
24254f889dSBrendon Cahoon // Llosa, E. Ayguade, A. Gonzalez, M. Valero, and J. Eckhardt. In IEEE
25254f889dSBrendon Cahoon // Transactions on Computers, Vol. 50, No. 3, 2001.
26254f889dSBrendon Cahoon //
27254f889dSBrendon Cahoon // "An Implementation of Swing Modulo Scheduling With Extensions for
28254f889dSBrendon Cahoon // Superblocks", by T. Lattner, Master's Thesis, University of Illinois at
29254f889dSBrendon Cahoon // Urbana-Chambpain, 2005.
30254f889dSBrendon Cahoon //
31254f889dSBrendon Cahoon //
32254f889dSBrendon Cahoon // The SMS algorithm consists of three main steps after computing the minimal
33254f889dSBrendon Cahoon // initiation interval (MII).
34254f889dSBrendon Cahoon // 1) Analyze the dependence graph and compute information about each
35254f889dSBrendon Cahoon //    instruction in the graph.
36254f889dSBrendon Cahoon // 2) Order the nodes (instructions) by priority based upon the heuristics
37254f889dSBrendon Cahoon //    described in the algorithm.
38254f889dSBrendon Cahoon // 3) Attempt to schedule the nodes in the specified order using the MII.
39254f889dSBrendon Cahoon //
40254f889dSBrendon Cahoon // This SMS implementation is a target-independent back-end pass. When enabled,
41254f889dSBrendon Cahoon // the pass runs just prior to the register allocation pass, while the machine
42254f889dSBrendon Cahoon // IR is in SSA form. If software pipelining is successful, then the original
43254f889dSBrendon Cahoon // loop is replaced by the optimized loop. The optimized loop contains one or
44254f889dSBrendon Cahoon // more prolog blocks, the pipelined kernel, and one or more epilog blocks. If
45254f889dSBrendon Cahoon // the instructions cannot be scheduled in a given MII, we increase the MII by
46254f889dSBrendon Cahoon // one and try again.
47254f889dSBrendon Cahoon //
48254f889dSBrendon Cahoon // The SMS implementation is an extension of the ScheduleDAGInstrs class. We
49254f889dSBrendon Cahoon // represent loop carried dependences in the DAG as order edges to the Phi
50254f889dSBrendon Cahoon // nodes. We also perform several passes over the DAG to eliminate unnecessary
51254f889dSBrendon Cahoon // edges that inhibit the ability to pipeline. The implementation uses the
52254f889dSBrendon Cahoon // DFAPacketizer class to compute the minimum initiation interval and the check
53254f889dSBrendon Cahoon // where an instruction may be inserted in the pipelined schedule.
54254f889dSBrendon Cahoon //
55254f889dSBrendon Cahoon // In order for the SMS pass to work, several target specific hooks need to be
56254f889dSBrendon Cahoon // implemented to get information about the loop structure and to rewrite
57254f889dSBrendon Cahoon // instructions.
58254f889dSBrendon Cahoon //
59254f889dSBrendon Cahoon //===----------------------------------------------------------------------===//
60254f889dSBrendon Cahoon 
61cdc71612SEugene Zelenko #include "llvm/ADT/ArrayRef.h"
62cdc71612SEugene Zelenko #include "llvm/ADT/BitVector.h"
63254f889dSBrendon Cahoon #include "llvm/ADT/DenseMap.h"
64254f889dSBrendon Cahoon #include "llvm/ADT/MapVector.h"
65254f889dSBrendon Cahoon #include "llvm/ADT/PriorityQueue.h"
66254f889dSBrendon Cahoon #include "llvm/ADT/SetVector.h"
67254f889dSBrendon Cahoon #include "llvm/ADT/SmallPtrSet.h"
68254f889dSBrendon Cahoon #include "llvm/ADT/SmallSet.h"
69cdc71612SEugene Zelenko #include "llvm/ADT/SmallVector.h"
70254f889dSBrendon Cahoon #include "llvm/ADT/Statistic.h"
716bda14b3SChandler Carruth #include "llvm/ADT/iterator_range.h"
72254f889dSBrendon Cahoon #include "llvm/Analysis/AliasAnalysis.h"
73cdc71612SEugene Zelenko #include "llvm/Analysis/MemoryLocation.h"
74254f889dSBrendon Cahoon #include "llvm/Analysis/ValueTracking.h"
75254f889dSBrendon Cahoon #include "llvm/CodeGen/DFAPacketizer.h"
76f842297dSMatthias Braun #include "llvm/CodeGen/LiveIntervals.h"
77254f889dSBrendon Cahoon #include "llvm/CodeGen/MachineBasicBlock.h"
78254f889dSBrendon Cahoon #include "llvm/CodeGen/MachineDominators.h"
79cdc71612SEugene Zelenko #include "llvm/CodeGen/MachineFunction.h"
80cdc71612SEugene Zelenko #include "llvm/CodeGen/MachineFunctionPass.h"
81cdc71612SEugene Zelenko #include "llvm/CodeGen/MachineInstr.h"
82254f889dSBrendon Cahoon #include "llvm/CodeGen/MachineInstrBuilder.h"
83254f889dSBrendon Cahoon #include "llvm/CodeGen/MachineLoopInfo.h"
84cdc71612SEugene Zelenko #include "llvm/CodeGen/MachineMemOperand.h"
85cdc71612SEugene Zelenko #include "llvm/CodeGen/MachineOperand.h"
86254f889dSBrendon Cahoon #include "llvm/CodeGen/MachineRegisterInfo.h"
87254f889dSBrendon Cahoon #include "llvm/CodeGen/RegisterClassInfo.h"
88254f889dSBrendon Cahoon #include "llvm/CodeGen/RegisterPressure.h"
89cdc71612SEugene Zelenko #include "llvm/CodeGen/ScheduleDAG.h"
90254f889dSBrendon Cahoon #include "llvm/CodeGen/ScheduleDAGInstrs.h"
9188391248SKrzysztof Parzyszek #include "llvm/CodeGen/ScheduleDAGMutation.h"
923f833edcSDavid Blaikie #include "llvm/CodeGen/TargetInstrInfo.h"
93b3bde2eaSDavid Blaikie #include "llvm/CodeGen/TargetOpcodes.h"
94b3bde2eaSDavid Blaikie #include "llvm/CodeGen/TargetRegisterInfo.h"
95b3bde2eaSDavid Blaikie #include "llvm/CodeGen/TargetSubtargetInfo.h"
96432a3883SNico Weber #include "llvm/Config/llvm-config.h"
97cdc71612SEugene Zelenko #include "llvm/IR/Attributes.h"
98cdc71612SEugene Zelenko #include "llvm/IR/DebugLoc.h"
9932a40564SEugene Zelenko #include "llvm/IR/Function.h"
10032a40564SEugene Zelenko #include "llvm/MC/LaneBitmask.h"
10132a40564SEugene Zelenko #include "llvm/MC/MCInstrDesc.h"
102254f889dSBrendon Cahoon #include "llvm/MC/MCInstrItineraries.h"
10332a40564SEugene Zelenko #include "llvm/MC/MCRegisterInfo.h"
10432a40564SEugene Zelenko #include "llvm/Pass.h"
105254f889dSBrendon Cahoon #include "llvm/Support/CommandLine.h"
10632a40564SEugene Zelenko #include "llvm/Support/Compiler.h"
107254f889dSBrendon Cahoon #include "llvm/Support/Debug.h"
108cdc71612SEugene Zelenko #include "llvm/Support/MathExtras.h"
109254f889dSBrendon Cahoon #include "llvm/Support/raw_ostream.h"
110cdc71612SEugene Zelenko #include <algorithm>
111cdc71612SEugene Zelenko #include <cassert>
112254f889dSBrendon Cahoon #include <climits>
113cdc71612SEugene Zelenko #include <cstdint>
114254f889dSBrendon Cahoon #include <deque>
115cdc71612SEugene Zelenko #include <functional>
116cdc71612SEugene Zelenko #include <iterator>
117254f889dSBrendon Cahoon #include <map>
11832a40564SEugene Zelenko #include <memory>
119cdc71612SEugene Zelenko #include <tuple>
120cdc71612SEugene Zelenko #include <utility>
121cdc71612SEugene Zelenko #include <vector>
122254f889dSBrendon Cahoon 
123254f889dSBrendon Cahoon using namespace llvm;
124254f889dSBrendon Cahoon 
125254f889dSBrendon Cahoon #define DEBUG_TYPE "pipeliner"
126254f889dSBrendon Cahoon 
127254f889dSBrendon Cahoon STATISTIC(NumTrytoPipeline, "Number of loops that we attempt to pipeline");
128254f889dSBrendon Cahoon STATISTIC(NumPipelined, "Number of loops software pipelined");
1294b8bcf00SRoorda, Jan-Willem STATISTIC(NumNodeOrderIssues, "Number of node order issues found");
130254f889dSBrendon Cahoon 
131254f889dSBrendon Cahoon /// A command line option to turn software pipelining on or off.
132b7d3311cSBenjamin Kramer static cl::opt<bool> EnableSWP("enable-pipeliner", cl::Hidden, cl::init(true),
133b7d3311cSBenjamin Kramer                                cl::ZeroOrMore,
134b7d3311cSBenjamin Kramer                                cl::desc("Enable Software Pipelining"));
135254f889dSBrendon Cahoon 
136254f889dSBrendon Cahoon /// A command line option to enable SWP at -Os.
137254f889dSBrendon Cahoon static cl::opt<bool> EnableSWPOptSize("enable-pipeliner-opt-size",
138254f889dSBrendon Cahoon                                       cl::desc("Enable SWP at Os."), cl::Hidden,
139254f889dSBrendon Cahoon                                       cl::init(false));
140254f889dSBrendon Cahoon 
141254f889dSBrendon Cahoon /// A command line argument to limit minimum initial interval for pipelining.
142254f889dSBrendon Cahoon static cl::opt<int> SwpMaxMii("pipeliner-max-mii",
1438f976ba0SHiroshi Inoue                               cl::desc("Size limit for the MII."),
144254f889dSBrendon Cahoon                               cl::Hidden, cl::init(27));
145254f889dSBrendon Cahoon 
146254f889dSBrendon Cahoon /// A command line argument to limit the number of stages in the pipeline.
147254f889dSBrendon Cahoon static cl::opt<int>
148254f889dSBrendon Cahoon     SwpMaxStages("pipeliner-max-stages",
149254f889dSBrendon Cahoon                  cl::desc("Maximum stages allowed in the generated scheduled."),
150254f889dSBrendon Cahoon                  cl::Hidden, cl::init(3));
151254f889dSBrendon Cahoon 
152254f889dSBrendon Cahoon /// A command line option to disable the pruning of chain dependences due to
153254f889dSBrendon Cahoon /// an unrelated Phi.
154254f889dSBrendon Cahoon static cl::opt<bool>
155254f889dSBrendon Cahoon     SwpPruneDeps("pipeliner-prune-deps",
156254f889dSBrendon Cahoon                  cl::desc("Prune dependences between unrelated Phi nodes."),
157254f889dSBrendon Cahoon                  cl::Hidden, cl::init(true));
158254f889dSBrendon Cahoon 
159254f889dSBrendon Cahoon /// A command line option to disable the pruning of loop carried order
160254f889dSBrendon Cahoon /// dependences.
161254f889dSBrendon Cahoon static cl::opt<bool>
162254f889dSBrendon Cahoon     SwpPruneLoopCarried("pipeliner-prune-loop-carried",
163254f889dSBrendon Cahoon                         cl::desc("Prune loop carried order dependences."),
164254f889dSBrendon Cahoon                         cl::Hidden, cl::init(true));
165254f889dSBrendon Cahoon 
166254f889dSBrendon Cahoon #ifndef NDEBUG
167254f889dSBrendon Cahoon static cl::opt<int> SwpLoopLimit("pipeliner-max", cl::Hidden, cl::init(-1));
168254f889dSBrendon Cahoon #endif
169254f889dSBrendon Cahoon 
170254f889dSBrendon Cahoon static cl::opt<bool> SwpIgnoreRecMII("pipeliner-ignore-recmii",
171254f889dSBrendon Cahoon                                      cl::ReallyHidden, cl::init(false),
172254f889dSBrendon Cahoon                                      cl::ZeroOrMore, cl::desc("Ignore RecMII"));
173254f889dSBrendon Cahoon 
174254f889dSBrendon Cahoon namespace {
175254f889dSBrendon Cahoon 
176254f889dSBrendon Cahoon class NodeSet;
177254f889dSBrendon Cahoon class SMSchedule;
178254f889dSBrendon Cahoon 
179254f889dSBrendon Cahoon /// The main class in the implementation of the target independent
180254f889dSBrendon Cahoon /// software pipeliner pass.
181254f889dSBrendon Cahoon class MachinePipeliner : public MachineFunctionPass {
182254f889dSBrendon Cahoon public:
183254f889dSBrendon Cahoon   MachineFunction *MF = nullptr;
184254f889dSBrendon Cahoon   const MachineLoopInfo *MLI = nullptr;
185254f889dSBrendon Cahoon   const MachineDominatorTree *MDT = nullptr;
186254f889dSBrendon Cahoon   const InstrItineraryData *InstrItins;
187254f889dSBrendon Cahoon   const TargetInstrInfo *TII = nullptr;
188254f889dSBrendon Cahoon   RegisterClassInfo RegClassInfo;
189254f889dSBrendon Cahoon 
190254f889dSBrendon Cahoon #ifndef NDEBUG
191254f889dSBrendon Cahoon   static int NumTries;
192254f889dSBrendon Cahoon #endif
19332a40564SEugene Zelenko 
194254f889dSBrendon Cahoon   /// Cache the target analysis information about the loop.
195254f889dSBrendon Cahoon   struct LoopInfo {
196254f889dSBrendon Cahoon     MachineBasicBlock *TBB = nullptr;
197254f889dSBrendon Cahoon     MachineBasicBlock *FBB = nullptr;
198254f889dSBrendon Cahoon     SmallVector<MachineOperand, 4> BrCond;
199254f889dSBrendon Cahoon     MachineInstr *LoopInductionVar = nullptr;
200254f889dSBrendon Cahoon     MachineInstr *LoopCompare = nullptr;
201254f889dSBrendon Cahoon   };
202254f889dSBrendon Cahoon   LoopInfo LI;
203254f889dSBrendon Cahoon 
204254f889dSBrendon Cahoon   static char ID;
20532a40564SEugene Zelenko 
206254f889dSBrendon Cahoon   MachinePipeliner() : MachineFunctionPass(ID) {
207254f889dSBrendon Cahoon     initializeMachinePipelinerPass(*PassRegistry::getPassRegistry());
208254f889dSBrendon Cahoon   }
209254f889dSBrendon Cahoon 
210cdc71612SEugene Zelenko   bool runOnMachineFunction(MachineFunction &MF) override;
211254f889dSBrendon Cahoon 
212cdc71612SEugene Zelenko   void getAnalysisUsage(AnalysisUsage &AU) const override {
213254f889dSBrendon Cahoon     AU.addRequired<AAResultsWrapperPass>();
214254f889dSBrendon Cahoon     AU.addPreserved<AAResultsWrapperPass>();
215254f889dSBrendon Cahoon     AU.addRequired<MachineLoopInfo>();
216254f889dSBrendon Cahoon     AU.addRequired<MachineDominatorTree>();
217254f889dSBrendon Cahoon     AU.addRequired<LiveIntervals>();
218254f889dSBrendon Cahoon     MachineFunctionPass::getAnalysisUsage(AU);
219254f889dSBrendon Cahoon   }
220254f889dSBrendon Cahoon 
221254f889dSBrendon Cahoon private:
222c715a5d2SKrzysztof Parzyszek   void preprocessPhiNodes(MachineBasicBlock &B);
223254f889dSBrendon Cahoon   bool canPipelineLoop(MachineLoop &L);
224254f889dSBrendon Cahoon   bool scheduleLoop(MachineLoop &L);
225254f889dSBrendon Cahoon   bool swingModuloScheduler(MachineLoop &L);
226254f889dSBrendon Cahoon };
227254f889dSBrendon Cahoon 
228254f889dSBrendon Cahoon /// This class builds the dependence graph for the instructions in a loop,
229254f889dSBrendon Cahoon /// and attempts to schedule the instructions using the SMS algorithm.
230254f889dSBrendon Cahoon class SwingSchedulerDAG : public ScheduleDAGInstrs {
231254f889dSBrendon Cahoon   MachinePipeliner &Pass;
232254f889dSBrendon Cahoon   /// The minimum initiation interval between iterations for this schedule.
23332a40564SEugene Zelenko   unsigned MII = 0;
234254f889dSBrendon Cahoon   /// Set to true if a valid pipelined schedule is found for the loop.
23532a40564SEugene Zelenko   bool Scheduled = false;
236254f889dSBrendon Cahoon   MachineLoop &Loop;
237254f889dSBrendon Cahoon   LiveIntervals &LIS;
238254f889dSBrendon Cahoon   const RegisterClassInfo &RegClassInfo;
239254f889dSBrendon Cahoon 
240254f889dSBrendon Cahoon   /// A toplogical ordering of the SUnits, which is needed for changing
241254f889dSBrendon Cahoon   /// dependences and iterating over the SUnits.
242254f889dSBrendon Cahoon   ScheduleDAGTopologicalSort Topo;
243254f889dSBrendon Cahoon 
244254f889dSBrendon Cahoon   struct NodeInfo {
24532a40564SEugene Zelenko     int ASAP = 0;
24632a40564SEugene Zelenko     int ALAP = 0;
2474b8bcf00SRoorda, Jan-Willem     int ZeroLatencyDepth = 0;
2484b8bcf00SRoorda, Jan-Willem     int ZeroLatencyHeight = 0;
24932a40564SEugene Zelenko 
25032a40564SEugene Zelenko     NodeInfo() = default;
251254f889dSBrendon Cahoon   };
252254f889dSBrendon Cahoon   /// Computed properties for each node in the graph.
253254f889dSBrendon Cahoon   std::vector<NodeInfo> ScheduleInfo;
254254f889dSBrendon Cahoon 
255254f889dSBrendon Cahoon   enum OrderKind { BottomUp = 0, TopDown = 1 };
256254f889dSBrendon Cahoon   /// Computed node ordering for scheduling.
257254f889dSBrendon Cahoon   SetVector<SUnit *> NodeOrder;
258254f889dSBrendon Cahoon 
25932a40564SEugene Zelenko   using NodeSetType = SmallVector<NodeSet, 8>;
26032a40564SEugene Zelenko   using ValueMapTy = DenseMap<unsigned, unsigned>;
26132a40564SEugene Zelenko   using MBBVectorTy = SmallVectorImpl<MachineBasicBlock *>;
26232a40564SEugene Zelenko   using InstrMapTy = DenseMap<MachineInstr *, MachineInstr *>;
263254f889dSBrendon Cahoon 
264254f889dSBrendon Cahoon   /// Instructions to change when emitting the final schedule.
265254f889dSBrendon Cahoon   DenseMap<SUnit *, std::pair<unsigned, int64_t>> InstrChanges;
266254f889dSBrendon Cahoon 
267254f889dSBrendon Cahoon   /// We may create a new instruction, so remember it because it
268254f889dSBrendon Cahoon   /// must be deleted when the pass is finished.
269254f889dSBrendon Cahoon   SmallPtrSet<MachineInstr *, 4> NewMIs;
270254f889dSBrendon Cahoon 
27188391248SKrzysztof Parzyszek   /// Ordered list of DAG postprocessing steps.
27288391248SKrzysztof Parzyszek   std::vector<std::unique_ptr<ScheduleDAGMutation>> Mutations;
27388391248SKrzysztof Parzyszek 
274254f889dSBrendon Cahoon   /// Helper class to implement Johnson's circuit finding algorithm.
275254f889dSBrendon Cahoon   class Circuits {
276254f889dSBrendon Cahoon     std::vector<SUnit> &SUnits;
277254f889dSBrendon Cahoon     SetVector<SUnit *> Stack;
278254f889dSBrendon Cahoon     BitVector Blocked;
279254f889dSBrendon Cahoon     SmallVector<SmallPtrSet<SUnit *, 4>, 10> B;
280254f889dSBrendon Cahoon     SmallVector<SmallVector<int, 4>, 16> AdjK;
281254f889dSBrendon Cahoon     unsigned NumPaths;
282254f889dSBrendon Cahoon     static unsigned MaxPaths;
283254f889dSBrendon Cahoon 
284254f889dSBrendon Cahoon   public:
285254f889dSBrendon Cahoon     Circuits(std::vector<SUnit> &SUs)
28632a40564SEugene Zelenko         : SUnits(SUs), Blocked(SUs.size()), B(SUs.size()), AdjK(SUs.size()) {}
28732a40564SEugene Zelenko 
288254f889dSBrendon Cahoon     /// Reset the data structures used in the circuit algorithm.
289254f889dSBrendon Cahoon     void reset() {
290254f889dSBrendon Cahoon       Stack.clear();
291254f889dSBrendon Cahoon       Blocked.reset();
292254f889dSBrendon Cahoon       B.assign(SUnits.size(), SmallPtrSet<SUnit *, 4>());
293254f889dSBrendon Cahoon       NumPaths = 0;
294254f889dSBrendon Cahoon     }
29532a40564SEugene Zelenko 
296254f889dSBrendon Cahoon     void createAdjacencyStructure(SwingSchedulerDAG *DAG);
297254f889dSBrendon Cahoon     bool circuit(int V, int S, NodeSetType &NodeSets, bool HasBackedge = false);
298254f889dSBrendon Cahoon     void unblock(int U);
299254f889dSBrendon Cahoon   };
300254f889dSBrendon Cahoon 
301254f889dSBrendon Cahoon public:
302254f889dSBrendon Cahoon   SwingSchedulerDAG(MachinePipeliner &P, MachineLoop &L, LiveIntervals &lis,
303254f889dSBrendon Cahoon                     const RegisterClassInfo &rci)
30432a40564SEugene Zelenko       : ScheduleDAGInstrs(*P.MF, P.MLI, false), Pass(P), Loop(L), LIS(lis),
30532a40564SEugene Zelenko         RegClassInfo(rci), Topo(SUnits, &ExitSU) {
30688391248SKrzysztof Parzyszek     P.MF->getSubtarget().getSMSMutations(Mutations);
30788391248SKrzysztof Parzyszek   }
308254f889dSBrendon Cahoon 
309cdc71612SEugene Zelenko   void schedule() override;
310cdc71612SEugene Zelenko   void finishBlock() override;
311254f889dSBrendon Cahoon 
312254f889dSBrendon Cahoon   /// Return true if the loop kernel has been scheduled.
313254f889dSBrendon Cahoon   bool hasNewSchedule() { return Scheduled; }
314254f889dSBrendon Cahoon 
315254f889dSBrendon Cahoon   /// Return the earliest time an instruction may be scheduled.
316254f889dSBrendon Cahoon   int getASAP(SUnit *Node) { return ScheduleInfo[Node->NodeNum].ASAP; }
317254f889dSBrendon Cahoon 
318254f889dSBrendon Cahoon   /// Return the latest time an instruction my be scheduled.
319254f889dSBrendon Cahoon   int getALAP(SUnit *Node) { return ScheduleInfo[Node->NodeNum].ALAP; }
320254f889dSBrendon Cahoon 
3218f976ba0SHiroshi Inoue   /// The mobility function, which the number of slots in which
322254f889dSBrendon Cahoon   /// an instruction may be scheduled.
323254f889dSBrendon Cahoon   int getMOV(SUnit *Node) { return getALAP(Node) - getASAP(Node); }
324254f889dSBrendon Cahoon 
325254f889dSBrendon Cahoon   /// The depth, in the dependence graph, for a node.
3263ca23341SKrzysztof Parzyszek   unsigned getDepth(SUnit *Node) { return Node->getDepth(); }
327254f889dSBrendon Cahoon 
3284b8bcf00SRoorda, Jan-Willem   /// The maximum unweighted length of a path from an arbitrary node to the
3294b8bcf00SRoorda, Jan-Willem   /// given node in which each edge has latency 0
3304b8bcf00SRoorda, Jan-Willem   int getZeroLatencyDepth(SUnit *Node) {
3314b8bcf00SRoorda, Jan-Willem     return ScheduleInfo[Node->NodeNum].ZeroLatencyDepth;
3324b8bcf00SRoorda, Jan-Willem   }
3334b8bcf00SRoorda, Jan-Willem 
334254f889dSBrendon Cahoon   /// The height, in the dependence graph, for a node.
3353ca23341SKrzysztof Parzyszek   unsigned getHeight(SUnit *Node) { return Node->getHeight(); }
336254f889dSBrendon Cahoon 
3374b8bcf00SRoorda, Jan-Willem   /// The maximum unweighted length of a path from the given node to an
3384b8bcf00SRoorda, Jan-Willem   /// arbitrary node in which each edge has latency 0
3394b8bcf00SRoorda, Jan-Willem   int getZeroLatencyHeight(SUnit *Node) {
3404b8bcf00SRoorda, Jan-Willem     return ScheduleInfo[Node->NodeNum].ZeroLatencyHeight;
3414b8bcf00SRoorda, Jan-Willem   }
3424b8bcf00SRoorda, Jan-Willem 
343254f889dSBrendon Cahoon   /// Return true if the dependence is a back-edge in the data dependence graph.
344254f889dSBrendon Cahoon   /// Since the DAG doesn't contain cycles, we represent a cycle in the graph
345254f889dSBrendon Cahoon   /// using an anti dependence from a Phi to an instruction.
346254f889dSBrendon Cahoon   bool isBackedge(SUnit *Source, const SDep &Dep) {
347254f889dSBrendon Cahoon     if (Dep.getKind() != SDep::Anti)
348254f889dSBrendon Cahoon       return false;
349254f889dSBrendon Cahoon     return Source->getInstr()->isPHI() || Dep.getSUnit()->getInstr()->isPHI();
350254f889dSBrendon Cahoon   }
351254f889dSBrendon Cahoon 
3528e1363dfSKrzysztof Parzyszek   bool isLoopCarriedDep(SUnit *Source, const SDep &Dep, bool isSucc = true);
353254f889dSBrendon Cahoon 
354254f889dSBrendon Cahoon   /// The distance function, which indicates that operation V of iteration I
355254f889dSBrendon Cahoon   /// depends on operations U of iteration I-distance.
356254f889dSBrendon Cahoon   unsigned getDistance(SUnit *U, SUnit *V, const SDep &Dep) {
357254f889dSBrendon Cahoon     // Instructions that feed a Phi have a distance of 1. Computing larger
358254f889dSBrendon Cahoon     // values for arrays requires data dependence information.
359254f889dSBrendon Cahoon     if (V->getInstr()->isPHI() && Dep.getKind() == SDep::Anti)
360254f889dSBrendon Cahoon       return 1;
361254f889dSBrendon Cahoon     return 0;
362254f889dSBrendon Cahoon   }
363254f889dSBrendon Cahoon 
364254f889dSBrendon Cahoon   /// Set the Minimum Initiation Interval for this schedule attempt.
365254f889dSBrendon Cahoon   void setMII(unsigned mii) { MII = mii; }
366254f889dSBrendon Cahoon 
3678f174ddeSKrzysztof Parzyszek   void applyInstrChange(MachineInstr *MI, SMSchedule &Schedule);
3688f174ddeSKrzysztof Parzyszek 
3698f174ddeSKrzysztof Parzyszek   void fixupRegisterOverlaps(std::deque<SUnit *> &Instrs);
370254f889dSBrendon Cahoon 
371254f889dSBrendon Cahoon   /// Return the new base register that was stored away for the changed
372254f889dSBrendon Cahoon   /// instruction.
373254f889dSBrendon Cahoon   unsigned getInstrBaseReg(SUnit *SU) {
374254f889dSBrendon Cahoon     DenseMap<SUnit *, std::pair<unsigned, int64_t>>::iterator It =
375254f889dSBrendon Cahoon         InstrChanges.find(SU);
376254f889dSBrendon Cahoon     if (It != InstrChanges.end())
377254f889dSBrendon Cahoon       return It->second.first;
378254f889dSBrendon Cahoon     return 0;
379254f889dSBrendon Cahoon   }
380254f889dSBrendon Cahoon 
38188391248SKrzysztof Parzyszek   void addMutation(std::unique_ptr<ScheduleDAGMutation> Mutation) {
38288391248SKrzysztof Parzyszek     Mutations.push_back(std::move(Mutation));
38388391248SKrzysztof Parzyszek   }
38488391248SKrzysztof Parzyszek 
385254f889dSBrendon Cahoon private:
386254f889dSBrendon Cahoon   void addLoopCarriedDependences(AliasAnalysis *AA);
387254f889dSBrendon Cahoon   void updatePhiDependences();
388254f889dSBrendon Cahoon   void changeDependences();
389254f889dSBrendon Cahoon   unsigned calculateResMII();
390254f889dSBrendon Cahoon   unsigned calculateRecMII(NodeSetType &RecNodeSets);
391254f889dSBrendon Cahoon   void findCircuits(NodeSetType &NodeSets);
392254f889dSBrendon Cahoon   void fuseRecs(NodeSetType &NodeSets);
393254f889dSBrendon Cahoon   void removeDuplicateNodes(NodeSetType &NodeSets);
394254f889dSBrendon Cahoon   void computeNodeFunctions(NodeSetType &NodeSets);
395254f889dSBrendon Cahoon   void registerPressureFilter(NodeSetType &NodeSets);
396254f889dSBrendon Cahoon   void colocateNodeSets(NodeSetType &NodeSets);
397254f889dSBrendon Cahoon   void checkNodeSets(NodeSetType &NodeSets);
398254f889dSBrendon Cahoon   void groupRemainingNodes(NodeSetType &NodeSets);
399254f889dSBrendon Cahoon   void addConnectedNodes(SUnit *SU, NodeSet &NewSet,
400254f889dSBrendon Cahoon                          SetVector<SUnit *> &NodesAdded);
401254f889dSBrendon Cahoon   void computeNodeOrder(NodeSetType &NodeSets);
4024b8bcf00SRoorda, Jan-Willem   void checkValidNodeOrder(const NodeSetType &Circuits) const;
403254f889dSBrendon Cahoon   bool schedulePipeline(SMSchedule &Schedule);
404254f889dSBrendon Cahoon   void generatePipelinedLoop(SMSchedule &Schedule);
405254f889dSBrendon Cahoon   void generateProlog(SMSchedule &Schedule, unsigned LastStage,
406254f889dSBrendon Cahoon                       MachineBasicBlock *KernelBB, ValueMapTy *VRMap,
407254f889dSBrendon Cahoon                       MBBVectorTy &PrologBBs);
408254f889dSBrendon Cahoon   void generateEpilog(SMSchedule &Schedule, unsigned LastStage,
409254f889dSBrendon Cahoon                       MachineBasicBlock *KernelBB, ValueMapTy *VRMap,
410254f889dSBrendon Cahoon                       MBBVectorTy &EpilogBBs, MBBVectorTy &PrologBBs);
411254f889dSBrendon Cahoon   void generateExistingPhis(MachineBasicBlock *NewBB, MachineBasicBlock *BB1,
412254f889dSBrendon Cahoon                             MachineBasicBlock *BB2, MachineBasicBlock *KernelBB,
413254f889dSBrendon Cahoon                             SMSchedule &Schedule, ValueMapTy *VRMap,
414254f889dSBrendon Cahoon                             InstrMapTy &InstrMap, unsigned LastStageNum,
415254f889dSBrendon Cahoon                             unsigned CurStageNum, bool IsLast);
416254f889dSBrendon Cahoon   void generatePhis(MachineBasicBlock *NewBB, MachineBasicBlock *BB1,
417254f889dSBrendon Cahoon                     MachineBasicBlock *BB2, MachineBasicBlock *KernelBB,
418254f889dSBrendon Cahoon                     SMSchedule &Schedule, ValueMapTy *VRMap,
419254f889dSBrendon Cahoon                     InstrMapTy &InstrMap, unsigned LastStageNum,
420254f889dSBrendon Cahoon                     unsigned CurStageNum, bool IsLast);
421254f889dSBrendon Cahoon   void removeDeadInstructions(MachineBasicBlock *KernelBB,
422254f889dSBrendon Cahoon                               MBBVectorTy &EpilogBBs);
423254f889dSBrendon Cahoon   void splitLifetimes(MachineBasicBlock *KernelBB, MBBVectorTy &EpilogBBs,
424254f889dSBrendon Cahoon                       SMSchedule &Schedule);
425254f889dSBrendon Cahoon   void addBranches(MBBVectorTy &PrologBBs, MachineBasicBlock *KernelBB,
426254f889dSBrendon Cahoon                    MBBVectorTy &EpilogBBs, SMSchedule &Schedule,
427254f889dSBrendon Cahoon                    ValueMapTy *VRMap);
428254f889dSBrendon Cahoon   bool computeDelta(MachineInstr &MI, unsigned &Delta);
429254f889dSBrendon Cahoon   void updateMemOperands(MachineInstr &NewMI, MachineInstr &OldMI,
430254f889dSBrendon Cahoon                          unsigned Num);
431254f889dSBrendon Cahoon   MachineInstr *cloneInstr(MachineInstr *OldMI, unsigned CurStageNum,
432254f889dSBrendon Cahoon                            unsigned InstStageNum);
433254f889dSBrendon Cahoon   MachineInstr *cloneAndChangeInstr(MachineInstr *OldMI, unsigned CurStageNum,
434254f889dSBrendon Cahoon                                     unsigned InstStageNum,
435254f889dSBrendon Cahoon                                     SMSchedule &Schedule);
436254f889dSBrendon Cahoon   void updateInstruction(MachineInstr *NewMI, bool LastDef,
437cb0bab86SFangrui Song                          unsigned CurStageNum, unsigned InstrStageNum,
438254f889dSBrendon Cahoon                          SMSchedule &Schedule, ValueMapTy *VRMap);
439254f889dSBrendon Cahoon   MachineInstr *findDefInLoop(unsigned Reg);
440254f889dSBrendon Cahoon   unsigned getPrevMapVal(unsigned StageNum, unsigned PhiStage, unsigned LoopVal,
441254f889dSBrendon Cahoon                          unsigned LoopStage, ValueMapTy *VRMap,
442254f889dSBrendon Cahoon                          MachineBasicBlock *BB);
443254f889dSBrendon Cahoon   void rewritePhiValues(MachineBasicBlock *NewBB, unsigned StageNum,
444254f889dSBrendon Cahoon                         SMSchedule &Schedule, ValueMapTy *VRMap,
445254f889dSBrendon Cahoon                         InstrMapTy &InstrMap);
446254f889dSBrendon Cahoon   void rewriteScheduledInstr(MachineBasicBlock *BB, SMSchedule &Schedule,
447254f889dSBrendon Cahoon                              InstrMapTy &InstrMap, unsigned CurStageNum,
448254f889dSBrendon Cahoon                              unsigned PhiNum, MachineInstr *Phi,
449254f889dSBrendon Cahoon                              unsigned OldReg, unsigned NewReg,
450254f889dSBrendon Cahoon                              unsigned PrevReg = 0);
451254f889dSBrendon Cahoon   bool canUseLastOffsetValue(MachineInstr *MI, unsigned &BasePos,
452254f889dSBrendon Cahoon                              unsigned &OffsetPos, unsigned &NewBase,
453254f889dSBrendon Cahoon                              int64_t &NewOffset);
45488391248SKrzysztof Parzyszek   void postprocessDAG();
455254f889dSBrendon Cahoon };
456254f889dSBrendon Cahoon 
457254f889dSBrendon Cahoon /// A NodeSet contains a set of SUnit DAG nodes with additional information
458254f889dSBrendon Cahoon /// that assigns a priority to the set.
459254f889dSBrendon Cahoon class NodeSet {
460254f889dSBrendon Cahoon   SetVector<SUnit *> Nodes;
46132a40564SEugene Zelenko   bool HasRecurrence = false;
462254f889dSBrendon Cahoon   unsigned RecMII = 0;
463254f889dSBrendon Cahoon   int MaxMOV = 0;
4643ca23341SKrzysztof Parzyszek   unsigned MaxDepth = 0;
465254f889dSBrendon Cahoon   unsigned Colocate = 0;
466254f889dSBrendon Cahoon   SUnit *ExceedPressure = nullptr;
467c715a5d2SKrzysztof Parzyszek   unsigned Latency = 0;
468254f889dSBrendon Cahoon 
469254f889dSBrendon Cahoon public:
47032a40564SEugene Zelenko   using iterator = SetVector<SUnit *>::const_iterator;
471254f889dSBrendon Cahoon 
47232a40564SEugene Zelenko   NodeSet() = default;
473c715a5d2SKrzysztof Parzyszek   NodeSet(iterator S, iterator E) : Nodes(S, E), HasRecurrence(true) {
474c715a5d2SKrzysztof Parzyszek     Latency = 0;
475c715a5d2SKrzysztof Parzyszek     for (unsigned i = 0, e = Nodes.size(); i < e; ++i)
476c715a5d2SKrzysztof Parzyszek       for (const SDep &Succ : Nodes[i]->Succs)
477c715a5d2SKrzysztof Parzyszek         if (Nodes.count(Succ.getSUnit()))
478c715a5d2SKrzysztof Parzyszek           Latency += Succ.getLatency();
479c715a5d2SKrzysztof Parzyszek   }
480254f889dSBrendon Cahoon 
481254f889dSBrendon Cahoon   bool insert(SUnit *SU) { return Nodes.insert(SU); }
482254f889dSBrendon Cahoon 
483254f889dSBrendon Cahoon   void insert(iterator S, iterator E) { Nodes.insert(S, E); }
484254f889dSBrendon Cahoon 
485254f889dSBrendon Cahoon   template <typename UnaryPredicate> bool remove_if(UnaryPredicate P) {
486254f889dSBrendon Cahoon     return Nodes.remove_if(P);
487254f889dSBrendon Cahoon   }
488254f889dSBrendon Cahoon 
489254f889dSBrendon Cahoon   unsigned count(SUnit *SU) const { return Nodes.count(SU); }
490254f889dSBrendon Cahoon 
491254f889dSBrendon Cahoon   bool hasRecurrence() { return HasRecurrence; };
492254f889dSBrendon Cahoon 
493254f889dSBrendon Cahoon   unsigned size() const { return Nodes.size(); }
494254f889dSBrendon Cahoon 
495254f889dSBrendon Cahoon   bool empty() const { return Nodes.empty(); }
496254f889dSBrendon Cahoon 
497254f889dSBrendon Cahoon   SUnit *getNode(unsigned i) const { return Nodes[i]; };
498254f889dSBrendon Cahoon 
499254f889dSBrendon Cahoon   void setRecMII(unsigned mii) { RecMII = mii; };
500254f889dSBrendon Cahoon 
501254f889dSBrendon Cahoon   void setColocate(unsigned c) { Colocate = c; };
502254f889dSBrendon Cahoon 
503254f889dSBrendon Cahoon   void setExceedPressure(SUnit *SU) { ExceedPressure = SU; }
504254f889dSBrendon Cahoon 
505254f889dSBrendon Cahoon   bool isExceedSU(SUnit *SU) { return ExceedPressure == SU; }
506254f889dSBrendon Cahoon 
507254f889dSBrendon Cahoon   int compareRecMII(NodeSet &RHS) { return RecMII - RHS.RecMII; }
508254f889dSBrendon Cahoon 
509254f889dSBrendon Cahoon   int getRecMII() { return RecMII; }
510254f889dSBrendon Cahoon 
511254f889dSBrendon Cahoon   /// Summarize node functions for the entire node set.
512254f889dSBrendon Cahoon   void computeNodeSetInfo(SwingSchedulerDAG *SSD) {
513254f889dSBrendon Cahoon     for (SUnit *SU : *this) {
514254f889dSBrendon Cahoon       MaxMOV = std::max(MaxMOV, SSD->getMOV(SU));
515254f889dSBrendon Cahoon       MaxDepth = std::max(MaxDepth, SSD->getDepth(SU));
516254f889dSBrendon Cahoon     }
517254f889dSBrendon Cahoon   }
518254f889dSBrendon Cahoon 
519a2122044SKrzysztof Parzyszek   unsigned getLatency() { return Latency; }
520a2122044SKrzysztof Parzyszek 
5213ca23341SKrzysztof Parzyszek   unsigned getMaxDepth() { return MaxDepth; }
5223ca23341SKrzysztof Parzyszek 
523254f889dSBrendon Cahoon   void clear() {
524254f889dSBrendon Cahoon     Nodes.clear();
525254f889dSBrendon Cahoon     RecMII = 0;
526254f889dSBrendon Cahoon     HasRecurrence = false;
527254f889dSBrendon Cahoon     MaxMOV = 0;
528254f889dSBrendon Cahoon     MaxDepth = 0;
529254f889dSBrendon Cahoon     Colocate = 0;
530254f889dSBrendon Cahoon     ExceedPressure = nullptr;
531254f889dSBrendon Cahoon   }
532254f889dSBrendon Cahoon 
533254f889dSBrendon Cahoon   operator SetVector<SUnit *> &() { return Nodes; }
534254f889dSBrendon Cahoon 
535254f889dSBrendon Cahoon   /// Sort the node sets by importance. First, rank them by recurrence MII,
536254f889dSBrendon Cahoon   /// then by mobility (least mobile done first), and finally by depth.
537254f889dSBrendon Cahoon   /// Each node set may contain a colocate value which is used as the first
538254f889dSBrendon Cahoon   /// tie breaker, if it's set.
539254f889dSBrendon Cahoon   bool operator>(const NodeSet &RHS) const {
540254f889dSBrendon Cahoon     if (RecMII == RHS.RecMII) {
541254f889dSBrendon Cahoon       if (Colocate != 0 && RHS.Colocate != 0 && Colocate != RHS.Colocate)
542254f889dSBrendon Cahoon         return Colocate < RHS.Colocate;
543254f889dSBrendon Cahoon       if (MaxMOV == RHS.MaxMOV)
544254f889dSBrendon Cahoon         return MaxDepth > RHS.MaxDepth;
545254f889dSBrendon Cahoon       return MaxMOV < RHS.MaxMOV;
546254f889dSBrendon Cahoon     }
547254f889dSBrendon Cahoon     return RecMII > RHS.RecMII;
548254f889dSBrendon Cahoon   }
549254f889dSBrendon Cahoon 
550254f889dSBrendon Cahoon   bool operator==(const NodeSet &RHS) const {
551254f889dSBrendon Cahoon     return RecMII == RHS.RecMII && MaxMOV == RHS.MaxMOV &&
552254f889dSBrendon Cahoon            MaxDepth == RHS.MaxDepth;
553254f889dSBrendon Cahoon   }
554254f889dSBrendon Cahoon 
555254f889dSBrendon Cahoon   bool operator!=(const NodeSet &RHS) const { return !operator==(RHS); }
556254f889dSBrendon Cahoon 
557254f889dSBrendon Cahoon   iterator begin() { return Nodes.begin(); }
558254f889dSBrendon Cahoon   iterator end() { return Nodes.end(); }
559254f889dSBrendon Cahoon 
560254f889dSBrendon Cahoon   void print(raw_ostream &os) const {
561254f889dSBrendon Cahoon     os << "Num nodes " << size() << " rec " << RecMII << " mov " << MaxMOV
562254f889dSBrendon Cahoon        << " depth " << MaxDepth << " col " << Colocate << "\n";
563254f889dSBrendon Cahoon     for (const auto &I : Nodes)
564254f889dSBrendon Cahoon       os << "   SU(" << I->NodeNum << ") " << *(I->getInstr());
565254f889dSBrendon Cahoon     os << "\n";
566254f889dSBrendon Cahoon   }
567254f889dSBrendon Cahoon 
568615eb470SAaron Ballman #if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
5698c209aa8SMatthias Braun   LLVM_DUMP_METHOD void dump() const { print(dbgs()); }
5708c209aa8SMatthias Braun #endif
571254f889dSBrendon Cahoon };
572254f889dSBrendon Cahoon 
573c73b6d6bSHiroshi Inoue /// This class represents the scheduled code.  The main data structure is a
574254f889dSBrendon Cahoon /// map from scheduled cycle to instructions.  During scheduling, the
575254f889dSBrendon Cahoon /// data structure explicitly represents all stages/iterations.   When
576254f889dSBrendon Cahoon /// the algorithm finshes, the schedule is collapsed into a single stage,
577254f889dSBrendon Cahoon /// which represents instructions from different loop iterations.
578254f889dSBrendon Cahoon ///
579254f889dSBrendon Cahoon /// The SMS algorithm allows negative values for cycles, so the first cycle
580254f889dSBrendon Cahoon /// in the schedule is the smallest cycle value.
581254f889dSBrendon Cahoon class SMSchedule {
582254f889dSBrendon Cahoon private:
583254f889dSBrendon Cahoon   /// Map from execution cycle to instructions.
584254f889dSBrendon Cahoon   DenseMap<int, std::deque<SUnit *>> ScheduledInstrs;
585254f889dSBrendon Cahoon 
586254f889dSBrendon Cahoon   /// Map from instruction to execution cycle.
587254f889dSBrendon Cahoon   std::map<SUnit *, int> InstrToCycle;
588254f889dSBrendon Cahoon 
589254f889dSBrendon Cahoon   /// Map for each register and the max difference between its uses and def.
590254f889dSBrendon Cahoon   /// The first element in the pair is the max difference in stages. The
591254f889dSBrendon Cahoon   /// second is true if the register defines a Phi value and loop value is
592254f889dSBrendon Cahoon   /// scheduled before the Phi.
593254f889dSBrendon Cahoon   std::map<unsigned, std::pair<unsigned, bool>> RegToStageDiff;
594254f889dSBrendon Cahoon 
595254f889dSBrendon Cahoon   /// Keep track of the first cycle value in the schedule.  It starts
596254f889dSBrendon Cahoon   /// as zero, but the algorithm allows negative values.
59732a40564SEugene Zelenko   int FirstCycle = 0;
598254f889dSBrendon Cahoon 
599254f889dSBrendon Cahoon   /// Keep track of the last cycle value in the schedule.
60032a40564SEugene Zelenko   int LastCycle = 0;
601254f889dSBrendon Cahoon 
602254f889dSBrendon Cahoon   /// The initiation interval (II) for the schedule.
60332a40564SEugene Zelenko   int InitiationInterval = 0;
604254f889dSBrendon Cahoon 
605254f889dSBrendon Cahoon   /// Target machine information.
606254f889dSBrendon Cahoon   const TargetSubtargetInfo &ST;
607254f889dSBrendon Cahoon 
608254f889dSBrendon Cahoon   /// Virtual register information.
609254f889dSBrendon Cahoon   MachineRegisterInfo &MRI;
610254f889dSBrendon Cahoon 
6113f6260caSBenjamin Kramer   std::unique_ptr<DFAPacketizer> Resources;
612254f889dSBrendon Cahoon 
613254f889dSBrendon Cahoon public:
614254f889dSBrendon Cahoon   SMSchedule(MachineFunction *mf)
615254f889dSBrendon Cahoon       : ST(mf->getSubtarget()), MRI(mf->getRegInfo()),
61632a40564SEugene Zelenko         Resources(ST.getInstrInfo()->CreateTargetScheduleState(ST)) {}
617254f889dSBrendon Cahoon 
618254f889dSBrendon Cahoon   void reset() {
619254f889dSBrendon Cahoon     ScheduledInstrs.clear();
620254f889dSBrendon Cahoon     InstrToCycle.clear();
621254f889dSBrendon Cahoon     RegToStageDiff.clear();
622254f889dSBrendon Cahoon     FirstCycle = 0;
623254f889dSBrendon Cahoon     LastCycle = 0;
624254f889dSBrendon Cahoon     InitiationInterval = 0;
625254f889dSBrendon Cahoon   }
626254f889dSBrendon Cahoon 
627254f889dSBrendon Cahoon   /// Set the initiation interval for this schedule.
628254f889dSBrendon Cahoon   void setInitiationInterval(int ii) { InitiationInterval = ii; }
629254f889dSBrendon Cahoon 
630254f889dSBrendon Cahoon   /// Return the first cycle in the completed schedule.  This
631254f889dSBrendon Cahoon   /// can be a negative value.
632254f889dSBrendon Cahoon   int getFirstCycle() const { return FirstCycle; }
633254f889dSBrendon Cahoon 
634254f889dSBrendon Cahoon   /// Return the last cycle in the finalized schedule.
635254f889dSBrendon Cahoon   int getFinalCycle() const { return FirstCycle + InitiationInterval - 1; }
636254f889dSBrendon Cahoon 
637254f889dSBrendon Cahoon   /// Return the cycle of the earliest scheduled instruction in the dependence
638254f889dSBrendon Cahoon   /// chain.
639254f889dSBrendon Cahoon   int earliestCycleInChain(const SDep &Dep);
640254f889dSBrendon Cahoon 
641254f889dSBrendon Cahoon   /// Return the cycle of the latest scheduled instruction in the dependence
642254f889dSBrendon Cahoon   /// chain.
643254f889dSBrendon Cahoon   int latestCycleInChain(const SDep &Dep);
644254f889dSBrendon Cahoon 
645254f889dSBrendon Cahoon   void computeStart(SUnit *SU, int *MaxEarlyStart, int *MinLateStart,
646254f889dSBrendon Cahoon                     int *MinEnd, int *MaxStart, int II, SwingSchedulerDAG *DAG);
647254f889dSBrendon Cahoon   bool insert(SUnit *SU, int StartCycle, int EndCycle, int II);
648254f889dSBrendon Cahoon 
649254f889dSBrendon Cahoon   /// Iterators for the cycle to instruction map.
65032a40564SEugene Zelenko   using sched_iterator = DenseMap<int, std::deque<SUnit *>>::iterator;
65132a40564SEugene Zelenko   using const_sched_iterator =
65232a40564SEugene Zelenko       DenseMap<int, std::deque<SUnit *>>::const_iterator;
653254f889dSBrendon Cahoon 
654254f889dSBrendon Cahoon   /// Return true if the instruction is scheduled at the specified stage.
655254f889dSBrendon Cahoon   bool isScheduledAtStage(SUnit *SU, unsigned StageNum) {
656254f889dSBrendon Cahoon     return (stageScheduled(SU) == (int)StageNum);
657254f889dSBrendon Cahoon   }
658254f889dSBrendon Cahoon 
659254f889dSBrendon Cahoon   /// Return the stage for a scheduled instruction.  Return -1 if
660254f889dSBrendon Cahoon   /// the instruction has not been scheduled.
661254f889dSBrendon Cahoon   int stageScheduled(SUnit *SU) const {
662254f889dSBrendon Cahoon     std::map<SUnit *, int>::const_iterator it = InstrToCycle.find(SU);
663254f889dSBrendon Cahoon     if (it == InstrToCycle.end())
664254f889dSBrendon Cahoon       return -1;
665254f889dSBrendon Cahoon     return (it->second - FirstCycle) / InitiationInterval;
666254f889dSBrendon Cahoon   }
667254f889dSBrendon Cahoon 
668254f889dSBrendon Cahoon   /// Return the cycle for a scheduled instruction. This function normalizes
669254f889dSBrendon Cahoon   /// the first cycle to be 0.
670254f889dSBrendon Cahoon   unsigned cycleScheduled(SUnit *SU) const {
671254f889dSBrendon Cahoon     std::map<SUnit *, int>::const_iterator it = InstrToCycle.find(SU);
672254f889dSBrendon Cahoon     assert(it != InstrToCycle.end() && "Instruction hasn't been scheduled.");
673254f889dSBrendon Cahoon     return (it->second - FirstCycle) % InitiationInterval;
674254f889dSBrendon Cahoon   }
675254f889dSBrendon Cahoon 
676254f889dSBrendon Cahoon   /// Return the maximum stage count needed for this schedule.
677254f889dSBrendon Cahoon   unsigned getMaxStageCount() {
678254f889dSBrendon Cahoon     return (LastCycle - FirstCycle) / InitiationInterval;
679254f889dSBrendon Cahoon   }
680254f889dSBrendon Cahoon 
681254f889dSBrendon Cahoon   /// Return the max. number of stages/iterations that can occur between a
682254f889dSBrendon Cahoon   /// register definition and its uses.
683254f889dSBrendon Cahoon   unsigned getStagesForReg(int Reg, unsigned CurStage) {
684254f889dSBrendon Cahoon     std::pair<unsigned, bool> Stages = RegToStageDiff[Reg];
685254f889dSBrendon Cahoon     if (CurStage > getMaxStageCount() && Stages.first == 0 && Stages.second)
686254f889dSBrendon Cahoon       return 1;
687254f889dSBrendon Cahoon     return Stages.first;
688254f889dSBrendon Cahoon   }
689254f889dSBrendon Cahoon 
690254f889dSBrendon Cahoon   /// The number of stages for a Phi is a little different than other
691254f889dSBrendon Cahoon   /// instructions. The minimum value computed in RegToStageDiff is 1
692254f889dSBrendon Cahoon   /// because we assume the Phi is needed for at least 1 iteration.
693254f889dSBrendon Cahoon   /// This is not the case if the loop value is scheduled prior to the
694254f889dSBrendon Cahoon   /// Phi in the same stage.  This function returns the number of stages
695254f889dSBrendon Cahoon   /// or iterations needed between the Phi definition and any uses.
696254f889dSBrendon Cahoon   unsigned getStagesForPhi(int Reg) {
697254f889dSBrendon Cahoon     std::pair<unsigned, bool> Stages = RegToStageDiff[Reg];
698254f889dSBrendon Cahoon     if (Stages.second)
699254f889dSBrendon Cahoon       return Stages.first;
700254f889dSBrendon Cahoon     return Stages.first - 1;
701254f889dSBrendon Cahoon   }
702254f889dSBrendon Cahoon 
703254f889dSBrendon Cahoon   /// Return the instructions that are scheduled at the specified cycle.
704254f889dSBrendon Cahoon   std::deque<SUnit *> &getInstructions(int cycle) {
705254f889dSBrendon Cahoon     return ScheduledInstrs[cycle];
706254f889dSBrendon Cahoon   }
707254f889dSBrendon Cahoon 
708254f889dSBrendon Cahoon   bool isValidSchedule(SwingSchedulerDAG *SSD);
709254f889dSBrendon Cahoon   void finalizeSchedule(SwingSchedulerDAG *SSD);
710f13bbf1dSKrzysztof Parzyszek   void orderDependence(SwingSchedulerDAG *SSD, SUnit *SU,
711254f889dSBrendon Cahoon                        std::deque<SUnit *> &Insts);
712254f889dSBrendon Cahoon   bool isLoopCarried(SwingSchedulerDAG *SSD, MachineInstr &Phi);
713cb0bab86SFangrui Song   bool isLoopCarriedDefOfUse(SwingSchedulerDAG *SSD, MachineInstr *Def,
714254f889dSBrendon Cahoon                              MachineOperand &MO);
715254f889dSBrendon Cahoon   void print(raw_ostream &os) const;
716254f889dSBrendon Cahoon   void dump() const;
717254f889dSBrendon Cahoon };
718254f889dSBrendon Cahoon 
719254f889dSBrendon Cahoon } // end anonymous namespace
720254f889dSBrendon Cahoon 
721254f889dSBrendon Cahoon unsigned SwingSchedulerDAG::Circuits::MaxPaths = 5;
722254f889dSBrendon Cahoon char MachinePipeliner::ID = 0;
723254f889dSBrendon Cahoon #ifndef NDEBUG
724254f889dSBrendon Cahoon int MachinePipeliner::NumTries = 0;
725254f889dSBrendon Cahoon #endif
726254f889dSBrendon Cahoon char &llvm::MachinePipelinerID = MachinePipeliner::ID;
72732a40564SEugene Zelenko 
7281527baabSMatthias Braun INITIALIZE_PASS_BEGIN(MachinePipeliner, DEBUG_TYPE,
729254f889dSBrendon Cahoon                       "Modulo Software Pipelining", false, false)
730254f889dSBrendon Cahoon INITIALIZE_PASS_DEPENDENCY(AAResultsWrapperPass)
731254f889dSBrendon Cahoon INITIALIZE_PASS_DEPENDENCY(MachineLoopInfo)
732254f889dSBrendon Cahoon INITIALIZE_PASS_DEPENDENCY(MachineDominatorTree)
733254f889dSBrendon Cahoon INITIALIZE_PASS_DEPENDENCY(LiveIntervals)
7341527baabSMatthias Braun INITIALIZE_PASS_END(MachinePipeliner, DEBUG_TYPE,
735254f889dSBrendon Cahoon                     "Modulo Software Pipelining", false, false)
736254f889dSBrendon Cahoon 
737254f889dSBrendon Cahoon /// The "main" function for implementing Swing Modulo Scheduling.
738254f889dSBrendon Cahoon bool MachinePipeliner::runOnMachineFunction(MachineFunction &mf) {
739f1caa283SMatthias Braun   if (skipFunction(mf.getFunction()))
740254f889dSBrendon Cahoon     return false;
741254f889dSBrendon Cahoon 
742254f889dSBrendon Cahoon   if (!EnableSWP)
743254f889dSBrendon Cahoon     return false;
744254f889dSBrendon Cahoon 
745f1caa283SMatthias Braun   if (mf.getFunction().getAttributes().hasAttribute(
746b518054bSReid Kleckner           AttributeList::FunctionIndex, Attribute::OptimizeForSize) &&
747254f889dSBrendon Cahoon       !EnableSWPOptSize.getPosition())
748254f889dSBrendon Cahoon     return false;
749254f889dSBrendon Cahoon 
750254f889dSBrendon Cahoon   MF = &mf;
751254f889dSBrendon Cahoon   MLI = &getAnalysis<MachineLoopInfo>();
752254f889dSBrendon Cahoon   MDT = &getAnalysis<MachineDominatorTree>();
753254f889dSBrendon Cahoon   TII = MF->getSubtarget().getInstrInfo();
754254f889dSBrendon Cahoon   RegClassInfo.runOnMachineFunction(*MF);
755254f889dSBrendon Cahoon 
756254f889dSBrendon Cahoon   for (auto &L : *MLI)
757254f889dSBrendon Cahoon     scheduleLoop(*L);
758254f889dSBrendon Cahoon 
759254f889dSBrendon Cahoon   return false;
760254f889dSBrendon Cahoon }
761254f889dSBrendon Cahoon 
762254f889dSBrendon Cahoon /// Attempt to perform the SMS algorithm on the specified loop. This function is
763254f889dSBrendon Cahoon /// the main entry point for the algorithm.  The function identifies candidate
764254f889dSBrendon Cahoon /// loops, calculates the minimum initiation interval, and attempts to schedule
765254f889dSBrendon Cahoon /// the loop.
766254f889dSBrendon Cahoon bool MachinePipeliner::scheduleLoop(MachineLoop &L) {
767254f889dSBrendon Cahoon   bool Changed = false;
768254f889dSBrendon Cahoon   for (auto &InnerLoop : L)
769254f889dSBrendon Cahoon     Changed |= scheduleLoop(*InnerLoop);
770254f889dSBrendon Cahoon 
771254f889dSBrendon Cahoon #ifndef NDEBUG
772254f889dSBrendon Cahoon   // Stop trying after reaching the limit (if any).
773254f889dSBrendon Cahoon   int Limit = SwpLoopLimit;
774254f889dSBrendon Cahoon   if (Limit >= 0) {
775254f889dSBrendon Cahoon     if (NumTries >= SwpLoopLimit)
776254f889dSBrendon Cahoon       return Changed;
777254f889dSBrendon Cahoon     NumTries++;
778254f889dSBrendon Cahoon   }
779254f889dSBrendon Cahoon #endif
780254f889dSBrendon Cahoon 
781254f889dSBrendon Cahoon   if (!canPipelineLoop(L))
782254f889dSBrendon Cahoon     return Changed;
783254f889dSBrendon Cahoon 
784254f889dSBrendon Cahoon   ++NumTrytoPipeline;
785254f889dSBrendon Cahoon 
786254f889dSBrendon Cahoon   Changed = swingModuloScheduler(L);
787254f889dSBrendon Cahoon 
788254f889dSBrendon Cahoon   return Changed;
789254f889dSBrendon Cahoon }
790254f889dSBrendon Cahoon 
791254f889dSBrendon Cahoon /// Return true if the loop can be software pipelined.  The algorithm is
792254f889dSBrendon Cahoon /// restricted to loops with a single basic block.  Make sure that the
793254f889dSBrendon Cahoon /// branch in the loop can be analyzed.
794254f889dSBrendon Cahoon bool MachinePipeliner::canPipelineLoop(MachineLoop &L) {
795254f889dSBrendon Cahoon   if (L.getNumBlocks() != 1)
796254f889dSBrendon Cahoon     return false;
797254f889dSBrendon Cahoon 
798254f889dSBrendon Cahoon   // Check if the branch can't be understood because we can't do pipelining
799254f889dSBrendon Cahoon   // if that's the case.
800254f889dSBrendon Cahoon   LI.TBB = nullptr;
801254f889dSBrendon Cahoon   LI.FBB = nullptr;
802254f889dSBrendon Cahoon   LI.BrCond.clear();
803254f889dSBrendon Cahoon   if (TII->analyzeBranch(*L.getHeader(), LI.TBB, LI.FBB, LI.BrCond))
804254f889dSBrendon Cahoon     return false;
805254f889dSBrendon Cahoon 
806254f889dSBrendon Cahoon   LI.LoopInductionVar = nullptr;
807254f889dSBrendon Cahoon   LI.LoopCompare = nullptr;
808254f889dSBrendon Cahoon   if (TII->analyzeLoop(L, LI.LoopInductionVar, LI.LoopCompare))
809254f889dSBrendon Cahoon     return false;
810254f889dSBrendon Cahoon 
811254f889dSBrendon Cahoon   if (!L.getLoopPreheader())
812254f889dSBrendon Cahoon     return false;
813254f889dSBrendon Cahoon 
814c715a5d2SKrzysztof Parzyszek   // Remove any subregisters from inputs to phi nodes.
815c715a5d2SKrzysztof Parzyszek   preprocessPhiNodes(*L.getHeader());
816254f889dSBrendon Cahoon   return true;
817254f889dSBrendon Cahoon }
818254f889dSBrendon Cahoon 
819c715a5d2SKrzysztof Parzyszek void MachinePipeliner::preprocessPhiNodes(MachineBasicBlock &B) {
820c715a5d2SKrzysztof Parzyszek   MachineRegisterInfo &MRI = MF->getRegInfo();
821c715a5d2SKrzysztof Parzyszek   SlotIndexes &Slots = *getAnalysis<LiveIntervals>().getSlotIndexes();
822c715a5d2SKrzysztof Parzyszek 
823c715a5d2SKrzysztof Parzyszek   for (MachineInstr &PI : make_range(B.begin(), B.getFirstNonPHI())) {
824c715a5d2SKrzysztof Parzyszek     MachineOperand &DefOp = PI.getOperand(0);
825c715a5d2SKrzysztof Parzyszek     assert(DefOp.getSubReg() == 0);
826c715a5d2SKrzysztof Parzyszek     auto *RC = MRI.getRegClass(DefOp.getReg());
827c715a5d2SKrzysztof Parzyszek 
828c715a5d2SKrzysztof Parzyszek     for (unsigned i = 1, n = PI.getNumOperands(); i != n; i += 2) {
829c715a5d2SKrzysztof Parzyszek       MachineOperand &RegOp = PI.getOperand(i);
830c715a5d2SKrzysztof Parzyszek       if (RegOp.getSubReg() == 0)
831c715a5d2SKrzysztof Parzyszek         continue;
832c715a5d2SKrzysztof Parzyszek 
833c715a5d2SKrzysztof Parzyszek       // If the operand uses a subregister, replace it with a new register
834c715a5d2SKrzysztof Parzyszek       // without subregisters, and generate a copy to the new register.
835c715a5d2SKrzysztof Parzyszek       unsigned NewReg = MRI.createVirtualRegister(RC);
836c715a5d2SKrzysztof Parzyszek       MachineBasicBlock &PredB = *PI.getOperand(i+1).getMBB();
837c715a5d2SKrzysztof Parzyszek       MachineBasicBlock::iterator At = PredB.getFirstTerminator();
838c715a5d2SKrzysztof Parzyszek       const DebugLoc &DL = PredB.findDebugLoc(At);
839c715a5d2SKrzysztof Parzyszek       auto Copy = BuildMI(PredB, At, DL, TII->get(TargetOpcode::COPY), NewReg)
840c715a5d2SKrzysztof Parzyszek                     .addReg(RegOp.getReg(), getRegState(RegOp),
841c715a5d2SKrzysztof Parzyszek                             RegOp.getSubReg());
842c715a5d2SKrzysztof Parzyszek       Slots.insertMachineInstrInMaps(*Copy);
843c715a5d2SKrzysztof Parzyszek       RegOp.setReg(NewReg);
844c715a5d2SKrzysztof Parzyszek       RegOp.setSubReg(0);
845c715a5d2SKrzysztof Parzyszek     }
846c715a5d2SKrzysztof Parzyszek   }
847c715a5d2SKrzysztof Parzyszek }
848c715a5d2SKrzysztof Parzyszek 
849254f889dSBrendon Cahoon /// The SMS algorithm consists of the following main steps:
850254f889dSBrendon Cahoon /// 1. Computation and analysis of the dependence graph.
851254f889dSBrendon Cahoon /// 2. Ordering of the nodes (instructions).
852254f889dSBrendon Cahoon /// 3. Attempt to Schedule the loop.
853254f889dSBrendon Cahoon bool MachinePipeliner::swingModuloScheduler(MachineLoop &L) {
854254f889dSBrendon Cahoon   assert(L.getBlocks().size() == 1 && "SMS works on single blocks only.");
855254f889dSBrendon Cahoon 
856254f889dSBrendon Cahoon   SwingSchedulerDAG SMS(*this, L, getAnalysis<LiveIntervals>(), RegClassInfo);
857254f889dSBrendon Cahoon 
858254f889dSBrendon Cahoon   MachineBasicBlock *MBB = L.getHeader();
859254f889dSBrendon Cahoon   // The kernel should not include any terminator instructions.  These
860254f889dSBrendon Cahoon   // will be added back later.
861254f889dSBrendon Cahoon   SMS.startBlock(MBB);
862254f889dSBrendon Cahoon 
863254f889dSBrendon Cahoon   // Compute the number of 'real' instructions in the basic block by
864254f889dSBrendon Cahoon   // ignoring terminators.
865254f889dSBrendon Cahoon   unsigned size = MBB->size();
866254f889dSBrendon Cahoon   for (MachineBasicBlock::iterator I = MBB->getFirstTerminator(),
867254f889dSBrendon Cahoon                                    E = MBB->instr_end();
868254f889dSBrendon Cahoon        I != E; ++I, --size)
869254f889dSBrendon Cahoon     ;
870254f889dSBrendon Cahoon 
871254f889dSBrendon Cahoon   SMS.enterRegion(MBB, MBB->begin(), MBB->getFirstTerminator(), size);
872254f889dSBrendon Cahoon   SMS.schedule();
873254f889dSBrendon Cahoon   SMS.exitRegion();
874254f889dSBrendon Cahoon 
875254f889dSBrendon Cahoon   SMS.finishBlock();
876254f889dSBrendon Cahoon   return SMS.hasNewSchedule();
877254f889dSBrendon Cahoon }
878254f889dSBrendon Cahoon 
879254f889dSBrendon Cahoon /// We override the schedule function in ScheduleDAGInstrs to implement the
880254f889dSBrendon Cahoon /// scheduling part of the Swing Modulo Scheduling algorithm.
881254f889dSBrendon Cahoon void SwingSchedulerDAG::schedule() {
882254f889dSBrendon Cahoon   AliasAnalysis *AA = &Pass.getAnalysis<AAResultsWrapperPass>().getAAResults();
883254f889dSBrendon Cahoon   buildSchedGraph(AA);
884254f889dSBrendon Cahoon   addLoopCarriedDependences(AA);
885254f889dSBrendon Cahoon   updatePhiDependences();
886254f889dSBrendon Cahoon   Topo.InitDAGTopologicalSorting();
88788391248SKrzysztof Parzyszek   postprocessDAG();
888254f889dSBrendon Cahoon   changeDependences();
889d34e60caSNicola Zaghen   LLVM_DEBUG({
890254f889dSBrendon Cahoon     for (unsigned su = 0, e = SUnits.size(); su != e; ++su)
891254f889dSBrendon Cahoon       SUnits[su].dumpAll(this);
892254f889dSBrendon Cahoon   });
893254f889dSBrendon Cahoon 
894254f889dSBrendon Cahoon   NodeSetType NodeSets;
895254f889dSBrendon Cahoon   findCircuits(NodeSets);
8964b8bcf00SRoorda, Jan-Willem   NodeSetType Circuits = NodeSets;
897254f889dSBrendon Cahoon 
898254f889dSBrendon Cahoon   // Calculate the MII.
899254f889dSBrendon Cahoon   unsigned ResMII = calculateResMII();
900254f889dSBrendon Cahoon   unsigned RecMII = calculateRecMII(NodeSets);
901254f889dSBrendon Cahoon 
902254f889dSBrendon Cahoon   fuseRecs(NodeSets);
903254f889dSBrendon Cahoon 
904254f889dSBrendon Cahoon   // This flag is used for testing and can cause correctness problems.
905254f889dSBrendon Cahoon   if (SwpIgnoreRecMII)
906254f889dSBrendon Cahoon     RecMII = 0;
907254f889dSBrendon Cahoon 
908254f889dSBrendon Cahoon   MII = std::max(ResMII, RecMII);
909d34e60caSNicola Zaghen   LLVM_DEBUG(dbgs() << "MII = " << MII << " (rec=" << RecMII
910d34e60caSNicola Zaghen                     << ", res=" << ResMII << ")\n");
911254f889dSBrendon Cahoon 
912254f889dSBrendon Cahoon   // Can't schedule a loop without a valid MII.
913254f889dSBrendon Cahoon   if (MII == 0)
914254f889dSBrendon Cahoon     return;
915254f889dSBrendon Cahoon 
916254f889dSBrendon Cahoon   // Don't pipeline large loops.
917254f889dSBrendon Cahoon   if (SwpMaxMii != -1 && (int)MII > SwpMaxMii)
918254f889dSBrendon Cahoon     return;
919254f889dSBrendon Cahoon 
920254f889dSBrendon Cahoon   computeNodeFunctions(NodeSets);
921254f889dSBrendon Cahoon 
922254f889dSBrendon Cahoon   registerPressureFilter(NodeSets);
923254f889dSBrendon Cahoon 
924254f889dSBrendon Cahoon   colocateNodeSets(NodeSets);
925254f889dSBrendon Cahoon 
926254f889dSBrendon Cahoon   checkNodeSets(NodeSets);
927254f889dSBrendon Cahoon 
928d34e60caSNicola Zaghen   LLVM_DEBUG({
929254f889dSBrendon Cahoon     for (auto &I : NodeSets) {
930254f889dSBrendon Cahoon       dbgs() << "  Rec NodeSet ";
931254f889dSBrendon Cahoon       I.dump();
932254f889dSBrendon Cahoon     }
933254f889dSBrendon Cahoon   });
934254f889dSBrendon Cahoon 
9356c2f868bSKrzysztof Parzyszek   std::stable_sort(NodeSets.begin(), NodeSets.end(), std::greater<NodeSet>());
936254f889dSBrendon Cahoon 
937254f889dSBrendon Cahoon   groupRemainingNodes(NodeSets);
938254f889dSBrendon Cahoon 
939254f889dSBrendon Cahoon   removeDuplicateNodes(NodeSets);
940254f889dSBrendon Cahoon 
941d34e60caSNicola Zaghen   LLVM_DEBUG({
942254f889dSBrendon Cahoon     for (auto &I : NodeSets) {
943254f889dSBrendon Cahoon       dbgs() << "  NodeSet ";
944254f889dSBrendon Cahoon       I.dump();
945254f889dSBrendon Cahoon     }
946254f889dSBrendon Cahoon   });
947254f889dSBrendon Cahoon 
948254f889dSBrendon Cahoon   computeNodeOrder(NodeSets);
949254f889dSBrendon Cahoon 
9504b8bcf00SRoorda, Jan-Willem   // check for node order issues
9514b8bcf00SRoorda, Jan-Willem   checkValidNodeOrder(Circuits);
9524b8bcf00SRoorda, Jan-Willem 
953254f889dSBrendon Cahoon   SMSchedule Schedule(Pass.MF);
954254f889dSBrendon Cahoon   Scheduled = schedulePipeline(Schedule);
955254f889dSBrendon Cahoon 
956254f889dSBrendon Cahoon   if (!Scheduled)
957254f889dSBrendon Cahoon     return;
958254f889dSBrendon Cahoon 
959254f889dSBrendon Cahoon   unsigned numStages = Schedule.getMaxStageCount();
960254f889dSBrendon Cahoon   // No need to generate pipeline if there are no overlapped iterations.
961254f889dSBrendon Cahoon   if (numStages == 0)
962254f889dSBrendon Cahoon     return;
963254f889dSBrendon Cahoon 
964254f889dSBrendon Cahoon   // Check that the maximum stage count is less than user-defined limit.
965254f889dSBrendon Cahoon   if (SwpMaxStages > -1 && (int)numStages > SwpMaxStages)
966254f889dSBrendon Cahoon     return;
967254f889dSBrendon Cahoon 
968254f889dSBrendon Cahoon   generatePipelinedLoop(Schedule);
969254f889dSBrendon Cahoon   ++NumPipelined;
970254f889dSBrendon Cahoon }
971254f889dSBrendon Cahoon 
972254f889dSBrendon Cahoon /// Clean up after the software pipeliner runs.
973254f889dSBrendon Cahoon void SwingSchedulerDAG::finishBlock() {
974254f889dSBrendon Cahoon   for (MachineInstr *I : NewMIs)
975254f889dSBrendon Cahoon     MF.DeleteMachineInstr(I);
976254f889dSBrendon Cahoon   NewMIs.clear();
977254f889dSBrendon Cahoon 
978254f889dSBrendon Cahoon   // Call the superclass.
979254f889dSBrendon Cahoon   ScheduleDAGInstrs::finishBlock();
980254f889dSBrendon Cahoon }
981254f889dSBrendon Cahoon 
982254f889dSBrendon Cahoon /// Return the register values for  the operands of a Phi instruction.
983254f889dSBrendon Cahoon /// This function assume the instruction is a Phi.
984254f889dSBrendon Cahoon static void getPhiRegs(MachineInstr &Phi, MachineBasicBlock *Loop,
985254f889dSBrendon Cahoon                        unsigned &InitVal, unsigned &LoopVal) {
986254f889dSBrendon Cahoon   assert(Phi.isPHI() && "Expecting a Phi.");
987254f889dSBrendon Cahoon 
988254f889dSBrendon Cahoon   InitVal = 0;
989254f889dSBrendon Cahoon   LoopVal = 0;
990254f889dSBrendon Cahoon   for (unsigned i = 1, e = Phi.getNumOperands(); i != e; i += 2)
991254f889dSBrendon Cahoon     if (Phi.getOperand(i + 1).getMBB() != Loop)
992254f889dSBrendon Cahoon       InitVal = Phi.getOperand(i).getReg();
993fbfb19b1SSimon Pilgrim     else
994254f889dSBrendon Cahoon       LoopVal = Phi.getOperand(i).getReg();
995254f889dSBrendon Cahoon 
996254f889dSBrendon Cahoon   assert(InitVal != 0 && LoopVal != 0 && "Unexpected Phi structure.");
997254f889dSBrendon Cahoon }
998254f889dSBrendon Cahoon 
999254f889dSBrendon Cahoon /// Return the Phi register value that comes from the incoming block.
1000254f889dSBrendon Cahoon static unsigned getInitPhiReg(MachineInstr &Phi, MachineBasicBlock *LoopBB) {
1001254f889dSBrendon Cahoon   for (unsigned i = 1, e = Phi.getNumOperands(); i != e; i += 2)
1002254f889dSBrendon Cahoon     if (Phi.getOperand(i + 1).getMBB() != LoopBB)
1003254f889dSBrendon Cahoon       return Phi.getOperand(i).getReg();
1004254f889dSBrendon Cahoon   return 0;
1005254f889dSBrendon Cahoon }
1006254f889dSBrendon Cahoon 
10078f976ba0SHiroshi Inoue /// Return the Phi register value that comes the loop block.
1008254f889dSBrendon Cahoon static unsigned getLoopPhiReg(MachineInstr &Phi, MachineBasicBlock *LoopBB) {
1009254f889dSBrendon Cahoon   for (unsigned i = 1, e = Phi.getNumOperands(); i != e; i += 2)
1010254f889dSBrendon Cahoon     if (Phi.getOperand(i + 1).getMBB() == LoopBB)
1011254f889dSBrendon Cahoon       return Phi.getOperand(i).getReg();
1012254f889dSBrendon Cahoon   return 0;
1013254f889dSBrendon Cahoon }
1014254f889dSBrendon Cahoon 
1015254f889dSBrendon Cahoon /// Return true if SUb can be reached from SUa following the chain edges.
1016254f889dSBrendon Cahoon static bool isSuccOrder(SUnit *SUa, SUnit *SUb) {
1017254f889dSBrendon Cahoon   SmallPtrSet<SUnit *, 8> Visited;
1018254f889dSBrendon Cahoon   SmallVector<SUnit *, 8> Worklist;
1019254f889dSBrendon Cahoon   Worklist.push_back(SUa);
1020254f889dSBrendon Cahoon   while (!Worklist.empty()) {
1021254f889dSBrendon Cahoon     const SUnit *SU = Worklist.pop_back_val();
1022254f889dSBrendon Cahoon     for (auto &SI : SU->Succs) {
1023254f889dSBrendon Cahoon       SUnit *SuccSU = SI.getSUnit();
1024254f889dSBrendon Cahoon       if (SI.getKind() == SDep::Order) {
1025254f889dSBrendon Cahoon         if (Visited.count(SuccSU))
1026254f889dSBrendon Cahoon           continue;
1027254f889dSBrendon Cahoon         if (SuccSU == SUb)
1028254f889dSBrendon Cahoon           return true;
1029254f889dSBrendon Cahoon         Worklist.push_back(SuccSU);
1030254f889dSBrendon Cahoon         Visited.insert(SuccSU);
1031254f889dSBrendon Cahoon       }
1032254f889dSBrendon Cahoon     }
1033254f889dSBrendon Cahoon   }
1034254f889dSBrendon Cahoon   return false;
1035254f889dSBrendon Cahoon }
1036254f889dSBrendon Cahoon 
1037254f889dSBrendon Cahoon /// Return true if the instruction causes a chain between memory
1038254f889dSBrendon Cahoon /// references before and after it.
1039254f889dSBrendon Cahoon static bool isDependenceBarrier(MachineInstr &MI, AliasAnalysis *AA) {
1040254f889dSBrendon Cahoon   return MI.isCall() || MI.hasUnmodeledSideEffects() ||
1041254f889dSBrendon Cahoon          (MI.hasOrderedMemoryRef() &&
1042d98cf00cSJustin Lebar           (!MI.mayLoad() || !MI.isDereferenceableInvariantLoad(AA)));
1043254f889dSBrendon Cahoon }
1044254f889dSBrendon Cahoon 
1045254f889dSBrendon Cahoon /// Return the underlying objects for the memory references of an instruction.
1046254f889dSBrendon Cahoon /// This function calls the code in ValueTracking, but first checks that the
1047254f889dSBrendon Cahoon /// instruction has a memory operand.
1048254f889dSBrendon Cahoon static void getUnderlyingObjects(MachineInstr *MI,
1049254f889dSBrendon Cahoon                                  SmallVectorImpl<Value *> &Objs,
1050254f889dSBrendon Cahoon                                  const DataLayout &DL) {
1051254f889dSBrendon Cahoon   if (!MI->hasOneMemOperand())
1052254f889dSBrendon Cahoon     return;
1053254f889dSBrendon Cahoon   MachineMemOperand *MM = *MI->memoperands_begin();
1054254f889dSBrendon Cahoon   if (!MM->getValue())
1055254f889dSBrendon Cahoon     return;
1056254f889dSBrendon Cahoon   GetUnderlyingObjects(const_cast<Value *>(MM->getValue()), Objs, DL);
10579f041b18SKrzysztof Parzyszek   for (Value *V : Objs) {
10589f041b18SKrzysztof Parzyszek     if (!isIdentifiedObject(V)) {
10599f041b18SKrzysztof Parzyszek       Objs.clear();
10609f041b18SKrzysztof Parzyszek       return;
10619f041b18SKrzysztof Parzyszek     }
10629f041b18SKrzysztof Parzyszek     Objs.push_back(V);
10639f041b18SKrzysztof Parzyszek   }
1064254f889dSBrendon Cahoon }
1065254f889dSBrendon Cahoon 
1066254f889dSBrendon Cahoon /// Add a chain edge between a load and store if the store can be an
1067254f889dSBrendon Cahoon /// alias of the load on a subsequent iteration, i.e., a loop carried
1068254f889dSBrendon Cahoon /// dependence. This code is very similar to the code in ScheduleDAGInstrs
1069254f889dSBrendon Cahoon /// but that code doesn't create loop carried dependences.
1070254f889dSBrendon Cahoon void SwingSchedulerDAG::addLoopCarriedDependences(AliasAnalysis *AA) {
1071254f889dSBrendon Cahoon   MapVector<Value *, SmallVector<SUnit *, 4>> PendingLoads;
10729f041b18SKrzysztof Parzyszek   Value *UnknownValue =
10739f041b18SKrzysztof Parzyszek     UndefValue::get(Type::getVoidTy(MF.getFunction().getContext()));
1074254f889dSBrendon Cahoon   for (auto &SU : SUnits) {
1075254f889dSBrendon Cahoon     MachineInstr &MI = *SU.getInstr();
1076254f889dSBrendon Cahoon     if (isDependenceBarrier(MI, AA))
1077254f889dSBrendon Cahoon       PendingLoads.clear();
1078254f889dSBrendon Cahoon     else if (MI.mayLoad()) {
1079254f889dSBrendon Cahoon       SmallVector<Value *, 4> Objs;
1080254f889dSBrendon Cahoon       getUnderlyingObjects(&MI, Objs, MF.getDataLayout());
10819f041b18SKrzysztof Parzyszek       if (Objs.empty())
10829f041b18SKrzysztof Parzyszek         Objs.push_back(UnknownValue);
1083254f889dSBrendon Cahoon       for (auto V : Objs) {
1084254f889dSBrendon Cahoon         SmallVector<SUnit *, 4> &SUs = PendingLoads[V];
1085254f889dSBrendon Cahoon         SUs.push_back(&SU);
1086254f889dSBrendon Cahoon       }
1087254f889dSBrendon Cahoon     } else if (MI.mayStore()) {
1088254f889dSBrendon Cahoon       SmallVector<Value *, 4> Objs;
1089254f889dSBrendon Cahoon       getUnderlyingObjects(&MI, Objs, MF.getDataLayout());
10909f041b18SKrzysztof Parzyszek       if (Objs.empty())
10919f041b18SKrzysztof Parzyszek         Objs.push_back(UnknownValue);
1092254f889dSBrendon Cahoon       for (auto V : Objs) {
1093254f889dSBrendon Cahoon         MapVector<Value *, SmallVector<SUnit *, 4>>::iterator I =
1094254f889dSBrendon Cahoon             PendingLoads.find(V);
1095254f889dSBrendon Cahoon         if (I == PendingLoads.end())
1096254f889dSBrendon Cahoon           continue;
1097254f889dSBrendon Cahoon         for (auto Load : I->second) {
1098254f889dSBrendon Cahoon           if (isSuccOrder(Load, &SU))
1099254f889dSBrendon Cahoon             continue;
1100254f889dSBrendon Cahoon           MachineInstr &LdMI = *Load->getInstr();
1101254f889dSBrendon Cahoon           // First, perform the cheaper check that compares the base register.
1102254f889dSBrendon Cahoon           // If they are the same and the load offset is less than the store
1103254f889dSBrendon Cahoon           // offset, then mark the dependence as loop carried potentially.
1104254f889dSBrendon Cahoon           unsigned BaseReg1, BaseReg2;
1105254f889dSBrendon Cahoon           int64_t Offset1, Offset2;
11069f041b18SKrzysztof Parzyszek           if (TII->getMemOpBaseRegImmOfs(LdMI, BaseReg1, Offset1, TRI) &&
11079f041b18SKrzysztof Parzyszek               TII->getMemOpBaseRegImmOfs(MI, BaseReg2, Offset2, TRI)) {
1108254f889dSBrendon Cahoon             if (BaseReg1 == BaseReg2 && (int)Offset1 < (int)Offset2) {
1109254f889dSBrendon Cahoon               assert(TII->areMemAccessesTriviallyDisjoint(LdMI, MI, AA) &&
1110254f889dSBrendon Cahoon                      "What happened to the chain edge?");
1111c715a5d2SKrzysztof Parzyszek               SDep Dep(Load, SDep::Barrier);
1112c715a5d2SKrzysztof Parzyszek               Dep.setLatency(1);
1113c715a5d2SKrzysztof Parzyszek               SU.addPred(Dep);
1114254f889dSBrendon Cahoon               continue;
1115254f889dSBrendon Cahoon             }
11169f041b18SKrzysztof Parzyszek           }
1117254f889dSBrendon Cahoon           // Second, the more expensive check that uses alias analysis on the
1118254f889dSBrendon Cahoon           // base registers. If they alias, and the load offset is less than
1119254f889dSBrendon Cahoon           // the store offset, the mark the dependence as loop carried.
1120254f889dSBrendon Cahoon           if (!AA) {
1121c715a5d2SKrzysztof Parzyszek             SDep Dep(Load, SDep::Barrier);
1122c715a5d2SKrzysztof Parzyszek             Dep.setLatency(1);
1123c715a5d2SKrzysztof Parzyszek             SU.addPred(Dep);
1124254f889dSBrendon Cahoon             continue;
1125254f889dSBrendon Cahoon           }
1126254f889dSBrendon Cahoon           MachineMemOperand *MMO1 = *LdMI.memoperands_begin();
1127254f889dSBrendon Cahoon           MachineMemOperand *MMO2 = *MI.memoperands_begin();
1128254f889dSBrendon Cahoon           if (!MMO1->getValue() || !MMO2->getValue()) {
1129c715a5d2SKrzysztof Parzyszek             SDep Dep(Load, SDep::Barrier);
1130c715a5d2SKrzysztof Parzyszek             Dep.setLatency(1);
1131c715a5d2SKrzysztof Parzyszek             SU.addPred(Dep);
1132254f889dSBrendon Cahoon             continue;
1133254f889dSBrendon Cahoon           }
1134254f889dSBrendon Cahoon           if (MMO1->getValue() == MMO2->getValue() &&
1135254f889dSBrendon Cahoon               MMO1->getOffset() <= MMO2->getOffset()) {
1136c715a5d2SKrzysztof Parzyszek             SDep Dep(Load, SDep::Barrier);
1137c715a5d2SKrzysztof Parzyszek             Dep.setLatency(1);
1138c715a5d2SKrzysztof Parzyszek             SU.addPred(Dep);
1139254f889dSBrendon Cahoon             continue;
1140254f889dSBrendon Cahoon           }
1141254f889dSBrendon Cahoon           AliasResult AAResult = AA->alias(
1142254f889dSBrendon Cahoon               MemoryLocation(MMO1->getValue(), MemoryLocation::UnknownSize,
1143254f889dSBrendon Cahoon                              MMO1->getAAInfo()),
1144254f889dSBrendon Cahoon               MemoryLocation(MMO2->getValue(), MemoryLocation::UnknownSize,
1145254f889dSBrendon Cahoon                              MMO2->getAAInfo()));
1146254f889dSBrendon Cahoon 
1147c715a5d2SKrzysztof Parzyszek           if (AAResult != NoAlias) {
1148c715a5d2SKrzysztof Parzyszek             SDep Dep(Load, SDep::Barrier);
1149c715a5d2SKrzysztof Parzyszek             Dep.setLatency(1);
1150c715a5d2SKrzysztof Parzyszek             SU.addPred(Dep);
1151c715a5d2SKrzysztof Parzyszek           }
1152254f889dSBrendon Cahoon         }
1153254f889dSBrendon Cahoon       }
1154254f889dSBrendon Cahoon     }
1155254f889dSBrendon Cahoon   }
1156254f889dSBrendon Cahoon }
1157254f889dSBrendon Cahoon 
1158254f889dSBrendon Cahoon /// Update the phi dependences to the DAG because ScheduleDAGInstrs no longer
1159254f889dSBrendon Cahoon /// processes dependences for PHIs. This function adds true dependences
1160254f889dSBrendon Cahoon /// from a PHI to a use, and a loop carried dependence from the use to the
1161254f889dSBrendon Cahoon /// PHI. The loop carried dependence is represented as an anti dependence
1162254f889dSBrendon Cahoon /// edge. This function also removes chain dependences between unrelated
1163254f889dSBrendon Cahoon /// PHIs.
1164254f889dSBrendon Cahoon void SwingSchedulerDAG::updatePhiDependences() {
1165254f889dSBrendon Cahoon   SmallVector<SDep, 4> RemoveDeps;
1166254f889dSBrendon Cahoon   const TargetSubtargetInfo &ST = MF.getSubtarget<TargetSubtargetInfo>();
1167254f889dSBrendon Cahoon 
1168254f889dSBrendon Cahoon   // Iterate over each DAG node.
1169254f889dSBrendon Cahoon   for (SUnit &I : SUnits) {
1170254f889dSBrendon Cahoon     RemoveDeps.clear();
1171254f889dSBrendon Cahoon     // Set to true if the instruction has an operand defined by a Phi.
1172254f889dSBrendon Cahoon     unsigned HasPhiUse = 0;
1173254f889dSBrendon Cahoon     unsigned HasPhiDef = 0;
1174254f889dSBrendon Cahoon     MachineInstr *MI = I.getInstr();
1175254f889dSBrendon Cahoon     // Iterate over each operand, and we process the definitions.
1176254f889dSBrendon Cahoon     for (MachineInstr::mop_iterator MOI = MI->operands_begin(),
1177254f889dSBrendon Cahoon                                     MOE = MI->operands_end();
1178254f889dSBrendon Cahoon          MOI != MOE; ++MOI) {
1179254f889dSBrendon Cahoon       if (!MOI->isReg())
1180254f889dSBrendon Cahoon         continue;
1181254f889dSBrendon Cahoon       unsigned Reg = MOI->getReg();
1182254f889dSBrendon Cahoon       if (MOI->isDef()) {
1183254f889dSBrendon Cahoon         // If the register is used by a Phi, then create an anti dependence.
1184254f889dSBrendon Cahoon         for (MachineRegisterInfo::use_instr_iterator
1185254f889dSBrendon Cahoon                  UI = MRI.use_instr_begin(Reg),
1186254f889dSBrendon Cahoon                  UE = MRI.use_instr_end();
1187254f889dSBrendon Cahoon              UI != UE; ++UI) {
1188254f889dSBrendon Cahoon           MachineInstr *UseMI = &*UI;
1189254f889dSBrendon Cahoon           SUnit *SU = getSUnit(UseMI);
1190cdc71612SEugene Zelenko           if (SU != nullptr && UseMI->isPHI()) {
1191254f889dSBrendon Cahoon             if (!MI->isPHI()) {
1192254f889dSBrendon Cahoon               SDep Dep(SU, SDep::Anti, Reg);
1193c715a5d2SKrzysztof Parzyszek               Dep.setLatency(1);
1194254f889dSBrendon Cahoon               I.addPred(Dep);
1195254f889dSBrendon Cahoon             } else {
1196254f889dSBrendon Cahoon               HasPhiDef = Reg;
1197254f889dSBrendon Cahoon               // Add a chain edge to a dependent Phi that isn't an existing
1198254f889dSBrendon Cahoon               // predecessor.
1199254f889dSBrendon Cahoon               if (SU->NodeNum < I.NodeNum && !I.isPred(SU))
1200254f889dSBrendon Cahoon                 I.addPred(SDep(SU, SDep::Barrier));
1201254f889dSBrendon Cahoon             }
1202254f889dSBrendon Cahoon           }
1203254f889dSBrendon Cahoon         }
1204254f889dSBrendon Cahoon       } else if (MOI->isUse()) {
1205254f889dSBrendon Cahoon         // If the register is defined by a Phi, then create a true dependence.
1206254f889dSBrendon Cahoon         MachineInstr *DefMI = MRI.getUniqueVRegDef(Reg);
1207cdc71612SEugene Zelenko         if (DefMI == nullptr)
1208254f889dSBrendon Cahoon           continue;
1209254f889dSBrendon Cahoon         SUnit *SU = getSUnit(DefMI);
1210cdc71612SEugene Zelenko         if (SU != nullptr && DefMI->isPHI()) {
1211254f889dSBrendon Cahoon           if (!MI->isPHI()) {
1212254f889dSBrendon Cahoon             SDep Dep(SU, SDep::Data, Reg);
1213254f889dSBrendon Cahoon             Dep.setLatency(0);
1214254f889dSBrendon Cahoon             ST.adjustSchedDependency(SU, &I, Dep);
1215254f889dSBrendon Cahoon             I.addPred(Dep);
1216254f889dSBrendon Cahoon           } else {
1217254f889dSBrendon Cahoon             HasPhiUse = Reg;
1218254f889dSBrendon Cahoon             // Add a chain edge to a dependent Phi that isn't an existing
1219254f889dSBrendon Cahoon             // predecessor.
1220254f889dSBrendon Cahoon             if (SU->NodeNum < I.NodeNum && !I.isPred(SU))
1221254f889dSBrendon Cahoon               I.addPred(SDep(SU, SDep::Barrier));
1222254f889dSBrendon Cahoon           }
1223254f889dSBrendon Cahoon         }
1224254f889dSBrendon Cahoon       }
1225254f889dSBrendon Cahoon     }
1226254f889dSBrendon Cahoon     // Remove order dependences from an unrelated Phi.
1227254f889dSBrendon Cahoon     if (!SwpPruneDeps)
1228254f889dSBrendon Cahoon       continue;
1229254f889dSBrendon Cahoon     for (auto &PI : I.Preds) {
1230254f889dSBrendon Cahoon       MachineInstr *PMI = PI.getSUnit()->getInstr();
1231254f889dSBrendon Cahoon       if (PMI->isPHI() && PI.getKind() == SDep::Order) {
1232254f889dSBrendon Cahoon         if (I.getInstr()->isPHI()) {
1233254f889dSBrendon Cahoon           if (PMI->getOperand(0).getReg() == HasPhiUse)
1234254f889dSBrendon Cahoon             continue;
1235254f889dSBrendon Cahoon           if (getLoopPhiReg(*PMI, PMI->getParent()) == HasPhiDef)
1236254f889dSBrendon Cahoon             continue;
1237254f889dSBrendon Cahoon         }
1238254f889dSBrendon Cahoon         RemoveDeps.push_back(PI);
1239254f889dSBrendon Cahoon       }
1240254f889dSBrendon Cahoon     }
1241254f889dSBrendon Cahoon     for (int i = 0, e = RemoveDeps.size(); i != e; ++i)
1242254f889dSBrendon Cahoon       I.removePred(RemoveDeps[i]);
1243254f889dSBrendon Cahoon   }
1244254f889dSBrendon Cahoon }
1245254f889dSBrendon Cahoon 
1246254f889dSBrendon Cahoon /// Iterate over each DAG node and see if we can change any dependences
1247254f889dSBrendon Cahoon /// in order to reduce the recurrence MII.
1248254f889dSBrendon Cahoon void SwingSchedulerDAG::changeDependences() {
1249254f889dSBrendon Cahoon   // See if an instruction can use a value from the previous iteration.
1250254f889dSBrendon Cahoon   // If so, we update the base and offset of the instruction and change
1251254f889dSBrendon Cahoon   // the dependences.
1252254f889dSBrendon Cahoon   for (SUnit &I : SUnits) {
1253254f889dSBrendon Cahoon     unsigned BasePos = 0, OffsetPos = 0, NewBase = 0;
1254254f889dSBrendon Cahoon     int64_t NewOffset = 0;
1255254f889dSBrendon Cahoon     if (!canUseLastOffsetValue(I.getInstr(), BasePos, OffsetPos, NewBase,
1256254f889dSBrendon Cahoon                                NewOffset))
1257254f889dSBrendon Cahoon       continue;
1258254f889dSBrendon Cahoon 
1259254f889dSBrendon Cahoon     // Get the MI and SUnit for the instruction that defines the original base.
1260254f889dSBrendon Cahoon     unsigned OrigBase = I.getInstr()->getOperand(BasePos).getReg();
1261254f889dSBrendon Cahoon     MachineInstr *DefMI = MRI.getUniqueVRegDef(OrigBase);
1262254f889dSBrendon Cahoon     if (!DefMI)
1263254f889dSBrendon Cahoon       continue;
1264254f889dSBrendon Cahoon     SUnit *DefSU = getSUnit(DefMI);
1265254f889dSBrendon Cahoon     if (!DefSU)
1266254f889dSBrendon Cahoon       continue;
1267254f889dSBrendon Cahoon     // Get the MI and SUnit for the instruction that defins the new base.
1268254f889dSBrendon Cahoon     MachineInstr *LastMI = MRI.getUniqueVRegDef(NewBase);
1269254f889dSBrendon Cahoon     if (!LastMI)
1270254f889dSBrendon Cahoon       continue;
1271254f889dSBrendon Cahoon     SUnit *LastSU = getSUnit(LastMI);
1272254f889dSBrendon Cahoon     if (!LastSU)
1273254f889dSBrendon Cahoon       continue;
1274254f889dSBrendon Cahoon 
1275254f889dSBrendon Cahoon     if (Topo.IsReachable(&I, LastSU))
1276254f889dSBrendon Cahoon       continue;
1277254f889dSBrendon Cahoon 
1278254f889dSBrendon Cahoon     // Remove the dependence. The value now depends on a prior iteration.
1279254f889dSBrendon Cahoon     SmallVector<SDep, 4> Deps;
1280254f889dSBrendon Cahoon     for (SUnit::pred_iterator P = I.Preds.begin(), E = I.Preds.end(); P != E;
1281254f889dSBrendon Cahoon          ++P)
1282254f889dSBrendon Cahoon       if (P->getSUnit() == DefSU)
1283254f889dSBrendon Cahoon         Deps.push_back(*P);
1284254f889dSBrendon Cahoon     for (int i = 0, e = Deps.size(); i != e; i++) {
1285254f889dSBrendon Cahoon       Topo.RemovePred(&I, Deps[i].getSUnit());
1286254f889dSBrendon Cahoon       I.removePred(Deps[i]);
1287254f889dSBrendon Cahoon     }
1288254f889dSBrendon Cahoon     // Remove the chain dependence between the instructions.
1289254f889dSBrendon Cahoon     Deps.clear();
1290254f889dSBrendon Cahoon     for (auto &P : LastSU->Preds)
1291254f889dSBrendon Cahoon       if (P.getSUnit() == &I && P.getKind() == SDep::Order)
1292254f889dSBrendon Cahoon         Deps.push_back(P);
1293254f889dSBrendon Cahoon     for (int i = 0, e = Deps.size(); i != e; i++) {
1294254f889dSBrendon Cahoon       Topo.RemovePred(LastSU, Deps[i].getSUnit());
1295254f889dSBrendon Cahoon       LastSU->removePred(Deps[i]);
1296254f889dSBrendon Cahoon     }
1297254f889dSBrendon Cahoon 
1298254f889dSBrendon Cahoon     // Add a dependence between the new instruction and the instruction
1299254f889dSBrendon Cahoon     // that defines the new base.
1300254f889dSBrendon Cahoon     SDep Dep(&I, SDep::Anti, NewBase);
1301254f889dSBrendon Cahoon     LastSU->addPred(Dep);
1302254f889dSBrendon Cahoon 
1303254f889dSBrendon Cahoon     // Remember the base and offset information so that we can update the
1304254f889dSBrendon Cahoon     // instruction during code generation.
1305254f889dSBrendon Cahoon     InstrChanges[&I] = std::make_pair(NewBase, NewOffset);
1306254f889dSBrendon Cahoon   }
1307254f889dSBrendon Cahoon }
1308254f889dSBrendon Cahoon 
1309254f889dSBrendon Cahoon namespace {
1310cdc71612SEugene Zelenko 
1311254f889dSBrendon Cahoon // FuncUnitSorter - Comparison operator used to sort instructions by
1312254f889dSBrendon Cahoon // the number of functional unit choices.
1313254f889dSBrendon Cahoon struct FuncUnitSorter {
1314254f889dSBrendon Cahoon   const InstrItineraryData *InstrItins;
1315254f889dSBrendon Cahoon   DenseMap<unsigned, unsigned> Resources;
1316254f889dSBrendon Cahoon 
131732a40564SEugene Zelenko   FuncUnitSorter(const InstrItineraryData *IID) : InstrItins(IID) {}
131832a40564SEugene Zelenko 
1319254f889dSBrendon Cahoon   // Compute the number of functional unit alternatives needed
1320254f889dSBrendon Cahoon   // at each stage, and take the minimum value. We prioritize the
1321254f889dSBrendon Cahoon   // instructions by the least number of choices first.
1322254f889dSBrendon Cahoon   unsigned minFuncUnits(const MachineInstr *Inst, unsigned &F) const {
1323254f889dSBrendon Cahoon     unsigned schedClass = Inst->getDesc().getSchedClass();
1324254f889dSBrendon Cahoon     unsigned min = UINT_MAX;
1325254f889dSBrendon Cahoon     for (const InstrStage *IS = InstrItins->beginStage(schedClass),
1326254f889dSBrendon Cahoon                           *IE = InstrItins->endStage(schedClass);
1327254f889dSBrendon Cahoon          IS != IE; ++IS) {
1328254f889dSBrendon Cahoon       unsigned funcUnits = IS->getUnits();
1329254f889dSBrendon Cahoon       unsigned numAlternatives = countPopulation(funcUnits);
1330254f889dSBrendon Cahoon       if (numAlternatives < min) {
1331254f889dSBrendon Cahoon         min = numAlternatives;
1332254f889dSBrendon Cahoon         F = funcUnits;
1333254f889dSBrendon Cahoon       }
1334254f889dSBrendon Cahoon     }
1335254f889dSBrendon Cahoon     return min;
1336254f889dSBrendon Cahoon   }
1337254f889dSBrendon Cahoon 
1338254f889dSBrendon Cahoon   // Compute the critical resources needed by the instruction. This
1339254f889dSBrendon Cahoon   // function records the functional units needed by instructions that
1340254f889dSBrendon Cahoon   // must use only one functional unit. We use this as a tie breaker
1341254f889dSBrendon Cahoon   // for computing the resource MII. The instrutions that require
1342254f889dSBrendon Cahoon   // the same, highly used, functional unit have high priority.
1343254f889dSBrendon Cahoon   void calcCriticalResources(MachineInstr &MI) {
1344254f889dSBrendon Cahoon     unsigned SchedClass = MI.getDesc().getSchedClass();
1345254f889dSBrendon Cahoon     for (const InstrStage *IS = InstrItins->beginStage(SchedClass),
1346254f889dSBrendon Cahoon                           *IE = InstrItins->endStage(SchedClass);
1347254f889dSBrendon Cahoon          IS != IE; ++IS) {
1348254f889dSBrendon Cahoon       unsigned FuncUnits = IS->getUnits();
1349254f889dSBrendon Cahoon       if (countPopulation(FuncUnits) == 1)
1350254f889dSBrendon Cahoon         Resources[FuncUnits]++;
1351254f889dSBrendon Cahoon     }
1352254f889dSBrendon Cahoon   }
1353254f889dSBrendon Cahoon 
1354254f889dSBrendon Cahoon   /// Return true if IS1 has less priority than IS2.
1355254f889dSBrendon Cahoon   bool operator()(const MachineInstr *IS1, const MachineInstr *IS2) const {
1356254f889dSBrendon Cahoon     unsigned F1 = 0, F2 = 0;
1357254f889dSBrendon Cahoon     unsigned MFUs1 = minFuncUnits(IS1, F1);
1358254f889dSBrendon Cahoon     unsigned MFUs2 = minFuncUnits(IS2, F2);
1359254f889dSBrendon Cahoon     if (MFUs1 == 1 && MFUs2 == 1)
1360254f889dSBrendon Cahoon       return Resources.lookup(F1) < Resources.lookup(F2);
1361254f889dSBrendon Cahoon     return MFUs1 > MFUs2;
1362254f889dSBrendon Cahoon   }
1363254f889dSBrendon Cahoon };
1364cdc71612SEugene Zelenko 
1365cdc71612SEugene Zelenko } // end anonymous namespace
1366254f889dSBrendon Cahoon 
1367254f889dSBrendon Cahoon /// Calculate the resource constrained minimum initiation interval for the
1368254f889dSBrendon Cahoon /// specified loop. We use the DFA to model the resources needed for
1369254f889dSBrendon Cahoon /// each instruction, and we ignore dependences. A different DFA is created
1370254f889dSBrendon Cahoon /// for each cycle that is required. When adding a new instruction, we attempt
1371254f889dSBrendon Cahoon /// to add it to each existing DFA, until a legal space is found. If the
1372254f889dSBrendon Cahoon /// instruction cannot be reserved in an existing DFA, we create a new one.
1373254f889dSBrendon Cahoon unsigned SwingSchedulerDAG::calculateResMII() {
1374254f889dSBrendon Cahoon   SmallVector<DFAPacketizer *, 8> Resources;
1375254f889dSBrendon Cahoon   MachineBasicBlock *MBB = Loop.getHeader();
1376254f889dSBrendon Cahoon   Resources.push_back(TII->CreateTargetScheduleState(MF.getSubtarget()));
1377254f889dSBrendon Cahoon 
1378254f889dSBrendon Cahoon   // Sort the instructions by the number of available choices for scheduling,
1379254f889dSBrendon Cahoon   // least to most. Use the number of critical resources as the tie breaker.
1380254f889dSBrendon Cahoon   FuncUnitSorter FUS =
1381254f889dSBrendon Cahoon       FuncUnitSorter(MF.getSubtarget().getInstrItineraryData());
1382254f889dSBrendon Cahoon   for (MachineBasicBlock::iterator I = MBB->getFirstNonPHI(),
1383254f889dSBrendon Cahoon                                    E = MBB->getFirstTerminator();
1384254f889dSBrendon Cahoon        I != E; ++I)
1385254f889dSBrendon Cahoon     FUS.calcCriticalResources(*I);
1386254f889dSBrendon Cahoon   PriorityQueue<MachineInstr *, std::vector<MachineInstr *>, FuncUnitSorter>
1387254f889dSBrendon Cahoon       FuncUnitOrder(FUS);
1388254f889dSBrendon Cahoon 
1389254f889dSBrendon Cahoon   for (MachineBasicBlock::iterator I = MBB->getFirstNonPHI(),
1390254f889dSBrendon Cahoon                                    E = MBB->getFirstTerminator();
1391254f889dSBrendon Cahoon        I != E; ++I)
1392254f889dSBrendon Cahoon     FuncUnitOrder.push(&*I);
1393254f889dSBrendon Cahoon 
1394254f889dSBrendon Cahoon   while (!FuncUnitOrder.empty()) {
1395254f889dSBrendon Cahoon     MachineInstr *MI = FuncUnitOrder.top();
1396254f889dSBrendon Cahoon     FuncUnitOrder.pop();
1397254f889dSBrendon Cahoon     if (TII->isZeroCost(MI->getOpcode()))
1398254f889dSBrendon Cahoon       continue;
1399254f889dSBrendon Cahoon     // Attempt to reserve the instruction in an existing DFA. At least one
1400254f889dSBrendon Cahoon     // DFA is needed for each cycle.
1401254f889dSBrendon Cahoon     unsigned NumCycles = getSUnit(MI)->Latency;
1402254f889dSBrendon Cahoon     unsigned ReservedCycles = 0;
1403254f889dSBrendon Cahoon     SmallVectorImpl<DFAPacketizer *>::iterator RI = Resources.begin();
1404254f889dSBrendon Cahoon     SmallVectorImpl<DFAPacketizer *>::iterator RE = Resources.end();
1405254f889dSBrendon Cahoon     for (unsigned C = 0; C < NumCycles; ++C)
1406254f889dSBrendon Cahoon       while (RI != RE) {
1407254f889dSBrendon Cahoon         if ((*RI++)->canReserveResources(*MI)) {
1408254f889dSBrendon Cahoon           ++ReservedCycles;
1409254f889dSBrendon Cahoon           break;
1410254f889dSBrendon Cahoon         }
1411254f889dSBrendon Cahoon       }
1412254f889dSBrendon Cahoon     // Start reserving resources using existing DFAs.
1413254f889dSBrendon Cahoon     for (unsigned C = 0; C < ReservedCycles; ++C) {
1414254f889dSBrendon Cahoon       --RI;
1415254f889dSBrendon Cahoon       (*RI)->reserveResources(*MI);
1416254f889dSBrendon Cahoon     }
1417254f889dSBrendon Cahoon     // Add new DFAs, if needed, to reserve resources.
1418254f889dSBrendon Cahoon     for (unsigned C = ReservedCycles; C < NumCycles; ++C) {
1419254f889dSBrendon Cahoon       DFAPacketizer *NewResource =
1420254f889dSBrendon Cahoon           TII->CreateTargetScheduleState(MF.getSubtarget());
1421254f889dSBrendon Cahoon       assert(NewResource->canReserveResources(*MI) && "Reserve error.");
1422254f889dSBrendon Cahoon       NewResource->reserveResources(*MI);
1423254f889dSBrendon Cahoon       Resources.push_back(NewResource);
1424254f889dSBrendon Cahoon     }
1425254f889dSBrendon Cahoon   }
1426254f889dSBrendon Cahoon   int Resmii = Resources.size();
1427254f889dSBrendon Cahoon   // Delete the memory for each of the DFAs that were created earlier.
1428254f889dSBrendon Cahoon   for (DFAPacketizer *RI : Resources) {
1429254f889dSBrendon Cahoon     DFAPacketizer *D = RI;
1430254f889dSBrendon Cahoon     delete D;
1431254f889dSBrendon Cahoon   }
1432254f889dSBrendon Cahoon   Resources.clear();
1433254f889dSBrendon Cahoon   return Resmii;
1434254f889dSBrendon Cahoon }
1435254f889dSBrendon Cahoon 
1436254f889dSBrendon Cahoon /// Calculate the recurrence-constrainted minimum initiation interval.
1437254f889dSBrendon Cahoon /// Iterate over each circuit.  Compute the delay(c) and distance(c)
1438254f889dSBrendon Cahoon /// for each circuit. The II needs to satisfy the inequality
1439254f889dSBrendon Cahoon /// delay(c) - II*distance(c) <= 0. For each circuit, choose the smallest
1440c73b6d6bSHiroshi Inoue /// II that satisfies the inequality, and the RecMII is the maximum
1441254f889dSBrendon Cahoon /// of those values.
1442254f889dSBrendon Cahoon unsigned SwingSchedulerDAG::calculateRecMII(NodeSetType &NodeSets) {
1443254f889dSBrendon Cahoon   unsigned RecMII = 0;
1444254f889dSBrendon Cahoon 
1445254f889dSBrendon Cahoon   for (NodeSet &Nodes : NodeSets) {
144632a40564SEugene Zelenko     if (Nodes.empty())
1447254f889dSBrendon Cahoon       continue;
1448254f889dSBrendon Cahoon 
1449a2122044SKrzysztof Parzyszek     unsigned Delay = Nodes.getLatency();
1450254f889dSBrendon Cahoon     unsigned Distance = 1;
1451254f889dSBrendon Cahoon 
1452254f889dSBrendon Cahoon     // ii = ceil(delay / distance)
1453254f889dSBrendon Cahoon     unsigned CurMII = (Delay + Distance - 1) / Distance;
1454254f889dSBrendon Cahoon     Nodes.setRecMII(CurMII);
1455254f889dSBrendon Cahoon     if (CurMII > RecMII)
1456254f889dSBrendon Cahoon       RecMII = CurMII;
1457254f889dSBrendon Cahoon   }
1458254f889dSBrendon Cahoon 
1459254f889dSBrendon Cahoon   return RecMII;
1460254f889dSBrendon Cahoon }
1461254f889dSBrendon Cahoon 
1462254f889dSBrendon Cahoon /// Swap all the anti dependences in the DAG. That means it is no longer a DAG,
1463254f889dSBrendon Cahoon /// but we do this to find the circuits, and then change them back.
1464254f889dSBrendon Cahoon static void swapAntiDependences(std::vector<SUnit> &SUnits) {
1465254f889dSBrendon Cahoon   SmallVector<std::pair<SUnit *, SDep>, 8> DepsAdded;
1466254f889dSBrendon Cahoon   for (unsigned i = 0, e = SUnits.size(); i != e; ++i) {
1467254f889dSBrendon Cahoon     SUnit *SU = &SUnits[i];
1468254f889dSBrendon Cahoon     for (SUnit::pred_iterator IP = SU->Preds.begin(), EP = SU->Preds.end();
1469254f889dSBrendon Cahoon          IP != EP; ++IP) {
1470254f889dSBrendon Cahoon       if (IP->getKind() != SDep::Anti)
1471254f889dSBrendon Cahoon         continue;
1472254f889dSBrendon Cahoon       DepsAdded.push_back(std::make_pair(SU, *IP));
1473254f889dSBrendon Cahoon     }
1474254f889dSBrendon Cahoon   }
1475254f889dSBrendon Cahoon   for (SmallVector<std::pair<SUnit *, SDep>, 8>::iterator I = DepsAdded.begin(),
1476254f889dSBrendon Cahoon                                                           E = DepsAdded.end();
1477254f889dSBrendon Cahoon        I != E; ++I) {
1478254f889dSBrendon Cahoon     // Remove this anti dependency and add one in the reverse direction.
1479254f889dSBrendon Cahoon     SUnit *SU = I->first;
1480254f889dSBrendon Cahoon     SDep &D = I->second;
1481254f889dSBrendon Cahoon     SUnit *TargetSU = D.getSUnit();
1482254f889dSBrendon Cahoon     unsigned Reg = D.getReg();
1483254f889dSBrendon Cahoon     unsigned Lat = D.getLatency();
1484254f889dSBrendon Cahoon     SU->removePred(D);
1485254f889dSBrendon Cahoon     SDep Dep(SU, SDep::Anti, Reg);
1486254f889dSBrendon Cahoon     Dep.setLatency(Lat);
1487254f889dSBrendon Cahoon     TargetSU->addPred(Dep);
1488254f889dSBrendon Cahoon   }
1489254f889dSBrendon Cahoon }
1490254f889dSBrendon Cahoon 
1491254f889dSBrendon Cahoon /// Create the adjacency structure of the nodes in the graph.
1492254f889dSBrendon Cahoon void SwingSchedulerDAG::Circuits::createAdjacencyStructure(
1493254f889dSBrendon Cahoon     SwingSchedulerDAG *DAG) {
1494254f889dSBrendon Cahoon   BitVector Added(SUnits.size());
14958e1363dfSKrzysztof Parzyszek   DenseMap<int, int> OutputDeps;
1496254f889dSBrendon Cahoon   for (int i = 0, e = SUnits.size(); i != e; ++i) {
1497254f889dSBrendon Cahoon     Added.reset();
1498254f889dSBrendon Cahoon     // Add any successor to the adjacency matrix and exclude duplicates.
1499254f889dSBrendon Cahoon     for (auto &SI : SUnits[i].Succs) {
15008e1363dfSKrzysztof Parzyszek       // Only create a back-edge on the first and last nodes of a dependence
15018e1363dfSKrzysztof Parzyszek       // chain. This records any chains and adds them later.
15028e1363dfSKrzysztof Parzyszek       if (SI.getKind() == SDep::Output) {
15038e1363dfSKrzysztof Parzyszek         int N = SI.getSUnit()->NodeNum;
15048e1363dfSKrzysztof Parzyszek         int BackEdge = i;
15058e1363dfSKrzysztof Parzyszek         auto Dep = OutputDeps.find(BackEdge);
15068e1363dfSKrzysztof Parzyszek         if (Dep != OutputDeps.end()) {
15078e1363dfSKrzysztof Parzyszek           BackEdge = Dep->second;
15088e1363dfSKrzysztof Parzyszek           OutputDeps.erase(Dep);
15098e1363dfSKrzysztof Parzyszek         }
15108e1363dfSKrzysztof Parzyszek         OutputDeps[N] = BackEdge;
15118e1363dfSKrzysztof Parzyszek       }
1512254f889dSBrendon Cahoon       // Do not process a boundary node and a back-edge is processed only
1513254f889dSBrendon Cahoon       // if it goes to a Phi.
1514254f889dSBrendon Cahoon       if (SI.getSUnit()->isBoundaryNode() ||
1515254f889dSBrendon Cahoon           (SI.getKind() == SDep::Anti && !SI.getSUnit()->getInstr()->isPHI()))
1516254f889dSBrendon Cahoon         continue;
1517254f889dSBrendon Cahoon       int N = SI.getSUnit()->NodeNum;
1518254f889dSBrendon Cahoon       if (!Added.test(N)) {
1519254f889dSBrendon Cahoon         AdjK[i].push_back(N);
1520254f889dSBrendon Cahoon         Added.set(N);
1521254f889dSBrendon Cahoon       }
1522254f889dSBrendon Cahoon     }
1523254f889dSBrendon Cahoon     // A chain edge between a store and a load is treated as a back-edge in the
1524254f889dSBrendon Cahoon     // adjacency matrix.
1525254f889dSBrendon Cahoon     for (auto &PI : SUnits[i].Preds) {
1526254f889dSBrendon Cahoon       if (!SUnits[i].getInstr()->mayStore() ||
15278e1363dfSKrzysztof Parzyszek           !DAG->isLoopCarriedDep(&SUnits[i], PI, false))
1528254f889dSBrendon Cahoon         continue;
1529254f889dSBrendon Cahoon       if (PI.getKind() == SDep::Order && PI.getSUnit()->getInstr()->mayLoad()) {
1530254f889dSBrendon Cahoon         int N = PI.getSUnit()->NodeNum;
1531254f889dSBrendon Cahoon         if (!Added.test(N)) {
1532254f889dSBrendon Cahoon           AdjK[i].push_back(N);
1533254f889dSBrendon Cahoon           Added.set(N);
1534254f889dSBrendon Cahoon         }
1535254f889dSBrendon Cahoon       }
1536254f889dSBrendon Cahoon     }
1537254f889dSBrendon Cahoon   }
15388e1363dfSKrzysztof Parzyszek   // Add back-eges in the adjacency matrix for the output dependences.
15398e1363dfSKrzysztof Parzyszek   for (auto &OD : OutputDeps)
15408e1363dfSKrzysztof Parzyszek     if (!Added.test(OD.second)) {
15418e1363dfSKrzysztof Parzyszek       AdjK[OD.first].push_back(OD.second);
15428e1363dfSKrzysztof Parzyszek       Added.set(OD.second);
15438e1363dfSKrzysztof Parzyszek     }
1544254f889dSBrendon Cahoon }
1545254f889dSBrendon Cahoon 
1546254f889dSBrendon Cahoon /// Identify an elementary circuit in the dependence graph starting at the
1547254f889dSBrendon Cahoon /// specified node.
1548254f889dSBrendon Cahoon bool SwingSchedulerDAG::Circuits::circuit(int V, int S, NodeSetType &NodeSets,
1549254f889dSBrendon Cahoon                                           bool HasBackedge) {
1550254f889dSBrendon Cahoon   SUnit *SV = &SUnits[V];
1551254f889dSBrendon Cahoon   bool F = false;
1552254f889dSBrendon Cahoon   Stack.insert(SV);
1553254f889dSBrendon Cahoon   Blocked.set(V);
1554254f889dSBrendon Cahoon 
1555254f889dSBrendon Cahoon   for (auto W : AdjK[V]) {
1556254f889dSBrendon Cahoon     if (NumPaths > MaxPaths)
1557254f889dSBrendon Cahoon       break;
1558254f889dSBrendon Cahoon     if (W < S)
1559254f889dSBrendon Cahoon       continue;
1560254f889dSBrendon Cahoon     if (W == S) {
1561254f889dSBrendon Cahoon       if (!HasBackedge)
1562254f889dSBrendon Cahoon         NodeSets.push_back(NodeSet(Stack.begin(), Stack.end()));
1563254f889dSBrendon Cahoon       F = true;
1564254f889dSBrendon Cahoon       ++NumPaths;
1565254f889dSBrendon Cahoon       break;
1566254f889dSBrendon Cahoon     } else if (!Blocked.test(W)) {
1567254f889dSBrendon Cahoon       if (circuit(W, S, NodeSets, W < V ? true : HasBackedge))
1568254f889dSBrendon Cahoon         F = true;
1569254f889dSBrendon Cahoon     }
1570254f889dSBrendon Cahoon   }
1571254f889dSBrendon Cahoon 
1572254f889dSBrendon Cahoon   if (F)
1573254f889dSBrendon Cahoon     unblock(V);
1574254f889dSBrendon Cahoon   else {
1575254f889dSBrendon Cahoon     for (auto W : AdjK[V]) {
1576254f889dSBrendon Cahoon       if (W < S)
1577254f889dSBrendon Cahoon         continue;
1578254f889dSBrendon Cahoon       if (B[W].count(SV) == 0)
1579254f889dSBrendon Cahoon         B[W].insert(SV);
1580254f889dSBrendon Cahoon     }
1581254f889dSBrendon Cahoon   }
1582254f889dSBrendon Cahoon   Stack.pop_back();
1583254f889dSBrendon Cahoon   return F;
1584254f889dSBrendon Cahoon }
1585254f889dSBrendon Cahoon 
1586254f889dSBrendon Cahoon /// Unblock a node in the circuit finding algorithm.
1587254f889dSBrendon Cahoon void SwingSchedulerDAG::Circuits::unblock(int U) {
1588254f889dSBrendon Cahoon   Blocked.reset(U);
1589254f889dSBrendon Cahoon   SmallPtrSet<SUnit *, 4> &BU = B[U];
1590254f889dSBrendon Cahoon   while (!BU.empty()) {
1591254f889dSBrendon Cahoon     SmallPtrSet<SUnit *, 4>::iterator SI = BU.begin();
1592254f889dSBrendon Cahoon     assert(SI != BU.end() && "Invalid B set.");
1593254f889dSBrendon Cahoon     SUnit *W = *SI;
1594254f889dSBrendon Cahoon     BU.erase(W);
1595254f889dSBrendon Cahoon     if (Blocked.test(W->NodeNum))
1596254f889dSBrendon Cahoon       unblock(W->NodeNum);
1597254f889dSBrendon Cahoon   }
1598254f889dSBrendon Cahoon }
1599254f889dSBrendon Cahoon 
1600254f889dSBrendon Cahoon /// Identify all the elementary circuits in the dependence graph using
1601254f889dSBrendon Cahoon /// Johnson's circuit algorithm.
1602254f889dSBrendon Cahoon void SwingSchedulerDAG::findCircuits(NodeSetType &NodeSets) {
1603254f889dSBrendon Cahoon   // Swap all the anti dependences in the DAG. That means it is no longer a DAG,
1604254f889dSBrendon Cahoon   // but we do this to find the circuits, and then change them back.
1605254f889dSBrendon Cahoon   swapAntiDependences(SUnits);
1606254f889dSBrendon Cahoon 
1607254f889dSBrendon Cahoon   Circuits Cir(SUnits);
1608254f889dSBrendon Cahoon   // Create the adjacency structure.
1609254f889dSBrendon Cahoon   Cir.createAdjacencyStructure(this);
1610254f889dSBrendon Cahoon   for (int i = 0, e = SUnits.size(); i != e; ++i) {
1611254f889dSBrendon Cahoon     Cir.reset();
1612254f889dSBrendon Cahoon     Cir.circuit(i, i, NodeSets);
1613254f889dSBrendon Cahoon   }
1614254f889dSBrendon Cahoon 
1615254f889dSBrendon Cahoon   // Change the dependences back so that we've created a DAG again.
1616254f889dSBrendon Cahoon   swapAntiDependences(SUnits);
1617254f889dSBrendon Cahoon }
1618254f889dSBrendon Cahoon 
1619254f889dSBrendon Cahoon /// Return true for DAG nodes that we ignore when computing the cost functions.
1620c73b6d6bSHiroshi Inoue /// We ignore the back-edge recurrence in order to avoid unbounded recursion
1621254f889dSBrendon Cahoon /// in the calculation of the ASAP, ALAP, etc functions.
1622254f889dSBrendon Cahoon static bool ignoreDependence(const SDep &D, bool isPred) {
1623254f889dSBrendon Cahoon   if (D.isArtificial())
1624254f889dSBrendon Cahoon     return true;
1625254f889dSBrendon Cahoon   return D.getKind() == SDep::Anti && isPred;
1626254f889dSBrendon Cahoon }
1627254f889dSBrendon Cahoon 
1628254f889dSBrendon Cahoon /// Compute several functions need to order the nodes for scheduling.
1629254f889dSBrendon Cahoon ///  ASAP - Earliest time to schedule a node.
1630254f889dSBrendon Cahoon ///  ALAP - Latest time to schedule a node.
1631254f889dSBrendon Cahoon ///  MOV - Mobility function, difference between ALAP and ASAP.
1632254f889dSBrendon Cahoon ///  D - Depth of each node.
1633254f889dSBrendon Cahoon ///  H - Height of each node.
1634254f889dSBrendon Cahoon void SwingSchedulerDAG::computeNodeFunctions(NodeSetType &NodeSets) {
1635254f889dSBrendon Cahoon   ScheduleInfo.resize(SUnits.size());
1636254f889dSBrendon Cahoon 
1637d34e60caSNicola Zaghen   LLVM_DEBUG({
1638254f889dSBrendon Cahoon     for (ScheduleDAGTopologicalSort::const_iterator I = Topo.begin(),
1639254f889dSBrendon Cahoon                                                     E = Topo.end();
1640254f889dSBrendon Cahoon          I != E; ++I) {
1641254f889dSBrendon Cahoon       SUnit *SU = &SUnits[*I];
1642254f889dSBrendon Cahoon       SU->dump(this);
1643254f889dSBrendon Cahoon     }
1644254f889dSBrendon Cahoon   });
1645254f889dSBrendon Cahoon 
1646254f889dSBrendon Cahoon   int maxASAP = 0;
16474b8bcf00SRoorda, Jan-Willem   // Compute ASAP and ZeroLatencyDepth.
1648254f889dSBrendon Cahoon   for (ScheduleDAGTopologicalSort::const_iterator I = Topo.begin(),
1649254f889dSBrendon Cahoon                                                   E = Topo.end();
1650254f889dSBrendon Cahoon        I != E; ++I) {
1651254f889dSBrendon Cahoon     int asap = 0;
16524b8bcf00SRoorda, Jan-Willem     int zeroLatencyDepth = 0;
1653254f889dSBrendon Cahoon     SUnit *SU = &SUnits[*I];
1654254f889dSBrendon Cahoon     for (SUnit::const_pred_iterator IP = SU->Preds.begin(),
1655254f889dSBrendon Cahoon                                     EP = SU->Preds.end();
1656254f889dSBrendon Cahoon          IP != EP; ++IP) {
16574b8bcf00SRoorda, Jan-Willem       SUnit *pred = IP->getSUnit();
1658c715a5d2SKrzysztof Parzyszek       if (IP->getLatency() == 0)
16594b8bcf00SRoorda, Jan-Willem         zeroLatencyDepth =
16604b8bcf00SRoorda, Jan-Willem             std::max(zeroLatencyDepth, getZeroLatencyDepth(pred) + 1);
1661254f889dSBrendon Cahoon       if (ignoreDependence(*IP, true))
1662254f889dSBrendon Cahoon         continue;
1663c715a5d2SKrzysztof Parzyszek       asap = std::max(asap, (int)(getASAP(pred) + IP->getLatency() -
1664254f889dSBrendon Cahoon                                   getDistance(pred, SU, *IP) * MII));
1665254f889dSBrendon Cahoon     }
1666254f889dSBrendon Cahoon     maxASAP = std::max(maxASAP, asap);
1667254f889dSBrendon Cahoon     ScheduleInfo[*I].ASAP = asap;
16684b8bcf00SRoorda, Jan-Willem     ScheduleInfo[*I].ZeroLatencyDepth = zeroLatencyDepth;
1669254f889dSBrendon Cahoon   }
1670254f889dSBrendon Cahoon 
16714b8bcf00SRoorda, Jan-Willem   // Compute ALAP, ZeroLatencyHeight, and MOV.
1672254f889dSBrendon Cahoon   for (ScheduleDAGTopologicalSort::const_reverse_iterator I = Topo.rbegin(),
1673254f889dSBrendon Cahoon                                                           E = Topo.rend();
1674254f889dSBrendon Cahoon        I != E; ++I) {
1675254f889dSBrendon Cahoon     int alap = maxASAP;
16764b8bcf00SRoorda, Jan-Willem     int zeroLatencyHeight = 0;
1677254f889dSBrendon Cahoon     SUnit *SU = &SUnits[*I];
1678254f889dSBrendon Cahoon     for (SUnit::const_succ_iterator IS = SU->Succs.begin(),
1679254f889dSBrendon Cahoon                                     ES = SU->Succs.end();
1680254f889dSBrendon Cahoon          IS != ES; ++IS) {
16814b8bcf00SRoorda, Jan-Willem       SUnit *succ = IS->getSUnit();
1682c715a5d2SKrzysztof Parzyszek       if (IS->getLatency() == 0)
16834b8bcf00SRoorda, Jan-Willem         zeroLatencyHeight =
16844b8bcf00SRoorda, Jan-Willem             std::max(zeroLatencyHeight, getZeroLatencyHeight(succ) + 1);
1685254f889dSBrendon Cahoon       if (ignoreDependence(*IS, true))
1686254f889dSBrendon Cahoon         continue;
1687c715a5d2SKrzysztof Parzyszek       alap = std::min(alap, (int)(getALAP(succ) - IS->getLatency() +
1688254f889dSBrendon Cahoon                                   getDistance(SU, succ, *IS) * MII));
1689254f889dSBrendon Cahoon     }
1690254f889dSBrendon Cahoon 
1691254f889dSBrendon Cahoon     ScheduleInfo[*I].ALAP = alap;
16924b8bcf00SRoorda, Jan-Willem     ScheduleInfo[*I].ZeroLatencyHeight = zeroLatencyHeight;
1693254f889dSBrendon Cahoon   }
1694254f889dSBrendon Cahoon 
1695254f889dSBrendon Cahoon   // After computing the node functions, compute the summary for each node set.
1696254f889dSBrendon Cahoon   for (NodeSet &I : NodeSets)
1697254f889dSBrendon Cahoon     I.computeNodeSetInfo(this);
1698254f889dSBrendon Cahoon 
1699d34e60caSNicola Zaghen   LLVM_DEBUG({
1700254f889dSBrendon Cahoon     for (unsigned i = 0; i < SUnits.size(); i++) {
1701254f889dSBrendon Cahoon       dbgs() << "\tNode " << i << ":\n";
1702254f889dSBrendon Cahoon       dbgs() << "\t   ASAP = " << getASAP(&SUnits[i]) << "\n";
1703254f889dSBrendon Cahoon       dbgs() << "\t   ALAP = " << getALAP(&SUnits[i]) << "\n";
1704254f889dSBrendon Cahoon       dbgs() << "\t   MOV  = " << getMOV(&SUnits[i]) << "\n";
1705254f889dSBrendon Cahoon       dbgs() << "\t   D    = " << getDepth(&SUnits[i]) << "\n";
1706254f889dSBrendon Cahoon       dbgs() << "\t   H    = " << getHeight(&SUnits[i]) << "\n";
17074b8bcf00SRoorda, Jan-Willem       dbgs() << "\t   ZLD  = " << getZeroLatencyDepth(&SUnits[i]) << "\n";
17084b8bcf00SRoorda, Jan-Willem       dbgs() << "\t   ZLH  = " << getZeroLatencyHeight(&SUnits[i]) << "\n";
1709254f889dSBrendon Cahoon     }
1710254f889dSBrendon Cahoon   });
1711254f889dSBrendon Cahoon }
1712254f889dSBrendon Cahoon 
1713254f889dSBrendon Cahoon /// Compute the Pred_L(O) set, as defined in the paper. The set is defined
1714254f889dSBrendon Cahoon /// as the predecessors of the elements of NodeOrder that are not also in
1715254f889dSBrendon Cahoon /// NodeOrder.
1716254f889dSBrendon Cahoon static bool pred_L(SetVector<SUnit *> &NodeOrder,
1717254f889dSBrendon Cahoon                    SmallSetVector<SUnit *, 8> &Preds,
1718254f889dSBrendon Cahoon                    const NodeSet *S = nullptr) {
1719254f889dSBrendon Cahoon   Preds.clear();
1720254f889dSBrendon Cahoon   for (SetVector<SUnit *>::iterator I = NodeOrder.begin(), E = NodeOrder.end();
1721254f889dSBrendon Cahoon        I != E; ++I) {
1722254f889dSBrendon Cahoon     for (SUnit::pred_iterator PI = (*I)->Preds.begin(), PE = (*I)->Preds.end();
1723254f889dSBrendon Cahoon          PI != PE; ++PI) {
1724254f889dSBrendon Cahoon       if (S && S->count(PI->getSUnit()) == 0)
1725254f889dSBrendon Cahoon         continue;
1726254f889dSBrendon Cahoon       if (ignoreDependence(*PI, true))
1727254f889dSBrendon Cahoon         continue;
1728254f889dSBrendon Cahoon       if (NodeOrder.count(PI->getSUnit()) == 0)
1729254f889dSBrendon Cahoon         Preds.insert(PI->getSUnit());
1730254f889dSBrendon Cahoon     }
1731254f889dSBrendon Cahoon     // Back-edges are predecessors with an anti-dependence.
1732254f889dSBrendon Cahoon     for (SUnit::const_succ_iterator IS = (*I)->Succs.begin(),
1733254f889dSBrendon Cahoon                                     ES = (*I)->Succs.end();
1734254f889dSBrendon Cahoon          IS != ES; ++IS) {
1735254f889dSBrendon Cahoon       if (IS->getKind() != SDep::Anti)
1736254f889dSBrendon Cahoon         continue;
1737254f889dSBrendon Cahoon       if (S && S->count(IS->getSUnit()) == 0)
1738254f889dSBrendon Cahoon         continue;
1739254f889dSBrendon Cahoon       if (NodeOrder.count(IS->getSUnit()) == 0)
1740254f889dSBrendon Cahoon         Preds.insert(IS->getSUnit());
1741254f889dSBrendon Cahoon     }
1742254f889dSBrendon Cahoon   }
174332a40564SEugene Zelenko   return !Preds.empty();
1744254f889dSBrendon Cahoon }
1745254f889dSBrendon Cahoon 
1746254f889dSBrendon Cahoon /// Compute the Succ_L(O) set, as defined in the paper. The set is defined
1747254f889dSBrendon Cahoon /// as the successors of the elements of NodeOrder that are not also in
1748254f889dSBrendon Cahoon /// NodeOrder.
1749254f889dSBrendon Cahoon static bool succ_L(SetVector<SUnit *> &NodeOrder,
1750254f889dSBrendon Cahoon                    SmallSetVector<SUnit *, 8> &Succs,
1751254f889dSBrendon Cahoon                    const NodeSet *S = nullptr) {
1752254f889dSBrendon Cahoon   Succs.clear();
1753254f889dSBrendon Cahoon   for (SetVector<SUnit *>::iterator I = NodeOrder.begin(), E = NodeOrder.end();
1754254f889dSBrendon Cahoon        I != E; ++I) {
1755254f889dSBrendon Cahoon     for (SUnit::succ_iterator SI = (*I)->Succs.begin(), SE = (*I)->Succs.end();
1756254f889dSBrendon Cahoon          SI != SE; ++SI) {
1757254f889dSBrendon Cahoon       if (S && S->count(SI->getSUnit()) == 0)
1758254f889dSBrendon Cahoon         continue;
1759254f889dSBrendon Cahoon       if (ignoreDependence(*SI, false))
1760254f889dSBrendon Cahoon         continue;
1761254f889dSBrendon Cahoon       if (NodeOrder.count(SI->getSUnit()) == 0)
1762254f889dSBrendon Cahoon         Succs.insert(SI->getSUnit());
1763254f889dSBrendon Cahoon     }
1764254f889dSBrendon Cahoon     for (SUnit::const_pred_iterator PI = (*I)->Preds.begin(),
1765254f889dSBrendon Cahoon                                     PE = (*I)->Preds.end();
1766254f889dSBrendon Cahoon          PI != PE; ++PI) {
1767254f889dSBrendon Cahoon       if (PI->getKind() != SDep::Anti)
1768254f889dSBrendon Cahoon         continue;
1769254f889dSBrendon Cahoon       if (S && S->count(PI->getSUnit()) == 0)
1770254f889dSBrendon Cahoon         continue;
1771254f889dSBrendon Cahoon       if (NodeOrder.count(PI->getSUnit()) == 0)
1772254f889dSBrendon Cahoon         Succs.insert(PI->getSUnit());
1773254f889dSBrendon Cahoon     }
1774254f889dSBrendon Cahoon   }
177532a40564SEugene Zelenko   return !Succs.empty();
1776254f889dSBrendon Cahoon }
1777254f889dSBrendon Cahoon 
1778254f889dSBrendon Cahoon /// Return true if there is a path from the specified node to any of the nodes
1779254f889dSBrendon Cahoon /// in DestNodes. Keep track and return the nodes in any path.
1780254f889dSBrendon Cahoon static bool computePath(SUnit *Cur, SetVector<SUnit *> &Path,
1781254f889dSBrendon Cahoon                         SetVector<SUnit *> &DestNodes,
1782254f889dSBrendon Cahoon                         SetVector<SUnit *> &Exclude,
1783254f889dSBrendon Cahoon                         SmallPtrSet<SUnit *, 8> &Visited) {
1784254f889dSBrendon Cahoon   if (Cur->isBoundaryNode())
1785254f889dSBrendon Cahoon     return false;
1786254f889dSBrendon Cahoon   if (Exclude.count(Cur) != 0)
1787254f889dSBrendon Cahoon     return false;
1788254f889dSBrendon Cahoon   if (DestNodes.count(Cur) != 0)
1789254f889dSBrendon Cahoon     return true;
1790254f889dSBrendon Cahoon   if (!Visited.insert(Cur).second)
1791254f889dSBrendon Cahoon     return Path.count(Cur) != 0;
1792254f889dSBrendon Cahoon   bool FoundPath = false;
1793254f889dSBrendon Cahoon   for (auto &SI : Cur->Succs)
1794254f889dSBrendon Cahoon     FoundPath |= computePath(SI.getSUnit(), Path, DestNodes, Exclude, Visited);
1795254f889dSBrendon Cahoon   for (auto &PI : Cur->Preds)
1796254f889dSBrendon Cahoon     if (PI.getKind() == SDep::Anti)
1797254f889dSBrendon Cahoon       FoundPath |=
1798254f889dSBrendon Cahoon           computePath(PI.getSUnit(), Path, DestNodes, Exclude, Visited);
1799254f889dSBrendon Cahoon   if (FoundPath)
1800254f889dSBrendon Cahoon     Path.insert(Cur);
1801254f889dSBrendon Cahoon   return FoundPath;
1802254f889dSBrendon Cahoon }
1803254f889dSBrendon Cahoon 
1804254f889dSBrendon Cahoon /// Return true if Set1 is a subset of Set2.
1805254f889dSBrendon Cahoon template <class S1Ty, class S2Ty> static bool isSubset(S1Ty &Set1, S2Ty &Set2) {
1806254f889dSBrendon Cahoon   for (typename S1Ty::iterator I = Set1.begin(), E = Set1.end(); I != E; ++I)
1807254f889dSBrendon Cahoon     if (Set2.count(*I) == 0)
1808254f889dSBrendon Cahoon       return false;
1809254f889dSBrendon Cahoon   return true;
1810254f889dSBrendon Cahoon }
1811254f889dSBrendon Cahoon 
1812254f889dSBrendon Cahoon /// Compute the live-out registers for the instructions in a node-set.
1813254f889dSBrendon Cahoon /// The live-out registers are those that are defined in the node-set,
1814254f889dSBrendon Cahoon /// but not used. Except for use operands of Phis.
1815254f889dSBrendon Cahoon static void computeLiveOuts(MachineFunction &MF, RegPressureTracker &RPTracker,
1816254f889dSBrendon Cahoon                             NodeSet &NS) {
1817254f889dSBrendon Cahoon   const TargetRegisterInfo *TRI = MF.getSubtarget().getRegisterInfo();
1818254f889dSBrendon Cahoon   MachineRegisterInfo &MRI = MF.getRegInfo();
1819254f889dSBrendon Cahoon   SmallVector<RegisterMaskPair, 8> LiveOutRegs;
1820254f889dSBrendon Cahoon   SmallSet<unsigned, 4> Uses;
1821254f889dSBrendon Cahoon   for (SUnit *SU : NS) {
1822254f889dSBrendon Cahoon     const MachineInstr *MI = SU->getInstr();
1823254f889dSBrendon Cahoon     if (MI->isPHI())
1824254f889dSBrendon Cahoon       continue;
1825fc371558SMatthias Braun     for (const MachineOperand &MO : MI->operands())
1826fc371558SMatthias Braun       if (MO.isReg() && MO.isUse()) {
1827fc371558SMatthias Braun         unsigned Reg = MO.getReg();
1828254f889dSBrendon Cahoon         if (TargetRegisterInfo::isVirtualRegister(Reg))
1829254f889dSBrendon Cahoon           Uses.insert(Reg);
1830254f889dSBrendon Cahoon         else if (MRI.isAllocatable(Reg))
1831254f889dSBrendon Cahoon           for (MCRegUnitIterator Units(Reg, TRI); Units.isValid(); ++Units)
1832254f889dSBrendon Cahoon             Uses.insert(*Units);
1833254f889dSBrendon Cahoon       }
1834254f889dSBrendon Cahoon   }
1835254f889dSBrendon Cahoon   for (SUnit *SU : NS)
1836fc371558SMatthias Braun     for (const MachineOperand &MO : SU->getInstr()->operands())
1837fc371558SMatthias Braun       if (MO.isReg() && MO.isDef() && !MO.isDead()) {
1838fc371558SMatthias Braun         unsigned Reg = MO.getReg();
1839254f889dSBrendon Cahoon         if (TargetRegisterInfo::isVirtualRegister(Reg)) {
1840254f889dSBrendon Cahoon           if (!Uses.count(Reg))
184191b5cf84SKrzysztof Parzyszek             LiveOutRegs.push_back(RegisterMaskPair(Reg,
184291b5cf84SKrzysztof Parzyszek                                                    LaneBitmask::getNone()));
1843254f889dSBrendon Cahoon         } else if (MRI.isAllocatable(Reg)) {
1844254f889dSBrendon Cahoon           for (MCRegUnitIterator Units(Reg, TRI); Units.isValid(); ++Units)
1845254f889dSBrendon Cahoon             if (!Uses.count(*Units))
184691b5cf84SKrzysztof Parzyszek               LiveOutRegs.push_back(RegisterMaskPair(*Units,
184791b5cf84SKrzysztof Parzyszek                                                      LaneBitmask::getNone()));
1848254f889dSBrendon Cahoon         }
1849254f889dSBrendon Cahoon       }
1850254f889dSBrendon Cahoon   RPTracker.addLiveRegs(LiveOutRegs);
1851254f889dSBrendon Cahoon }
1852254f889dSBrendon Cahoon 
1853254f889dSBrendon Cahoon /// A heuristic to filter nodes in recurrent node-sets if the register
1854254f889dSBrendon Cahoon /// pressure of a set is too high.
1855254f889dSBrendon Cahoon void SwingSchedulerDAG::registerPressureFilter(NodeSetType &NodeSets) {
1856254f889dSBrendon Cahoon   for (auto &NS : NodeSets) {
1857254f889dSBrendon Cahoon     // Skip small node-sets since they won't cause register pressure problems.
1858254f889dSBrendon Cahoon     if (NS.size() <= 2)
1859254f889dSBrendon Cahoon       continue;
1860254f889dSBrendon Cahoon     IntervalPressure RecRegPressure;
1861254f889dSBrendon Cahoon     RegPressureTracker RecRPTracker(RecRegPressure);
1862254f889dSBrendon Cahoon     RecRPTracker.init(&MF, &RegClassInfo, &LIS, BB, BB->end(), false, true);
1863254f889dSBrendon Cahoon     computeLiveOuts(MF, RecRPTracker, NS);
1864254f889dSBrendon Cahoon     RecRPTracker.closeBottom();
1865254f889dSBrendon Cahoon 
1866254f889dSBrendon Cahoon     std::vector<SUnit *> SUnits(NS.begin(), NS.end());
1867e92f0cfeSMandeep Singh Grang     llvm::sort(SUnits.begin(), SUnits.end(),
1868e92f0cfeSMandeep Singh Grang                [](const SUnit *A, const SUnit *B) {
1869254f889dSBrendon Cahoon       return A->NodeNum > B->NodeNum;
1870254f889dSBrendon Cahoon     });
1871254f889dSBrendon Cahoon 
1872254f889dSBrendon Cahoon     for (auto &SU : SUnits) {
1873254f889dSBrendon Cahoon       // Since we're computing the register pressure for a subset of the
1874254f889dSBrendon Cahoon       // instructions in a block, we need to set the tracker for each
1875254f889dSBrendon Cahoon       // instruction in the node-set. The tracker is set to the instruction
1876254f889dSBrendon Cahoon       // just after the one we're interested in.
1877254f889dSBrendon Cahoon       MachineBasicBlock::const_iterator CurInstI = SU->getInstr();
1878254f889dSBrendon Cahoon       RecRPTracker.setPos(std::next(CurInstI));
1879254f889dSBrendon Cahoon 
1880254f889dSBrendon Cahoon       RegPressureDelta RPDelta;
1881254f889dSBrendon Cahoon       ArrayRef<PressureChange> CriticalPSets;
1882254f889dSBrendon Cahoon       RecRPTracker.getMaxUpwardPressureDelta(SU->getInstr(), nullptr, RPDelta,
1883254f889dSBrendon Cahoon                                              CriticalPSets,
1884254f889dSBrendon Cahoon                                              RecRegPressure.MaxSetPressure);
1885254f889dSBrendon Cahoon       if (RPDelta.Excess.isValid()) {
1886d34e60caSNicola Zaghen         LLVM_DEBUG(
1887d34e60caSNicola Zaghen             dbgs() << "Excess register pressure: SU(" << SU->NodeNum << ") "
1888254f889dSBrendon Cahoon                    << TRI->getRegPressureSetName(RPDelta.Excess.getPSet())
1889254f889dSBrendon Cahoon                    << ":" << RPDelta.Excess.getUnitInc());
1890254f889dSBrendon Cahoon         NS.setExceedPressure(SU);
1891254f889dSBrendon Cahoon         break;
1892254f889dSBrendon Cahoon       }
1893254f889dSBrendon Cahoon       RecRPTracker.recede();
1894254f889dSBrendon Cahoon     }
1895254f889dSBrendon Cahoon   }
1896254f889dSBrendon Cahoon }
1897254f889dSBrendon Cahoon 
1898254f889dSBrendon Cahoon /// A heuristic to colocate node sets that have the same set of
1899254f889dSBrendon Cahoon /// successors.
1900254f889dSBrendon Cahoon void SwingSchedulerDAG::colocateNodeSets(NodeSetType &NodeSets) {
1901254f889dSBrendon Cahoon   unsigned Colocate = 0;
1902254f889dSBrendon Cahoon   for (int i = 0, e = NodeSets.size(); i < e; ++i) {
1903254f889dSBrendon Cahoon     NodeSet &N1 = NodeSets[i];
1904254f889dSBrendon Cahoon     SmallSetVector<SUnit *, 8> S1;
1905254f889dSBrendon Cahoon     if (N1.empty() || !succ_L(N1, S1))
1906254f889dSBrendon Cahoon       continue;
1907254f889dSBrendon Cahoon     for (int j = i + 1; j < e; ++j) {
1908254f889dSBrendon Cahoon       NodeSet &N2 = NodeSets[j];
1909254f889dSBrendon Cahoon       if (N1.compareRecMII(N2) != 0)
1910254f889dSBrendon Cahoon         continue;
1911254f889dSBrendon Cahoon       SmallSetVector<SUnit *, 8> S2;
1912254f889dSBrendon Cahoon       if (N2.empty() || !succ_L(N2, S2))
1913254f889dSBrendon Cahoon         continue;
1914254f889dSBrendon Cahoon       if (isSubset(S1, S2) && S1.size() == S2.size()) {
1915254f889dSBrendon Cahoon         N1.setColocate(++Colocate);
1916254f889dSBrendon Cahoon         N2.setColocate(Colocate);
1917254f889dSBrendon Cahoon         break;
1918254f889dSBrendon Cahoon       }
1919254f889dSBrendon Cahoon     }
1920254f889dSBrendon Cahoon   }
1921254f889dSBrendon Cahoon }
1922254f889dSBrendon Cahoon 
1923254f889dSBrendon Cahoon /// Check if the existing node-sets are profitable. If not, then ignore the
1924254f889dSBrendon Cahoon /// recurrent node-sets, and attempt to schedule all nodes together. This is
19253ca23341SKrzysztof Parzyszek /// a heuristic. If the MII is large and all the recurrent node-sets are small,
19263ca23341SKrzysztof Parzyszek /// then it's best to try to schedule all instructions together instead of
19273ca23341SKrzysztof Parzyszek /// starting with the recurrent node-sets.
1928254f889dSBrendon Cahoon void SwingSchedulerDAG::checkNodeSets(NodeSetType &NodeSets) {
1929254f889dSBrendon Cahoon   // Look for loops with a large MII.
19303ca23341SKrzysztof Parzyszek   if (MII < 17)
1931254f889dSBrendon Cahoon     return;
1932254f889dSBrendon Cahoon   // Check if the node-set contains only a simple add recurrence.
19333ca23341SKrzysztof Parzyszek   for (auto &NS : NodeSets) {
19343ca23341SKrzysztof Parzyszek     if (NS.getRecMII() > 2)
1935254f889dSBrendon Cahoon       return;
19363ca23341SKrzysztof Parzyszek     if (NS.getMaxDepth() > MII)
19373ca23341SKrzysztof Parzyszek       return;
19383ca23341SKrzysztof Parzyszek   }
1939254f889dSBrendon Cahoon   NodeSets.clear();
1940d34e60caSNicola Zaghen   LLVM_DEBUG(dbgs() << "Clear recurrence node-sets\n");
1941254f889dSBrendon Cahoon   return;
1942254f889dSBrendon Cahoon }
1943254f889dSBrendon Cahoon 
1944254f889dSBrendon Cahoon /// Add the nodes that do not belong to a recurrence set into groups
1945254f889dSBrendon Cahoon /// based upon connected componenets.
1946254f889dSBrendon Cahoon void SwingSchedulerDAG::groupRemainingNodes(NodeSetType &NodeSets) {
1947254f889dSBrendon Cahoon   SetVector<SUnit *> NodesAdded;
1948254f889dSBrendon Cahoon   SmallPtrSet<SUnit *, 8> Visited;
1949254f889dSBrendon Cahoon   // Add the nodes that are on a path between the previous node sets and
1950254f889dSBrendon Cahoon   // the current node set.
1951254f889dSBrendon Cahoon   for (NodeSet &I : NodeSets) {
1952254f889dSBrendon Cahoon     SmallSetVector<SUnit *, 8> N;
1953254f889dSBrendon Cahoon     // Add the nodes from the current node set to the previous node set.
1954254f889dSBrendon Cahoon     if (succ_L(I, N)) {
1955254f889dSBrendon Cahoon       SetVector<SUnit *> Path;
1956254f889dSBrendon Cahoon       for (SUnit *NI : N) {
1957254f889dSBrendon Cahoon         Visited.clear();
1958254f889dSBrendon Cahoon         computePath(NI, Path, NodesAdded, I, Visited);
1959254f889dSBrendon Cahoon       }
196032a40564SEugene Zelenko       if (!Path.empty())
1961254f889dSBrendon Cahoon         I.insert(Path.begin(), Path.end());
1962254f889dSBrendon Cahoon     }
1963254f889dSBrendon Cahoon     // Add the nodes from the previous node set to the current node set.
1964254f889dSBrendon Cahoon     N.clear();
1965254f889dSBrendon Cahoon     if (succ_L(NodesAdded, N)) {
1966254f889dSBrendon Cahoon       SetVector<SUnit *> Path;
1967254f889dSBrendon Cahoon       for (SUnit *NI : N) {
1968254f889dSBrendon Cahoon         Visited.clear();
1969254f889dSBrendon Cahoon         computePath(NI, Path, I, NodesAdded, Visited);
1970254f889dSBrendon Cahoon       }
197132a40564SEugene Zelenko       if (!Path.empty())
1972254f889dSBrendon Cahoon         I.insert(Path.begin(), Path.end());
1973254f889dSBrendon Cahoon     }
1974254f889dSBrendon Cahoon     NodesAdded.insert(I.begin(), I.end());
1975254f889dSBrendon Cahoon   }
1976254f889dSBrendon Cahoon 
1977254f889dSBrendon Cahoon   // Create a new node set with the connected nodes of any successor of a node
1978254f889dSBrendon Cahoon   // in a recurrent set.
1979254f889dSBrendon Cahoon   NodeSet NewSet;
1980254f889dSBrendon Cahoon   SmallSetVector<SUnit *, 8> N;
1981254f889dSBrendon Cahoon   if (succ_L(NodesAdded, N))
1982254f889dSBrendon Cahoon     for (SUnit *I : N)
1983254f889dSBrendon Cahoon       addConnectedNodes(I, NewSet, NodesAdded);
198432a40564SEugene Zelenko   if (!NewSet.empty())
1985254f889dSBrendon Cahoon     NodeSets.push_back(NewSet);
1986254f889dSBrendon Cahoon 
1987254f889dSBrendon Cahoon   // Create a new node set with the connected nodes of any predecessor of a node
1988254f889dSBrendon Cahoon   // in a recurrent set.
1989254f889dSBrendon Cahoon   NewSet.clear();
1990254f889dSBrendon Cahoon   if (pred_L(NodesAdded, N))
1991254f889dSBrendon Cahoon     for (SUnit *I : N)
1992254f889dSBrendon Cahoon       addConnectedNodes(I, NewSet, NodesAdded);
199332a40564SEugene Zelenko   if (!NewSet.empty())
1994254f889dSBrendon Cahoon     NodeSets.push_back(NewSet);
1995254f889dSBrendon Cahoon 
1996372ffa15SHiroshi Inoue   // Create new nodes sets with the connected nodes any remaining node that
1997254f889dSBrendon Cahoon   // has no predecessor.
1998254f889dSBrendon Cahoon   for (unsigned i = 0; i < SUnits.size(); ++i) {
1999254f889dSBrendon Cahoon     SUnit *SU = &SUnits[i];
2000254f889dSBrendon Cahoon     if (NodesAdded.count(SU) == 0) {
2001254f889dSBrendon Cahoon       NewSet.clear();
2002254f889dSBrendon Cahoon       addConnectedNodes(SU, NewSet, NodesAdded);
200332a40564SEugene Zelenko       if (!NewSet.empty())
2004254f889dSBrendon Cahoon         NodeSets.push_back(NewSet);
2005254f889dSBrendon Cahoon     }
2006254f889dSBrendon Cahoon   }
2007254f889dSBrendon Cahoon }
2008254f889dSBrendon Cahoon 
2009254f889dSBrendon Cahoon /// Add the node to the set, and add all is its connected nodes to the set.
2010254f889dSBrendon Cahoon void SwingSchedulerDAG::addConnectedNodes(SUnit *SU, NodeSet &NewSet,
2011254f889dSBrendon Cahoon                                           SetVector<SUnit *> &NodesAdded) {
2012254f889dSBrendon Cahoon   NewSet.insert(SU);
2013254f889dSBrendon Cahoon   NodesAdded.insert(SU);
2014254f889dSBrendon Cahoon   for (auto &SI : SU->Succs) {
2015254f889dSBrendon Cahoon     SUnit *Successor = SI.getSUnit();
2016254f889dSBrendon Cahoon     if (!SI.isArtificial() && NodesAdded.count(Successor) == 0)
2017254f889dSBrendon Cahoon       addConnectedNodes(Successor, NewSet, NodesAdded);
2018254f889dSBrendon Cahoon   }
2019254f889dSBrendon Cahoon   for (auto &PI : SU->Preds) {
2020254f889dSBrendon Cahoon     SUnit *Predecessor = PI.getSUnit();
2021254f889dSBrendon Cahoon     if (!PI.isArtificial() && NodesAdded.count(Predecessor) == 0)
2022254f889dSBrendon Cahoon       addConnectedNodes(Predecessor, NewSet, NodesAdded);
2023254f889dSBrendon Cahoon   }
2024254f889dSBrendon Cahoon }
2025254f889dSBrendon Cahoon 
2026254f889dSBrendon Cahoon /// Return true if Set1 contains elements in Set2. The elements in common
2027254f889dSBrendon Cahoon /// are returned in a different container.
2028254f889dSBrendon Cahoon static bool isIntersect(SmallSetVector<SUnit *, 8> &Set1, const NodeSet &Set2,
2029254f889dSBrendon Cahoon                         SmallSetVector<SUnit *, 8> &Result) {
2030254f889dSBrendon Cahoon   Result.clear();
2031254f889dSBrendon Cahoon   for (unsigned i = 0, e = Set1.size(); i != e; ++i) {
2032254f889dSBrendon Cahoon     SUnit *SU = Set1[i];
2033254f889dSBrendon Cahoon     if (Set2.count(SU) != 0)
2034254f889dSBrendon Cahoon       Result.insert(SU);
2035254f889dSBrendon Cahoon   }
2036254f889dSBrendon Cahoon   return !Result.empty();
2037254f889dSBrendon Cahoon }
2038254f889dSBrendon Cahoon 
2039254f889dSBrendon Cahoon /// Merge the recurrence node sets that have the same initial node.
2040254f889dSBrendon Cahoon void SwingSchedulerDAG::fuseRecs(NodeSetType &NodeSets) {
2041254f889dSBrendon Cahoon   for (NodeSetType::iterator I = NodeSets.begin(), E = NodeSets.end(); I != E;
2042254f889dSBrendon Cahoon        ++I) {
2043254f889dSBrendon Cahoon     NodeSet &NI = *I;
2044254f889dSBrendon Cahoon     for (NodeSetType::iterator J = I + 1; J != E;) {
2045254f889dSBrendon Cahoon       NodeSet &NJ = *J;
2046254f889dSBrendon Cahoon       if (NI.getNode(0)->NodeNum == NJ.getNode(0)->NodeNum) {
2047254f889dSBrendon Cahoon         if (NJ.compareRecMII(NI) > 0)
2048254f889dSBrendon Cahoon           NI.setRecMII(NJ.getRecMII());
2049254f889dSBrendon Cahoon         for (NodeSet::iterator NII = J->begin(), ENI = J->end(); NII != ENI;
2050254f889dSBrendon Cahoon              ++NII)
2051254f889dSBrendon Cahoon           I->insert(*NII);
2052254f889dSBrendon Cahoon         NodeSets.erase(J);
2053254f889dSBrendon Cahoon         E = NodeSets.end();
2054254f889dSBrendon Cahoon       } else {
2055254f889dSBrendon Cahoon         ++J;
2056254f889dSBrendon Cahoon       }
2057254f889dSBrendon Cahoon     }
2058254f889dSBrendon Cahoon   }
2059254f889dSBrendon Cahoon }
2060254f889dSBrendon Cahoon 
2061254f889dSBrendon Cahoon /// Remove nodes that have been scheduled in previous NodeSets.
2062254f889dSBrendon Cahoon void SwingSchedulerDAG::removeDuplicateNodes(NodeSetType &NodeSets) {
2063254f889dSBrendon Cahoon   for (NodeSetType::iterator I = NodeSets.begin(), E = NodeSets.end(); I != E;
2064254f889dSBrendon Cahoon        ++I)
2065254f889dSBrendon Cahoon     for (NodeSetType::iterator J = I + 1; J != E;) {
2066254f889dSBrendon Cahoon       J->remove_if([&](SUnit *SUJ) { return I->count(SUJ); });
2067254f889dSBrendon Cahoon 
206832a40564SEugene Zelenko       if (J->empty()) {
2069254f889dSBrendon Cahoon         NodeSets.erase(J);
2070254f889dSBrendon Cahoon         E = NodeSets.end();
2071254f889dSBrendon Cahoon       } else {
2072254f889dSBrendon Cahoon         ++J;
2073254f889dSBrendon Cahoon       }
2074254f889dSBrendon Cahoon     }
2075254f889dSBrendon Cahoon }
2076254f889dSBrendon Cahoon 
2077254f889dSBrendon Cahoon /// Compute an ordered list of the dependence graph nodes, which
2078254f889dSBrendon Cahoon /// indicates the order that the nodes will be scheduled.  This is a
2079254f889dSBrendon Cahoon /// two-level algorithm. First, a partial order is created, which
2080254f889dSBrendon Cahoon /// consists of a list of sets ordered from highest to lowest priority.
2081254f889dSBrendon Cahoon void SwingSchedulerDAG::computeNodeOrder(NodeSetType &NodeSets) {
2082254f889dSBrendon Cahoon   SmallSetVector<SUnit *, 8> R;
2083254f889dSBrendon Cahoon   NodeOrder.clear();
2084254f889dSBrendon Cahoon 
2085254f889dSBrendon Cahoon   for (auto &Nodes : NodeSets) {
2086d34e60caSNicola Zaghen     LLVM_DEBUG(dbgs() << "NodeSet size " << Nodes.size() << "\n");
2087254f889dSBrendon Cahoon     OrderKind Order;
2088254f889dSBrendon Cahoon     SmallSetVector<SUnit *, 8> N;
2089254f889dSBrendon Cahoon     if (pred_L(NodeOrder, N) && isSubset(N, Nodes)) {
2090254f889dSBrendon Cahoon       R.insert(N.begin(), N.end());
2091254f889dSBrendon Cahoon       Order = BottomUp;
2092d34e60caSNicola Zaghen       LLVM_DEBUG(dbgs() << "  Bottom up (preds) ");
2093254f889dSBrendon Cahoon     } else if (succ_L(NodeOrder, N) && isSubset(N, Nodes)) {
2094254f889dSBrendon Cahoon       R.insert(N.begin(), N.end());
2095254f889dSBrendon Cahoon       Order = TopDown;
2096d34e60caSNicola Zaghen       LLVM_DEBUG(dbgs() << "  Top down (succs) ");
2097254f889dSBrendon Cahoon     } else if (isIntersect(N, Nodes, R)) {
2098254f889dSBrendon Cahoon       // If some of the successors are in the existing node-set, then use the
2099254f889dSBrendon Cahoon       // top-down ordering.
2100254f889dSBrendon Cahoon       Order = TopDown;
2101d34e60caSNicola Zaghen       LLVM_DEBUG(dbgs() << "  Top down (intersect) ");
2102254f889dSBrendon Cahoon     } else if (NodeSets.size() == 1) {
2103254f889dSBrendon Cahoon       for (auto &N : Nodes)
2104254f889dSBrendon Cahoon         if (N->Succs.size() == 0)
2105254f889dSBrendon Cahoon           R.insert(N);
2106254f889dSBrendon Cahoon       Order = BottomUp;
2107d34e60caSNicola Zaghen       LLVM_DEBUG(dbgs() << "  Bottom up (all) ");
2108254f889dSBrendon Cahoon     } else {
2109254f889dSBrendon Cahoon       // Find the node with the highest ASAP.
2110254f889dSBrendon Cahoon       SUnit *maxASAP = nullptr;
2111254f889dSBrendon Cahoon       for (SUnit *SU : Nodes) {
2112a2122044SKrzysztof Parzyszek         if (maxASAP == nullptr || getASAP(SU) > getASAP(maxASAP) ||
2113a2122044SKrzysztof Parzyszek             (getASAP(SU) == getASAP(maxASAP) && SU->NodeNum > maxASAP->NodeNum))
2114254f889dSBrendon Cahoon           maxASAP = SU;
2115254f889dSBrendon Cahoon       }
2116254f889dSBrendon Cahoon       R.insert(maxASAP);
2117254f889dSBrendon Cahoon       Order = BottomUp;
2118d34e60caSNicola Zaghen       LLVM_DEBUG(dbgs() << "  Bottom up (default) ");
2119254f889dSBrendon Cahoon     }
2120254f889dSBrendon Cahoon 
2121254f889dSBrendon Cahoon     while (!R.empty()) {
2122254f889dSBrendon Cahoon       if (Order == TopDown) {
2123254f889dSBrendon Cahoon         // Choose the node with the maximum height.  If more than one, choose
2124a2122044SKrzysztof Parzyszek         // the node wiTH the maximum ZeroLatencyHeight. If still more than one,
21254b8bcf00SRoorda, Jan-Willem         // choose the node with the lowest MOV.
2126254f889dSBrendon Cahoon         while (!R.empty()) {
2127254f889dSBrendon Cahoon           SUnit *maxHeight = nullptr;
2128254f889dSBrendon Cahoon           for (SUnit *I : R) {
2129cdc71612SEugene Zelenko             if (maxHeight == nullptr || getHeight(I) > getHeight(maxHeight))
2130254f889dSBrendon Cahoon               maxHeight = I;
2131254f889dSBrendon Cahoon             else if (getHeight(I) == getHeight(maxHeight) &&
21324b8bcf00SRoorda, Jan-Willem                      getZeroLatencyHeight(I) > getZeroLatencyHeight(maxHeight))
2133254f889dSBrendon Cahoon               maxHeight = I;
21344b8bcf00SRoorda, Jan-Willem             else if (getHeight(I) == getHeight(maxHeight) &&
21354b8bcf00SRoorda, Jan-Willem                      getZeroLatencyHeight(I) ==
21364b8bcf00SRoorda, Jan-Willem                          getZeroLatencyHeight(maxHeight) &&
21374b8bcf00SRoorda, Jan-Willem                      getMOV(I) < getMOV(maxHeight))
2138254f889dSBrendon Cahoon               maxHeight = I;
2139254f889dSBrendon Cahoon           }
2140254f889dSBrendon Cahoon           NodeOrder.insert(maxHeight);
2141d34e60caSNicola Zaghen           LLVM_DEBUG(dbgs() << maxHeight->NodeNum << " ");
2142254f889dSBrendon Cahoon           R.remove(maxHeight);
2143254f889dSBrendon Cahoon           for (const auto &I : maxHeight->Succs) {
2144254f889dSBrendon Cahoon             if (Nodes.count(I.getSUnit()) == 0)
2145254f889dSBrendon Cahoon               continue;
2146254f889dSBrendon Cahoon             if (NodeOrder.count(I.getSUnit()) != 0)
2147254f889dSBrendon Cahoon               continue;
2148254f889dSBrendon Cahoon             if (ignoreDependence(I, false))
2149254f889dSBrendon Cahoon               continue;
2150254f889dSBrendon Cahoon             R.insert(I.getSUnit());
2151254f889dSBrendon Cahoon           }
2152254f889dSBrendon Cahoon           // Back-edges are predecessors with an anti-dependence.
2153254f889dSBrendon Cahoon           for (const auto &I : maxHeight->Preds) {
2154254f889dSBrendon Cahoon             if (I.getKind() != SDep::Anti)
2155254f889dSBrendon Cahoon               continue;
2156254f889dSBrendon Cahoon             if (Nodes.count(I.getSUnit()) == 0)
2157254f889dSBrendon Cahoon               continue;
2158254f889dSBrendon Cahoon             if (NodeOrder.count(I.getSUnit()) != 0)
2159254f889dSBrendon Cahoon               continue;
2160254f889dSBrendon Cahoon             R.insert(I.getSUnit());
2161254f889dSBrendon Cahoon           }
2162254f889dSBrendon Cahoon         }
2163254f889dSBrendon Cahoon         Order = BottomUp;
2164d34e60caSNicola Zaghen         LLVM_DEBUG(dbgs() << "\n   Switching order to bottom up ");
2165254f889dSBrendon Cahoon         SmallSetVector<SUnit *, 8> N;
2166254f889dSBrendon Cahoon         if (pred_L(NodeOrder, N, &Nodes))
2167254f889dSBrendon Cahoon           R.insert(N.begin(), N.end());
2168254f889dSBrendon Cahoon       } else {
2169254f889dSBrendon Cahoon         // Choose the node with the maximum depth.  If more than one, choose
21704b8bcf00SRoorda, Jan-Willem         // the node with the maximum ZeroLatencyDepth. If still more than one,
21714b8bcf00SRoorda, Jan-Willem         // choose the node with the lowest MOV.
2172254f889dSBrendon Cahoon         while (!R.empty()) {
2173254f889dSBrendon Cahoon           SUnit *maxDepth = nullptr;
2174254f889dSBrendon Cahoon           for (SUnit *I : R) {
2175cdc71612SEugene Zelenko             if (maxDepth == nullptr || getDepth(I) > getDepth(maxDepth))
2176254f889dSBrendon Cahoon               maxDepth = I;
2177254f889dSBrendon Cahoon             else if (getDepth(I) == getDepth(maxDepth) &&
21784b8bcf00SRoorda, Jan-Willem                      getZeroLatencyDepth(I) > getZeroLatencyDepth(maxDepth))
2179254f889dSBrendon Cahoon               maxDepth = I;
21804b8bcf00SRoorda, Jan-Willem             else if (getDepth(I) == getDepth(maxDepth) &&
21814b8bcf00SRoorda, Jan-Willem                      getZeroLatencyDepth(I) == getZeroLatencyDepth(maxDepth) &&
21824b8bcf00SRoorda, Jan-Willem                      getMOV(I) < getMOV(maxDepth))
2183254f889dSBrendon Cahoon               maxDepth = I;
2184254f889dSBrendon Cahoon           }
2185254f889dSBrendon Cahoon           NodeOrder.insert(maxDepth);
2186d34e60caSNicola Zaghen           LLVM_DEBUG(dbgs() << maxDepth->NodeNum << " ");
2187254f889dSBrendon Cahoon           R.remove(maxDepth);
2188254f889dSBrendon Cahoon           if (Nodes.isExceedSU(maxDepth)) {
2189254f889dSBrendon Cahoon             Order = TopDown;
2190254f889dSBrendon Cahoon             R.clear();
2191254f889dSBrendon Cahoon             R.insert(Nodes.getNode(0));
2192254f889dSBrendon Cahoon             break;
2193254f889dSBrendon Cahoon           }
2194254f889dSBrendon Cahoon           for (const auto &I : maxDepth->Preds) {
2195254f889dSBrendon Cahoon             if (Nodes.count(I.getSUnit()) == 0)
2196254f889dSBrendon Cahoon               continue;
2197254f889dSBrendon Cahoon             if (NodeOrder.count(I.getSUnit()) != 0)
2198254f889dSBrendon Cahoon               continue;
2199254f889dSBrendon Cahoon             R.insert(I.getSUnit());
2200254f889dSBrendon Cahoon           }
2201254f889dSBrendon Cahoon           // Back-edges are predecessors with an anti-dependence.
2202254f889dSBrendon Cahoon           for (const auto &I : maxDepth->Succs) {
2203254f889dSBrendon Cahoon             if (I.getKind() != SDep::Anti)
2204254f889dSBrendon Cahoon               continue;
2205254f889dSBrendon Cahoon             if (Nodes.count(I.getSUnit()) == 0)
2206254f889dSBrendon Cahoon               continue;
2207254f889dSBrendon Cahoon             if (NodeOrder.count(I.getSUnit()) != 0)
2208254f889dSBrendon Cahoon               continue;
2209254f889dSBrendon Cahoon             R.insert(I.getSUnit());
2210254f889dSBrendon Cahoon           }
2211254f889dSBrendon Cahoon         }
2212254f889dSBrendon Cahoon         Order = TopDown;
2213d34e60caSNicola Zaghen         LLVM_DEBUG(dbgs() << "\n   Switching order to top down ");
2214254f889dSBrendon Cahoon         SmallSetVector<SUnit *, 8> N;
2215254f889dSBrendon Cahoon         if (succ_L(NodeOrder, N, &Nodes))
2216254f889dSBrendon Cahoon           R.insert(N.begin(), N.end());
2217254f889dSBrendon Cahoon       }
2218254f889dSBrendon Cahoon     }
2219d34e60caSNicola Zaghen     LLVM_DEBUG(dbgs() << "\nDone with Nodeset\n");
2220254f889dSBrendon Cahoon   }
2221254f889dSBrendon Cahoon 
2222d34e60caSNicola Zaghen   LLVM_DEBUG({
2223254f889dSBrendon Cahoon     dbgs() << "Node order: ";
2224254f889dSBrendon Cahoon     for (SUnit *I : NodeOrder)
2225254f889dSBrendon Cahoon       dbgs() << " " << I->NodeNum << " ";
2226254f889dSBrendon Cahoon     dbgs() << "\n";
2227254f889dSBrendon Cahoon   });
2228254f889dSBrendon Cahoon }
2229254f889dSBrendon Cahoon 
2230254f889dSBrendon Cahoon /// Process the nodes in the computed order and create the pipelined schedule
2231254f889dSBrendon Cahoon /// of the instructions, if possible. Return true if a schedule is found.
2232254f889dSBrendon Cahoon bool SwingSchedulerDAG::schedulePipeline(SMSchedule &Schedule) {
223332a40564SEugene Zelenko   if (NodeOrder.empty())
2234254f889dSBrendon Cahoon     return false;
2235254f889dSBrendon Cahoon 
2236254f889dSBrendon Cahoon   bool scheduleFound = false;
2237254f889dSBrendon Cahoon   // Keep increasing II until a valid schedule is found.
2238254f889dSBrendon Cahoon   for (unsigned II = MII; II < MII + 10 && !scheduleFound; ++II) {
2239254f889dSBrendon Cahoon     Schedule.reset();
2240254f889dSBrendon Cahoon     Schedule.setInitiationInterval(II);
2241d34e60caSNicola Zaghen     LLVM_DEBUG(dbgs() << "Try to schedule with " << II << "\n");
2242254f889dSBrendon Cahoon 
2243254f889dSBrendon Cahoon     SetVector<SUnit *>::iterator NI = NodeOrder.begin();
2244254f889dSBrendon Cahoon     SetVector<SUnit *>::iterator NE = NodeOrder.end();
2245254f889dSBrendon Cahoon     do {
2246254f889dSBrendon Cahoon       SUnit *SU = *NI;
2247254f889dSBrendon Cahoon 
2248254f889dSBrendon Cahoon       // Compute the schedule time for the instruction, which is based
2249254f889dSBrendon Cahoon       // upon the scheduled time for any predecessors/successors.
2250254f889dSBrendon Cahoon       int EarlyStart = INT_MIN;
2251254f889dSBrendon Cahoon       int LateStart = INT_MAX;
2252254f889dSBrendon Cahoon       // These values are set when the size of the schedule window is limited
2253254f889dSBrendon Cahoon       // due to chain dependences.
2254254f889dSBrendon Cahoon       int SchedEnd = INT_MAX;
2255254f889dSBrendon Cahoon       int SchedStart = INT_MIN;
2256254f889dSBrendon Cahoon       Schedule.computeStart(SU, &EarlyStart, &LateStart, &SchedEnd, &SchedStart,
2257254f889dSBrendon Cahoon                             II, this);
2258d34e60caSNicola Zaghen       LLVM_DEBUG({
2259254f889dSBrendon Cahoon         dbgs() << "Inst (" << SU->NodeNum << ") ";
2260254f889dSBrendon Cahoon         SU->getInstr()->dump();
2261254f889dSBrendon Cahoon         dbgs() << "\n";
2262254f889dSBrendon Cahoon       });
2263d34e60caSNicola Zaghen       LLVM_DEBUG({
2264254f889dSBrendon Cahoon         dbgs() << "\tes: " << EarlyStart << " ls: " << LateStart
2265254f889dSBrendon Cahoon                << " me: " << SchedEnd << " ms: " << SchedStart << "\n";
2266254f889dSBrendon Cahoon       });
2267254f889dSBrendon Cahoon 
2268254f889dSBrendon Cahoon       if (EarlyStart > LateStart || SchedEnd < EarlyStart ||
2269254f889dSBrendon Cahoon           SchedStart > LateStart)
2270254f889dSBrendon Cahoon         scheduleFound = false;
2271254f889dSBrendon Cahoon       else if (EarlyStart != INT_MIN && LateStart == INT_MAX) {
2272254f889dSBrendon Cahoon         SchedEnd = std::min(SchedEnd, EarlyStart + (int)II - 1);
2273254f889dSBrendon Cahoon         scheduleFound = Schedule.insert(SU, EarlyStart, SchedEnd, II);
2274254f889dSBrendon Cahoon       } else if (EarlyStart == INT_MIN && LateStart != INT_MAX) {
2275254f889dSBrendon Cahoon         SchedStart = std::max(SchedStart, LateStart - (int)II + 1);
2276254f889dSBrendon Cahoon         scheduleFound = Schedule.insert(SU, LateStart, SchedStart, II);
2277254f889dSBrendon Cahoon       } else if (EarlyStart != INT_MIN && LateStart != INT_MAX) {
2278254f889dSBrendon Cahoon         SchedEnd =
2279254f889dSBrendon Cahoon             std::min(SchedEnd, std::min(LateStart, EarlyStart + (int)II - 1));
2280254f889dSBrendon Cahoon         // When scheduling a Phi it is better to start at the late cycle and go
2281254f889dSBrendon Cahoon         // backwards. The default order may insert the Phi too far away from
2282254f889dSBrendon Cahoon         // its first dependence.
2283254f889dSBrendon Cahoon         if (SU->getInstr()->isPHI())
2284254f889dSBrendon Cahoon           scheduleFound = Schedule.insert(SU, SchedEnd, EarlyStart, II);
2285254f889dSBrendon Cahoon         else
2286254f889dSBrendon Cahoon           scheduleFound = Schedule.insert(SU, EarlyStart, SchedEnd, II);
2287254f889dSBrendon Cahoon       } else {
2288254f889dSBrendon Cahoon         int FirstCycle = Schedule.getFirstCycle();
2289254f889dSBrendon Cahoon         scheduleFound = Schedule.insert(SU, FirstCycle + getASAP(SU),
2290254f889dSBrendon Cahoon                                         FirstCycle + getASAP(SU) + II - 1, II);
2291254f889dSBrendon Cahoon       }
2292254f889dSBrendon Cahoon       // Even if we find a schedule, make sure the schedule doesn't exceed the
2293254f889dSBrendon Cahoon       // allowable number of stages. We keep trying if this happens.
2294254f889dSBrendon Cahoon       if (scheduleFound)
2295254f889dSBrendon Cahoon         if (SwpMaxStages > -1 &&
2296254f889dSBrendon Cahoon             Schedule.getMaxStageCount() > (unsigned)SwpMaxStages)
2297254f889dSBrendon Cahoon           scheduleFound = false;
2298254f889dSBrendon Cahoon 
2299d34e60caSNicola Zaghen       LLVM_DEBUG({
2300254f889dSBrendon Cahoon         if (!scheduleFound)
2301254f889dSBrendon Cahoon           dbgs() << "\tCan't schedule\n";
2302254f889dSBrendon Cahoon       });
2303254f889dSBrendon Cahoon     } while (++NI != NE && scheduleFound);
2304254f889dSBrendon Cahoon 
2305254f889dSBrendon Cahoon     // If a schedule is found, check if it is a valid schedule too.
2306254f889dSBrendon Cahoon     if (scheduleFound)
2307254f889dSBrendon Cahoon       scheduleFound = Schedule.isValidSchedule(this);
2308254f889dSBrendon Cahoon   }
2309254f889dSBrendon Cahoon 
2310d34e60caSNicola Zaghen   LLVM_DEBUG(dbgs() << "Schedule Found? " << scheduleFound << "\n");
2311254f889dSBrendon Cahoon 
2312254f889dSBrendon Cahoon   if (scheduleFound)
2313254f889dSBrendon Cahoon     Schedule.finalizeSchedule(this);
2314254f889dSBrendon Cahoon   else
2315254f889dSBrendon Cahoon     Schedule.reset();
2316254f889dSBrendon Cahoon 
2317254f889dSBrendon Cahoon   return scheduleFound && Schedule.getMaxStageCount() > 0;
2318254f889dSBrendon Cahoon }
2319254f889dSBrendon Cahoon 
2320254f889dSBrendon Cahoon /// Given a schedule for the loop, generate a new version of the loop,
2321254f889dSBrendon Cahoon /// and replace the old version.  This function generates a prolog
2322254f889dSBrendon Cahoon /// that contains the initial iterations in the pipeline, and kernel
2323254f889dSBrendon Cahoon /// loop, and the epilogue that contains the code for the final
2324254f889dSBrendon Cahoon /// iterations.
2325254f889dSBrendon Cahoon void SwingSchedulerDAG::generatePipelinedLoop(SMSchedule &Schedule) {
2326254f889dSBrendon Cahoon   // Create a new basic block for the kernel and add it to the CFG.
2327254f889dSBrendon Cahoon   MachineBasicBlock *KernelBB = MF.CreateMachineBasicBlock(BB->getBasicBlock());
2328254f889dSBrendon Cahoon 
2329254f889dSBrendon Cahoon   unsigned MaxStageCount = Schedule.getMaxStageCount();
2330254f889dSBrendon Cahoon 
2331254f889dSBrendon Cahoon   // Remember the registers that are used in different stages. The index is
2332254f889dSBrendon Cahoon   // the iteration, or stage, that the instruction is scheduled in.  This is
2333c73b6d6bSHiroshi Inoue   // a map between register names in the original block and the names created
2334254f889dSBrendon Cahoon   // in each stage of the pipelined loop.
2335254f889dSBrendon Cahoon   ValueMapTy *VRMap = new ValueMapTy[(MaxStageCount + 1) * 2];
2336254f889dSBrendon Cahoon   InstrMapTy InstrMap;
2337254f889dSBrendon Cahoon 
2338254f889dSBrendon Cahoon   SmallVector<MachineBasicBlock *, 4> PrologBBs;
2339254f889dSBrendon Cahoon   // Generate the prolog instructions that set up the pipeline.
2340254f889dSBrendon Cahoon   generateProlog(Schedule, MaxStageCount, KernelBB, VRMap, PrologBBs);
2341254f889dSBrendon Cahoon   MF.insert(BB->getIterator(), KernelBB);
2342254f889dSBrendon Cahoon 
2343254f889dSBrendon Cahoon   // Rearrange the instructions to generate the new, pipelined loop,
2344254f889dSBrendon Cahoon   // and update register names as needed.
2345254f889dSBrendon Cahoon   for (int Cycle = Schedule.getFirstCycle(),
2346254f889dSBrendon Cahoon            LastCycle = Schedule.getFinalCycle();
2347254f889dSBrendon Cahoon        Cycle <= LastCycle; ++Cycle) {
2348254f889dSBrendon Cahoon     std::deque<SUnit *> &CycleInstrs = Schedule.getInstructions(Cycle);
2349254f889dSBrendon Cahoon     // This inner loop schedules each instruction in the cycle.
2350254f889dSBrendon Cahoon     for (SUnit *CI : CycleInstrs) {
2351254f889dSBrendon Cahoon       if (CI->getInstr()->isPHI())
2352254f889dSBrendon Cahoon         continue;
2353254f889dSBrendon Cahoon       unsigned StageNum = Schedule.stageScheduled(getSUnit(CI->getInstr()));
2354254f889dSBrendon Cahoon       MachineInstr *NewMI = cloneInstr(CI->getInstr(), MaxStageCount, StageNum);
2355254f889dSBrendon Cahoon       updateInstruction(NewMI, false, MaxStageCount, StageNum, Schedule, VRMap);
2356254f889dSBrendon Cahoon       KernelBB->push_back(NewMI);
2357254f889dSBrendon Cahoon       InstrMap[NewMI] = CI->getInstr();
2358254f889dSBrendon Cahoon     }
2359254f889dSBrendon Cahoon   }
2360254f889dSBrendon Cahoon 
2361254f889dSBrendon Cahoon   // Copy any terminator instructions to the new kernel, and update
2362254f889dSBrendon Cahoon   // names as needed.
2363254f889dSBrendon Cahoon   for (MachineBasicBlock::iterator I = BB->getFirstTerminator(),
2364254f889dSBrendon Cahoon                                    E = BB->instr_end();
2365254f889dSBrendon Cahoon        I != E; ++I) {
2366254f889dSBrendon Cahoon     MachineInstr *NewMI = MF.CloneMachineInstr(&*I);
2367254f889dSBrendon Cahoon     updateInstruction(NewMI, false, MaxStageCount, 0, Schedule, VRMap);
2368254f889dSBrendon Cahoon     KernelBB->push_back(NewMI);
2369254f889dSBrendon Cahoon     InstrMap[NewMI] = &*I;
2370254f889dSBrendon Cahoon   }
2371254f889dSBrendon Cahoon 
2372254f889dSBrendon Cahoon   KernelBB->transferSuccessors(BB);
2373254f889dSBrendon Cahoon   KernelBB->replaceSuccessor(BB, KernelBB);
2374254f889dSBrendon Cahoon 
2375254f889dSBrendon Cahoon   generateExistingPhis(KernelBB, PrologBBs.back(), KernelBB, KernelBB, Schedule,
2376254f889dSBrendon Cahoon                        VRMap, InstrMap, MaxStageCount, MaxStageCount, false);
2377254f889dSBrendon Cahoon   generatePhis(KernelBB, PrologBBs.back(), KernelBB, KernelBB, Schedule, VRMap,
2378254f889dSBrendon Cahoon                InstrMap, MaxStageCount, MaxStageCount, false);
2379254f889dSBrendon Cahoon 
2380d34e60caSNicola Zaghen   LLVM_DEBUG(dbgs() << "New block\n"; KernelBB->dump(););
2381254f889dSBrendon Cahoon 
2382254f889dSBrendon Cahoon   SmallVector<MachineBasicBlock *, 4> EpilogBBs;
2383254f889dSBrendon Cahoon   // Generate the epilog instructions to complete the pipeline.
2384254f889dSBrendon Cahoon   generateEpilog(Schedule, MaxStageCount, KernelBB, VRMap, EpilogBBs,
2385254f889dSBrendon Cahoon                  PrologBBs);
2386254f889dSBrendon Cahoon 
2387254f889dSBrendon Cahoon   // We need this step because the register allocation doesn't handle some
2388254f889dSBrendon Cahoon   // situations well, so we insert copies to help out.
2389254f889dSBrendon Cahoon   splitLifetimes(KernelBB, EpilogBBs, Schedule);
2390254f889dSBrendon Cahoon 
2391254f889dSBrendon Cahoon   // Remove dead instructions due to loop induction variables.
2392254f889dSBrendon Cahoon   removeDeadInstructions(KernelBB, EpilogBBs);
2393254f889dSBrendon Cahoon 
2394254f889dSBrendon Cahoon   // Add branches between prolog and epilog blocks.
2395254f889dSBrendon Cahoon   addBranches(PrologBBs, KernelBB, EpilogBBs, Schedule, VRMap);
2396254f889dSBrendon Cahoon 
2397254f889dSBrendon Cahoon   // Remove the original loop since it's no longer referenced.
2398c715a5d2SKrzysztof Parzyszek   for (auto &I : *BB)
2399c715a5d2SKrzysztof Parzyszek     LIS.RemoveMachineInstrFromMaps(I);
2400254f889dSBrendon Cahoon   BB->clear();
2401254f889dSBrendon Cahoon   BB->eraseFromParent();
2402254f889dSBrendon Cahoon 
2403254f889dSBrendon Cahoon   delete[] VRMap;
2404254f889dSBrendon Cahoon }
2405254f889dSBrendon Cahoon 
2406254f889dSBrendon Cahoon /// Generate the pipeline prolog code.
2407254f889dSBrendon Cahoon void SwingSchedulerDAG::generateProlog(SMSchedule &Schedule, unsigned LastStage,
2408254f889dSBrendon Cahoon                                        MachineBasicBlock *KernelBB,
2409254f889dSBrendon Cahoon                                        ValueMapTy *VRMap,
2410254f889dSBrendon Cahoon                                        MBBVectorTy &PrologBBs) {
2411254f889dSBrendon Cahoon   MachineBasicBlock *PreheaderBB = MLI->getLoopFor(BB)->getLoopPreheader();
241232a40564SEugene Zelenko   assert(PreheaderBB != nullptr &&
2413254f889dSBrendon Cahoon          "Need to add code to handle loops w/o preheader");
2414254f889dSBrendon Cahoon   MachineBasicBlock *PredBB = PreheaderBB;
2415254f889dSBrendon Cahoon   InstrMapTy InstrMap;
2416254f889dSBrendon Cahoon 
2417254f889dSBrendon Cahoon   // Generate a basic block for each stage, not including the last stage,
2418254f889dSBrendon Cahoon   // which will be generated in the kernel. Each basic block may contain
2419254f889dSBrendon Cahoon   // instructions from multiple stages/iterations.
2420254f889dSBrendon Cahoon   for (unsigned i = 0; i < LastStage; ++i) {
2421254f889dSBrendon Cahoon     // Create and insert the prolog basic block prior to the original loop
2422254f889dSBrendon Cahoon     // basic block.  The original loop is removed later.
2423254f889dSBrendon Cahoon     MachineBasicBlock *NewBB = MF.CreateMachineBasicBlock(BB->getBasicBlock());
2424254f889dSBrendon Cahoon     PrologBBs.push_back(NewBB);
2425254f889dSBrendon Cahoon     MF.insert(BB->getIterator(), NewBB);
2426254f889dSBrendon Cahoon     NewBB->transferSuccessors(PredBB);
2427254f889dSBrendon Cahoon     PredBB->addSuccessor(NewBB);
2428254f889dSBrendon Cahoon     PredBB = NewBB;
2429254f889dSBrendon Cahoon 
2430254f889dSBrendon Cahoon     // Generate instructions for each appropriate stage. Process instructions
2431254f889dSBrendon Cahoon     // in original program order.
2432254f889dSBrendon Cahoon     for (int StageNum = i; StageNum >= 0; --StageNum) {
2433254f889dSBrendon Cahoon       for (MachineBasicBlock::iterator BBI = BB->instr_begin(),
2434254f889dSBrendon Cahoon                                        BBE = BB->getFirstTerminator();
2435254f889dSBrendon Cahoon            BBI != BBE; ++BBI) {
2436254f889dSBrendon Cahoon         if (Schedule.isScheduledAtStage(getSUnit(&*BBI), (unsigned)StageNum)) {
2437254f889dSBrendon Cahoon           if (BBI->isPHI())
2438254f889dSBrendon Cahoon             continue;
2439254f889dSBrendon Cahoon           MachineInstr *NewMI =
2440254f889dSBrendon Cahoon               cloneAndChangeInstr(&*BBI, i, (unsigned)StageNum, Schedule);
2441254f889dSBrendon Cahoon           updateInstruction(NewMI, false, i, (unsigned)StageNum, Schedule,
2442254f889dSBrendon Cahoon                             VRMap);
2443254f889dSBrendon Cahoon           NewBB->push_back(NewMI);
2444254f889dSBrendon Cahoon           InstrMap[NewMI] = &*BBI;
2445254f889dSBrendon Cahoon         }
2446254f889dSBrendon Cahoon       }
2447254f889dSBrendon Cahoon     }
2448254f889dSBrendon Cahoon     rewritePhiValues(NewBB, i, Schedule, VRMap, InstrMap);
2449d34e60caSNicola Zaghen     LLVM_DEBUG({
2450254f889dSBrendon Cahoon       dbgs() << "prolog:\n";
2451254f889dSBrendon Cahoon       NewBB->dump();
2452254f889dSBrendon Cahoon     });
2453254f889dSBrendon Cahoon   }
2454254f889dSBrendon Cahoon 
2455254f889dSBrendon Cahoon   PredBB->replaceSuccessor(BB, KernelBB);
2456254f889dSBrendon Cahoon 
2457254f889dSBrendon Cahoon   // Check if we need to remove the branch from the preheader to the original
2458254f889dSBrendon Cahoon   // loop, and replace it with a branch to the new loop.
24591b9fc8edSMatt Arsenault   unsigned numBranches = TII->removeBranch(*PreheaderBB);
2460254f889dSBrendon Cahoon   if (numBranches) {
2461254f889dSBrendon Cahoon     SmallVector<MachineOperand, 0> Cond;
2462e8e0f5caSMatt Arsenault     TII->insertBranch(*PreheaderBB, PrologBBs[0], nullptr, Cond, DebugLoc());
2463254f889dSBrendon Cahoon   }
2464254f889dSBrendon Cahoon }
2465254f889dSBrendon Cahoon 
2466254f889dSBrendon Cahoon /// Generate the pipeline epilog code. The epilog code finishes the iterations
2467254f889dSBrendon Cahoon /// that were started in either the prolog or the kernel.  We create a basic
2468254f889dSBrendon Cahoon /// block for each stage that needs to complete.
2469254f889dSBrendon Cahoon void SwingSchedulerDAG::generateEpilog(SMSchedule &Schedule, unsigned LastStage,
2470254f889dSBrendon Cahoon                                        MachineBasicBlock *KernelBB,
2471254f889dSBrendon Cahoon                                        ValueMapTy *VRMap,
2472254f889dSBrendon Cahoon                                        MBBVectorTy &EpilogBBs,
2473254f889dSBrendon Cahoon                                        MBBVectorTy &PrologBBs) {
2474254f889dSBrendon Cahoon   // We need to change the branch from the kernel to the first epilog block, so
2475254f889dSBrendon Cahoon   // this call to analyze branch uses the kernel rather than the original BB.
2476254f889dSBrendon Cahoon   MachineBasicBlock *TBB = nullptr, *FBB = nullptr;
2477254f889dSBrendon Cahoon   SmallVector<MachineOperand, 4> Cond;
2478254f889dSBrendon Cahoon   bool checkBranch = TII->analyzeBranch(*KernelBB, TBB, FBB, Cond);
2479254f889dSBrendon Cahoon   assert(!checkBranch && "generateEpilog must be able to analyze the branch");
2480254f889dSBrendon Cahoon   if (checkBranch)
2481254f889dSBrendon Cahoon     return;
2482254f889dSBrendon Cahoon 
2483254f889dSBrendon Cahoon   MachineBasicBlock::succ_iterator LoopExitI = KernelBB->succ_begin();
2484254f889dSBrendon Cahoon   if (*LoopExitI == KernelBB)
2485254f889dSBrendon Cahoon     ++LoopExitI;
2486254f889dSBrendon Cahoon   assert(LoopExitI != KernelBB->succ_end() && "Expecting a successor");
2487254f889dSBrendon Cahoon   MachineBasicBlock *LoopExitBB = *LoopExitI;
2488254f889dSBrendon Cahoon 
2489254f889dSBrendon Cahoon   MachineBasicBlock *PredBB = KernelBB;
2490254f889dSBrendon Cahoon   MachineBasicBlock *EpilogStart = LoopExitBB;
2491254f889dSBrendon Cahoon   InstrMapTy InstrMap;
2492254f889dSBrendon Cahoon 
2493254f889dSBrendon Cahoon   // Generate a basic block for each stage, not including the last stage,
2494254f889dSBrendon Cahoon   // which was generated for the kernel.  Each basic block may contain
2495254f889dSBrendon Cahoon   // instructions from multiple stages/iterations.
2496254f889dSBrendon Cahoon   int EpilogStage = LastStage + 1;
2497254f889dSBrendon Cahoon   for (unsigned i = LastStage; i >= 1; --i, ++EpilogStage) {
2498254f889dSBrendon Cahoon     MachineBasicBlock *NewBB = MF.CreateMachineBasicBlock();
2499254f889dSBrendon Cahoon     EpilogBBs.push_back(NewBB);
2500254f889dSBrendon Cahoon     MF.insert(BB->getIterator(), NewBB);
2501254f889dSBrendon Cahoon 
2502254f889dSBrendon Cahoon     PredBB->replaceSuccessor(LoopExitBB, NewBB);
2503254f889dSBrendon Cahoon     NewBB->addSuccessor(LoopExitBB);
2504254f889dSBrendon Cahoon 
2505254f889dSBrendon Cahoon     if (EpilogStart == LoopExitBB)
2506254f889dSBrendon Cahoon       EpilogStart = NewBB;
2507254f889dSBrendon Cahoon 
2508254f889dSBrendon Cahoon     // Add instructions to the epilog depending on the current block.
2509254f889dSBrendon Cahoon     // Process instructions in original program order.
2510254f889dSBrendon Cahoon     for (unsigned StageNum = i; StageNum <= LastStage; ++StageNum) {
2511254f889dSBrendon Cahoon       for (auto &BBI : *BB) {
2512254f889dSBrendon Cahoon         if (BBI.isPHI())
2513254f889dSBrendon Cahoon           continue;
2514254f889dSBrendon Cahoon         MachineInstr *In = &BBI;
2515254f889dSBrendon Cahoon         if (Schedule.isScheduledAtStage(getSUnit(In), StageNum)) {
2516785b6cecSKrzysztof Parzyszek           // Instructions with memoperands in the epilog are updated with
2517785b6cecSKrzysztof Parzyszek           // conservative values.
2518785b6cecSKrzysztof Parzyszek           MachineInstr *NewMI = cloneInstr(In, UINT_MAX, 0);
2519254f889dSBrendon Cahoon           updateInstruction(NewMI, i == 1, EpilogStage, 0, Schedule, VRMap);
2520254f889dSBrendon Cahoon           NewBB->push_back(NewMI);
2521254f889dSBrendon Cahoon           InstrMap[NewMI] = In;
2522254f889dSBrendon Cahoon         }
2523254f889dSBrendon Cahoon       }
2524254f889dSBrendon Cahoon     }
2525254f889dSBrendon Cahoon     generateExistingPhis(NewBB, PrologBBs[i - 1], PredBB, KernelBB, Schedule,
2526254f889dSBrendon Cahoon                          VRMap, InstrMap, LastStage, EpilogStage, i == 1);
2527254f889dSBrendon Cahoon     generatePhis(NewBB, PrologBBs[i - 1], PredBB, KernelBB, Schedule, VRMap,
2528254f889dSBrendon Cahoon                  InstrMap, LastStage, EpilogStage, i == 1);
2529254f889dSBrendon Cahoon     PredBB = NewBB;
2530254f889dSBrendon Cahoon 
2531d34e60caSNicola Zaghen     LLVM_DEBUG({
2532254f889dSBrendon Cahoon       dbgs() << "epilog:\n";
2533254f889dSBrendon Cahoon       NewBB->dump();
2534254f889dSBrendon Cahoon     });
2535254f889dSBrendon Cahoon   }
2536254f889dSBrendon Cahoon 
2537254f889dSBrendon Cahoon   // Fix any Phi nodes in the loop exit block.
2538254f889dSBrendon Cahoon   for (MachineInstr &MI : *LoopExitBB) {
2539254f889dSBrendon Cahoon     if (!MI.isPHI())
2540254f889dSBrendon Cahoon       break;
2541254f889dSBrendon Cahoon     for (unsigned i = 2, e = MI.getNumOperands() + 1; i != e; i += 2) {
2542254f889dSBrendon Cahoon       MachineOperand &MO = MI.getOperand(i);
2543254f889dSBrendon Cahoon       if (MO.getMBB() == BB)
2544254f889dSBrendon Cahoon         MO.setMBB(PredBB);
2545254f889dSBrendon Cahoon     }
2546254f889dSBrendon Cahoon   }
2547254f889dSBrendon Cahoon 
2548254f889dSBrendon Cahoon   // Create a branch to the new epilog from the kernel.
2549254f889dSBrendon Cahoon   // Remove the original branch and add a new branch to the epilog.
25501b9fc8edSMatt Arsenault   TII->removeBranch(*KernelBB);
2551e8e0f5caSMatt Arsenault   TII->insertBranch(*KernelBB, KernelBB, EpilogStart, Cond, DebugLoc());
2552254f889dSBrendon Cahoon   // Add a branch to the loop exit.
2553254f889dSBrendon Cahoon   if (EpilogBBs.size() > 0) {
2554254f889dSBrendon Cahoon     MachineBasicBlock *LastEpilogBB = EpilogBBs.back();
2555254f889dSBrendon Cahoon     SmallVector<MachineOperand, 4> Cond1;
2556e8e0f5caSMatt Arsenault     TII->insertBranch(*LastEpilogBB, LoopExitBB, nullptr, Cond1, DebugLoc());
2557254f889dSBrendon Cahoon   }
2558254f889dSBrendon Cahoon }
2559254f889dSBrendon Cahoon 
2560254f889dSBrendon Cahoon /// Replace all uses of FromReg that appear outside the specified
2561254f889dSBrendon Cahoon /// basic block with ToReg.
2562254f889dSBrendon Cahoon static void replaceRegUsesAfterLoop(unsigned FromReg, unsigned ToReg,
2563254f889dSBrendon Cahoon                                     MachineBasicBlock *MBB,
2564254f889dSBrendon Cahoon                                     MachineRegisterInfo &MRI,
2565254f889dSBrendon Cahoon                                     LiveIntervals &LIS) {
2566254f889dSBrendon Cahoon   for (MachineRegisterInfo::use_iterator I = MRI.use_begin(FromReg),
2567254f889dSBrendon Cahoon                                          E = MRI.use_end();
2568254f889dSBrendon Cahoon        I != E;) {
2569254f889dSBrendon Cahoon     MachineOperand &O = *I;
2570254f889dSBrendon Cahoon     ++I;
2571254f889dSBrendon Cahoon     if (O.getParent()->getParent() != MBB)
2572254f889dSBrendon Cahoon       O.setReg(ToReg);
2573254f889dSBrendon Cahoon   }
2574254f889dSBrendon Cahoon   if (!LIS.hasInterval(ToReg))
2575254f889dSBrendon Cahoon     LIS.createEmptyInterval(ToReg);
2576254f889dSBrendon Cahoon }
2577254f889dSBrendon Cahoon 
2578254f889dSBrendon Cahoon /// Return true if the register has a use that occurs outside the
2579254f889dSBrendon Cahoon /// specified loop.
2580254f889dSBrendon Cahoon static bool hasUseAfterLoop(unsigned Reg, MachineBasicBlock *BB,
2581254f889dSBrendon Cahoon                             MachineRegisterInfo &MRI) {
2582254f889dSBrendon Cahoon   for (MachineRegisterInfo::use_iterator I = MRI.use_begin(Reg),
2583254f889dSBrendon Cahoon                                          E = MRI.use_end();
2584254f889dSBrendon Cahoon        I != E; ++I)
2585254f889dSBrendon Cahoon     if (I->getParent()->getParent() != BB)
2586254f889dSBrendon Cahoon       return true;
2587254f889dSBrendon Cahoon   return false;
2588254f889dSBrendon Cahoon }
2589254f889dSBrendon Cahoon 
2590254f889dSBrendon Cahoon /// Generate Phis for the specific block in the generated pipelined code.
2591254f889dSBrendon Cahoon /// This function looks at the Phis from the original code to guide the
2592254f889dSBrendon Cahoon /// creation of new Phis.
2593254f889dSBrendon Cahoon void SwingSchedulerDAG::generateExistingPhis(
2594254f889dSBrendon Cahoon     MachineBasicBlock *NewBB, MachineBasicBlock *BB1, MachineBasicBlock *BB2,
2595254f889dSBrendon Cahoon     MachineBasicBlock *KernelBB, SMSchedule &Schedule, ValueMapTy *VRMap,
2596254f889dSBrendon Cahoon     InstrMapTy &InstrMap, unsigned LastStageNum, unsigned CurStageNum,
2597254f889dSBrendon Cahoon     bool IsLast) {
25986bdc7555SSimon Pilgrim   // Compute the stage number for the initial value of the Phi, which
2599254f889dSBrendon Cahoon   // comes from the prolog. The prolog to use depends on to which kernel/
2600254f889dSBrendon Cahoon   // epilog that we're adding the Phi.
2601254f889dSBrendon Cahoon   unsigned PrologStage = 0;
2602254f889dSBrendon Cahoon   unsigned PrevStage = 0;
2603254f889dSBrendon Cahoon   bool InKernel = (LastStageNum == CurStageNum);
2604254f889dSBrendon Cahoon   if (InKernel) {
2605254f889dSBrendon Cahoon     PrologStage = LastStageNum - 1;
2606254f889dSBrendon Cahoon     PrevStage = CurStageNum;
2607254f889dSBrendon Cahoon   } else {
2608254f889dSBrendon Cahoon     PrologStage = LastStageNum - (CurStageNum - LastStageNum);
2609254f889dSBrendon Cahoon     PrevStage = LastStageNum + (CurStageNum - LastStageNum) - 1;
2610254f889dSBrendon Cahoon   }
2611254f889dSBrendon Cahoon 
2612254f889dSBrendon Cahoon   for (MachineBasicBlock::iterator BBI = BB->instr_begin(),
2613254f889dSBrendon Cahoon                                    BBE = BB->getFirstNonPHI();
2614254f889dSBrendon Cahoon        BBI != BBE; ++BBI) {
2615254f889dSBrendon Cahoon     unsigned Def = BBI->getOperand(0).getReg();
2616254f889dSBrendon Cahoon 
2617254f889dSBrendon Cahoon     unsigned InitVal = 0;
2618254f889dSBrendon Cahoon     unsigned LoopVal = 0;
2619254f889dSBrendon Cahoon     getPhiRegs(*BBI, BB, InitVal, LoopVal);
2620254f889dSBrendon Cahoon 
2621254f889dSBrendon Cahoon     unsigned PhiOp1 = 0;
2622254f889dSBrendon Cahoon     // The Phi value from the loop body typically is defined in the loop, but
2623254f889dSBrendon Cahoon     // not always. So, we need to check if the value is defined in the loop.
2624254f889dSBrendon Cahoon     unsigned PhiOp2 = LoopVal;
2625254f889dSBrendon Cahoon     if (VRMap[LastStageNum].count(LoopVal))
2626254f889dSBrendon Cahoon       PhiOp2 = VRMap[LastStageNum][LoopVal];
2627254f889dSBrendon Cahoon 
2628254f889dSBrendon Cahoon     int StageScheduled = Schedule.stageScheduled(getSUnit(&*BBI));
2629254f889dSBrendon Cahoon     int LoopValStage =
2630254f889dSBrendon Cahoon         Schedule.stageScheduled(getSUnit(MRI.getVRegDef(LoopVal)));
2631254f889dSBrendon Cahoon     unsigned NumStages = Schedule.getStagesForReg(Def, CurStageNum);
2632254f889dSBrendon Cahoon     if (NumStages == 0) {
2633254f889dSBrendon Cahoon       // We don't need to generate a Phi anymore, but we need to rename any uses
2634254f889dSBrendon Cahoon       // of the Phi value.
2635254f889dSBrendon Cahoon       unsigned NewReg = VRMap[PrevStage][LoopVal];
2636254f889dSBrendon Cahoon       rewriteScheduledInstr(NewBB, Schedule, InstrMap, CurStageNum, 0, &*BBI,
263716e66f59SKrzysztof Parzyszek                             Def, InitVal, NewReg);
2638254f889dSBrendon Cahoon       if (VRMap[CurStageNum].count(LoopVal))
2639254f889dSBrendon Cahoon         VRMap[CurStageNum][Def] = VRMap[CurStageNum][LoopVal];
2640254f889dSBrendon Cahoon     }
2641254f889dSBrendon Cahoon     // Adjust the number of Phis needed depending on the number of prologs left,
26423f72a6b7SKrzysztof Parzyszek     // and the distance from where the Phi is first scheduled. The number of
26433f72a6b7SKrzysztof Parzyszek     // Phis cannot exceed the number of prolog stages. Each stage can
26443f72a6b7SKrzysztof Parzyszek     // potentially define two values.
26453f72a6b7SKrzysztof Parzyszek     unsigned MaxPhis = PrologStage + 2;
26463f72a6b7SKrzysztof Parzyszek     if (!InKernel && (int)PrologStage <= LoopValStage)
26473f72a6b7SKrzysztof Parzyszek       MaxPhis = std::max((int)MaxPhis - (int)LoopValStage, 1);
26483f72a6b7SKrzysztof Parzyszek     unsigned NumPhis = std::min(NumStages, MaxPhis);
2649254f889dSBrendon Cahoon 
2650254f889dSBrendon Cahoon     unsigned NewReg = 0;
2651254f889dSBrendon Cahoon     unsigned AccessStage = (LoopValStage != -1) ? LoopValStage : StageScheduled;
2652254f889dSBrendon Cahoon     // In the epilog, we may need to look back one stage to get the correct
2653254f889dSBrendon Cahoon     // Phi name because the epilog and prolog blocks execute the same stage.
2654254f889dSBrendon Cahoon     // The correct name is from the previous block only when the Phi has
2655254f889dSBrendon Cahoon     // been completely scheduled prior to the epilog, and Phi value is not
2656254f889dSBrendon Cahoon     // needed in multiple stages.
2657254f889dSBrendon Cahoon     int StageDiff = 0;
2658254f889dSBrendon Cahoon     if (!InKernel && StageScheduled >= LoopValStage && AccessStage == 0 &&
2659254f889dSBrendon Cahoon         NumPhis == 1)
2660254f889dSBrendon Cahoon       StageDiff = 1;
2661254f889dSBrendon Cahoon     // Adjust the computations below when the phi and the loop definition
2662254f889dSBrendon Cahoon     // are scheduled in different stages.
2663254f889dSBrendon Cahoon     if (InKernel && LoopValStage != -1 && StageScheduled > LoopValStage)
2664254f889dSBrendon Cahoon       StageDiff = StageScheduled - LoopValStage;
2665254f889dSBrendon Cahoon     for (unsigned np = 0; np < NumPhis; ++np) {
2666254f889dSBrendon Cahoon       // If the Phi hasn't been scheduled, then use the initial Phi operand
2667254f889dSBrendon Cahoon       // value. Otherwise, use the scheduled version of the instruction. This
2668254f889dSBrendon Cahoon       // is a little complicated when a Phi references another Phi.
2669254f889dSBrendon Cahoon       if (np > PrologStage || StageScheduled >= (int)LastStageNum)
2670254f889dSBrendon Cahoon         PhiOp1 = InitVal;
2671254f889dSBrendon Cahoon       // Check if the Phi has already been scheduled in a prolog stage.
2672254f889dSBrendon Cahoon       else if (PrologStage >= AccessStage + StageDiff + np &&
2673254f889dSBrendon Cahoon                VRMap[PrologStage - StageDiff - np].count(LoopVal) != 0)
2674254f889dSBrendon Cahoon         PhiOp1 = VRMap[PrologStage - StageDiff - np][LoopVal];
2675254f889dSBrendon Cahoon       // Check if the Phi has already been scheduled, but the loop intruction
2676254f889dSBrendon Cahoon       // is either another Phi, or doesn't occur in the loop.
2677254f889dSBrendon Cahoon       else if (PrologStage >= AccessStage + StageDiff + np) {
2678254f889dSBrendon Cahoon         // If the Phi references another Phi, we need to examine the other
2679254f889dSBrendon Cahoon         // Phi to get the correct value.
2680254f889dSBrendon Cahoon         PhiOp1 = LoopVal;
2681254f889dSBrendon Cahoon         MachineInstr *InstOp1 = MRI.getVRegDef(PhiOp1);
2682254f889dSBrendon Cahoon         int Indirects = 1;
2683254f889dSBrendon Cahoon         while (InstOp1 && InstOp1->isPHI() && InstOp1->getParent() == BB) {
2684254f889dSBrendon Cahoon           int PhiStage = Schedule.stageScheduled(getSUnit(InstOp1));
2685254f889dSBrendon Cahoon           if ((int)(PrologStage - StageDiff - np) < PhiStage + Indirects)
2686254f889dSBrendon Cahoon             PhiOp1 = getInitPhiReg(*InstOp1, BB);
2687254f889dSBrendon Cahoon           else
2688254f889dSBrendon Cahoon             PhiOp1 = getLoopPhiReg(*InstOp1, BB);
2689254f889dSBrendon Cahoon           InstOp1 = MRI.getVRegDef(PhiOp1);
2690254f889dSBrendon Cahoon           int PhiOpStage = Schedule.stageScheduled(getSUnit(InstOp1));
2691254f889dSBrendon Cahoon           int StageAdj = (PhiOpStage != -1 ? PhiStage - PhiOpStage : 0);
2692254f889dSBrendon Cahoon           if (PhiOpStage != -1 && PrologStage - StageAdj >= Indirects + np &&
2693254f889dSBrendon Cahoon               VRMap[PrologStage - StageAdj - Indirects - np].count(PhiOp1)) {
2694254f889dSBrendon Cahoon             PhiOp1 = VRMap[PrologStage - StageAdj - Indirects - np][PhiOp1];
2695254f889dSBrendon Cahoon             break;
2696254f889dSBrendon Cahoon           }
2697254f889dSBrendon Cahoon           ++Indirects;
2698254f889dSBrendon Cahoon         }
2699254f889dSBrendon Cahoon       } else
2700254f889dSBrendon Cahoon         PhiOp1 = InitVal;
2701254f889dSBrendon Cahoon       // If this references a generated Phi in the kernel, get the Phi operand
2702254f889dSBrendon Cahoon       // from the incoming block.
2703254f889dSBrendon Cahoon       if (MachineInstr *InstOp1 = MRI.getVRegDef(PhiOp1))
2704254f889dSBrendon Cahoon         if (InstOp1->isPHI() && InstOp1->getParent() == KernelBB)
2705254f889dSBrendon Cahoon           PhiOp1 = getInitPhiReg(*InstOp1, KernelBB);
2706254f889dSBrendon Cahoon 
2707254f889dSBrendon Cahoon       MachineInstr *PhiInst = MRI.getVRegDef(LoopVal);
2708254f889dSBrendon Cahoon       bool LoopDefIsPhi = PhiInst && PhiInst->isPHI();
2709254f889dSBrendon Cahoon       // In the epilog, a map lookup is needed to get the value from the kernel,
2710254f889dSBrendon Cahoon       // or previous epilog block. How is does this depends on if the
2711254f889dSBrendon Cahoon       // instruction is scheduled in the previous block.
2712254f889dSBrendon Cahoon       if (!InKernel) {
2713254f889dSBrendon Cahoon         int StageDiffAdj = 0;
2714254f889dSBrendon Cahoon         if (LoopValStage != -1 && StageScheduled > LoopValStage)
2715254f889dSBrendon Cahoon           StageDiffAdj = StageScheduled - LoopValStage;
2716254f889dSBrendon Cahoon         // Use the loop value defined in the kernel, unless the kernel
2717254f889dSBrendon Cahoon         // contains the last definition of the Phi.
2718254f889dSBrendon Cahoon         if (np == 0 && PrevStage == LastStageNum &&
2719254f889dSBrendon Cahoon             (StageScheduled != 0 || LoopValStage != 0) &&
2720254f889dSBrendon Cahoon             VRMap[PrevStage - StageDiffAdj].count(LoopVal))
2721254f889dSBrendon Cahoon           PhiOp2 = VRMap[PrevStage - StageDiffAdj][LoopVal];
2722254f889dSBrendon Cahoon         // Use the value defined by the Phi. We add one because we switch
2723254f889dSBrendon Cahoon         // from looking at the loop value to the Phi definition.
2724254f889dSBrendon Cahoon         else if (np > 0 && PrevStage == LastStageNum &&
2725254f889dSBrendon Cahoon                  VRMap[PrevStage - np + 1].count(Def))
2726254f889dSBrendon Cahoon           PhiOp2 = VRMap[PrevStage - np + 1][Def];
2727254f889dSBrendon Cahoon         // Use the loop value defined in the kernel.
2728254f889dSBrendon Cahoon         else if ((unsigned)LoopValStage + StageDiffAdj > PrologStage + 1 &&
2729254f889dSBrendon Cahoon                  VRMap[PrevStage - StageDiffAdj - np].count(LoopVal))
2730254f889dSBrendon Cahoon           PhiOp2 = VRMap[PrevStage - StageDiffAdj - np][LoopVal];
2731254f889dSBrendon Cahoon         // Use the value defined by the Phi, unless we're generating the first
2732254f889dSBrendon Cahoon         // epilog and the Phi refers to a Phi in a different stage.
2733254f889dSBrendon Cahoon         else if (VRMap[PrevStage - np].count(Def) &&
2734254f889dSBrendon Cahoon                  (!LoopDefIsPhi || PrevStage != LastStageNum))
2735254f889dSBrendon Cahoon           PhiOp2 = VRMap[PrevStage - np][Def];
2736254f889dSBrendon Cahoon       }
2737254f889dSBrendon Cahoon 
2738254f889dSBrendon Cahoon       // Check if we can reuse an existing Phi. This occurs when a Phi
2739254f889dSBrendon Cahoon       // references another Phi, and the other Phi is scheduled in an
2740254f889dSBrendon Cahoon       // earlier stage. We can try to reuse an existing Phi up until the last
2741254f889dSBrendon Cahoon       // stage of the current Phi.
274255cb4986SKrzysztof Parzyszek       if (LoopDefIsPhi && (int)(PrologStage - np) >= StageScheduled) {
2743254f889dSBrendon Cahoon         int LVNumStages = Schedule.getStagesForPhi(LoopVal);
2744254f889dSBrendon Cahoon         int StageDiff = (StageScheduled - LoopValStage);
2745254f889dSBrendon Cahoon         LVNumStages -= StageDiff;
27463a0a15afSKrzysztof Parzyszek         // Make sure the loop value Phi has been processed already.
27473a0a15afSKrzysztof Parzyszek         if (LVNumStages > (int)np && VRMap[CurStageNum].count(LoopVal)) {
2748254f889dSBrendon Cahoon           NewReg = PhiOp2;
2749254f889dSBrendon Cahoon           unsigned ReuseStage = CurStageNum;
2750254f889dSBrendon Cahoon           if (Schedule.isLoopCarried(this, *PhiInst))
2751254f889dSBrendon Cahoon             ReuseStage -= LVNumStages;
2752254f889dSBrendon Cahoon           // Check if the Phi to reuse has been generated yet. If not, then
2753254f889dSBrendon Cahoon           // there is nothing to reuse.
275455cb4986SKrzysztof Parzyszek           if (VRMap[ReuseStage - np].count(LoopVal)) {
275555cb4986SKrzysztof Parzyszek             NewReg = VRMap[ReuseStage - np][LoopVal];
2756254f889dSBrendon Cahoon 
2757254f889dSBrendon Cahoon             rewriteScheduledInstr(NewBB, Schedule, InstrMap, CurStageNum, np,
2758254f889dSBrendon Cahoon                                   &*BBI, Def, NewReg);
2759254f889dSBrendon Cahoon             // Update the map with the new Phi name.
2760254f889dSBrendon Cahoon             VRMap[CurStageNum - np][Def] = NewReg;
2761254f889dSBrendon Cahoon             PhiOp2 = NewReg;
2762254f889dSBrendon Cahoon             if (VRMap[LastStageNum - np - 1].count(LoopVal))
2763254f889dSBrendon Cahoon               PhiOp2 = VRMap[LastStageNum - np - 1][LoopVal];
2764254f889dSBrendon Cahoon 
2765254f889dSBrendon Cahoon             if (IsLast && np == NumPhis - 1)
2766254f889dSBrendon Cahoon               replaceRegUsesAfterLoop(Def, NewReg, BB, MRI, LIS);
2767254f889dSBrendon Cahoon             continue;
2768254f889dSBrendon Cahoon           }
2769df24da22SKrzysztof Parzyszek         } else if (InKernel && StageDiff > 0 &&
2770254f889dSBrendon Cahoon                    VRMap[CurStageNum - StageDiff - np].count(LoopVal))
2771254f889dSBrendon Cahoon           PhiOp2 = VRMap[CurStageNum - StageDiff - np][LoopVal];
2772254f889dSBrendon Cahoon       }
2773254f889dSBrendon Cahoon 
2774254f889dSBrendon Cahoon       const TargetRegisterClass *RC = MRI.getRegClass(Def);
2775254f889dSBrendon Cahoon       NewReg = MRI.createVirtualRegister(RC);
2776254f889dSBrendon Cahoon 
2777254f889dSBrendon Cahoon       MachineInstrBuilder NewPhi =
2778254f889dSBrendon Cahoon           BuildMI(*NewBB, NewBB->getFirstNonPHI(), DebugLoc(),
2779254f889dSBrendon Cahoon                   TII->get(TargetOpcode::PHI), NewReg);
2780254f889dSBrendon Cahoon       NewPhi.addReg(PhiOp1).addMBB(BB1);
2781254f889dSBrendon Cahoon       NewPhi.addReg(PhiOp2).addMBB(BB2);
2782254f889dSBrendon Cahoon       if (np == 0)
2783254f889dSBrendon Cahoon         InstrMap[NewPhi] = &*BBI;
2784254f889dSBrendon Cahoon 
2785254f889dSBrendon Cahoon       // We define the Phis after creating the new pipelined code, so
2786254f889dSBrendon Cahoon       // we need to rename the Phi values in scheduled instructions.
2787254f889dSBrendon Cahoon 
2788254f889dSBrendon Cahoon       unsigned PrevReg = 0;
2789254f889dSBrendon Cahoon       if (InKernel && VRMap[PrevStage - np].count(LoopVal))
2790254f889dSBrendon Cahoon         PrevReg = VRMap[PrevStage - np][LoopVal];
2791254f889dSBrendon Cahoon       rewriteScheduledInstr(NewBB, Schedule, InstrMap, CurStageNum, np, &*BBI,
2792254f889dSBrendon Cahoon                             Def, NewReg, PrevReg);
2793254f889dSBrendon Cahoon       // If the Phi has been scheduled, use the new name for rewriting.
2794254f889dSBrendon Cahoon       if (VRMap[CurStageNum - np].count(Def)) {
2795254f889dSBrendon Cahoon         unsigned R = VRMap[CurStageNum - np][Def];
2796254f889dSBrendon Cahoon         rewriteScheduledInstr(NewBB, Schedule, InstrMap, CurStageNum, np, &*BBI,
2797254f889dSBrendon Cahoon                               R, NewReg);
2798254f889dSBrendon Cahoon       }
2799254f889dSBrendon Cahoon 
2800254f889dSBrendon Cahoon       // Check if we need to rename any uses that occurs after the loop. The
2801254f889dSBrendon Cahoon       // register to replace depends on whether the Phi is scheduled in the
2802254f889dSBrendon Cahoon       // epilog.
2803254f889dSBrendon Cahoon       if (IsLast && np == NumPhis - 1)
2804254f889dSBrendon Cahoon         replaceRegUsesAfterLoop(Def, NewReg, BB, MRI, LIS);
2805254f889dSBrendon Cahoon 
2806254f889dSBrendon Cahoon       // In the kernel, a dependent Phi uses the value from this Phi.
2807254f889dSBrendon Cahoon       if (InKernel)
2808254f889dSBrendon Cahoon         PhiOp2 = NewReg;
2809254f889dSBrendon Cahoon 
2810254f889dSBrendon Cahoon       // Update the map with the new Phi name.
2811254f889dSBrendon Cahoon       VRMap[CurStageNum - np][Def] = NewReg;
2812254f889dSBrendon Cahoon     }
2813254f889dSBrendon Cahoon 
2814254f889dSBrendon Cahoon     while (NumPhis++ < NumStages) {
2815254f889dSBrendon Cahoon       rewriteScheduledInstr(NewBB, Schedule, InstrMap, CurStageNum, NumPhis,
2816254f889dSBrendon Cahoon                             &*BBI, Def, NewReg, 0);
2817254f889dSBrendon Cahoon     }
2818254f889dSBrendon Cahoon 
2819254f889dSBrendon Cahoon     // Check if we need to rename a Phi that has been eliminated due to
2820254f889dSBrendon Cahoon     // scheduling.
2821254f889dSBrendon Cahoon     if (NumStages == 0 && IsLast && VRMap[CurStageNum].count(LoopVal))
2822254f889dSBrendon Cahoon       replaceRegUsesAfterLoop(Def, VRMap[CurStageNum][LoopVal], BB, MRI, LIS);
2823254f889dSBrendon Cahoon   }
2824254f889dSBrendon Cahoon }
2825254f889dSBrendon Cahoon 
2826254f889dSBrendon Cahoon /// Generate Phis for the specified block in the generated pipelined code.
2827254f889dSBrendon Cahoon /// These are new Phis needed because the definition is scheduled after the
2828c73b6d6bSHiroshi Inoue /// use in the pipelined sequence.
2829254f889dSBrendon Cahoon void SwingSchedulerDAG::generatePhis(
2830254f889dSBrendon Cahoon     MachineBasicBlock *NewBB, MachineBasicBlock *BB1, MachineBasicBlock *BB2,
2831254f889dSBrendon Cahoon     MachineBasicBlock *KernelBB, SMSchedule &Schedule, ValueMapTy *VRMap,
2832254f889dSBrendon Cahoon     InstrMapTy &InstrMap, unsigned LastStageNum, unsigned CurStageNum,
2833254f889dSBrendon Cahoon     bool IsLast) {
2834254f889dSBrendon Cahoon   // Compute the stage number that contains the initial Phi value, and
2835254f889dSBrendon Cahoon   // the Phi from the previous stage.
2836254f889dSBrendon Cahoon   unsigned PrologStage = 0;
2837254f889dSBrendon Cahoon   unsigned PrevStage = 0;
2838254f889dSBrendon Cahoon   unsigned StageDiff = CurStageNum - LastStageNum;
2839254f889dSBrendon Cahoon   bool InKernel = (StageDiff == 0);
2840254f889dSBrendon Cahoon   if (InKernel) {
2841254f889dSBrendon Cahoon     PrologStage = LastStageNum - 1;
2842254f889dSBrendon Cahoon     PrevStage = CurStageNum;
2843254f889dSBrendon Cahoon   } else {
2844254f889dSBrendon Cahoon     PrologStage = LastStageNum - StageDiff;
2845254f889dSBrendon Cahoon     PrevStage = LastStageNum + StageDiff - 1;
2846254f889dSBrendon Cahoon   }
2847254f889dSBrendon Cahoon 
2848254f889dSBrendon Cahoon   for (MachineBasicBlock::iterator BBI = BB->getFirstNonPHI(),
2849254f889dSBrendon Cahoon                                    BBE = BB->instr_end();
2850254f889dSBrendon Cahoon        BBI != BBE; ++BBI) {
2851254f889dSBrendon Cahoon     for (unsigned i = 0, e = BBI->getNumOperands(); i != e; ++i) {
2852254f889dSBrendon Cahoon       MachineOperand &MO = BBI->getOperand(i);
2853254f889dSBrendon Cahoon       if (!MO.isReg() || !MO.isDef() ||
2854254f889dSBrendon Cahoon           !TargetRegisterInfo::isVirtualRegister(MO.getReg()))
2855254f889dSBrendon Cahoon         continue;
2856254f889dSBrendon Cahoon 
2857254f889dSBrendon Cahoon       int StageScheduled = Schedule.stageScheduled(getSUnit(&*BBI));
2858254f889dSBrendon Cahoon       assert(StageScheduled != -1 && "Expecting scheduled instruction.");
2859254f889dSBrendon Cahoon       unsigned Def = MO.getReg();
2860254f889dSBrendon Cahoon       unsigned NumPhis = Schedule.getStagesForReg(Def, CurStageNum);
2861254f889dSBrendon Cahoon       // An instruction scheduled in stage 0 and is used after the loop
2862254f889dSBrendon Cahoon       // requires a phi in the epilog for the last definition from either
2863254f889dSBrendon Cahoon       // the kernel or prolog.
2864254f889dSBrendon Cahoon       if (!InKernel && NumPhis == 0 && StageScheduled == 0 &&
2865254f889dSBrendon Cahoon           hasUseAfterLoop(Def, BB, MRI))
2866254f889dSBrendon Cahoon         NumPhis = 1;
2867254f889dSBrendon Cahoon       if (!InKernel && (unsigned)StageScheduled > PrologStage)
2868254f889dSBrendon Cahoon         continue;
2869254f889dSBrendon Cahoon 
2870254f889dSBrendon Cahoon       unsigned PhiOp2 = VRMap[PrevStage][Def];
2871254f889dSBrendon Cahoon       if (MachineInstr *InstOp2 = MRI.getVRegDef(PhiOp2))
2872254f889dSBrendon Cahoon         if (InstOp2->isPHI() && InstOp2->getParent() == NewBB)
2873254f889dSBrendon Cahoon           PhiOp2 = getLoopPhiReg(*InstOp2, BB2);
2874254f889dSBrendon Cahoon       // The number of Phis can't exceed the number of prolog stages. The
2875254f889dSBrendon Cahoon       // prolog stage number is zero based.
2876254f889dSBrendon Cahoon       if (NumPhis > PrologStage + 1 - StageScheduled)
2877254f889dSBrendon Cahoon         NumPhis = PrologStage + 1 - StageScheduled;
2878254f889dSBrendon Cahoon       for (unsigned np = 0; np < NumPhis; ++np) {
2879254f889dSBrendon Cahoon         unsigned PhiOp1 = VRMap[PrologStage][Def];
2880254f889dSBrendon Cahoon         if (np <= PrologStage)
2881254f889dSBrendon Cahoon           PhiOp1 = VRMap[PrologStage - np][Def];
2882254f889dSBrendon Cahoon         if (MachineInstr *InstOp1 = MRI.getVRegDef(PhiOp1)) {
2883254f889dSBrendon Cahoon           if (InstOp1->isPHI() && InstOp1->getParent() == KernelBB)
2884254f889dSBrendon Cahoon             PhiOp1 = getInitPhiReg(*InstOp1, KernelBB);
2885254f889dSBrendon Cahoon           if (InstOp1->isPHI() && InstOp1->getParent() == NewBB)
2886254f889dSBrendon Cahoon             PhiOp1 = getInitPhiReg(*InstOp1, NewBB);
2887254f889dSBrendon Cahoon         }
2888254f889dSBrendon Cahoon         if (!InKernel)
2889254f889dSBrendon Cahoon           PhiOp2 = VRMap[PrevStage - np][Def];
2890254f889dSBrendon Cahoon 
2891254f889dSBrendon Cahoon         const TargetRegisterClass *RC = MRI.getRegClass(Def);
2892254f889dSBrendon Cahoon         unsigned NewReg = MRI.createVirtualRegister(RC);
2893254f889dSBrendon Cahoon 
2894254f889dSBrendon Cahoon         MachineInstrBuilder NewPhi =
2895254f889dSBrendon Cahoon             BuildMI(*NewBB, NewBB->getFirstNonPHI(), DebugLoc(),
2896254f889dSBrendon Cahoon                     TII->get(TargetOpcode::PHI), NewReg);
2897254f889dSBrendon Cahoon         NewPhi.addReg(PhiOp1).addMBB(BB1);
2898254f889dSBrendon Cahoon         NewPhi.addReg(PhiOp2).addMBB(BB2);
2899254f889dSBrendon Cahoon         if (np == 0)
2900254f889dSBrendon Cahoon           InstrMap[NewPhi] = &*BBI;
2901254f889dSBrendon Cahoon 
2902254f889dSBrendon Cahoon         // Rewrite uses and update the map. The actions depend upon whether
2903254f889dSBrendon Cahoon         // we generating code for the kernel or epilog blocks.
2904254f889dSBrendon Cahoon         if (InKernel) {
2905254f889dSBrendon Cahoon           rewriteScheduledInstr(NewBB, Schedule, InstrMap, CurStageNum, np,
2906254f889dSBrendon Cahoon                                 &*BBI, PhiOp1, NewReg);
2907254f889dSBrendon Cahoon           rewriteScheduledInstr(NewBB, Schedule, InstrMap, CurStageNum, np,
2908254f889dSBrendon Cahoon                                 &*BBI, PhiOp2, NewReg);
2909254f889dSBrendon Cahoon 
2910254f889dSBrendon Cahoon           PhiOp2 = NewReg;
2911254f889dSBrendon Cahoon           VRMap[PrevStage - np - 1][Def] = NewReg;
2912254f889dSBrendon Cahoon         } else {
2913254f889dSBrendon Cahoon           VRMap[CurStageNum - np][Def] = NewReg;
2914254f889dSBrendon Cahoon           if (np == NumPhis - 1)
2915254f889dSBrendon Cahoon             rewriteScheduledInstr(NewBB, Schedule, InstrMap, CurStageNum, np,
2916254f889dSBrendon Cahoon                                   &*BBI, Def, NewReg);
2917254f889dSBrendon Cahoon         }
2918254f889dSBrendon Cahoon         if (IsLast && np == NumPhis - 1)
2919254f889dSBrendon Cahoon           replaceRegUsesAfterLoop(Def, NewReg, BB, MRI, LIS);
2920254f889dSBrendon Cahoon       }
2921254f889dSBrendon Cahoon     }
2922254f889dSBrendon Cahoon   }
2923254f889dSBrendon Cahoon }
2924254f889dSBrendon Cahoon 
2925254f889dSBrendon Cahoon /// Remove instructions that generate values with no uses.
2926254f889dSBrendon Cahoon /// Typically, these are induction variable operations that generate values
2927254f889dSBrendon Cahoon /// used in the loop itself.  A dead instruction has a definition with
2928254f889dSBrendon Cahoon /// no uses, or uses that occur in the original loop only.
2929254f889dSBrendon Cahoon void SwingSchedulerDAG::removeDeadInstructions(MachineBasicBlock *KernelBB,
2930254f889dSBrendon Cahoon                                                MBBVectorTy &EpilogBBs) {
2931254f889dSBrendon Cahoon   // For each epilog block, check that the value defined by each instruction
2932254f889dSBrendon Cahoon   // is used.  If not, delete it.
2933254f889dSBrendon Cahoon   for (MBBVectorTy::reverse_iterator MBB = EpilogBBs.rbegin(),
2934254f889dSBrendon Cahoon                                      MBE = EpilogBBs.rend();
2935254f889dSBrendon Cahoon        MBB != MBE; ++MBB)
2936254f889dSBrendon Cahoon     for (MachineBasicBlock::reverse_instr_iterator MI = (*MBB)->instr_rbegin(),
2937254f889dSBrendon Cahoon                                                    ME = (*MBB)->instr_rend();
2938254f889dSBrendon Cahoon          MI != ME;) {
2939254f889dSBrendon Cahoon       // From DeadMachineInstructionElem. Don't delete inline assembly.
2940254f889dSBrendon Cahoon       if (MI->isInlineAsm()) {
2941254f889dSBrendon Cahoon         ++MI;
2942254f889dSBrendon Cahoon         continue;
2943254f889dSBrendon Cahoon       }
2944254f889dSBrendon Cahoon       bool SawStore = false;
2945254f889dSBrendon Cahoon       // Check if it's safe to remove the instruction due to side effects.
2946254f889dSBrendon Cahoon       // We can, and want to, remove Phis here.
2947254f889dSBrendon Cahoon       if (!MI->isSafeToMove(nullptr, SawStore) && !MI->isPHI()) {
2948254f889dSBrendon Cahoon         ++MI;
2949254f889dSBrendon Cahoon         continue;
2950254f889dSBrendon Cahoon       }
2951254f889dSBrendon Cahoon       bool used = true;
2952254f889dSBrendon Cahoon       for (MachineInstr::mop_iterator MOI = MI->operands_begin(),
2953254f889dSBrendon Cahoon                                       MOE = MI->operands_end();
2954254f889dSBrendon Cahoon            MOI != MOE; ++MOI) {
2955254f889dSBrendon Cahoon         if (!MOI->isReg() || !MOI->isDef())
2956254f889dSBrendon Cahoon           continue;
2957254f889dSBrendon Cahoon         unsigned reg = MOI->getReg();
2958b9b75b8cSKrzysztof Parzyszek         // Assume physical registers are used, unless they are marked dead.
2959b9b75b8cSKrzysztof Parzyszek         if (TargetRegisterInfo::isPhysicalRegister(reg)) {
2960b9b75b8cSKrzysztof Parzyszek           used = !MOI->isDead();
2961b9b75b8cSKrzysztof Parzyszek           if (used)
2962b9b75b8cSKrzysztof Parzyszek             break;
2963b9b75b8cSKrzysztof Parzyszek           continue;
2964b9b75b8cSKrzysztof Parzyszek         }
2965254f889dSBrendon Cahoon         unsigned realUses = 0;
2966254f889dSBrendon Cahoon         for (MachineRegisterInfo::use_iterator UI = MRI.use_begin(reg),
2967254f889dSBrendon Cahoon                                                EI = MRI.use_end();
2968254f889dSBrendon Cahoon              UI != EI; ++UI) {
2969254f889dSBrendon Cahoon           // Check if there are any uses that occur only in the original
2970254f889dSBrendon Cahoon           // loop.  If so, that's not a real use.
2971254f889dSBrendon Cahoon           if (UI->getParent()->getParent() != BB) {
2972254f889dSBrendon Cahoon             realUses++;
2973254f889dSBrendon Cahoon             used = true;
2974254f889dSBrendon Cahoon             break;
2975254f889dSBrendon Cahoon           }
2976254f889dSBrendon Cahoon         }
2977254f889dSBrendon Cahoon         if (realUses > 0)
2978254f889dSBrendon Cahoon           break;
2979254f889dSBrendon Cahoon         used = false;
2980254f889dSBrendon Cahoon       }
2981254f889dSBrendon Cahoon       if (!used) {
2982c715a5d2SKrzysztof Parzyszek         LIS.RemoveMachineInstrFromMaps(*MI);
29835c001c36SDuncan P. N. Exon Smith         MI++->eraseFromParent();
2984254f889dSBrendon Cahoon         continue;
2985254f889dSBrendon Cahoon       }
2986254f889dSBrendon Cahoon       ++MI;
2987254f889dSBrendon Cahoon     }
2988254f889dSBrendon Cahoon   // In the kernel block, check if we can remove a Phi that generates a value
2989254f889dSBrendon Cahoon   // used in an instruction removed in the epilog block.
2990254f889dSBrendon Cahoon   for (MachineBasicBlock::iterator BBI = KernelBB->instr_begin(),
2991254f889dSBrendon Cahoon                                    BBE = KernelBB->getFirstNonPHI();
2992254f889dSBrendon Cahoon        BBI != BBE;) {
2993254f889dSBrendon Cahoon     MachineInstr *MI = &*BBI;
2994254f889dSBrendon Cahoon     ++BBI;
2995254f889dSBrendon Cahoon     unsigned reg = MI->getOperand(0).getReg();
2996254f889dSBrendon Cahoon     if (MRI.use_begin(reg) == MRI.use_end()) {
2997c715a5d2SKrzysztof Parzyszek       LIS.RemoveMachineInstrFromMaps(*MI);
2998254f889dSBrendon Cahoon       MI->eraseFromParent();
2999254f889dSBrendon Cahoon     }
3000254f889dSBrendon Cahoon   }
3001254f889dSBrendon Cahoon }
3002254f889dSBrendon Cahoon 
3003254f889dSBrendon Cahoon /// For loop carried definitions, we split the lifetime of a virtual register
3004254f889dSBrendon Cahoon /// that has uses past the definition in the next iteration. A copy with a new
3005254f889dSBrendon Cahoon /// virtual register is inserted before the definition, which helps with
3006254f889dSBrendon Cahoon /// generating a better register assignment.
3007254f889dSBrendon Cahoon ///
3008254f889dSBrendon Cahoon ///   v1 = phi(a, v2)     v1 = phi(a, v2)
3009254f889dSBrendon Cahoon ///   v2 = phi(b, v3)     v2 = phi(b, v3)
3010254f889dSBrendon Cahoon ///   v3 = ..             v4 = copy v1
3011254f889dSBrendon Cahoon ///   .. = V1             v3 = ..
3012254f889dSBrendon Cahoon ///                       .. = v4
3013254f889dSBrendon Cahoon void SwingSchedulerDAG::splitLifetimes(MachineBasicBlock *KernelBB,
3014254f889dSBrendon Cahoon                                        MBBVectorTy &EpilogBBs,
3015254f889dSBrendon Cahoon                                        SMSchedule &Schedule) {
3016254f889dSBrendon Cahoon   const TargetRegisterInfo *TRI = MF.getSubtarget().getRegisterInfo();
301790ecac01SBob Wilson   for (auto &PHI : KernelBB->phis()) {
301890ecac01SBob Wilson     unsigned Def = PHI.getOperand(0).getReg();
3019254f889dSBrendon Cahoon     // Check for any Phi definition that used as an operand of another Phi
3020254f889dSBrendon Cahoon     // in the same block.
3021254f889dSBrendon Cahoon     for (MachineRegisterInfo::use_instr_iterator I = MRI.use_instr_begin(Def),
3022254f889dSBrendon Cahoon                                                  E = MRI.use_instr_end();
3023254f889dSBrendon Cahoon          I != E; ++I) {
3024254f889dSBrendon Cahoon       if (I->isPHI() && I->getParent() == KernelBB) {
3025254f889dSBrendon Cahoon         // Get the loop carried definition.
302690ecac01SBob Wilson         unsigned LCDef = getLoopPhiReg(PHI, KernelBB);
3027254f889dSBrendon Cahoon         if (!LCDef)
3028254f889dSBrendon Cahoon           continue;
3029254f889dSBrendon Cahoon         MachineInstr *MI = MRI.getVRegDef(LCDef);
3030254f889dSBrendon Cahoon         if (!MI || MI->getParent() != KernelBB || MI->isPHI())
3031254f889dSBrendon Cahoon           continue;
3032254f889dSBrendon Cahoon         // Search through the rest of the block looking for uses of the Phi
3033254f889dSBrendon Cahoon         // definition. If one occurs, then split the lifetime.
3034254f889dSBrendon Cahoon         unsigned SplitReg = 0;
3035254f889dSBrendon Cahoon         for (auto &BBJ : make_range(MachineBasicBlock::instr_iterator(MI),
3036254f889dSBrendon Cahoon                                     KernelBB->instr_end()))
3037254f889dSBrendon Cahoon           if (BBJ.readsRegister(Def)) {
3038254f889dSBrendon Cahoon             // We split the lifetime when we find the first use.
3039254f889dSBrendon Cahoon             if (SplitReg == 0) {
3040254f889dSBrendon Cahoon               SplitReg = MRI.createVirtualRegister(MRI.getRegClass(Def));
3041254f889dSBrendon Cahoon               BuildMI(*KernelBB, MI, MI->getDebugLoc(),
3042254f889dSBrendon Cahoon                       TII->get(TargetOpcode::COPY), SplitReg)
3043254f889dSBrendon Cahoon                   .addReg(Def);
3044254f889dSBrendon Cahoon             }
3045254f889dSBrendon Cahoon             BBJ.substituteRegister(Def, SplitReg, 0, *TRI);
3046254f889dSBrendon Cahoon           }
3047254f889dSBrendon Cahoon         if (!SplitReg)
3048254f889dSBrendon Cahoon           continue;
3049254f889dSBrendon Cahoon         // Search through each of the epilog blocks for any uses to be renamed.
3050254f889dSBrendon Cahoon         for (auto &Epilog : EpilogBBs)
3051254f889dSBrendon Cahoon           for (auto &I : *Epilog)
3052254f889dSBrendon Cahoon             if (I.readsRegister(Def))
3053254f889dSBrendon Cahoon               I.substituteRegister(Def, SplitReg, 0, *TRI);
3054254f889dSBrendon Cahoon         break;
3055254f889dSBrendon Cahoon       }
3056254f889dSBrendon Cahoon     }
3057254f889dSBrendon Cahoon   }
3058254f889dSBrendon Cahoon }
3059254f889dSBrendon Cahoon 
3060254f889dSBrendon Cahoon /// Remove the incoming block from the Phis in a basic block.
3061254f889dSBrendon Cahoon static void removePhis(MachineBasicBlock *BB, MachineBasicBlock *Incoming) {
3062254f889dSBrendon Cahoon   for (MachineInstr &MI : *BB) {
3063254f889dSBrendon Cahoon     if (!MI.isPHI())
3064254f889dSBrendon Cahoon       break;
3065254f889dSBrendon Cahoon     for (unsigned i = 1, e = MI.getNumOperands(); i != e; i += 2)
3066254f889dSBrendon Cahoon       if (MI.getOperand(i + 1).getMBB() == Incoming) {
3067254f889dSBrendon Cahoon         MI.RemoveOperand(i + 1);
3068254f889dSBrendon Cahoon         MI.RemoveOperand(i);
3069254f889dSBrendon Cahoon         break;
3070254f889dSBrendon Cahoon       }
3071254f889dSBrendon Cahoon   }
3072254f889dSBrendon Cahoon }
3073254f889dSBrendon Cahoon 
3074254f889dSBrendon Cahoon /// Create branches from each prolog basic block to the appropriate epilog
3075254f889dSBrendon Cahoon /// block.  These edges are needed if the loop ends before reaching the
3076254f889dSBrendon Cahoon /// kernel.
3077254f889dSBrendon Cahoon void SwingSchedulerDAG::addBranches(MBBVectorTy &PrologBBs,
3078254f889dSBrendon Cahoon                                     MachineBasicBlock *KernelBB,
3079254f889dSBrendon Cahoon                                     MBBVectorTy &EpilogBBs,
3080254f889dSBrendon Cahoon                                     SMSchedule &Schedule, ValueMapTy *VRMap) {
3081254f889dSBrendon Cahoon   assert(PrologBBs.size() == EpilogBBs.size() && "Prolog/Epilog mismatch");
3082254f889dSBrendon Cahoon   MachineInstr *IndVar = Pass.LI.LoopInductionVar;
3083254f889dSBrendon Cahoon   MachineInstr *Cmp = Pass.LI.LoopCompare;
3084254f889dSBrendon Cahoon   MachineBasicBlock *LastPro = KernelBB;
3085254f889dSBrendon Cahoon   MachineBasicBlock *LastEpi = KernelBB;
3086254f889dSBrendon Cahoon 
3087254f889dSBrendon Cahoon   // Start from the blocks connected to the kernel and work "out"
3088254f889dSBrendon Cahoon   // to the first prolog and the last epilog blocks.
3089254f889dSBrendon Cahoon   SmallVector<MachineInstr *, 4> PrevInsts;
3090254f889dSBrendon Cahoon   unsigned MaxIter = PrologBBs.size() - 1;
3091254f889dSBrendon Cahoon   unsigned LC = UINT_MAX;
3092254f889dSBrendon Cahoon   unsigned LCMin = UINT_MAX;
3093254f889dSBrendon Cahoon   for (unsigned i = 0, j = MaxIter; i <= MaxIter; ++i, --j) {
3094254f889dSBrendon Cahoon     // Add branches to the prolog that go to the corresponding
3095254f889dSBrendon Cahoon     // epilog, and the fall-thru prolog/kernel block.
3096254f889dSBrendon Cahoon     MachineBasicBlock *Prolog = PrologBBs[j];
3097254f889dSBrendon Cahoon     MachineBasicBlock *Epilog = EpilogBBs[i];
3098254f889dSBrendon Cahoon     // We've executed one iteration, so decrement the loop count and check for
3099254f889dSBrendon Cahoon     // the loop end.
3100254f889dSBrendon Cahoon     SmallVector<MachineOperand, 4> Cond;
3101254f889dSBrendon Cahoon     // Check if the LOOP0 has already been removed. If so, then there is no need
3102254f889dSBrendon Cahoon     // to reduce the trip count.
3103254f889dSBrendon Cahoon     if (LC != 0)
31048fb181caSKrzysztof Parzyszek       LC = TII->reduceLoopCount(*Prolog, IndVar, *Cmp, Cond, PrevInsts, j,
3105254f889dSBrendon Cahoon                                 MaxIter);
3106254f889dSBrendon Cahoon 
3107254f889dSBrendon Cahoon     // Record the value of the first trip count, which is used to determine if
3108254f889dSBrendon Cahoon     // branches and blocks can be removed for constant trip counts.
3109254f889dSBrendon Cahoon     if (LCMin == UINT_MAX)
3110254f889dSBrendon Cahoon       LCMin = LC;
3111254f889dSBrendon Cahoon 
3112254f889dSBrendon Cahoon     unsigned numAdded = 0;
3113254f889dSBrendon Cahoon     if (TargetRegisterInfo::isVirtualRegister(LC)) {
3114254f889dSBrendon Cahoon       Prolog->addSuccessor(Epilog);
3115e8e0f5caSMatt Arsenault       numAdded = TII->insertBranch(*Prolog, Epilog, LastPro, Cond, DebugLoc());
3116254f889dSBrendon Cahoon     } else if (j >= LCMin) {
3117254f889dSBrendon Cahoon       Prolog->addSuccessor(Epilog);
3118254f889dSBrendon Cahoon       Prolog->removeSuccessor(LastPro);
3119254f889dSBrendon Cahoon       LastEpi->removeSuccessor(Epilog);
3120e8e0f5caSMatt Arsenault       numAdded = TII->insertBranch(*Prolog, Epilog, nullptr, Cond, DebugLoc());
3121254f889dSBrendon Cahoon       removePhis(Epilog, LastEpi);
3122254f889dSBrendon Cahoon       // Remove the blocks that are no longer referenced.
3123254f889dSBrendon Cahoon       if (LastPro != LastEpi) {
3124254f889dSBrendon Cahoon         LastEpi->clear();
3125254f889dSBrendon Cahoon         LastEpi->eraseFromParent();
3126254f889dSBrendon Cahoon       }
3127254f889dSBrendon Cahoon       LastPro->clear();
3128254f889dSBrendon Cahoon       LastPro->eraseFromParent();
3129254f889dSBrendon Cahoon     } else {
3130e8e0f5caSMatt Arsenault       numAdded = TII->insertBranch(*Prolog, LastPro, nullptr, Cond, DebugLoc());
3131254f889dSBrendon Cahoon       removePhis(Epilog, Prolog);
3132254f889dSBrendon Cahoon     }
3133254f889dSBrendon Cahoon     LastPro = Prolog;
3134254f889dSBrendon Cahoon     LastEpi = Epilog;
3135254f889dSBrendon Cahoon     for (MachineBasicBlock::reverse_instr_iterator I = Prolog->instr_rbegin(),
3136254f889dSBrendon Cahoon                                                    E = Prolog->instr_rend();
3137254f889dSBrendon Cahoon          I != E && numAdded > 0; ++I, --numAdded)
3138254f889dSBrendon Cahoon       updateInstruction(&*I, false, j, 0, Schedule, VRMap);
3139254f889dSBrendon Cahoon   }
3140254f889dSBrendon Cahoon }
3141254f889dSBrendon Cahoon 
3142254f889dSBrendon Cahoon /// Return true if we can compute the amount the instruction changes
3143254f889dSBrendon Cahoon /// during each iteration. Set Delta to the amount of the change.
3144254f889dSBrendon Cahoon bool SwingSchedulerDAG::computeDelta(MachineInstr &MI, unsigned &Delta) {
3145254f889dSBrendon Cahoon   const TargetRegisterInfo *TRI = MF.getSubtarget().getRegisterInfo();
3146254f889dSBrendon Cahoon   unsigned BaseReg;
3147254f889dSBrendon Cahoon   int64_t Offset;
3148254f889dSBrendon Cahoon   if (!TII->getMemOpBaseRegImmOfs(MI, BaseReg, Offset, TRI))
3149254f889dSBrendon Cahoon     return false;
3150254f889dSBrendon Cahoon 
3151254f889dSBrendon Cahoon   MachineRegisterInfo &MRI = MF.getRegInfo();
3152254f889dSBrendon Cahoon   // Check if there is a Phi. If so, get the definition in the loop.
3153254f889dSBrendon Cahoon   MachineInstr *BaseDef = MRI.getVRegDef(BaseReg);
3154254f889dSBrendon Cahoon   if (BaseDef && BaseDef->isPHI()) {
3155254f889dSBrendon Cahoon     BaseReg = getLoopPhiReg(*BaseDef, MI.getParent());
3156254f889dSBrendon Cahoon     BaseDef = MRI.getVRegDef(BaseReg);
3157254f889dSBrendon Cahoon   }
3158254f889dSBrendon Cahoon   if (!BaseDef)
3159254f889dSBrendon Cahoon     return false;
3160254f889dSBrendon Cahoon 
3161254f889dSBrendon Cahoon   int D = 0;
31628fb181caSKrzysztof Parzyszek   if (!TII->getIncrementValue(*BaseDef, D) && D >= 0)
3163254f889dSBrendon Cahoon     return false;
3164254f889dSBrendon Cahoon 
3165254f889dSBrendon Cahoon   Delta = D;
3166254f889dSBrendon Cahoon   return true;
3167254f889dSBrendon Cahoon }
3168254f889dSBrendon Cahoon 
3169254f889dSBrendon Cahoon /// Update the memory operand with a new offset when the pipeliner
3170cf56e92cSJustin Lebar /// generates a new copy of the instruction that refers to a
3171254f889dSBrendon Cahoon /// different memory location.
3172254f889dSBrendon Cahoon void SwingSchedulerDAG::updateMemOperands(MachineInstr &NewMI,
3173254f889dSBrendon Cahoon                                           MachineInstr &OldMI, unsigned Num) {
3174254f889dSBrendon Cahoon   if (Num == 0)
3175254f889dSBrendon Cahoon     return;
3176254f889dSBrendon Cahoon   // If the instruction has memory operands, then adjust the offset
3177254f889dSBrendon Cahoon   // when the instruction appears in different stages.
3178c73c0307SChandler Carruth   if (NewMI.memoperands_empty())
3179254f889dSBrendon Cahoon     return;
3180c73c0307SChandler Carruth   SmallVector<MachineMemOperand *, 2> NewMMOs;
31810a33a7aeSJustin Lebar   for (MachineMemOperand *MMO : NewMI.memoperands()) {
3182adbf09e8SJustin Lebar     if (MMO->isVolatile() || (MMO->isInvariant() && MMO->isDereferenceable()) ||
3183adbf09e8SJustin Lebar         (!MMO->getValue())) {
3184c73c0307SChandler Carruth       NewMMOs.push_back(MMO);
3185254f889dSBrendon Cahoon       continue;
3186254f889dSBrendon Cahoon     }
3187254f889dSBrendon Cahoon     unsigned Delta;
3188785b6cecSKrzysztof Parzyszek     if (Num != UINT_MAX && computeDelta(OldMI, Delta)) {
3189254f889dSBrendon Cahoon       int64_t AdjOffset = Delta * Num;
3190c73c0307SChandler Carruth       NewMMOs.push_back(
3191c73c0307SChandler Carruth           MF.getMachineMemOperand(MMO, AdjOffset, MMO->getSize()));
31922d79017dSKrzysztof Parzyszek     } else {
3193*cc3f6302SKrzysztof Parzyszek       NewMMOs.push_back(
3194*cc3f6302SKrzysztof Parzyszek           MF.getMachineMemOperand(MMO, 0, MemoryLocation::UnknownSize));
31952d79017dSKrzysztof Parzyszek     }
3196254f889dSBrendon Cahoon   }
3197c73c0307SChandler Carruth   NewMI.setMemRefs(MF, NewMMOs);
3198254f889dSBrendon Cahoon }
3199254f889dSBrendon Cahoon 
3200254f889dSBrendon Cahoon /// Clone the instruction for the new pipelined loop and update the
3201254f889dSBrendon Cahoon /// memory operands, if needed.
3202254f889dSBrendon Cahoon MachineInstr *SwingSchedulerDAG::cloneInstr(MachineInstr *OldMI,
3203254f889dSBrendon Cahoon                                             unsigned CurStageNum,
3204254f889dSBrendon Cahoon                                             unsigned InstStageNum) {
3205254f889dSBrendon Cahoon   MachineInstr *NewMI = MF.CloneMachineInstr(OldMI);
3206254f889dSBrendon Cahoon   // Check for tied operands in inline asm instructions. This should be handled
3207254f889dSBrendon Cahoon   // elsewhere, but I'm not sure of the best solution.
3208254f889dSBrendon Cahoon   if (OldMI->isInlineAsm())
3209254f889dSBrendon Cahoon     for (unsigned i = 0, e = OldMI->getNumOperands(); i != e; ++i) {
3210254f889dSBrendon Cahoon       const auto &MO = OldMI->getOperand(i);
3211254f889dSBrendon Cahoon       if (MO.isReg() && MO.isUse())
3212254f889dSBrendon Cahoon         break;
3213254f889dSBrendon Cahoon       unsigned UseIdx;
3214254f889dSBrendon Cahoon       if (OldMI->isRegTiedToUseOperand(i, &UseIdx))
3215254f889dSBrendon Cahoon         NewMI->tieOperands(i, UseIdx);
3216254f889dSBrendon Cahoon     }
3217254f889dSBrendon Cahoon   updateMemOperands(*NewMI, *OldMI, CurStageNum - InstStageNum);
3218254f889dSBrendon Cahoon   return NewMI;
3219254f889dSBrendon Cahoon }
3220254f889dSBrendon Cahoon 
3221254f889dSBrendon Cahoon /// Clone the instruction for the new pipelined loop. If needed, this
3222254f889dSBrendon Cahoon /// function updates the instruction using the values saved in the
3223254f889dSBrendon Cahoon /// InstrChanges structure.
3224254f889dSBrendon Cahoon MachineInstr *SwingSchedulerDAG::cloneAndChangeInstr(MachineInstr *OldMI,
3225254f889dSBrendon Cahoon                                                      unsigned CurStageNum,
3226254f889dSBrendon Cahoon                                                      unsigned InstStageNum,
3227254f889dSBrendon Cahoon                                                      SMSchedule &Schedule) {
3228254f889dSBrendon Cahoon   MachineInstr *NewMI = MF.CloneMachineInstr(OldMI);
3229254f889dSBrendon Cahoon   DenseMap<SUnit *, std::pair<unsigned, int64_t>>::iterator It =
3230254f889dSBrendon Cahoon       InstrChanges.find(getSUnit(OldMI));
3231254f889dSBrendon Cahoon   if (It != InstrChanges.end()) {
3232254f889dSBrendon Cahoon     std::pair<unsigned, int64_t> RegAndOffset = It->second;
3233254f889dSBrendon Cahoon     unsigned BasePos, OffsetPos;
32348fb181caSKrzysztof Parzyszek     if (!TII->getBaseAndOffsetPosition(*OldMI, BasePos, OffsetPos))
3235254f889dSBrendon Cahoon       return nullptr;
3236254f889dSBrendon Cahoon     int64_t NewOffset = OldMI->getOperand(OffsetPos).getImm();
3237254f889dSBrendon Cahoon     MachineInstr *LoopDef = findDefInLoop(RegAndOffset.first);
3238254f889dSBrendon Cahoon     if (Schedule.stageScheduled(getSUnit(LoopDef)) > (signed)InstStageNum)
3239254f889dSBrendon Cahoon       NewOffset += RegAndOffset.second * (CurStageNum - InstStageNum);
3240254f889dSBrendon Cahoon     NewMI->getOperand(OffsetPos).setImm(NewOffset);
3241254f889dSBrendon Cahoon   }
3242254f889dSBrendon Cahoon   updateMemOperands(*NewMI, *OldMI, CurStageNum - InstStageNum);
3243254f889dSBrendon Cahoon   return NewMI;
3244254f889dSBrendon Cahoon }
3245254f889dSBrendon Cahoon 
3246254f889dSBrendon Cahoon /// Update the machine instruction with new virtual registers.  This
3247254f889dSBrendon Cahoon /// function may change the defintions and/or uses.
3248254f889dSBrendon Cahoon void SwingSchedulerDAG::updateInstruction(MachineInstr *NewMI, bool LastDef,
3249254f889dSBrendon Cahoon                                           unsigned CurStageNum,
3250254f889dSBrendon Cahoon                                           unsigned InstrStageNum,
3251254f889dSBrendon Cahoon                                           SMSchedule &Schedule,
3252254f889dSBrendon Cahoon                                           ValueMapTy *VRMap) {
3253254f889dSBrendon Cahoon   for (unsigned i = 0, e = NewMI->getNumOperands(); i != e; ++i) {
3254254f889dSBrendon Cahoon     MachineOperand &MO = NewMI->getOperand(i);
3255254f889dSBrendon Cahoon     if (!MO.isReg() || !TargetRegisterInfo::isVirtualRegister(MO.getReg()))
3256254f889dSBrendon Cahoon       continue;
3257254f889dSBrendon Cahoon     unsigned reg = MO.getReg();
3258254f889dSBrendon Cahoon     if (MO.isDef()) {
3259254f889dSBrendon Cahoon       // Create a new virtual register for the definition.
3260254f889dSBrendon Cahoon       const TargetRegisterClass *RC = MRI.getRegClass(reg);
3261254f889dSBrendon Cahoon       unsigned NewReg = MRI.createVirtualRegister(RC);
3262254f889dSBrendon Cahoon       MO.setReg(NewReg);
3263254f889dSBrendon Cahoon       VRMap[CurStageNum][reg] = NewReg;
3264254f889dSBrendon Cahoon       if (LastDef)
3265254f889dSBrendon Cahoon         replaceRegUsesAfterLoop(reg, NewReg, BB, MRI, LIS);
3266254f889dSBrendon Cahoon     } else if (MO.isUse()) {
3267254f889dSBrendon Cahoon       MachineInstr *Def = MRI.getVRegDef(reg);
3268254f889dSBrendon Cahoon       // Compute the stage that contains the last definition for instruction.
3269254f889dSBrendon Cahoon       int DefStageNum = Schedule.stageScheduled(getSUnit(Def));
3270254f889dSBrendon Cahoon       unsigned StageNum = CurStageNum;
3271254f889dSBrendon Cahoon       if (DefStageNum != -1 && (int)InstrStageNum > DefStageNum) {
3272254f889dSBrendon Cahoon         // Compute the difference in stages between the defintion and the use.
3273254f889dSBrendon Cahoon         unsigned StageDiff = (InstrStageNum - DefStageNum);
3274254f889dSBrendon Cahoon         // Make an adjustment to get the last definition.
3275254f889dSBrendon Cahoon         StageNum -= StageDiff;
3276254f889dSBrendon Cahoon       }
3277254f889dSBrendon Cahoon       if (VRMap[StageNum].count(reg))
3278254f889dSBrendon Cahoon         MO.setReg(VRMap[StageNum][reg]);
3279254f889dSBrendon Cahoon     }
3280254f889dSBrendon Cahoon   }
3281254f889dSBrendon Cahoon }
3282254f889dSBrendon Cahoon 
3283254f889dSBrendon Cahoon /// Return the instruction in the loop that defines the register.
3284254f889dSBrendon Cahoon /// If the definition is a Phi, then follow the Phi operand to
3285254f889dSBrendon Cahoon /// the instruction in the loop.
3286254f889dSBrendon Cahoon MachineInstr *SwingSchedulerDAG::findDefInLoop(unsigned Reg) {
3287254f889dSBrendon Cahoon   SmallPtrSet<MachineInstr *, 8> Visited;
3288254f889dSBrendon Cahoon   MachineInstr *Def = MRI.getVRegDef(Reg);
3289254f889dSBrendon Cahoon   while (Def->isPHI()) {
3290254f889dSBrendon Cahoon     if (!Visited.insert(Def).second)
3291254f889dSBrendon Cahoon       break;
3292254f889dSBrendon Cahoon     for (unsigned i = 1, e = Def->getNumOperands(); i < e; i += 2)
3293254f889dSBrendon Cahoon       if (Def->getOperand(i + 1).getMBB() == BB) {
3294254f889dSBrendon Cahoon         Def = MRI.getVRegDef(Def->getOperand(i).getReg());
3295254f889dSBrendon Cahoon         break;
3296254f889dSBrendon Cahoon       }
3297254f889dSBrendon Cahoon   }
3298254f889dSBrendon Cahoon   return Def;
3299254f889dSBrendon Cahoon }
3300254f889dSBrendon Cahoon 
3301254f889dSBrendon Cahoon /// Return the new name for the value from the previous stage.
3302254f889dSBrendon Cahoon unsigned SwingSchedulerDAG::getPrevMapVal(unsigned StageNum, unsigned PhiStage,
3303254f889dSBrendon Cahoon                                           unsigned LoopVal, unsigned LoopStage,
3304254f889dSBrendon Cahoon                                           ValueMapTy *VRMap,
3305254f889dSBrendon Cahoon                                           MachineBasicBlock *BB) {
3306254f889dSBrendon Cahoon   unsigned PrevVal = 0;
3307254f889dSBrendon Cahoon   if (StageNum > PhiStage) {
3308254f889dSBrendon Cahoon     MachineInstr *LoopInst = MRI.getVRegDef(LoopVal);
3309254f889dSBrendon Cahoon     if (PhiStage == LoopStage && VRMap[StageNum - 1].count(LoopVal))
3310254f889dSBrendon Cahoon       // The name is defined in the previous stage.
3311254f889dSBrendon Cahoon       PrevVal = VRMap[StageNum - 1][LoopVal];
3312254f889dSBrendon Cahoon     else if (VRMap[StageNum].count(LoopVal))
3313254f889dSBrendon Cahoon       // The previous name is defined in the current stage when the instruction
3314254f889dSBrendon Cahoon       // order is swapped.
3315254f889dSBrendon Cahoon       PrevVal = VRMap[StageNum][LoopVal];
3316df24da22SKrzysztof Parzyszek     else if (!LoopInst->isPHI() || LoopInst->getParent() != BB)
3317254f889dSBrendon Cahoon       // The loop value hasn't yet been scheduled.
3318254f889dSBrendon Cahoon       PrevVal = LoopVal;
3319254f889dSBrendon Cahoon     else if (StageNum == PhiStage + 1)
3320254f889dSBrendon Cahoon       // The loop value is another phi, which has not been scheduled.
3321254f889dSBrendon Cahoon       PrevVal = getInitPhiReg(*LoopInst, BB);
3322254f889dSBrendon Cahoon     else if (StageNum > PhiStage + 1 && LoopInst->getParent() == BB)
3323254f889dSBrendon Cahoon       // The loop value is another phi, which has been scheduled.
3324254f889dSBrendon Cahoon       PrevVal =
3325254f889dSBrendon Cahoon           getPrevMapVal(StageNum - 1, PhiStage, getLoopPhiReg(*LoopInst, BB),
3326254f889dSBrendon Cahoon                         LoopStage, VRMap, BB);
3327254f889dSBrendon Cahoon   }
3328254f889dSBrendon Cahoon   return PrevVal;
3329254f889dSBrendon Cahoon }
3330254f889dSBrendon Cahoon 
3331254f889dSBrendon Cahoon /// Rewrite the Phi values in the specified block to use the mappings
3332254f889dSBrendon Cahoon /// from the initial operand. Once the Phi is scheduled, we switch
3333254f889dSBrendon Cahoon /// to using the loop value instead of the Phi value, so those names
3334254f889dSBrendon Cahoon /// do not need to be rewritten.
3335254f889dSBrendon Cahoon void SwingSchedulerDAG::rewritePhiValues(MachineBasicBlock *NewBB,
3336254f889dSBrendon Cahoon                                          unsigned StageNum,
3337254f889dSBrendon Cahoon                                          SMSchedule &Schedule,
3338254f889dSBrendon Cahoon                                          ValueMapTy *VRMap,
3339254f889dSBrendon Cahoon                                          InstrMapTy &InstrMap) {
334090ecac01SBob Wilson   for (auto &PHI : BB->phis()) {
3341254f889dSBrendon Cahoon     unsigned InitVal = 0;
3342254f889dSBrendon Cahoon     unsigned LoopVal = 0;
334390ecac01SBob Wilson     getPhiRegs(PHI, BB, InitVal, LoopVal);
334490ecac01SBob Wilson     unsigned PhiDef = PHI.getOperand(0).getReg();
3345254f889dSBrendon Cahoon 
3346254f889dSBrendon Cahoon     unsigned PhiStage =
3347254f889dSBrendon Cahoon         (unsigned)Schedule.stageScheduled(getSUnit(MRI.getVRegDef(PhiDef)));
3348254f889dSBrendon Cahoon     unsigned LoopStage =
3349254f889dSBrendon Cahoon         (unsigned)Schedule.stageScheduled(getSUnit(MRI.getVRegDef(LoopVal)));
3350254f889dSBrendon Cahoon     unsigned NumPhis = Schedule.getStagesForPhi(PhiDef);
3351254f889dSBrendon Cahoon     if (NumPhis > StageNum)
3352254f889dSBrendon Cahoon       NumPhis = StageNum;
3353254f889dSBrendon Cahoon     for (unsigned np = 0; np <= NumPhis; ++np) {
3354254f889dSBrendon Cahoon       unsigned NewVal =
3355254f889dSBrendon Cahoon           getPrevMapVal(StageNum - np, PhiStage, LoopVal, LoopStage, VRMap, BB);
3356254f889dSBrendon Cahoon       if (!NewVal)
3357254f889dSBrendon Cahoon         NewVal = InitVal;
335890ecac01SBob Wilson       rewriteScheduledInstr(NewBB, Schedule, InstrMap, StageNum - np, np, &PHI,
3359254f889dSBrendon Cahoon                             PhiDef, NewVal);
3360254f889dSBrendon Cahoon     }
3361254f889dSBrendon Cahoon   }
3362254f889dSBrendon Cahoon }
3363254f889dSBrendon Cahoon 
3364254f889dSBrendon Cahoon /// Rewrite a previously scheduled instruction to use the register value
3365254f889dSBrendon Cahoon /// from the new instruction. Make sure the instruction occurs in the
3366254f889dSBrendon Cahoon /// basic block, and we don't change the uses in the new instruction.
3367254f889dSBrendon Cahoon void SwingSchedulerDAG::rewriteScheduledInstr(
3368254f889dSBrendon Cahoon     MachineBasicBlock *BB, SMSchedule &Schedule, InstrMapTy &InstrMap,
3369254f889dSBrendon Cahoon     unsigned CurStageNum, unsigned PhiNum, MachineInstr *Phi, unsigned OldReg,
3370254f889dSBrendon Cahoon     unsigned NewReg, unsigned PrevReg) {
3371254f889dSBrendon Cahoon   bool InProlog = (CurStageNum < Schedule.getMaxStageCount());
3372254f889dSBrendon Cahoon   int StagePhi = Schedule.stageScheduled(getSUnit(Phi)) + PhiNum;
3373254f889dSBrendon Cahoon   // Rewrite uses that have been scheduled already to use the new
3374254f889dSBrendon Cahoon   // Phi register.
3375254f889dSBrendon Cahoon   for (MachineRegisterInfo::use_iterator UI = MRI.use_begin(OldReg),
3376254f889dSBrendon Cahoon                                          EI = MRI.use_end();
3377254f889dSBrendon Cahoon        UI != EI;) {
3378254f889dSBrendon Cahoon     MachineOperand &UseOp = *UI;
3379254f889dSBrendon Cahoon     MachineInstr *UseMI = UseOp.getParent();
3380254f889dSBrendon Cahoon     ++UI;
3381254f889dSBrendon Cahoon     if (UseMI->getParent() != BB)
3382254f889dSBrendon Cahoon       continue;
3383254f889dSBrendon Cahoon     if (UseMI->isPHI()) {
3384254f889dSBrendon Cahoon       if (!Phi->isPHI() && UseMI->getOperand(0).getReg() == NewReg)
3385254f889dSBrendon Cahoon         continue;
3386254f889dSBrendon Cahoon       if (getLoopPhiReg(*UseMI, BB) != OldReg)
3387254f889dSBrendon Cahoon         continue;
3388254f889dSBrendon Cahoon     }
3389254f889dSBrendon Cahoon     InstrMapTy::iterator OrigInstr = InstrMap.find(UseMI);
3390254f889dSBrendon Cahoon     assert(OrigInstr != InstrMap.end() && "Instruction not scheduled.");
3391254f889dSBrendon Cahoon     SUnit *OrigMISU = getSUnit(OrigInstr->second);
3392254f889dSBrendon Cahoon     int StageSched = Schedule.stageScheduled(OrigMISU);
3393254f889dSBrendon Cahoon     int CycleSched = Schedule.cycleScheduled(OrigMISU);
3394254f889dSBrendon Cahoon     unsigned ReplaceReg = 0;
3395254f889dSBrendon Cahoon     // This is the stage for the scheduled instruction.
3396254f889dSBrendon Cahoon     if (StagePhi == StageSched && Phi->isPHI()) {
3397254f889dSBrendon Cahoon       int CyclePhi = Schedule.cycleScheduled(getSUnit(Phi));
3398254f889dSBrendon Cahoon       if (PrevReg && InProlog)
3399254f889dSBrendon Cahoon         ReplaceReg = PrevReg;
3400254f889dSBrendon Cahoon       else if (PrevReg && !Schedule.isLoopCarried(this, *Phi) &&
3401254f889dSBrendon Cahoon                (CyclePhi <= CycleSched || OrigMISU->getInstr()->isPHI()))
3402254f889dSBrendon Cahoon         ReplaceReg = PrevReg;
3403254f889dSBrendon Cahoon       else
3404254f889dSBrendon Cahoon         ReplaceReg = NewReg;
3405254f889dSBrendon Cahoon     }
3406254f889dSBrendon Cahoon     // The scheduled instruction occurs before the scheduled Phi, and the
3407254f889dSBrendon Cahoon     // Phi is not loop carried.
3408254f889dSBrendon Cahoon     if (!InProlog && StagePhi + 1 == StageSched &&
3409254f889dSBrendon Cahoon         !Schedule.isLoopCarried(this, *Phi))
3410254f889dSBrendon Cahoon       ReplaceReg = NewReg;
3411254f889dSBrendon Cahoon     if (StagePhi > StageSched && Phi->isPHI())
3412254f889dSBrendon Cahoon       ReplaceReg = NewReg;
3413254f889dSBrendon Cahoon     if (!InProlog && !Phi->isPHI() && StagePhi < StageSched)
3414254f889dSBrendon Cahoon       ReplaceReg = NewReg;
3415254f889dSBrendon Cahoon     if (ReplaceReg) {
3416254f889dSBrendon Cahoon       MRI.constrainRegClass(ReplaceReg, MRI.getRegClass(OldReg));
3417254f889dSBrendon Cahoon       UseOp.setReg(ReplaceReg);
3418254f889dSBrendon Cahoon     }
3419254f889dSBrendon Cahoon   }
3420254f889dSBrendon Cahoon }
3421254f889dSBrendon Cahoon 
3422254f889dSBrendon Cahoon /// Check if we can change the instruction to use an offset value from the
3423254f889dSBrendon Cahoon /// previous iteration. If so, return true and set the base and offset values
3424254f889dSBrendon Cahoon /// so that we can rewrite the load, if necessary.
3425254f889dSBrendon Cahoon ///   v1 = Phi(v0, v3)
3426254f889dSBrendon Cahoon ///   v2 = load v1, 0
3427254f889dSBrendon Cahoon ///   v3 = post_store v1, 4, x
3428254f889dSBrendon Cahoon /// This function enables the load to be rewritten as v2 = load v3, 4.
3429254f889dSBrendon Cahoon bool SwingSchedulerDAG::canUseLastOffsetValue(MachineInstr *MI,
3430254f889dSBrendon Cahoon                                               unsigned &BasePos,
3431254f889dSBrendon Cahoon                                               unsigned &OffsetPos,
3432254f889dSBrendon Cahoon                                               unsigned &NewBase,
3433254f889dSBrendon Cahoon                                               int64_t &Offset) {
3434254f889dSBrendon Cahoon   // Get the load instruction.
34358fb181caSKrzysztof Parzyszek   if (TII->isPostIncrement(*MI))
3436254f889dSBrendon Cahoon     return false;
3437254f889dSBrendon Cahoon   unsigned BasePosLd, OffsetPosLd;
34388fb181caSKrzysztof Parzyszek   if (!TII->getBaseAndOffsetPosition(*MI, BasePosLd, OffsetPosLd))
3439254f889dSBrendon Cahoon     return false;
3440254f889dSBrendon Cahoon   unsigned BaseReg = MI->getOperand(BasePosLd).getReg();
3441254f889dSBrendon Cahoon 
3442254f889dSBrendon Cahoon   // Look for the Phi instruction.
3443fdf9bf4fSJustin Bogner   MachineRegisterInfo &MRI = MI->getMF()->getRegInfo();
3444254f889dSBrendon Cahoon   MachineInstr *Phi = MRI.getVRegDef(BaseReg);
3445254f889dSBrendon Cahoon   if (!Phi || !Phi->isPHI())
3446254f889dSBrendon Cahoon     return false;
3447254f889dSBrendon Cahoon   // Get the register defined in the loop block.
3448254f889dSBrendon Cahoon   unsigned PrevReg = getLoopPhiReg(*Phi, MI->getParent());
3449254f889dSBrendon Cahoon   if (!PrevReg)
3450254f889dSBrendon Cahoon     return false;
3451254f889dSBrendon Cahoon 
3452254f889dSBrendon Cahoon   // Check for the post-increment load/store instruction.
3453254f889dSBrendon Cahoon   MachineInstr *PrevDef = MRI.getVRegDef(PrevReg);
3454254f889dSBrendon Cahoon   if (!PrevDef || PrevDef == MI)
3455254f889dSBrendon Cahoon     return false;
3456254f889dSBrendon Cahoon 
34578fb181caSKrzysztof Parzyszek   if (!TII->isPostIncrement(*PrevDef))
3458254f889dSBrendon Cahoon     return false;
3459254f889dSBrendon Cahoon 
3460254f889dSBrendon Cahoon   unsigned BasePos1 = 0, OffsetPos1 = 0;
34618fb181caSKrzysztof Parzyszek   if (!TII->getBaseAndOffsetPosition(*PrevDef, BasePos1, OffsetPos1))
3462254f889dSBrendon Cahoon     return false;
3463254f889dSBrendon Cahoon 
346440df8a2bSKrzysztof Parzyszek   // Make sure that the instructions do not access the same memory location in
346540df8a2bSKrzysztof Parzyszek   // the next iteration.
3466254f889dSBrendon Cahoon   int64_t LoadOffset = MI->getOperand(OffsetPosLd).getImm();
3467254f889dSBrendon Cahoon   int64_t StoreOffset = PrevDef->getOperand(OffsetPos1).getImm();
346840df8a2bSKrzysztof Parzyszek   MachineInstr *NewMI = MF.CloneMachineInstr(MI);
346940df8a2bSKrzysztof Parzyszek   NewMI->getOperand(OffsetPosLd).setImm(LoadOffset + StoreOffset);
347040df8a2bSKrzysztof Parzyszek   bool Disjoint = TII->areMemAccessesTriviallyDisjoint(*NewMI, *PrevDef);
347140df8a2bSKrzysztof Parzyszek   MF.DeleteMachineInstr(NewMI);
347240df8a2bSKrzysztof Parzyszek   if (!Disjoint)
3473254f889dSBrendon Cahoon     return false;
3474254f889dSBrendon Cahoon 
3475254f889dSBrendon Cahoon   // Set the return value once we determine that we return true.
3476254f889dSBrendon Cahoon   BasePos = BasePosLd;
3477254f889dSBrendon Cahoon   OffsetPos = OffsetPosLd;
3478254f889dSBrendon Cahoon   NewBase = PrevReg;
3479254f889dSBrendon Cahoon   Offset = StoreOffset;
3480254f889dSBrendon Cahoon   return true;
3481254f889dSBrendon Cahoon }
3482254f889dSBrendon Cahoon 
3483254f889dSBrendon Cahoon /// Apply changes to the instruction if needed. The changes are need
3484254f889dSBrendon Cahoon /// to improve the scheduling and depend up on the final schedule.
34858f174ddeSKrzysztof Parzyszek void SwingSchedulerDAG::applyInstrChange(MachineInstr *MI,
34868f174ddeSKrzysztof Parzyszek                                          SMSchedule &Schedule) {
3487254f889dSBrendon Cahoon   SUnit *SU = getSUnit(MI);
3488254f889dSBrendon Cahoon   DenseMap<SUnit *, std::pair<unsigned, int64_t>>::iterator It =
3489254f889dSBrendon Cahoon       InstrChanges.find(SU);
3490254f889dSBrendon Cahoon   if (It != InstrChanges.end()) {
3491254f889dSBrendon Cahoon     std::pair<unsigned, int64_t> RegAndOffset = It->second;
3492254f889dSBrendon Cahoon     unsigned BasePos, OffsetPos;
34938fb181caSKrzysztof Parzyszek     if (!TII->getBaseAndOffsetPosition(*MI, BasePos, OffsetPos))
34948f174ddeSKrzysztof Parzyszek       return;
3495254f889dSBrendon Cahoon     unsigned BaseReg = MI->getOperand(BasePos).getReg();
3496254f889dSBrendon Cahoon     MachineInstr *LoopDef = findDefInLoop(BaseReg);
3497254f889dSBrendon Cahoon     int DefStageNum = Schedule.stageScheduled(getSUnit(LoopDef));
3498254f889dSBrendon Cahoon     int DefCycleNum = Schedule.cycleScheduled(getSUnit(LoopDef));
3499254f889dSBrendon Cahoon     int BaseStageNum = Schedule.stageScheduled(SU);
3500254f889dSBrendon Cahoon     int BaseCycleNum = Schedule.cycleScheduled(SU);
3501254f889dSBrendon Cahoon     if (BaseStageNum < DefStageNum) {
3502254f889dSBrendon Cahoon       MachineInstr *NewMI = MF.CloneMachineInstr(MI);
3503254f889dSBrendon Cahoon       int OffsetDiff = DefStageNum - BaseStageNum;
3504254f889dSBrendon Cahoon       if (DefCycleNum < BaseCycleNum) {
3505254f889dSBrendon Cahoon         NewMI->getOperand(BasePos).setReg(RegAndOffset.first);
3506254f889dSBrendon Cahoon         if (OffsetDiff > 0)
3507254f889dSBrendon Cahoon           --OffsetDiff;
3508254f889dSBrendon Cahoon       }
3509254f889dSBrendon Cahoon       int64_t NewOffset =
3510254f889dSBrendon Cahoon           MI->getOperand(OffsetPos).getImm() + RegAndOffset.second * OffsetDiff;
3511254f889dSBrendon Cahoon       NewMI->getOperand(OffsetPos).setImm(NewOffset);
3512254f889dSBrendon Cahoon       SU->setInstr(NewMI);
3513254f889dSBrendon Cahoon       MISUnitMap[NewMI] = SU;
3514254f889dSBrendon Cahoon       NewMIs.insert(NewMI);
3515254f889dSBrendon Cahoon     }
3516254f889dSBrendon Cahoon   }
3517254f889dSBrendon Cahoon }
3518254f889dSBrendon Cahoon 
35198e1363dfSKrzysztof Parzyszek /// Return true for an order or output dependence that is loop carried
35208e1363dfSKrzysztof Parzyszek /// potentially. A dependence is loop carried if the destination defines a valu
35218e1363dfSKrzysztof Parzyszek /// that may be used or defined by the source in a subsequent iteration.
35228e1363dfSKrzysztof Parzyszek bool SwingSchedulerDAG::isLoopCarriedDep(SUnit *Source, const SDep &Dep,
3523254f889dSBrendon Cahoon                                          bool isSucc) {
35248e1363dfSKrzysztof Parzyszek   if ((Dep.getKind() != SDep::Order && Dep.getKind() != SDep::Output) ||
35258e1363dfSKrzysztof Parzyszek       Dep.isArtificial())
3526254f889dSBrendon Cahoon     return false;
3527254f889dSBrendon Cahoon 
3528254f889dSBrendon Cahoon   if (!SwpPruneLoopCarried)
3529254f889dSBrendon Cahoon     return true;
3530254f889dSBrendon Cahoon 
35318e1363dfSKrzysztof Parzyszek   if (Dep.getKind() == SDep::Output)
35328e1363dfSKrzysztof Parzyszek     return true;
35338e1363dfSKrzysztof Parzyszek 
3534254f889dSBrendon Cahoon   MachineInstr *SI = Source->getInstr();
3535254f889dSBrendon Cahoon   MachineInstr *DI = Dep.getSUnit()->getInstr();
3536254f889dSBrendon Cahoon   if (!isSucc)
3537254f889dSBrendon Cahoon     std::swap(SI, DI);
3538254f889dSBrendon Cahoon   assert(SI != nullptr && DI != nullptr && "Expecting SUnit with an MI.");
3539254f889dSBrendon Cahoon 
3540254f889dSBrendon Cahoon   // Assume ordered loads and stores may have a loop carried dependence.
3541254f889dSBrendon Cahoon   if (SI->hasUnmodeledSideEffects() || DI->hasUnmodeledSideEffects() ||
3542254f889dSBrendon Cahoon       SI->hasOrderedMemoryRef() || DI->hasOrderedMemoryRef())
3543254f889dSBrendon Cahoon     return true;
3544254f889dSBrendon Cahoon 
3545254f889dSBrendon Cahoon   // Only chain dependences between a load and store can be loop carried.
3546254f889dSBrendon Cahoon   if (!DI->mayStore() || !SI->mayLoad())
3547254f889dSBrendon Cahoon     return false;
3548254f889dSBrendon Cahoon 
3549254f889dSBrendon Cahoon   unsigned DeltaS, DeltaD;
3550254f889dSBrendon Cahoon   if (!computeDelta(*SI, DeltaS) || !computeDelta(*DI, DeltaD))
3551254f889dSBrendon Cahoon     return true;
3552254f889dSBrendon Cahoon 
3553254f889dSBrendon Cahoon   unsigned BaseRegS, BaseRegD;
3554254f889dSBrendon Cahoon   int64_t OffsetS, OffsetD;
3555254f889dSBrendon Cahoon   const TargetRegisterInfo *TRI = MF.getSubtarget().getRegisterInfo();
3556254f889dSBrendon Cahoon   if (!TII->getMemOpBaseRegImmOfs(*SI, BaseRegS, OffsetS, TRI) ||
3557254f889dSBrendon Cahoon       !TII->getMemOpBaseRegImmOfs(*DI, BaseRegD, OffsetD, TRI))
3558254f889dSBrendon Cahoon     return true;
3559254f889dSBrendon Cahoon 
3560254f889dSBrendon Cahoon   if (BaseRegS != BaseRegD)
3561254f889dSBrendon Cahoon     return true;
3562254f889dSBrendon Cahoon 
35638c07d0c4SKrzysztof Parzyszek   // Check that the base register is incremented by a constant value for each
35648c07d0c4SKrzysztof Parzyszek   // iteration.
35658c07d0c4SKrzysztof Parzyszek   MachineInstr *Def = MRI.getVRegDef(BaseRegS);
35668c07d0c4SKrzysztof Parzyszek   if (!Def || !Def->isPHI())
35678c07d0c4SKrzysztof Parzyszek     return true;
35688c07d0c4SKrzysztof Parzyszek   unsigned InitVal = 0;
35698c07d0c4SKrzysztof Parzyszek   unsigned LoopVal = 0;
35708c07d0c4SKrzysztof Parzyszek   getPhiRegs(*Def, BB, InitVal, LoopVal);
35718c07d0c4SKrzysztof Parzyszek   MachineInstr *LoopDef = MRI.getVRegDef(LoopVal);
35728c07d0c4SKrzysztof Parzyszek   int D = 0;
35738c07d0c4SKrzysztof Parzyszek   if (!LoopDef || !TII->getIncrementValue(*LoopDef, D))
35748c07d0c4SKrzysztof Parzyszek     return true;
35758c07d0c4SKrzysztof Parzyszek 
3576254f889dSBrendon Cahoon   uint64_t AccessSizeS = (*SI->memoperands_begin())->getSize();
3577254f889dSBrendon Cahoon   uint64_t AccessSizeD = (*DI->memoperands_begin())->getSize();
3578254f889dSBrendon Cahoon 
3579254f889dSBrendon Cahoon   // This is the main test, which checks the offset values and the loop
3580254f889dSBrendon Cahoon   // increment value to determine if the accesses may be loop carried.
3581254f889dSBrendon Cahoon   if (OffsetS >= OffsetD)
3582254f889dSBrendon Cahoon     return OffsetS + AccessSizeS > DeltaS;
3583fbfb19b1SSimon Pilgrim   else
3584254f889dSBrendon Cahoon     return OffsetD + AccessSizeD > DeltaD;
3585254f889dSBrendon Cahoon 
3586254f889dSBrendon Cahoon   return true;
3587254f889dSBrendon Cahoon }
3588254f889dSBrendon Cahoon 
358988391248SKrzysztof Parzyszek void SwingSchedulerDAG::postprocessDAG() {
359088391248SKrzysztof Parzyszek   for (auto &M : Mutations)
359188391248SKrzysztof Parzyszek     M->apply(this);
359288391248SKrzysztof Parzyszek }
359388391248SKrzysztof Parzyszek 
3594254f889dSBrendon Cahoon /// Try to schedule the node at the specified StartCycle and continue
3595254f889dSBrendon Cahoon /// until the node is schedule or the EndCycle is reached.  This function
3596254f889dSBrendon Cahoon /// returns true if the node is scheduled.  This routine may search either
3597254f889dSBrendon Cahoon /// forward or backward for a place to insert the instruction based upon
3598254f889dSBrendon Cahoon /// the relative values of StartCycle and EndCycle.
3599254f889dSBrendon Cahoon bool SMSchedule::insert(SUnit *SU, int StartCycle, int EndCycle, int II) {
3600254f889dSBrendon Cahoon   bool forward = true;
3601254f889dSBrendon Cahoon   if (StartCycle > EndCycle)
3602254f889dSBrendon Cahoon     forward = false;
3603254f889dSBrendon Cahoon 
3604254f889dSBrendon Cahoon   // The terminating condition depends on the direction.
3605254f889dSBrendon Cahoon   int termCycle = forward ? EndCycle + 1 : EndCycle - 1;
3606254f889dSBrendon Cahoon   for (int curCycle = StartCycle; curCycle != termCycle;
3607254f889dSBrendon Cahoon        forward ? ++curCycle : --curCycle) {
3608254f889dSBrendon Cahoon 
3609254f889dSBrendon Cahoon     // Add the already scheduled instructions at the specified cycle to the DFA.
3610254f889dSBrendon Cahoon     Resources->clearResources();
3611254f889dSBrendon Cahoon     for (int checkCycle = FirstCycle + ((curCycle - FirstCycle) % II);
3612254f889dSBrendon Cahoon          checkCycle <= LastCycle; checkCycle += II) {
3613254f889dSBrendon Cahoon       std::deque<SUnit *> &cycleInstrs = ScheduledInstrs[checkCycle];
3614254f889dSBrendon Cahoon 
3615254f889dSBrendon Cahoon       for (std::deque<SUnit *>::iterator I = cycleInstrs.begin(),
3616254f889dSBrendon Cahoon                                          E = cycleInstrs.end();
3617254f889dSBrendon Cahoon            I != E; ++I) {
3618254f889dSBrendon Cahoon         if (ST.getInstrInfo()->isZeroCost((*I)->getInstr()->getOpcode()))
3619254f889dSBrendon Cahoon           continue;
3620254f889dSBrendon Cahoon         assert(Resources->canReserveResources(*(*I)->getInstr()) &&
3621254f889dSBrendon Cahoon                "These instructions have already been scheduled.");
3622254f889dSBrendon Cahoon         Resources->reserveResources(*(*I)->getInstr());
3623254f889dSBrendon Cahoon       }
3624254f889dSBrendon Cahoon     }
3625254f889dSBrendon Cahoon     if (ST.getInstrInfo()->isZeroCost(SU->getInstr()->getOpcode()) ||
3626254f889dSBrendon Cahoon         Resources->canReserveResources(*SU->getInstr())) {
3627d34e60caSNicola Zaghen       LLVM_DEBUG({
3628254f889dSBrendon Cahoon         dbgs() << "\tinsert at cycle " << curCycle << " ";
3629254f889dSBrendon Cahoon         SU->getInstr()->dump();
3630254f889dSBrendon Cahoon       });
3631254f889dSBrendon Cahoon 
3632254f889dSBrendon Cahoon       ScheduledInstrs[curCycle].push_back(SU);
3633254f889dSBrendon Cahoon       InstrToCycle.insert(std::make_pair(SU, curCycle));
3634254f889dSBrendon Cahoon       if (curCycle > LastCycle)
3635254f889dSBrendon Cahoon         LastCycle = curCycle;
3636254f889dSBrendon Cahoon       if (curCycle < FirstCycle)
3637254f889dSBrendon Cahoon         FirstCycle = curCycle;
3638254f889dSBrendon Cahoon       return true;
3639254f889dSBrendon Cahoon     }
3640d34e60caSNicola Zaghen     LLVM_DEBUG({
3641254f889dSBrendon Cahoon       dbgs() << "\tfailed to insert at cycle " << curCycle << " ";
3642254f889dSBrendon Cahoon       SU->getInstr()->dump();
3643254f889dSBrendon Cahoon     });
3644254f889dSBrendon Cahoon   }
3645254f889dSBrendon Cahoon   return false;
3646254f889dSBrendon Cahoon }
3647254f889dSBrendon Cahoon 
3648254f889dSBrendon Cahoon // Return the cycle of the earliest scheduled instruction in the chain.
3649254f889dSBrendon Cahoon int SMSchedule::earliestCycleInChain(const SDep &Dep) {
3650254f889dSBrendon Cahoon   SmallPtrSet<SUnit *, 8> Visited;
3651254f889dSBrendon Cahoon   SmallVector<SDep, 8> Worklist;
3652254f889dSBrendon Cahoon   Worklist.push_back(Dep);
3653254f889dSBrendon Cahoon   int EarlyCycle = INT_MAX;
3654254f889dSBrendon Cahoon   while (!Worklist.empty()) {
3655254f889dSBrendon Cahoon     const SDep &Cur = Worklist.pop_back_val();
3656254f889dSBrendon Cahoon     SUnit *PrevSU = Cur.getSUnit();
3657254f889dSBrendon Cahoon     if (Visited.count(PrevSU))
3658254f889dSBrendon Cahoon       continue;
3659254f889dSBrendon Cahoon     std::map<SUnit *, int>::const_iterator it = InstrToCycle.find(PrevSU);
3660254f889dSBrendon Cahoon     if (it == InstrToCycle.end())
3661254f889dSBrendon Cahoon       continue;
3662254f889dSBrendon Cahoon     EarlyCycle = std::min(EarlyCycle, it->second);
3663254f889dSBrendon Cahoon     for (const auto &PI : PrevSU->Preds)
36648e1363dfSKrzysztof Parzyszek       if (PI.getKind() == SDep::Order || Dep.getKind() == SDep::Output)
3665254f889dSBrendon Cahoon         Worklist.push_back(PI);
3666254f889dSBrendon Cahoon     Visited.insert(PrevSU);
3667254f889dSBrendon Cahoon   }
3668254f889dSBrendon Cahoon   return EarlyCycle;
3669254f889dSBrendon Cahoon }
3670254f889dSBrendon Cahoon 
3671254f889dSBrendon Cahoon // Return the cycle of the latest scheduled instruction in the chain.
3672254f889dSBrendon Cahoon int SMSchedule::latestCycleInChain(const SDep &Dep) {
3673254f889dSBrendon Cahoon   SmallPtrSet<SUnit *, 8> Visited;
3674254f889dSBrendon Cahoon   SmallVector<SDep, 8> Worklist;
3675254f889dSBrendon Cahoon   Worklist.push_back(Dep);
3676254f889dSBrendon Cahoon   int LateCycle = INT_MIN;
3677254f889dSBrendon Cahoon   while (!Worklist.empty()) {
3678254f889dSBrendon Cahoon     const SDep &Cur = Worklist.pop_back_val();
3679254f889dSBrendon Cahoon     SUnit *SuccSU = Cur.getSUnit();
3680254f889dSBrendon Cahoon     if (Visited.count(SuccSU))
3681254f889dSBrendon Cahoon       continue;
3682254f889dSBrendon Cahoon     std::map<SUnit *, int>::const_iterator it = InstrToCycle.find(SuccSU);
3683254f889dSBrendon Cahoon     if (it == InstrToCycle.end())
3684254f889dSBrendon Cahoon       continue;
3685254f889dSBrendon Cahoon     LateCycle = std::max(LateCycle, it->second);
3686254f889dSBrendon Cahoon     for (const auto &SI : SuccSU->Succs)
36878e1363dfSKrzysztof Parzyszek       if (SI.getKind() == SDep::Order || Dep.getKind() == SDep::Output)
3688254f889dSBrendon Cahoon         Worklist.push_back(SI);
3689254f889dSBrendon Cahoon     Visited.insert(SuccSU);
3690254f889dSBrendon Cahoon   }
3691254f889dSBrendon Cahoon   return LateCycle;
3692254f889dSBrendon Cahoon }
3693254f889dSBrendon Cahoon 
3694254f889dSBrendon Cahoon /// If an instruction has a use that spans multiple iterations, then
3695254f889dSBrendon Cahoon /// return true. These instructions are characterized by having a back-ege
3696254f889dSBrendon Cahoon /// to a Phi, which contains a reference to another Phi.
3697254f889dSBrendon Cahoon static SUnit *multipleIterations(SUnit *SU, SwingSchedulerDAG *DAG) {
3698254f889dSBrendon Cahoon   for (auto &P : SU->Preds)
3699254f889dSBrendon Cahoon     if (DAG->isBackedge(SU, P) && P.getSUnit()->getInstr()->isPHI())
3700254f889dSBrendon Cahoon       for (auto &S : P.getSUnit()->Succs)
3701b9b75b8cSKrzysztof Parzyszek         if (S.getKind() == SDep::Data && S.getSUnit()->getInstr()->isPHI())
3702254f889dSBrendon Cahoon           return P.getSUnit();
3703254f889dSBrendon Cahoon   return nullptr;
3704254f889dSBrendon Cahoon }
3705254f889dSBrendon Cahoon 
3706254f889dSBrendon Cahoon /// Compute the scheduling start slot for the instruction.  The start slot
3707254f889dSBrendon Cahoon /// depends on any predecessor or successor nodes scheduled already.
3708254f889dSBrendon Cahoon void SMSchedule::computeStart(SUnit *SU, int *MaxEarlyStart, int *MinLateStart,
3709254f889dSBrendon Cahoon                               int *MinEnd, int *MaxStart, int II,
3710254f889dSBrendon Cahoon                               SwingSchedulerDAG *DAG) {
3711254f889dSBrendon Cahoon   // Iterate over each instruction that has been scheduled already.  The start
3712c73b6d6bSHiroshi Inoue   // slot computation depends on whether the previously scheduled instruction
3713254f889dSBrendon Cahoon   // is a predecessor or successor of the specified instruction.
3714254f889dSBrendon Cahoon   for (int cycle = getFirstCycle(); cycle <= LastCycle; ++cycle) {
3715254f889dSBrendon Cahoon 
3716254f889dSBrendon Cahoon     // Iterate over each instruction in the current cycle.
3717254f889dSBrendon Cahoon     for (SUnit *I : getInstructions(cycle)) {
3718254f889dSBrendon Cahoon       // Because we're processing a DAG for the dependences, we recognize
3719254f889dSBrendon Cahoon       // the back-edge in recurrences by anti dependences.
3720254f889dSBrendon Cahoon       for (unsigned i = 0, e = (unsigned)SU->Preds.size(); i != e; ++i) {
3721254f889dSBrendon Cahoon         const SDep &Dep = SU->Preds[i];
3722254f889dSBrendon Cahoon         if (Dep.getSUnit() == I) {
3723254f889dSBrendon Cahoon           if (!DAG->isBackedge(SU, Dep)) {
3724c715a5d2SKrzysztof Parzyszek             int EarlyStart = cycle + Dep.getLatency() -
3725254f889dSBrendon Cahoon                              DAG->getDistance(Dep.getSUnit(), SU, Dep) * II;
3726254f889dSBrendon Cahoon             *MaxEarlyStart = std::max(*MaxEarlyStart, EarlyStart);
37278e1363dfSKrzysztof Parzyszek             if (DAG->isLoopCarriedDep(SU, Dep, false)) {
3728254f889dSBrendon Cahoon               int End = earliestCycleInChain(Dep) + (II - 1);
3729254f889dSBrendon Cahoon               *MinEnd = std::min(*MinEnd, End);
3730254f889dSBrendon Cahoon             }
3731254f889dSBrendon Cahoon           } else {
3732c715a5d2SKrzysztof Parzyszek             int LateStart = cycle - Dep.getLatency() +
3733254f889dSBrendon Cahoon                             DAG->getDistance(SU, Dep.getSUnit(), Dep) * II;
3734254f889dSBrendon Cahoon             *MinLateStart = std::min(*MinLateStart, LateStart);
3735254f889dSBrendon Cahoon           }
3736254f889dSBrendon Cahoon         }
3737254f889dSBrendon Cahoon         // For instruction that requires multiple iterations, make sure that
3738254f889dSBrendon Cahoon         // the dependent instruction is not scheduled past the definition.
3739254f889dSBrendon Cahoon         SUnit *BE = multipleIterations(I, DAG);
3740254f889dSBrendon Cahoon         if (BE && Dep.getSUnit() == BE && !SU->getInstr()->isPHI() &&
3741254f889dSBrendon Cahoon             !SU->isPred(I))
3742254f889dSBrendon Cahoon           *MinLateStart = std::min(*MinLateStart, cycle);
3743254f889dSBrendon Cahoon       }
3744a2122044SKrzysztof Parzyszek       for (unsigned i = 0, e = (unsigned)SU->Succs.size(); i != e; ++i) {
3745254f889dSBrendon Cahoon         if (SU->Succs[i].getSUnit() == I) {
3746254f889dSBrendon Cahoon           const SDep &Dep = SU->Succs[i];
3747254f889dSBrendon Cahoon           if (!DAG->isBackedge(SU, Dep)) {
3748c715a5d2SKrzysztof Parzyszek             int LateStart = cycle - Dep.getLatency() +
3749254f889dSBrendon Cahoon                             DAG->getDistance(SU, Dep.getSUnit(), Dep) * II;
3750254f889dSBrendon Cahoon             *MinLateStart = std::min(*MinLateStart, LateStart);
37518e1363dfSKrzysztof Parzyszek             if (DAG->isLoopCarriedDep(SU, Dep)) {
3752254f889dSBrendon Cahoon               int Start = latestCycleInChain(Dep) + 1 - II;
3753254f889dSBrendon Cahoon               *MaxStart = std::max(*MaxStart, Start);
3754254f889dSBrendon Cahoon             }
3755254f889dSBrendon Cahoon           } else {
3756c715a5d2SKrzysztof Parzyszek             int EarlyStart = cycle + Dep.getLatency() -
3757254f889dSBrendon Cahoon                              DAG->getDistance(Dep.getSUnit(), SU, Dep) * II;
3758254f889dSBrendon Cahoon             *MaxEarlyStart = std::max(*MaxEarlyStart, EarlyStart);
3759254f889dSBrendon Cahoon           }
3760254f889dSBrendon Cahoon         }
3761254f889dSBrendon Cahoon       }
3762254f889dSBrendon Cahoon     }
3763254f889dSBrendon Cahoon   }
3764a2122044SKrzysztof Parzyszek }
3765254f889dSBrendon Cahoon 
3766254f889dSBrendon Cahoon /// Order the instructions within a cycle so that the definitions occur
3767254f889dSBrendon Cahoon /// before the uses. Returns true if the instruction is added to the start
3768254f889dSBrendon Cahoon /// of the list, or false if added to the end.
3769f13bbf1dSKrzysztof Parzyszek void SMSchedule::orderDependence(SwingSchedulerDAG *SSD, SUnit *SU,
3770254f889dSBrendon Cahoon                                  std::deque<SUnit *> &Insts) {
3771254f889dSBrendon Cahoon   MachineInstr *MI = SU->getInstr();
3772254f889dSBrendon Cahoon   bool OrderBeforeUse = false;
3773254f889dSBrendon Cahoon   bool OrderAfterDef = false;
3774254f889dSBrendon Cahoon   bool OrderBeforeDef = false;
3775254f889dSBrendon Cahoon   unsigned MoveDef = 0;
3776254f889dSBrendon Cahoon   unsigned MoveUse = 0;
3777254f889dSBrendon Cahoon   int StageInst1 = stageScheduled(SU);
3778254f889dSBrendon Cahoon 
3779254f889dSBrendon Cahoon   unsigned Pos = 0;
3780254f889dSBrendon Cahoon   for (std::deque<SUnit *>::iterator I = Insts.begin(), E = Insts.end(); I != E;
3781254f889dSBrendon Cahoon        ++I, ++Pos) {
3782254f889dSBrendon Cahoon     for (unsigned i = 0, e = MI->getNumOperands(); i < e; ++i) {
3783254f889dSBrendon Cahoon       MachineOperand &MO = MI->getOperand(i);
3784254f889dSBrendon Cahoon       if (!MO.isReg() || !TargetRegisterInfo::isVirtualRegister(MO.getReg()))
3785254f889dSBrendon Cahoon         continue;
3786f13bbf1dSKrzysztof Parzyszek 
3787254f889dSBrendon Cahoon       unsigned Reg = MO.getReg();
3788254f889dSBrendon Cahoon       unsigned BasePos, OffsetPos;
37898fb181caSKrzysztof Parzyszek       if (ST.getInstrInfo()->getBaseAndOffsetPosition(*MI, BasePos, OffsetPos))
3790254f889dSBrendon Cahoon         if (MI->getOperand(BasePos).getReg() == Reg)
3791254f889dSBrendon Cahoon           if (unsigned NewReg = SSD->getInstrBaseReg(SU))
3792254f889dSBrendon Cahoon             Reg = NewReg;
3793254f889dSBrendon Cahoon       bool Reads, Writes;
3794254f889dSBrendon Cahoon       std::tie(Reads, Writes) =
3795254f889dSBrendon Cahoon           (*I)->getInstr()->readsWritesVirtualRegister(Reg);
3796254f889dSBrendon Cahoon       if (MO.isDef() && Reads && stageScheduled(*I) <= StageInst1) {
3797254f889dSBrendon Cahoon         OrderBeforeUse = true;
3798f13bbf1dSKrzysztof Parzyszek         if (MoveUse == 0)
3799254f889dSBrendon Cahoon           MoveUse = Pos;
3800254f889dSBrendon Cahoon       } else if (MO.isDef() && Reads && stageScheduled(*I) > StageInst1) {
3801254f889dSBrendon Cahoon         // Add the instruction after the scheduled instruction.
3802254f889dSBrendon Cahoon         OrderAfterDef = true;
3803254f889dSBrendon Cahoon         MoveDef = Pos;
3804254f889dSBrendon Cahoon       } else if (MO.isUse() && Writes && stageScheduled(*I) == StageInst1) {
3805254f889dSBrendon Cahoon         if (cycleScheduled(*I) == cycleScheduled(SU) && !(*I)->isSucc(SU)) {
3806254f889dSBrendon Cahoon           OrderBeforeUse = true;
3807f13bbf1dSKrzysztof Parzyszek           if (MoveUse == 0)
3808254f889dSBrendon Cahoon             MoveUse = Pos;
3809254f889dSBrendon Cahoon         } else {
3810254f889dSBrendon Cahoon           OrderAfterDef = true;
3811254f889dSBrendon Cahoon           MoveDef = Pos;
3812254f889dSBrendon Cahoon         }
3813254f889dSBrendon Cahoon       } else if (MO.isUse() && Writes && stageScheduled(*I) > StageInst1) {
3814254f889dSBrendon Cahoon         OrderBeforeUse = true;
3815f13bbf1dSKrzysztof Parzyszek         if (MoveUse == 0)
3816254f889dSBrendon Cahoon           MoveUse = Pos;
3817254f889dSBrendon Cahoon         if (MoveUse != 0) {
3818254f889dSBrendon Cahoon           OrderAfterDef = true;
3819254f889dSBrendon Cahoon           MoveDef = Pos - 1;
3820254f889dSBrendon Cahoon         }
3821254f889dSBrendon Cahoon       } else if (MO.isUse() && Writes && stageScheduled(*I) < StageInst1) {
3822254f889dSBrendon Cahoon         // Add the instruction before the scheduled instruction.
3823254f889dSBrendon Cahoon         OrderBeforeUse = true;
3824f13bbf1dSKrzysztof Parzyszek         if (MoveUse == 0)
3825254f889dSBrendon Cahoon           MoveUse = Pos;
3826254f889dSBrendon Cahoon       } else if (MO.isUse() && stageScheduled(*I) == StageInst1 &&
3827254f889dSBrendon Cahoon                  isLoopCarriedDefOfUse(SSD, (*I)->getInstr(), MO)) {
3828f13bbf1dSKrzysztof Parzyszek         if (MoveUse == 0) {
3829254f889dSBrendon Cahoon           OrderBeforeDef = true;
3830254f889dSBrendon Cahoon           MoveUse = Pos;
3831254f889dSBrendon Cahoon         }
3832254f889dSBrendon Cahoon       }
3833f13bbf1dSKrzysztof Parzyszek     }
3834254f889dSBrendon Cahoon     // Check for order dependences between instructions. Make sure the source
3835254f889dSBrendon Cahoon     // is ordered before the destination.
38368e1363dfSKrzysztof Parzyszek     for (auto &S : SU->Succs) {
38378e1363dfSKrzysztof Parzyszek       if (S.getSUnit() != *I)
38388e1363dfSKrzysztof Parzyszek         continue;
38398e1363dfSKrzysztof Parzyszek       if (S.getKind() == SDep::Order && stageScheduled(*I) == StageInst1) {
3840254f889dSBrendon Cahoon         OrderBeforeUse = true;
38418e1363dfSKrzysztof Parzyszek         if (Pos < MoveUse)
3842254f889dSBrendon Cahoon           MoveUse = Pos;
3843254f889dSBrendon Cahoon       }
3844254f889dSBrendon Cahoon     }
38458e1363dfSKrzysztof Parzyszek     for (auto &P : SU->Preds) {
38468e1363dfSKrzysztof Parzyszek       if (P.getSUnit() != *I)
38478e1363dfSKrzysztof Parzyszek         continue;
38488e1363dfSKrzysztof Parzyszek       if (P.getKind() == SDep::Order && stageScheduled(*I) == StageInst1) {
3849254f889dSBrendon Cahoon         OrderAfterDef = true;
3850254f889dSBrendon Cahoon         MoveDef = Pos;
3851254f889dSBrendon Cahoon       }
3852254f889dSBrendon Cahoon     }
3853254f889dSBrendon Cahoon   }
3854254f889dSBrendon Cahoon 
3855254f889dSBrendon Cahoon   // A circular dependence.
3856254f889dSBrendon Cahoon   if (OrderAfterDef && OrderBeforeUse && MoveUse == MoveDef)
3857254f889dSBrendon Cahoon     OrderBeforeUse = false;
3858254f889dSBrendon Cahoon 
3859254f889dSBrendon Cahoon   // OrderAfterDef takes precedences over OrderBeforeDef. The latter is due
3860254f889dSBrendon Cahoon   // to a loop-carried dependence.
3861254f889dSBrendon Cahoon   if (OrderBeforeDef)
3862254f889dSBrendon Cahoon     OrderBeforeUse = !OrderAfterDef || (MoveUse > MoveDef);
3863254f889dSBrendon Cahoon 
3864254f889dSBrendon Cahoon   // The uncommon case when the instruction order needs to be updated because
3865254f889dSBrendon Cahoon   // there is both a use and def.
3866254f889dSBrendon Cahoon   if (OrderBeforeUse && OrderAfterDef) {
3867254f889dSBrendon Cahoon     SUnit *UseSU = Insts.at(MoveUse);
3868254f889dSBrendon Cahoon     SUnit *DefSU = Insts.at(MoveDef);
3869254f889dSBrendon Cahoon     if (MoveUse > MoveDef) {
3870254f889dSBrendon Cahoon       Insts.erase(Insts.begin() + MoveUse);
3871254f889dSBrendon Cahoon       Insts.erase(Insts.begin() + MoveDef);
3872254f889dSBrendon Cahoon     } else {
3873254f889dSBrendon Cahoon       Insts.erase(Insts.begin() + MoveDef);
3874254f889dSBrendon Cahoon       Insts.erase(Insts.begin() + MoveUse);
3875254f889dSBrendon Cahoon     }
3876f13bbf1dSKrzysztof Parzyszek     orderDependence(SSD, UseSU, Insts);
3877f13bbf1dSKrzysztof Parzyszek     orderDependence(SSD, SU, Insts);
3878254f889dSBrendon Cahoon     orderDependence(SSD, DefSU, Insts);
3879f13bbf1dSKrzysztof Parzyszek     return;
3880254f889dSBrendon Cahoon   }
3881254f889dSBrendon Cahoon   // Put the new instruction first if there is a use in the list. Otherwise,
3882254f889dSBrendon Cahoon   // put it at the end of the list.
3883254f889dSBrendon Cahoon   if (OrderBeforeUse)
3884254f889dSBrendon Cahoon     Insts.push_front(SU);
3885254f889dSBrendon Cahoon   else
3886254f889dSBrendon Cahoon     Insts.push_back(SU);
3887254f889dSBrendon Cahoon }
3888254f889dSBrendon Cahoon 
3889254f889dSBrendon Cahoon /// Return true if the scheduled Phi has a loop carried operand.
3890254f889dSBrendon Cahoon bool SMSchedule::isLoopCarried(SwingSchedulerDAG *SSD, MachineInstr &Phi) {
3891254f889dSBrendon Cahoon   if (!Phi.isPHI())
3892254f889dSBrendon Cahoon     return false;
3893c73b6d6bSHiroshi Inoue   assert(Phi.isPHI() && "Expecting a Phi.");
3894254f889dSBrendon Cahoon   SUnit *DefSU = SSD->getSUnit(&Phi);
3895254f889dSBrendon Cahoon   unsigned DefCycle = cycleScheduled(DefSU);
3896254f889dSBrendon Cahoon   int DefStage = stageScheduled(DefSU);
3897254f889dSBrendon Cahoon 
3898254f889dSBrendon Cahoon   unsigned InitVal = 0;
3899254f889dSBrendon Cahoon   unsigned LoopVal = 0;
3900254f889dSBrendon Cahoon   getPhiRegs(Phi, Phi.getParent(), InitVal, LoopVal);
3901254f889dSBrendon Cahoon   SUnit *UseSU = SSD->getSUnit(MRI.getVRegDef(LoopVal));
3902254f889dSBrendon Cahoon   if (!UseSU)
3903254f889dSBrendon Cahoon     return true;
3904254f889dSBrendon Cahoon   if (UseSU->getInstr()->isPHI())
3905254f889dSBrendon Cahoon     return true;
3906254f889dSBrendon Cahoon   unsigned LoopCycle = cycleScheduled(UseSU);
3907254f889dSBrendon Cahoon   int LoopStage = stageScheduled(UseSU);
39083d8482a8SSimon Pilgrim   return (LoopCycle > DefCycle) || (LoopStage <= DefStage);
3909254f889dSBrendon Cahoon }
3910254f889dSBrendon Cahoon 
3911254f889dSBrendon Cahoon /// Return true if the instruction is a definition that is loop carried
3912254f889dSBrendon Cahoon /// and defines the use on the next iteration.
3913254f889dSBrendon Cahoon ///        v1 = phi(v2, v3)
3914254f889dSBrendon Cahoon ///  (Def) v3 = op v1
3915254f889dSBrendon Cahoon ///  (MO)   = v1
3916254f889dSBrendon Cahoon /// If MO appears before Def, then then v1 and v3 may get assigned to the same
3917254f889dSBrendon Cahoon /// register.
3918254f889dSBrendon Cahoon bool SMSchedule::isLoopCarriedDefOfUse(SwingSchedulerDAG *SSD,
3919254f889dSBrendon Cahoon                                        MachineInstr *Def, MachineOperand &MO) {
3920254f889dSBrendon Cahoon   if (!MO.isReg())
3921254f889dSBrendon Cahoon     return false;
3922254f889dSBrendon Cahoon   if (Def->isPHI())
3923254f889dSBrendon Cahoon     return false;
3924254f889dSBrendon Cahoon   MachineInstr *Phi = MRI.getVRegDef(MO.getReg());
3925254f889dSBrendon Cahoon   if (!Phi || !Phi->isPHI() || Phi->getParent() != Def->getParent())
3926254f889dSBrendon Cahoon     return false;
3927254f889dSBrendon Cahoon   if (!isLoopCarried(SSD, *Phi))
3928254f889dSBrendon Cahoon     return false;
3929254f889dSBrendon Cahoon   unsigned LoopReg = getLoopPhiReg(*Phi, Phi->getParent());
3930254f889dSBrendon Cahoon   for (unsigned i = 0, e = Def->getNumOperands(); i != e; ++i) {
3931254f889dSBrendon Cahoon     MachineOperand &DMO = Def->getOperand(i);
3932254f889dSBrendon Cahoon     if (!DMO.isReg() || !DMO.isDef())
3933254f889dSBrendon Cahoon       continue;
3934254f889dSBrendon Cahoon     if (DMO.getReg() == LoopReg)
3935254f889dSBrendon Cahoon       return true;
3936254f889dSBrendon Cahoon   }
3937254f889dSBrendon Cahoon   return false;
3938254f889dSBrendon Cahoon }
3939254f889dSBrendon Cahoon 
3940254f889dSBrendon Cahoon // Check if the generated schedule is valid. This function checks if
3941254f889dSBrendon Cahoon // an instruction that uses a physical register is scheduled in a
3942254f889dSBrendon Cahoon // different stage than the definition. The pipeliner does not handle
3943254f889dSBrendon Cahoon // physical register values that may cross a basic block boundary.
3944254f889dSBrendon Cahoon bool SMSchedule::isValidSchedule(SwingSchedulerDAG *SSD) {
3945254f889dSBrendon Cahoon   for (int i = 0, e = SSD->SUnits.size(); i < e; ++i) {
3946254f889dSBrendon Cahoon     SUnit &SU = SSD->SUnits[i];
3947254f889dSBrendon Cahoon     if (!SU.hasPhysRegDefs)
3948254f889dSBrendon Cahoon       continue;
3949254f889dSBrendon Cahoon     int StageDef = stageScheduled(&SU);
3950254f889dSBrendon Cahoon     assert(StageDef != -1 && "Instruction should have been scheduled.");
3951254f889dSBrendon Cahoon     for (auto &SI : SU.Succs)
3952254f889dSBrendon Cahoon       if (SI.isAssignedRegDep())
3953b39236b6SSimon Pilgrim         if (ST.getRegisterInfo()->isPhysicalRegister(SI.getReg()))
3954254f889dSBrendon Cahoon           if (stageScheduled(SI.getSUnit()) != StageDef)
3955254f889dSBrendon Cahoon             return false;
3956254f889dSBrendon Cahoon   }
3957254f889dSBrendon Cahoon   return true;
3958254f889dSBrendon Cahoon }
3959254f889dSBrendon Cahoon 
39604b8bcf00SRoorda, Jan-Willem /// A property of the node order in swing-modulo-scheduling is
39614b8bcf00SRoorda, Jan-Willem /// that for nodes outside circuits the following holds:
39624b8bcf00SRoorda, Jan-Willem /// none of them is scheduled after both a successor and a
39634b8bcf00SRoorda, Jan-Willem /// predecessor.
39644b8bcf00SRoorda, Jan-Willem /// The method below checks whether the property is met.
39654b8bcf00SRoorda, Jan-Willem /// If not, debug information is printed and statistics information updated.
39664b8bcf00SRoorda, Jan-Willem /// Note that we do not use an assert statement.
39674b8bcf00SRoorda, Jan-Willem /// The reason is that although an invalid node oder may prevent
39684b8bcf00SRoorda, Jan-Willem /// the pipeliner from finding a pipelined schedule for arbitrary II,
39694b8bcf00SRoorda, Jan-Willem /// it does not lead to the generation of incorrect code.
39704b8bcf00SRoorda, Jan-Willem void SwingSchedulerDAG::checkValidNodeOrder(const NodeSetType &Circuits) const {
39714b8bcf00SRoorda, Jan-Willem 
39724b8bcf00SRoorda, Jan-Willem   // a sorted vector that maps each SUnit to its index in the NodeOrder
39734b8bcf00SRoorda, Jan-Willem   typedef std::pair<SUnit *, unsigned> UnitIndex;
39744b8bcf00SRoorda, Jan-Willem   std::vector<UnitIndex> Indices(NodeOrder.size(), std::make_pair(nullptr, 0));
39754b8bcf00SRoorda, Jan-Willem 
39764b8bcf00SRoorda, Jan-Willem   for (unsigned i = 0, s = NodeOrder.size(); i < s; ++i)
39774b8bcf00SRoorda, Jan-Willem     Indices.push_back(std::make_pair(NodeOrder[i], i));
39784b8bcf00SRoorda, Jan-Willem 
39794b8bcf00SRoorda, Jan-Willem   auto CompareKey = [](UnitIndex i1, UnitIndex i2) {
39804b8bcf00SRoorda, Jan-Willem     return std::get<0>(i1) < std::get<0>(i2);
39814b8bcf00SRoorda, Jan-Willem   };
39824b8bcf00SRoorda, Jan-Willem 
39834b8bcf00SRoorda, Jan-Willem   // sort, so that we can perform a binary search
3984e92f0cfeSMandeep Singh Grang   llvm::sort(Indices.begin(), Indices.end(), CompareKey);
39854b8bcf00SRoorda, Jan-Willem 
39864b8bcf00SRoorda, Jan-Willem   bool Valid = true;
3987febf70a9SDavid L Kreitzer   (void)Valid;
39884b8bcf00SRoorda, Jan-Willem   // for each SUnit in the NodeOrder, check whether
39894b8bcf00SRoorda, Jan-Willem   // it appears after both a successor and a predecessor
39904b8bcf00SRoorda, Jan-Willem   // of the SUnit. If this is the case, and the SUnit
39914b8bcf00SRoorda, Jan-Willem   // is not part of circuit, then the NodeOrder is not
39924b8bcf00SRoorda, Jan-Willem   // valid.
39934b8bcf00SRoorda, Jan-Willem   for (unsigned i = 0, s = NodeOrder.size(); i < s; ++i) {
39944b8bcf00SRoorda, Jan-Willem     SUnit *SU = NodeOrder[i];
39954b8bcf00SRoorda, Jan-Willem     unsigned Index = i;
39964b8bcf00SRoorda, Jan-Willem 
39974b8bcf00SRoorda, Jan-Willem     bool PredBefore = false;
39984b8bcf00SRoorda, Jan-Willem     bool SuccBefore = false;
39994b8bcf00SRoorda, Jan-Willem 
40004b8bcf00SRoorda, Jan-Willem     SUnit *Succ;
40014b8bcf00SRoorda, Jan-Willem     SUnit *Pred;
4002febf70a9SDavid L Kreitzer     (void)Succ;
4003febf70a9SDavid L Kreitzer     (void)Pred;
40044b8bcf00SRoorda, Jan-Willem 
40054b8bcf00SRoorda, Jan-Willem     for (SDep &PredEdge : SU->Preds) {
40064b8bcf00SRoorda, Jan-Willem       SUnit *PredSU = PredEdge.getSUnit();
40074b8bcf00SRoorda, Jan-Willem       unsigned PredIndex =
40084b8bcf00SRoorda, Jan-Willem           std::get<1>(*std::lower_bound(Indices.begin(), Indices.end(),
40094b8bcf00SRoorda, Jan-Willem                                         std::make_pair(PredSU, 0), CompareKey));
40104b8bcf00SRoorda, Jan-Willem       if (!PredSU->getInstr()->isPHI() && PredIndex < Index) {
40114b8bcf00SRoorda, Jan-Willem         PredBefore = true;
40124b8bcf00SRoorda, Jan-Willem         Pred = PredSU;
40134b8bcf00SRoorda, Jan-Willem         break;
40144b8bcf00SRoorda, Jan-Willem       }
40154b8bcf00SRoorda, Jan-Willem     }
40164b8bcf00SRoorda, Jan-Willem 
40174b8bcf00SRoorda, Jan-Willem     for (SDep &SuccEdge : SU->Succs) {
40184b8bcf00SRoorda, Jan-Willem       SUnit *SuccSU = SuccEdge.getSUnit();
40194b8bcf00SRoorda, Jan-Willem       unsigned SuccIndex =
40204b8bcf00SRoorda, Jan-Willem           std::get<1>(*std::lower_bound(Indices.begin(), Indices.end(),
40214b8bcf00SRoorda, Jan-Willem                                         std::make_pair(SuccSU, 0), CompareKey));
40224b8bcf00SRoorda, Jan-Willem       if (!SuccSU->getInstr()->isPHI() && SuccIndex < Index) {
40234b8bcf00SRoorda, Jan-Willem         SuccBefore = true;
40244b8bcf00SRoorda, Jan-Willem         Succ = SuccSU;
40254b8bcf00SRoorda, Jan-Willem         break;
40264b8bcf00SRoorda, Jan-Willem       }
40274b8bcf00SRoorda, Jan-Willem     }
40284b8bcf00SRoorda, Jan-Willem 
40294b8bcf00SRoorda, Jan-Willem     if (PredBefore && SuccBefore && !SU->getInstr()->isPHI()) {
40304b8bcf00SRoorda, Jan-Willem       // instructions in circuits are allowed to be scheduled
40314b8bcf00SRoorda, Jan-Willem       // after both a successor and predecessor.
40324b8bcf00SRoorda, Jan-Willem       bool InCircuit = std::any_of(
40334b8bcf00SRoorda, Jan-Willem           Circuits.begin(), Circuits.end(),
40344b8bcf00SRoorda, Jan-Willem           [SU](const NodeSet &Circuit) { return Circuit.count(SU); });
40354b8bcf00SRoorda, Jan-Willem       if (InCircuit)
4036d34e60caSNicola Zaghen         LLVM_DEBUG(dbgs() << "In a circuit, predecessor ";);
40374b8bcf00SRoorda, Jan-Willem       else {
40384b8bcf00SRoorda, Jan-Willem         Valid = false;
40394b8bcf00SRoorda, Jan-Willem         NumNodeOrderIssues++;
4040d34e60caSNicola Zaghen         LLVM_DEBUG(dbgs() << "Predecessor ";);
40414b8bcf00SRoorda, Jan-Willem       }
4042d34e60caSNicola Zaghen       LLVM_DEBUG(dbgs() << Pred->NodeNum << " and successor " << Succ->NodeNum
4043d34e60caSNicola Zaghen                         << " are scheduled before node " << SU->NodeNum
4044d34e60caSNicola Zaghen                         << "\n";);
40454b8bcf00SRoorda, Jan-Willem     }
40464b8bcf00SRoorda, Jan-Willem   }
40474b8bcf00SRoorda, Jan-Willem 
4048d34e60caSNicola Zaghen   LLVM_DEBUG({
40494b8bcf00SRoorda, Jan-Willem     if (!Valid)
40504b8bcf00SRoorda, Jan-Willem       dbgs() << "Invalid node order found!\n";
40514b8bcf00SRoorda, Jan-Willem   });
40524b8bcf00SRoorda, Jan-Willem }
40534b8bcf00SRoorda, Jan-Willem 
40548f174ddeSKrzysztof Parzyszek /// Attempt to fix the degenerate cases when the instruction serialization
40558f174ddeSKrzysztof Parzyszek /// causes the register lifetimes to overlap. For example,
40568f174ddeSKrzysztof Parzyszek ///   p' = store_pi(p, b)
40578f174ddeSKrzysztof Parzyszek ///      = load p, offset
40588f174ddeSKrzysztof Parzyszek /// In this case p and p' overlap, which means that two registers are needed.
40598f174ddeSKrzysztof Parzyszek /// Instead, this function changes the load to use p' and updates the offset.
40608f174ddeSKrzysztof Parzyszek void SwingSchedulerDAG::fixupRegisterOverlaps(std::deque<SUnit *> &Instrs) {
40618f174ddeSKrzysztof Parzyszek   unsigned OverlapReg = 0;
40628f174ddeSKrzysztof Parzyszek   unsigned NewBaseReg = 0;
40638f174ddeSKrzysztof Parzyszek   for (SUnit *SU : Instrs) {
40648f174ddeSKrzysztof Parzyszek     MachineInstr *MI = SU->getInstr();
40658f174ddeSKrzysztof Parzyszek     for (unsigned i = 0, e = MI->getNumOperands(); i < e; ++i) {
40668f174ddeSKrzysztof Parzyszek       const MachineOperand &MO = MI->getOperand(i);
40678f174ddeSKrzysztof Parzyszek       // Look for an instruction that uses p. The instruction occurs in the
40688f174ddeSKrzysztof Parzyszek       // same cycle but occurs later in the serialized order.
40698f174ddeSKrzysztof Parzyszek       if (MO.isReg() && MO.isUse() && MO.getReg() == OverlapReg) {
40708f174ddeSKrzysztof Parzyszek         // Check that the instruction appears in the InstrChanges structure,
40718f174ddeSKrzysztof Parzyszek         // which contains instructions that can have the offset updated.
40728f174ddeSKrzysztof Parzyszek         DenseMap<SUnit *, std::pair<unsigned, int64_t>>::iterator It =
40738f174ddeSKrzysztof Parzyszek           InstrChanges.find(SU);
40748f174ddeSKrzysztof Parzyszek         if (It != InstrChanges.end()) {
40758f174ddeSKrzysztof Parzyszek           unsigned BasePos, OffsetPos;
40768f174ddeSKrzysztof Parzyszek           // Update the base register and adjust the offset.
40778f174ddeSKrzysztof Parzyszek           if (TII->getBaseAndOffsetPosition(*MI, BasePos, OffsetPos)) {
407812bdcab5SKrzysztof Parzyszek             MachineInstr *NewMI = MF.CloneMachineInstr(MI);
407912bdcab5SKrzysztof Parzyszek             NewMI->getOperand(BasePos).setReg(NewBaseReg);
408012bdcab5SKrzysztof Parzyszek             int64_t NewOffset =
408112bdcab5SKrzysztof Parzyszek                 MI->getOperand(OffsetPos).getImm() - It->second.second;
408212bdcab5SKrzysztof Parzyszek             NewMI->getOperand(OffsetPos).setImm(NewOffset);
408312bdcab5SKrzysztof Parzyszek             SU->setInstr(NewMI);
408412bdcab5SKrzysztof Parzyszek             MISUnitMap[NewMI] = SU;
408512bdcab5SKrzysztof Parzyszek             NewMIs.insert(NewMI);
40868f174ddeSKrzysztof Parzyszek           }
40878f174ddeSKrzysztof Parzyszek         }
40888f174ddeSKrzysztof Parzyszek         OverlapReg = 0;
40898f174ddeSKrzysztof Parzyszek         NewBaseReg = 0;
40908f174ddeSKrzysztof Parzyszek         break;
40918f174ddeSKrzysztof Parzyszek       }
40928f174ddeSKrzysztof Parzyszek       // Look for an instruction of the form p' = op(p), which uses and defines
40938f174ddeSKrzysztof Parzyszek       // two virtual registers that get allocated to the same physical register.
40948f174ddeSKrzysztof Parzyszek       unsigned TiedUseIdx = 0;
40958f174ddeSKrzysztof Parzyszek       if (MI->isRegTiedToUseOperand(i, &TiedUseIdx)) {
40968f174ddeSKrzysztof Parzyszek         // OverlapReg is p in the example above.
40978f174ddeSKrzysztof Parzyszek         OverlapReg = MI->getOperand(TiedUseIdx).getReg();
40988f174ddeSKrzysztof Parzyszek         // NewBaseReg is p' in the example above.
40998f174ddeSKrzysztof Parzyszek         NewBaseReg = MI->getOperand(i).getReg();
41008f174ddeSKrzysztof Parzyszek         break;
41018f174ddeSKrzysztof Parzyszek       }
41028f174ddeSKrzysztof Parzyszek     }
41038f174ddeSKrzysztof Parzyszek   }
41048f174ddeSKrzysztof Parzyszek }
41058f174ddeSKrzysztof Parzyszek 
4106254f889dSBrendon Cahoon /// After the schedule has been formed, call this function to combine
4107254f889dSBrendon Cahoon /// the instructions from the different stages/cycles.  That is, this
4108254f889dSBrendon Cahoon /// function creates a schedule that represents a single iteration.
4109254f889dSBrendon Cahoon void SMSchedule::finalizeSchedule(SwingSchedulerDAG *SSD) {
4110254f889dSBrendon Cahoon   // Move all instructions to the first stage from later stages.
4111254f889dSBrendon Cahoon   for (int cycle = getFirstCycle(); cycle <= getFinalCycle(); ++cycle) {
4112254f889dSBrendon Cahoon     for (int stage = 1, lastStage = getMaxStageCount(); stage <= lastStage;
4113254f889dSBrendon Cahoon          ++stage) {
4114254f889dSBrendon Cahoon       std::deque<SUnit *> &cycleInstrs =
4115254f889dSBrendon Cahoon           ScheduledInstrs[cycle + (stage * InitiationInterval)];
4116254f889dSBrendon Cahoon       for (std::deque<SUnit *>::reverse_iterator I = cycleInstrs.rbegin(),
4117254f889dSBrendon Cahoon                                                  E = cycleInstrs.rend();
4118254f889dSBrendon Cahoon            I != E; ++I)
4119254f889dSBrendon Cahoon         ScheduledInstrs[cycle].push_front(*I);
4120254f889dSBrendon Cahoon     }
4121254f889dSBrendon Cahoon   }
4122254f889dSBrendon Cahoon   // Iterate over the definitions in each instruction, and compute the
4123254f889dSBrendon Cahoon   // stage difference for each use.  Keep the maximum value.
4124254f889dSBrendon Cahoon   for (auto &I : InstrToCycle) {
4125254f889dSBrendon Cahoon     int DefStage = stageScheduled(I.first);
4126254f889dSBrendon Cahoon     MachineInstr *MI = I.first->getInstr();
4127254f889dSBrendon Cahoon     for (unsigned i = 0, e = MI->getNumOperands(); i < e; ++i) {
4128254f889dSBrendon Cahoon       MachineOperand &Op = MI->getOperand(i);
4129254f889dSBrendon Cahoon       if (!Op.isReg() || !Op.isDef())
4130254f889dSBrendon Cahoon         continue;
4131254f889dSBrendon Cahoon 
4132254f889dSBrendon Cahoon       unsigned Reg = Op.getReg();
4133254f889dSBrendon Cahoon       unsigned MaxDiff = 0;
4134254f889dSBrendon Cahoon       bool PhiIsSwapped = false;
4135254f889dSBrendon Cahoon       for (MachineRegisterInfo::use_iterator UI = MRI.use_begin(Reg),
4136254f889dSBrendon Cahoon                                              EI = MRI.use_end();
4137254f889dSBrendon Cahoon            UI != EI; ++UI) {
4138254f889dSBrendon Cahoon         MachineOperand &UseOp = *UI;
4139254f889dSBrendon Cahoon         MachineInstr *UseMI = UseOp.getParent();
4140254f889dSBrendon Cahoon         SUnit *SUnitUse = SSD->getSUnit(UseMI);
4141254f889dSBrendon Cahoon         int UseStage = stageScheduled(SUnitUse);
4142254f889dSBrendon Cahoon         unsigned Diff = 0;
4143254f889dSBrendon Cahoon         if (UseStage != -1 && UseStage >= DefStage)
4144254f889dSBrendon Cahoon           Diff = UseStage - DefStage;
4145254f889dSBrendon Cahoon         if (MI->isPHI()) {
4146254f889dSBrendon Cahoon           if (isLoopCarried(SSD, *MI))
4147254f889dSBrendon Cahoon             ++Diff;
4148254f889dSBrendon Cahoon           else
4149254f889dSBrendon Cahoon             PhiIsSwapped = true;
4150254f889dSBrendon Cahoon         }
4151254f889dSBrendon Cahoon         MaxDiff = std::max(Diff, MaxDiff);
4152254f889dSBrendon Cahoon       }
4153254f889dSBrendon Cahoon       RegToStageDiff[Reg] = std::make_pair(MaxDiff, PhiIsSwapped);
4154254f889dSBrendon Cahoon     }
4155254f889dSBrendon Cahoon   }
4156254f889dSBrendon Cahoon 
4157254f889dSBrendon Cahoon   // Erase all the elements in the later stages. Only one iteration should
4158254f889dSBrendon Cahoon   // remain in the scheduled list, and it contains all the instructions.
4159254f889dSBrendon Cahoon   for (int cycle = getFinalCycle() + 1; cycle <= LastCycle; ++cycle)
4160254f889dSBrendon Cahoon     ScheduledInstrs.erase(cycle);
4161254f889dSBrendon Cahoon 
4162254f889dSBrendon Cahoon   // Change the registers in instruction as specified in the InstrChanges
4163254f889dSBrendon Cahoon   // map. We need to use the new registers to create the correct order.
4164254f889dSBrendon Cahoon   for (int i = 0, e = SSD->SUnits.size(); i != e; ++i) {
4165254f889dSBrendon Cahoon     SUnit *SU = &SSD->SUnits[i];
41668f174ddeSKrzysztof Parzyszek     SSD->applyInstrChange(SU->getInstr(), *this);
4167254f889dSBrendon Cahoon   }
4168254f889dSBrendon Cahoon 
4169254f889dSBrendon Cahoon   // Reorder the instructions in each cycle to fix and improve the
4170254f889dSBrendon Cahoon   // generated code.
4171254f889dSBrendon Cahoon   for (int Cycle = getFirstCycle(), E = getFinalCycle(); Cycle <= E; ++Cycle) {
4172254f889dSBrendon Cahoon     std::deque<SUnit *> &cycleInstrs = ScheduledInstrs[Cycle];
4173f13bbf1dSKrzysztof Parzyszek     std::deque<SUnit *> newOrderPhi;
4174254f889dSBrendon Cahoon     for (unsigned i = 0, e = cycleInstrs.size(); i < e; ++i) {
4175254f889dSBrendon Cahoon       SUnit *SU = cycleInstrs[i];
4176f13bbf1dSKrzysztof Parzyszek       if (SU->getInstr()->isPHI())
4177f13bbf1dSKrzysztof Parzyszek         newOrderPhi.push_back(SU);
4178254f889dSBrendon Cahoon     }
4179254f889dSBrendon Cahoon     std::deque<SUnit *> newOrderI;
4180254f889dSBrendon Cahoon     for (unsigned i = 0, e = cycleInstrs.size(); i < e; ++i) {
4181254f889dSBrendon Cahoon       SUnit *SU = cycleInstrs[i];
4182f13bbf1dSKrzysztof Parzyszek       if (!SU->getInstr()->isPHI())
4183254f889dSBrendon Cahoon         orderDependence(SSD, SU, newOrderI);
4184254f889dSBrendon Cahoon     }
4185254f889dSBrendon Cahoon     // Replace the old order with the new order.
4186f13bbf1dSKrzysztof Parzyszek     cycleInstrs.swap(newOrderPhi);
4187254f889dSBrendon Cahoon     cycleInstrs.insert(cycleInstrs.end(), newOrderI.begin(), newOrderI.end());
41888f174ddeSKrzysztof Parzyszek     SSD->fixupRegisterOverlaps(cycleInstrs);
4189254f889dSBrendon Cahoon   }
4190254f889dSBrendon Cahoon 
4191d34e60caSNicola Zaghen   LLVM_DEBUG(dump(););
4192254f889dSBrendon Cahoon }
4193254f889dSBrendon Cahoon 
4194615eb470SAaron Ballman #if !defined(NDEBUG) || defined(LLVM_ENABLE_DUMP)
4195254f889dSBrendon Cahoon /// Print the schedule information to the given output.
4196254f889dSBrendon Cahoon void SMSchedule::print(raw_ostream &os) const {
4197254f889dSBrendon Cahoon   // Iterate over each cycle.
4198254f889dSBrendon Cahoon   for (int cycle = getFirstCycle(); cycle <= getFinalCycle(); ++cycle) {
4199254f889dSBrendon Cahoon     // Iterate over each instruction in the cycle.
4200254f889dSBrendon Cahoon     const_sched_iterator cycleInstrs = ScheduledInstrs.find(cycle);
4201254f889dSBrendon Cahoon     for (SUnit *CI : cycleInstrs->second) {
4202254f889dSBrendon Cahoon       os << "cycle " << cycle << " (" << stageScheduled(CI) << ") ";
4203254f889dSBrendon Cahoon       os << "(" << CI->NodeNum << ") ";
4204254f889dSBrendon Cahoon       CI->getInstr()->print(os);
4205254f889dSBrendon Cahoon       os << "\n";
4206254f889dSBrendon Cahoon     }
4207254f889dSBrendon Cahoon   }
4208254f889dSBrendon Cahoon }
4209254f889dSBrendon Cahoon 
4210254f889dSBrendon Cahoon /// Utility function used for debugging to print the schedule.
42118c209aa8SMatthias Braun LLVM_DUMP_METHOD void SMSchedule::dump() const { print(dbgs()); }
42128c209aa8SMatthias Braun #endif
4213