Be a bit more efficient when processing the active and inactive
[oota-llvm.git] / lib / Transforms / Utils / Mem2Reg.cpp
1 //===- Mem2Reg.cpp - The -mem2reg pass, a wrapper around the Utils lib ----===//
2 // 
3 //                     The LLVM Compiler Infrastructure
4 //
5 // This file was developed by the LLVM research group and is distributed under
6 // the University of Illinois Open Source License. See LICENSE.TXT for details.
7 // 
8 //===----------------------------------------------------------------------===//
9 //
10 // This pass is a simple pass wrapper around the PromoteMemToReg function call
11 // exposed by the Utils library.
12 //
13 //===----------------------------------------------------------------------===//
14
15 #include "llvm/Transforms/Scalar.h"
16 #include "llvm/Transforms/Utils/PromoteMemToReg.h"
17 #include "llvm/Analysis/Dominators.h"
18 #include "llvm/Instructions.h"
19 #include "llvm/Function.h"
20 #include "llvm/Target/TargetData.h"
21 #include "Support/Statistic.h"
22 using namespace llvm;
23
24 namespace {
25   Statistic<> NumPromoted("mem2reg", "Number of alloca's promoted");
26
27   struct PromotePass : public FunctionPass {
28     // runOnFunction - To run this pass, first we calculate the alloca
29     // instructions that are safe for promotion, then we promote each one.
30     //
31     virtual bool runOnFunction(Function &F);
32
33     // getAnalysisUsage - We need dominance frontiers
34     //
35     virtual void getAnalysisUsage(AnalysisUsage &AU) const {
36       AU.addRequired<DominatorTree>();
37       AU.addRequired<DominanceFrontier>();
38       AU.addRequired<TargetData>();
39       AU.setPreservesCFG();
40     }
41   };
42
43   RegisterOpt<PromotePass> X("mem2reg", "Promote Memory to Register");
44 }  // end of anonymous namespace
45
46 bool PromotePass::runOnFunction(Function &F) {
47   std::vector<AllocaInst*> Allocas;
48   const TargetData &TD = getAnalysis<TargetData>();
49
50   BasicBlock &BB = F.getEntryBlock();  // Get the entry node for the function
51
52   bool Changed  = false;
53
54   DominatorTree     &DT = getAnalysis<DominatorTree>();
55   DominanceFrontier &DF = getAnalysis<DominanceFrontier>();
56   
57   while (1) {
58     Allocas.clear();
59
60     // Find allocas that are safe to promote, by looking at all instructions in
61     // the entry node
62     for (BasicBlock::iterator I = BB.begin(), E = --BB.end(); I != E; ++I)
63       if (AllocaInst *AI = dyn_cast<AllocaInst>(I))       // Is it an alloca?
64         if (isAllocaPromotable(AI, TD))
65           Allocas.push_back(AI);
66
67     if (Allocas.empty()) break;
68
69     PromoteMemToReg(Allocas, DT, DF, TD);
70     NumPromoted += Allocas.size();
71     Changed = true;
72   }
73
74   return Changed;
75 }
76
77 // createPromoteMemoryToRegister - Provide an entry point to create this pass.
78 //
79 Pass *llvm::createPromoteMemoryToRegister() {
80   return new PromotePass();
81 }
82