Whoops! Add missing NULL check.
[oota-llvm.git] / lib / Transforms / Scalar / PredicateSimplifier.cpp
1 //===-- PredicateSimplifier.cpp - Path Sensitive Simplifier -----------===//
2 //
3 //                     The LLVM Compiler Infrastructure
4 //
5 // This file was developed by Nick Lewycky and is distributed under the
6 // University of Illinois Open Source License. See LICENSE.TXT for details.
7 //
8 //===------------------------------------------------------------------===//
9 //
10 // Path-sensitive optimizer. In a branch where x == y, replace uses of
11 // x with y. Permits further optimization, such as the elimination of
12 // the unreachable call:
13 //
14 // void test(int *p, int *q)
15 // {
16 //   if (p != q)
17 //     return;
18 // 
19 //   if (*p != *q)
20 //     foo(); // unreachable
21 // }
22 //
23 //===------------------------------------------------------------------===//
24 //
25 // This optimization works by substituting %q for %p when protected by a
26 // conditional that assures us of that fact. Properties are stored as
27 // relationships between two values.
28 //
29 //===------------------------------------------------------------------===//
30
31 #define DEBUG_TYPE "predsimplify"
32 #include "llvm/Transforms/Scalar.h"
33 #include "llvm/Constants.h"
34 #include "llvm/DerivedTypes.h"
35 #include "llvm/Instructions.h"
36 #include "llvm/Pass.h"
37 #include "llvm/ADT/Statistic.h"
38 #include "llvm/ADT/STLExtras.h"
39 #include "llvm/Analysis/Dominators.h"
40 #include "llvm/Support/CFG.h"
41 #include "llvm/Support/Debug.h"
42 #include "llvm/Support/InstVisitor.h"
43 #include <iostream>
44 using namespace llvm;
45
46 typedef DominatorTree::Node DTNodeType;
47
48 namespace {
49   Statistic<>
50   NumVarsReplaced("predsimplify", "Number of argument substitutions");
51   Statistic<>
52   NumInstruction("predsimplify", "Number of instructions removed");
53
54   class PropertySet;
55
56   /// Similar to EquivalenceClasses, this stores the set of equivalent
57   /// types. Beyond EquivalenceClasses, it allows us to specify which
58   /// element will act as leader.
59   template<typename ElemTy>
60   class VISIBILITY_HIDDEN Synonyms {
61     std::map<ElemTy, unsigned> mapping;
62     std::vector<ElemTy> leaders;
63     PropertySet *PS;
64
65   public:
66     typedef unsigned iterator;
67     typedef const unsigned const_iterator;
68
69     Synonyms(PropertySet *PS) : PS(PS) {}
70
71     // Inspection
72
73     bool empty() const {
74       return leaders.empty();
75     }
76
77     iterator findLeader(ElemTy e) {
78       typename std::map<ElemTy, unsigned>::iterator MI = mapping.find(e);
79       if (MI == mapping.end()) return 0;
80
81       return MI->second;
82     }
83
84     const_iterator findLeader(ElemTy e) const {
85       typename std::map<ElemTy, unsigned>::const_iterator MI =
86           mapping.find(e);
87       if (MI == mapping.end()) return 0;
88
89       return MI->second;
90     }
91
92     ElemTy &getLeader(iterator I) {
93       assert(I && I <= leaders.size() && "Illegal leader to get.");
94       return leaders[I-1];
95     }
96
97     const ElemTy &getLeader(const_iterator I) const {
98       assert(I && I <= leaders.size() && "Illegal leaders to get.");
99       return leaders[I-1];
100     }
101
102 #ifdef DEBUG
103     void debug(std::ostream &os) const {
104       for (unsigned i = 1, e = leaders.size()+1; i != e; ++i) {
105         os << i << ". " << *getLeader(i) << ": [";
106         for (std::map<Value *, unsigned>::const_iterator
107              I = mapping.begin(), E = mapping.end(); I != E; ++I) {
108           if ((*I).second == i && (*I).first != leaders[i-1]) {
109             os << *(*I).first << "  ";
110           }
111         }
112         os << "]\n";
113       }
114     }
115 #endif
116
117     // Mutators
118
119     /// Combine two sets referring to the same element, inserting the
120     /// elements as needed. Returns a valid iterator iff two already
121     /// existing disjoint synonym sets were combined. The iterator
122     /// points to the no longer existing element.
123     iterator unionSets(ElemTy E1, ElemTy E2);
124
125     /// Returns an iterator pointing to the synonym set containing
126     /// element e. If none exists, a new one is created and returned.
127     iterator findOrInsert(ElemTy e) {
128       iterator I = findLeader(e);
129       if (I) return I;
130
131       leaders.push_back(e);
132       I = leaders.size();
133       mapping[e] = I;
134       return I;
135     }
136   };
137
138   /// Represents the set of equivalent Value*s and provides insertion
139   /// and fast lookup. Also stores the set of inequality relationships.
140   class PropertySet {
141     /// Returns true if V1 is a better choice than V2.
142     bool compare(Value *V1, Value *V2) const {
143       if (isa<Constant>(V1)) {
144         if (!isa<Constant>(V2)) {
145           return true;
146         }
147       } else if (isa<Argument>(V1)) {
148         if (!isa<Constant>(V2) && !isa<Argument>(V2)) {
149           return true;
150         }
151       }
152       if (Instruction *I1 = dyn_cast<Instruction>(V1)) {
153         if (Instruction *I2 = dyn_cast<Instruction>(V2)) {
154           BasicBlock *BB1 = I1->getParent(),
155                      *BB2 = I2->getParent();
156           if (BB1 == BB2) {
157             for (BasicBlock::const_iterator I = BB1->begin(), E = BB1->end();
158                  I != E; ++I) {
159               if (&*I == I1) return true;
160               if (&*I == I2) return false;
161             }
162             assert(0 && "Instructions not found in parent BasicBlock?");
163           } else
164             return DT->getNode(BB1)->properlyDominates(DT->getNode(BB2));
165         }
166       }
167       return false;
168     }
169
170     struct Property;
171   public:
172     /// Choose the canonical Value in a synonym set.
173     /// Leaves the more canonical choice in V1.
174     void order(Value *&V1, Value *&V2) const {
175       if (compare(V2, V1)) std::swap(V1, V2);
176     }
177
178     PropertySet(DominatorTree *DT) : union_find(this), DT(DT) {}
179
180     Synonyms<Value *> union_find;
181
182     typedef std::vector<Property>::iterator       PropertyIterator;
183     typedef std::vector<Property>::const_iterator ConstPropertyIterator;
184     typedef Synonyms<Value *>::iterator  SynonymIterator;
185
186     enum Ops {
187       EQ,
188       NE
189     };
190
191     Value *canonicalize(Value *V) const {
192       Value *C = lookup(V);
193       return C ? C : V;
194     }
195
196     Value *lookup(Value *V) const {
197       SynonymIterator SI = union_find.findLeader(V);
198       if (!SI) return NULL;
199       return union_find.getLeader(SI);
200     }
201
202     bool empty() const {
203       return union_find.empty();
204     }
205
206     void addEqual(Value *V1, Value *V2) {
207       // If %x = 0. and %y = -0., seteq %x, %y is true, but
208       // copysign(%x) is not the same as copysign(%y).
209       if (V1->getType()->isFloatingPoint()) return;
210
211       order(V1, V2);
212       if (isa<Constant>(V2)) return; // refuse to set false == true.
213
214       SynonymIterator deleted = union_find.unionSets(V1, V2);
215       if (deleted) {
216         SynonymIterator replacement = union_find.findLeader(V1);
217         // Move Properties
218         for (PropertyIterator I = Properties.begin(), E = Properties.end();
219              I != E; ++I) {
220           if (I->I1 == deleted) I->I1 = replacement;
221           else if (I->I1 > deleted) --I->I1;
222           if (I->I2 == deleted) I->I2 = replacement;
223           else if (I->I2 > deleted) --I->I2;
224         }
225       }
226       addImpliedProperties(EQ, V1, V2);
227     }
228
229     void addNotEqual(Value *V1, Value *V2) {
230       // If %x = NAN then seteq %x, %x is false.
231       if (V1->getType()->isFloatingPoint()) return;
232
233       // For example, %x = setne int 0, 0 causes "0 != 0".
234       if (isa<Constant>(V1) && isa<Constant>(V2)) return;
235
236       if (findProperty(NE, V1, V2) != Properties.end())
237         return; // found.
238
239       // Add the property.
240       SynonymIterator I1 = union_find.findOrInsert(V1),
241                       I2 = union_find.findOrInsert(V2);
242
243       // Technically this means that the block is unreachable.
244       if (I1 == I2) return;
245
246       Properties.push_back(Property(NE, I1, I2));
247       addImpliedProperties(NE, V1, V2);
248     }
249
250     PropertyIterator findProperty(Ops Opcode, Value *V1, Value *V2) {
251       assert(Opcode != EQ && "Can't findProperty on EQ."
252              "Use the lookup method instead.");
253
254       SynonymIterator I1 = union_find.findLeader(V1),
255                       I2 = union_find.findLeader(V2);
256       if (!I1 || !I2) return Properties.end();
257
258       return
259       find(Properties.begin(), Properties.end(), Property(Opcode, I1, I2));
260     }
261
262     ConstPropertyIterator
263     findProperty(Ops Opcode, Value *V1, Value *V2) const {
264       assert(Opcode != EQ && "Can't findProperty on EQ."
265              "Use the lookup method instead.");
266
267       SynonymIterator I1 = union_find.findLeader(V1),
268                       I2 = union_find.findLeader(V2);
269       if (!I1 || !I2) return Properties.end();
270
271       return
272       find(Properties.begin(), Properties.end(), Property(Opcode, I1, I2));
273     }
274
275   private:
276     // Represents Head OP [Tail1, Tail2, ...]
277     // For example: %x != %a, %x != %b.
278     struct VISIBILITY_HIDDEN Property {
279       typedef SynonymIterator Iter;
280
281       Property(Ops opcode, Iter i1, Iter i2)
282         : Opcode(opcode), I1(i1), I2(i2)
283       { assert(opcode != EQ && "Equality belongs in the synonym set, "
284                                "not a property."); }
285
286       bool operator==(const Property &P) const {
287         return (Opcode == P.Opcode) &&
288                ((I1 == P.I1 && I2 == P.I2) ||
289                 (I1 == P.I2 && I2 == P.I1));
290       }
291
292       Ops Opcode;
293       Iter I1, I2;
294     };
295
296     void add(Ops Opcode, Value *V1, Value *V2, bool invert) {
297       switch (Opcode) {
298         case EQ:
299           if (invert) addNotEqual(V1, V2);
300           else        addEqual(V1, V2);
301           break;
302         case NE:
303           if (invert) addEqual(V1, V2);
304           else        addNotEqual(V1, V2);
305           break;
306         default:
307           assert(0 && "Unknown property opcode.");
308       }
309     }
310
311     // Finds the properties implied by an equivalence and adds them too.
312     // Example: ("seteq %a, %b", true,  EQ) --> (%a, %b, EQ)
313     //          ("seteq %a, %b", false, EQ) --> (%a, %b, NE)
314     void addImpliedProperties(Ops Opcode, Value *V1, Value *V2) {
315       order(V1, V2);
316
317       if (BinaryOperator *BO = dyn_cast<BinaryOperator>(V2)) {
318         switch (BO->getOpcode()) {
319         case Instruction::SetEQ:
320           if (ConstantBool *V1CB = dyn_cast<ConstantBool>(V1))
321             add(Opcode, BO->getOperand(0), BO->getOperand(1),!V1CB->getValue());
322           break;
323         case Instruction::SetNE:
324           if (ConstantBool *V1CB = dyn_cast<ConstantBool>(V1))
325             add(Opcode, BO->getOperand(0), BO->getOperand(1), V1CB->getValue());
326           break;
327         case Instruction::SetLT:
328         case Instruction::SetGT:
329           if (V1 == ConstantBool::getTrue())
330             add(Opcode, BO->getOperand(0), BO->getOperand(1), true);
331           break;
332         case Instruction::SetLE:
333         case Instruction::SetGE:
334           if (V1 == ConstantBool::getFalse())
335             add(Opcode, BO->getOperand(0), BO->getOperand(1), true);
336           break;
337         case Instruction::And: {
338           ConstantIntegral *CI = dyn_cast<ConstantIntegral>(V1);
339           if (CI && CI->isAllOnesValue()) {
340             add(Opcode, V1, BO->getOperand(0), false);
341             add(Opcode, V1, BO->getOperand(1), false);
342           }
343         } break;
344         case Instruction::Or: {
345           ConstantIntegral *CI = dyn_cast<ConstantIntegral>(V1);
346           if (CI && CI->isNullValue()) {
347             add(Opcode, V1, BO->getOperand(0), false);
348             add(Opcode, V1, BO->getOperand(1), false);
349           }
350         } break;
351         case Instruction::Xor: {
352           ConstantIntegral *CI = dyn_cast<ConstantIntegral>(V1);
353           if (!CI) break;
354           if (CI->isAllOnesValue()) {
355             if (BO->getOperand(0) == V1)
356               add(Opcode, ConstantBool::getFalse(), BO->getOperand(1), false);
357             if (BO->getOperand(1) == V1)
358               add(Opcode, ConstantBool::getFalse(), BO->getOperand(0), false);
359           }
360           if (CI->isNullValue()) {
361             if (BO->getOperand(0) == ConstantBool::getTrue())
362               add(Opcode, ConstantBool::getTrue(), BO->getOperand(1), false);
363             if (BO->getOperand(1) == ConstantBool::getTrue())
364               add(Opcode, ConstantBool::getTrue(), BO->getOperand(0), false);
365           }
366         } break;
367         default:
368           break;
369         }
370       } else if (SelectInst *SI = dyn_cast<SelectInst>(V2)) {
371         if (Opcode != EQ && Opcode != NE) return;
372
373         ConstantBool *True  = ConstantBool::get(Opcode==EQ),
374                      *False = ConstantBool::get(Opcode!=EQ);
375
376         if (V1 == SI->getTrueValue())
377           addEqual(SI->getCondition(), True);
378         else if (V1 == SI->getFalseValue())
379           addEqual(SI->getCondition(), False);
380         else if (Opcode == EQ)
381           assert("Result of select not equal to either value.");
382       }
383     }
384
385     DominatorTree *DT;
386   public:
387 #ifdef DEBUG
388     void debug(std::ostream &os) const {
389       static const char *OpcodeTable[] = { "EQ", "NE" };
390
391       union_find.debug(os);
392       for (std::vector<Property>::const_iterator I = Properties.begin(),
393            E = Properties.end(); I != E; ++I) {
394         os << (*I).I1 << " " << OpcodeTable[(*I).Opcode] << " "
395            << (*I).I2 << "\n";
396       }
397       os << "\n";
398     }
399 #endif
400
401     std::vector<Property> Properties;
402   };
403
404   /// PredicateSimplifier - This class is a simplifier that replaces
405   /// one equivalent variable with another. It also tracks what
406   /// can't be equal and will solve setcc instructions when possible.
407   class PredicateSimplifier : public FunctionPass {
408   public:
409     bool runOnFunction(Function &F);
410     virtual void getAnalysisUsage(AnalysisUsage &AU) const;
411
412   private:
413     /// Backwards - Try to replace the Use of the instruction with
414     /// something simpler. This resolves a value by walking backwards
415     /// through its definition and the operands of that definition to
416     /// see if any values can now be solved for with the properties
417     /// that are in effect now, but weren't at definition time.
418     class Backwards : public InstVisitor<Backwards, Value &> {
419       friend class InstVisitor<Backwards, Value &>;
420       const PropertySet &KP;
421
422       Value &visitSetCondInst(SetCondInst &SCI);
423       Value &visitBinaryOperator(BinaryOperator &BO);
424       Value &visitSelectInst(SelectInst &SI);
425       Value &visitInstruction(Instruction &I);
426
427     public:
428       explicit Backwards(const PropertySet &KP) : KP(KP) {}
429
430       Value *resolve(Value *V);
431     };
432
433     /// Forwards - Adds new properties into PropertySet and uses them to
434     /// simplify instructions. Because new properties sometimes apply to
435     /// a transition from one BasicBlock to another, this will use the
436     /// PredicateSimplifier::proceedToSuccessor(s) interface to enter the
437     /// basic block with the new PropertySet.
438     class Forwards : public InstVisitor<Forwards> {
439       friend class InstVisitor<Forwards>;
440       PredicateSimplifier *PS;
441     public:
442       PropertySet &KP;
443
444       Forwards(PredicateSimplifier *PS, PropertySet &KP) : PS(PS), KP(KP) {}
445
446       // Tries to simplify each Instruction and add new properties to
447       // the PropertySet. Returns true if it erase the instruction.
448       //void visitInstruction(Instruction *I);
449
450       void visitTerminatorInst(TerminatorInst &TI);
451       void visitBranchInst(BranchInst &BI);
452       void visitSwitchInst(SwitchInst &SI);
453
454       void visitAllocaInst(AllocaInst &AI);
455       void visitLoadInst(LoadInst &LI);
456       void visitStoreInst(StoreInst &SI);
457       void visitBinaryOperator(BinaryOperator &BO);
458     };
459
460     // Used by terminator instructions to proceed from the current basic
461     // block to the next. Verifies that "current" dominates "next",
462     // then calls visitBasicBlock.
463     void proceedToSuccessors(PropertySet &CurrentPS, BasicBlock *Current);
464     void proceedToSuccessor(PropertySet &Properties, BasicBlock *Next);
465
466     // Visits each instruction in the basic block.
467     void visitBasicBlock(BasicBlock *Block, PropertySet &KnownProperties);
468
469     // Tries to simplify each Instruction and add new properties to
470     // the PropertySet.
471     void visitInstruction(Instruction *I, PropertySet &);
472
473     DominatorTree *DT;
474     bool modified;
475   };
476
477   RegisterPass<PredicateSimplifier> X("predsimplify",
478                                       "Predicate Simplifier");
479
480   template <typename ElemTy>
481   typename Synonyms<ElemTy>::iterator
482   Synonyms<ElemTy>::unionSets(ElemTy E1, ElemTy E2) {
483     PS->order(E1, E2);
484
485     iterator I1 = findLeader(E1),
486              I2 = findLeader(E2);
487
488     if (!I1 && !I2) { // neither entry is in yet
489       leaders.push_back(E1);
490       I1 = leaders.size();
491       mapping[E1] = I1;
492       mapping[E2] = I1;
493       return 0;
494     }
495
496     if (!I1 && I2) {
497       mapping[E1] = I2;
498       std::swap(getLeader(I2), E1);
499       return 0;
500     }
501
502     if (I1 && !I2) {
503       mapping[E2] = I1;
504       return 0;
505     }
506
507     if (I1 == I2) return 0;
508
509     // This is the case where we have two sets, [%a1, %a2, %a3] and
510     // [%p1, %p2, %p3] and someone says that %a2 == %p3. We need to
511     // combine the two synsets.
512
513     if (I1 > I2) --I1;
514
515     for (std::map<Value *, unsigned>::iterator I = mapping.begin(),
516          E = mapping.end(); I != E; ++I) {
517       if (I->second == I2) I->second = I1;
518       else if (I->second > I2) --I->second;
519     }
520
521     leaders.erase(leaders.begin() + I2 - 1);
522
523     return I2;
524   }
525 }
526
527 FunctionPass *llvm::createPredicateSimplifierPass() {
528   return new PredicateSimplifier();
529 }
530
531 bool PredicateSimplifier::runOnFunction(Function &F) {
532   DT = &getAnalysis<DominatorTree>();
533
534   modified = false;
535   PropertySet KnownProperties(DT);
536   visitBasicBlock(DT->getRootNode()->getBlock(), KnownProperties);
537   return modified;
538 }
539
540 void PredicateSimplifier::getAnalysisUsage(AnalysisUsage &AU) const {
541   AU.addRequiredID(BreakCriticalEdgesID);
542   AU.addRequired<DominatorTree>();
543   AU.setPreservesCFG();
544   AU.addPreservedID(BreakCriticalEdgesID);
545 }
546
547 Value &PredicateSimplifier::Backwards::visitSetCondInst(SetCondInst &SCI) {
548   Value &vBO = visitBinaryOperator(SCI);
549   if (&vBO !=  &SCI) return vBO;
550
551   Value *SCI0 = resolve(SCI.getOperand(0)),
552         *SCI1 = resolve(SCI.getOperand(1));
553
554   PropertySet::ConstPropertyIterator NE =
555       KP.findProperty(PropertySet::NE, SCI0, SCI1);
556
557   if (NE != KP.Properties.end()) {
558     switch (SCI.getOpcode()) {
559       case Instruction::SetEQ: return *ConstantBool::getFalse();
560       case Instruction::SetNE: return *ConstantBool::getTrue();
561       case Instruction::SetLE:
562       case Instruction::SetGE:
563       case Instruction::SetLT:
564       case Instruction::SetGT:
565         break;
566       default:
567         assert(0 && "Unknown opcode in SetCondInst.");
568         break;
569     }
570   }
571   return SCI;
572 }
573
574 Value &PredicateSimplifier::Backwards::visitBinaryOperator(BinaryOperator &BO) {
575   Value *V = KP.canonicalize(&BO);
576   if (V != &BO) return *V;
577
578   Value *lhs = resolve(BO.getOperand(0)),
579         *rhs = resolve(BO.getOperand(1));
580
581   ConstantIntegral *CI1 = dyn_cast<ConstantIntegral>(lhs),
582                    *CI2 = dyn_cast<ConstantIntegral>(rhs);
583
584   if (CI1 && CI2) return *ConstantExpr::get(BO.getOpcode(), CI1, CI2);
585
586   return BO;
587 }
588
589 Value &PredicateSimplifier::Backwards::visitSelectInst(SelectInst &SI) {
590   Value *V = KP.canonicalize(&SI);
591   if (V != &SI) return *V;
592
593   Value *Condition = resolve(SI.getCondition());
594   if (ConstantBool *CB = dyn_cast<ConstantBool>(Condition))
595     return *resolve(CB->getValue() ? SI.getTrueValue() : SI.getFalseValue());
596   return SI;
597 }
598
599 Value &PredicateSimplifier::Backwards::visitInstruction(Instruction &I) {
600   return *KP.canonicalize(&I);
601 }
602
603 Value *PredicateSimplifier::Backwards::resolve(Value *V) {
604   if (isa<Constant>(V) || isa<BasicBlock>(V) || KP.empty()) return V;
605
606   if (Instruction *I = dyn_cast<Instruction>(V)) return &visit(*I);
607   return KP.canonicalize(V);
608 }
609
610 void PredicateSimplifier::visitBasicBlock(BasicBlock *BB,
611                                           PropertySet &KnownProperties) {
612   for (BasicBlock::iterator I = BB->begin(), E = BB->end(); I != E;) {
613     visitInstruction(I++, KnownProperties);
614   }
615 }
616
617 void PredicateSimplifier::visitInstruction(Instruction *I,
618                                            PropertySet &KnownProperties) {
619   // Try to replace the whole instruction.
620   Backwards resolve(KnownProperties);
621   Value *V = resolve.resolve(I);
622   if (V != I) {
623     modified = true;
624     ++NumInstruction;
625     DEBUG(std::cerr << "Removing " << *I);
626     I->replaceAllUsesWith(V);
627     I->eraseFromParent();
628     return;
629   }
630
631   // Try to substitute operands.
632   for (unsigned i = 0, e = I->getNumOperands(); i != e; ++i) {
633     Value *Oper = I->getOperand(i);
634     Value *V = resolve.resolve(Oper);
635     if (V != Oper) {
636       modified = true;
637       ++NumVarsReplaced;
638       DEBUG(std::cerr << "Resolving " << *I);
639       I->setOperand(i, V);
640       DEBUG(std::cerr << "into " << *I);
641     }
642   }
643
644   Forwards visit(this, KnownProperties);
645   visit.visit(*I);
646 }
647
648 void PredicateSimplifier::proceedToSuccessors(PropertySet &KP,
649                                               BasicBlock *BBCurrent) {
650   DTNodeType *Current = DT->getNode(BBCurrent);
651   for (DTNodeType::iterator I = Current->begin(), E = Current->end();
652        I != E; ++I) {
653     PropertySet Copy(KP);
654     visitBasicBlock((*I)->getBlock(), Copy);
655   }
656 }
657
658 void PredicateSimplifier::proceedToSuccessor(PropertySet &KP, BasicBlock *BB) {
659   visitBasicBlock(BB, KP);
660 }
661
662 void PredicateSimplifier::Forwards::visitTerminatorInst(TerminatorInst &TI) {
663   PS->proceedToSuccessors(KP, TI.getParent());
664 }
665
666 void PredicateSimplifier::Forwards::visitBranchInst(BranchInst &BI) {
667   BasicBlock *BB = BI.getParent();
668
669   if (BI.isUnconditional()) {
670     PS->proceedToSuccessors(KP, BB);
671     return;
672   }
673
674   Value *Condition = BI.getCondition();
675
676   BasicBlock *TrueDest  = BI.getSuccessor(0),
677              *FalseDest = BI.getSuccessor(1);
678
679   if (isa<ConstantBool>(Condition) || TrueDest == FalseDest) {
680     PS->proceedToSuccessors(KP, BB);
681     return;
682   }
683
684   DTNodeType *Node = PS->DT->getNode(BB);
685   for (DTNodeType::iterator I = Node->begin(), E = Node->end(); I != E; ++I) {
686     BasicBlock *Dest = (*I)->getBlock();
687     PropertySet DestProperties(KP);
688
689     if (Dest == TrueDest)
690       DestProperties.addEqual(ConstantBool::getTrue(), Condition);
691     else if (Dest == FalseDest)
692       DestProperties.addEqual(ConstantBool::getFalse(), Condition);
693
694     PS->proceedToSuccessor(DestProperties, Dest);
695   }
696 }
697
698 void PredicateSimplifier::Forwards::visitSwitchInst(SwitchInst &SI) {
699   Value *Condition = SI.getCondition();
700
701   // Set the EQProperty in each of the cases BBs,
702   // and the NEProperties in the default BB.
703   PropertySet DefaultProperties(KP);
704
705   DTNodeType *Node = PS->DT->getNode(SI.getParent());
706   for (DTNodeType::iterator I = Node->begin(), E = Node->end(); I != E; ++I) {
707     BasicBlock *BB = (*I)->getBlock();
708
709     PropertySet BBProperties(KP);
710     if (BB == SI.getDefaultDest()) {
711       for (unsigned i = 1, e = SI.getNumCases(); i < e; ++i)
712         if (SI.getSuccessor(i) != BB)
713           BBProperties.addNotEqual(Condition, SI.getCaseValue(i));
714     } else if (ConstantInt *CI = SI.findCaseDest(BB)) {
715       BBProperties.addEqual(Condition, CI);
716     }
717     PS->proceedToSuccessor(BBProperties, BB);
718   }
719 }
720
721 void PredicateSimplifier::Forwards::visitAllocaInst(AllocaInst &AI) {
722   KP.addNotEqual(Constant::getNullValue(AI.getType()), &AI);
723 }
724
725 void PredicateSimplifier::Forwards::visitLoadInst(LoadInst &LI) {
726   Value *Ptr = LI.getPointerOperand();
727   KP.addNotEqual(Constant::getNullValue(Ptr->getType()), Ptr);
728 }
729
730 void PredicateSimplifier::Forwards::visitStoreInst(StoreInst &SI) {
731   Value *Ptr = SI.getPointerOperand();
732   KP.addNotEqual(Constant::getNullValue(Ptr->getType()), Ptr);
733 }
734
735 void PredicateSimplifier::Forwards::visitBinaryOperator(BinaryOperator &BO) {
736   Instruction::BinaryOps ops = BO.getOpcode();
737
738   switch (ops) {
739     case Instruction::Div:
740     case Instruction::Rem: {
741       Value *Divisor = BO.getOperand(1);
742       KP.addNotEqual(Constant::getNullValue(Divisor->getType()), Divisor);
743       break;
744     }
745     default:
746       break;
747   }
748 }