rename PT -> VT for VectorTypes.
[oota-llvm.git] / lib / Target / CBackend / CBackend.cpp
1 //===-- CBackend.cpp - Library for converting LLVM code to C --------------===//
2 //
3 //                     The LLVM Compiler Infrastructure
4 //
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
7 //
8 //===----------------------------------------------------------------------===//
9 //
10 // This library converts LLVM code to C code, compilable by GCC and other C
11 // compilers.
12 //
13 //===----------------------------------------------------------------------===//
14
15 #include "CTargetMachine.h"
16 #include "llvm/CallingConv.h"
17 #include "llvm/Constants.h"
18 #include "llvm/DerivedTypes.h"
19 #include "llvm/Module.h"
20 #include "llvm/Instructions.h"
21 #include "llvm/ParamAttrsList.h"
22 #include "llvm/Pass.h"
23 #include "llvm/PassManager.h"
24 #include "llvm/TypeSymbolTable.h"
25 #include "llvm/Intrinsics.h"
26 #include "llvm/IntrinsicInst.h"
27 #include "llvm/InlineAsm.h"
28 #include "llvm/Analysis/ConstantsScanner.h"
29 #include "llvm/Analysis/FindUsedTypes.h"
30 #include "llvm/Analysis/LoopInfo.h"
31 #include "llvm/CodeGen/Passes.h"
32 #include "llvm/CodeGen/IntrinsicLowering.h"
33 #include "llvm/Transforms/Scalar.h"
34 #include "llvm/Target/TargetMachineRegistry.h"
35 #include "llvm/Target/TargetAsmInfo.h"
36 #include "llvm/Target/TargetData.h"
37 #include "llvm/Support/CallSite.h"
38 #include "llvm/Support/CFG.h"
39 #include "llvm/Support/GetElementPtrTypeIterator.h"
40 #include "llvm/Support/InstVisitor.h"
41 #include "llvm/Support/Mangler.h"
42 #include "llvm/Support/MathExtras.h"
43 #include "llvm/ADT/StringExtras.h"
44 #include "llvm/ADT/STLExtras.h"
45 #include "llvm/Support/MathExtras.h"
46 #include "llvm/Config/config.h"
47 #include <algorithm>
48 #include <sstream>
49 using namespace llvm;
50
51 namespace {
52   // Register the target.
53   RegisterTarget<CTargetMachine> X("c", "  C backend");
54
55   /// CBackendNameAllUsedStructsAndMergeFunctions - This pass inserts names for
56   /// any unnamed structure types that are used by the program, and merges
57   /// external functions with the same name.
58   ///
59   class CBackendNameAllUsedStructsAndMergeFunctions : public ModulePass {
60   public:
61     static char ID;
62     CBackendNameAllUsedStructsAndMergeFunctions() 
63       : ModulePass((intptr_t)&ID) {}
64     void getAnalysisUsage(AnalysisUsage &AU) const {
65       AU.addRequired<FindUsedTypes>();
66     }
67
68     virtual const char *getPassName() const {
69       return "C backend type canonicalizer";
70     }
71
72     virtual bool runOnModule(Module &M);
73   };
74
75   char CBackendNameAllUsedStructsAndMergeFunctions::ID = 0;
76
77   /// CWriter - This class is the main chunk of code that converts an LLVM
78   /// module to a C translation unit.
79   class CWriter : public FunctionPass, public InstVisitor<CWriter> {
80     std::ostream &Out;
81     IntrinsicLowering *IL;
82     Mangler *Mang;
83     LoopInfo *LI;
84     const Module *TheModule;
85     const TargetAsmInfo* TAsm;
86     const TargetData* TD;
87     std::map<const Type *, std::string> TypeNames;
88     std::map<const ConstantFP *, unsigned> FPConstantMap;
89     std::set<Function*> intrinsicPrototypesAlreadyGenerated;
90     std::set<const Value*> ByValParams;
91
92   public:
93     static char ID;
94     CWriter(std::ostream &o) 
95       : FunctionPass((intptr_t)&ID), Out(o), IL(0), Mang(0), LI(0), 
96         TheModule(0), TAsm(0), TD(0) {}
97
98     virtual const char *getPassName() const { return "C backend"; }
99
100     void getAnalysisUsage(AnalysisUsage &AU) const {
101       AU.addRequired<LoopInfo>();
102       AU.setPreservesAll();
103     }
104
105     virtual bool doInitialization(Module &M);
106
107     bool runOnFunction(Function &F) {
108       LI = &getAnalysis<LoopInfo>();
109
110       // Get rid of intrinsics we can't handle.
111       lowerIntrinsics(F);
112
113       // Output all floating point constants that cannot be printed accurately.
114       printFloatingPointConstants(F);
115
116       printFunction(F);
117       return false;
118     }
119
120     virtual bool doFinalization(Module &M) {
121       // Free memory...
122       delete Mang;
123       FPConstantMap.clear();
124       TypeNames.clear();
125       intrinsicPrototypesAlreadyGenerated.clear();
126       ByValParams.clear();
127       return false;
128     }
129
130     std::ostream &printType(std::ostream &Out, const Type *Ty, 
131                             bool isSigned = false,
132                             const std::string &VariableName = "",
133                             bool IgnoreName = false,
134                             const ParamAttrsList *PAL = 0);
135     std::ostream &printSimpleType(std::ostream &Out, const Type *Ty, 
136                                   bool isSigned, 
137                                   const std::string &NameSoFar = "");
138
139     void printStructReturnPointerFunctionType(std::ostream &Out,
140                                               const ParamAttrsList *PAL,
141                                               const PointerType *Ty);
142     
143     void writeOperand(Value *Operand);
144     void writeOperandRaw(Value *Operand);
145     void writeOperandInternal(Value *Operand);
146     void writeOperandWithCast(Value* Operand, unsigned Opcode);
147     void writeOperandWithCast(Value* Operand, const ICmpInst &I);
148     bool writeInstructionCast(const Instruction &I);
149
150     void writeMemoryAccess(Value *Operand, const Type *OperandType,
151                            bool IsVolatile, unsigned Alignment);
152
153   private :
154     std::string InterpretASMConstraint(InlineAsm::ConstraintInfo& c);
155
156     void lowerIntrinsics(Function &F);
157
158     void printModule(Module *M);
159     void printModuleTypes(const TypeSymbolTable &ST);
160     void printContainedStructs(const Type *Ty, std::set<const StructType *> &);
161     void printFloatingPointConstants(Function &F);
162     void printFunctionSignature(const Function *F, bool Prototype);
163
164     void printFunction(Function &);
165     void printBasicBlock(BasicBlock *BB);
166     void printLoop(Loop *L);
167
168     void printCast(unsigned opcode, const Type *SrcTy, const Type *DstTy);
169     void printConstant(Constant *CPV);
170     void printConstantWithCast(Constant *CPV, unsigned Opcode);
171     bool printConstExprCast(const ConstantExpr *CE);
172     void printConstantArray(ConstantArray *CPA);
173     void printConstantVector(ConstantVector *CP);
174
175     // isInlinableInst - Attempt to inline instructions into their uses to build
176     // trees as much as possible.  To do this, we have to consistently decide
177     // what is acceptable to inline, so that variable declarations don't get
178     // printed and an extra copy of the expr is not emitted.
179     //
180     static bool isInlinableInst(const Instruction &I) {
181       // Always inline cmp instructions, even if they are shared by multiple
182       // expressions.  GCC generates horrible code if we don't.
183       if (isa<CmpInst>(I)) 
184         return true;
185
186       // Must be an expression, must be used exactly once.  If it is dead, we
187       // emit it inline where it would go.
188       if (I.getType() == Type::VoidTy || !I.hasOneUse() ||
189           isa<TerminatorInst>(I) || isa<CallInst>(I) || isa<PHINode>(I) ||
190           isa<LoadInst>(I) || isa<VAArgInst>(I))
191         // Don't inline a load across a store or other bad things!
192         return false;
193
194       // Must not be used in inline asm
195       if (I.hasOneUse() && isInlineAsm(*I.use_back())) return false;
196
197       // Only inline instruction it if it's use is in the same BB as the inst.
198       return I.getParent() == cast<Instruction>(I.use_back())->getParent();
199     }
200
201     // isDirectAlloca - Define fixed sized allocas in the entry block as direct
202     // variables which are accessed with the & operator.  This causes GCC to
203     // generate significantly better code than to emit alloca calls directly.
204     //
205     static const AllocaInst *isDirectAlloca(const Value *V) {
206       const AllocaInst *AI = dyn_cast<AllocaInst>(V);
207       if (!AI) return false;
208       if (AI->isArrayAllocation())
209         return 0;   // FIXME: we can also inline fixed size array allocas!
210       if (AI->getParent() != &AI->getParent()->getParent()->getEntryBlock())
211         return 0;
212       return AI;
213     }
214     
215     // isInlineAsm - Check if the instruction is a call to an inline asm chunk
216     static bool isInlineAsm(const Instruction& I) {
217       if (isa<CallInst>(&I) && isa<InlineAsm>(I.getOperand(0)))
218         return true;
219       return false;
220     }
221     
222     // Instruction visitation functions
223     friend class InstVisitor<CWriter>;
224
225     void visitReturnInst(ReturnInst &I);
226     void visitBranchInst(BranchInst &I);
227     void visitSwitchInst(SwitchInst &I);
228     void visitInvokeInst(InvokeInst &I) {
229       assert(0 && "Lowerinvoke pass didn't work!");
230     }
231
232     void visitUnwindInst(UnwindInst &I) {
233       assert(0 && "Lowerinvoke pass didn't work!");
234     }
235     void visitUnreachableInst(UnreachableInst &I);
236
237     void visitPHINode(PHINode &I);
238     void visitBinaryOperator(Instruction &I);
239     void visitICmpInst(ICmpInst &I);
240     void visitFCmpInst(FCmpInst &I);
241
242     void visitCastInst (CastInst &I);
243     void visitSelectInst(SelectInst &I);
244     void visitCallInst (CallInst &I);
245     void visitInlineAsm(CallInst &I);
246
247     void visitMallocInst(MallocInst &I);
248     void visitAllocaInst(AllocaInst &I);
249     void visitFreeInst  (FreeInst   &I);
250     void visitLoadInst  (LoadInst   &I);
251     void visitStoreInst (StoreInst  &I);
252     void visitGetElementPtrInst(GetElementPtrInst &I);
253     void visitVAArgInst (VAArgInst &I);
254
255     void visitInstruction(Instruction &I) {
256       cerr << "C Writer does not know about " << I;
257       abort();
258     }
259
260     void outputLValue(Instruction *I) {
261       Out << "  " << GetValueName(I) << " = ";
262     }
263
264     bool isGotoCodeNecessary(BasicBlock *From, BasicBlock *To);
265     void printPHICopiesForSuccessor(BasicBlock *CurBlock,
266                                     BasicBlock *Successor, unsigned Indent);
267     void printBranchToBlock(BasicBlock *CurBlock, BasicBlock *SuccBlock,
268                             unsigned Indent);
269     void printIndexingExpression(Value *Ptr, gep_type_iterator I,
270                                  gep_type_iterator E);
271
272     std::string GetValueName(const Value *Operand);
273   };
274 }
275
276 char CWriter::ID = 0;
277
278 /// This method inserts names for any unnamed structure types that are used by
279 /// the program, and removes names from structure types that are not used by the
280 /// program.
281 ///
282 bool CBackendNameAllUsedStructsAndMergeFunctions::runOnModule(Module &M) {
283   // Get a set of types that are used by the program...
284   std::set<const Type *> UT = getAnalysis<FindUsedTypes>().getTypes();
285
286   // Loop over the module symbol table, removing types from UT that are
287   // already named, and removing names for types that are not used.
288   //
289   TypeSymbolTable &TST = M.getTypeSymbolTable();
290   for (TypeSymbolTable::iterator TI = TST.begin(), TE = TST.end();
291        TI != TE; ) {
292     TypeSymbolTable::iterator I = TI++;
293     
294     // If this isn't a struct type, remove it from our set of types to name.
295     // This simplifies emission later.
296     if (!isa<StructType>(I->second) && !isa<OpaqueType>(I->second)) {
297       TST.remove(I);
298     } else {
299       // If this is not used, remove it from the symbol table.
300       std::set<const Type *>::iterator UTI = UT.find(I->second);
301       if (UTI == UT.end())
302         TST.remove(I);
303       else
304         UT.erase(UTI);    // Only keep one name for this type.
305     }
306   }
307
308   // UT now contains types that are not named.  Loop over it, naming
309   // structure types.
310   //
311   bool Changed = false;
312   unsigned RenameCounter = 0;
313   for (std::set<const Type *>::const_iterator I = UT.begin(), E = UT.end();
314        I != E; ++I)
315     if (const StructType *ST = dyn_cast<StructType>(*I)) {
316       while (M.addTypeName("unnamed"+utostr(RenameCounter), ST))
317         ++RenameCounter;
318       Changed = true;
319     }
320       
321       
322   // Loop over all external functions and globals.  If we have two with
323   // identical names, merge them.
324   // FIXME: This code should disappear when we don't allow values with the same
325   // names when they have different types!
326   std::map<std::string, GlobalValue*> ExtSymbols;
327   for (Module::iterator I = M.begin(), E = M.end(); I != E;) {
328     Function *GV = I++;
329     if (GV->isDeclaration() && GV->hasName()) {
330       std::pair<std::map<std::string, GlobalValue*>::iterator, bool> X
331         = ExtSymbols.insert(std::make_pair(GV->getName(), GV));
332       if (!X.second) {
333         // Found a conflict, replace this global with the previous one.
334         GlobalValue *OldGV = X.first->second;
335         GV->replaceAllUsesWith(ConstantExpr::getBitCast(OldGV, GV->getType()));
336         GV->eraseFromParent();
337         Changed = true;
338       }
339     }
340   }
341   // Do the same for globals.
342   for (Module::global_iterator I = M.global_begin(), E = M.global_end();
343        I != E;) {
344     GlobalVariable *GV = I++;
345     if (GV->isDeclaration() && GV->hasName()) {
346       std::pair<std::map<std::string, GlobalValue*>::iterator, bool> X
347         = ExtSymbols.insert(std::make_pair(GV->getName(), GV));
348       if (!X.second) {
349         // Found a conflict, replace this global with the previous one.
350         GlobalValue *OldGV = X.first->second;
351         GV->replaceAllUsesWith(ConstantExpr::getBitCast(OldGV, GV->getType()));
352         GV->eraseFromParent();
353         Changed = true;
354       }
355     }
356   }
357   
358   return Changed;
359 }
360
361 /// printStructReturnPointerFunctionType - This is like printType for a struct
362 /// return type, except, instead of printing the type as void (*)(Struct*, ...)
363 /// print it as "Struct (*)(...)", for struct return functions.
364 void CWriter::printStructReturnPointerFunctionType(std::ostream &Out,
365                                                    const ParamAttrsList *PAL,
366                                                    const PointerType *TheTy) {
367   const FunctionType *FTy = cast<FunctionType>(TheTy->getElementType());
368   std::stringstream FunctionInnards;
369   FunctionInnards << " (*) (";
370   bool PrintedType = false;
371
372   FunctionType::param_iterator I = FTy->param_begin(), E = FTy->param_end();
373   const Type *RetTy = cast<PointerType>(I->get())->getElementType();
374   unsigned Idx = 1;
375   for (++I, ++Idx; I != E; ++I, ++Idx) {
376     if (PrintedType)
377       FunctionInnards << ", ";
378     const Type *ArgTy = *I;
379     if (PAL && PAL->paramHasAttr(Idx, ParamAttr::ByVal)) {
380       assert(isa<PointerType>(ArgTy));
381       ArgTy = cast<PointerType>(ArgTy)->getElementType();
382     }
383     printType(FunctionInnards, ArgTy,
384         /*isSigned=*/PAL && PAL->paramHasAttr(Idx, ParamAttr::SExt), "");
385     PrintedType = true;
386   }
387   if (FTy->isVarArg()) {
388     if (PrintedType)
389       FunctionInnards << ", ...";
390   } else if (!PrintedType) {
391     FunctionInnards << "void";
392   }
393   FunctionInnards << ')';
394   std::string tstr = FunctionInnards.str();
395   printType(Out, RetTy, 
396       /*isSigned=*/PAL && PAL->paramHasAttr(0, ParamAttr::SExt), tstr);
397 }
398
399 std::ostream &
400 CWriter::printSimpleType(std::ostream &Out, const Type *Ty, bool isSigned,
401                             const std::string &NameSoFar) {
402   assert((Ty->isPrimitiveType() || Ty->isInteger()) && 
403          "Invalid type for printSimpleType");
404   switch (Ty->getTypeID()) {
405   case Type::VoidTyID:   return Out << "void " << NameSoFar;
406   case Type::IntegerTyID: {
407     unsigned NumBits = cast<IntegerType>(Ty)->getBitWidth();
408     if (NumBits == 1) 
409       return Out << "bool " << NameSoFar;
410     else if (NumBits <= 8)
411       return Out << (isSigned?"signed":"unsigned") << " char " << NameSoFar;
412     else if (NumBits <= 16)
413       return Out << (isSigned?"signed":"unsigned") << " short " << NameSoFar;
414     else if (NumBits <= 32)
415       return Out << (isSigned?"signed":"unsigned") << " int " << NameSoFar;
416     else { 
417       assert(NumBits <= 64 && "Bit widths > 64 not implemented yet");
418       return Out << (isSigned?"signed":"unsigned") << " long long "<< NameSoFar;
419     }
420   }
421   case Type::FloatTyID:  return Out << "float "   << NameSoFar;
422   case Type::DoubleTyID: return Out << "double "  << NameSoFar;
423   // Lacking emulation of FP80 on PPC, etc., we assume whichever of these is
424   // present matches host 'long double'.
425   case Type::X86_FP80TyID:
426   case Type::PPC_FP128TyID:
427   case Type::FP128TyID:  return Out << "long double " << NameSoFar;
428   default :
429     cerr << "Unknown primitive type: " << *Ty << "\n";
430     abort();
431   }
432 }
433
434 // Pass the Type* and the variable name and this prints out the variable
435 // declaration.
436 //
437 std::ostream &CWriter::printType(std::ostream &Out, const Type *Ty,
438                                  bool isSigned, const std::string &NameSoFar,
439                                  bool IgnoreName, const ParamAttrsList* PAL) {
440   if (Ty->isPrimitiveType() || Ty->isInteger()) {
441     printSimpleType(Out, Ty, isSigned, NameSoFar);
442     return Out;
443   }
444
445   // Check to see if the type is named.
446   if (!IgnoreName || isa<OpaqueType>(Ty)) {
447     std::map<const Type *, std::string>::iterator I = TypeNames.find(Ty);
448     if (I != TypeNames.end()) return Out << I->second << ' ' << NameSoFar;
449   }
450
451   switch (Ty->getTypeID()) {
452   case Type::FunctionTyID: {
453     const FunctionType *FTy = cast<FunctionType>(Ty);
454     std::stringstream FunctionInnards;
455     FunctionInnards << " (" << NameSoFar << ") (";
456     unsigned Idx = 1;
457     for (FunctionType::param_iterator I = FTy->param_begin(),
458            E = FTy->param_end(); I != E; ++I) {
459       const Type *ArgTy = *I;
460       if (PAL && PAL->paramHasAttr(Idx, ParamAttr::ByVal)) {
461         assert(isa<PointerType>(ArgTy));
462         ArgTy = cast<PointerType>(ArgTy)->getElementType();
463       }
464       if (I != FTy->param_begin())
465         FunctionInnards << ", ";
466       printType(FunctionInnards, ArgTy,
467         /*isSigned=*/PAL && PAL->paramHasAttr(Idx, ParamAttr::SExt), "");
468       ++Idx;
469     }
470     if (FTy->isVarArg()) {
471       if (FTy->getNumParams())
472         FunctionInnards << ", ...";
473     } else if (!FTy->getNumParams()) {
474       FunctionInnards << "void";
475     }
476     FunctionInnards << ')';
477     std::string tstr = FunctionInnards.str();
478     printType(Out, FTy->getReturnType(), 
479       /*isSigned=*/PAL && PAL->paramHasAttr(0, ParamAttr::SExt), tstr);
480     return Out;
481   }
482   case Type::StructTyID: {
483     const StructType *STy = cast<StructType>(Ty);
484     Out << NameSoFar + " {\n";
485     unsigned Idx = 0;
486     for (StructType::element_iterator I = STy->element_begin(),
487            E = STy->element_end(); I != E; ++I) {
488       Out << "  ";
489       printType(Out, *I, false, "field" + utostr(Idx++));
490       Out << ";\n";
491     }
492     Out << '}';
493     if (STy->isPacked())
494       Out << " __attribute__ ((packed))";
495     return Out;
496   }
497
498   case Type::PointerTyID: {
499     const PointerType *PTy = cast<PointerType>(Ty);
500     std::string ptrName = "*" + NameSoFar;
501
502     if (isa<ArrayType>(PTy->getElementType()) ||
503         isa<VectorType>(PTy->getElementType()))
504       ptrName = "(" + ptrName + ")";
505
506     if (PAL)
507       // Must be a function ptr cast!
508       return printType(Out, PTy->getElementType(), false, ptrName, true, PAL);
509     return printType(Out, PTy->getElementType(), false, ptrName);
510   }
511
512   case Type::ArrayTyID: {
513     const ArrayType *ATy = cast<ArrayType>(Ty);
514     unsigned NumElements = ATy->getNumElements();
515     if (NumElements == 0) NumElements = 1;
516     return printType(Out, ATy->getElementType(), false,
517                      NameSoFar + "[" + utostr(NumElements) + "]");
518   }
519
520   case Type::VectorTyID: {
521     const VectorType *VTy = cast<VectorType>(Ty);
522     unsigned NumElements = VTy->getNumElements();
523     return printType(Out, VTy->getElementType(), false,
524                      NameSoFar + "[" + utostr(NumElements) + "]");
525   }
526
527   case Type::OpaqueTyID: {
528     static int Count = 0;
529     std::string TyName = "struct opaque_" + itostr(Count++);
530     assert(TypeNames.find(Ty) == TypeNames.end());
531     TypeNames[Ty] = TyName;
532     return Out << TyName << ' ' << NameSoFar;
533   }
534   default:
535     assert(0 && "Unhandled case in getTypeProps!");
536     abort();
537   }
538
539   return Out;
540 }
541
542 void CWriter::printConstantArray(ConstantArray *CPA) {
543
544   // As a special case, print the array as a string if it is an array of
545   // ubytes or an array of sbytes with positive values.
546   //
547   const Type *ETy = CPA->getType()->getElementType();
548   bool isString = (ETy == Type::Int8Ty || ETy == Type::Int8Ty);
549
550   // Make sure the last character is a null char, as automatically added by C
551   if (isString && (CPA->getNumOperands() == 0 ||
552                    !cast<Constant>(*(CPA->op_end()-1))->isNullValue()))
553     isString = false;
554
555   if (isString) {
556     Out << '\"';
557     // Keep track of whether the last number was a hexadecimal escape
558     bool LastWasHex = false;
559
560     // Do not include the last character, which we know is null
561     for (unsigned i = 0, e = CPA->getNumOperands()-1; i != e; ++i) {
562       unsigned char C = cast<ConstantInt>(CPA->getOperand(i))->getZExtValue();
563
564       // Print it out literally if it is a printable character.  The only thing
565       // to be careful about is when the last letter output was a hex escape
566       // code, in which case we have to be careful not to print out hex digits
567       // explicitly (the C compiler thinks it is a continuation of the previous
568       // character, sheesh...)
569       //
570       if (isprint(C) && (!LastWasHex || !isxdigit(C))) {
571         LastWasHex = false;
572         if (C == '"' || C == '\\')
573           Out << "\\" << C;
574         else
575           Out << C;
576       } else {
577         LastWasHex = false;
578         switch (C) {
579         case '\n': Out << "\\n"; break;
580         case '\t': Out << "\\t"; break;
581         case '\r': Out << "\\r"; break;
582         case '\v': Out << "\\v"; break;
583         case '\a': Out << "\\a"; break;
584         case '\"': Out << "\\\""; break;
585         case '\'': Out << "\\\'"; break;
586         default:
587           Out << "\\x";
588           Out << (char)(( C/16  < 10) ? ( C/16 +'0') : ( C/16 -10+'A'));
589           Out << (char)(((C&15) < 10) ? ((C&15)+'0') : ((C&15)-10+'A'));
590           LastWasHex = true;
591           break;
592         }
593       }
594     }
595     Out << '\"';
596   } else {
597     Out << '{';
598     if (CPA->getNumOperands()) {
599       Out << ' ';
600       printConstant(cast<Constant>(CPA->getOperand(0)));
601       for (unsigned i = 1, e = CPA->getNumOperands(); i != e; ++i) {
602         Out << ", ";
603         printConstant(cast<Constant>(CPA->getOperand(i)));
604       }
605     }
606     Out << " }";
607   }
608 }
609
610 void CWriter::printConstantVector(ConstantVector *CP) {
611   Out << '{';
612   if (CP->getNumOperands()) {
613     Out << ' ';
614     printConstant(cast<Constant>(CP->getOperand(0)));
615     for (unsigned i = 1, e = CP->getNumOperands(); i != e; ++i) {
616       Out << ", ";
617       printConstant(cast<Constant>(CP->getOperand(i)));
618     }
619   }
620   Out << " }";
621 }
622
623 // isFPCSafeToPrint - Returns true if we may assume that CFP may be written out
624 // textually as a double (rather than as a reference to a stack-allocated
625 // variable). We decide this by converting CFP to a string and back into a
626 // double, and then checking whether the conversion results in a bit-equal
627 // double to the original value of CFP. This depends on us and the target C
628 // compiler agreeing on the conversion process (which is pretty likely since we
629 // only deal in IEEE FP).
630 //
631 static bool isFPCSafeToPrint(const ConstantFP *CFP) {
632   // Do long doubles in hex for now.
633   if (CFP->getType()!=Type::FloatTy && CFP->getType()!=Type::DoubleTy)
634     return false;
635   APFloat APF = APFloat(CFP->getValueAPF());  // copy
636   if (CFP->getType()==Type::FloatTy)
637     APF.convert(APFloat::IEEEdouble, APFloat::rmNearestTiesToEven);
638 #if HAVE_PRINTF_A && ENABLE_CBE_PRINTF_A
639   char Buffer[100];
640   sprintf(Buffer, "%a", APF.convertToDouble());
641   if (!strncmp(Buffer, "0x", 2) ||
642       !strncmp(Buffer, "-0x", 3) ||
643       !strncmp(Buffer, "+0x", 3))
644     return APF.bitwiseIsEqual(APFloat(atof(Buffer)));
645   return false;
646 #else
647   std::string StrVal = ftostr(APF);
648
649   while (StrVal[0] == ' ')
650     StrVal.erase(StrVal.begin());
651
652   // Check to make sure that the stringized number is not some string like "Inf"
653   // or NaN.  Check that the string matches the "[-+]?[0-9]" regex.
654   if ((StrVal[0] >= '0' && StrVal[0] <= '9') ||
655       ((StrVal[0] == '-' || StrVal[0] == '+') &&
656        (StrVal[1] >= '0' && StrVal[1] <= '9')))
657     // Reparse stringized version!
658     return APF.bitwiseIsEqual(APFloat(atof(StrVal.c_str())));
659   return false;
660 #endif
661 }
662
663 /// Print out the casting for a cast operation. This does the double casting
664 /// necessary for conversion to the destination type, if necessary. 
665 /// @brief Print a cast
666 void CWriter::printCast(unsigned opc, const Type *SrcTy, const Type *DstTy) {
667   // Print the destination type cast
668   switch (opc) {
669     case Instruction::UIToFP:
670     case Instruction::SIToFP:
671     case Instruction::IntToPtr:
672     case Instruction::Trunc:
673     case Instruction::BitCast:
674     case Instruction::FPExt:
675     case Instruction::FPTrunc: // For these the DstTy sign doesn't matter
676       Out << '(';
677       printType(Out, DstTy);
678       Out << ')';
679       break;
680     case Instruction::ZExt:
681     case Instruction::PtrToInt:
682     case Instruction::FPToUI: // For these, make sure we get an unsigned dest
683       Out << '(';
684       printSimpleType(Out, DstTy, false);
685       Out << ')';
686       break;
687     case Instruction::SExt: 
688     case Instruction::FPToSI: // For these, make sure we get a signed dest
689       Out << '(';
690       printSimpleType(Out, DstTy, true);
691       Out << ')';
692       break;
693     default:
694       assert(0 && "Invalid cast opcode");
695   }
696
697   // Print the source type cast
698   switch (opc) {
699     case Instruction::UIToFP:
700     case Instruction::ZExt:
701       Out << '(';
702       printSimpleType(Out, SrcTy, false);
703       Out << ')';
704       break;
705     case Instruction::SIToFP:
706     case Instruction::SExt:
707       Out << '(';
708       printSimpleType(Out, SrcTy, true); 
709       Out << ')';
710       break;
711     case Instruction::IntToPtr:
712     case Instruction::PtrToInt:
713       // Avoid "cast to pointer from integer of different size" warnings
714       Out << "(unsigned long)";
715       break;
716     case Instruction::Trunc:
717     case Instruction::BitCast:
718     case Instruction::FPExt:
719     case Instruction::FPTrunc:
720     case Instruction::FPToSI:
721     case Instruction::FPToUI:
722       break; // These don't need a source cast.
723     default:
724       assert(0 && "Invalid cast opcode");
725       break;
726   }
727 }
728
729 // printConstant - The LLVM Constant to C Constant converter.
730 void CWriter::printConstant(Constant *CPV) {
731   if (const ConstantExpr *CE = dyn_cast<ConstantExpr>(CPV)) {
732     switch (CE->getOpcode()) {
733     case Instruction::Trunc:
734     case Instruction::ZExt:
735     case Instruction::SExt:
736     case Instruction::FPTrunc:
737     case Instruction::FPExt:
738     case Instruction::UIToFP:
739     case Instruction::SIToFP:
740     case Instruction::FPToUI:
741     case Instruction::FPToSI:
742     case Instruction::PtrToInt:
743     case Instruction::IntToPtr:
744     case Instruction::BitCast:
745       Out << "(";
746       printCast(CE->getOpcode(), CE->getOperand(0)->getType(), CE->getType());
747       if (CE->getOpcode() == Instruction::SExt &&
748           CE->getOperand(0)->getType() == Type::Int1Ty) {
749         // Make sure we really sext from bool here by subtracting from 0
750         Out << "0-";
751       }
752       printConstant(CE->getOperand(0));
753       if (CE->getType() == Type::Int1Ty &&
754           (CE->getOpcode() == Instruction::Trunc ||
755            CE->getOpcode() == Instruction::FPToUI ||
756            CE->getOpcode() == Instruction::FPToSI ||
757            CE->getOpcode() == Instruction::PtrToInt)) {
758         // Make sure we really truncate to bool here by anding with 1
759         Out << "&1u";
760       }
761       Out << ')';
762       return;
763
764     case Instruction::GetElementPtr:
765       Out << "(&(";
766       printIndexingExpression(CE->getOperand(0), gep_type_begin(CPV),
767                               gep_type_end(CPV));
768       Out << "))";
769       return;
770     case Instruction::Select:
771       Out << '(';
772       printConstant(CE->getOperand(0));
773       Out << '?';
774       printConstant(CE->getOperand(1));
775       Out << ':';
776       printConstant(CE->getOperand(2));
777       Out << ')';
778       return;
779     case Instruction::Add:
780     case Instruction::Sub:
781     case Instruction::Mul:
782     case Instruction::SDiv:
783     case Instruction::UDiv:
784     case Instruction::FDiv:
785     case Instruction::URem:
786     case Instruction::SRem:
787     case Instruction::FRem:
788     case Instruction::And:
789     case Instruction::Or:
790     case Instruction::Xor:
791     case Instruction::ICmp:
792     case Instruction::Shl:
793     case Instruction::LShr:
794     case Instruction::AShr:
795     {
796       Out << '(';
797       bool NeedsClosingParens = printConstExprCast(CE); 
798       printConstantWithCast(CE->getOperand(0), CE->getOpcode());
799       switch (CE->getOpcode()) {
800       case Instruction::Add: Out << " + "; break;
801       case Instruction::Sub: Out << " - "; break;
802       case Instruction::Mul: Out << " * "; break;
803       case Instruction::URem:
804       case Instruction::SRem: 
805       case Instruction::FRem: Out << " % "; break;
806       case Instruction::UDiv: 
807       case Instruction::SDiv: 
808       case Instruction::FDiv: Out << " / "; break;
809       case Instruction::And: Out << " & "; break;
810       case Instruction::Or:  Out << " | "; break;
811       case Instruction::Xor: Out << " ^ "; break;
812       case Instruction::Shl: Out << " << "; break;
813       case Instruction::LShr:
814       case Instruction::AShr: Out << " >> "; break;
815       case Instruction::ICmp:
816         switch (CE->getPredicate()) {
817           case ICmpInst::ICMP_EQ: Out << " == "; break;
818           case ICmpInst::ICMP_NE: Out << " != "; break;
819           case ICmpInst::ICMP_SLT: 
820           case ICmpInst::ICMP_ULT: Out << " < "; break;
821           case ICmpInst::ICMP_SLE:
822           case ICmpInst::ICMP_ULE: Out << " <= "; break;
823           case ICmpInst::ICMP_SGT:
824           case ICmpInst::ICMP_UGT: Out << " > "; break;
825           case ICmpInst::ICMP_SGE:
826           case ICmpInst::ICMP_UGE: Out << " >= "; break;
827           default: assert(0 && "Illegal ICmp predicate");
828         }
829         break;
830       default: assert(0 && "Illegal opcode here!");
831       }
832       printConstantWithCast(CE->getOperand(1), CE->getOpcode());
833       if (NeedsClosingParens)
834         Out << "))";
835       Out << ')';
836       return;
837     }
838     case Instruction::FCmp: {
839       Out << '('; 
840       bool NeedsClosingParens = printConstExprCast(CE); 
841       if (CE->getPredicate() == FCmpInst::FCMP_FALSE)
842         Out << "0";
843       else if (CE->getPredicate() == FCmpInst::FCMP_TRUE)
844         Out << "1";
845       else {
846         const char* op = 0;
847         switch (CE->getPredicate()) {
848         default: assert(0 && "Illegal FCmp predicate");
849         case FCmpInst::FCMP_ORD: op = "ord"; break;
850         case FCmpInst::FCMP_UNO: op = "uno"; break;
851         case FCmpInst::FCMP_UEQ: op = "ueq"; break;
852         case FCmpInst::FCMP_UNE: op = "une"; break;
853         case FCmpInst::FCMP_ULT: op = "ult"; break;
854         case FCmpInst::FCMP_ULE: op = "ule"; break;
855         case FCmpInst::FCMP_UGT: op = "ugt"; break;
856         case FCmpInst::FCMP_UGE: op = "uge"; break;
857         case FCmpInst::FCMP_OEQ: op = "oeq"; break;
858         case FCmpInst::FCMP_ONE: op = "one"; break;
859         case FCmpInst::FCMP_OLT: op = "olt"; break;
860         case FCmpInst::FCMP_OLE: op = "ole"; break;
861         case FCmpInst::FCMP_OGT: op = "ogt"; break;
862         case FCmpInst::FCMP_OGE: op = "oge"; break;
863         }
864         Out << "llvm_fcmp_" << op << "(";
865         printConstantWithCast(CE->getOperand(0), CE->getOpcode());
866         Out << ", ";
867         printConstantWithCast(CE->getOperand(1), CE->getOpcode());
868         Out << ")";
869       }
870       if (NeedsClosingParens)
871         Out << "))";
872       Out << ')';
873       return;
874     }
875     default:
876       cerr << "CWriter Error: Unhandled constant expression: "
877            << *CE << "\n";
878       abort();
879     }
880   } else if (isa<UndefValue>(CPV) && CPV->getType()->isFirstClassType()) {
881     Out << "((";
882     printType(Out, CPV->getType()); // sign doesn't matter
883     Out << ")/*UNDEF*/0)";
884     return;
885   }
886
887   if (ConstantInt *CI = dyn_cast<ConstantInt>(CPV)) {
888     const Type* Ty = CI->getType();
889     if (Ty == Type::Int1Ty)
890       Out << (CI->getZExtValue() ? '1' : '0');
891     else if (Ty == Type::Int32Ty)
892       Out << CI->getZExtValue() << 'u';
893     else if (Ty->getPrimitiveSizeInBits() > 32)
894       Out << CI->getZExtValue() << "ull";
895     else {
896       Out << "((";
897       printSimpleType(Out, Ty, false) << ')';
898       if (CI->isMinValue(true)) 
899         Out << CI->getZExtValue() << 'u';
900       else
901         Out << CI->getSExtValue();
902        Out << ')';
903     }
904     return;
905   } 
906
907   switch (CPV->getType()->getTypeID()) {
908   case Type::FloatTyID:
909   case Type::DoubleTyID: 
910   case Type::X86_FP80TyID:
911   case Type::PPC_FP128TyID:
912   case Type::FP128TyID: {
913     ConstantFP *FPC = cast<ConstantFP>(CPV);
914     std::map<const ConstantFP*, unsigned>::iterator I = FPConstantMap.find(FPC);
915     if (I != FPConstantMap.end()) {
916       // Because of FP precision problems we must load from a stack allocated
917       // value that holds the value in hex.
918       Out << "(*(" << (FPC->getType() == Type::FloatTy ? "float" : 
919                        FPC->getType() == Type::DoubleTy ? "double" :
920                        "long double")
921           << "*)&FPConstant" << I->second << ')';
922     } else {
923       assert(FPC->getType() == Type::FloatTy || 
924              FPC->getType() == Type::DoubleTy);
925       double V = FPC->getType() == Type::FloatTy ? 
926                  FPC->getValueAPF().convertToFloat() : 
927                  FPC->getValueAPF().convertToDouble();
928       if (IsNAN(V)) {
929         // The value is NaN
930
931         // FIXME the actual NaN bits should be emitted.
932         // The prefix for a quiet NaN is 0x7FF8. For a signalling NaN,
933         // it's 0x7ff4.
934         const unsigned long QuietNaN = 0x7ff8UL;
935         //const unsigned long SignalNaN = 0x7ff4UL;
936
937         // We need to grab the first part of the FP #
938         char Buffer[100];
939
940         uint64_t ll = DoubleToBits(V);
941         sprintf(Buffer, "0x%llx", static_cast<long long>(ll));
942
943         std::string Num(&Buffer[0], &Buffer[6]);
944         unsigned long Val = strtoul(Num.c_str(), 0, 16);
945
946         if (FPC->getType() == Type::FloatTy)
947           Out << "LLVM_NAN" << (Val == QuietNaN ? "" : "S") << "F(\""
948               << Buffer << "\") /*nan*/ ";
949         else
950           Out << "LLVM_NAN" << (Val == QuietNaN ? "" : "S") << "(\""
951               << Buffer << "\") /*nan*/ ";
952       } else if (IsInf(V)) {
953         // The value is Inf
954         if (V < 0) Out << '-';
955         Out << "LLVM_INF" << (FPC->getType() == Type::FloatTy ? "F" : "")
956             << " /*inf*/ ";
957       } else {
958         std::string Num;
959 #if HAVE_PRINTF_A && ENABLE_CBE_PRINTF_A
960         // Print out the constant as a floating point number.
961         char Buffer[100];
962         sprintf(Buffer, "%a", V);
963         Num = Buffer;
964 #else
965         Num = ftostr(FPC->getValueAPF());
966 #endif
967        Out << Num;
968       }
969     }
970     break;
971   }
972
973   case Type::ArrayTyID:
974     if (ConstantArray *CA = cast<ConstantArray>(CPV)) {
975       printConstantArray(CA);
976     } else {
977       assert(isa<ConstantAggregateZero>(CPV) || isa<UndefValue>(CPV));
978       const ArrayType *AT = cast<ArrayType>(CPV->getType());
979       Out << '{';
980       if (AT->getNumElements()) {
981         Out << ' ';
982         Constant *CZ = Constant::getNullValue(AT->getElementType());
983         printConstant(CZ);
984         for (unsigned i = 1, e = AT->getNumElements(); i != e; ++i) {
985           Out << ", ";
986           printConstant(CZ);
987         }
988       }
989       Out << " }";
990     }
991     break;
992
993   case Type::VectorTyID:
994     if (ConstantVector *CV = cast<ConstantVector>(CPV)) {
995       printConstantVector(CV);
996     } else {
997       assert(isa<ConstantAggregateZero>(CPV) || isa<UndefValue>(CPV));
998       const VectorType *VT = cast<VectorType>(CPV->getType());
999       Out << "{ ";
1000       Constant *CZ = Constant::getNullValue(VT->getElementType());
1001       printConstant(CZ);
1002       for (unsigned i = 1, e = VT->getNumElements(); i != e; ++i) {
1003         Out << ", ";
1004         printConstant(CZ);
1005       }
1006       Out << " }";
1007     }
1008     break;
1009
1010   case Type::StructTyID:
1011     if (isa<ConstantAggregateZero>(CPV) || isa<UndefValue>(CPV)) {
1012       const StructType *ST = cast<StructType>(CPV->getType());
1013       Out << '{';
1014       if (ST->getNumElements()) {
1015         Out << ' ';
1016         printConstant(Constant::getNullValue(ST->getElementType(0)));
1017         for (unsigned i = 1, e = ST->getNumElements(); i != e; ++i) {
1018           Out << ", ";
1019           printConstant(Constant::getNullValue(ST->getElementType(i)));
1020         }
1021       }
1022       Out << " }";
1023     } else {
1024       Out << '{';
1025       if (CPV->getNumOperands()) {
1026         Out << ' ';
1027         printConstant(cast<Constant>(CPV->getOperand(0)));
1028         for (unsigned i = 1, e = CPV->getNumOperands(); i != e; ++i) {
1029           Out << ", ";
1030           printConstant(cast<Constant>(CPV->getOperand(i)));
1031         }
1032       }
1033       Out << " }";
1034     }
1035     break;
1036
1037   case Type::PointerTyID:
1038     if (isa<ConstantPointerNull>(CPV)) {
1039       Out << "((";
1040       printType(Out, CPV->getType()); // sign doesn't matter
1041       Out << ")/*NULL*/0)";
1042       break;
1043     } else if (GlobalValue *GV = dyn_cast<GlobalValue>(CPV)) {
1044       writeOperand(GV);
1045       break;
1046     }
1047     // FALL THROUGH
1048   default:
1049     cerr << "Unknown constant type: " << *CPV << "\n";
1050     abort();
1051   }
1052 }
1053
1054 // Some constant expressions need to be casted back to the original types
1055 // because their operands were casted to the expected type. This function takes
1056 // care of detecting that case and printing the cast for the ConstantExpr.
1057 bool CWriter::printConstExprCast(const ConstantExpr* CE) {
1058   bool NeedsExplicitCast = false;
1059   const Type *Ty = CE->getOperand(0)->getType();
1060   bool TypeIsSigned = false;
1061   switch (CE->getOpcode()) {
1062   case Instruction::LShr:
1063   case Instruction::URem: 
1064   case Instruction::UDiv: NeedsExplicitCast = true; break;
1065   case Instruction::AShr:
1066   case Instruction::SRem: 
1067   case Instruction::SDiv: NeedsExplicitCast = true; TypeIsSigned = true; break;
1068   case Instruction::SExt:
1069     Ty = CE->getType();
1070     NeedsExplicitCast = true;
1071     TypeIsSigned = true;
1072     break;
1073   case Instruction::ZExt:
1074   case Instruction::Trunc:
1075   case Instruction::FPTrunc:
1076   case Instruction::FPExt:
1077   case Instruction::UIToFP:
1078   case Instruction::SIToFP:
1079   case Instruction::FPToUI:
1080   case Instruction::FPToSI:
1081   case Instruction::PtrToInt:
1082   case Instruction::IntToPtr:
1083   case Instruction::BitCast:
1084     Ty = CE->getType();
1085     NeedsExplicitCast = true;
1086     break;
1087   default: break;
1088   }
1089   if (NeedsExplicitCast) {
1090     Out << "((";
1091     if (Ty->isInteger() && Ty != Type::Int1Ty)
1092       printSimpleType(Out, Ty, TypeIsSigned);
1093     else
1094       printType(Out, Ty); // not integer, sign doesn't matter
1095     Out << ")(";
1096   }
1097   return NeedsExplicitCast;
1098 }
1099
1100 //  Print a constant assuming that it is the operand for a given Opcode. The
1101 //  opcodes that care about sign need to cast their operands to the expected
1102 //  type before the operation proceeds. This function does the casting.
1103 void CWriter::printConstantWithCast(Constant* CPV, unsigned Opcode) {
1104
1105   // Extract the operand's type, we'll need it.
1106   const Type* OpTy = CPV->getType();
1107
1108   // Indicate whether to do the cast or not.
1109   bool shouldCast = false;
1110   bool typeIsSigned = false;
1111
1112   // Based on the Opcode for which this Constant is being written, determine
1113   // the new type to which the operand should be casted by setting the value
1114   // of OpTy. If we change OpTy, also set shouldCast to true so it gets
1115   // casted below.
1116   switch (Opcode) {
1117     default:
1118       // for most instructions, it doesn't matter
1119       break; 
1120     case Instruction::LShr:
1121     case Instruction::UDiv:
1122     case Instruction::URem:
1123       shouldCast = true;
1124       break;
1125     case Instruction::AShr:
1126     case Instruction::SDiv:
1127     case Instruction::SRem:
1128       shouldCast = true;
1129       typeIsSigned = true;
1130       break;
1131   }
1132
1133   // Write out the casted constant if we should, otherwise just write the
1134   // operand.
1135   if (shouldCast) {
1136     Out << "((";
1137     printSimpleType(Out, OpTy, typeIsSigned);
1138     Out << ")";
1139     printConstant(CPV);
1140     Out << ")";
1141   } else 
1142     printConstant(CPV);
1143 }
1144
1145 std::string CWriter::GetValueName(const Value *Operand) {
1146   std::string Name;
1147
1148   if (!isa<GlobalValue>(Operand) && Operand->getName() != "") {
1149     std::string VarName;
1150
1151     Name = Operand->getName();
1152     VarName.reserve(Name.capacity());
1153
1154     for (std::string::iterator I = Name.begin(), E = Name.end();
1155          I != E; ++I) {
1156       char ch = *I;
1157
1158       if (!((ch >= 'a' && ch <= 'z') || (ch >= 'A' && ch <= 'Z') ||
1159             (ch >= '0' && ch <= '9') || ch == '_')) {
1160         char buffer[5];
1161         sprintf(buffer, "_%x_", ch);
1162         VarName += buffer;
1163       } else
1164         VarName += ch;
1165     }
1166
1167     Name = "llvm_cbe_" + VarName;
1168   } else {
1169     Name = Mang->getValueName(Operand);
1170   }
1171
1172   return Name;
1173 }
1174
1175 void CWriter::writeOperandInternal(Value *Operand) {
1176   if (Instruction *I = dyn_cast<Instruction>(Operand))
1177     if (isInlinableInst(*I) && !isDirectAlloca(I)) {
1178       // Should we inline this instruction to build a tree?
1179       Out << '(';
1180       visit(*I);
1181       Out << ')';
1182       return;
1183     }
1184
1185   Constant* CPV = dyn_cast<Constant>(Operand);
1186
1187   if (CPV && !isa<GlobalValue>(CPV))
1188     printConstant(CPV);
1189   else
1190     Out << GetValueName(Operand);
1191 }
1192
1193 void CWriter::writeOperandRaw(Value *Operand) {
1194   Constant* CPV = dyn_cast<Constant>(Operand);
1195   if (CPV && !isa<GlobalValue>(CPV)) {
1196     printConstant(CPV);
1197   } else {
1198     Out << GetValueName(Operand);
1199   }
1200 }
1201
1202 void CWriter::writeOperand(Value *Operand) {
1203   if (isa<GlobalVariable>(Operand) || isDirectAlloca(Operand))
1204     Out << "(&";  // Global variables are referenced as their addresses by llvm
1205
1206   writeOperandInternal(Operand);
1207
1208   if (isa<GlobalVariable>(Operand) || isDirectAlloca(Operand))
1209     Out << ')';
1210 }
1211
1212 // Some instructions need to have their result value casted back to the 
1213 // original types because their operands were casted to the expected type. 
1214 // This function takes care of detecting that case and printing the cast 
1215 // for the Instruction.
1216 bool CWriter::writeInstructionCast(const Instruction &I) {
1217   const Type *Ty = I.getOperand(0)->getType();
1218   switch (I.getOpcode()) {
1219   case Instruction::LShr:
1220   case Instruction::URem: 
1221   case Instruction::UDiv: 
1222     Out << "((";
1223     printSimpleType(Out, Ty, false);
1224     Out << ")(";
1225     return true;
1226   case Instruction::AShr:
1227   case Instruction::SRem: 
1228   case Instruction::SDiv: 
1229     Out << "((";
1230     printSimpleType(Out, Ty, true);
1231     Out << ")(";
1232     return true;
1233   default: break;
1234   }
1235   return false;
1236 }
1237
1238 // Write the operand with a cast to another type based on the Opcode being used.
1239 // This will be used in cases where an instruction has specific type
1240 // requirements (usually signedness) for its operands. 
1241 void CWriter::writeOperandWithCast(Value* Operand, unsigned Opcode) {
1242
1243   // Extract the operand's type, we'll need it.
1244   const Type* OpTy = Operand->getType();
1245
1246   // Indicate whether to do the cast or not.
1247   bool shouldCast = false;
1248
1249   // Indicate whether the cast should be to a signed type or not.
1250   bool castIsSigned = false;
1251
1252   // Based on the Opcode for which this Operand is being written, determine
1253   // the new type to which the operand should be casted by setting the value
1254   // of OpTy. If we change OpTy, also set shouldCast to true.
1255   switch (Opcode) {
1256     default:
1257       // for most instructions, it doesn't matter
1258       break; 
1259     case Instruction::LShr:
1260     case Instruction::UDiv:
1261     case Instruction::URem: // Cast to unsigned first
1262       shouldCast = true;
1263       castIsSigned = false;
1264       break;
1265     case Instruction::GetElementPtr:
1266     case Instruction::AShr:
1267     case Instruction::SDiv:
1268     case Instruction::SRem: // Cast to signed first
1269       shouldCast = true;
1270       castIsSigned = true;
1271       break;
1272   }
1273
1274   // Write out the casted operand if we should, otherwise just write the
1275   // operand.
1276   if (shouldCast) {
1277     Out << "((";
1278     printSimpleType(Out, OpTy, castIsSigned);
1279     Out << ")";
1280     writeOperand(Operand);
1281     Out << ")";
1282   } else 
1283     writeOperand(Operand);
1284 }
1285
1286 // Write the operand with a cast to another type based on the icmp predicate 
1287 // being used. 
1288 void CWriter::writeOperandWithCast(Value* Operand, const ICmpInst &Cmp) {
1289   // This has to do a cast to ensure the operand has the right signedness. 
1290   // Also, if the operand is a pointer, we make sure to cast to an integer when
1291   // doing the comparison both for signedness and so that the C compiler doesn't
1292   // optimize things like "p < NULL" to false (p may contain an integer value
1293   // f.e.).
1294   bool shouldCast = Cmp.isRelational();
1295
1296   // Write out the casted operand if we should, otherwise just write the
1297   // operand.
1298   if (!shouldCast) {
1299     writeOperand(Operand);
1300     return;
1301   }
1302   
1303   // Should this be a signed comparison?  If so, convert to signed.
1304   bool castIsSigned = Cmp.isSignedPredicate();
1305
1306   // If the operand was a pointer, convert to a large integer type.
1307   const Type* OpTy = Operand->getType();
1308   if (isa<PointerType>(OpTy))
1309     OpTy = TD->getIntPtrType();
1310   
1311   Out << "((";
1312   printSimpleType(Out, OpTy, castIsSigned);
1313   Out << ")";
1314   writeOperand(Operand);
1315   Out << ")";
1316 }
1317
1318 // generateCompilerSpecificCode - This is where we add conditional compilation
1319 // directives to cater to specific compilers as need be.
1320 //
1321 static void generateCompilerSpecificCode(std::ostream& Out) {
1322   // Alloca is hard to get, and we don't want to include stdlib.h here.
1323   Out << "/* get a declaration for alloca */\n"
1324       << "#if defined(__CYGWIN__) || defined(__MINGW32__)\n"
1325       << "#define  alloca(x) __builtin_alloca((x))\n"
1326       << "#define _alloca(x) __builtin_alloca((x))\n"    
1327       << "#elif defined(__APPLE__)\n"
1328       << "extern void *__builtin_alloca(unsigned long);\n"
1329       << "#define alloca(x) __builtin_alloca(x)\n"
1330       << "#define longjmp _longjmp\n"
1331       << "#define setjmp _setjmp\n"
1332       << "#elif defined(__sun__)\n"
1333       << "#if defined(__sparcv9)\n"
1334       << "extern void *__builtin_alloca(unsigned long);\n"
1335       << "#else\n"
1336       << "extern void *__builtin_alloca(unsigned int);\n"
1337       << "#endif\n"
1338       << "#define alloca(x) __builtin_alloca(x)\n"
1339       << "#elif defined(__FreeBSD__) || defined(__NetBSD__) || defined(__OpenBSD__)\n"
1340       << "#define alloca(x) __builtin_alloca(x)\n"
1341       << "#elif defined(_MSC_VER)\n"
1342       << "#define inline _inline\n"
1343       << "#define alloca(x) _alloca(x)\n"
1344       << "#else\n"
1345       << "#include <alloca.h>\n"
1346       << "#endif\n\n";
1347
1348   // We output GCC specific attributes to preserve 'linkonce'ness on globals.
1349   // If we aren't being compiled with GCC, just drop these attributes.
1350   Out << "#ifndef __GNUC__  /* Can only support \"linkonce\" vars with GCC */\n"
1351       << "#define __attribute__(X)\n"
1352       << "#endif\n\n";
1353
1354   // On Mac OS X, "external weak" is spelled "__attribute__((weak_import))".
1355   Out << "#if defined(__GNUC__) && defined(__APPLE_CC__)\n"
1356       << "#define __EXTERNAL_WEAK__ __attribute__((weak_import))\n"
1357       << "#elif defined(__GNUC__)\n"
1358       << "#define __EXTERNAL_WEAK__ __attribute__((weak))\n"
1359       << "#else\n"
1360       << "#define __EXTERNAL_WEAK__\n"
1361       << "#endif\n\n";
1362
1363   // For now, turn off the weak linkage attribute on Mac OS X. (See above.)
1364   Out << "#if defined(__GNUC__) && defined(__APPLE_CC__)\n"
1365       << "#define __ATTRIBUTE_WEAK__\n"
1366       << "#elif defined(__GNUC__)\n"
1367       << "#define __ATTRIBUTE_WEAK__ __attribute__((weak))\n"
1368       << "#else\n"
1369       << "#define __ATTRIBUTE_WEAK__\n"
1370       << "#endif\n\n";
1371
1372   // Add hidden visibility support. FIXME: APPLE_CC?
1373   Out << "#if defined(__GNUC__)\n"
1374       << "#define __HIDDEN__ __attribute__((visibility(\"hidden\")))\n"
1375       << "#endif\n\n";
1376     
1377   // Define NaN and Inf as GCC builtins if using GCC, as 0 otherwise
1378   // From the GCC documentation:
1379   //
1380   //   double __builtin_nan (const char *str)
1381   //
1382   // This is an implementation of the ISO C99 function nan.
1383   //
1384   // Since ISO C99 defines this function in terms of strtod, which we do
1385   // not implement, a description of the parsing is in order. The string is
1386   // parsed as by strtol; that is, the base is recognized by leading 0 or
1387   // 0x prefixes. The number parsed is placed in the significand such that
1388   // the least significant bit of the number is at the least significant
1389   // bit of the significand. The number is truncated to fit the significand
1390   // field provided. The significand is forced to be a quiet NaN.
1391   //
1392   // This function, if given a string literal, is evaluated early enough
1393   // that it is considered a compile-time constant.
1394   //
1395   //   float __builtin_nanf (const char *str)
1396   //
1397   // Similar to __builtin_nan, except the return type is float.
1398   //
1399   //   double __builtin_inf (void)
1400   //
1401   // Similar to __builtin_huge_val, except a warning is generated if the
1402   // target floating-point format does not support infinities. This
1403   // function is suitable for implementing the ISO C99 macro INFINITY.
1404   //
1405   //   float __builtin_inff (void)
1406   //
1407   // Similar to __builtin_inf, except the return type is float.
1408   Out << "#ifdef __GNUC__\n"
1409       << "#define LLVM_NAN(NanStr)   __builtin_nan(NanStr)   /* Double */\n"
1410       << "#define LLVM_NANF(NanStr)  __builtin_nanf(NanStr)  /* Float */\n"
1411       << "#define LLVM_NANS(NanStr)  __builtin_nans(NanStr)  /* Double */\n"
1412       << "#define LLVM_NANSF(NanStr) __builtin_nansf(NanStr) /* Float */\n"
1413       << "#define LLVM_INF           __builtin_inf()         /* Double */\n"
1414       << "#define LLVM_INFF          __builtin_inff()        /* Float */\n"
1415       << "#define LLVM_PREFETCH(addr,rw,locality) "
1416                               "__builtin_prefetch(addr,rw,locality)\n"
1417       << "#define __ATTRIBUTE_CTOR__ __attribute__((constructor))\n"
1418       << "#define __ATTRIBUTE_DTOR__ __attribute__((destructor))\n"
1419       << "#define LLVM_ASM           __asm__\n"
1420       << "#else\n"
1421       << "#define LLVM_NAN(NanStr)   ((double)0.0)           /* Double */\n"
1422       << "#define LLVM_NANF(NanStr)  0.0F                    /* Float */\n"
1423       << "#define LLVM_NANS(NanStr)  ((double)0.0)           /* Double */\n"
1424       << "#define LLVM_NANSF(NanStr) 0.0F                    /* Float */\n"
1425       << "#define LLVM_INF           ((double)0.0)           /* Double */\n"
1426       << "#define LLVM_INFF          0.0F                    /* Float */\n"
1427       << "#define LLVM_PREFETCH(addr,rw,locality)            /* PREFETCH */\n"
1428       << "#define __ATTRIBUTE_CTOR__\n"
1429       << "#define __ATTRIBUTE_DTOR__\n"
1430       << "#define LLVM_ASM(X)\n"
1431       << "#endif\n\n";
1432   
1433   Out << "#if __GNUC__ < 4 /* Old GCC's, or compilers not GCC */ \n"
1434       << "#define __builtin_stack_save() 0   /* not implemented */\n"
1435       << "#define __builtin_stack_restore(X) /* noop */\n"
1436       << "#endif\n\n";
1437
1438   // Output target-specific code that should be inserted into main.
1439   Out << "#define CODE_FOR_MAIN() /* Any target-specific code for main()*/\n";
1440 }
1441
1442 /// FindStaticTors - Given a static ctor/dtor list, unpack its contents into
1443 /// the StaticTors set.
1444 static void FindStaticTors(GlobalVariable *GV, std::set<Function*> &StaticTors){
1445   ConstantArray *InitList = dyn_cast<ConstantArray>(GV->getInitializer());
1446   if (!InitList) return;
1447   
1448   for (unsigned i = 0, e = InitList->getNumOperands(); i != e; ++i)
1449     if (ConstantStruct *CS = dyn_cast<ConstantStruct>(InitList->getOperand(i))){
1450       if (CS->getNumOperands() != 2) return;  // Not array of 2-element structs.
1451       
1452       if (CS->getOperand(1)->isNullValue())
1453         return;  // Found a null terminator, exit printing.
1454       Constant *FP = CS->getOperand(1);
1455       if (ConstantExpr *CE = dyn_cast<ConstantExpr>(FP))
1456         if (CE->isCast())
1457           FP = CE->getOperand(0);
1458       if (Function *F = dyn_cast<Function>(FP))
1459         StaticTors.insert(F);
1460     }
1461 }
1462
1463 enum SpecialGlobalClass {
1464   NotSpecial = 0,
1465   GlobalCtors, GlobalDtors,
1466   NotPrinted
1467 };
1468
1469 /// getGlobalVariableClass - If this is a global that is specially recognized
1470 /// by LLVM, return a code that indicates how we should handle it.
1471 static SpecialGlobalClass getGlobalVariableClass(const GlobalVariable *GV) {
1472   // If this is a global ctors/dtors list, handle it now.
1473   if (GV->hasAppendingLinkage() && GV->use_empty()) {
1474     if (GV->getName() == "llvm.global_ctors")
1475       return GlobalCtors;
1476     else if (GV->getName() == "llvm.global_dtors")
1477       return GlobalDtors;
1478   }
1479   
1480   // Otherwise, it it is other metadata, don't print it.  This catches things
1481   // like debug information.
1482   if (GV->getSection() == "llvm.metadata")
1483     return NotPrinted;
1484   
1485   return NotSpecial;
1486 }
1487
1488
1489 bool CWriter::doInitialization(Module &M) {
1490   // Initialize
1491   TheModule = &M;
1492
1493   TD = new TargetData(&M);
1494   IL = new IntrinsicLowering(*TD);
1495   IL->AddPrototypes(M);
1496
1497   // Ensure that all structure types have names...
1498   Mang = new Mangler(M);
1499   Mang->markCharUnacceptable('.');
1500
1501   // Keep track of which functions are static ctors/dtors so they can have
1502   // an attribute added to their prototypes.
1503   std::set<Function*> StaticCtors, StaticDtors;
1504   for (Module::global_iterator I = M.global_begin(), E = M.global_end();
1505        I != E; ++I) {
1506     switch (getGlobalVariableClass(I)) {
1507     default: break;
1508     case GlobalCtors:
1509       FindStaticTors(I, StaticCtors);
1510       break;
1511     case GlobalDtors:
1512       FindStaticTors(I, StaticDtors);
1513       break;
1514     }
1515   }
1516   
1517   // get declaration for alloca
1518   Out << "/* Provide Declarations */\n";
1519   Out << "#include <stdarg.h>\n";      // Varargs support
1520   Out << "#include <setjmp.h>\n";      // Unwind support
1521   generateCompilerSpecificCode(Out);
1522
1523   // Provide a definition for `bool' if not compiling with a C++ compiler.
1524   Out << "\n"
1525       << "#ifndef __cplusplus\ntypedef unsigned char bool;\n#endif\n"
1526
1527       << "\n\n/* Support for floating point constants */\n"
1528       << "typedef unsigned long long ConstantDoubleTy;\n"
1529       << "typedef unsigned int        ConstantFloatTy;\n"
1530       << "typedef struct { unsigned long long f1; unsigned short f2; "
1531          "unsigned short pad[3]; } ConstantFP80Ty;\n"
1532       // This is used for both kinds of 128-bit long double; meaning differs.
1533       << "typedef struct { unsigned long long f1; unsigned long long f2; }"
1534          " ConstantFP128Ty;\n"
1535       << "\n\n/* Global Declarations */\n";
1536
1537   // First output all the declarations for the program, because C requires
1538   // Functions & globals to be declared before they are used.
1539   //
1540
1541   // Loop over the symbol table, emitting all named constants...
1542   printModuleTypes(M.getTypeSymbolTable());
1543
1544   // Global variable declarations...
1545   if (!M.global_empty()) {
1546     Out << "\n/* External Global Variable Declarations */\n";
1547     for (Module::global_iterator I = M.global_begin(), E = M.global_end();
1548          I != E; ++I) {
1549
1550       if (I->hasExternalLinkage() || I->hasExternalWeakLinkage())
1551         Out << "extern ";
1552       else if (I->hasDLLImportLinkage())
1553         Out << "__declspec(dllimport) ";
1554       else
1555         continue; // Internal Global
1556
1557       // Thread Local Storage
1558       if (I->isThreadLocal())
1559         Out << "__thread ";
1560
1561       printType(Out, I->getType()->getElementType(), false, GetValueName(I));
1562
1563       if (I->hasExternalWeakLinkage())
1564          Out << " __EXTERNAL_WEAK__";
1565       Out << ";\n";
1566     }
1567   }
1568
1569   // Function declarations
1570   Out << "\n/* Function Declarations */\n";
1571   Out << "double fmod(double, double);\n";   // Support for FP rem
1572   Out << "float fmodf(float, float);\n";
1573   Out << "long double fmodl(long double, long double);\n";
1574   
1575   for (Module::iterator I = M.begin(), E = M.end(); I != E; ++I) {
1576     // Don't print declarations for intrinsic functions.
1577     if (!I->isIntrinsic() && I->getName() != "setjmp" &&
1578         I->getName() != "longjmp" && I->getName() != "_setjmp") {
1579       if (I->hasExternalWeakLinkage())
1580         Out << "extern ";
1581       printFunctionSignature(I, true);
1582       if (I->hasWeakLinkage() || I->hasLinkOnceLinkage()) 
1583         Out << " __ATTRIBUTE_WEAK__";
1584       if (I->hasExternalWeakLinkage())
1585         Out << " __EXTERNAL_WEAK__";
1586       if (StaticCtors.count(I))
1587         Out << " __ATTRIBUTE_CTOR__";
1588       if (StaticDtors.count(I))
1589         Out << " __ATTRIBUTE_DTOR__";
1590       if (I->hasHiddenVisibility())
1591         Out << " __HIDDEN__";
1592       
1593       if (I->hasName() && I->getName()[0] == 1)
1594         Out << " LLVM_ASM(\"" << I->getName().c_str()+1 << "\")";
1595           
1596       Out << ";\n";
1597     }
1598   }
1599
1600   // Output the global variable declarations
1601   if (!M.global_empty()) {
1602     Out << "\n\n/* Global Variable Declarations */\n";
1603     for (Module::global_iterator I = M.global_begin(), E = M.global_end();
1604          I != E; ++I)
1605       if (!I->isDeclaration()) {
1606         // Ignore special globals, such as debug info.
1607         if (getGlobalVariableClass(I))
1608           continue;
1609
1610         if (I->hasInternalLinkage())
1611           Out << "static ";
1612         else
1613           Out << "extern ";
1614
1615         // Thread Local Storage
1616         if (I->isThreadLocal())
1617           Out << "__thread ";
1618
1619         printType(Out, I->getType()->getElementType(), false, 
1620                   GetValueName(I));
1621
1622         if (I->hasLinkOnceLinkage())
1623           Out << " __attribute__((common))";
1624         else if (I->hasWeakLinkage())
1625           Out << " __ATTRIBUTE_WEAK__";
1626         else if (I->hasExternalWeakLinkage())
1627           Out << " __EXTERNAL_WEAK__";
1628         if (I->hasHiddenVisibility())
1629           Out << " __HIDDEN__";
1630         Out << ";\n";
1631       }
1632   }
1633
1634   // Output the global variable definitions and contents...
1635   if (!M.global_empty()) {
1636     Out << "\n\n/* Global Variable Definitions and Initialization */\n";
1637     for (Module::global_iterator I = M.global_begin(), E = M.global_end(); 
1638          I != E; ++I)
1639       if (!I->isDeclaration()) {
1640         // Ignore special globals, such as debug info.
1641         if (getGlobalVariableClass(I))
1642           continue;
1643
1644         if (I->hasInternalLinkage())
1645           Out << "static ";
1646         else if (I->hasDLLImportLinkage())
1647           Out << "__declspec(dllimport) ";
1648         else if (I->hasDLLExportLinkage())
1649           Out << "__declspec(dllexport) ";
1650
1651         // Thread Local Storage
1652         if (I->isThreadLocal())
1653           Out << "__thread ";
1654
1655         printType(Out, I->getType()->getElementType(), false, 
1656                   GetValueName(I));
1657         if (I->hasLinkOnceLinkage())
1658           Out << " __attribute__((common))";
1659         else if (I->hasWeakLinkage())
1660           Out << " __ATTRIBUTE_WEAK__";
1661
1662         if (I->hasHiddenVisibility())
1663           Out << " __HIDDEN__";
1664         
1665         // If the initializer is not null, emit the initializer.  If it is null,
1666         // we try to avoid emitting large amounts of zeros.  The problem with
1667         // this, however, occurs when the variable has weak linkage.  In this
1668         // case, the assembler will complain about the variable being both weak
1669         // and common, so we disable this optimization.
1670         if (!I->getInitializer()->isNullValue()) {
1671           Out << " = " ;
1672           writeOperand(I->getInitializer());
1673         } else if (I->hasWeakLinkage()) {
1674           // We have to specify an initializer, but it doesn't have to be
1675           // complete.  If the value is an aggregate, print out { 0 }, and let
1676           // the compiler figure out the rest of the zeros.
1677           Out << " = " ;
1678           if (isa<StructType>(I->getInitializer()->getType()) ||
1679               isa<ArrayType>(I->getInitializer()->getType()) ||
1680               isa<VectorType>(I->getInitializer()->getType())) {
1681             Out << "{ 0 }";
1682           } else {
1683             // Just print it out normally.
1684             writeOperand(I->getInitializer());
1685           }
1686         }
1687         Out << ";\n";
1688       }
1689   }
1690
1691   if (!M.empty())
1692     Out << "\n\n/* Function Bodies */\n";
1693
1694   // Emit some helper functions for dealing with FCMP instruction's 
1695   // predicates
1696   Out << "static inline int llvm_fcmp_ord(double X, double Y) { ";
1697   Out << "return X == X && Y == Y; }\n";
1698   Out << "static inline int llvm_fcmp_uno(double X, double Y) { ";
1699   Out << "return X != X || Y != Y; }\n";
1700   Out << "static inline int llvm_fcmp_ueq(double X, double Y) { ";
1701   Out << "return X == Y || llvm_fcmp_uno(X, Y); }\n";
1702   Out << "static inline int llvm_fcmp_une(double X, double Y) { ";
1703   Out << "return X != Y; }\n";
1704   Out << "static inline int llvm_fcmp_ult(double X, double Y) { ";
1705   Out << "return X <  Y || llvm_fcmp_uno(X, Y); }\n";
1706   Out << "static inline int llvm_fcmp_ugt(double X, double Y) { ";
1707   Out << "return X >  Y || llvm_fcmp_uno(X, Y); }\n";
1708   Out << "static inline int llvm_fcmp_ule(double X, double Y) { ";
1709   Out << "return X <= Y || llvm_fcmp_uno(X, Y); }\n";
1710   Out << "static inline int llvm_fcmp_uge(double X, double Y) { ";
1711   Out << "return X >= Y || llvm_fcmp_uno(X, Y); }\n";
1712   Out << "static inline int llvm_fcmp_oeq(double X, double Y) { ";
1713   Out << "return X == Y ; }\n";
1714   Out << "static inline int llvm_fcmp_one(double X, double Y) { ";
1715   Out << "return X != Y && llvm_fcmp_ord(X, Y); }\n";
1716   Out << "static inline int llvm_fcmp_olt(double X, double Y) { ";
1717   Out << "return X <  Y ; }\n";
1718   Out << "static inline int llvm_fcmp_ogt(double X, double Y) { ";
1719   Out << "return X >  Y ; }\n";
1720   Out << "static inline int llvm_fcmp_ole(double X, double Y) { ";
1721   Out << "return X <= Y ; }\n";
1722   Out << "static inline int llvm_fcmp_oge(double X, double Y) { ";
1723   Out << "return X >= Y ; }\n";
1724   return false;
1725 }
1726
1727
1728 /// Output all floating point constants that cannot be printed accurately...
1729 void CWriter::printFloatingPointConstants(Function &F) {
1730   // Scan the module for floating point constants.  If any FP constant is used
1731   // in the function, we want to redirect it here so that we do not depend on
1732   // the precision of the printed form, unless the printed form preserves
1733   // precision.
1734   //
1735   static unsigned FPCounter = 0;
1736   for (constant_iterator I = constant_begin(&F), E = constant_end(&F);
1737        I != E; ++I)
1738     if (const ConstantFP *FPC = dyn_cast<ConstantFP>(*I))
1739       if (!isFPCSafeToPrint(FPC) && // Do not put in FPConstantMap if safe.
1740           !FPConstantMap.count(FPC)) {
1741         FPConstantMap[FPC] = FPCounter;  // Number the FP constants
1742
1743         if (FPC->getType() == Type::DoubleTy) {
1744           double Val = FPC->getValueAPF().convertToDouble();
1745           uint64_t i = FPC->getValueAPF().convertToAPInt().getZExtValue();
1746           Out << "static const ConstantDoubleTy FPConstant" << FPCounter++
1747               << " = 0x" << std::hex << i << std::dec
1748               << "ULL;    /* " << Val << " */\n";
1749         } else if (FPC->getType() == Type::FloatTy) {
1750           float Val = FPC->getValueAPF().convertToFloat();
1751           uint32_t i = (uint32_t)FPC->getValueAPF().convertToAPInt().
1752                                     getZExtValue();
1753           Out << "static const ConstantFloatTy FPConstant" << FPCounter++
1754               << " = 0x" << std::hex << i << std::dec
1755               << "U;    /* " << Val << " */\n";
1756         } else if (FPC->getType() == Type::X86_FP80Ty) {
1757           // api needed to prevent premature destruction
1758           APInt api = FPC->getValueAPF().convertToAPInt();
1759           const uint64_t *p = api.getRawData();
1760           Out << "static const ConstantFP80Ty FPConstant" << FPCounter++
1761               << " = { 0x" << std::hex
1762               << ((uint16_t)p[1] | (p[0] & 0xffffffffffffLL)<<16)
1763               << ", 0x" << (uint16_t)(p[0] >> 48) << ",0,0,0"
1764               << "}; /* Long double constant */\n" << std::dec;
1765         } else if (FPC->getType() == Type::PPC_FP128Ty) {
1766           APInt api = FPC->getValueAPF().convertToAPInt();
1767           const uint64_t *p = api.getRawData();
1768           Out << "static const ConstantFP128Ty FPConstant" << FPCounter++
1769               << " = { 0x" << std::hex
1770               << p[0] << ", 0x" << p[1]
1771               << "}; /* Long double constant */\n" << std::dec;
1772
1773         } else
1774           assert(0 && "Unknown float type!");
1775       }
1776
1777   Out << '\n';
1778 }
1779
1780
1781 /// printSymbolTable - Run through symbol table looking for type names.  If a
1782 /// type name is found, emit its declaration...
1783 ///
1784 void CWriter::printModuleTypes(const TypeSymbolTable &TST) {
1785   Out << "/* Helper union for bitcasts */\n";
1786   Out << "typedef union {\n";
1787   Out << "  unsigned int Int32;\n";
1788   Out << "  unsigned long long Int64;\n";
1789   Out << "  float Float;\n";
1790   Out << "  double Double;\n";
1791   Out << "} llvmBitCastUnion;\n";
1792
1793   // We are only interested in the type plane of the symbol table.
1794   TypeSymbolTable::const_iterator I   = TST.begin();
1795   TypeSymbolTable::const_iterator End = TST.end();
1796
1797   // If there are no type names, exit early.
1798   if (I == End) return;
1799
1800   // Print out forward declarations for structure types before anything else!
1801   Out << "/* Structure forward decls */\n";
1802   for (; I != End; ++I) {
1803     std::string Name = "struct l_" + Mang->makeNameProper(I->first);
1804     Out << Name << ";\n";
1805     TypeNames.insert(std::make_pair(I->second, Name));
1806   }
1807
1808   Out << '\n';
1809
1810   // Now we can print out typedefs.  Above, we guaranteed that this can only be
1811   // for struct or opaque types.
1812   Out << "/* Typedefs */\n";
1813   for (I = TST.begin(); I != End; ++I) {
1814     std::string Name = "l_" + Mang->makeNameProper(I->first);
1815     Out << "typedef ";
1816     printType(Out, I->second, false, Name);
1817     Out << ";\n";
1818   }
1819
1820   Out << '\n';
1821
1822   // Keep track of which structures have been printed so far...
1823   std::set<const StructType *> StructPrinted;
1824
1825   // Loop over all structures then push them into the stack so they are
1826   // printed in the correct order.
1827   //
1828   Out << "/* Structure contents */\n";
1829   for (I = TST.begin(); I != End; ++I)
1830     if (const StructType *STy = dyn_cast<StructType>(I->second))
1831       // Only print out used types!
1832       printContainedStructs(STy, StructPrinted);
1833 }
1834
1835 // Push the struct onto the stack and recursively push all structs
1836 // this one depends on.
1837 //
1838 // TODO:  Make this work properly with vector types
1839 //
1840 void CWriter::printContainedStructs(const Type *Ty,
1841                                     std::set<const StructType*> &StructPrinted){
1842   // Don't walk through pointers.
1843   if (isa<PointerType>(Ty) || Ty->isPrimitiveType() || Ty->isInteger()) return;
1844   
1845   // Print all contained types first.
1846   for (Type::subtype_iterator I = Ty->subtype_begin(),
1847        E = Ty->subtype_end(); I != E; ++I)
1848     printContainedStructs(*I, StructPrinted);
1849   
1850   if (const StructType *STy = dyn_cast<StructType>(Ty)) {
1851     // Check to see if we have already printed this struct.
1852     if (StructPrinted.insert(STy).second) {
1853       // Print structure type out.
1854       std::string Name = TypeNames[STy];
1855       printType(Out, STy, false, Name, true);
1856       Out << ";\n\n";
1857     }
1858   }
1859 }
1860
1861 void CWriter::printFunctionSignature(const Function *F, bool Prototype) {
1862   /// isStructReturn - Should this function actually return a struct by-value?
1863   bool isStructReturn = F->isStructReturn();
1864   
1865   if (F->hasInternalLinkage()) Out << "static ";
1866   if (F->hasDLLImportLinkage()) Out << "__declspec(dllimport) ";
1867   if (F->hasDLLExportLinkage()) Out << "__declspec(dllexport) ";  
1868   switch (F->getCallingConv()) {
1869    case CallingConv::X86_StdCall:
1870     Out << "__stdcall ";
1871     break;
1872    case CallingConv::X86_FastCall:
1873     Out << "__fastcall ";
1874     break;
1875   }
1876   
1877   // Loop over the arguments, printing them...
1878   const FunctionType *FT = cast<FunctionType>(F->getFunctionType());
1879   const ParamAttrsList *PAL = F->getParamAttrs();
1880
1881   std::stringstream FunctionInnards;
1882
1883   // Print out the name...
1884   FunctionInnards << GetValueName(F) << '(';
1885
1886   bool PrintedArg = false;
1887   if (!F->isDeclaration()) {
1888     if (!F->arg_empty()) {
1889       Function::const_arg_iterator I = F->arg_begin(), E = F->arg_end();
1890       unsigned Idx = 1;
1891       
1892       // If this is a struct-return function, don't print the hidden
1893       // struct-return argument.
1894       if (isStructReturn) {
1895         assert(I != E && "Invalid struct return function!");
1896         ++I;
1897         ++Idx;
1898       }
1899       
1900       std::string ArgName;
1901       for (; I != E; ++I) {
1902         if (PrintedArg) FunctionInnards << ", ";
1903         if (I->hasName() || !Prototype)
1904           ArgName = GetValueName(I);
1905         else
1906           ArgName = "";
1907         const Type *ArgTy = I->getType();
1908         if (PAL && PAL->paramHasAttr(Idx, ParamAttr::ByVal)) {
1909           assert(isa<PointerType>(ArgTy));
1910           ArgTy = cast<PointerType>(ArgTy)->getElementType();
1911           const Value *Arg = &(*I);
1912           ByValParams.insert(Arg);
1913         }
1914         printType(FunctionInnards, ArgTy,
1915             /*isSigned=*/PAL && PAL->paramHasAttr(Idx, ParamAttr::SExt),
1916             ArgName);
1917         PrintedArg = true;
1918         ++Idx;
1919       }
1920     }
1921   } else {
1922     // Loop over the arguments, printing them.
1923     FunctionType::param_iterator I = FT->param_begin(), E = FT->param_end();
1924     unsigned Idx = 1;
1925     
1926     // If this is a struct-return function, don't print the hidden
1927     // struct-return argument.
1928     if (isStructReturn) {
1929       assert(I != E && "Invalid struct return function!");
1930       ++I;
1931       ++Idx;
1932     }
1933     
1934     for (; I != E; ++I) {
1935       if (PrintedArg) FunctionInnards << ", ";
1936       const Type *ArgTy = *I;
1937       if (PAL && PAL->paramHasAttr(Idx, ParamAttr::ByVal)) {
1938         assert(isa<PointerType>(ArgTy));
1939         ArgTy = cast<PointerType>(ArgTy)->getElementType();
1940       }
1941       printType(FunctionInnards, ArgTy,
1942              /*isSigned=*/PAL && PAL->paramHasAttr(Idx, ParamAttr::SExt));
1943       PrintedArg = true;
1944       ++Idx;
1945     }
1946   }
1947
1948   // Finish printing arguments... if this is a vararg function, print the ...,
1949   // unless there are no known types, in which case, we just emit ().
1950   //
1951   if (FT->isVarArg() && PrintedArg) {
1952     if (PrintedArg) FunctionInnards << ", ";
1953     FunctionInnards << "...";  // Output varargs portion of signature!
1954   } else if (!FT->isVarArg() && !PrintedArg) {
1955     FunctionInnards << "void"; // ret() -> ret(void) in C.
1956   }
1957   FunctionInnards << ')';
1958   
1959   // Get the return tpe for the function.
1960   const Type *RetTy;
1961   if (!isStructReturn)
1962     RetTy = F->getReturnType();
1963   else {
1964     // If this is a struct-return function, print the struct-return type.
1965     RetTy = cast<PointerType>(FT->getParamType(0))->getElementType();
1966   }
1967     
1968   // Print out the return type and the signature built above.
1969   printType(Out, RetTy, 
1970             /*isSigned=*/ PAL && PAL->paramHasAttr(0, ParamAttr::SExt),
1971             FunctionInnards.str());
1972 }
1973
1974 static inline bool isFPIntBitCast(const Instruction &I) {
1975   if (!isa<BitCastInst>(I))
1976     return false;
1977   const Type *SrcTy = I.getOperand(0)->getType();
1978   const Type *DstTy = I.getType();
1979   return (SrcTy->isFloatingPoint() && DstTy->isInteger()) ||
1980          (DstTy->isFloatingPoint() && SrcTy->isInteger());
1981 }
1982
1983 void CWriter::printFunction(Function &F) {
1984   /// isStructReturn - Should this function actually return a struct by-value?
1985   bool isStructReturn = F.isStructReturn();
1986
1987   printFunctionSignature(&F, false);
1988   Out << " {\n";
1989   
1990   // If this is a struct return function, handle the result with magic.
1991   if (isStructReturn) {
1992     const Type *StructTy =
1993       cast<PointerType>(F.arg_begin()->getType())->getElementType();
1994     Out << "  ";
1995     printType(Out, StructTy, false, "StructReturn");
1996     Out << ";  /* Struct return temporary */\n";
1997
1998     Out << "  ";
1999     printType(Out, F.arg_begin()->getType(), false, 
2000               GetValueName(F.arg_begin()));
2001     Out << " = &StructReturn;\n";
2002   }
2003
2004   bool PrintedVar = false;
2005   
2006   // print local variable information for the function
2007   for (inst_iterator I = inst_begin(&F), E = inst_end(&F); I != E; ++I) {
2008     if (const AllocaInst *AI = isDirectAlloca(&*I)) {
2009       Out << "  ";
2010       printType(Out, AI->getAllocatedType(), false, GetValueName(AI));
2011       Out << ";    /* Address-exposed local */\n";
2012       PrintedVar = true;
2013     } else if (I->getType() != Type::VoidTy && !isInlinableInst(*I)) {
2014       Out << "  ";
2015       printType(Out, I->getType(), false, GetValueName(&*I));
2016       Out << ";\n";
2017
2018       if (isa<PHINode>(*I)) {  // Print out PHI node temporaries as well...
2019         Out << "  ";
2020         printType(Out, I->getType(), false,
2021                   GetValueName(&*I)+"__PHI_TEMPORARY");
2022         Out << ";\n";
2023       }
2024       PrintedVar = true;
2025     }
2026     // We need a temporary for the BitCast to use so it can pluck a value out
2027     // of a union to do the BitCast. This is separate from the need for a
2028     // variable to hold the result of the BitCast. 
2029     if (isFPIntBitCast(*I)) {
2030       Out << "  llvmBitCastUnion " << GetValueName(&*I)
2031           << "__BITCAST_TEMPORARY;\n";
2032       PrintedVar = true;
2033     }
2034   }
2035
2036   if (PrintedVar)
2037     Out << '\n';
2038
2039   if (F.hasExternalLinkage() && F.getName() == "main")
2040     Out << "  CODE_FOR_MAIN();\n";
2041
2042   // print the basic blocks
2043   for (Function::iterator BB = F.begin(), E = F.end(); BB != E; ++BB) {
2044     if (Loop *L = LI->getLoopFor(BB)) {
2045       if (L->getHeader() == BB && L->getParentLoop() == 0)
2046         printLoop(L);
2047     } else {
2048       printBasicBlock(BB);
2049     }
2050   }
2051
2052   Out << "}\n\n";
2053 }
2054
2055 void CWriter::printLoop(Loop *L) {
2056   Out << "  do {     /* Syntactic loop '" << L->getHeader()->getName()
2057       << "' to make GCC happy */\n";
2058   for (unsigned i = 0, e = L->getBlocks().size(); i != e; ++i) {
2059     BasicBlock *BB = L->getBlocks()[i];
2060     Loop *BBLoop = LI->getLoopFor(BB);
2061     if (BBLoop == L)
2062       printBasicBlock(BB);
2063     else if (BB == BBLoop->getHeader() && BBLoop->getParentLoop() == L)
2064       printLoop(BBLoop);
2065   }
2066   Out << "  } while (1); /* end of syntactic loop '"
2067       << L->getHeader()->getName() << "' */\n";
2068 }
2069
2070 void CWriter::printBasicBlock(BasicBlock *BB) {
2071
2072   // Don't print the label for the basic block if there are no uses, or if
2073   // the only terminator use is the predecessor basic block's terminator.
2074   // We have to scan the use list because PHI nodes use basic blocks too but
2075   // do not require a label to be generated.
2076   //
2077   bool NeedsLabel = false;
2078   for (pred_iterator PI = pred_begin(BB), E = pred_end(BB); PI != E; ++PI)
2079     if (isGotoCodeNecessary(*PI, BB)) {
2080       NeedsLabel = true;
2081       break;
2082     }
2083
2084   if (NeedsLabel) Out << GetValueName(BB) << ":\n";
2085
2086   // Output all of the instructions in the basic block...
2087   for (BasicBlock::iterator II = BB->begin(), E = --BB->end(); II != E;
2088        ++II) {
2089     if (!isInlinableInst(*II) && !isDirectAlloca(II)) {
2090       if (II->getType() != Type::VoidTy && !isInlineAsm(*II))
2091         outputLValue(II);
2092       else
2093         Out << "  ";
2094       visit(*II);
2095       Out << ";\n";
2096     }
2097   }
2098
2099   // Don't emit prefix or suffix for the terminator...
2100   visit(*BB->getTerminator());
2101 }
2102
2103
2104 // Specific Instruction type classes... note that all of the casts are
2105 // necessary because we use the instruction classes as opaque types...
2106 //
2107 void CWriter::visitReturnInst(ReturnInst &I) {
2108   // If this is a struct return function, return the temporary struct.
2109   bool isStructReturn = I.getParent()->getParent()->isStructReturn();
2110
2111   if (isStructReturn) {
2112     Out << "  return StructReturn;\n";
2113     return;
2114   }
2115   
2116   // Don't output a void return if this is the last basic block in the function
2117   if (I.getNumOperands() == 0 &&
2118       &*--I.getParent()->getParent()->end() == I.getParent() &&
2119       !I.getParent()->size() == 1) {
2120     return;
2121   }
2122
2123   Out << "  return";
2124   if (I.getNumOperands()) {
2125     Out << ' ';
2126     writeOperand(I.getOperand(0));
2127   }
2128   Out << ";\n";
2129 }
2130
2131 void CWriter::visitSwitchInst(SwitchInst &SI) {
2132
2133   Out << "  switch (";
2134   writeOperand(SI.getOperand(0));
2135   Out << ") {\n  default:\n";
2136   printPHICopiesForSuccessor (SI.getParent(), SI.getDefaultDest(), 2);
2137   printBranchToBlock(SI.getParent(), SI.getDefaultDest(), 2);
2138   Out << ";\n";
2139   for (unsigned i = 2, e = SI.getNumOperands(); i != e; i += 2) {
2140     Out << "  case ";
2141     writeOperand(SI.getOperand(i));
2142     Out << ":\n";
2143     BasicBlock *Succ = cast<BasicBlock>(SI.getOperand(i+1));
2144     printPHICopiesForSuccessor (SI.getParent(), Succ, 2);
2145     printBranchToBlock(SI.getParent(), Succ, 2);
2146     if (Function::iterator(Succ) == next(Function::iterator(SI.getParent())))
2147       Out << "    break;\n";
2148   }
2149   Out << "  }\n";
2150 }
2151
2152 void CWriter::visitUnreachableInst(UnreachableInst &I) {
2153   Out << "  /*UNREACHABLE*/;\n";
2154 }
2155
2156 bool CWriter::isGotoCodeNecessary(BasicBlock *From, BasicBlock *To) {
2157   /// FIXME: This should be reenabled, but loop reordering safe!!
2158   return true;
2159
2160   if (next(Function::iterator(From)) != Function::iterator(To))
2161     return true;  // Not the direct successor, we need a goto.
2162
2163   //isa<SwitchInst>(From->getTerminator())
2164
2165   if (LI->getLoopFor(From) != LI->getLoopFor(To))
2166     return true;
2167   return false;
2168 }
2169
2170 void CWriter::printPHICopiesForSuccessor (BasicBlock *CurBlock,
2171                                           BasicBlock *Successor,
2172                                           unsigned Indent) {
2173   for (BasicBlock::iterator I = Successor->begin(); isa<PHINode>(I); ++I) {
2174     PHINode *PN = cast<PHINode>(I);
2175     // Now we have to do the printing.
2176     Value *IV = PN->getIncomingValueForBlock(CurBlock);
2177     if (!isa<UndefValue>(IV)) {
2178       Out << std::string(Indent, ' ');
2179       Out << "  " << GetValueName(I) << "__PHI_TEMPORARY = ";
2180       writeOperand(IV);
2181       Out << ";   /* for PHI node */\n";
2182     }
2183   }
2184 }
2185
2186 void CWriter::printBranchToBlock(BasicBlock *CurBB, BasicBlock *Succ,
2187                                  unsigned Indent) {
2188   if (isGotoCodeNecessary(CurBB, Succ)) {
2189     Out << std::string(Indent, ' ') << "  goto ";
2190     writeOperand(Succ);
2191     Out << ";\n";
2192   }
2193 }
2194
2195 // Branch instruction printing - Avoid printing out a branch to a basic block
2196 // that immediately succeeds the current one.
2197 //
2198 void CWriter::visitBranchInst(BranchInst &I) {
2199
2200   if (I.isConditional()) {
2201     if (isGotoCodeNecessary(I.getParent(), I.getSuccessor(0))) {
2202       Out << "  if (";
2203       writeOperand(I.getCondition());
2204       Out << ") {\n";
2205
2206       printPHICopiesForSuccessor (I.getParent(), I.getSuccessor(0), 2);
2207       printBranchToBlock(I.getParent(), I.getSuccessor(0), 2);
2208
2209       if (isGotoCodeNecessary(I.getParent(), I.getSuccessor(1))) {
2210         Out << "  } else {\n";
2211         printPHICopiesForSuccessor (I.getParent(), I.getSuccessor(1), 2);
2212         printBranchToBlock(I.getParent(), I.getSuccessor(1), 2);
2213       }
2214     } else {
2215       // First goto not necessary, assume second one is...
2216       Out << "  if (!";
2217       writeOperand(I.getCondition());
2218       Out << ") {\n";
2219
2220       printPHICopiesForSuccessor (I.getParent(), I.getSuccessor(1), 2);
2221       printBranchToBlock(I.getParent(), I.getSuccessor(1), 2);
2222     }
2223
2224     Out << "  }\n";
2225   } else {
2226     printPHICopiesForSuccessor (I.getParent(), I.getSuccessor(0), 0);
2227     printBranchToBlock(I.getParent(), I.getSuccessor(0), 0);
2228   }
2229   Out << "\n";
2230 }
2231
2232 // PHI nodes get copied into temporary values at the end of predecessor basic
2233 // blocks.  We now need to copy these temporary values into the REAL value for
2234 // the PHI.
2235 void CWriter::visitPHINode(PHINode &I) {
2236   writeOperand(&I);
2237   Out << "__PHI_TEMPORARY";
2238 }
2239
2240
2241 void CWriter::visitBinaryOperator(Instruction &I) {
2242   // binary instructions, shift instructions, setCond instructions.
2243   assert(!isa<PointerType>(I.getType()));
2244
2245   // We must cast the results of binary operations which might be promoted.
2246   bool needsCast = false;
2247   if ((I.getType() == Type::Int8Ty) || (I.getType() == Type::Int16Ty) 
2248       || (I.getType() == Type::FloatTy)) {
2249     needsCast = true;
2250     Out << "((";
2251     printType(Out, I.getType(), false);
2252     Out << ")(";
2253   }
2254
2255   // If this is a negation operation, print it out as such.  For FP, we don't
2256   // want to print "-0.0 - X".
2257   if (BinaryOperator::isNeg(&I)) {
2258     Out << "-(";
2259     writeOperand(BinaryOperator::getNegArgument(cast<BinaryOperator>(&I)));
2260     Out << ")";
2261   } else if (I.getOpcode() == Instruction::FRem) {
2262     // Output a call to fmod/fmodf instead of emitting a%b
2263     if (I.getType() == Type::FloatTy)
2264       Out << "fmodf(";
2265     else if (I.getType() == Type::DoubleTy)
2266       Out << "fmod(";
2267     else  // all 3 flavors of long double
2268       Out << "fmodl(";
2269     writeOperand(I.getOperand(0));
2270     Out << ", ";
2271     writeOperand(I.getOperand(1));
2272     Out << ")";
2273   } else {
2274
2275     // Write out the cast of the instruction's value back to the proper type
2276     // if necessary.
2277     bool NeedsClosingParens = writeInstructionCast(I);
2278
2279     // Certain instructions require the operand to be forced to a specific type
2280     // so we use writeOperandWithCast here instead of writeOperand. Similarly
2281     // below for operand 1
2282     writeOperandWithCast(I.getOperand(0), I.getOpcode());
2283
2284     switch (I.getOpcode()) {
2285     case Instruction::Add:  Out << " + "; break;
2286     case Instruction::Sub:  Out << " - "; break;
2287     case Instruction::Mul:  Out << " * "; break;
2288     case Instruction::URem:
2289     case Instruction::SRem:
2290     case Instruction::FRem: Out << " % "; break;
2291     case Instruction::UDiv:
2292     case Instruction::SDiv: 
2293     case Instruction::FDiv: Out << " / "; break;
2294     case Instruction::And:  Out << " & "; break;
2295     case Instruction::Or:   Out << " | "; break;
2296     case Instruction::Xor:  Out << " ^ "; break;
2297     case Instruction::Shl : Out << " << "; break;
2298     case Instruction::LShr:
2299     case Instruction::AShr: Out << " >> "; break;
2300     default: cerr << "Invalid operator type!" << I; abort();
2301     }
2302
2303     writeOperandWithCast(I.getOperand(1), I.getOpcode());
2304     if (NeedsClosingParens)
2305       Out << "))";
2306   }
2307
2308   if (needsCast) {
2309     Out << "))";
2310   }
2311 }
2312
2313 void CWriter::visitICmpInst(ICmpInst &I) {
2314   // We must cast the results of icmp which might be promoted.
2315   bool needsCast = false;
2316
2317   // Write out the cast of the instruction's value back to the proper type
2318   // if necessary.
2319   bool NeedsClosingParens = writeInstructionCast(I);
2320
2321   // Certain icmp predicate require the operand to be forced to a specific type
2322   // so we use writeOperandWithCast here instead of writeOperand. Similarly
2323   // below for operand 1
2324   writeOperandWithCast(I.getOperand(0), I);
2325
2326   switch (I.getPredicate()) {
2327   case ICmpInst::ICMP_EQ:  Out << " == "; break;
2328   case ICmpInst::ICMP_NE:  Out << " != "; break;
2329   case ICmpInst::ICMP_ULE:
2330   case ICmpInst::ICMP_SLE: Out << " <= "; break;
2331   case ICmpInst::ICMP_UGE:
2332   case ICmpInst::ICMP_SGE: Out << " >= "; break;
2333   case ICmpInst::ICMP_ULT:
2334   case ICmpInst::ICMP_SLT: Out << " < "; break;
2335   case ICmpInst::ICMP_UGT:
2336   case ICmpInst::ICMP_SGT: Out << " > "; break;
2337   default: cerr << "Invalid icmp predicate!" << I; abort();
2338   }
2339
2340   writeOperandWithCast(I.getOperand(1), I);
2341   if (NeedsClosingParens)
2342     Out << "))";
2343
2344   if (needsCast) {
2345     Out << "))";
2346   }
2347 }
2348
2349 void CWriter::visitFCmpInst(FCmpInst &I) {
2350   if (I.getPredicate() == FCmpInst::FCMP_FALSE) {
2351     Out << "0";
2352     return;
2353   }
2354   if (I.getPredicate() == FCmpInst::FCMP_TRUE) {
2355     Out << "1";
2356     return;
2357   }
2358
2359   const char* op = 0;
2360   switch (I.getPredicate()) {
2361   default: assert(0 && "Illegal FCmp predicate");
2362   case FCmpInst::FCMP_ORD: op = "ord"; break;
2363   case FCmpInst::FCMP_UNO: op = "uno"; break;
2364   case FCmpInst::FCMP_UEQ: op = "ueq"; break;
2365   case FCmpInst::FCMP_UNE: op = "une"; break;
2366   case FCmpInst::FCMP_ULT: op = "ult"; break;
2367   case FCmpInst::FCMP_ULE: op = "ule"; break;
2368   case FCmpInst::FCMP_UGT: op = "ugt"; break;
2369   case FCmpInst::FCMP_UGE: op = "uge"; break;
2370   case FCmpInst::FCMP_OEQ: op = "oeq"; break;
2371   case FCmpInst::FCMP_ONE: op = "one"; break;
2372   case FCmpInst::FCMP_OLT: op = "olt"; break;
2373   case FCmpInst::FCMP_OLE: op = "ole"; break;
2374   case FCmpInst::FCMP_OGT: op = "ogt"; break;
2375   case FCmpInst::FCMP_OGE: op = "oge"; break;
2376   }
2377
2378   Out << "llvm_fcmp_" << op << "(";
2379   // Write the first operand
2380   writeOperand(I.getOperand(0));
2381   Out << ", ";
2382   // Write the second operand
2383   writeOperand(I.getOperand(1));
2384   Out << ")";
2385 }
2386
2387 static const char * getFloatBitCastField(const Type *Ty) {
2388   switch (Ty->getTypeID()) {
2389     default: assert(0 && "Invalid Type");
2390     case Type::FloatTyID:  return "Float";
2391     case Type::DoubleTyID: return "Double";
2392     case Type::IntegerTyID: {
2393       unsigned NumBits = cast<IntegerType>(Ty)->getBitWidth();
2394       if (NumBits <= 32)
2395         return "Int32";
2396       else
2397         return "Int64";
2398     }
2399   }
2400 }
2401
2402 void CWriter::visitCastInst(CastInst &I) {
2403   const Type *DstTy = I.getType();
2404   const Type *SrcTy = I.getOperand(0)->getType();
2405   Out << '(';
2406   if (isFPIntBitCast(I)) {
2407     // These int<->float and long<->double casts need to be handled specially
2408     Out << GetValueName(&I) << "__BITCAST_TEMPORARY." 
2409         << getFloatBitCastField(I.getOperand(0)->getType()) << " = ";
2410     writeOperand(I.getOperand(0));
2411     Out << ", " << GetValueName(&I) << "__BITCAST_TEMPORARY."
2412         << getFloatBitCastField(I.getType());
2413   } else {
2414     printCast(I.getOpcode(), SrcTy, DstTy);
2415     if (I.getOpcode() == Instruction::SExt && SrcTy == Type::Int1Ty) {
2416       // Make sure we really get a sext from bool by subtracing the bool from 0
2417       Out << "0-";
2418     }
2419     // If it's a byval parameter being casted, then takes its address.
2420     bool isByVal = ByValParams.count(I.getOperand(0));
2421     if (isByVal) {
2422       assert(I.getOpcode() == Instruction::BitCast &&
2423              "ByVal aggregate parameter must ptr type");
2424       Out << '&';
2425     }
2426     writeOperand(I.getOperand(0));
2427     if (DstTy == Type::Int1Ty && 
2428         (I.getOpcode() == Instruction::Trunc ||
2429          I.getOpcode() == Instruction::FPToUI ||
2430          I.getOpcode() == Instruction::FPToSI ||
2431          I.getOpcode() == Instruction::PtrToInt)) {
2432       // Make sure we really get a trunc to bool by anding the operand with 1 
2433       Out << "&1u";
2434     }
2435   }
2436   Out << ')';
2437 }
2438
2439 void CWriter::visitSelectInst(SelectInst &I) {
2440   Out << "((";
2441   writeOperand(I.getCondition());
2442   Out << ") ? (";
2443   writeOperand(I.getTrueValue());
2444   Out << ") : (";
2445   writeOperand(I.getFalseValue());
2446   Out << "))";
2447 }
2448
2449
2450 void CWriter::lowerIntrinsics(Function &F) {
2451   // This is used to keep track of intrinsics that get generated to a lowered
2452   // function. We must generate the prototypes before the function body which
2453   // will only be expanded on first use (by the loop below).
2454   std::vector<Function*> prototypesToGen;
2455
2456   // Examine all the instructions in this function to find the intrinsics that
2457   // need to be lowered.
2458   for (Function::iterator BB = F.begin(), EE = F.end(); BB != EE; ++BB)
2459     for (BasicBlock::iterator I = BB->begin(), E = BB->end(); I != E; )
2460       if (CallInst *CI = dyn_cast<CallInst>(I++))
2461         if (Function *F = CI->getCalledFunction())
2462           switch (F->getIntrinsicID()) {
2463           case Intrinsic::not_intrinsic:
2464           case Intrinsic::memory_barrier:
2465           case Intrinsic::vastart:
2466           case Intrinsic::vacopy:
2467           case Intrinsic::vaend:
2468           case Intrinsic::returnaddress:
2469           case Intrinsic::frameaddress:
2470           case Intrinsic::setjmp:
2471           case Intrinsic::longjmp:
2472           case Intrinsic::prefetch:
2473           case Intrinsic::dbg_stoppoint:
2474           case Intrinsic::powi:
2475             // We directly implement these intrinsics
2476             break;
2477           default:
2478             // If this is an intrinsic that directly corresponds to a GCC
2479             // builtin, we handle it.
2480             const char *BuiltinName = "";
2481 #define GET_GCC_BUILTIN_NAME
2482 #include "llvm/Intrinsics.gen"
2483 #undef GET_GCC_BUILTIN_NAME
2484             // If we handle it, don't lower it.
2485             if (BuiltinName[0]) break;
2486             
2487             // All other intrinsic calls we must lower.
2488             Instruction *Before = 0;
2489             if (CI != &BB->front())
2490               Before = prior(BasicBlock::iterator(CI));
2491
2492             IL->LowerIntrinsicCall(CI);
2493             if (Before) {        // Move iterator to instruction after call
2494               I = Before; ++I;
2495             } else {
2496               I = BB->begin();
2497             }
2498             // If the intrinsic got lowered to another call, and that call has
2499             // a definition then we need to make sure its prototype is emitted
2500             // before any calls to it.
2501             if (CallInst *Call = dyn_cast<CallInst>(I))
2502               if (Function *NewF = Call->getCalledFunction())
2503                 if (!NewF->isDeclaration())
2504                   prototypesToGen.push_back(NewF);
2505
2506             break;
2507           }
2508
2509   // We may have collected some prototypes to emit in the loop above. 
2510   // Emit them now, before the function that uses them is emitted. But,
2511   // be careful not to emit them twice.
2512   std::vector<Function*>::iterator I = prototypesToGen.begin();
2513   std::vector<Function*>::iterator E = prototypesToGen.end();
2514   for ( ; I != E; ++I) {
2515     if (intrinsicPrototypesAlreadyGenerated.insert(*I).second) {
2516       Out << '\n';
2517       printFunctionSignature(*I, true);
2518       Out << ";\n";
2519     }
2520   }
2521 }
2522
2523
2524 void CWriter::visitCallInst(CallInst &I) {
2525   //check if we have inline asm
2526   if (isInlineAsm(I)) {
2527     visitInlineAsm(I);
2528     return;
2529   }
2530
2531   bool WroteCallee = false;
2532
2533   // Handle intrinsic function calls first...
2534   if (Function *F = I.getCalledFunction())
2535     if (Intrinsic::ID ID = (Intrinsic::ID)F->getIntrinsicID()) {
2536       switch (ID) {
2537       default: {
2538         // If this is an intrinsic that directly corresponds to a GCC
2539         // builtin, we emit it here.
2540         const char *BuiltinName = "";
2541 #define GET_GCC_BUILTIN_NAME
2542 #include "llvm/Intrinsics.gen"
2543 #undef GET_GCC_BUILTIN_NAME
2544         assert(BuiltinName[0] && "Unknown LLVM intrinsic!");
2545
2546         Out << BuiltinName;
2547         WroteCallee = true;
2548         break;
2549       }
2550       case Intrinsic::memory_barrier:
2551         Out << "0; __sync_syncronize()";
2552         return;
2553       case Intrinsic::vastart:
2554         Out << "0; ";
2555
2556         Out << "va_start(*(va_list*)";
2557         writeOperand(I.getOperand(1));
2558         Out << ", ";
2559         // Output the last argument to the enclosing function...
2560         if (I.getParent()->getParent()->arg_empty()) {
2561           cerr << "The C backend does not currently support zero "
2562                << "argument varargs functions, such as '"
2563                << I.getParent()->getParent()->getName() << "'!\n";
2564           abort();
2565         }
2566         writeOperand(--I.getParent()->getParent()->arg_end());
2567         Out << ')';
2568         return;
2569       case Intrinsic::vaend:
2570         if (!isa<ConstantPointerNull>(I.getOperand(1))) {
2571           Out << "0; va_end(*(va_list*)";
2572           writeOperand(I.getOperand(1));
2573           Out << ')';
2574         } else {
2575           Out << "va_end(*(va_list*)0)";
2576         }
2577         return;
2578       case Intrinsic::vacopy:
2579         Out << "0; ";
2580         Out << "va_copy(*(va_list*)";
2581         writeOperand(I.getOperand(1));
2582         Out << ", *(va_list*)";
2583         writeOperand(I.getOperand(2));
2584         Out << ')';
2585         return;
2586       case Intrinsic::returnaddress:
2587         Out << "__builtin_return_address(";
2588         writeOperand(I.getOperand(1));
2589         Out << ')';
2590         return;
2591       case Intrinsic::frameaddress:
2592         Out << "__builtin_frame_address(";
2593         writeOperand(I.getOperand(1));
2594         Out << ')';
2595         return;
2596       case Intrinsic::powi:
2597         Out << "__builtin_powi(";
2598         writeOperand(I.getOperand(1));
2599         Out << ", ";
2600         writeOperand(I.getOperand(2));
2601         Out << ')';
2602         return;
2603       case Intrinsic::setjmp:
2604         Out << "setjmp(*(jmp_buf*)";
2605         writeOperand(I.getOperand(1));
2606         Out << ')';
2607         return;
2608       case Intrinsic::longjmp:
2609         Out << "longjmp(*(jmp_buf*)";
2610         writeOperand(I.getOperand(1));
2611         Out << ", ";
2612         writeOperand(I.getOperand(2));
2613         Out << ')';
2614         return;
2615       case Intrinsic::prefetch:
2616         Out << "LLVM_PREFETCH((const void *)";
2617         writeOperand(I.getOperand(1));
2618         Out << ", ";
2619         writeOperand(I.getOperand(2));
2620         Out << ", ";
2621         writeOperand(I.getOperand(3));
2622         Out << ")";
2623         return;
2624       case Intrinsic::stacksave:
2625         // Emit this as: Val = 0; *((void**)&Val) = __builtin_stack_save()
2626         // to work around GCC bugs (see PR1809).
2627         Out << "0; *((void**)&" << GetValueName(&I)
2628             << ") = __builtin_stack_save()";
2629         return;
2630       case Intrinsic::dbg_stoppoint: {
2631         // If we use writeOperand directly we get a "u" suffix which is rejected
2632         // by gcc.
2633         DbgStopPointInst &SPI = cast<DbgStopPointInst>(I);
2634
2635         Out << "\n#line "
2636             << SPI.getLine()
2637             << " \"" << SPI.getDirectory()
2638             << SPI.getFileName() << "\"\n";
2639         return;
2640       }
2641       }
2642     }
2643
2644   Value *Callee = I.getCalledValue();
2645
2646   const PointerType  *PTy   = cast<PointerType>(Callee->getType());
2647   const FunctionType *FTy   = cast<FunctionType>(PTy->getElementType());
2648
2649   // If this is a call to a struct-return function, assign to the first
2650   // parameter instead of passing it to the call.
2651   const ParamAttrsList *PAL = I.getParamAttrs();
2652   bool hasByVal = I.hasByValArgument();
2653   bool isStructRet = I.isStructReturn();
2654   if (isStructRet) {
2655     bool isByVal = ByValParams.count(I.getOperand(1));
2656     if (!isByVal) Out << "*(";
2657     writeOperand(I.getOperand(1));
2658     if (!isByVal) Out << ")";
2659     Out << " = ";
2660   }
2661   
2662   if (I.isTailCall()) Out << " /*tail*/ ";
2663   
2664   if (!WroteCallee) {
2665     // If this is an indirect call to a struct return function, we need to cast
2666     // the pointer. Ditto for indirect calls with byval arguments.
2667     bool NeedsCast = (hasByVal || isStructRet) && !isa<Function>(Callee);
2668
2669     // GCC is a real PITA.  It does not permit codegening casts of functions to
2670     // function pointers if they are in a call (it generates a trap instruction
2671     // instead!).  We work around this by inserting a cast to void* in between
2672     // the function and the function pointer cast.  Unfortunately, we can't just
2673     // form the constant expression here, because the folder will immediately
2674     // nuke it.
2675     //
2676     // Note finally, that this is completely unsafe.  ANSI C does not guarantee
2677     // that void* and function pointers have the same size. :( To deal with this
2678     // in the common case, we handle casts where the number of arguments passed
2679     // match exactly.
2680     //
2681     if (ConstantExpr *CE = dyn_cast<ConstantExpr>(Callee))
2682       if (CE->isCast())
2683         if (Function *RF = dyn_cast<Function>(CE->getOperand(0))) {
2684           NeedsCast = true;
2685           Callee = RF;
2686         }
2687   
2688     if (NeedsCast) {
2689       // Ok, just cast the pointer type.
2690       Out << "((";
2691       if (isStructRet)
2692         printStructReturnPointerFunctionType(Out, PAL,
2693                              cast<PointerType>(I.getCalledValue()->getType()));
2694       else if (hasByVal)
2695         printType(Out, I.getCalledValue()->getType(), false, "", true, PAL);
2696       else
2697         printType(Out, I.getCalledValue()->getType());
2698       Out << ")(void*)";
2699     }
2700     writeOperand(Callee);
2701     if (NeedsCast) Out << ')';
2702   }
2703
2704   Out << '(';
2705
2706   unsigned NumDeclaredParams = FTy->getNumParams();
2707
2708   CallSite::arg_iterator AI = I.op_begin()+1, AE = I.op_end();
2709   unsigned ArgNo = 0;
2710   if (isStructRet) {   // Skip struct return argument.
2711     ++AI;
2712     ++ArgNo;
2713   }
2714       
2715   bool PrintedArg = false;
2716   for (; AI != AE; ++AI, ++ArgNo) {
2717     if (PrintedArg) Out << ", ";
2718     if (ArgNo < NumDeclaredParams &&
2719         (*AI)->getType() != FTy->getParamType(ArgNo)) {
2720       Out << '(';
2721       printType(Out, FTy->getParamType(ArgNo), 
2722             /*isSigned=*/PAL && PAL->paramHasAttr(ArgNo+1, ParamAttr::SExt));
2723       Out << ')';
2724     }
2725     // Check if the argument is expected to be passed by value.
2726     bool isOutByVal = PAL && PAL->paramHasAttr(ArgNo+1, ParamAttr::ByVal);
2727     // Check if this argument itself is passed in by reference. 
2728     bool isInByVal = ByValParams.count(*AI);
2729     if (isOutByVal && !isInByVal)
2730       Out << "*(";
2731     else if (!isOutByVal && isInByVal)
2732       Out << "&(";
2733     writeOperand(*AI);
2734     if (isOutByVal ^ isInByVal)
2735       Out << ")";
2736     PrintedArg = true;
2737   }
2738   Out << ')';
2739 }
2740
2741
2742 //This converts the llvm constraint string to something gcc is expecting.
2743 //TODO: work out platform independent constraints and factor those out
2744 //      of the per target tables
2745 //      handle multiple constraint codes
2746 std::string CWriter::InterpretASMConstraint(InlineAsm::ConstraintInfo& c) {
2747
2748   assert(c.Codes.size() == 1 && "Too many asm constraint codes to handle");
2749
2750   const char** table = 0;
2751   
2752   //Grab the translation table from TargetAsmInfo if it exists
2753   if (!TAsm) {
2754     std::string E;
2755     const TargetMachineRegistry::entry* Match = 
2756       TargetMachineRegistry::getClosestStaticTargetForModule(*TheModule, E);
2757     if (Match) {
2758       //Per platform Target Machines don't exist, so create it
2759       // this must be done only once
2760       const TargetMachine* TM = Match->CtorFn(*TheModule, "");
2761       TAsm = TM->getTargetAsmInfo();
2762     }
2763   }
2764   if (TAsm)
2765     table = TAsm->getAsmCBE();
2766
2767   //Search the translation table if it exists
2768   for (int i = 0; table && table[i]; i += 2)
2769     if (c.Codes[0] == table[i])
2770       return table[i+1];
2771
2772   //default is identity
2773   return c.Codes[0];
2774 }
2775
2776 //TODO: import logic from AsmPrinter.cpp
2777 static std::string gccifyAsm(std::string asmstr) {
2778   for (std::string::size_type i = 0; i != asmstr.size(); ++i)
2779     if (asmstr[i] == '\n')
2780       asmstr.replace(i, 1, "\\n");
2781     else if (asmstr[i] == '\t')
2782       asmstr.replace(i, 1, "\\t");
2783     else if (asmstr[i] == '$') {
2784       if (asmstr[i + 1] == '{') {
2785         std::string::size_type a = asmstr.find_first_of(':', i + 1);
2786         std::string::size_type b = asmstr.find_first_of('}', i + 1);
2787         std::string n = "%" + 
2788           asmstr.substr(a + 1, b - a - 1) +
2789           asmstr.substr(i + 2, a - i - 2);
2790         asmstr.replace(i, b - i + 1, n);
2791         i += n.size() - 1;
2792       } else
2793         asmstr.replace(i, 1, "%");
2794     }
2795     else if (asmstr[i] == '%')//grr
2796       { asmstr.replace(i, 1, "%%"); ++i;}
2797   
2798   return asmstr;
2799 }
2800
2801 //TODO: assumptions about what consume arguments from the call are likely wrong
2802 //      handle communitivity
2803 void CWriter::visitInlineAsm(CallInst &CI) {
2804   InlineAsm* as = cast<InlineAsm>(CI.getOperand(0));
2805   std::vector<InlineAsm::ConstraintInfo> Constraints = as->ParseConstraints();
2806   std::vector<std::pair<std::string, Value*> > Input;
2807   std::vector<std::pair<std::string, Value*> > Output;
2808   std::string Clobber;
2809   int count = CI.getType() == Type::VoidTy ? 1 : 0;
2810   for (std::vector<InlineAsm::ConstraintInfo>::iterator I = Constraints.begin(),
2811          E = Constraints.end(); I != E; ++I) {
2812     assert(I->Codes.size() == 1 && "Too many asm constraint codes to handle");
2813     std::string c = 
2814       InterpretASMConstraint(*I);
2815     switch(I->Type) {
2816     default:
2817       assert(0 && "Unknown asm constraint");
2818       break;
2819     case InlineAsm::isInput: {
2820       if (c.size()) {
2821         Input.push_back(std::make_pair(c, count ? CI.getOperand(count) : &CI));
2822         ++count; //consume arg
2823       }
2824       break;
2825     }
2826     case InlineAsm::isOutput: {
2827       if (c.size()) {
2828         Output.push_back(std::make_pair("="+((I->isEarlyClobber ? "&" : "")+c),
2829                                         count ? CI.getOperand(count) : &CI));
2830         ++count; //consume arg
2831       }
2832       break;
2833     }
2834     case InlineAsm::isClobber: {
2835       if (c.size()) 
2836         Clobber += ",\"" + c + "\"";
2837       break;
2838     }
2839     }
2840   }
2841   
2842   //fix up the asm string for gcc
2843   std::string asmstr = gccifyAsm(as->getAsmString());
2844   
2845   Out << "__asm__ volatile (\"" << asmstr << "\"\n";
2846   Out << "        :";
2847   for (std::vector<std::pair<std::string, Value*> >::iterator I = Output.begin(),
2848          E = Output.end(); I != E; ++I) {
2849     Out << "\"" << I->first << "\"(";
2850     writeOperandRaw(I->second);
2851     Out << ")";
2852     if (I + 1 != E)
2853       Out << ",";
2854   }
2855   Out << "\n        :";
2856   for (std::vector<std::pair<std::string, Value*> >::iterator I = Input.begin(),
2857          E = Input.end(); I != E; ++I) {
2858     Out << "\"" << I->first << "\"(";
2859     writeOperandRaw(I->second);
2860     Out << ")";
2861     if (I + 1 != E)
2862       Out << ",";
2863   }
2864   if (Clobber.size())
2865     Out << "\n        :" << Clobber.substr(1);
2866   Out << ")";
2867 }
2868
2869 void CWriter::visitMallocInst(MallocInst &I) {
2870   assert(0 && "lowerallocations pass didn't work!");
2871 }
2872
2873 void CWriter::visitAllocaInst(AllocaInst &I) {
2874   Out << '(';
2875   printType(Out, I.getType());
2876   Out << ") alloca(sizeof(";
2877   printType(Out, I.getType()->getElementType());
2878   Out << ')';
2879   if (I.isArrayAllocation()) {
2880     Out << " * " ;
2881     writeOperand(I.getOperand(0));
2882   }
2883   Out << ')';
2884 }
2885
2886 void CWriter::visitFreeInst(FreeInst &I) {
2887   assert(0 && "lowerallocations pass didn't work!");
2888 }
2889
2890 void CWriter::printIndexingExpression(Value *Ptr, gep_type_iterator I,
2891                                       gep_type_iterator E) {
2892   bool HasImplicitAddress = false;
2893   // If accessing a global value with no indexing, avoid *(&GV) syndrome
2894   if (isa<GlobalValue>(Ptr)) {
2895     HasImplicitAddress = true;
2896   } else if (isDirectAlloca(Ptr)) {
2897     HasImplicitAddress = true;
2898   }
2899
2900   if (I == E) {
2901     if (!HasImplicitAddress)
2902       Out << '*';  // Implicit zero first argument: '*x' is equivalent to 'x[0]'
2903
2904     writeOperandInternal(Ptr);
2905     return;
2906   }
2907
2908   const Constant *CI = dyn_cast<Constant>(I.getOperand());
2909   if (HasImplicitAddress && (!CI || !CI->isNullValue()))
2910     Out << "(&";
2911
2912   writeOperandInternal(Ptr);
2913
2914   if (HasImplicitAddress && (!CI || !CI->isNullValue())) {
2915     Out << ')';
2916     HasImplicitAddress = false;  // HIA is only true if we haven't addressed yet
2917   }
2918
2919   assert((!HasImplicitAddress || (CI && CI->isNullValue())) &&
2920          "Can only have implicit address with direct accessing");
2921
2922   if (HasImplicitAddress) {
2923     ++I;
2924   } else if (CI && CI->isNullValue()) {
2925     gep_type_iterator TmpI = I; ++TmpI;
2926
2927     // Print out the -> operator if possible...
2928     if (TmpI != E && isa<StructType>(*TmpI)) {
2929       // Check if it's actually an aggregate parameter passed by value.
2930       bool isByVal = ByValParams.count(Ptr);
2931       Out << ((HasImplicitAddress || isByVal) ? "." : "->");
2932       Out << "field" << cast<ConstantInt>(TmpI.getOperand())->getZExtValue();
2933       I = ++TmpI;
2934     }
2935   }
2936
2937   for (; I != E; ++I)
2938     if (isa<StructType>(*I)) {
2939       Out << ".field" << cast<ConstantInt>(I.getOperand())->getZExtValue();
2940     } else {
2941       Out << '[';
2942       writeOperandWithCast(I.getOperand(), Instruction::GetElementPtr);
2943       Out << ']';
2944     }
2945 }
2946
2947 void CWriter::writeMemoryAccess(Value *Operand, const Type *OperandType,
2948                                 bool IsVolatile, unsigned Alignment) {
2949
2950   bool IsUnaligned = Alignment &&
2951     Alignment < TD->getABITypeAlignment(OperandType);
2952
2953   if (!IsUnaligned)
2954     Out << '*';
2955   if (IsVolatile || IsUnaligned) {
2956     Out << "((";
2957     if (IsUnaligned)
2958       Out << "struct __attribute__ ((packed, aligned(" << Alignment << "))) {";
2959     printType(Out, OperandType, false, IsUnaligned ? "data" : "volatile*");
2960     if (IsUnaligned) {
2961       Out << "; } ";
2962       if (IsVolatile) Out << "volatile ";
2963       Out << "*";
2964     }
2965     Out << ")";
2966   }
2967
2968   writeOperand(Operand);
2969
2970   if (IsVolatile || IsUnaligned) {
2971     Out << ')';
2972     if (IsUnaligned)
2973       Out << "->data";
2974   }
2975 }
2976
2977 void CWriter::visitLoadInst(LoadInst &I) {
2978
2979   writeMemoryAccess(I.getOperand(0), I.getType(), I.isVolatile(),
2980                     I.getAlignment());
2981
2982 }
2983
2984 void CWriter::visitStoreInst(StoreInst &I) {
2985
2986   writeMemoryAccess(I.getPointerOperand(), I.getOperand(0)->getType(),
2987                     I.isVolatile(), I.getAlignment());
2988   Out << " = ";
2989   Value *Operand = I.getOperand(0);
2990   Constant *BitMask = 0;
2991   if (const IntegerType* ITy = dyn_cast<IntegerType>(Operand->getType()))
2992     if (!ITy->isPowerOf2ByteWidth())
2993       // We have a bit width that doesn't match an even power-of-2 byte
2994       // size. Consequently we must & the value with the type's bit mask
2995       BitMask = ConstantInt::get(ITy, ITy->getBitMask());
2996   if (BitMask)
2997     Out << "((";
2998   writeOperand(Operand);
2999   if (BitMask) {
3000     Out << ") & ";
3001     printConstant(BitMask);
3002     Out << ")"; 
3003   }
3004 }
3005
3006 void CWriter::visitGetElementPtrInst(GetElementPtrInst &I) {
3007   Out << '&';
3008   printIndexingExpression(I.getPointerOperand(), gep_type_begin(I),
3009                           gep_type_end(I));
3010 }
3011
3012 void CWriter::visitVAArgInst(VAArgInst &I) {
3013   Out << "va_arg(*(va_list*)";
3014   writeOperand(I.getOperand(0));
3015   Out << ", ";
3016   printType(Out, I.getType());
3017   Out << ");\n ";
3018 }
3019
3020 //===----------------------------------------------------------------------===//
3021 //                       External Interface declaration
3022 //===----------------------------------------------------------------------===//
3023
3024 bool CTargetMachine::addPassesToEmitWholeFile(PassManager &PM,
3025                                               std::ostream &o,
3026                                               CodeGenFileType FileType,
3027                                               bool Fast) {
3028   if (FileType != TargetMachine::AssemblyFile) return true;
3029
3030   PM.add(createGCLoweringPass());
3031   PM.add(createLowerAllocationsPass(true));
3032   PM.add(createLowerInvokePass());
3033   PM.add(createCFGSimplificationPass());   // clean up after lower invoke.
3034   PM.add(new CBackendNameAllUsedStructsAndMergeFunctions());
3035   PM.add(new CWriter(o));
3036   PM.add(createCollectorMetadataDeleter());
3037   return false;
3038 }