blob: 9c7c8c2e2593a128593a7cc187fe561a51b7c9d1 [file] [log] [blame]
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001//===- GVNPRE.cpp - Eliminate redundant values and expressions ------------===//
2//
3// The LLVM Compiler Infrastructure
4//
5// This file was developed by the Owen Anderson and is distributed under
6// the University of Illinois Open Source License. See LICENSE.TXT for details.
7//
8//===----------------------------------------------------------------------===//
9//
10// This pass performs a hybrid of global value numbering and partial redundancy
11// elimination, known as GVN-PRE. It performs partial redundancy elimination on
12// values, rather than lexical expressions, allowing a more comprehensive view
13// the optimization. It replaces redundant values with uses of earlier
14// occurences of the same value. While this is beneficial in that it eliminates
15// unneeded computation, it also increases register pressure by creating large
16// live ranges, and should be used with caution on platforms that are very
17// sensitive to register pressure.
18//
19//===----------------------------------------------------------------------===//
20
21#define DEBUG_TYPE "gvnpre"
22#include "llvm/Value.h"
23#include "llvm/Transforms/Scalar.h"
24#include "llvm/Instructions.h"
25#include "llvm/Function.h"
26#include "llvm/DerivedTypes.h"
27#include "llvm/Analysis/Dominators.h"
28#include "llvm/ADT/BitVector.h"
29#include "llvm/ADT/DenseMap.h"
30#include "llvm/ADT/DepthFirstIterator.h"
31#include "llvm/ADT/PostOrderIterator.h"
32#include "llvm/ADT/SmallPtrSet.h"
Owen Anderson16780522007-07-19 06:13:15 +000033#include "llvm/ADT/SmallVector.h"
Dan Gohmanf17a25c2007-07-18 16:29:46 +000034#include "llvm/ADT/Statistic.h"
35#include "llvm/Transforms/Utils/UnifyFunctionExitNodes.h"
36#include "llvm/Support/CFG.h"
37#include "llvm/Support/Compiler.h"
38#include "llvm/Support/Debug.h"
39#include <algorithm>
40#include <deque>
41#include <map>
Dan Gohmanf17a25c2007-07-18 16:29:46 +000042using namespace llvm;
43
44//===----------------------------------------------------------------------===//
45// ValueTable Class
46//===----------------------------------------------------------------------===//
47
48/// This class holds the mapping between values and value numbers. It is used
49/// as an efficient mechanism to determine the expression-wise equivalence of
50/// two values.
51
Owen Anderson16780522007-07-19 06:13:15 +000052struct Expression {
53 enum ExpressionOpcode { ADD, SUB, MUL, UDIV, SDIV, FDIV, UREM, SREM,
54 FREM, SHL, LSHR, ASHR, AND, OR, XOR, ICMPEQ,
55 ICMPNE, ICMPUGT, ICMPUGE, ICMPULT, ICMPULE,
56 ICMPSGT, ICMPSGE, ICMPSLT, ICMPSLE, FCMPOEQ,
57 FCMPOGT, FCMPOGE, FCMPOLT, FCMPOLE, FCMPONE,
58 FCMPORD, FCMPUNO, FCMPUEQ, FCMPUGT, FCMPUGE,
59 FCMPULT, FCMPULE, FCMPUNE, EXTRACT, INSERT,
60 SHUFFLE, SELECT, TRUNC, ZEXT, SEXT, FPTOUI,
61 FPTOSI, UITOFP, SITOFP, FPTRUNC, FPEXT,
62 PTRTOINT, INTTOPTR, BITCAST, GEP, EMPTY,
63 TOMBSTONE };
64
65 ExpressionOpcode opcode;
66 const Type* type;
67 uint32_t firstVN;
68 uint32_t secondVN;
69 uint32_t thirdVN;
70 SmallVector<uint32_t, 4> varargs;
71
72 Expression() { }
73 Expression(ExpressionOpcode o) : opcode(o) { }
74
75 bool operator==(const Expression &other) const {
76 if (opcode != other.opcode)
77 return false;
78 else if (opcode == EMPTY || opcode == TOMBSTONE)
79 return true;
80 else if (type != other.type)
81 return false;
82 else if (firstVN != other.firstVN)
83 return false;
84 else if (secondVN != other.secondVN)
85 return false;
86 else if (thirdVN != other.thirdVN)
87 return false;
88 else {
89 if (varargs.size() != other.varargs.size())
90 return false;
91
92 for (size_t i = 0; i < varargs.size(); ++i)
93 if (varargs[i] != other.varargs[i])
94 return false;
95
96 return true;
97 }
98 }
99
100 bool operator!=(const Expression &other) const {
101 if (opcode != other.opcode)
102 return true;
103 else if (opcode == EMPTY || opcode == TOMBSTONE)
104 return false;
105 else if (type != other.type)
106 return true;
107 else if (firstVN != other.firstVN)
108 return true;
109 else if (secondVN != other.secondVN)
110 return true;
111 else if (thirdVN != other.thirdVN)
112 return true;
113 else {
114 if (varargs.size() != other.varargs.size())
115 return true;
116
117 for (size_t i = 0; i < varargs.size(); ++i)
118 if (varargs[i] != other.varargs[i])
119 return true;
120
121 return false;
122 }
123 }
124};
125
126
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000127namespace {
128 class VISIBILITY_HIDDEN ValueTable {
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000129 private:
130 DenseMap<Value*, uint32_t> valueNumbering;
Owen Anderson16780522007-07-19 06:13:15 +0000131 DenseMap<Expression, uint32_t> expressionNumbering;
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000132
133 uint32_t nextValueNumber;
134
135 Expression::ExpressionOpcode getOpcode(BinaryOperator* BO);
136 Expression::ExpressionOpcode getOpcode(CmpInst* C);
137 Expression::ExpressionOpcode getOpcode(CastInst* C);
138 Expression create_expression(BinaryOperator* BO);
139 Expression create_expression(CmpInst* C);
140 Expression create_expression(ShuffleVectorInst* V);
141 Expression create_expression(ExtractElementInst* C);
142 Expression create_expression(InsertElementInst* V);
143 Expression create_expression(SelectInst* V);
144 Expression create_expression(CastInst* C);
145 Expression create_expression(GetElementPtrInst* G);
146 public:
147 ValueTable() { nextValueNumber = 1; }
148 uint32_t lookup_or_add(Value* V);
149 uint32_t lookup(Value* V) const;
150 void add(Value* V, uint32_t num);
151 void clear();
152 void erase(Value* v);
153 unsigned size();
154 };
155}
156
Owen Anderson16780522007-07-19 06:13:15 +0000157namespace llvm {
158template <> struct DenseMapKeyInfo<Expression> {
159 static inline Expression getEmptyKey() { return Expression(Expression::EMPTY); }
160 static inline Expression getTombstoneKey() { return Expression(Expression::TOMBSTONE); }
161
162 static unsigned getHashValue(const Expression e) {
163 unsigned hash = e.opcode;
164
165 hash = e.firstVN + hash * 37;
166 hash = e.secondVN + hash * 37;
167 hash = e.thirdVN + hash * 37;
168
169 hash = (unsigned)((uintptr_t)e.type >> 4) ^
170 (unsigned)((uintptr_t)e.type >> 9) +
171 hash * 37;
172
173 for (SmallVector<uint32_t, 4>::const_iterator I = e.varargs.begin(), E = e.varargs.end();
174 I != E; ++I)
175 hash = *I + hash * 37;
176
177 return hash;
178 }
179 static bool isPod() { return true; }
180};
181}
182
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000183//===----------------------------------------------------------------------===//
184// ValueTable Internal Functions
185//===----------------------------------------------------------------------===//
Owen Anderson16780522007-07-19 06:13:15 +0000186Expression::ExpressionOpcode
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000187 ValueTable::getOpcode(BinaryOperator* BO) {
188 switch(BO->getOpcode()) {
189 case Instruction::Add:
190 return Expression::ADD;
191 case Instruction::Sub:
192 return Expression::SUB;
193 case Instruction::Mul:
194 return Expression::MUL;
195 case Instruction::UDiv:
196 return Expression::UDIV;
197 case Instruction::SDiv:
198 return Expression::SDIV;
199 case Instruction::FDiv:
200 return Expression::FDIV;
201 case Instruction::URem:
202 return Expression::UREM;
203 case Instruction::SRem:
204 return Expression::SREM;
205 case Instruction::FRem:
206 return Expression::FREM;
207 case Instruction::Shl:
208 return Expression::SHL;
209 case Instruction::LShr:
210 return Expression::LSHR;
211 case Instruction::AShr:
212 return Expression::ASHR;
213 case Instruction::And:
214 return Expression::AND;
215 case Instruction::Or:
216 return Expression::OR;
217 case Instruction::Xor:
218 return Expression::XOR;
219
220 // THIS SHOULD NEVER HAPPEN
221 default:
222 assert(0 && "Binary operator with unknown opcode?");
223 return Expression::ADD;
224 }
225}
226
Owen Anderson16780522007-07-19 06:13:15 +0000227Expression::ExpressionOpcode ValueTable::getOpcode(CmpInst* C) {
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000228 if (C->getOpcode() == Instruction::ICmp) {
229 switch (C->getPredicate()) {
230 case ICmpInst::ICMP_EQ:
231 return Expression::ICMPEQ;
232 case ICmpInst::ICMP_NE:
233 return Expression::ICMPNE;
234 case ICmpInst::ICMP_UGT:
235 return Expression::ICMPUGT;
236 case ICmpInst::ICMP_UGE:
237 return Expression::ICMPUGE;
238 case ICmpInst::ICMP_ULT:
239 return Expression::ICMPULT;
240 case ICmpInst::ICMP_ULE:
241 return Expression::ICMPULE;
242 case ICmpInst::ICMP_SGT:
243 return Expression::ICMPSGT;
244 case ICmpInst::ICMP_SGE:
245 return Expression::ICMPSGE;
246 case ICmpInst::ICMP_SLT:
247 return Expression::ICMPSLT;
248 case ICmpInst::ICMP_SLE:
249 return Expression::ICMPSLE;
250
251 // THIS SHOULD NEVER HAPPEN
252 default:
253 assert(0 && "Comparison with unknown predicate?");
254 return Expression::ICMPEQ;
255 }
256 } else {
257 switch (C->getPredicate()) {
258 case FCmpInst::FCMP_OEQ:
259 return Expression::FCMPOEQ;
260 case FCmpInst::FCMP_OGT:
261 return Expression::FCMPOGT;
262 case FCmpInst::FCMP_OGE:
263 return Expression::FCMPOGE;
264 case FCmpInst::FCMP_OLT:
265 return Expression::FCMPOLT;
266 case FCmpInst::FCMP_OLE:
267 return Expression::FCMPOLE;
268 case FCmpInst::FCMP_ONE:
269 return Expression::FCMPONE;
270 case FCmpInst::FCMP_ORD:
271 return Expression::FCMPORD;
272 case FCmpInst::FCMP_UNO:
273 return Expression::FCMPUNO;
274 case FCmpInst::FCMP_UEQ:
275 return Expression::FCMPUEQ;
276 case FCmpInst::FCMP_UGT:
277 return Expression::FCMPUGT;
278 case FCmpInst::FCMP_UGE:
279 return Expression::FCMPUGE;
280 case FCmpInst::FCMP_ULT:
281 return Expression::FCMPULT;
282 case FCmpInst::FCMP_ULE:
283 return Expression::FCMPULE;
284 case FCmpInst::FCMP_UNE:
285 return Expression::FCMPUNE;
286
287 // THIS SHOULD NEVER HAPPEN
288 default:
289 assert(0 && "Comparison with unknown predicate?");
290 return Expression::FCMPOEQ;
291 }
292 }
293}
294
Owen Anderson16780522007-07-19 06:13:15 +0000295Expression::ExpressionOpcode
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000296 ValueTable::getOpcode(CastInst* C) {
297 switch(C->getOpcode()) {
298 case Instruction::Trunc:
299 return Expression::TRUNC;
300 case Instruction::ZExt:
301 return Expression::ZEXT;
302 case Instruction::SExt:
303 return Expression::SEXT;
304 case Instruction::FPToUI:
305 return Expression::FPTOUI;
306 case Instruction::FPToSI:
307 return Expression::FPTOSI;
308 case Instruction::UIToFP:
309 return Expression::UITOFP;
310 case Instruction::SIToFP:
311 return Expression::SITOFP;
312 case Instruction::FPTrunc:
313 return Expression::FPTRUNC;
314 case Instruction::FPExt:
315 return Expression::FPEXT;
316 case Instruction::PtrToInt:
317 return Expression::PTRTOINT;
318 case Instruction::IntToPtr:
319 return Expression::INTTOPTR;
320 case Instruction::BitCast:
321 return Expression::BITCAST;
322
323 // THIS SHOULD NEVER HAPPEN
324 default:
325 assert(0 && "Cast operator with unknown opcode?");
326 return Expression::BITCAST;
327 }
328}
329
Owen Anderson16780522007-07-19 06:13:15 +0000330Expression ValueTable::create_expression(BinaryOperator* BO) {
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000331 Expression e;
332
333 e.firstVN = lookup_or_add(BO->getOperand(0));
334 e.secondVN = lookup_or_add(BO->getOperand(1));
335 e.thirdVN = 0;
336 e.type = BO->getType();
337 e.opcode = getOpcode(BO);
338
339 return e;
340}
341
Owen Anderson16780522007-07-19 06:13:15 +0000342Expression ValueTable::create_expression(CmpInst* C) {
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000343 Expression e;
344
345 e.firstVN = lookup_or_add(C->getOperand(0));
346 e.secondVN = lookup_or_add(C->getOperand(1));
347 e.thirdVN = 0;
348 e.type = C->getType();
349 e.opcode = getOpcode(C);
350
351 return e;
352}
353
Owen Anderson16780522007-07-19 06:13:15 +0000354Expression ValueTable::create_expression(CastInst* C) {
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000355 Expression e;
356
357 e.firstVN = lookup_or_add(C->getOperand(0));
358 e.secondVN = 0;
359 e.thirdVN = 0;
360 e.type = C->getType();
361 e.opcode = getOpcode(C);
362
363 return e;
364}
365
Owen Anderson16780522007-07-19 06:13:15 +0000366Expression ValueTable::create_expression(ShuffleVectorInst* S) {
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000367 Expression e;
368
369 e.firstVN = lookup_or_add(S->getOperand(0));
370 e.secondVN = lookup_or_add(S->getOperand(1));
371 e.thirdVN = lookup_or_add(S->getOperand(2));
372 e.type = S->getType();
373 e.opcode = Expression::SHUFFLE;
374
375 return e;
376}
377
Owen Anderson16780522007-07-19 06:13:15 +0000378Expression ValueTable::create_expression(ExtractElementInst* E) {
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000379 Expression e;
380
381 e.firstVN = lookup_or_add(E->getOperand(0));
382 e.secondVN = lookup_or_add(E->getOperand(1));
383 e.thirdVN = 0;
384 e.type = E->getType();
385 e.opcode = Expression::EXTRACT;
386
387 return e;
388}
389
Owen Anderson16780522007-07-19 06:13:15 +0000390Expression ValueTable::create_expression(InsertElementInst* I) {
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000391 Expression e;
392
393 e.firstVN = lookup_or_add(I->getOperand(0));
394 e.secondVN = lookup_or_add(I->getOperand(1));
395 e.thirdVN = lookup_or_add(I->getOperand(2));
396 e.type = I->getType();
397 e.opcode = Expression::INSERT;
398
399 return e;
400}
401
Owen Anderson16780522007-07-19 06:13:15 +0000402Expression ValueTable::create_expression(SelectInst* I) {
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000403 Expression e;
404
405 e.firstVN = lookup_or_add(I->getCondition());
406 e.secondVN = lookup_or_add(I->getTrueValue());
407 e.thirdVN = lookup_or_add(I->getFalseValue());
408 e.type = I->getType();
409 e.opcode = Expression::SELECT;
410
411 return e;
412}
413
Owen Anderson16780522007-07-19 06:13:15 +0000414Expression ValueTable::create_expression(GetElementPtrInst* G) {
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000415 Expression e;
416
417 e.firstVN = lookup_or_add(G->getPointerOperand());
418 e.secondVN = 0;
419 e.thirdVN = 0;
420 e.type = G->getType();
421 e.opcode = Expression::SELECT;
422
423 for (GetElementPtrInst::op_iterator I = G->idx_begin(), E = G->idx_end();
424 I != E; ++I)
425 e.varargs.push_back(lookup_or_add(*I));
426
427 return e;
428}
429
430//===----------------------------------------------------------------------===//
431// ValueTable External Functions
432//===----------------------------------------------------------------------===//
433
434/// lookup_or_add - Returns the value number for the specified value, assigning
435/// it a new number if it did not have one before.
436uint32_t ValueTable::lookup_or_add(Value* V) {
437 DenseMap<Value*, uint32_t>::iterator VI = valueNumbering.find(V);
438 if (VI != valueNumbering.end())
439 return VI->second;
440
441
442 if (BinaryOperator* BO = dyn_cast<BinaryOperator>(V)) {
443 Expression e = create_expression(BO);
444
Owen Anderson16780522007-07-19 06:13:15 +0000445 DenseMap<Expression, uint32_t>::iterator EI = expressionNumbering.find(e);
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000446 if (EI != expressionNumbering.end()) {
447 valueNumbering.insert(std::make_pair(V, EI->second));
448 return EI->second;
449 } else {
450 expressionNumbering.insert(std::make_pair(e, nextValueNumber));
451 valueNumbering.insert(std::make_pair(V, nextValueNumber));
452
453 return nextValueNumber++;
454 }
455 } else if (CmpInst* C = dyn_cast<CmpInst>(V)) {
456 Expression e = create_expression(C);
457
Owen Anderson16780522007-07-19 06:13:15 +0000458 DenseMap<Expression, uint32_t>::iterator EI = expressionNumbering.find(e);
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000459 if (EI != expressionNumbering.end()) {
460 valueNumbering.insert(std::make_pair(V, EI->second));
461 return EI->second;
462 } else {
463 expressionNumbering.insert(std::make_pair(e, nextValueNumber));
464 valueNumbering.insert(std::make_pair(V, nextValueNumber));
465
466 return nextValueNumber++;
467 }
468 } else if (ShuffleVectorInst* U = dyn_cast<ShuffleVectorInst>(V)) {
469 Expression e = create_expression(U);
470
Owen Anderson16780522007-07-19 06:13:15 +0000471 DenseMap<Expression, uint32_t>::iterator EI = expressionNumbering.find(e);
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000472 if (EI != expressionNumbering.end()) {
473 valueNumbering.insert(std::make_pair(V, EI->second));
474 return EI->second;
475 } else {
476 expressionNumbering.insert(std::make_pair(e, nextValueNumber));
477 valueNumbering.insert(std::make_pair(V, nextValueNumber));
478
479 return nextValueNumber++;
480 }
481 } else if (ExtractElementInst* U = dyn_cast<ExtractElementInst>(V)) {
482 Expression e = create_expression(U);
483
Owen Anderson16780522007-07-19 06:13:15 +0000484 DenseMap<Expression, uint32_t>::iterator EI = expressionNumbering.find(e);
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000485 if (EI != expressionNumbering.end()) {
486 valueNumbering.insert(std::make_pair(V, EI->second));
487 return EI->second;
488 } else {
489 expressionNumbering.insert(std::make_pair(e, nextValueNumber));
490 valueNumbering.insert(std::make_pair(V, nextValueNumber));
491
492 return nextValueNumber++;
493 }
494 } else if (InsertElementInst* U = dyn_cast<InsertElementInst>(V)) {
495 Expression e = create_expression(U);
496
Owen Anderson16780522007-07-19 06:13:15 +0000497 DenseMap<Expression, uint32_t>::iterator EI = expressionNumbering.find(e);
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000498 if (EI != expressionNumbering.end()) {
499 valueNumbering.insert(std::make_pair(V, EI->second));
500 return EI->second;
501 } else {
502 expressionNumbering.insert(std::make_pair(e, nextValueNumber));
503 valueNumbering.insert(std::make_pair(V, nextValueNumber));
504
505 return nextValueNumber++;
506 }
507 } else if (SelectInst* U = dyn_cast<SelectInst>(V)) {
508 Expression e = create_expression(U);
509
Owen Anderson16780522007-07-19 06:13:15 +0000510 DenseMap<Expression, uint32_t>::iterator EI = expressionNumbering.find(e);
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000511 if (EI != expressionNumbering.end()) {
512 valueNumbering.insert(std::make_pair(V, EI->second));
513 return EI->second;
514 } else {
515 expressionNumbering.insert(std::make_pair(e, nextValueNumber));
516 valueNumbering.insert(std::make_pair(V, nextValueNumber));
517
518 return nextValueNumber++;
519 }
520 } else if (CastInst* U = dyn_cast<CastInst>(V)) {
521 Expression e = create_expression(U);
522
Owen Anderson16780522007-07-19 06:13:15 +0000523 DenseMap<Expression, uint32_t>::iterator EI = expressionNumbering.find(e);
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000524 if (EI != expressionNumbering.end()) {
525 valueNumbering.insert(std::make_pair(V, EI->second));
526 return EI->second;
527 } else {
528 expressionNumbering.insert(std::make_pair(e, nextValueNumber));
529 valueNumbering.insert(std::make_pair(V, nextValueNumber));
530
531 return nextValueNumber++;
532 }
533 } else if (GetElementPtrInst* U = dyn_cast<GetElementPtrInst>(V)) {
534 Expression e = create_expression(U);
535
Owen Anderson16780522007-07-19 06:13:15 +0000536 DenseMap<Expression, uint32_t>::iterator EI = expressionNumbering.find(e);
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000537 if (EI != expressionNumbering.end()) {
538 valueNumbering.insert(std::make_pair(V, EI->second));
539 return EI->second;
540 } else {
541 expressionNumbering.insert(std::make_pair(e, nextValueNumber));
542 valueNumbering.insert(std::make_pair(V, nextValueNumber));
543
544 return nextValueNumber++;
545 }
546 } else {
547 valueNumbering.insert(std::make_pair(V, nextValueNumber));
548 return nextValueNumber++;
549 }
550}
551
552/// lookup - Returns the value number of the specified value. Fails if
553/// the value has not yet been numbered.
554uint32_t ValueTable::lookup(Value* V) const {
555 DenseMap<Value*, uint32_t>::iterator VI = valueNumbering.find(V);
556 if (VI != valueNumbering.end())
557 return VI->second;
558 else
559 assert(0 && "Value not numbered?");
560
561 return 0;
562}
563
564/// add - Add the specified value with the given value number, removing
565/// its old number, if any
566void ValueTable::add(Value* V, uint32_t num) {
567 DenseMap<Value*, uint32_t>::iterator VI = valueNumbering.find(V);
568 if (VI != valueNumbering.end())
569 valueNumbering.erase(VI);
570 valueNumbering.insert(std::make_pair(V, num));
571}
572
573/// clear - Remove all entries from the ValueTable
574void ValueTable::clear() {
575 valueNumbering.clear();
576 expressionNumbering.clear();
577 nextValueNumber = 1;
578}
579
580/// erase - Remove a value from the value numbering
581void ValueTable::erase(Value* V) {
582 valueNumbering.erase(V);
583}
584
585/// size - Return the number of assigned value numbers
586unsigned ValueTable::size() {
587 // NOTE: zero is never assigned
588 return nextValueNumber;
589}
590
591//===----------------------------------------------------------------------===//
592// ValueNumberedSet Class
593//===----------------------------------------------------------------------===//
594
595class ValueNumberedSet {
596 private:
597 SmallPtrSet<Value*, 8> contents;
598 BitVector numbers;
599 public:
600 ValueNumberedSet() { numbers.resize(1); }
601 ValueNumberedSet(const ValueNumberedSet& other) {
602 numbers = other.numbers;
603 contents = other.contents;
604 }
605
606 typedef SmallPtrSet<Value*, 8>::iterator iterator;
607
608 iterator begin() { return contents.begin(); }
609 iterator end() { return contents.end(); }
610
611 bool insert(Value* v) { return contents.insert(v); }
612 void insert(iterator I, iterator E) { contents.insert(I, E); }
613 void erase(Value* v) { contents.erase(v); }
614 unsigned count(Value* v) { return contents.count(v); }
615 size_t size() { return contents.size(); }
616
617 void set(unsigned i) {
618 if (i >= numbers.size())
619 numbers.resize(i+1);
620
621 numbers.set(i);
622 }
623
624 void operator=(const ValueNumberedSet& other) {
625 contents = other.contents;
626 numbers = other.numbers;
627 }
628
629 void reset(unsigned i) {
630 if (i < numbers.size())
631 numbers.reset(i);
632 }
633
634 bool test(unsigned i) {
635 if (i >= numbers.size())
636 return false;
637
638 return numbers.test(i);
639 }
640
641 void clear() {
642 contents.clear();
643 numbers.clear();
644 }
645};
646
647//===----------------------------------------------------------------------===//
648// GVNPRE Pass
649//===----------------------------------------------------------------------===//
650
651namespace {
652
653 class VISIBILITY_HIDDEN GVNPRE : public FunctionPass {
654 bool runOnFunction(Function &F);
655 public:
656 static char ID; // Pass identification, replacement for typeid
657 GVNPRE() : FunctionPass((intptr_t)&ID) { }
658
659 private:
660 ValueTable VN;
Owen Anderson9f1f2d42007-07-19 06:37:56 +0000661 SmallVector<Instruction*, 8> createdExpressions;
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000662
663 DenseMap<BasicBlock*, ValueNumberedSet> availableOut;
664 DenseMap<BasicBlock*, ValueNumberedSet> anticipatedIn;
665 DenseMap<BasicBlock*, ValueNumberedSet> generatedPhis;
666
667 // This transformation requires dominator postdominator info
668 virtual void getAnalysisUsage(AnalysisUsage &AU) const {
669 AU.setPreservesCFG();
670 AU.addRequiredID(BreakCriticalEdgesID);
671 AU.addRequired<UnifyFunctionExitNodes>();
672 AU.addRequired<DominatorTree>();
673 }
674
675 // Helper fuctions
676 // FIXME: eliminate or document these better
677 void dump(ValueNumberedSet& s) const ;
678 void clean(ValueNumberedSet& set) ;
679 Value* find_leader(ValueNumberedSet& vals, uint32_t v) ;
680 Value* phi_translate(Value* V, BasicBlock* pred, BasicBlock* succ) ;
681 void phi_translate_set(ValueNumberedSet& anticIn, BasicBlock* pred,
682 BasicBlock* succ, ValueNumberedSet& out) ;
683
684 void topo_sort(ValueNumberedSet& set,
Owen Anderson9f1f2d42007-07-19 06:37:56 +0000685 SmallVector<Value*, 8>& vec) ;
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000686
687 void cleanup() ;
688 bool elimination() ;
689
690 void val_insert(ValueNumberedSet& s, Value* v) ;
691 void val_replace(ValueNumberedSet& s, Value* v) ;
692 bool dependsOnInvoke(Value* V) ;
693 void buildsets_availout(BasicBlock::iterator I,
694 ValueNumberedSet& currAvail,
695 ValueNumberedSet& currPhis,
696 ValueNumberedSet& currExps,
Owen Anderson9f1f2d42007-07-19 06:37:56 +0000697 SmallPtrSet<Value*, 16>& currTemps);
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000698 bool buildsets_anticout(BasicBlock* BB,
699 ValueNumberedSet& anticOut,
Owen Anderson9f1f2d42007-07-19 06:37:56 +0000700 SmallPtrSet<BasicBlock*, 8>& visited);
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000701 unsigned buildsets_anticin(BasicBlock* BB,
702 ValueNumberedSet& anticOut,
703 ValueNumberedSet& currExps,
704 SmallPtrSet<Value*, 16>& currTemps,
Owen Anderson9f1f2d42007-07-19 06:37:56 +0000705 SmallPtrSet<BasicBlock*, 8>& visited);
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000706 void buildsets(Function& F) ;
707
708 void insertion_pre(Value* e, BasicBlock* BB,
Owen Anderson9f1f2d42007-07-19 06:37:56 +0000709 DenseMap<BasicBlock*, Value*>& avail,
710 std::map<BasicBlock*,ValueNumberedSet>& new_set);
711 unsigned insertion_mergepoint(SmallVector<Value*, 8>& workList,
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000712 df_iterator<DomTreeNode*>& D,
Owen Anderson9f1f2d42007-07-19 06:37:56 +0000713 std::map<BasicBlock*, ValueNumberedSet>& new_set);
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000714 bool insertion(Function& F) ;
715
716 };
717
718 char GVNPRE::ID = 0;
719
720}
721
722// createGVNPREPass - The public interface to this file...
723FunctionPass *llvm::createGVNPREPass() { return new GVNPRE(); }
724
725static RegisterPass<GVNPRE> X("gvnpre",
726 "Global Value Numbering/Partial Redundancy Elimination");
727
728
729STATISTIC(NumInsertedVals, "Number of values inserted");
730STATISTIC(NumInsertedPhis, "Number of PHI nodes inserted");
731STATISTIC(NumEliminated, "Number of redundant instructions eliminated");
732
733/// find_leader - Given a set and a value number, return the first
734/// element of the set with that value number, or 0 if no such element
735/// is present
736Value* GVNPRE::find_leader(ValueNumberedSet& vals, uint32_t v) {
737 if (!vals.test(v))
738 return 0;
739
740 for (ValueNumberedSet::iterator I = vals.begin(), E = vals.end();
741 I != E; ++I)
742 if (v == VN.lookup(*I))
743 return *I;
744
745 assert(0 && "No leader found, but present bit is set?");
746 return 0;
747}
748
749/// val_insert - Insert a value into a set only if there is not a value
750/// with the same value number already in the set
751void GVNPRE::val_insert(ValueNumberedSet& s, Value* v) {
752 uint32_t num = VN.lookup(v);
753 if (!s.test(num))
754 s.insert(v);
755}
756
757/// val_replace - Insert a value into a set, replacing any values already in
758/// the set that have the same value number
759void GVNPRE::val_replace(ValueNumberedSet& s, Value* v) {
Owen Anderson437d5a92007-07-19 19:57:13 +0000760 if (s.count(v)) return;
761
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000762 uint32_t num = VN.lookup(v);
763 Value* leader = find_leader(s, num);
764 if (leader != 0)
765 s.erase(leader);
766 s.insert(v);
767 s.set(num);
768}
769
770/// phi_translate - Given a value, its parent block, and a predecessor of its
771/// parent, translate the value into legal for the predecessor block. This
772/// means translating its operands (and recursively, their operands) through
773/// any phi nodes in the parent into values available in the predecessor
774Value* GVNPRE::phi_translate(Value* V, BasicBlock* pred, BasicBlock* succ) {
775 if (V == 0)
776 return 0;
777
778 // Unary Operations
779 if (CastInst* U = dyn_cast<CastInst>(V)) {
780 Value* newOp1 = 0;
781 if (isa<Instruction>(U->getOperand(0)))
782 newOp1 = phi_translate(U->getOperand(0), pred, succ);
783 else
784 newOp1 = U->getOperand(0);
785
786 if (newOp1 == 0)
787 return 0;
788
789 if (newOp1 != U->getOperand(0)) {
790 Instruction* newVal = 0;
791 if (CastInst* C = dyn_cast<CastInst>(U))
792 newVal = CastInst::create(C->getOpcode(),
793 newOp1, C->getType(),
794 C->getName()+".expr");
795
796 uint32_t v = VN.lookup_or_add(newVal);
797
798 Value* leader = find_leader(availableOut[pred], v);
799 if (leader == 0) {
800 createdExpressions.push_back(newVal);
801 return newVal;
802 } else {
803 VN.erase(newVal);
804 delete newVal;
805 return leader;
806 }
807 }
808
809 // Binary Operations
810 } if (isa<BinaryOperator>(V) || isa<CmpInst>(V) ||
811 isa<ExtractElementInst>(V)) {
812 User* U = cast<User>(V);
813
814 Value* newOp1 = 0;
815 if (isa<Instruction>(U->getOperand(0)))
816 newOp1 = phi_translate(U->getOperand(0), pred, succ);
817 else
818 newOp1 = U->getOperand(0);
819
820 if (newOp1 == 0)
821 return 0;
822
823 Value* newOp2 = 0;
824 if (isa<Instruction>(U->getOperand(1)))
825 newOp2 = phi_translate(U->getOperand(1), pred, succ);
826 else
827 newOp2 = U->getOperand(1);
828
829 if (newOp2 == 0)
830 return 0;
831
832 if (newOp1 != U->getOperand(0) || newOp2 != U->getOperand(1)) {
833 Instruction* newVal = 0;
834 if (BinaryOperator* BO = dyn_cast<BinaryOperator>(U))
835 newVal = BinaryOperator::create(BO->getOpcode(),
836 newOp1, newOp2,
837 BO->getName()+".expr");
838 else if (CmpInst* C = dyn_cast<CmpInst>(U))
839 newVal = CmpInst::create(C->getOpcode(),
840 C->getPredicate(),
841 newOp1, newOp2,
842 C->getName()+".expr");
843 else if (ExtractElementInst* E = dyn_cast<ExtractElementInst>(U))
844 newVal = new ExtractElementInst(newOp1, newOp2, E->getName()+".expr");
845
846 uint32_t v = VN.lookup_or_add(newVal);
847
848 Value* leader = find_leader(availableOut[pred], v);
849 if (leader == 0) {
850 createdExpressions.push_back(newVal);
851 return newVal;
852 } else {
853 VN.erase(newVal);
854 delete newVal;
855 return leader;
856 }
857 }
858
859 // Ternary Operations
860 } else if (isa<ShuffleVectorInst>(V) || isa<InsertElementInst>(V) ||
861 isa<SelectInst>(V)) {
862 User* U = cast<User>(V);
863
864 Value* newOp1 = 0;
865 if (isa<Instruction>(U->getOperand(0)))
866 newOp1 = phi_translate(U->getOperand(0), pred, succ);
867 else
868 newOp1 = U->getOperand(0);
869
870 if (newOp1 == 0)
871 return 0;
872
873 Value* newOp2 = 0;
874 if (isa<Instruction>(U->getOperand(1)))
875 newOp2 = phi_translate(U->getOperand(1), pred, succ);
876 else
877 newOp2 = U->getOperand(1);
878
879 if (newOp2 == 0)
880 return 0;
881
882 Value* newOp3 = 0;
883 if (isa<Instruction>(U->getOperand(2)))
884 newOp3 = phi_translate(U->getOperand(2), pred, succ);
885 else
886 newOp3 = U->getOperand(2);
887
888 if (newOp3 == 0)
889 return 0;
890
891 if (newOp1 != U->getOperand(0) ||
892 newOp2 != U->getOperand(1) ||
893 newOp3 != U->getOperand(2)) {
894 Instruction* newVal = 0;
895 if (ShuffleVectorInst* S = dyn_cast<ShuffleVectorInst>(U))
896 newVal = new ShuffleVectorInst(newOp1, newOp2, newOp3,
897 S->getName()+".expr");
898 else if (InsertElementInst* I = dyn_cast<InsertElementInst>(U))
899 newVal = new InsertElementInst(newOp1, newOp2, newOp3,
900 I->getName()+".expr");
901 else if (SelectInst* I = dyn_cast<SelectInst>(U))
902 newVal = new SelectInst(newOp1, newOp2, newOp3, I->getName()+".expr");
903
904 uint32_t v = VN.lookup_or_add(newVal);
905
906 Value* leader = find_leader(availableOut[pred], v);
907 if (leader == 0) {
908 createdExpressions.push_back(newVal);
909 return newVal;
910 } else {
911 VN.erase(newVal);
912 delete newVal;
913 return leader;
914 }
915 }
916
917 // Varargs operators
918 } else if (GetElementPtrInst* U = dyn_cast<GetElementPtrInst>(V)) {
919 Value* newOp1 = 0;
920 if (isa<Instruction>(U->getPointerOperand()))
921 newOp1 = phi_translate(U->getPointerOperand(), pred, succ);
922 else
923 newOp1 = U->getPointerOperand();
924
925 if (newOp1 == 0)
926 return 0;
927
928 bool changed_idx = false;
Owen Anderson9f1f2d42007-07-19 06:37:56 +0000929 SmallVector<Value*, 4> newIdx;
Dan Gohmanf17a25c2007-07-18 16:29:46 +0000930 for (GetElementPtrInst::op_iterator I = U->idx_begin(), E = U->idx_end();
931 I != E; ++I)
932 if (isa<Instruction>(*I)) {
933 Value* newVal = phi_translate(*I, pred, succ);
934 newIdx.push_back(newVal);
935 if (newVal != *I)
936 changed_idx = true;
937 } else {
938 newIdx.push_back(*I);
939 }
940
941 if (newOp1 != U->getPointerOperand() || changed_idx) {
942 Instruction* newVal = new GetElementPtrInst(newOp1,
943 &newIdx[0], newIdx.size(),
944 U->getName()+".expr");
945
946 uint32_t v = VN.lookup_or_add(newVal);
947
948 Value* leader = find_leader(availableOut[pred], v);
949 if (leader == 0) {
950 createdExpressions.push_back(newVal);
951 return newVal;
952 } else {
953 VN.erase(newVal);
954 delete newVal;
955 return leader;
956 }
957 }
958
959 // PHI Nodes
960 } else if (PHINode* P = dyn_cast<PHINode>(V)) {
961 if (P->getParent() == succ)
962 return P->getIncomingValueForBlock(pred);
963 }
964
965 return V;
966}
967
968/// phi_translate_set - Perform phi translation on every element of a set
969void GVNPRE::phi_translate_set(ValueNumberedSet& anticIn,
970 BasicBlock* pred, BasicBlock* succ,
971 ValueNumberedSet& out) {
972 for (ValueNumberedSet::iterator I = anticIn.begin(),
973 E = anticIn.end(); I != E; ++I) {
974 Value* V = phi_translate(*I, pred, succ);
975 if (V != 0 && !out.test(VN.lookup_or_add(V))) {
976 out.insert(V);
977 out.set(VN.lookup(V));
978 }
979 }
980}
981
982/// dependsOnInvoke - Test if a value has an phi node as an operand, any of
983/// whose inputs is an invoke instruction. If this is true, we cannot safely
984/// PRE the instruction or anything that depends on it.
985bool GVNPRE::dependsOnInvoke(Value* V) {
986 if (PHINode* p = dyn_cast<PHINode>(V)) {
987 for (PHINode::op_iterator I = p->op_begin(), E = p->op_end(); I != E; ++I)
988 if (isa<InvokeInst>(*I))
989 return true;
990 return false;
991 } else {
992 return false;
993 }
994}
995
996/// clean - Remove all non-opaque values from the set whose operands are not
997/// themselves in the set, as well as all values that depend on invokes (see
998/// above)
999void GVNPRE::clean(ValueNumberedSet& set) {
Owen Anderson9f1f2d42007-07-19 06:37:56 +00001000 SmallVector<Value*, 8> worklist;
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001001 worklist.reserve(set.size());
1002 topo_sort(set, worklist);
1003
1004 for (unsigned i = 0; i < worklist.size(); ++i) {
1005 Value* v = worklist[i];
1006
1007 // Handle unary ops
1008 if (CastInst* U = dyn_cast<CastInst>(v)) {
1009 bool lhsValid = !isa<Instruction>(U->getOperand(0));
1010 lhsValid |= set.test(VN.lookup(U->getOperand(0)));
1011 if (lhsValid)
1012 lhsValid = !dependsOnInvoke(U->getOperand(0));
1013
1014 if (!lhsValid) {
1015 set.erase(U);
1016 set.reset(VN.lookup(U));
1017 }
1018
1019 // Handle binary ops
1020 } else if (isa<BinaryOperator>(v) || isa<CmpInst>(v) ||
1021 isa<ExtractElementInst>(v)) {
1022 User* U = cast<User>(v);
1023
1024 bool lhsValid = !isa<Instruction>(U->getOperand(0));
1025 lhsValid |= set.test(VN.lookup(U->getOperand(0)));
1026 if (lhsValid)
1027 lhsValid = !dependsOnInvoke(U->getOperand(0));
1028
1029 bool rhsValid = !isa<Instruction>(U->getOperand(1));
1030 rhsValid |= set.test(VN.lookup(U->getOperand(1)));
1031 if (rhsValid)
1032 rhsValid = !dependsOnInvoke(U->getOperand(1));
1033
1034 if (!lhsValid || !rhsValid) {
1035 set.erase(U);
1036 set.reset(VN.lookup(U));
1037 }
1038
1039 // Handle ternary ops
1040 } else if (isa<ShuffleVectorInst>(v) || isa<InsertElementInst>(v) ||
1041 isa<SelectInst>(v)) {
1042 User* U = cast<User>(v);
1043
1044 bool lhsValid = !isa<Instruction>(U->getOperand(0));
1045 lhsValid |= set.test(VN.lookup(U->getOperand(0)));
1046 if (lhsValid)
1047 lhsValid = !dependsOnInvoke(U->getOperand(0));
1048
1049 bool rhsValid = !isa<Instruction>(U->getOperand(1));
1050 rhsValid |= set.test(VN.lookup(U->getOperand(1)));
1051 if (rhsValid)
1052 rhsValid = !dependsOnInvoke(U->getOperand(1));
1053
1054 bool thirdValid = !isa<Instruction>(U->getOperand(2));
1055 thirdValid |= set.test(VN.lookup(U->getOperand(2)));
1056 if (thirdValid)
1057 thirdValid = !dependsOnInvoke(U->getOperand(2));
1058
1059 if (!lhsValid || !rhsValid || !thirdValid) {
1060 set.erase(U);
1061 set.reset(VN.lookup(U));
1062 }
1063
1064 // Handle varargs ops
1065 } else if (GetElementPtrInst* U = dyn_cast<GetElementPtrInst>(v)) {
1066 bool ptrValid = !isa<Instruction>(U->getPointerOperand());
1067 ptrValid |= set.test(VN.lookup(U->getPointerOperand()));
1068 if (ptrValid)
1069 ptrValid = !dependsOnInvoke(U->getPointerOperand());
1070
1071 bool varValid = true;
1072 for (GetElementPtrInst::op_iterator I = U->idx_begin(), E = U->idx_end();
1073 I != E; ++I)
1074 if (varValid) {
1075 varValid &= !isa<Instruction>(*I) || set.test(VN.lookup(*I));
1076 varValid &= !dependsOnInvoke(*I);
1077 }
1078
1079 if (!ptrValid || !varValid) {
1080 set.erase(U);
1081 set.reset(VN.lookup(U));
1082 }
1083 }
1084 }
1085}
1086
1087/// topo_sort - Given a set of values, sort them by topological
1088/// order into the provided vector.
Owen Anderson9f1f2d42007-07-19 06:37:56 +00001089void GVNPRE::topo_sort(ValueNumberedSet& set, SmallVector<Value*, 8>& vec) {
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001090 SmallPtrSet<Value*, 16> visited;
Owen Anderson9f1f2d42007-07-19 06:37:56 +00001091 SmallVector<Value*, 8> stack;
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001092 for (ValueNumberedSet::iterator I = set.begin(), E = set.end();
1093 I != E; ++I) {
1094 if (visited.count(*I) == 0)
1095 stack.push_back(*I);
1096
1097 while (!stack.empty()) {
1098 Value* e = stack.back();
1099
1100 // Handle unary ops
1101 if (CastInst* U = dyn_cast<CastInst>(e)) {
1102 Value* l = find_leader(set, VN.lookup(U->getOperand(0)));
1103
1104 if (l != 0 && isa<Instruction>(l) &&
1105 visited.count(l) == 0)
1106 stack.push_back(l);
1107 else {
1108 vec.push_back(e);
1109 visited.insert(e);
1110 stack.pop_back();
1111 }
1112
1113 // Handle binary ops
1114 } else if (isa<BinaryOperator>(e) || isa<CmpInst>(e) ||
1115 isa<ExtractElementInst>(e)) {
1116 User* U = cast<User>(e);
1117 Value* l = find_leader(set, VN.lookup(U->getOperand(0)));
1118 Value* r = find_leader(set, VN.lookup(U->getOperand(1)));
1119
1120 if (l != 0 && isa<Instruction>(l) &&
1121 visited.count(l) == 0)
1122 stack.push_back(l);
1123 else if (r != 0 && isa<Instruction>(r) &&
1124 visited.count(r) == 0)
1125 stack.push_back(r);
1126 else {
1127 vec.push_back(e);
1128 visited.insert(e);
1129 stack.pop_back();
1130 }
1131
1132 // Handle ternary ops
1133 } else if (isa<InsertElementInst>(e) || isa<ShuffleVectorInst>(e) ||
1134 isa<SelectInst>(e)) {
1135 User* U = cast<User>(e);
1136 Value* l = find_leader(set, VN.lookup(U->getOperand(0)));
1137 Value* r = find_leader(set, VN.lookup(U->getOperand(1)));
1138 Value* m = find_leader(set, VN.lookup(U->getOperand(2)));
1139
1140 if (l != 0 && isa<Instruction>(l) &&
1141 visited.count(l) == 0)
1142 stack.push_back(l);
1143 else if (r != 0 && isa<Instruction>(r) &&
1144 visited.count(r) == 0)
1145 stack.push_back(r);
1146 else if (m != 0 && isa<Instruction>(m) &&
1147 visited.count(m) == 0)
1148 stack.push_back(m);
1149 else {
1150 vec.push_back(e);
1151 visited.insert(e);
1152 stack.pop_back();
1153 }
1154
1155 // Handle vararg ops
1156 } else if (GetElementPtrInst* U = dyn_cast<GetElementPtrInst>(e)) {
1157 Value* p = find_leader(set, VN.lookup(U->getPointerOperand()));
1158
1159 if (p != 0 && isa<Instruction>(p) &&
1160 visited.count(p) == 0)
1161 stack.push_back(p);
1162 else {
1163 bool push_va = false;
1164 for (GetElementPtrInst::op_iterator I = U->idx_begin(),
1165 E = U->idx_end(); I != E; ++I) {
1166 Value * v = find_leader(set, VN.lookup(*I));
1167 if (v != 0 && isa<Instruction>(v) && visited.count(v) == 0) {
1168 stack.push_back(v);
1169 push_va = true;
1170 }
1171 }
1172
1173 if (!push_va) {
1174 vec.push_back(e);
1175 visited.insert(e);
1176 stack.pop_back();
1177 }
1178 }
1179
1180 // Handle opaque ops
1181 } else {
1182 visited.insert(e);
1183 vec.push_back(e);
1184 stack.pop_back();
1185 }
1186 }
1187
1188 stack.clear();
1189 }
1190}
1191
1192/// dump - Dump a set of values to standard error
1193void GVNPRE::dump(ValueNumberedSet& s) const {
1194 DOUT << "{ ";
1195 for (ValueNumberedSet::iterator I = s.begin(), E = s.end();
1196 I != E; ++I) {
1197 DOUT << "" << VN.lookup(*I) << ": ";
1198 DEBUG((*I)->dump());
1199 }
1200 DOUT << "}\n\n";
1201}
1202
1203/// elimination - Phase 3 of the main algorithm. Perform full redundancy
1204/// elimination by walking the dominator tree and removing any instruction that
1205/// is dominated by another instruction with the same value number.
1206bool GVNPRE::elimination() {
1207 bool changed_function = false;
1208
Owen Anderson9f1f2d42007-07-19 06:37:56 +00001209 SmallVector<std::pair<Instruction*, Value*>, 8> replace;
1210 SmallVector<Instruction*, 8> erase;
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001211
1212 DominatorTree& DT = getAnalysis<DominatorTree>();
1213
1214 for (df_iterator<DomTreeNode*> DI = df_begin(DT.getRootNode()),
1215 E = df_end(DT.getRootNode()); DI != E; ++DI) {
1216 BasicBlock* BB = DI->getBlock();
1217
1218 for (BasicBlock::iterator BI = BB->begin(), BE = BB->end();
1219 BI != BE; ++BI) {
1220
1221 if (isa<BinaryOperator>(BI) || isa<CmpInst>(BI) ||
1222 isa<ShuffleVectorInst>(BI) || isa<InsertElementInst>(BI) ||
1223 isa<ExtractElementInst>(BI) || isa<SelectInst>(BI) ||
1224 isa<CastInst>(BI) || isa<GetElementPtrInst>(BI)) {
1225
1226 if (availableOut[BB].test(VN.lookup(BI)) && !availableOut[BB].count(BI)) {
1227 Value *leader = find_leader(availableOut[BB], VN.lookup(BI));
1228 if (Instruction* Instr = dyn_cast<Instruction>(leader))
1229 if (Instr->getParent() != 0 && Instr != BI) {
1230 replace.push_back(std::make_pair(BI, leader));
1231 erase.push_back(BI);
1232 ++NumEliminated;
1233 }
1234 }
1235 }
1236 }
1237 }
1238
1239 while (!replace.empty()) {
1240 std::pair<Instruction*, Value*> rep = replace.back();
1241 replace.pop_back();
1242 rep.first->replaceAllUsesWith(rep.second);
1243 changed_function = true;
1244 }
1245
Owen Anderson9f1f2d42007-07-19 06:37:56 +00001246 for (SmallVector<Instruction*, 8>::iterator I = erase.begin(), E = erase.end();
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001247 I != E; ++I)
1248 (*I)->eraseFromParent();
1249
1250 return changed_function;
1251}
1252
1253/// cleanup - Delete any extraneous values that were created to represent
1254/// expressions without leaders.
1255void GVNPRE::cleanup() {
1256 while (!createdExpressions.empty()) {
1257 Instruction* I = createdExpressions.back();
1258 createdExpressions.pop_back();
1259
1260 delete I;
1261 }
1262}
1263
1264/// buildsets_availout - When calculating availability, handle an instruction
1265/// by inserting it into the appropriate sets
1266void GVNPRE::buildsets_availout(BasicBlock::iterator I,
1267 ValueNumberedSet& currAvail,
1268 ValueNumberedSet& currPhis,
1269 ValueNumberedSet& currExps,
1270 SmallPtrSet<Value*, 16>& currTemps) {
1271 // Handle PHI nodes
1272 if (PHINode* p = dyn_cast<PHINode>(I)) {
1273 unsigned num = VN.lookup_or_add(p);
1274
1275 currPhis.insert(p);
1276 currPhis.set(num);
1277
1278 // Handle unary ops
1279 } else if (CastInst* U = dyn_cast<CastInst>(I)) {
1280 Value* leftValue = U->getOperand(0);
1281
1282 unsigned num = VN.lookup_or_add(U);
1283
1284 if (isa<Instruction>(leftValue))
1285 if (!currExps.test(VN.lookup(leftValue))) {
1286 currExps.insert(leftValue);
1287 currExps.set(VN.lookup(leftValue));
1288 }
1289
1290 if (!currExps.test(num)) {
1291 currExps.insert(U);
1292 currExps.set(num);
1293 }
1294
1295 // Handle binary ops
1296 } else if (isa<BinaryOperator>(I) || isa<CmpInst>(I) ||
1297 isa<ExtractElementInst>(I)) {
1298 User* U = cast<User>(I);
1299 Value* leftValue = U->getOperand(0);
1300 Value* rightValue = U->getOperand(1);
1301
1302 unsigned num = VN.lookup_or_add(U);
1303
1304 if (isa<Instruction>(leftValue))
1305 if (!currExps.test(VN.lookup(leftValue))) {
1306 currExps.insert(leftValue);
1307 currExps.set(VN.lookup(leftValue));
1308 }
1309
1310 if (isa<Instruction>(rightValue))
1311 if (!currExps.test(VN.lookup(rightValue))) {
1312 currExps.insert(rightValue);
1313 currExps.set(VN.lookup(rightValue));
1314 }
1315
1316 if (!currExps.test(num)) {
1317 currExps.insert(U);
1318 currExps.set(num);
1319 }
1320
1321 // Handle ternary ops
1322 } else if (isa<InsertElementInst>(I) || isa<ShuffleVectorInst>(I) ||
1323 isa<SelectInst>(I)) {
1324 User* U = cast<User>(I);
1325 Value* leftValue = U->getOperand(0);
1326 Value* rightValue = U->getOperand(1);
1327 Value* thirdValue = U->getOperand(2);
1328
1329 VN.lookup_or_add(U);
1330
1331 unsigned num = VN.lookup_or_add(U);
1332
1333 if (isa<Instruction>(leftValue))
1334 if (!currExps.test(VN.lookup(leftValue))) {
1335 currExps.insert(leftValue);
1336 currExps.set(VN.lookup(leftValue));
1337 }
1338 if (isa<Instruction>(rightValue))
1339 if (!currExps.test(VN.lookup(rightValue))) {
1340 currExps.insert(rightValue);
1341 currExps.set(VN.lookup(rightValue));
1342 }
1343 if (isa<Instruction>(thirdValue))
1344 if (!currExps.test(VN.lookup(thirdValue))) {
1345 currExps.insert(thirdValue);
1346 currExps.set(VN.lookup(thirdValue));
1347 }
1348
1349 if (!currExps.test(num)) {
1350 currExps.insert(U);
1351 currExps.set(num);
1352 }
1353
1354 // Handle vararg ops
1355 } else if (GetElementPtrInst* U = dyn_cast<GetElementPtrInst>(I)) {
1356 Value* ptrValue = U->getPointerOperand();
1357
1358 VN.lookup_or_add(U);
1359
1360 unsigned num = VN.lookup_or_add(U);
1361
1362 if (isa<Instruction>(ptrValue))
1363 if (!currExps.test(VN.lookup(ptrValue))) {
1364 currExps.insert(ptrValue);
1365 currExps.set(VN.lookup(ptrValue));
1366 }
1367
1368 for (GetElementPtrInst::op_iterator OI = U->idx_begin(), OE = U->idx_end();
1369 OI != OE; ++OI)
1370 if (isa<Instruction>(*OI) && !currExps.test(VN.lookup(*OI))) {
1371 currExps.insert(*OI);
1372 currExps.set(VN.lookup(*OI));
1373 }
1374
1375 if (!currExps.test(VN.lookup(U))) {
1376 currExps.insert(U);
1377 currExps.set(num);
1378 }
1379
1380 // Handle opaque ops
1381 } else if (!I->isTerminator()){
1382 VN.lookup_or_add(I);
1383
1384 currTemps.insert(I);
1385 }
1386
1387 if (!I->isTerminator())
1388 if (!currAvail.test(VN.lookup(I))) {
1389 currAvail.insert(I);
1390 currAvail.set(VN.lookup(I));
1391 }
1392}
1393
1394/// buildsets_anticout - When walking the postdom tree, calculate the ANTIC_OUT
1395/// set as a function of the ANTIC_IN set of the block's predecessors
1396bool GVNPRE::buildsets_anticout(BasicBlock* BB,
1397 ValueNumberedSet& anticOut,
Owen Andersonc2ae87b2007-07-19 03:32:44 +00001398 SmallPtrSet<BasicBlock*, 8>& visited) {
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001399 if (BB->getTerminator()->getNumSuccessors() == 1) {
1400 if (BB->getTerminator()->getSuccessor(0) != BB &&
1401 visited.count(BB->getTerminator()->getSuccessor(0)) == 0) {
1402 return true;
1403 }
1404 else {
1405 phi_translate_set(anticipatedIn[BB->getTerminator()->getSuccessor(0)],
1406 BB, BB->getTerminator()->getSuccessor(0), anticOut);
1407 }
1408 } else if (BB->getTerminator()->getNumSuccessors() > 1) {
1409 BasicBlock* first = BB->getTerminator()->getSuccessor(0);
1410 for (ValueNumberedSet::iterator I = anticipatedIn[first].begin(),
1411 E = anticipatedIn[first].end(); I != E; ++I) {
1412 anticOut.insert(*I);
1413 anticOut.set(VN.lookup(*I));
1414 }
1415
1416 for (unsigned i = 1; i < BB->getTerminator()->getNumSuccessors(); ++i) {
1417 BasicBlock* currSucc = BB->getTerminator()->getSuccessor(i);
1418 ValueNumberedSet& succAnticIn = anticipatedIn[currSucc];
1419
Owen Anderson9f1f2d42007-07-19 06:37:56 +00001420 SmallVector<Value*, 16> temp;
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001421
1422 for (ValueNumberedSet::iterator I = anticOut.begin(),
1423 E = anticOut.end(); I != E; ++I)
1424 if (!succAnticIn.test(VN.lookup(*I)))
1425 temp.push_back(*I);
1426
Owen Anderson9f1f2d42007-07-19 06:37:56 +00001427 for (SmallVector<Value*, 16>::iterator I = temp.begin(), E = temp.end();
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001428 I != E; ++I) {
1429 anticOut.erase(*I);
1430 anticOut.reset(VN.lookup(*I));
1431 }
1432 }
1433 }
1434
1435 return false;
1436}
1437
1438/// buildsets_anticin - Walk the postdom tree, calculating ANTIC_OUT for
1439/// each block. ANTIC_IN is then a function of ANTIC_OUT and the GEN
1440/// sets populated in buildsets_availout
1441unsigned GVNPRE::buildsets_anticin(BasicBlock* BB,
1442 ValueNumberedSet& anticOut,
1443 ValueNumberedSet& currExps,
1444 SmallPtrSet<Value*, 16>& currTemps,
Owen Andersonc2ae87b2007-07-19 03:32:44 +00001445 SmallPtrSet<BasicBlock*, 8>& visited) {
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001446 ValueNumberedSet& anticIn = anticipatedIn[BB];
1447 unsigned old = anticIn.size();
1448
1449 bool defer = buildsets_anticout(BB, anticOut, visited);
1450 if (defer)
1451 return 0;
1452
1453 anticIn.clear();
1454
1455 for (ValueNumberedSet::iterator I = anticOut.begin(),
1456 E = anticOut.end(); I != E; ++I) {
1457 anticIn.insert(*I);
1458 anticIn.set(VN.lookup(*I));
1459 }
1460 for (ValueNumberedSet::iterator I = currExps.begin(),
1461 E = currExps.end(); I != E; ++I) {
1462 if (!anticIn.test(VN.lookup(*I))) {
1463 anticIn.insert(*I);
1464 anticIn.set(VN.lookup(*I));
1465 }
1466 }
1467
1468 for (SmallPtrSet<Value*, 16>::iterator I = currTemps.begin(),
1469 E = currTemps.end(); I != E; ++I) {
1470 anticIn.erase(*I);
1471 anticIn.reset(VN.lookup(*I));
1472 }
1473
1474 clean(anticIn);
1475 anticOut.clear();
1476
1477 if (old != anticIn.size())
1478 return 2;
1479 else
1480 return 1;
1481}
1482
1483/// buildsets - Phase 1 of the main algorithm. Construct the AVAIL_OUT
1484/// and the ANTIC_IN sets.
1485void GVNPRE::buildsets(Function& F) {
Owen Andersonc2ae87b2007-07-19 03:32:44 +00001486 DenseMap<BasicBlock*, ValueNumberedSet> generatedExpressions;
1487 DenseMap<BasicBlock*, SmallPtrSet<Value*, 16> > generatedTemporaries;
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001488
1489 DominatorTree &DT = getAnalysis<DominatorTree>();
1490
1491 // Phase 1, Part 1: calculate AVAIL_OUT
1492
1493 // Top-down walk of the dominator tree
1494 for (df_iterator<DomTreeNode*> DI = df_begin(DT.getRootNode()),
1495 E = df_end(DT.getRootNode()); DI != E; ++DI) {
1496
1497 // Get the sets to update for this block
1498 ValueNumberedSet& currExps = generatedExpressions[DI->getBlock()];
1499 ValueNumberedSet& currPhis = generatedPhis[DI->getBlock()];
1500 SmallPtrSet<Value*, 16>& currTemps = generatedTemporaries[DI->getBlock()];
1501 ValueNumberedSet& currAvail = availableOut[DI->getBlock()];
1502
1503 BasicBlock* BB = DI->getBlock();
1504
1505 // A block inherits AVAIL_OUT from its dominator
1506 if (DI->getIDom() != 0)
1507 currAvail = availableOut[DI->getIDom()->getBlock()];
1508
1509 for (BasicBlock::iterator BI = BB->begin(), BE = BB->end();
1510 BI != BE; ++BI)
1511 buildsets_availout(BI, currAvail, currPhis, currExps,
1512 currTemps);
1513
1514 }
1515
1516 // Phase 1, Part 2: calculate ANTIC_IN
1517
Owen Andersonc2ae87b2007-07-19 03:32:44 +00001518 SmallPtrSet<BasicBlock*, 8> visited;
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001519 SmallPtrSet<BasicBlock*, 4> block_changed;
1520 for (Function::iterator FI = F.begin(), FE = F.end(); FI != FE; ++FI)
1521 block_changed.insert(FI);
1522
1523 bool changed = true;
1524 unsigned iterations = 0;
1525
1526 while (changed) {
1527 changed = false;
1528 ValueNumberedSet anticOut;
1529
1530 // Postorder walk of the CFG
1531 for (po_iterator<BasicBlock*> BBI = po_begin(&F.getEntryBlock()),
1532 BBE = po_end(&F.getEntryBlock()); BBI != BBE; ++BBI) {
1533 BasicBlock* BB = *BBI;
1534
1535 if (block_changed.count(BB) != 0) {
1536 unsigned ret = buildsets_anticin(BB, anticOut,generatedExpressions[BB],
1537 generatedTemporaries[BB], visited);
1538
1539 if (ret == 0) {
1540 changed = true;
1541 continue;
1542 } else {
1543 visited.insert(BB);
1544
1545 if (ret == 2)
1546 for (pred_iterator PI = pred_begin(BB), PE = pred_end(BB);
1547 PI != PE; ++PI) {
1548 block_changed.insert(*PI);
1549 }
1550 else
1551 block_changed.erase(BB);
1552
1553 changed |= (ret == 2);
1554 }
1555 }
1556 }
1557
1558 iterations++;
1559 }
1560}
1561
1562/// insertion_pre - When a partial redundancy has been identified, eliminate it
1563/// by inserting appropriate values into the predecessors and a phi node in
1564/// the main block
1565void GVNPRE::insertion_pre(Value* e, BasicBlock* BB,
Owen Anderson9f1f2d42007-07-19 06:37:56 +00001566 DenseMap<BasicBlock*, Value*>& avail,
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001567 std::map<BasicBlock*, ValueNumberedSet>& new_sets) {
1568 for (pred_iterator PI = pred_begin(BB), PE = pred_end(BB); PI != PE; ++PI) {
1569 Value* e2 = avail[*PI];
1570 if (!availableOut[*PI].test(VN.lookup(e2))) {
1571 User* U = cast<User>(e2);
1572
1573 Value* s1 = 0;
1574 if (isa<BinaryOperator>(U->getOperand(0)) ||
1575 isa<CmpInst>(U->getOperand(0)) ||
1576 isa<ShuffleVectorInst>(U->getOperand(0)) ||
1577 isa<ExtractElementInst>(U->getOperand(0)) ||
1578 isa<InsertElementInst>(U->getOperand(0)) ||
1579 isa<SelectInst>(U->getOperand(0)) ||
1580 isa<CastInst>(U->getOperand(0)) ||
1581 isa<GetElementPtrInst>(U->getOperand(0)))
1582 s1 = find_leader(availableOut[*PI], VN.lookup(U->getOperand(0)));
1583 else
1584 s1 = U->getOperand(0);
1585
1586 Value* s2 = 0;
1587
1588 if (isa<BinaryOperator>(U) ||
1589 isa<CmpInst>(U) ||
1590 isa<ShuffleVectorInst>(U) ||
1591 isa<ExtractElementInst>(U) ||
1592 isa<InsertElementInst>(U) ||
1593 isa<SelectInst>(U))
1594 if (isa<BinaryOperator>(U->getOperand(1)) ||
1595 isa<CmpInst>(U->getOperand(1)) ||
1596 isa<ShuffleVectorInst>(U->getOperand(1)) ||
1597 isa<ExtractElementInst>(U->getOperand(1)) ||
1598 isa<InsertElementInst>(U->getOperand(1)) ||
1599 isa<SelectInst>(U->getOperand(1)) ||
1600 isa<CastInst>(U->getOperand(1)) ||
1601 isa<GetElementPtrInst>(U->getOperand(1))) {
1602 s2 = find_leader(availableOut[*PI], VN.lookup(U->getOperand(1)));
1603 } else {
1604 s2 = U->getOperand(1);
1605 }
1606
1607 // Ternary Operators
1608 Value* s3 = 0;
1609 if (isa<ShuffleVectorInst>(U) ||
1610 isa<InsertElementInst>(U) ||
1611 isa<SelectInst>(U))
1612 if (isa<BinaryOperator>(U->getOperand(2)) ||
1613 isa<CmpInst>(U->getOperand(2)) ||
1614 isa<ShuffleVectorInst>(U->getOperand(2)) ||
1615 isa<ExtractElementInst>(U->getOperand(2)) ||
1616 isa<InsertElementInst>(U->getOperand(2)) ||
1617 isa<SelectInst>(U->getOperand(2)) ||
1618 isa<CastInst>(U->getOperand(2)) ||
1619 isa<GetElementPtrInst>(U->getOperand(2))) {
1620 s3 = find_leader(availableOut[*PI], VN.lookup(U->getOperand(2)));
1621 } else {
1622 s3 = U->getOperand(2);
1623 }
1624
1625 // Vararg operators
Owen Anderson9f1f2d42007-07-19 06:37:56 +00001626 SmallVector<Value*, 4> sVarargs;
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001627 if (GetElementPtrInst* G = dyn_cast<GetElementPtrInst>(U)) {
1628 for (GetElementPtrInst::op_iterator OI = G->idx_begin(),
1629 OE = G->idx_end(); OI != OE; ++OI) {
1630 if (isa<BinaryOperator>(*OI) ||
1631 isa<CmpInst>(*OI) ||
1632 isa<ShuffleVectorInst>(*OI) ||
1633 isa<ExtractElementInst>(*OI) ||
1634 isa<InsertElementInst>(*OI) ||
1635 isa<SelectInst>(*OI) ||
1636 isa<CastInst>(*OI) ||
1637 isa<GetElementPtrInst>(*OI)) {
1638 sVarargs.push_back(find_leader(availableOut[*PI],
1639 VN.lookup(*OI)));
1640 } else {
1641 sVarargs.push_back(*OI);
1642 }
1643 }
1644 }
1645
1646 Value* newVal = 0;
1647 if (BinaryOperator* BO = dyn_cast<BinaryOperator>(U))
1648 newVal = BinaryOperator::create(BO->getOpcode(), s1, s2,
1649 BO->getName()+".gvnpre",
1650 (*PI)->getTerminator());
1651 else if (CmpInst* C = dyn_cast<CmpInst>(U))
1652 newVal = CmpInst::create(C->getOpcode(), C->getPredicate(), s1, s2,
1653 C->getName()+".gvnpre",
1654 (*PI)->getTerminator());
1655 else if (ShuffleVectorInst* S = dyn_cast<ShuffleVectorInst>(U))
1656 newVal = new ShuffleVectorInst(s1, s2, s3, S->getName()+".gvnpre",
1657 (*PI)->getTerminator());
1658 else if (InsertElementInst* S = dyn_cast<InsertElementInst>(U))
1659 newVal = new InsertElementInst(s1, s2, s3, S->getName()+".gvnpre",
1660 (*PI)->getTerminator());
1661 else if (ExtractElementInst* S = dyn_cast<ExtractElementInst>(U))
1662 newVal = new ExtractElementInst(s1, s2, S->getName()+".gvnpre",
1663 (*PI)->getTerminator());
1664 else if (SelectInst* S = dyn_cast<SelectInst>(U))
1665 newVal = new SelectInst(s1, s2, s3, S->getName()+".gvnpre",
1666 (*PI)->getTerminator());
1667 else if (CastInst* C = dyn_cast<CastInst>(U))
1668 newVal = CastInst::create(C->getOpcode(), s1, C->getType(),
1669 C->getName()+".gvnpre",
1670 (*PI)->getTerminator());
1671 else if (GetElementPtrInst* G = dyn_cast<GetElementPtrInst>(U))
1672 newVal = new GetElementPtrInst(s1, &sVarargs[0], sVarargs.size(),
1673 G->getName()+".gvnpre",
1674 (*PI)->getTerminator());
1675
1676
1677 VN.add(newVal, VN.lookup(U));
1678
1679 ValueNumberedSet& predAvail = availableOut[*PI];
1680 val_replace(predAvail, newVal);
1681 val_replace(new_sets[*PI], newVal);
1682 predAvail.set(VN.lookup(newVal));
1683
Owen Anderson9f1f2d42007-07-19 06:37:56 +00001684 DenseMap<BasicBlock*, Value*>::iterator av = avail.find(*PI);
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001685 if (av != avail.end())
1686 avail.erase(av);
1687 avail.insert(std::make_pair(*PI, newVal));
1688
1689 ++NumInsertedVals;
1690 }
1691 }
1692
1693 PHINode* p = 0;
1694
1695 for (pred_iterator PI = pred_begin(BB), PE = pred_end(BB); PI != PE; ++PI) {
1696 if (p == 0)
1697 p = new PHINode(avail[*PI]->getType(), "gvnpre-join", BB->begin());
1698
1699 p->addIncoming(avail[*PI], *PI);
1700 }
1701
1702 VN.add(p, VN.lookup(e));
1703 val_replace(availableOut[BB], p);
1704 availableOut[BB].set(VN.lookup(e));
1705 generatedPhis[BB].insert(p);
1706 generatedPhis[BB].set(VN.lookup(e));
1707 new_sets[BB].insert(p);
1708 new_sets[BB].set(VN.lookup(e));
1709
1710 ++NumInsertedPhis;
1711}
1712
1713/// insertion_mergepoint - When walking the dom tree, check at each merge
1714/// block for the possibility of a partial redundancy. If present, eliminate it
Owen Anderson9f1f2d42007-07-19 06:37:56 +00001715unsigned GVNPRE::insertion_mergepoint(SmallVector<Value*, 8>& workList,
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001716 df_iterator<DomTreeNode*>& D,
1717 std::map<BasicBlock*, ValueNumberedSet >& new_sets) {
1718 bool changed_function = false;
1719 bool new_stuff = false;
1720
1721 BasicBlock* BB = D->getBlock();
1722 for (unsigned i = 0; i < workList.size(); ++i) {
1723 Value* e = workList[i];
1724
1725 if (isa<BinaryOperator>(e) || isa<CmpInst>(e) ||
1726 isa<ExtractElementInst>(e) || isa<InsertElementInst>(e) ||
1727 isa<ShuffleVectorInst>(e) || isa<SelectInst>(e) || isa<CastInst>(e) ||
1728 isa<GetElementPtrInst>(e)) {
1729 if (availableOut[D->getIDom()->getBlock()].test(VN.lookup(e)))
1730 continue;
1731
Owen Anderson9f1f2d42007-07-19 06:37:56 +00001732 DenseMap<BasicBlock*, Value*> avail;
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001733 bool by_some = false;
1734 bool all_same = true;
1735 Value * first_s = 0;
1736
1737 for (pred_iterator PI = pred_begin(BB), PE = pred_end(BB); PI != PE;
1738 ++PI) {
1739 Value *e2 = phi_translate(e, *PI, BB);
1740 Value *e3 = find_leader(availableOut[*PI], VN.lookup(e2));
1741
1742 if (e3 == 0) {
Owen Anderson9f1f2d42007-07-19 06:37:56 +00001743 DenseMap<BasicBlock*, Value*>::iterator av = avail.find(*PI);
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001744 if (av != avail.end())
1745 avail.erase(av);
1746 avail.insert(std::make_pair(*PI, e2));
1747 all_same = false;
1748 } else {
Owen Anderson9f1f2d42007-07-19 06:37:56 +00001749 DenseMap<BasicBlock*, Value*>::iterator av = avail.find(*PI);
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001750 if (av != avail.end())
1751 avail.erase(av);
1752 avail.insert(std::make_pair(*PI, e3));
1753
1754 by_some = true;
1755 if (first_s == 0)
1756 first_s = e3;
1757 else if (first_s != e3)
1758 all_same = false;
1759 }
1760 }
1761
1762 if (by_some && !all_same &&
1763 !generatedPhis[BB].test(VN.lookup(e))) {
1764 insertion_pre(e, BB, avail, new_sets);
1765
1766 changed_function = true;
1767 new_stuff = true;
1768 }
1769 }
1770 }
1771
1772 unsigned retval = 0;
1773 if (changed_function)
1774 retval += 1;
1775 if (new_stuff)
1776 retval += 2;
1777
1778 return retval;
1779}
1780
1781/// insert - Phase 2 of the main algorithm. Walk the dominator tree looking for
1782/// merge points. When one is found, check for a partial redundancy. If one is
1783/// present, eliminate it. Repeat this walk until no changes are made.
1784bool GVNPRE::insertion(Function& F) {
1785 bool changed_function = false;
1786
1787 DominatorTree &DT = getAnalysis<DominatorTree>();
1788
1789 std::map<BasicBlock*, ValueNumberedSet> new_sets;
1790 bool new_stuff = true;
1791 while (new_stuff) {
1792 new_stuff = false;
1793 for (df_iterator<DomTreeNode*> DI = df_begin(DT.getRootNode()),
1794 E = df_end(DT.getRootNode()); DI != E; ++DI) {
1795 BasicBlock* BB = DI->getBlock();
1796
1797 if (BB == 0)
1798 continue;
1799
1800 ValueNumberedSet& availOut = availableOut[BB];
1801 ValueNumberedSet& anticIn = anticipatedIn[BB];
1802
1803 // Replace leaders with leaders inherited from dominator
1804 if (DI->getIDom() != 0) {
1805 ValueNumberedSet& dom_set = new_sets[DI->getIDom()->getBlock()];
1806 for (ValueNumberedSet::iterator I = dom_set.begin(),
1807 E = dom_set.end(); I != E; ++I) {
1808 val_replace(new_sets[BB], *I);
1809 val_replace(availOut, *I);
1810 }
1811 }
1812
1813 // If there is more than one predecessor...
1814 if (pred_begin(BB) != pred_end(BB) && ++pred_begin(BB) != pred_end(BB)) {
Owen Anderson9f1f2d42007-07-19 06:37:56 +00001815 SmallVector<Value*, 8> workList;
Dan Gohmanf17a25c2007-07-18 16:29:46 +00001816 workList.reserve(anticIn.size());
1817 topo_sort(anticIn, workList);
1818
1819 unsigned result = insertion_mergepoint(workList, DI, new_sets);
1820 if (result & 1)
1821 changed_function = true;
1822 if (result & 2)
1823 new_stuff = true;
1824 }
1825 }
1826 }
1827
1828 return changed_function;
1829}
1830
1831// GVNPRE::runOnFunction - This is the main transformation entry point for a
1832// function.
1833//
1834bool GVNPRE::runOnFunction(Function &F) {
1835 // Clean out global sets from any previous functions
1836 VN.clear();
1837 createdExpressions.clear();
1838 availableOut.clear();
1839 anticipatedIn.clear();
1840 generatedPhis.clear();
1841
1842 bool changed_function = false;
1843
1844 // Phase 1: BuildSets
1845 // This phase calculates the AVAIL_OUT and ANTIC_IN sets
1846 buildsets(F);
1847
1848 // Phase 2: Insert
1849 // This phase inserts values to make partially redundant values
1850 // fully redundant
1851 changed_function |= insertion(F);
1852
1853 // Phase 3: Eliminate
1854 // This phase performs trivial full redundancy elimination
1855 changed_function |= elimination();
1856
1857 // Phase 4: Cleanup
1858 // This phase cleans up values that were created solely
1859 // as leaders for expressions
1860 cleanup();
1861
1862 return changed_function;
1863}