blob: 9840a402804457d7b7e51387db04acbef278503d [file] [log] [blame]
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +00001//===-- EarlyIfConversion.cpp - If-conversion on SSA form machine code ----===//
2//
3// The LLVM Compiler Infrastructure
4//
5// This file is distributed under the University of Illinois Open Source
6// License. See LICENSE.TXT for details.
7//
8//===----------------------------------------------------------------------===//
9//
10// Early if-conversion is for out-of-order CPUs that don't have a lot of
11// predicable instructions. The goal is to eliminate conditional branches that
12// may mispredict.
13//
14// Instructions from both sides of the branch are executed specutatively, and a
15// cmov instruction selects the result.
16//
17//===----------------------------------------------------------------------===//
18
19#define DEBUG_TYPE "early-ifcvt"
20#include "llvm/Function.h"
21#include "llvm/ADT/BitVector.h"
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +000022#include "llvm/ADT/PostOrderIterator.h"
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +000023#include "llvm/ADT/SetVector.h"
24#include "llvm/ADT/SmallPtrSet.h"
25#include "llvm/ADT/SparseSet.h"
26#include "llvm/CodeGen/MachineBranchProbabilityInfo.h"
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +000027#include "llvm/CodeGen/MachineDominators.h"
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +000028#include "llvm/CodeGen/MachineFunction.h"
29#include "llvm/CodeGen/MachineFunctionPass.h"
Jakob Stoklund Olesen47730a72012-07-10 22:39:56 +000030#include "llvm/CodeGen/MachineLoopInfo.h"
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +000031#include "llvm/CodeGen/MachineRegisterInfo.h"
32#include "llvm/CodeGen/Passes.h"
33#include "llvm/Target/TargetInstrInfo.h"
34#include "llvm/Target/TargetRegisterInfo.h"
35#include "llvm/Support/CommandLine.h"
36#include "llvm/Support/Debug.h"
37#include "llvm/Support/raw_ostream.h"
38
39using namespace llvm;
40
41// Absolute maximum number of instructions allowed per speculated block.
42// This bypasses all other heuristics, so it should be set fairly high.
43static cl::opt<unsigned>
44BlockInstrLimit("early-ifcvt-limit", cl::init(30), cl::Hidden,
45 cl::desc("Maximum number of instructions per speculated block."));
46
47// Stress testing mode - disable heuristics.
48static cl::opt<bool> Stress("stress-early-ifcvt", cl::Hidden,
49 cl::desc("Turn all knobs to 11"));
50
51typedef SmallSetVector<MachineBasicBlock*, 8> BlockSetVector;
52
53//===----------------------------------------------------------------------===//
54// SSAIfConv
55//===----------------------------------------------------------------------===//
56//
57// The SSAIfConv class performs if-conversion on SSA form machine code after
Matt Beaumont-Gay00f43072012-07-04 01:09:45 +000058// determining if it is possible. The class contains no heuristics; external
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +000059// code should be used to determine when if-conversion is a good idea.
60//
Matt Beaumont-Gay00f43072012-07-04 01:09:45 +000061// SSAIfConv can convert both triangles and diamonds:
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +000062//
63// Triangle: Head Diamond: Head
Matt Beaumont-Gay00f43072012-07-04 01:09:45 +000064// | \ / \_
65// | \ / |
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +000066// | [TF]BB FBB TBB
67// | / \ /
68// | / \ /
69// Tail Tail
70//
71// Instructions in the conditional blocks TBB and/or FBB are spliced into the
Matt Beaumont-Gay00f43072012-07-04 01:09:45 +000072// Head block, and phis in the Tail block are converted to select instructions.
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +000073//
74namespace {
75class SSAIfConv {
76 const TargetInstrInfo *TII;
77 const TargetRegisterInfo *TRI;
78 MachineRegisterInfo *MRI;
79
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +000080public:
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +000081 /// The block containing the conditional branch.
82 MachineBasicBlock *Head;
83
84 /// The block containing phis after the if-then-else.
85 MachineBasicBlock *Tail;
86
87 /// The 'true' conditional block as determined by AnalyzeBranch.
88 MachineBasicBlock *TBB;
89
90 /// The 'false' conditional block as determined by AnalyzeBranch.
91 MachineBasicBlock *FBB;
92
93 /// isTriangle - When there is no 'else' block, either TBB or FBB will be
94 /// equal to Tail.
95 bool isTriangle() const { return TBB == Tail || FBB == Tail; }
96
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +000097 /// Information about each phi in the Tail block.
98 struct PHIInfo {
99 MachineInstr *PHI;
100 unsigned TReg, FReg;
101 // Latencies from Cond+Branch, TReg, and FReg to DstReg.
102 int CondCycles, TCycles, FCycles;
103
104 PHIInfo(MachineInstr *phi)
105 : PHI(phi), TReg(0), FReg(0), CondCycles(0), TCycles(0), FCycles(0) {}
106 };
107
108 SmallVector<PHIInfo, 8> PHIs;
109
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +0000110private:
111 /// The branch condition determined by AnalyzeBranch.
112 SmallVector<MachineOperand, 4> Cond;
113
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000114 /// Instructions in Head that define values used by the conditional blocks.
115 /// The hoisted instructions must be inserted after these instructions.
116 SmallPtrSet<MachineInstr*, 8> InsertAfter;
117
118 /// Register units clobbered by the conditional blocks.
119 BitVector ClobberedRegUnits;
120
121 // Scratch pad for findInsertionPoint.
122 SparseSet<unsigned> LiveRegUnits;
123
124 /// Insertion point in Head for speculatively executed instructions form TBB
125 /// and FBB.
126 MachineBasicBlock::iterator InsertionPoint;
127
128 /// Return true if all non-terminator instructions in MBB can be safely
129 /// speculated.
130 bool canSpeculateInstrs(MachineBasicBlock *MBB);
131
132 /// Find a valid insertion point in Head.
133 bool findInsertionPoint();
134
135public:
136 /// runOnMachineFunction - Initialize per-function data structures.
137 void runOnMachineFunction(MachineFunction &MF) {
138 TII = MF.getTarget().getInstrInfo();
139 TRI = MF.getTarget().getRegisterInfo();
140 MRI = &MF.getRegInfo();
141 LiveRegUnits.clear();
142 LiveRegUnits.setUniverse(TRI->getNumRegUnits());
143 ClobberedRegUnits.clear();
144 ClobberedRegUnits.resize(TRI->getNumRegUnits());
145 }
146
147 /// canConvertIf - If the sub-CFG headed by MBB can be if-converted,
148 /// initialize the internal state, and return true.
149 bool canConvertIf(MachineBasicBlock *MBB);
150
151 /// convertIf - If-convert the last block passed to canConvertIf(), assuming
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +0000152 /// it is possible. Add any erased blocks to RemovedBlocks.
153 void convertIf(SmallVectorImpl<MachineBasicBlock*> &RemovedBlocks);
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000154};
155} // end anonymous namespace
156
157
158/// canSpeculateInstrs - Returns true if all the instructions in MBB can safely
159/// be speculated. The terminators are not considered.
160///
161/// If instructions use any values that are defined in the head basic block,
162/// the defining instructions are added to InsertAfter.
163///
164/// Any clobbered regunits are added to ClobberedRegUnits.
165///
166bool SSAIfConv::canSpeculateInstrs(MachineBasicBlock *MBB) {
167 // Reject any live-in physregs. It's probably CPSR/EFLAGS, and very hard to
168 // get right.
169 if (!MBB->livein_empty()) {
170 DEBUG(dbgs() << "BB#" << MBB->getNumber() << " has live-ins.\n");
171 return false;
172 }
173
174 unsigned InstrCount = 0;
Jakob Stoklund Olesen86fc3102012-07-06 02:31:22 +0000175
176 // Check all instructions, except the terminators. It is assumed that
177 // terminators never have side effects or define any used register values.
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000178 for (MachineBasicBlock::iterator I = MBB->begin(),
179 E = MBB->getFirstTerminator(); I != E; ++I) {
180 if (I->isDebugValue())
181 continue;
182
183 if (++InstrCount > BlockInstrLimit && !Stress) {
184 DEBUG(dbgs() << "BB#" << MBB->getNumber() << " has more than "
185 << BlockInstrLimit << " instructions.\n");
186 return false;
187 }
188
189 // There shouldn't normally be any phis in a single-predecessor block.
190 if (I->isPHI()) {
191 DEBUG(dbgs() << "Can't hoist: " << *I);
192 return false;
193 }
194
195 // Don't speculate loads. Note that it may be possible and desirable to
196 // speculate GOT or constant pool loads that are guaranteed not to trap,
197 // but we don't support that for now.
198 if (I->mayLoad()) {
199 DEBUG(dbgs() << "Won't speculate load: " << *I);
200 return false;
201 }
202
203 // We never speculate stores, so an AA pointer isn't necessary.
204 bool DontMoveAcrossStore = true;
205 if (!I->isSafeToMove(TII, 0, DontMoveAcrossStore)) {
206 DEBUG(dbgs() << "Can't speculate: " << *I);
207 return false;
208 }
209
210 // Check for any dependencies on Head instructions.
211 for (MIOperands MO(I); MO.isValid(); ++MO) {
212 if (MO->isRegMask()) {
213 DEBUG(dbgs() << "Won't speculate regmask: " << *I);
214 return false;
215 }
216 if (!MO->isReg())
217 continue;
218 unsigned Reg = MO->getReg();
219
220 // Remember clobbered regunits.
221 if (MO->isDef() && TargetRegisterInfo::isPhysicalRegister(Reg))
222 for (MCRegUnitIterator Units(Reg, TRI); Units.isValid(); ++Units)
223 ClobberedRegUnits.set(*Units);
224
225 if (!MO->readsReg() || !TargetRegisterInfo::isVirtualRegister(Reg))
226 continue;
227 MachineInstr *DefMI = MRI->getVRegDef(Reg);
228 if (!DefMI || DefMI->getParent() != Head)
229 continue;
230 if (InsertAfter.insert(DefMI))
231 DEBUG(dbgs() << "BB#" << MBB->getNumber() << " depends on " << *DefMI);
232 if (DefMI->isTerminator()) {
233 DEBUG(dbgs() << "Can't insert instructions below terminator.\n");
234 return false;
235 }
236 }
237 }
238 return true;
239}
240
241
242/// Find an insertion point in Head for the speculated instructions. The
243/// insertion point must be:
244///
245/// 1. Before any terminators.
246/// 2. After any instructions in InsertAfter.
247/// 3. Not have any clobbered regunits live.
248///
249/// This function sets InsertionPoint and returns true when successful, it
250/// returns false if no valid insertion point could be found.
251///
252bool SSAIfConv::findInsertionPoint() {
253 // Keep track of live regunits before the current position.
254 // Only track RegUnits that are also in ClobberedRegUnits.
255 LiveRegUnits.clear();
256 SmallVector<unsigned, 8> Reads;
257 MachineBasicBlock::iterator FirstTerm = Head->getFirstTerminator();
258 MachineBasicBlock::iterator I = Head->end();
259 MachineBasicBlock::iterator B = Head->begin();
260 while (I != B) {
261 --I;
262 // Some of the conditional code depends in I.
263 if (InsertAfter.count(I)) {
264 DEBUG(dbgs() << "Can't insert code after " << *I);
265 return false;
266 }
267
268 // Update live regunits.
269 for (MIOperands MO(I); MO.isValid(); ++MO) {
270 // We're ignoring regmask operands. That is conservatively correct.
271 if (!MO->isReg())
272 continue;
273 unsigned Reg = MO->getReg();
274 if (!TargetRegisterInfo::isPhysicalRegister(Reg))
275 continue;
276 // I clobbers Reg, so it isn't live before I.
277 if (MO->isDef())
278 for (MCRegUnitIterator Units(Reg, TRI); Units.isValid(); ++Units)
279 LiveRegUnits.erase(*Units);
280 // Unless I reads Reg.
281 if (MO->readsReg())
282 Reads.push_back(Reg);
283 }
284 // Anything read by I is live before I.
285 while (!Reads.empty())
286 for (MCRegUnitIterator Units(Reads.pop_back_val(), TRI); Units.isValid();
287 ++Units)
288 if (ClobberedRegUnits.test(*Units))
289 LiveRegUnits.insert(*Units);
290
291 // We can't insert before a terminator.
292 if (I != FirstTerm && I->isTerminator())
293 continue;
294
295 // Some of the clobbered registers are live before I, not a valid insertion
296 // point.
297 if (!LiveRegUnits.empty()) {
298 DEBUG({
299 dbgs() << "Would clobber";
300 for (SparseSet<unsigned>::const_iterator
301 i = LiveRegUnits.begin(), e = LiveRegUnits.end(); i != e; ++i)
302 dbgs() << ' ' << PrintRegUnit(*i, TRI);
303 dbgs() << " live before " << *I;
304 });
305 continue;
306 }
307
308 // This is a valid insertion point.
309 InsertionPoint = I;
310 DEBUG(dbgs() << "Can insert before " << *I);
311 return true;
312 }
313 DEBUG(dbgs() << "No legal insertion point found.\n");
314 return false;
315}
316
317
318
319/// canConvertIf - analyze the sub-cfg rooted in MBB, and return true if it is
320/// a potential candidate for if-conversion. Fill out the internal state.
321///
322bool SSAIfConv::canConvertIf(MachineBasicBlock *MBB) {
323 Head = MBB;
324 TBB = FBB = Tail = 0;
325
326 if (Head->succ_size() != 2)
327 return false;
328 MachineBasicBlock *Succ0 = Head->succ_begin()[0];
329 MachineBasicBlock *Succ1 = Head->succ_begin()[1];
330
331 // Canonicalize so Succ0 has MBB as its single predecessor.
332 if (Succ0->pred_size() != 1)
333 std::swap(Succ0, Succ1);
334
335 if (Succ0->pred_size() != 1 || Succ0->succ_size() != 1)
336 return false;
337
338 // We could support additional Tail predecessors by updating phis instead of
339 // eliminating them. Let's see an example where it matters first.
340 Tail = Succ0->succ_begin()[0];
341 if (Tail->pred_size() != 2)
342 return false;
343
344 // This is not a triangle.
345 if (Tail != Succ1) {
346 // Check for a diamond. We won't deal with any critical edges.
347 if (Succ1->pred_size() != 1 || Succ1->succ_size() != 1 ||
348 Succ1->succ_begin()[0] != Tail)
349 return false;
350 DEBUG(dbgs() << "\nDiamond: BB#" << Head->getNumber()
351 << " -> BB#" << Succ0->getNumber()
352 << "/BB#" << Succ1->getNumber()
353 << " -> BB#" << Tail->getNumber() << '\n');
354
355 // Live-in physregs are tricky to get right when speculating code.
356 if (!Tail->livein_empty()) {
357 DEBUG(dbgs() << "Tail has live-ins.\n");
358 return false;
359 }
360 } else {
361 DEBUG(dbgs() << "\nTriangle: BB#" << Head->getNumber()
362 << " -> BB#" << Succ0->getNumber()
363 << " -> BB#" << Tail->getNumber() << '\n');
364 }
365
366 // This is a triangle or a diamond.
367 // If Tail doesn't have any phis, there must be side effects.
368 if (Tail->empty() || !Tail->front().isPHI()) {
369 DEBUG(dbgs() << "No phis in tail.\n");
370 return false;
371 }
372
373 // The branch we're looking to eliminate must be analyzable.
374 Cond.clear();
375 if (TII->AnalyzeBranch(*Head, TBB, FBB, Cond)) {
376 DEBUG(dbgs() << "Branch not analyzable.\n");
377 return false;
378 }
379
380 // This is weird, probably some sort of degenerate CFG.
381 if (!TBB) {
382 DEBUG(dbgs() << "AnalyzeBranch didn't find conditional branch.\n");
383 return false;
384 }
385
386 // AnalyzeBranch doesn't set FBB on a fall-through branch.
387 // Make sure it is always set.
388 FBB = TBB == Succ0 ? Succ1 : Succ0;
389
390 // Any phis in the tail block must be convertible to selects.
391 PHIs.clear();
392 MachineBasicBlock *TPred = TBB == Tail ? Head : TBB;
393 MachineBasicBlock *FPred = FBB == Tail ? Head : FBB;
394 for (MachineBasicBlock::iterator I = Tail->begin(), E = Tail->end();
395 I != E && I->isPHI(); ++I) {
396 PHIs.push_back(&*I);
397 PHIInfo &PI = PHIs.back();
398 // Find PHI operands corresponding to TPred and FPred.
399 for (unsigned i = 1; i != PI.PHI->getNumOperands(); i += 2) {
400 if (PI.PHI->getOperand(i+1).getMBB() == TPred)
401 PI.TReg = PI.PHI->getOperand(i).getReg();
402 if (PI.PHI->getOperand(i+1).getMBB() == FPred)
403 PI.FReg = PI.PHI->getOperand(i).getReg();
404 }
405 assert(TargetRegisterInfo::isVirtualRegister(PI.TReg) && "Bad PHI");
406 assert(TargetRegisterInfo::isVirtualRegister(PI.FReg) && "Bad PHI");
407
408 // Get target information.
409 if (!TII->canInsertSelect(*Head, Cond, PI.TReg, PI.FReg,
410 PI.CondCycles, PI.TCycles, PI.FCycles)) {
411 DEBUG(dbgs() << "Can't convert: " << *PI.PHI);
412 return false;
413 }
414 }
415
416 // Check that the conditional instructions can be speculated.
417 InsertAfter.clear();
418 ClobberedRegUnits.reset();
419 if (TBB != Tail && !canSpeculateInstrs(TBB))
420 return false;
421 if (FBB != Tail && !canSpeculateInstrs(FBB))
422 return false;
423
424 // Try to find a valid insertion point for the speculated instructions in the
425 // head basic block.
426 if (!findInsertionPoint())
427 return false;
428
429 return true;
430}
431
432
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000433/// convertIf - Execute the if conversion after canConvertIf has determined the
434/// feasibility.
435///
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +0000436/// Any basic blocks erased will be added to RemovedBlocks.
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000437///
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +0000438void SSAIfConv::convertIf(SmallVectorImpl<MachineBasicBlock*> &RemovedBlocks) {
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000439 assert(Head && Tail && TBB && FBB && "Call canConvertIf first.");
440
441 // Move all instructions into Head, except for the terminators.
442 if (TBB != Tail)
443 Head->splice(InsertionPoint, TBB, TBB->begin(), TBB->getFirstTerminator());
444 if (FBB != Tail)
445 Head->splice(InsertionPoint, FBB, FBB->begin(), FBB->getFirstTerminator());
446
447 MachineBasicBlock::iterator FirstTerm = Head->getFirstTerminator();
448 assert(FirstTerm != Head->end() && "No terminators");
449 DebugLoc HeadDL = FirstTerm->getDebugLoc();
450
451 // Convert all PHIs to select instructions inserted before FirstTerm.
452 for (unsigned i = 0, e = PHIs.size(); i != e; ++i) {
453 PHIInfo &PI = PHIs[i];
454 DEBUG(dbgs() << "If-converting " << *PI.PHI);
455 assert(PI.PHI->getNumOperands() == 5 && "Unexpected PHI operands.");
456 unsigned DstReg = PI.PHI->getOperand(0).getReg();
457 TII->insertSelect(*Head, FirstTerm, HeadDL, DstReg, Cond, PI.TReg, PI.FReg);
458 DEBUG(dbgs() << " --> " << *llvm::prior(FirstTerm));
459 PI.PHI->eraseFromParent();
460 PI.PHI = 0;
461 }
462
463 // Fix up the CFG, temporarily leave Head without any successors.
464 Head->removeSuccessor(TBB);
465 Head->removeSuccessor(FBB);
466 if (TBB != Tail)
467 TBB->removeSuccessor(Tail);
468 if (FBB != Tail)
469 FBB->removeSuccessor(Tail);
470
471 // Fix up Head's terminators.
472 // It should become a single branch or a fallthrough.
473 TII->RemoveBranch(*Head);
474
475 // Erase the now empty conditional blocks. It is likely that Head can fall
476 // through to Tail, and we can join the two blocks.
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +0000477 if (TBB != Tail) {
478 RemovedBlocks.push_back(TBB);
479 TBB->eraseFromParent();
480 }
481 if (FBB != Tail) {
482 RemovedBlocks.push_back(FBB);
483 FBB->eraseFromParent();
484 }
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000485
486 assert(Head->succ_empty() && "Additional head successors?");
487 if (Head->isLayoutSuccessor(Tail)) {
488 // Splice Tail onto the end of Head.
489 DEBUG(dbgs() << "Joining tail BB#" << Tail->getNumber()
490 << " into head BB#" << Head->getNumber() << '\n');
491 Head->splice(Head->end(), Tail,
492 Tail->begin(), Tail->end());
493 Head->transferSuccessorsAndUpdatePHIs(Tail);
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +0000494 RemovedBlocks.push_back(Tail);
495 Tail->eraseFromParent();
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000496 } else {
497 // We need a branch to Tail, let code placement work it out later.
498 DEBUG(dbgs() << "Converting to unconditional branch.\n");
499 SmallVector<MachineOperand, 0> EmptyCond;
500 TII->InsertBranch(*Head, Tail, 0, EmptyCond, HeadDL);
501 Head->addSuccessor(Tail);
502 }
503 DEBUG(dbgs() << *Head);
504}
505
506
507//===----------------------------------------------------------------------===//
508// EarlyIfConverter Pass
509//===----------------------------------------------------------------------===//
510
511namespace {
512class EarlyIfConverter : public MachineFunctionPass {
513 const TargetInstrInfo *TII;
514 const TargetRegisterInfo *TRI;
515 MachineRegisterInfo *MRI;
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +0000516 MachineDominatorTree *DomTree;
Jakob Stoklund Olesen47730a72012-07-10 22:39:56 +0000517 MachineLoopInfo *Loops;
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000518 SSAIfConv IfConv;
519
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000520public:
521 static char ID;
522 EarlyIfConverter() : MachineFunctionPass(ID) {}
523 void getAnalysisUsage(AnalysisUsage &AU) const;
524 bool runOnMachineFunction(MachineFunction &MF);
525
526private:
527 bool tryConvertIf(MachineBasicBlock*);
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +0000528 void updateDomTree(ArrayRef<MachineBasicBlock*> Removed);
Jakob Stoklund Olesen47730a72012-07-10 22:39:56 +0000529 void updateLoops(ArrayRef<MachineBasicBlock*> Removed);
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000530};
531} // end anonymous namespace
532
533char EarlyIfConverter::ID = 0;
534char &llvm::EarlyIfConverterID = EarlyIfConverter::ID;
535
536INITIALIZE_PASS_BEGIN(EarlyIfConverter,
537 "early-ifcvt", "Early If Converter", false, false)
538INITIALIZE_PASS_DEPENDENCY(MachineBranchProbabilityInfo)
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +0000539INITIALIZE_PASS_DEPENDENCY(MachineDominatorTree)
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000540INITIALIZE_PASS_END(EarlyIfConverter,
541 "early-ifcvt", "Early If Converter", false, false)
542
543void EarlyIfConverter::getAnalysisUsage(AnalysisUsage &AU) const {
544 AU.addRequired<MachineBranchProbabilityInfo>();
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +0000545 AU.addRequired<MachineDominatorTree>();
546 AU.addPreserved<MachineDominatorTree>();
Jakob Stoklund Olesen47730a72012-07-10 22:39:56 +0000547 AU.addRequired<MachineLoopInfo>();
548 AU.addPreserved<MachineLoopInfo>();
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000549 MachineFunctionPass::getAnalysisUsage(AU);
550}
551
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +0000552/// Update the dominator tree after if-conversion erased some blocks.
553void EarlyIfConverter::updateDomTree(ArrayRef<MachineBasicBlock*> Removed) {
554 // convertIf can remove TBB, FBB, and Tail can be merged into Head.
555 // TBB and FBB should not dominate any blocks.
556 // Tail children should be transferred to Head.
557 MachineDomTreeNode *HeadNode = DomTree->getNode(IfConv.Head);
558 for (unsigned i = 0, e = Removed.size(); i != e; ++i) {
559 MachineDomTreeNode *Node = DomTree->getNode(Removed[i]);
560 assert(Node != HeadNode && "Cannot erase the head node");
561 while (Node->getNumChildren()) {
562 assert(Node->getBlock() == IfConv.Tail && "Unexpected children");
563 DomTree->changeImmediateDominator(Node->getChildren().back(), HeadNode);
564 }
565 DomTree->eraseNode(Removed[i]);
566 }
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000567}
568
Jakob Stoklund Olesen47730a72012-07-10 22:39:56 +0000569/// Update LoopInfo after if-conversion.
570void EarlyIfConverter::updateLoops(ArrayRef<MachineBasicBlock*> Removed) {
571 if (!Loops)
572 return;
573 // If-conversion doesn't change loop structure, and it doesn't mess with back
574 // edges, so updating LoopInfo is simply removing the dead blocks.
575 for (unsigned i = 0, e = Removed.size(); i != e; ++i)
576 Loops->removeBlock(Removed[i]);
577}
578
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +0000579/// Attempt repeated if-conversion on MBB, return true if successful.
580///
581bool EarlyIfConverter::tryConvertIf(MachineBasicBlock *MBB) {
582 bool Changed = false;
583 while (IfConv.canConvertIf(MBB)) {
584 // If-convert MBB and update analyses.
585 SmallVector<MachineBasicBlock*, 4> RemovedBlocks;
586 IfConv.convertIf(RemovedBlocks);
587 Changed = true;
588 updateDomTree(RemovedBlocks);
Jakob Stoklund Olesen47730a72012-07-10 22:39:56 +0000589 updateLoops(RemovedBlocks);
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +0000590 }
591 return Changed;
592}
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000593
594bool EarlyIfConverter::runOnMachineFunction(MachineFunction &MF) {
595 DEBUG(dbgs() << "********** EARLY IF-CONVERSION **********\n"
596 << "********** Function: "
597 << ((Value*)MF.getFunction())->getName() << '\n');
598 TII = MF.getTarget().getInstrInfo();
599 TRI = MF.getTarget().getRegisterInfo();
600 MRI = &MF.getRegInfo();
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +0000601 DomTree = &getAnalysis<MachineDominatorTree>();
Jakob Stoklund Olesen47730a72012-07-10 22:39:56 +0000602 Loops = getAnalysisIfAvailable<MachineLoopInfo>();
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000603
604 bool Changed = false;
605 IfConv.runOnMachineFunction(MF);
606
Jakob Stoklund Olesen1f523dc2012-07-10 22:18:23 +0000607 // Visit blocks in dominator tree post-order. The post-order enables nested
608 // if-conversion in a single pass. The tryConvertIf() function may erase
609 // blocks, but only blocks dominated by the head block. This makes it safe to
610 // update the dominator tree while the post-order iterator is still active.
611 for (po_iterator<MachineDominatorTree*>
612 I = po_begin(DomTree), E = po_end(DomTree); I != E; ++I)
613 if (tryConvertIf(I->getBlock()))
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000614 Changed = true;
615
Jakob Stoklund Olesen33242fd2012-07-04 00:09:54 +0000616 MF.verify(this, "After early if-conversion");
617 return Changed;
618}