blob: d14428fd2d71c7f0ce4eb5adf10ea9f28eb382dc [file] [log] [blame]
Tom Stellard6b7d99d2012-12-19 22:10:31 +00001//===-- AMDGPUStructurizeCFG.cpp - ------------------===//
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/// \file
11/// The pass implemented in this file transforms the programs control flow
12/// graph into a form that's suitable for code generation on hardware that
13/// implements control flow by execution masking. This currently includes all
14/// AMD GPUs but may as well be useful for other types of hardware.
15//
16//===----------------------------------------------------------------------===//
17
18#include "AMDGPU.h"
Tom Stellard6b7d99d2012-12-19 22:10:31 +000019#include "llvm/ADT/SCCIterator.h"
Tom Stellard6b7d99d2012-12-19 22:10:31 +000020#include "llvm/Analysis/RegionInfo.h"
Chandler Carruth58a2cbe2013-01-02 10:22:59 +000021#include "llvm/Analysis/RegionIterator.h"
Tom Stellard6b7d99d2012-12-19 22:10:31 +000022#include "llvm/Analysis/RegionPass.h"
Chandler Carruth58a2cbe2013-01-02 10:22:59 +000023#include "llvm/Module.h"
Tom Stellard6b7d99d2012-12-19 22:10:31 +000024#include "llvm/Transforms/Utils/SSAUpdater.h"
25
26using namespace llvm;
27
28namespace {
29
30// Definition of the complex types used in this pass.
31
32typedef std::pair<BasicBlock *, Value *> BBValuePair;
33typedef ArrayRef<BasicBlock*> BBVecRef;
34
35typedef SmallVector<RegionNode*, 8> RNVector;
36typedef SmallVector<BasicBlock*, 8> BBVector;
37typedef SmallVector<BBValuePair, 2> BBValueVector;
38
39typedef DenseMap<PHINode *, BBValueVector> PhiMap;
40typedef DenseMap<BasicBlock *, PhiMap> BBPhiMap;
41typedef DenseMap<BasicBlock *, Value *> BBPredicates;
42typedef DenseMap<BasicBlock *, BBPredicates> PredMap;
43typedef DenseMap<BasicBlock *, unsigned> VisitedMap;
44
45// The name for newly created blocks.
46
47static const char *FlowBlockName = "Flow";
48
49/// @brief Transforms the control flow graph on one single entry/exit region
50/// at a time.
51///
52/// After the transform all "If"/"Then"/"Else" style control flow looks like
53/// this:
54///
55/// \verbatim
56/// 1
57/// ||
58/// | |
59/// 2 |
60/// | /
61/// |/
62/// 3
63/// || Where:
64/// | | 1 = "If" block, calculates the condition
65/// 4 | 2 = "Then" subregion, runs if the condition is true
66/// | / 3 = "Flow" blocks, newly inserted flow blocks, rejoins the flow
67/// |/ 4 = "Else" optional subregion, runs if the condition is false
68/// 5 5 = "End" block, also rejoins the control flow
69/// \endverbatim
70///
71/// Control flow is expressed as a branch where the true exit goes into the
72/// "Then"/"Else" region, while the false exit skips the region
73/// The condition for the optional "Else" region is expressed as a PHI node.
74/// The incomming values of the PHI node are true for the "If" edge and false
75/// for the "Then" edge.
76///
77/// Additionally to that even complicated loops look like this:
78///
79/// \verbatim
80/// 1
81/// ||
82/// | |
83/// 2 ^ Where:
84/// | / 1 = "Entry" block
85/// |/ 2 = "Loop" optional subregion, with all exits at "Flow" block
86/// 3 3 = "Flow" block, with back edge to entry block
87/// |
88/// \endverbatim
89///
90/// The back edge of the "Flow" block is always on the false side of the branch
91/// while the true side continues the general flow. So the loop condition
92/// consist of a network of PHI nodes where the true incoming values expresses
93/// breaks and the false values expresses continue states.
94class AMDGPUStructurizeCFG : public RegionPass {
95
96 static char ID;
97
98 Type *Boolean;
99 ConstantInt *BoolTrue;
100 ConstantInt *BoolFalse;
101 UndefValue *BoolUndef;
102
103 Function *Func;
104 Region *ParentRegion;
105
106 DominatorTree *DT;
107
108 RNVector Order;
109 VisitedMap Visited;
110 PredMap Predicates;
111 BBPhiMap DeletedPhis;
112 BBVector FlowsInserted;
113
114 BasicBlock *LoopStart;
115 BasicBlock *LoopEnd;
116 BBPredicates LoopPred;
117
118 void orderNodes();
119
120 void buildPredicate(BranchInst *Term, unsigned Idx,
121 BBPredicates &Pred, bool Invert);
122
123 void analyzeBlock(BasicBlock *BB);
124
125 void analyzeLoop(BasicBlock *BB, unsigned &LoopIdx);
126
127 void collectInfos();
128
129 bool dominatesPredicates(BasicBlock *A, BasicBlock *B);
130
131 void killTerminator(BasicBlock *BB);
132
133 RegionNode *skipChained(RegionNode *Node);
134
135 void delPhiValues(BasicBlock *From, BasicBlock *To);
136
137 void addPhiValues(BasicBlock *From, BasicBlock *To);
138
139 BasicBlock *getNextFlow(BasicBlock *Prev);
140
141 bool isPredictableTrue(BasicBlock *Prev, BasicBlock *Node);
142
143 BasicBlock *wireFlowBlock(BasicBlock *Prev, RegionNode *Node);
144
145 void createFlow();
146
147 void insertConditions();
148
149 void rebuildSSA();
150
151public:
152 AMDGPUStructurizeCFG():
153 RegionPass(ID) {
154
155 initializeRegionInfoPass(*PassRegistry::getPassRegistry());
156 }
157
158 virtual bool doInitialization(Region *R, RGPassManager &RGM);
159
160 virtual bool runOnRegion(Region *R, RGPassManager &RGM);
161
162 virtual const char *getPassName() const {
163 return "AMDGPU simplify control flow";
164 }
165
166 void getAnalysisUsage(AnalysisUsage &AU) const {
167
168 AU.addRequired<DominatorTree>();
169 AU.addPreserved<DominatorTree>();
170 RegionPass::getAnalysisUsage(AU);
171 }
172
173};
174
175} // end anonymous namespace
176
177char AMDGPUStructurizeCFG::ID = 0;
178
179/// \brief Initialize the types and constants used in the pass
180bool AMDGPUStructurizeCFG::doInitialization(Region *R, RGPassManager &RGM) {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000181 LLVMContext &Context = R->getEntry()->getContext();
182
183 Boolean = Type::getInt1Ty(Context);
184 BoolTrue = ConstantInt::getTrue(Context);
185 BoolFalse = ConstantInt::getFalse(Context);
186 BoolUndef = UndefValue::get(Boolean);
187
188 return false;
189}
190
191/// \brief Build up the general order of nodes
192void AMDGPUStructurizeCFG::orderNodes() {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000193 scc_iterator<Region *> I = scc_begin(ParentRegion),
194 E = scc_end(ParentRegion);
195 for (Order.clear(); I != E; ++I) {
196 std::vector<RegionNode *> &Nodes = *I;
197 Order.append(Nodes.begin(), Nodes.end());
198 }
199}
200
201/// \brief Build blocks and loop predicates
202void AMDGPUStructurizeCFG::buildPredicate(BranchInst *Term, unsigned Idx,
203 BBPredicates &Pred, bool Invert) {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000204 Value *True = Invert ? BoolFalse : BoolTrue;
205 Value *False = Invert ? BoolTrue : BoolFalse;
206
207 RegionInfo *RI = ParentRegion->getRegionInfo();
208 BasicBlock *BB = Term->getParent();
209
210 // Handle the case where multiple regions start at the same block
211 Region *R = BB != ParentRegion->getEntry() ?
212 RI->getRegionFor(BB) : ParentRegion;
213
214 if (R == ParentRegion) {
215 // It's a top level block in our region
216 Value *Cond = True;
217 if (Term->isConditional()) {
218 BasicBlock *Other = Term->getSuccessor(!Idx);
219
220 if (Visited.count(Other)) {
221 if (!Pred.count(Other))
222 Pred[Other] = False;
223
224 if (!Pred.count(BB))
225 Pred[BB] = True;
226 return;
227 }
228 Cond = Term->getCondition();
229
230 if (Idx != Invert)
231 Cond = BinaryOperator::CreateNot(Cond, "", Term);
232 }
233
234 Pred[BB] = Cond;
235
236 } else if (ParentRegion->contains(R)) {
237 // It's a block in a sub region
238 while(R->getParent() != ParentRegion)
239 R = R->getParent();
240
241 Pred[R->getEntry()] = True;
242
243 } else {
244 // It's a branch from outside into our parent region
245 Pred[BB] = True;
246 }
247}
248
249/// \brief Analyze the successors of each block and build up predicates
250void AMDGPUStructurizeCFG::analyzeBlock(BasicBlock *BB) {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000251 pred_iterator PI = pred_begin(BB), PE = pred_end(BB);
252 BBPredicates &Pred = Predicates[BB];
253
254 for (; PI != PE; ++PI) {
255 BranchInst *Term = cast<BranchInst>((*PI)->getTerminator());
256
257 for (unsigned i = 0, e = Term->getNumSuccessors(); i != e; ++i) {
258 BasicBlock *Succ = Term->getSuccessor(i);
259 if (Succ != BB)
260 continue;
261 buildPredicate(Term, i, Pred, false);
262 }
263 }
264}
265
266/// \brief Analyze the conditions leading to loop to a previous block
267void AMDGPUStructurizeCFG::analyzeLoop(BasicBlock *BB, unsigned &LoopIdx) {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000268 BranchInst *Term = cast<BranchInst>(BB->getTerminator());
269
270 for (unsigned i = 0, e = Term->getNumSuccessors(); i != e; ++i) {
271 BasicBlock *Succ = Term->getSuccessor(i);
272
273 // Ignore it if it's not a back edge
274 if (!Visited.count(Succ))
275 continue;
276
277 buildPredicate(Term, i, LoopPred, true);
278
279 LoopEnd = BB;
280 if (Visited[Succ] < LoopIdx) {
281 LoopIdx = Visited[Succ];
282 LoopStart = Succ;
283 }
284 }
285}
286
287/// \brief Collect various loop and predicate infos
288void AMDGPUStructurizeCFG::collectInfos() {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000289 unsigned Number = 0, LoopIdx = ~0;
290
291 // Reset predicate
292 Predicates.clear();
293
294 // and loop infos
295 LoopStart = LoopEnd = 0;
296 LoopPred.clear();
297
298 RNVector::reverse_iterator OI = Order.rbegin(), OE = Order.rend();
299 for (Visited.clear(); OI != OE; Visited[(*OI++)->getEntry()] = ++Number) {
300
301 // Analyze all the conditions leading to a node
302 analyzeBlock((*OI)->getEntry());
303
304 if ((*OI)->isSubRegion())
305 continue;
306
307 // Find the first/last loop nodes and loop predicates
308 analyzeLoop((*OI)->getNodeAs<BasicBlock>(), LoopIdx);
309 }
310}
311
312/// \brief Does A dominate all the predicates of B ?
313bool AMDGPUStructurizeCFG::dominatesPredicates(BasicBlock *A, BasicBlock *B) {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000314 BBPredicates &Preds = Predicates[B];
315 for (BBPredicates::iterator PI = Preds.begin(), PE = Preds.end();
316 PI != PE; ++PI) {
317
318 if (!DT->dominates(A, PI->first))
319 return false;
320 }
321 return true;
322}
323
324/// \brief Remove phi values from all successors and the remove the terminator.
325void AMDGPUStructurizeCFG::killTerminator(BasicBlock *BB) {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000326 TerminatorInst *Term = BB->getTerminator();
327 if (!Term)
328 return;
329
330 for (succ_iterator SI = succ_begin(BB), SE = succ_end(BB);
331 SI != SE; ++SI) {
332
333 delPhiValues(BB, *SI);
334 }
335
336 Term->eraseFromParent();
337}
338
339/// First: Skip forward to the first region node that either isn't a subregion or not
340/// dominating it's exit, remove all the skipped nodes from the node order.
341///
342/// Second: Handle the first successor directly if the resulting nodes successor
343/// predicates are still dominated by the original entry
344RegionNode *AMDGPUStructurizeCFG::skipChained(RegionNode *Node) {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000345 BasicBlock *Entry = Node->getEntry();
346
347 // Skip forward as long as it is just a linear flow
348 while (true) {
349 BasicBlock *Entry = Node->getEntry();
350 BasicBlock *Exit;
351
352 if (Node->isSubRegion()) {
353 Exit = Node->getNodeAs<Region>()->getExit();
354 } else {
355 TerminatorInst *Term = Entry->getTerminator();
356 if (Term->getNumSuccessors() != 1)
357 break;
358 Exit = Term->getSuccessor(0);
359 }
360
361 // It's a back edge, break here so we can insert a loop node
362 if (!Visited.count(Exit))
363 return Node;
364
365 // More than node edges are pointing to exit
366 if (!DT->dominates(Entry, Exit))
367 return Node;
368
369 RegionNode *Next = ParentRegion->getNode(Exit);
370 RNVector::iterator I = std::find(Order.begin(), Order.end(), Next);
371 assert(I != Order.end());
372
373 Visited.erase(Next->getEntry());
374 Order.erase(I);
375 Node = Next;
376 }
377
378 BasicBlock *BB = Node->getEntry();
379 TerminatorInst *Term = BB->getTerminator();
380 if (Term->getNumSuccessors() != 2)
381 return Node;
382
383 // Our node has exactly two succesors, check if we can handle
384 // any of them directly
385 BasicBlock *Succ = Term->getSuccessor(0);
386 if (!Visited.count(Succ) || !dominatesPredicates(Entry, Succ)) {
387 Succ = Term->getSuccessor(1);
388 if (!Visited.count(Succ) || !dominatesPredicates(Entry, Succ))
389 return Node;
390 } else {
391 BasicBlock *Succ2 = Term->getSuccessor(1);
392 if (Visited.count(Succ2) && Visited[Succ] > Visited[Succ2] &&
393 dominatesPredicates(Entry, Succ2))
394 Succ = Succ2;
395 }
396
397 RegionNode *Next = ParentRegion->getNode(Succ);
398 RNVector::iterator E = Order.end();
399 RNVector::iterator I = std::find(Order.begin(), E, Next);
400 assert(I != E);
401
402 killTerminator(BB);
403 FlowsInserted.push_back(BB);
404 Visited.erase(Succ);
405 Order.erase(I);
406 return ParentRegion->getNode(wireFlowBlock(BB, Next));
407}
408
409/// \brief Remove all PHI values coming from "From" into "To" and remember
410/// them in DeletedPhis
411void AMDGPUStructurizeCFG::delPhiValues(BasicBlock *From, BasicBlock *To) {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000412 PhiMap &Map = DeletedPhis[To];
413 for (BasicBlock::iterator I = To->begin(), E = To->end();
414 I != E && isa<PHINode>(*I);) {
415
416 PHINode &Phi = cast<PHINode>(*I++);
417 while (Phi.getBasicBlockIndex(From) != -1) {
418 Value *Deleted = Phi.removeIncomingValue(From, false);
419 Map[&Phi].push_back(std::make_pair(From, Deleted));
420 }
421 }
422}
423
424/// \brief Add the PHI values back once we knew the new predecessor
425void AMDGPUStructurizeCFG::addPhiValues(BasicBlock *From, BasicBlock *To) {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000426 if (!DeletedPhis.count(To))
427 return;
428
429 PhiMap &Map = DeletedPhis[To];
430 SSAUpdater Updater;
431
432 for (PhiMap::iterator I = Map.begin(), E = Map.end(); I != E; ++I) {
433
434 PHINode *Phi = I->first;
435 Updater.Initialize(Phi->getType(), "");
436 BasicBlock *Fallback = To;
437 bool HaveFallback = false;
438
439 for (BBValueVector::iterator VI = I->second.begin(), VE = I->second.end();
440 VI != VE; ++VI) {
441
442 Updater.AddAvailableValue(VI->first, VI->second);
443 BasicBlock *Dom = DT->findNearestCommonDominator(Fallback, VI->first);
444 if (Dom == VI->first)
445 HaveFallback = true;
446 else if (Dom != Fallback)
447 HaveFallback = false;
448 Fallback = Dom;
449 }
450 if (!HaveFallback) {
451 Value *Undef = UndefValue::get(Phi->getType());
452 Updater.AddAvailableValue(Fallback, Undef);
453 }
454
455 Phi->addIncoming(Updater.GetValueAtEndOfBlock(From), From);
456 }
457 DeletedPhis.erase(To);
458}
459
460/// \brief Create a new flow node and update dominator tree and region info
461BasicBlock *AMDGPUStructurizeCFG::getNextFlow(BasicBlock *Prev) {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000462 LLVMContext &Context = Func->getContext();
463 BasicBlock *Insert = Order.empty() ? ParentRegion->getExit() :
464 Order.back()->getEntry();
465 BasicBlock *Flow = BasicBlock::Create(Context, FlowBlockName,
466 Func, Insert);
467 DT->addNewBlock(Flow, Prev);
468 ParentRegion->getRegionInfo()->setRegionFor(Flow, ParentRegion);
469 FlowsInserted.push_back(Flow);
470 return Flow;
471}
472
473/// \brief Can we predict that this node will always be called?
474bool AMDGPUStructurizeCFG::isPredictableTrue(BasicBlock *Prev,
475 BasicBlock *Node) {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000476 BBPredicates &Preds = Predicates[Node];
477 bool Dominated = false;
478
479 for (BBPredicates::iterator I = Preds.begin(), E = Preds.end();
480 I != E; ++I) {
481
482 if (I->second != BoolTrue)
483 return false;
484
485 if (!Dominated && DT->dominates(I->first, Prev))
486 Dominated = true;
487 }
488 return Dominated;
489}
490
491/// \brief Wire up the new control flow by inserting or updating the branch
492/// instructions at node exits
493BasicBlock *AMDGPUStructurizeCFG::wireFlowBlock(BasicBlock *Prev,
494 RegionNode *Node) {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000495 BasicBlock *Entry = Node->getEntry();
496
497 if (LoopStart == Entry) {
498 LoopStart = Prev;
499 LoopPred[Prev] = BoolTrue;
500 }
501
502 // Wire it up temporary, skipChained may recurse into us
503 BranchInst::Create(Entry, Prev);
504 DT->changeImmediateDominator(Entry, Prev);
505 addPhiValues(Prev, Entry);
506
507 Node = skipChained(Node);
508
509 BasicBlock *Next = getNextFlow(Prev);
510 if (!isPredictableTrue(Prev, Entry)) {
511 // Let Prev point to entry and next block
512 Prev->getTerminator()->eraseFromParent();
513 BranchInst::Create(Entry, Next, BoolUndef, Prev);
514 } else {
515 DT->changeImmediateDominator(Next, Entry);
516 }
517
518 // Let node exit(s) point to next block
519 if (Node->isSubRegion()) {
520 Region *SubRegion = Node->getNodeAs<Region>();
521 BasicBlock *Exit = SubRegion->getExit();
522
523 // Find all the edges from the sub region to the exit
524 BBVector ToDo;
525 for (pred_iterator I = pred_begin(Exit), E = pred_end(Exit); I != E; ++I) {
526 if (SubRegion->contains(*I))
527 ToDo.push_back(*I);
528 }
529
530 // Modify the edges to point to the new flow block
531 for (BBVector::iterator I = ToDo.begin(), E = ToDo.end(); I != E; ++I) {
532 delPhiValues(*I, Exit);
533 TerminatorInst *Term = (*I)->getTerminator();
534 Term->replaceUsesOfWith(Exit, Next);
535 }
536
537 // Update the region info
538 SubRegion->replaceExit(Next);
539
540 } else {
541 BasicBlock *BB = Node->getNodeAs<BasicBlock>();
542 killTerminator(BB);
543 BranchInst::Create(Next, BB);
544
545 if (BB == LoopEnd)
546 LoopEnd = 0;
547 }
548
549 return Next;
550}
551
552/// Destroy node order and visited map, build up flow order instead.
553/// After this function control flow looks like it should be, but
554/// branches only have undefined conditions.
555void AMDGPUStructurizeCFG::createFlow() {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000556 DeletedPhis.clear();
557
558 BasicBlock *Prev = Order.pop_back_val()->getEntry();
559 assert(Prev == ParentRegion->getEntry() && "Incorrect node order!");
560 Visited.erase(Prev);
561
562 if (LoopStart == Prev) {
563 // Loop starts at entry, split entry so that we can predicate it
564 BasicBlock::iterator Insert = Prev->getFirstInsertionPt();
565 BasicBlock *Split = Prev->splitBasicBlock(Insert, FlowBlockName);
566 DT->addNewBlock(Split, Prev);
567 ParentRegion->getRegionInfo()->setRegionFor(Split, ParentRegion);
568 Predicates[Split] = Predicates[Prev];
569 Order.push_back(ParentRegion->getBBNode(Split));
570 LoopPred[Prev] = BoolTrue;
571
572 } else if (LoopStart == Order.back()->getEntry()) {
573 // Loop starts behind entry, split entry so that we can jump to it
574 Instruction *Term = Prev->getTerminator();
575 BasicBlock *Split = Prev->splitBasicBlock(Term, FlowBlockName);
576 DT->addNewBlock(Split, Prev);
577 ParentRegion->getRegionInfo()->setRegionFor(Split, ParentRegion);
578 Prev = Split;
579 }
580
581 killTerminator(Prev);
582 FlowsInserted.clear();
583 FlowsInserted.push_back(Prev);
584
585 while (!Order.empty()) {
586 RegionNode *Node = Order.pop_back_val();
587 Visited.erase(Node->getEntry());
588 Prev = wireFlowBlock(Prev, Node);
589 if (LoopStart && !LoopEnd) {
590 // Create an extra loop end node
591 LoopEnd = Prev;
592 Prev = getNextFlow(LoopEnd);
593 BranchInst::Create(Prev, LoopStart, BoolUndef, LoopEnd);
594 addPhiValues(LoopEnd, LoopStart);
595 }
596 }
597
598 BasicBlock *Exit = ParentRegion->getExit();
599 BranchInst::Create(Exit, Prev);
600 addPhiValues(Prev, Exit);
601 if (DT->dominates(ParentRegion->getEntry(), Exit))
602 DT->changeImmediateDominator(Exit, Prev);
603
604 if (LoopStart && LoopEnd) {
605 BBVector::iterator FI = std::find(FlowsInserted.begin(),
606 FlowsInserted.end(),
607 LoopStart);
608 for (; *FI != LoopEnd; ++FI) {
609 addPhiValues(*FI, (*FI)->getTerminator()->getSuccessor(0));
610 }
611 }
612
613 assert(Order.empty());
614 assert(Visited.empty());
615 assert(DeletedPhis.empty());
616}
617
618/// \brief Insert the missing branch conditions
619void AMDGPUStructurizeCFG::insertConditions() {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000620 SSAUpdater PhiInserter;
621
622 for (BBVector::iterator FI = FlowsInserted.begin(), FE = FlowsInserted.end();
623 FI != FE; ++FI) {
624
625 BranchInst *Term = cast<BranchInst>((*FI)->getTerminator());
626 if (Term->isUnconditional())
627 continue;
628
629 PhiInserter.Initialize(Boolean, "");
630 PhiInserter.AddAvailableValue(&Func->getEntryBlock(), BoolFalse);
631
632 BasicBlock *Succ = Term->getSuccessor(0);
633 BBPredicates &Preds = (*FI == LoopEnd) ? LoopPred : Predicates[Succ];
634 for (BBPredicates::iterator PI = Preds.begin(), PE = Preds.end();
635 PI != PE; ++PI) {
636
637 PhiInserter.AddAvailableValue(PI->first, PI->second);
638 }
639
640 Term->setCondition(PhiInserter.GetValueAtEndOfBlock(*FI));
641 }
642}
643
644/// Handle a rare case where the disintegrated nodes instructions
645/// no longer dominate all their uses. Not sure if this is really nessasary
646void AMDGPUStructurizeCFG::rebuildSSA() {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000647 SSAUpdater Updater;
648 for (Region::block_iterator I = ParentRegion->block_begin(),
649 E = ParentRegion->block_end();
650 I != E; ++I) {
651
652 BasicBlock *BB = *I;
653 for (BasicBlock::iterator II = BB->begin(), IE = BB->end();
654 II != IE; ++II) {
655
656 bool Initialized = false;
657 for (Use *I = &II->use_begin().getUse(), *Next; I; I = Next) {
658
659 Next = I->getNext();
660
661 Instruction *User = cast<Instruction>(I->getUser());
662 if (User->getParent() == BB) {
663 continue;
664
665 } else if (PHINode *UserPN = dyn_cast<PHINode>(User)) {
666 if (UserPN->getIncomingBlock(*I) == BB)
667 continue;
668 }
669
670 if (DT->dominates(II, User))
671 continue;
672
673 if (!Initialized) {
674 Value *Undef = UndefValue::get(II->getType());
675 Updater.Initialize(II->getType(), "");
676 Updater.AddAvailableValue(&Func->getEntryBlock(), Undef);
677 Updater.AddAvailableValue(BB, II);
678 Initialized = true;
679 }
680 Updater.RewriteUseAfterInsertions(*I);
681 }
682 }
683 }
684}
685
686/// \brief Run the transformation for each region found
687bool AMDGPUStructurizeCFG::runOnRegion(Region *R, RGPassManager &RGM) {
Tom Stellard6b7d99d2012-12-19 22:10:31 +0000688 if (R->isTopLevelRegion())
689 return false;
690
691 Func = R->getEntry()->getParent();
692 ParentRegion = R;
693
694 DT = &getAnalysis<DominatorTree>();
695
696 orderNodes();
697 collectInfos();
698 createFlow();
699 insertConditions();
700 rebuildSSA();
701
702 Order.clear();
703 Visited.clear();
704 Predicates.clear();
705 DeletedPhis.clear();
706 FlowsInserted.clear();
707
708 return true;
709}
710
711/// \brief Create the pass
712Pass *llvm::createAMDGPUStructurizeCFGPass() {
713 return new AMDGPUStructurizeCFG();
714}