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