Check that we don't have external varaibles with internal linkage
[oota-llvm.git] / lib / VMCore / Verifier.cpp
1 //===-- Verifier.cpp - Implement the Module Verifier -------------*- C++ -*-==//
2 //
3 // This file defines the function verifier interface, that can be used for some
4 // sanity checking of input to the system.
5 //
6 // Note that this does not provide full 'java style' security and verifications,
7 // instead it just tries to ensure that code is well formed.
8 //
9 //  * Both of a binary operator's parameters are the same type
10 //  * Verify that the indices of mem access instructions match other operands
11 //  * Verify that arithmetic and other things are only performed on first class
12 //    types.  Verify that shifts & logicals only happen on integrals f.e.
13 //  . All of the constants in a switch statement are of the correct type
14 //  * The code is in valid SSA form
15 //  . It should be illegal to put a label into any other type (like a structure)
16 //    or to return one. [except constant arrays!]
17 //  * Only phi nodes can be self referential: 'add int %0, %0 ; <int>:0' is bad
18 //  * PHI nodes must have an entry for each predecessor, with no extras.
19 //  * PHI nodes must be the first thing in a basic block, all grouped together
20 //  * PHI nodes must have at least one entry
21 //  * All basic blocks should only end with terminator insts, not contain them
22 //  * The entry node to a function must not have predecessors
23 //  * All Instructions must be embeded into a basic block
24 //  . Function's cannot take a void typed parameter
25 //  * Verify that a function's argument list agrees with it's declared type.
26 //  . Verify that arrays and structures have fixed elements: No unsized arrays.
27 //  * It is illegal to specify a name for a void value.
28 //  * It is illegal to have a internal global value with no intitalizer
29 //  * It is illegal to have a ret instruction that returns a value that does not
30 //    agree with the function return value type.
31 //  * Function call argument types match the function prototype
32 //  * All other things that are tested by asserts spread about the code...
33 //
34 //===----------------------------------------------------------------------===//
35
36 #include "llvm/Analysis/Verifier.h"
37 #include "llvm/Pass.h"
38 #include "llvm/Module.h"
39 #include "llvm/DerivedTypes.h"
40 #include "llvm/iPHINode.h"
41 #include "llvm/iTerminators.h"
42 #include "llvm/iOther.h"
43 #include "llvm/iOperators.h"
44 #include "llvm/iMemory.h"
45 #include "llvm/SymbolTable.h"
46 #include "llvm/PassManager.h"
47 #include "llvm/Analysis/Dominators.h"
48 #include "llvm/Support/CFG.h"
49 #include "llvm/Support/InstVisitor.h"
50 #include "Support/STLExtras.h"
51 #include <algorithm>
52
53 namespace {  // Anonymous namespace for class
54
55   struct Verifier : public FunctionPass, InstVisitor<Verifier> {
56     bool Broken;          // Is this module found to be broken?
57     bool RealPass;        // Are we not being run by a PassManager?
58     bool AbortBroken;     // If broken, should it or should it not abort?
59     
60     DominatorSet *DS; // Dominator set, caution can be null!
61
62     Verifier() : Broken(false), RealPass(true), AbortBroken(true), DS(0) {}
63     Verifier(bool AB) : Broken(false), RealPass(true), AbortBroken(AB), DS(0) {}
64     Verifier(DominatorSet &ds) 
65       : Broken(false), RealPass(false), AbortBroken(false), DS(&ds) {}
66
67
68     bool doInitialization(Module &M) {
69       verifySymbolTable(M.getSymbolTable());
70
71       // If this is a real pass, in a pass manager, we must abort before
72       // returning back to the pass manager, or else the pass manager may try to
73       // run other passes on the broken module.
74       //
75       if (RealPass)
76         abortIfBroken();
77       return false;
78     }
79
80     bool runOnFunction(Function &F) {
81       // Get dominator information if we are being run by PassManager
82       if (RealPass) DS = &getAnalysis<DominatorSet>();
83       visit(F);
84
85       // If this is a real pass, in a pass manager, we must abort before
86       // returning back to the pass manager, or else the pass manager may try to
87       // run other passes on the broken module.
88       //
89       if (RealPass)
90         abortIfBroken();
91
92       return false;
93     }
94
95     bool doFinalization(Module &M) {
96       // Scan through, checking all of the external function's linkage now...
97       for (Module::iterator I = M.begin(), E = M.end(); I != E; ++I)
98         if (I->isExternal() && I->hasInternalLinkage())
99           CheckFailed("Function Declaration has Internal Linkage!", I);
100
101       for (Module::giterator I = M.gbegin(), E = M.gend(); I != E; ++I)
102         if (I->isExternal() && I->hasInternalLinkage())
103           CheckFailed("Global Variable is external with internal linkage!", I);
104
105       // If the module is broken, abort at this time.
106       abortIfBroken();
107       return false;
108     }
109
110     virtual void getAnalysisUsage(AnalysisUsage &AU) const {
111       AU.setPreservesAll();
112       if (RealPass)
113         AU.addRequired<DominatorSet>();
114     }
115
116     // abortIfBroken - If the module is broken and we are supposed to abort on
117     // this condition, do so.
118     //
119     void abortIfBroken() const {
120       if (Broken && AbortBroken) {
121         std::cerr << "Broken module found, compilation aborted!\n";
122         abort();
123       }
124     }
125
126     // Verification methods...
127     void verifySymbolTable(SymbolTable *ST);
128     void visitFunction(Function &F);
129     void visitBasicBlock(BasicBlock &BB);
130     void visitPHINode(PHINode &PN);
131     void visitBinaryOperator(BinaryOperator &B);
132     void visitShiftInst(ShiftInst &SI);
133     void visitCallInst(CallInst &CI);
134     void visitGetElementPtrInst(GetElementPtrInst &GEP);
135     void visitLoadInst(LoadInst &LI);
136     void visitStoreInst(StoreInst &SI);
137     void visitInstruction(Instruction &I);
138     void visitTerminatorInst(TerminatorInst &I);
139     void visitReturnInst(ReturnInst &RI);
140
141     // CheckFailed - A check failed, so print out the condition and the message
142     // that failed.  This provides a nice place to put a breakpoint if you want
143     // to see why something is not correct.
144     //
145     inline void CheckFailed(const std::string &Message,
146                             const Value *V1 = 0, const Value *V2 = 0,
147                             const Value *V3 = 0, const Value *V4 = 0) {
148       std::cerr << Message << "\n";
149       if (V1) std::cerr << *V1 << "\n";
150       if (V2) std::cerr << *V2 << "\n";
151       if (V3) std::cerr << *V3 << "\n";
152       if (V4) std::cerr << *V4 << "\n";
153       Broken = true;
154     }
155   };
156
157   RegisterPass<Verifier> X("verify", "Module Verifier");
158 }
159
160 // Assert - We know that cond should be true, if not print an error message.
161 #define Assert(C, M) \
162   do { if (!(C)) { CheckFailed(M); return; } } while (0)
163 #define Assert1(C, M, V1) \
164   do { if (!(C)) { CheckFailed(M, V1); return; } } while (0)
165 #define Assert2(C, M, V1, V2) \
166   do { if (!(C)) { CheckFailed(M, V1, V2); return; } } while (0)
167 #define Assert3(C, M, V1, V2, V3) \
168   do { if (!(C)) { CheckFailed(M, V1, V2, V3); return; } } while (0)
169 #define Assert4(C, M, V1, V2, V3, V4) \
170   do { if (!(C)) { CheckFailed(M, V1, V2, V3, V4); return; } } while (0)
171
172
173 // verifySymbolTable - Verify that a function or module symbol table is ok
174 //
175 void Verifier::verifySymbolTable(SymbolTable *ST) {
176   if (ST == 0) return;   // No symbol table to process
177
178   // Loop over all of the types in the symbol table...
179   for (SymbolTable::iterator TI = ST->begin(), TE = ST->end(); TI != TE; ++TI)
180     for (SymbolTable::type_iterator I = TI->second.begin(),
181            E = TI->second.end(); I != E; ++I) {
182       Value *V = I->second;
183
184       // Check that there are no void typed values in the symbol table.  Values
185       // with a void type cannot be put into symbol tables because they cannot
186       // have names!
187       Assert1(V->getType() != Type::VoidTy,
188               "Values with void type are not allowed to have names!", V);
189     }
190 }
191
192
193 // visitFunction - Verify that a function is ok.
194 //
195 void Verifier::visitFunction(Function &F) {
196   if (F.isExternal()) return;
197
198   verifySymbolTable(F.getSymbolTable());
199
200   // Check function arguments...
201   const FunctionType *FT = F.getFunctionType();
202   unsigned NumArgs = F.getArgumentList().size();
203
204   Assert2(!FT->isVarArg(), "Cannot define varargs functions in LLVM!", &F, FT);
205   Assert2(FT->getParamTypes().size() == NumArgs,
206           "# formal arguments must match # of arguments for function type!",
207           &F, FT);
208
209   // Check that the argument values match the function type for this function...
210   if (FT->getParamTypes().size() == NumArgs) {
211     unsigned i = 0;
212     for (Function::aiterator I = F.abegin(), E = F.aend(); I != E; ++I, ++i)
213       Assert2(I->getType() == FT->getParamType(i),
214               "Argument value does not match function argument type!",
215               I, FT->getParamType(i));
216   }
217
218   // Check the entry node
219   BasicBlock *Entry = &F.getEntryNode();
220   Assert1(pred_begin(Entry) == pred_end(Entry),
221           "Entry block to function must not have predecessors!", Entry);
222 }
223
224
225 // verifyBasicBlock - Verify that a basic block is well formed...
226 //
227 void Verifier::visitBasicBlock(BasicBlock &BB) {
228   // Ensure that basic blocks have terminators!
229   Assert1(BB.getTerminator(), "Basic Block does not have terminator!", &BB);
230 }
231
232 void Verifier::visitTerminatorInst(TerminatorInst &I) {
233   // Ensure that terminators only exist at the end of the basic block.
234   Assert1(&I == I.getParent()->getTerminator(),
235           "Terminator found in the middle of a basic block!", I.getParent());
236   visitInstruction(I);
237 }
238
239 void Verifier::visitReturnInst(ReturnInst &RI) {
240   Function *F = RI.getParent()->getParent();
241   if (RI.getNumOperands() == 0)
242     Assert1(F->getReturnType() == Type::VoidTy,
243             "Function returns no value, but ret instruction found that does!",
244             &RI);
245   else
246     Assert2(F->getReturnType() == RI.getOperand(0)->getType(),
247             "Function return type does not match operand "
248             "type of return inst!", &RI, F->getReturnType());
249
250   // Check to make sure that the return value has neccesary properties for
251   // terminators...
252   visitTerminatorInst(RI);
253 }
254
255
256 // visitPHINode - Ensure that a PHI node is well formed.
257 void Verifier::visitPHINode(PHINode &PN) {
258   // Ensure that the PHI nodes are all grouped together at the top of the block.
259   // This can be tested by checking whether the instruction before this is
260   // either nonexistant (because this is begin()) or is a PHI node.  If not,
261   // then there is some other instruction before a PHI.
262   Assert2(PN.getPrev() == 0 || isa<PHINode>(PN.getPrev()),
263           "PHI nodes not grouped at top of basic block!",
264           &PN, PN.getParent());
265
266   // Ensure that PHI nodes have at least one entry!
267   Assert1(PN.getNumIncomingValues() != 0,
268           "PHI nodes must have at least one entry.  If the block is dead, "
269           "the PHI should be removed!",
270           &PN);
271
272   std::vector<BasicBlock*> Preds(pred_begin(PN.getParent()),
273                                  pred_end(PN.getParent()));
274   // Loop over all of the incoming values, make sure that there are
275   // predecessors for each one...
276   //
277   for (unsigned i = 0, e = PN.getNumIncomingValues(); i != e; ++i) {
278     // Make sure all of the incoming values are the right types...
279     Assert2(PN.getType() == PN.getIncomingValue(i)->getType(),
280             "PHI node argument type does not agree with PHI node type!",
281             &PN, PN.getIncomingValue(i));
282
283     BasicBlock *BB = PN.getIncomingBlock(i);
284     std::vector<BasicBlock*>::iterator PI =
285       find(Preds.begin(), Preds.end(), BB);
286     Assert2(PI != Preds.end(), "PHI node has entry for basic block that"
287             " is not a predecessor!", &PN, BB);
288     Preds.erase(PI);
289   }
290   
291   // There should be no entries left in the predecessor list...
292   for (std::vector<BasicBlock*>::iterator I = Preds.begin(),
293          E = Preds.end(); I != E; ++I)
294     Assert2(0, "PHI node does not have entry for a predecessor basic block!",
295             &PN, *I);
296
297   // Now we go through and check to make sure that if there is more than one
298   // entry for a particular basic block in this PHI node, that the incoming
299   // values are all identical.
300   //
301   std::vector<std::pair<BasicBlock*, Value*> > Values;
302   Values.reserve(PN.getNumIncomingValues());
303   for (unsigned i = 0, e = PN.getNumIncomingValues(); i != e; ++i)
304     Values.push_back(std::make_pair(PN.getIncomingBlock(i),
305                                     PN.getIncomingValue(i)));
306
307   // Sort the Values vector so that identical basic block entries are adjacent.
308   std::sort(Values.begin(), Values.end());
309
310   // Check for identical basic blocks with differing incoming values...
311   for (unsigned i = 1, e = PN.getNumIncomingValues(); i < e; ++i)
312     Assert4(Values[i].first  != Values[i-1].first ||
313             Values[i].second == Values[i-1].second,
314             "PHI node has multiple entries for the same basic block with "
315             "different incoming values!", &PN, Values[i].first,
316             Values[i].second, Values[i-1].second);
317
318   visitInstruction(PN);
319 }
320
321 void Verifier::visitCallInst(CallInst &CI) {
322   Assert1(isa<PointerType>(CI.getOperand(0)->getType()),
323           "Called function must be a pointer!", &CI);
324   const PointerType *FPTy = cast<PointerType>(CI.getOperand(0)->getType());
325   Assert1(isa<FunctionType>(FPTy->getElementType()),
326           "Called function is not pointer to function type!", &CI);
327
328   const FunctionType *FTy = cast<FunctionType>(FPTy->getElementType());
329
330   // Verify that the correct number of arguments are being passed
331   if (FTy->isVarArg())
332     Assert1(CI.getNumOperands()-1 >= FTy->getNumParams(),
333             "Called function requires more parameters than were provided!",&CI);
334   else
335     Assert1(CI.getNumOperands()-1 == FTy->getNumParams(),
336             "Incorrect number of arguments passed to called function!", &CI);
337
338   // Verify that all arguments to the call match the function type...
339   for (unsigned i = 0, e = FTy->getNumParams(); i != e; ++i)
340     Assert2(CI.getOperand(i+1)->getType() == FTy->getParamType(i),
341             "Call parameter type does not match function signature!",
342             CI.getOperand(i+1), FTy->getParamType(i));
343
344   visitInstruction(CI);
345 }
346
347 // visitBinaryOperator - Check that both arguments to the binary operator are
348 // of the same type!
349 //
350 void Verifier::visitBinaryOperator(BinaryOperator &B) {
351   Assert1(B.getOperand(0)->getType() == B.getOperand(1)->getType(),
352           "Both operands to a binary operator are not of the same type!", &B);
353
354   // Check that logical operators are only used with integral operands.
355   if (B.getOpcode() == Instruction::And || B.getOpcode() == Instruction::Or ||
356       B.getOpcode() == Instruction::Xor) {
357     Assert1(B.getType()->isIntegral(),
358             "Logical operators only work with integral types!", &B);
359     Assert1(B.getType() == B.getOperand(0)->getType(),
360             "Logical operators must have same type for operands and result!",
361             &B);
362   } else if (isa<SetCondInst>(B)) {
363     // Check that setcc instructions return bool
364     Assert1(B.getType() == Type::BoolTy,
365             "setcc instructions must return boolean values!", &B);
366   } else {
367     // Arithmetic operators only work on integer or fp values
368     Assert1(B.getType() == B.getOperand(0)->getType(),
369             "Arithmetic operators must have same type for operands and result!",
370             &B);
371     Assert1(B.getType()->isInteger() || B.getType()->isFloatingPoint(),
372             "Arithmetic operators must have integer or fp type!", &B);
373   }
374   
375   visitInstruction(B);
376 }
377
378 void Verifier::visitShiftInst(ShiftInst &SI) {
379   Assert1(SI.getType()->isInteger(),
380           "Shift must return an integer result!", &SI);
381   Assert1(SI.getType() == SI.getOperand(0)->getType(),
382           "Shift return type must be same as first operand!", &SI);
383   Assert1(SI.getOperand(1)->getType() == Type::UByteTy,
384           "Second operand to shift must be ubyte type!", &SI);
385   visitInstruction(SI);
386 }
387
388
389
390 void Verifier::visitGetElementPtrInst(GetElementPtrInst &GEP) {
391   const Type *ElTy =
392     GetElementPtrInst::getIndexedType(GEP.getOperand(0)->getType(),
393                    std::vector<Value*>(GEP.idx_begin(), GEP.idx_end()), true);
394   Assert1(ElTy, "Invalid indices for GEP pointer type!", &GEP);
395   Assert2(PointerType::get(ElTy) == GEP.getType(),
396           "GEP is not of right type for indices!", &GEP, ElTy);
397   visitInstruction(GEP);
398 }
399
400 void Verifier::visitLoadInst(LoadInst &LI) {
401   const Type *ElTy =
402     cast<PointerType>(LI.getOperand(0)->getType())->getElementType();
403   Assert2(ElTy == LI.getType(),
404           "Load is not of right type for indices!", &LI, ElTy);
405   visitInstruction(LI);
406 }
407
408 void Verifier::visitStoreInst(StoreInst &SI) {
409   const Type *ElTy =
410     cast<PointerType>(SI.getOperand(1)->getType())->getElementType();
411   Assert2(ElTy == SI.getOperand(0)->getType(),
412           "Stored value is not of right type for indices!", &SI, ElTy);
413   visitInstruction(SI);
414 }
415
416
417 // verifyInstruction - Verify that an instruction is well formed.
418 //
419 void Verifier::visitInstruction(Instruction &I) {
420   BasicBlock *BB = I.getParent();  
421   Assert1(BB, "Instruction not embedded in basic block!", &I);
422
423   // Check that all uses of the instruction, if they are instructions
424   // themselves, actually have parent basic blocks.  If the use is not an
425   // instruction, it is an error!
426   //
427   for (User::use_iterator UI = I.use_begin(), UE = I.use_end();
428        UI != UE; ++UI) {
429     Assert1(isa<Instruction>(*UI), "Use of instruction is not an instruction!",
430             *UI);
431     Instruction *Used = cast<Instruction>(*UI);
432     Assert2(Used->getParent() != 0, "Instruction referencing instruction not"
433             " embeded in a basic block!", &I, Used);
434   }
435
436   if (!isa<PHINode>(I)) {   // Check that non-phi nodes are not self referential
437     for (Value::use_iterator UI = I.use_begin(), UE = I.use_end();
438          UI != UE; ++UI)
439       Assert1(*UI != (User*)&I,
440               "Only PHI nodes may reference their own value!", &I);
441   }
442
443   // Check that void typed values don't have names
444   Assert1(I.getType() != Type::VoidTy || !I.hasName(),
445           "Instruction has a name, but provides a void value!", &I);
446
447   // Check that a definition dominates all of its uses.
448   //
449   for (User::use_iterator UI = I.use_begin(), UE = I.use_end();
450        UI != UE; ++UI) {
451     Instruction *Use = cast<Instruction>(*UI);
452       
453     // PHI nodes are more difficult than other nodes because they actually
454     // "use" the value in the predecessor basic blocks they correspond to.
455     if (PHINode *PN = dyn_cast<PHINode>(Use)) {
456       for (unsigned i = 0, e = PN->getNumIncomingValues(); i != e; ++i)
457         if (&I == PN->getIncomingValue(i)) {
458           // Make sure that I dominates the end of pred(i)
459           BasicBlock *Pred = PN->getIncomingBlock(i);
460           
461           // Use must be dominated by by definition unless use is unreachable!
462           Assert2(DS->dominates(BB, Pred) ||
463                   !DS->dominates(&BB->getParent()->getEntryNode(), Pred),
464                   "Instruction does not dominate all uses!",
465                   &I, PN);
466         }
467
468     } else {
469       // Use must be dominated by by definition unless use is unreachable!
470       Assert2(DS->dominates(&I, Use) ||
471               !DS->dominates(&BB->getParent()->getEntryNode(),Use->getParent()),
472               "Instruction does not dominate all uses!", &I, Use);
473     }
474   }
475 }
476
477
478 //===----------------------------------------------------------------------===//
479 //  Implement the public interfaces to this file...
480 //===----------------------------------------------------------------------===//
481
482 Pass *createVerifierPass() {
483   return new Verifier();
484 }
485
486
487 // verifyFunction - Create 
488 bool verifyFunction(const Function &f) {
489   Function &F = (Function&)f;
490   assert(!F.isExternal() && "Cannot verify external functions");
491
492   DominatorSet DS;
493   DS.doInitialization(*F.getParent());
494   DS.runOnFunction(F);
495
496   Verifier V(DS);
497   V.runOnFunction(F);
498
499   DS.doFinalization(*F.getParent());
500
501   return V.Broken;
502 }
503
504 // verifyModule - Check a module for errors, printing messages on stderr.
505 // Return true if the module is corrupt.
506 //
507 bool verifyModule(const Module &M) {
508   PassManager PM;
509   Verifier *V = new Verifier();
510   PM.add(V);
511   PM.run((Module&)M);
512   return V->Broken;
513 }