Eliminate duplicate or unneccesary #include's
[oota-llvm.git] / lib / Transforms / IPO / DeadTypeElimination.cpp
1 //===- CleanupGCCOutput.cpp - Cleanup GCC Output --------------------------===//
2 //
3 // This pass is used to cleanup the output of GCC.  GCC's output is
4 // unneccessarily gross for a couple of reasons. This pass does the following
5 // things to try to clean it up:
6 //
7 // * Eliminate names for GCC types that we know can't be needed by the user.
8 // * Eliminate names for types that are unused in the entire translation unit
9 // * Fix various problems that we might have in PHI nodes and casts
10 // * Link uses of 'void %foo(...)' to 'void %foo(sometypes)'
11 //
12 // Note:  This code produces dead declarations, it is a good idea to run DCE
13 //        after this pass.
14 //
15 //===----------------------------------------------------------------------===//
16
17 #include "llvm/Transforms/CleanupGCCOutput.h"
18 #include "llvm/Analysis/FindUsedTypes.h"
19 #include "TransformInternals.h"
20 #include "llvm/Module.h"
21 #include "llvm/SymbolTable.h"
22 #include "llvm/DerivedTypes.h"
23 #include "llvm/iPHINode.h"
24 #include "llvm/iMemory.h"
25 #include "llvm/iTerminators.h"
26 #include "llvm/iOther.h"
27 #include "llvm/Support/CFG.h"
28 #include <algorithm>
29 #include <iostream>
30 using std::vector;
31 using std::string;
32 using std::cerr;
33
34 static const Type *PtrSByte = 0;    // 'sbyte*' type
35
36 namespace {
37   struct CleanupGCCOutput : public FunctionPass {
38     const char *getPassName() const { return "Cleanup GCC Output"; }
39
40     // doPassInitialization - For this pass, it removes global symbol table
41     // entries for primitive types.  These are never used for linking in GCC and
42     // they make the output uglier to look at, so we nuke them.
43     //
44     // Also, initialize instance variables.
45     //
46     bool doInitialization(Module *M);
47     
48     // runOnFunction - This method simplifies the specified function hopefully.
49     //
50     bool runOnFunction(Function *F);
51     
52     // doPassFinalization - Strip out type names that are unused by the program
53     bool doFinalization(Module *M);
54     
55     // getAnalysisUsage - This function needs FindUsedTypes to do its job...
56     //
57     virtual void getAnalysisUsage(AnalysisUsage &AU) const {
58       AU.addRequired(FindUsedTypes::ID);
59     }
60   };
61 }
62
63 Pass *createCleanupGCCOutputPass() {
64   return new CleanupGCCOutput();
65 }
66
67
68
69 // ShouldNukSymtabEntry - Return true if this module level symbol table entry
70 // should be eliminated.
71 //
72 static inline bool ShouldNukeSymtabEntry(const std::pair<string, Value*> &E) {
73   // Nuke all names for primitive types!
74   if (cast<Type>(E.second)->isPrimitiveType()) return true;
75
76   // Nuke all pointers to primitive types as well...
77   if (const PointerType *PT = dyn_cast<PointerType>(E.second))
78     if (PT->getElementType()->isPrimitiveType()) return true;
79
80   // The only types that could contain .'s in the program are things generated
81   // by GCC itself, including "complex.float" and friends.  Nuke them too.
82   if (E.first.find('.') != string::npos) return true;
83
84   return false;
85 }
86
87 // doInitialization - For this pass, it removes global symbol table
88 // entries for primitive types.  These are never used for linking in GCC and
89 // they make the output uglier to look at, so we nuke them.
90 //
91 bool CleanupGCCOutput::doInitialization(Module *M) {
92   bool Changed = false;
93
94   if (PtrSByte == 0)
95     PtrSByte = PointerType::get(Type::SByteTy);
96
97   if (M->hasSymbolTable()) {
98     SymbolTable *ST = M->getSymbolTable();
99
100     // Check the symbol table for superfluous type entries...
101     //
102     // Grab the 'type' plane of the module symbol...
103     SymbolTable::iterator STI = ST->find(Type::TypeTy);
104     if (STI != ST->end()) {
105       // Loop over all entries in the type plane...
106       SymbolTable::VarMap &Plane = STI->second;
107       for (SymbolTable::VarMap::iterator PI = Plane.begin(); PI != Plane.end();)
108         if (ShouldNukeSymtabEntry(*PI)) {    // Should we remove this entry?
109 #if MAP_IS_NOT_BRAINDEAD
110           PI = Plane.erase(PI);     // STD C++ Map should support this!
111 #else
112           Plane.erase(PI);          // Alas, GCC 2.95.3 doesn't  *SIGH*
113           PI = Plane.begin();
114 #endif
115           Changed = true;
116         } else {
117           ++PI;
118         }
119     }
120   }
121
122   return Changed;
123 }
124
125
126 // FixCastsAndPHIs - The LLVM GCC has a tendancy to intermix Cast instructions
127 // in with the PHI nodes.  These cast instructions are potentially there for two
128 // different reasons:
129 //
130 //   1. The cast could be for an early PHI, and be accidentally inserted before
131 //      another PHI node.  In this case, the PHI node should be moved to the end
132 //      of the PHI nodes in the basic block.  We know that it is this case if
133 //      the source for the cast is a PHI node in this basic block.
134 //
135 //   2. If not #1, the cast must be a source argument for one of the PHI nodes
136 //      in the current basic block.  If this is the case, the cast should be
137 //      lifted into the basic block for the appropriate predecessor. 
138 //
139 static inline bool FixCastsAndPHIs(BasicBlock *BB) {
140   bool Changed = false;
141
142   BasicBlock::iterator InsertPos = BB->begin();
143
144   // Find the end of the interesting instructions...
145   while (isa<PHINode>(*InsertPos) || isa<CastInst>(*InsertPos)) ++InsertPos;
146
147   // Back the InsertPos up to right after the last PHI node.
148   while (InsertPos != BB->begin() && isa<CastInst>(*(InsertPos-1))) --InsertPos;
149
150   // No PHI nodes, quick exit.
151   if (InsertPos == BB->begin()) return false;
152
153   // Loop over all casts trapped between the PHI's...
154   BasicBlock::iterator I = BB->begin();
155   while (I != InsertPos) {
156     if (CastInst *CI = dyn_cast<CastInst>(*I)) { // Fix all cast instructions
157       Value *Src = CI->getOperand(0);
158
159       // Move the cast instruction to the current insert position...
160       --InsertPos;                 // New position for cast to go...
161       std::swap(*InsertPos, *I);   // Cast goes down, PHI goes up
162
163       if (isa<PHINode>(Src) &&                                // Handle case #1
164           cast<PHINode>(Src)->getParent() == BB) {
165         // We're done for case #1
166       } else {                                                // Handle case #2
167         // In case #2, we have to do a few things:
168         //   1. Remove the cast from the current basic block.
169         //   2. Identify the PHI node that the cast is for.
170         //   3. Find out which predecessor the value is for.
171         //   4. Move the cast to the end of the basic block that it SHOULD be
172         //
173
174         // Remove the cast instruction from the basic block.  The remove only
175         // invalidates iterators in the basic block that are AFTER the removed
176         // element.  Because we just moved the CastInst to the InsertPos, no
177         // iterators get invalidated.
178         //
179         BB->getInstList().remove(InsertPos);
180
181         // Find the PHI node.  Since this cast was generated specifically for a
182         // PHI node, there can only be a single PHI node using it.
183         //
184         assert(CI->use_size() == 1 && "Exactly one PHI node should use cast!");
185         PHINode *PN = cast<PHINode>(*CI->use_begin());
186
187         // Find out which operand of the PHI it is...
188         unsigned i;
189         for (i = 0; i < PN->getNumIncomingValues(); ++i)
190           if (PN->getIncomingValue(i) == CI)
191             break;
192         assert(i != PN->getNumIncomingValues() && "PHI doesn't use cast!");
193
194         // Get the predecessor the value is for...
195         BasicBlock *Pred = PN->getIncomingBlock(i);
196
197         // Reinsert the cast right before the terminator in Pred.
198         Pred->getInstList().insert(Pred->end()-1, CI);
199       }
200     } else {
201       ++I;
202     }
203   }
204
205   return Changed;
206 }
207
208 // RefactorPredecessor - When we find out that a basic block is a repeated
209 // predecessor in a PHI node, we have to refactor the function until there is at
210 // most a single instance of a basic block in any predecessor list.
211 //
212 static inline void RefactorPredecessor(BasicBlock *BB, BasicBlock *Pred) {
213   Function *M = BB->getParent();
214   assert(find(pred_begin(BB), pred_end(BB), Pred) != pred_end(BB) &&
215          "Pred is not a predecessor of BB!");
216
217   // Create a new basic block, adding it to the end of the function.
218   BasicBlock *NewBB = new BasicBlock("", M);
219
220   // Add an unconditional branch to BB to the new block.
221   NewBB->getInstList().push_back(new BranchInst(BB));
222
223   // Get the terminator that causes a branch to BB from Pred.
224   TerminatorInst *TI = Pred->getTerminator();
225
226   // Find the first use of BB in the terminator...
227   User::op_iterator OI = find(TI->op_begin(), TI->op_end(), BB);
228   assert(OI != TI->op_end() && "Pred does not branch to BB!!!");
229
230   // Change the use of BB to point to the new stub basic block
231   *OI = NewBB;
232
233   // Now we need to loop through all of the PHI nodes in BB and convert their
234   // first incoming value for Pred to reference the new basic block instead.
235   //
236   for (BasicBlock::iterator I = BB->begin(); 
237        PHINode *PN = dyn_cast<PHINode>(*I); ++I) {
238     int BBIdx = PN->getBasicBlockIndex(Pred);
239     assert(BBIdx != -1 && "PHI node doesn't have an entry for Pred!");
240
241     // The value that used to look like it came from Pred now comes from NewBB
242     PN->setIncomingBlock((unsigned)BBIdx, NewBB);
243   }
244 }
245
246
247 // runOnFunction - Loop through the function and fix problems with the PHI nodes
248 // in the current function.  The problem is that PHI nodes might exist with
249 // multiple entries for the same predecessor.  GCC sometimes generates code that
250 // looks like this:
251 //
252 //  bb7:  br bool %cond1004, label %bb8, label %bb8
253 //  bb8: %reg119 = phi uint [ 0, %bb7 ], [ 1, %bb7 ]
254 //     
255 //     which is completely illegal LLVM code.  To compensate for this, we insert
256 //     an extra basic block, and convert the code to look like this:
257 //
258 //  bb7: br bool %cond1004, label %bbX, label %bb8
259 //  bbX: br label bb8
260 //  bb8: %reg119 = phi uint [ 0, %bbX ], [ 1, %bb7 ]
261 //
262 //
263 bool CleanupGCCOutput::runOnFunction(Function *M) {
264   bool Changed = false;
265   // Don't use iterators because invalidation gets messy...
266   for (unsigned MI = 0; MI < M->size(); ++MI) {
267     BasicBlock *BB = M->getBasicBlocks()[MI];
268
269     Changed |= FixCastsAndPHIs(BB);
270
271     if (isa<PHINode>(BB->front())) {
272       const vector<BasicBlock*> Preds(pred_begin(BB), pred_end(BB));
273
274       // Handle the problem.  Sort the list of predecessors so that it is easy
275       // to decide whether or not duplicate predecessors exist.
276       vector<BasicBlock*> SortedPreds(Preds);
277       sort(SortedPreds.begin(), SortedPreds.end());
278
279       // Loop over the predecessors, looking for adjacent BB's that are equal.
280       BasicBlock *LastOne = 0;
281       for (unsigned i = 0; i < Preds.size(); ++i) {
282         if (SortedPreds[i] == LastOne) {   // Found a duplicate.
283           RefactorPredecessor(BB, SortedPreds[i]);
284           Changed = true;
285         }
286         LastOne = SortedPreds[i];
287       }
288     }
289   }
290   return Changed;
291 }
292
293 bool CleanupGCCOutput::doFinalization(Module *M) {
294   bool Changed = false;
295
296   if (M->hasSymbolTable()) {
297     SymbolTable *ST = M->getSymbolTable();
298     const std::set<const Type *> &UsedTypes =
299       getAnalysis<FindUsedTypes>().getTypes();
300
301     // Check the symbol table for superfluous type entries that aren't used in
302     // the program
303     //
304     // Grab the 'type' plane of the module symbol...
305     SymbolTable::iterator STI = ST->find(Type::TypeTy);
306     if (STI != ST->end()) {
307       // Loop over all entries in the type plane...
308       SymbolTable::VarMap &Plane = STI->second;
309       for (SymbolTable::VarMap::iterator PI = Plane.begin(); PI != Plane.end();)
310         if (!UsedTypes.count(cast<Type>(PI->second))) {
311 #if MAP_IS_NOT_BRAINDEAD
312           PI = Plane.erase(PI);     // STD C++ Map should support this!
313 #else
314           Plane.erase(PI);          // Alas, GCC 2.95.3 doesn't  *SIGH*
315           PI = Plane.begin();       // N^2 algorithms are fun.  :(
316 #endif
317           Changed = true;
318         } else {
319           ++PI;
320         }
321     }
322   }
323   return Changed;
324 }
325
326
327 //===----------------------------------------------------------------------===//
328 //
329 // FunctionResolvingPass - Go over the functions that are in the module and
330 // look for functions that have the same name.  More often than not, there will
331 // be things like:
332 //    void "foo"(...)
333 //    void "foo"(int, int)
334 // because of the way things are declared in C.  If this is the case, patch
335 // things up.
336 //
337 //===----------------------------------------------------------------------===//
338
339 namespace {
340   struct FunctionResolvingPass : public Pass {
341     const char *getPassName() const { return "Resolve Functions"; }
342
343     bool run(Module *M);
344   };
345 }
346
347 // ConvertCallTo - Convert a call to a varargs function with no arg types
348 // specified to a concrete nonvarargs function.
349 //
350 static void ConvertCallTo(CallInst *CI, Function *Dest) {
351   const FunctionType::ParamTypes &ParamTys =
352     Dest->getFunctionType()->getParamTypes();
353   BasicBlock *BB = CI->getParent();
354
355   // Get an iterator to where we want to insert cast instructions if the
356   // argument types don't agree.
357   //
358   BasicBlock::iterator BBI = find(BB->begin(), BB->end(), CI);
359   assert(BBI != BB->end() && "CallInst not in parent block?");
360
361   assert(CI->getNumOperands()-1 == ParamTys.size()&&
362          "Function calls resolved funny somehow, incompatible number of args");
363
364   vector<Value*> Params;
365
366   // Convert all of the call arguments over... inserting cast instructions if
367   // the types are not compatible.
368   for (unsigned i = 1; i < CI->getNumOperands(); ++i) {
369     Value *V = CI->getOperand(i);
370
371     if (V->getType() != ParamTys[i-1]) { // Must insert a cast...
372       Instruction *Cast = new CastInst(V, ParamTys[i-1]);
373       BBI = BB->getInstList().insert(BBI, Cast)+1;
374       V = Cast;
375     }
376
377     Params.push_back(V);
378   }
379
380   // Replace the old call instruction with a new call instruction that calls
381   // the real function.
382   //
383   ReplaceInstWithInst(BB->getInstList(), BBI, new CallInst(Dest, Params));
384 }
385
386
387 bool FunctionResolvingPass::run(Module *M) {
388   SymbolTable *ST = M->getSymbolTable();
389   if (!ST) return false;
390
391   std::map<string, vector<Function*> > Functions;
392
393   // Loop over the entries in the symbol table. If an entry is a func pointer,
394   // then add it to the Functions map.  We do a two pass algorithm here to avoid
395   // problems with iterators getting invalidated if we did a one pass scheme.
396   //
397   for (SymbolTable::iterator I = ST->begin(), E = ST->end(); I != E; ++I)
398     if (const PointerType *PT = dyn_cast<PointerType>(I->first))
399       if (isa<FunctionType>(PT->getElementType())) {
400         SymbolTable::VarMap &Plane = I->second;
401         for (SymbolTable::type_iterator PI = Plane.begin(), PE = Plane.end();
402              PI != PE; ++PI) {
403           const string &Name = PI->first;
404           Functions[Name].push_back(cast<Function>(PI->second));          
405         }
406       }
407
408   bool Changed = false;
409
410   // Now we have a list of all functions with a particular name.  If there is
411   // more than one entry in a list, merge the functions together.
412   //
413   for (std::map<string, vector<Function*> >::iterator I = Functions.begin(), 
414          E = Functions.end(); I != E; ++I) {
415     vector<Function*> &Functions = I->second;
416     Function *Implementation = 0;     // Find the implementation
417     Function *Concrete = 0;
418     for (unsigned i = 0; i < Functions.size(); ) {
419       if (!Functions[i]->isExternal()) {  // Found an implementation
420         assert(Implementation == 0 && "Multiple definitions of the same"
421                " function. Case not handled yet!");
422         Implementation = Functions[i];
423       } else {
424         // Ignore functions that are never used so they don't cause spurious
425         // warnings... here we will actually DCE the function so that it isn't
426         // used later.
427         //
428         if (Functions[i]->use_size() == 0) {
429           M->getFunctionList().remove(Functions[i]);
430           delete Functions[i];
431           Functions.erase(Functions.begin()+i);
432           Changed = true;
433           continue;
434         }
435       }
436       
437       if (Functions[i] && (!Functions[i]->getFunctionType()->isVarArg())) {
438         if (Concrete) {  // Found two different functions types.  Can't choose
439           Concrete = 0;
440           break;
441         }
442         Concrete = Functions[i];
443       }
444       ++i;
445     }
446
447     if (Functions.size() > 1) {         // Found a multiply defined function...
448       // We should find exactly one non-vararg function definition, which is
449       // probably the implementation.  Change all of the function definitions
450       // and uses to use it instead.
451       //
452       if (!Concrete) {
453         cerr << "Warning: Found functions types that are not compatible:\n";
454         for (unsigned i = 0; i < Functions.size(); ++i) {
455           cerr << "\t" << Functions[i]->getType()->getDescription() << " %"
456                << Functions[i]->getName() << "\n";
457         }
458         cerr << "  No linkage of functions named '" << Functions[0]->getName()
459              << "' performed!\n";
460       } else {
461         for (unsigned i = 0; i < Functions.size(); ++i)
462           if (Functions[i] != Concrete) {
463             Function *Old = Functions[i];
464             const FunctionType *OldMT = Old->getFunctionType();
465             const FunctionType *ConcreteMT = Concrete->getFunctionType();
466             bool Broken = false;
467
468             assert(Old->getReturnType() == Concrete->getReturnType() &&
469                    "Differing return types not handled yet!");
470             assert(OldMT->getParamTypes().size() <=
471                    ConcreteMT->getParamTypes().size() &&
472                    "Concrete type must have more specified parameters!");
473
474             // Check to make sure that if there are specified types, that they
475             // match...
476             //
477             for (unsigned i = 0; i < OldMT->getParamTypes().size(); ++i)
478               if (OldMT->getParamTypes()[i] != ConcreteMT->getParamTypes()[i]) {
479                 cerr << "Parameter types conflict for" << OldMT
480                      << " and " << ConcreteMT;
481                 Broken = true;
482               }
483             if (Broken) break;  // Can't process this one!
484
485
486             // Attempt to convert all of the uses of the old function to the
487             // concrete form of the function.  If there is a use of the fn
488             // that we don't understand here we punt to avoid making a bad
489             // transformation.
490             //
491             // At this point, we know that the return values are the same for
492             // our two functions and that the Old function has no varargs fns
493             // specified.  In otherwords it's just <retty> (...)
494             //
495             for (unsigned i = 0; i < Old->use_size(); ) {
496               User *U = *(Old->use_begin()+i);
497               if (CastInst *CI = dyn_cast<CastInst>(U)) {
498                 // Convert casts directly
499                 assert(CI->getOperand(0) == Old);
500                 CI->setOperand(0, Concrete);
501                 Changed = true;
502               } else if (CallInst *CI = dyn_cast<CallInst>(U)) {
503                 // Can only fix up calls TO the argument, not args passed in.
504                 if (CI->getCalledValue() == Old) {
505                   ConvertCallTo(CI, Concrete);
506                   Changed = true;
507                 } else {
508                   cerr << "Couldn't cleanup this function call, must be an"
509                        << " argument or something!" << CI;
510                   ++i;
511                 }
512               } else {
513                 cerr << "Cannot convert use of function: " << U << "\n";
514                 ++i;
515               }
516             }
517           }
518         }
519     }
520   }
521
522   return Changed;
523 }
524
525 Pass *createFunctionResolvingPass() {
526   return new FunctionResolvingPass();
527 }