a91ab22ce1b03f476ccbd77f318191ab3257f302
[oota-llvm.git] / lib / CodeGen / AsmPrinter / AsmPrinter.cpp
1 //===-- AsmPrinter.cpp - Common AsmPrinter code ---------------------------===//
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 file implements the AsmPrinter class.
11 //
12 //===----------------------------------------------------------------------===//
13
14 #include "llvm/CodeGen/AsmPrinter.h"
15 #include "llvm/Assembly/Writer.h"
16 #include "llvm/DerivedTypes.h"
17 #include "llvm/Constants.h"
18 #include "llvm/Module.h"
19 #include "llvm/CodeGen/DwarfWriter.h"
20 #include "llvm/CodeGen/GCMetadataPrinter.h"
21 #include "llvm/CodeGen/MachineConstantPool.h"
22 #include "llvm/CodeGen/MachineFrameInfo.h"
23 #include "llvm/CodeGen/MachineFunction.h"
24 #include "llvm/CodeGen/MachineJumpTableInfo.h"
25 #include "llvm/CodeGen/MachineLoopInfo.h"
26 #include "llvm/CodeGen/MachineModuleInfo.h"
27 #include "llvm/Analysis/DebugInfo.h"
28 #include "llvm/MC/MCContext.h"
29 #include "llvm/MC/MCExpr.h"
30 #include "llvm/MC/MCInst.h"
31 #include "llvm/MC/MCSection.h"
32 #include "llvm/MC/MCStreamer.h"
33 #include "llvm/MC/MCSymbol.h"
34 #include "llvm/Support/CommandLine.h"
35 #include "llvm/Support/ErrorHandling.h"
36 #include "llvm/Support/Format.h"
37 #include "llvm/Support/FormattedStream.h"
38 #include "llvm/MC/MCAsmInfo.h"
39 #include "llvm/Target/Mangler.h"
40 #include "llvm/Target/TargetData.h"
41 #include "llvm/Target/TargetInstrInfo.h"
42 #include "llvm/Target/TargetLowering.h"
43 #include "llvm/Target/TargetLoweringObjectFile.h"
44 #include "llvm/Target/TargetOptions.h"
45 #include "llvm/Target/TargetRegisterInfo.h"
46 #include "llvm/ADT/SmallPtrSet.h"
47 #include "llvm/ADT/SmallString.h"
48 #include <cerrno>
49 using namespace llvm;
50
51 static cl::opt<cl::boolOrDefault>
52 AsmVerbose("asm-verbose", cl::desc("Add comments to directives."),
53            cl::init(cl::BOU_UNSET));
54
55 static bool getVerboseAsm(bool VDef) {
56   switch (AsmVerbose) {
57   default:
58   case cl::BOU_UNSET: return VDef;
59   case cl::BOU_TRUE:  return true;
60   case cl::BOU_FALSE: return false;
61   }      
62 }
63
64 char AsmPrinter::ID = 0;
65 AsmPrinter::AsmPrinter(formatted_raw_ostream &o, TargetMachine &tm,
66                        const MCAsmInfo *T, bool VDef)
67   : MachineFunctionPass(&ID), O(o),
68     TM(tm), MAI(T), TRI(tm.getRegisterInfo()),
69
70     OutContext(*new MCContext()),
71     // FIXME: Pass instprinter to streamer.
72     OutStreamer(*createAsmStreamer(OutContext, O, *T,
73                                    TM.getTargetData()->isLittleEndian(),
74                                    getVerboseAsm(VDef), 0)),
75
76     LastMI(0), LastFn(0), Counter(~0U), PrevDLT(NULL) {
77   DW = 0; MMI = 0;
78   VerboseAsm = getVerboseAsm(VDef);
79 }
80
81 AsmPrinter::~AsmPrinter() {
82   for (gcp_iterator I = GCMetadataPrinters.begin(),
83                     E = GCMetadataPrinters.end(); I != E; ++I)
84     delete I->second;
85   
86   delete &OutStreamer;
87   delete &OutContext;
88 }
89
90 /// getFunctionNumber - Return a unique ID for the current function.
91 ///
92 unsigned AsmPrinter::getFunctionNumber() const {
93   return MF->getFunctionNumber();
94 }
95
96 TargetLoweringObjectFile &AsmPrinter::getObjFileLowering() const {
97   return TM.getTargetLowering()->getObjFileLowering();
98 }
99
100 /// getCurrentSection() - Return the current section we are emitting to.
101 const MCSection *AsmPrinter::getCurrentSection() const {
102   return OutStreamer.getCurrentSection();
103 }
104
105
106 void AsmPrinter::getAnalysisUsage(AnalysisUsage &AU) const {
107   AU.setPreservesAll();
108   MachineFunctionPass::getAnalysisUsage(AU);
109   AU.addRequired<GCModuleInfo>();
110   if (VerboseAsm)
111     AU.addRequired<MachineLoopInfo>();
112 }
113
114 bool AsmPrinter::doInitialization(Module &M) {
115   // Initialize TargetLoweringObjectFile.
116   const_cast<TargetLoweringObjectFile&>(getObjFileLowering())
117     .Initialize(OutContext, TM);
118   
119   Mang = new Mangler(*MAI);
120   
121   // Allow the target to emit any magic that it wants at the start of the file.
122   EmitStartOfAsmFile(M);
123
124   // Very minimal debug info. It is ignored if we emit actual debug info. If we
125   // don't, this at least helps the user find where a global came from.
126   if (MAI->hasSingleParameterDotFile()) {
127     // .file "foo.c"
128     OutStreamer.EmitFileDirective(M.getModuleIdentifier());
129   }
130
131   GCModuleInfo *MI = getAnalysisIfAvailable<GCModuleInfo>();
132   assert(MI && "AsmPrinter didn't require GCModuleInfo?");
133   for (GCModuleInfo::iterator I = MI->begin(), E = MI->end(); I != E; ++I)
134     if (GCMetadataPrinter *MP = GetOrCreateGCPrinter(*I))
135       MP->beginAssembly(O, *this, *MAI);
136   
137   if (!M.getModuleInlineAsm().empty())
138     O << MAI->getCommentString() << " Start of file scope inline assembly\n"
139       << M.getModuleInlineAsm()
140       << '\n' << MAI->getCommentString()
141       << " End of file scope inline assembly\n";
142
143   MMI = getAnalysisIfAvailable<MachineModuleInfo>();
144   if (MMI)
145     MMI->AnalyzeModule(M);
146   DW = getAnalysisIfAvailable<DwarfWriter>();
147   if (DW)
148     DW->BeginModule(&M, MMI, O, this, MAI);
149
150   return false;
151 }
152
153 /// EmitGlobalVariable - Emit the specified global variable to the .s file.
154 void AsmPrinter::EmitGlobalVariable(const GlobalVariable *GV) {
155   if (!GV->hasInitializer())   // External globals require no code.
156     return;
157   
158   // Check to see if this is a special global used by LLVM, if so, emit it.
159   if (EmitSpecialLLVMGlobal(GV))
160     return;
161
162   MCSymbol *GVSym = GetGlobalValueSymbol(GV);
163   printVisibility(GVSym, GV->getVisibility());
164
165   if (MAI->hasDotTypeDotSizeDirective())
166     OutStreamer.EmitSymbolAttribute(GVSym, MCSA_ELF_TypeObject);
167   
168   SectionKind GVKind = TargetLoweringObjectFile::getKindForGlobal(GV, TM);
169
170   const TargetData *TD = TM.getTargetData();
171   unsigned Size = TD->getTypeAllocSize(GV->getType()->getElementType());
172   unsigned AlignLog = TD->getPreferredAlignmentLog(GV);
173   
174   // Handle common and BSS local symbols (.lcomm).
175   if (GVKind.isCommon() || GVKind.isBSSLocal()) {
176     if (Size == 0) Size = 1;   // .comm Foo, 0 is undefined, avoid it.
177     
178     if (VerboseAsm) {
179       WriteAsOperand(OutStreamer.GetCommentOS(), GV,
180                      /*PrintType=*/false, GV->getParent());
181       OutStreamer.GetCommentOS() << '\n';
182     }
183     
184     // Handle common symbols.
185     if (GVKind.isCommon()) {
186       // .comm _foo, 42, 4
187       OutStreamer.EmitCommonSymbol(GVSym, Size, 1 << AlignLog);
188       return;
189     }
190     
191     // Handle local BSS symbols.
192     if (MAI->hasMachoZeroFillDirective()) {
193       const MCSection *TheSection =
194         getObjFileLowering().SectionForGlobal(GV, GVKind, Mang, TM);
195       // .zerofill __DATA, __bss, _foo, 400, 5
196       OutStreamer.EmitZerofill(TheSection, GVSym, Size, 1 << AlignLog);
197       return;
198     }
199     
200     if (MAI->hasLCOMMDirective()) {
201       // .lcomm _foo, 42
202       OutStreamer.EmitLocalCommonSymbol(GVSym, Size);
203       return;
204     }
205     
206     // .local _foo
207     OutStreamer.EmitSymbolAttribute(GVSym, MCSA_Local);
208     // .comm _foo, 42, 4
209     OutStreamer.EmitCommonSymbol(GVSym, Size, 1 << AlignLog);
210     return;
211   }
212   
213   const MCSection *TheSection =
214     getObjFileLowering().SectionForGlobal(GV, GVKind, Mang, TM);
215
216   // Handle the zerofill directive on darwin, which is a special form of BSS
217   // emission.
218   if (GVKind.isBSSExtern() && MAI->hasMachoZeroFillDirective()) {
219     // .globl _foo
220     OutStreamer.EmitSymbolAttribute(GVSym, MCSA_Global);
221     // .zerofill __DATA, __common, _foo, 400, 5
222     OutStreamer.EmitZerofill(TheSection, GVSym, Size, 1 << AlignLog);
223     return;
224   }
225
226   OutStreamer.SwitchSection(TheSection);
227
228   // TODO: Factor into an 'emit linkage' thing that is shared with function
229   // bodies.
230   switch (GV->getLinkage()) {
231   case GlobalValue::CommonLinkage:
232   case GlobalValue::LinkOnceAnyLinkage:
233   case GlobalValue::LinkOnceODRLinkage:
234   case GlobalValue::WeakAnyLinkage:
235   case GlobalValue::WeakODRLinkage:
236   case GlobalValue::LinkerPrivateLinkage:
237     if (MAI->getWeakDefDirective() != 0) {
238       // .globl _foo
239       OutStreamer.EmitSymbolAttribute(GVSym, MCSA_Global);
240       // .weak_definition _foo
241       OutStreamer.EmitSymbolAttribute(GVSym, MCSA_WeakDefinition);
242     } else if (const char *LinkOnce = MAI->getLinkOnceDirective()) {
243       // .globl _foo
244       OutStreamer.EmitSymbolAttribute(GVSym, MCSA_Global);
245       // FIXME: linkonce should be a section attribute, handled by COFF Section
246       // assignment.
247       // http://sourceware.org/binutils/docs-2.20/as/Linkonce.html#Linkonce
248       // .linkonce same_size
249       O << LinkOnce;
250     } else {
251       // .weak _foo
252       OutStreamer.EmitSymbolAttribute(GVSym, MCSA_Weak);
253     }
254     break;
255   case GlobalValue::DLLExportLinkage:
256   case GlobalValue::AppendingLinkage:
257     // FIXME: appending linkage variables should go into a section of
258     // their name or something.  For now, just emit them as external.
259   case GlobalValue::ExternalLinkage:
260     // If external or appending, declare as a global symbol.
261     // .globl _foo
262     OutStreamer.EmitSymbolAttribute(GVSym, MCSA_Global);
263     break;
264   case GlobalValue::PrivateLinkage:
265   case GlobalValue::InternalLinkage:
266      break;
267   default:
268     llvm_unreachable("Unknown linkage type!");
269   }
270
271   EmitAlignment(AlignLog, GV);
272   if (VerboseAsm) {
273     WriteAsOperand(OutStreamer.GetCommentOS(), GV,
274                    /*PrintType=*/false, GV->getParent());
275     OutStreamer.GetCommentOS() << '\n';
276   }
277   OutStreamer.EmitLabel(GVSym);
278
279   EmitGlobalConstant(GV->getInitializer());
280
281   if (MAI->hasDotTypeDotSizeDirective())
282     // .size foo, 42
283     OutStreamer.EmitELFSize(GVSym, MCConstantExpr::Create(Size, OutContext));
284   
285   OutStreamer.AddBlankLine();
286 }
287
288
289 bool AsmPrinter::doFinalization(Module &M) {
290   // Emit global variables.
291   for (Module::const_global_iterator I = M.global_begin(), E = M.global_end();
292        I != E; ++I)
293     EmitGlobalVariable(I);
294   
295   // Emit final debug information.
296   if (MAI->doesSupportDebugInformation() || MAI->doesSupportExceptionHandling())
297     DW->EndModule();
298   
299   // If the target wants to know about weak references, print them all.
300   if (MAI->getWeakRefDirective()) {
301     // FIXME: This is not lazy, it would be nice to only print weak references
302     // to stuff that is actually used.  Note that doing so would require targets
303     // to notice uses in operands (due to constant exprs etc).  This should
304     // happen with the MC stuff eventually.
305
306     // Print out module-level global variables here.
307     for (Module::const_global_iterator I = M.global_begin(), E = M.global_end();
308          I != E; ++I) {
309       if (!I->hasExternalWeakLinkage()) continue;
310       OutStreamer.EmitSymbolAttribute(GetGlobalValueSymbol(I),
311                                       MCSA_WeakReference);
312     }
313     
314     for (Module::const_iterator I = M.begin(), E = M.end(); I != E; ++I) {
315       if (!I->hasExternalWeakLinkage()) continue;
316       OutStreamer.EmitSymbolAttribute(GetGlobalValueSymbol(I),
317                                       MCSA_WeakReference);
318     }
319   }
320
321   if (MAI->getSetDirective()) {
322     OutStreamer.AddBlankLine();
323     for (Module::const_alias_iterator I = M.alias_begin(), E = M.alias_end();
324          I != E; ++I) {
325       MCSymbol *Name = GetGlobalValueSymbol(I);
326
327       const GlobalValue *GV = cast<GlobalValue>(I->getAliasedGlobal());
328       MCSymbol *Target = GetGlobalValueSymbol(GV);
329
330       if (I->hasExternalLinkage() || !MAI->getWeakRefDirective())
331         OutStreamer.EmitSymbolAttribute(Name, MCSA_Global);
332       else if (I->hasWeakLinkage())
333         OutStreamer.EmitSymbolAttribute(Name, MCSA_WeakReference);
334       else
335         assert(I->hasLocalLinkage() && "Invalid alias linkage");
336
337       printVisibility(Name, I->getVisibility());
338
339       O << MAI->getSetDirective() << ' ' << *Name << ", " << *Target << '\n';
340     }
341   }
342
343   GCModuleInfo *MI = getAnalysisIfAvailable<GCModuleInfo>();
344   assert(MI && "AsmPrinter didn't require GCModuleInfo?");
345   for (GCModuleInfo::iterator I = MI->end(), E = MI->begin(); I != E; )
346     if (GCMetadataPrinter *MP = GetOrCreateGCPrinter(*--I))
347       MP->finishAssembly(O, *this, *MAI);
348
349   // If we don't have any trampolines, then we don't require stack memory
350   // to be executable. Some targets have a directive to declare this.
351   Function *InitTrampolineIntrinsic = M.getFunction("llvm.init.trampoline");
352   if (!InitTrampolineIntrinsic || InitTrampolineIntrinsic->use_empty())
353     if (MCSection *S = MAI->getNonexecutableStackSection(OutContext))
354       OutStreamer.SwitchSection(S);
355   
356   // Allow the target to emit any magic that it wants at the end of the file,
357   // after everything else has gone out.
358   EmitEndOfAsmFile(M);
359   
360   delete Mang; Mang = 0;
361   DW = 0; MMI = 0;
362   
363   OutStreamer.Finish();
364   return false;
365 }
366
367 void AsmPrinter::SetupMachineFunction(MachineFunction &MF) {
368   this->MF = &MF;
369   // Get the function symbol.
370   CurrentFnSym = GetGlobalValueSymbol(MF.getFunction());
371
372   if (VerboseAsm)
373     LI = &getAnalysis<MachineLoopInfo>();
374 }
375
376 namespace {
377   // SectionCPs - Keep track the alignment, constpool entries per Section.
378   struct SectionCPs {
379     const MCSection *S;
380     unsigned Alignment;
381     SmallVector<unsigned, 4> CPEs;
382     SectionCPs(const MCSection *s, unsigned a) : S(s), Alignment(a) {}
383   };
384 }
385
386 /// EmitConstantPool - Print to the current output stream assembly
387 /// representations of the constants in the constant pool MCP. This is
388 /// used to print out constants which have been "spilled to memory" by
389 /// the code generator.
390 ///
391 void AsmPrinter::EmitConstantPool(MachineConstantPool *MCP) {
392   const std::vector<MachineConstantPoolEntry> &CP = MCP->getConstants();
393   if (CP.empty()) return;
394
395   // Calculate sections for constant pool entries. We collect entries to go into
396   // the same section together to reduce amount of section switch statements.
397   SmallVector<SectionCPs, 4> CPSections;
398   for (unsigned i = 0, e = CP.size(); i != e; ++i) {
399     const MachineConstantPoolEntry &CPE = CP[i];
400     unsigned Align = CPE.getAlignment();
401     
402     SectionKind Kind;
403     switch (CPE.getRelocationInfo()) {
404     default: llvm_unreachable("Unknown section kind");
405     case 2: Kind = SectionKind::getReadOnlyWithRel(); break;
406     case 1:
407       Kind = SectionKind::getReadOnlyWithRelLocal();
408       break;
409     case 0:
410     switch (TM.getTargetData()->getTypeAllocSize(CPE.getType())) {
411     case 4:  Kind = SectionKind::getMergeableConst4(); break;
412     case 8:  Kind = SectionKind::getMergeableConst8(); break;
413     case 16: Kind = SectionKind::getMergeableConst16();break;
414     default: Kind = SectionKind::getMergeableConst(); break;
415     }
416     }
417
418     const MCSection *S = getObjFileLowering().getSectionForConstant(Kind);
419     
420     // The number of sections are small, just do a linear search from the
421     // last section to the first.
422     bool Found = false;
423     unsigned SecIdx = CPSections.size();
424     while (SecIdx != 0) {
425       if (CPSections[--SecIdx].S == S) {
426         Found = true;
427         break;
428       }
429     }
430     if (!Found) {
431       SecIdx = CPSections.size();
432       CPSections.push_back(SectionCPs(S, Align));
433     }
434
435     if (Align > CPSections[SecIdx].Alignment)
436       CPSections[SecIdx].Alignment = Align;
437     CPSections[SecIdx].CPEs.push_back(i);
438   }
439
440   // Now print stuff into the calculated sections.
441   for (unsigned i = 0, e = CPSections.size(); i != e; ++i) {
442     OutStreamer.SwitchSection(CPSections[i].S);
443     EmitAlignment(Log2_32(CPSections[i].Alignment));
444
445     unsigned Offset = 0;
446     for (unsigned j = 0, ee = CPSections[i].CPEs.size(); j != ee; ++j) {
447       unsigned CPI = CPSections[i].CPEs[j];
448       MachineConstantPoolEntry CPE = CP[CPI];
449
450       // Emit inter-object padding for alignment.
451       unsigned AlignMask = CPE.getAlignment() - 1;
452       unsigned NewOffset = (Offset + AlignMask) & ~AlignMask;
453       OutStreamer.EmitFill(NewOffset - Offset, 0/*fillval*/, 0/*addrspace*/);
454
455       const Type *Ty = CPE.getType();
456       Offset = NewOffset + TM.getTargetData()->getTypeAllocSize(Ty);
457
458       // Emit the label with a comment on it.
459       if (VerboseAsm) {
460         OutStreamer.GetCommentOS() << "constant pool ";
461         WriteTypeSymbolic(OutStreamer.GetCommentOS(), CPE.getType(),
462                           MF->getFunction()->getParent());
463         OutStreamer.GetCommentOS() << '\n';
464       }
465       OutStreamer.EmitLabel(GetCPISymbol(CPI));
466
467       if (CPE.isMachineConstantPoolEntry())
468         EmitMachineConstantPoolValue(CPE.Val.MachineCPVal);
469       else
470         EmitGlobalConstant(CPE.Val.ConstVal);
471     }
472   }
473 }
474
475 /// EmitJumpTableInfo - Print assembly representations of the jump tables used
476 /// by the current function to the current output stream.  
477 ///
478 void AsmPrinter::EmitJumpTableInfo(MachineFunction &MF) {
479   MachineJumpTableInfo *MJTI = MF.getJumpTableInfo();
480   if (MJTI == 0) return;
481   const std::vector<MachineJumpTableEntry> &JT = MJTI->getJumpTables();
482   if (JT.empty()) return;
483
484   bool IsPic = TM.getRelocationModel() == Reloc::PIC_;
485   
486   // Pick the directive to use to print the jump table entries, and switch to 
487   // the appropriate section.
488   const Function *F = MF.getFunction();
489   bool JTInDiffSection = false;
490   if (F->isWeakForLinker() ||
491       (IsPic && !TM.getTargetLowering()->usesGlobalOffsetTable())) {
492     // In PIC mode, we need to emit the jump table to the same section as the
493     // function body itself, otherwise the label differences won't make sense.
494     // We should also do if the section name is NULL or function is declared in
495     // discardable section.
496     OutStreamer.SwitchSection(getObjFileLowering().SectionForGlobal(F, Mang,
497                                                                     TM));
498   } else {
499     // Otherwise, drop it in the readonly section.
500     const MCSection *ReadOnlySection = 
501       getObjFileLowering().getSectionForConstant(SectionKind::getReadOnly());
502     OutStreamer.SwitchSection(ReadOnlySection);
503     JTInDiffSection = true;
504   }
505
506   EmitAlignment(Log2_32(MJTI->getEntryAlignment(*TM.getTargetData())));
507   
508   for (unsigned JTI = 0, e = JT.size(); JTI != e; ++JTI) {
509     const std::vector<MachineBasicBlock*> &JTBBs = JT[JTI].MBBs;
510     
511     // If this jump table was deleted, ignore it. 
512     if (JTBBs.empty()) continue;
513
514     // For the EK_LabelDifference32 entry, if the target supports .set, emit a
515     // .set directive for each unique entry.  This reduces the number of
516     // relocations the assembler will generate for the jump table.
517     if (MJTI->getEntryKind() == MachineJumpTableInfo::EK_LabelDifference32 &&
518         MAI->getSetDirective()) {
519       SmallPtrSet<const MachineBasicBlock*, 16> EmittedSets;
520       const TargetLowering *TLI = TM.getTargetLowering();
521       const MCExpr *Base = TLI->getPICJumpTableRelocBaseExpr(&MF, JTI,
522                                                              OutContext);
523       for (unsigned ii = 0, ee = JTBBs.size(); ii != ee; ++ii) {
524         const MachineBasicBlock *MBB = JTBBs[ii];
525         if (!EmittedSets.insert(MBB)) continue;
526         
527         O << MAI->getSetDirective() << ' '
528           << *GetJTSetSymbol(JTI, MBB->getNumber()) << ','
529           << *MBB->getSymbol(OutContext) << '-' << *Base << '\n';
530       }
531     }          
532     
533     // On some targets (e.g. Darwin) we want to emit two consequtive labels
534     // before each jump table.  The first label is never referenced, but tells
535     // the assembler and linker the extents of the jump table object.  The
536     // second label is actually referenced by the code.
537     if (JTInDiffSection && MAI->getLinkerPrivateGlobalPrefix()[0])
538       // FIXME: This doesn't have to have any specific name, just any randomly
539       // named and numbered 'l' label would work.  Simplify GetJTISymbol.
540       OutStreamer.EmitLabel(GetJTISymbol(JTI, true));
541
542     OutStreamer.EmitLabel(GetJTISymbol(JTI));
543
544     for (unsigned ii = 0, ee = JTBBs.size(); ii != ee; ++ii)
545       EmitJumpTableEntry(MJTI, JTBBs[ii], JTI);
546   }
547 }
548
549 /// EmitJumpTableEntry - Emit a jump table entry for the specified MBB to the
550 /// current stream.
551 void AsmPrinter::EmitJumpTableEntry(const MachineJumpTableInfo *MJTI,
552                                     const MachineBasicBlock *MBB,
553                                     unsigned UID) const {
554   const MCExpr *Value = 0;
555   switch (MJTI->getEntryKind()) {
556   case MachineJumpTableInfo::EK_Custom32:
557     Value = TM.getTargetLowering()->LowerCustomJumpTableEntry(MJTI, MBB, UID,
558                                                               OutContext);
559     break;
560   case MachineJumpTableInfo::EK_BlockAddress:
561     // EK_BlockAddress - Each entry is a plain address of block, e.g.:
562     //     .word LBB123
563     Value = MCSymbolRefExpr::Create(MBB->getSymbol(OutContext), OutContext);
564     break;
565   case MachineJumpTableInfo::EK_GPRel32BlockAddress: {
566     // EK_GPRel32BlockAddress - Each entry is an address of block, encoded
567     // with a relocation as gp-relative, e.g.:
568     //     .gprel32 LBB123
569     MCSymbol *MBBSym = MBB->getSymbol(OutContext);
570     OutStreamer.EmitGPRel32Value(MCSymbolRefExpr::Create(MBBSym, OutContext));
571     return;
572   }
573
574   case MachineJumpTableInfo::EK_LabelDifference32: {
575     // EK_LabelDifference32 - Each entry is the address of the block minus
576     // the address of the jump table.  This is used for PIC jump tables where
577     // gprel32 is not supported.  e.g.:
578     //      .word LBB123 - LJTI1_2
579     // If the .set directive is supported, this is emitted as:
580     //      .set L4_5_set_123, LBB123 - LJTI1_2
581     //      .word L4_5_set_123
582     
583     // If we have emitted set directives for the jump table entries, print 
584     // them rather than the entries themselves.  If we're emitting PIC, then
585     // emit the table entries as differences between two text section labels.
586     if (MAI->getSetDirective()) {
587       // If we used .set, reference the .set's symbol.
588       Value = MCSymbolRefExpr::Create(GetJTSetSymbol(UID, MBB->getNumber()),
589                                       OutContext);
590       break;
591     }
592     // Otherwise, use the difference as the jump table entry.
593     Value = MCSymbolRefExpr::Create(MBB->getSymbol(OutContext), OutContext);
594     const MCExpr *JTI = MCSymbolRefExpr::Create(GetJTISymbol(UID), OutContext);
595     Value = MCBinaryExpr::CreateSub(Value, JTI, OutContext);
596     break;
597   }
598   }
599   
600   assert(Value && "Unknown entry kind!");
601  
602   unsigned EntrySize = MJTI->getEntrySize(*TM.getTargetData());
603   OutStreamer.EmitValue(Value, EntrySize, /*addrspace*/0);
604 }
605
606
607 /// EmitSpecialLLVMGlobal - Check to see if the specified global is a
608 /// special global used by LLVM.  If so, emit it and return true, otherwise
609 /// do nothing and return false.
610 bool AsmPrinter::EmitSpecialLLVMGlobal(const GlobalVariable *GV) {
611   if (GV->getName() == "llvm.used") {
612     if (MAI->hasNoDeadStrip())    // No need to emit this at all.
613       EmitLLVMUsedList(GV->getInitializer());
614     return true;
615   }
616
617   // Ignore debug and non-emitted data.  This handles llvm.compiler.used.
618   if (GV->getSection() == "llvm.metadata" ||
619       GV->hasAvailableExternallyLinkage())
620     return true;
621   
622   if (!GV->hasAppendingLinkage()) return false;
623
624   assert(GV->hasInitializer() && "Not a special LLVM global!");
625   
626   const TargetData *TD = TM.getTargetData();
627   unsigned Align = Log2_32(TD->getPointerPrefAlignment());
628   if (GV->getName() == "llvm.global_ctors") {
629     OutStreamer.SwitchSection(getObjFileLowering().getStaticCtorSection());
630     EmitAlignment(Align, 0);
631     EmitXXStructorList(GV->getInitializer());
632     
633     if (TM.getRelocationModel() == Reloc::Static &&
634         MAI->hasStaticCtorDtorReferenceInStaticMode()) {
635       StringRef Sym(".constructors_used");
636       OutStreamer.EmitSymbolAttribute(OutContext.GetOrCreateSymbol(Sym),
637                                       MCSA_Reference);
638     }
639     return true;
640   } 
641   
642   if (GV->getName() == "llvm.global_dtors") {
643     OutStreamer.SwitchSection(getObjFileLowering().getStaticDtorSection());
644     EmitAlignment(Align, 0);
645     EmitXXStructorList(GV->getInitializer());
646
647     if (TM.getRelocationModel() == Reloc::Static &&
648         MAI->hasStaticCtorDtorReferenceInStaticMode()) {
649       StringRef Sym(".destructors_used");
650       OutStreamer.EmitSymbolAttribute(OutContext.GetOrCreateSymbol(Sym),
651                                       MCSA_Reference);
652     }
653     return true;
654   }
655   
656   return false;
657 }
658
659 /// EmitLLVMUsedList - For targets that define a MAI::UsedDirective, mark each
660 /// global in the specified llvm.used list for which emitUsedDirectiveFor
661 /// is true, as being used with this directive.
662 void AsmPrinter::EmitLLVMUsedList(Constant *List) {
663   // Should be an array of 'i8*'.
664   ConstantArray *InitList = dyn_cast<ConstantArray>(List);
665   if (InitList == 0) return;
666   
667   for (unsigned i = 0, e = InitList->getNumOperands(); i != e; ++i) {
668     const GlobalValue *GV =
669       dyn_cast<GlobalValue>(InitList->getOperand(i)->stripPointerCasts());
670     if (GV && getObjFileLowering().shouldEmitUsedDirectiveFor(GV, Mang))
671       OutStreamer.EmitSymbolAttribute(GetGlobalValueSymbol(GV),
672                                       MCSA_NoDeadStrip);
673   }
674 }
675
676 /// EmitXXStructorList - Emit the ctor or dtor list.  This just prints out the 
677 /// function pointers, ignoring the init priority.
678 void AsmPrinter::EmitXXStructorList(Constant *List) {
679   // Should be an array of '{ int, void ()* }' structs.  The first value is the
680   // init priority, which we ignore.
681   if (!isa<ConstantArray>(List)) return;
682   ConstantArray *InitList = cast<ConstantArray>(List);
683   for (unsigned i = 0, e = InitList->getNumOperands(); i != e; ++i)
684     if (ConstantStruct *CS = dyn_cast<ConstantStruct>(InitList->getOperand(i))){
685       if (CS->getNumOperands() != 2) return;  // Not array of 2-element structs.
686
687       if (CS->getOperand(1)->isNullValue())
688         return;  // Found a null terminator, exit printing.
689       // Emit the function pointer.
690       EmitGlobalConstant(CS->getOperand(1));
691     }
692 }
693
694 //===--------------------------------------------------------------------===//
695 // Emission and print routines
696 //
697
698 /// EmitInt8 - Emit a byte directive and value.
699 ///
700 void AsmPrinter::EmitInt8(int Value) const {
701   OutStreamer.EmitIntValue(Value, 1, 0/*addrspace*/);
702 }
703
704 /// EmitInt16 - Emit a short directive and value.
705 ///
706 void AsmPrinter::EmitInt16(int Value) const {
707   OutStreamer.EmitIntValue(Value, 2, 0/*addrspace*/);
708 }
709
710 /// EmitInt32 - Emit a long directive and value.
711 ///
712 void AsmPrinter::EmitInt32(int Value) const {
713   OutStreamer.EmitIntValue(Value, 4, 0/*addrspace*/);
714 }
715
716 /// EmitInt64 - Emit a long long directive and value.
717 ///
718 void AsmPrinter::EmitInt64(uint64_t Value) const {
719   OutStreamer.EmitIntValue(Value, 8, 0/*addrspace*/);
720 }
721
722 //===----------------------------------------------------------------------===//
723
724 // EmitAlignment - Emit an alignment directive to the specified power of
725 // two boundary.  For example, if you pass in 3 here, you will get an 8
726 // byte alignment.  If a global value is specified, and if that global has
727 // an explicit alignment requested, it will unconditionally override the
728 // alignment request.  However, if ForcedAlignBits is specified, this value
729 // has final say: the ultimate alignment will be the max of ForcedAlignBits
730 // and the alignment computed with NumBits and the global.
731 //
732 // The algorithm is:
733 //     Align = NumBits;
734 //     if (GV && GV->hasalignment) Align = GV->getalignment();
735 //     Align = std::max(Align, ForcedAlignBits);
736 //
737 void AsmPrinter::EmitAlignment(unsigned NumBits, const GlobalValue *GV,
738                                unsigned ForcedAlignBits,
739                                bool UseFillExpr) const {
740   if (GV && GV->getAlignment())
741     NumBits = Log2_32(GV->getAlignment());
742   NumBits = std::max(NumBits, ForcedAlignBits);
743   
744   if (NumBits == 0) return;   // No need to emit alignment.
745   
746   unsigned FillValue = 0;
747   if (getCurrentSection()->getKind().isText())
748     FillValue = MAI->getTextAlignFillValue();
749   
750   OutStreamer.EmitValueToAlignment(1 << NumBits, FillValue, 1, 0);
751 }
752
753 /// LowerConstant - Lower the specified LLVM Constant to an MCExpr.
754 ///
755 static const MCExpr *LowerConstant(const Constant *CV, AsmPrinter &AP) {
756   MCContext &Ctx = AP.OutContext;
757   
758   if (CV->isNullValue() || isa<UndefValue>(CV))
759     return MCConstantExpr::Create(0, Ctx);
760
761   if (const ConstantInt *CI = dyn_cast<ConstantInt>(CV))
762     return MCConstantExpr::Create(CI->getZExtValue(), Ctx);
763   
764   if (const GlobalValue *GV = dyn_cast<GlobalValue>(CV))
765     return MCSymbolRefExpr::Create(AP.GetGlobalValueSymbol(GV), Ctx);
766   if (const BlockAddress *BA = dyn_cast<BlockAddress>(CV))
767     return MCSymbolRefExpr::Create(AP.GetBlockAddressSymbol(BA), Ctx);
768   
769   const ConstantExpr *CE = dyn_cast<ConstantExpr>(CV);
770   if (CE == 0) {
771     llvm_unreachable("Unknown constant value to lower!");
772     return MCConstantExpr::Create(0, Ctx);
773   }
774   
775   switch (CE->getOpcode()) {
776   case Instruction::ZExt:
777   case Instruction::SExt:
778   case Instruction::FPTrunc:
779   case Instruction::FPExt:
780   case Instruction::UIToFP:
781   case Instruction::SIToFP:
782   case Instruction::FPToUI:
783   case Instruction::FPToSI:
784   default: llvm_unreachable("FIXME: Don't support this constant cast expr");
785   case Instruction::GetElementPtr: {
786     const TargetData &TD = *AP.TM.getTargetData();
787     // Generate a symbolic expression for the byte address
788     const Constant *PtrVal = CE->getOperand(0);
789     SmallVector<Value*, 8> IdxVec(CE->op_begin()+1, CE->op_end());
790     int64_t Offset = TD.getIndexedOffset(PtrVal->getType(), &IdxVec[0],
791                                          IdxVec.size());
792     
793     const MCExpr *Base = LowerConstant(CE->getOperand(0), AP);
794     if (Offset == 0)
795       return Base;
796     
797     // Truncate/sext the offset to the pointer size.
798     if (TD.getPointerSizeInBits() != 64) {
799       int SExtAmount = 64-TD.getPointerSizeInBits();
800       Offset = (Offset << SExtAmount) >> SExtAmount;
801     }
802     
803     return MCBinaryExpr::CreateAdd(Base, MCConstantExpr::Create(Offset, Ctx),
804                                    Ctx);
805   }
806       
807   case Instruction::Trunc:
808     // We emit the value and depend on the assembler to truncate the generated
809     // expression properly.  This is important for differences between
810     // blockaddress labels.  Since the two labels are in the same function, it
811     // is reasonable to treat their delta as a 32-bit value.
812     // FALL THROUGH.
813   case Instruction::BitCast:
814     return LowerConstant(CE->getOperand(0), AP);
815
816   case Instruction::IntToPtr: {
817     const TargetData &TD = *AP.TM.getTargetData();
818     // Handle casts to pointers by changing them into casts to the appropriate
819     // integer type.  This promotes constant folding and simplifies this code.
820     Constant *Op = CE->getOperand(0);
821     Op = ConstantExpr::getIntegerCast(Op, TD.getIntPtrType(CV->getContext()),
822                                       false/*ZExt*/);
823     return LowerConstant(Op, AP);
824   }
825     
826   case Instruction::PtrToInt: {
827     const TargetData &TD = *AP.TM.getTargetData();
828     // Support only foldable casts to/from pointers that can be eliminated by
829     // changing the pointer to the appropriately sized integer type.
830     Constant *Op = CE->getOperand(0);
831     const Type *Ty = CE->getType();
832
833     const MCExpr *OpExpr = LowerConstant(Op, AP);
834
835     // We can emit the pointer value into this slot if the slot is an
836     // integer slot equal to the size of the pointer.
837     if (TD.getTypeAllocSize(Ty) == TD.getTypeAllocSize(Op->getType()))
838       return OpExpr;
839
840     // Otherwise the pointer is smaller than the resultant integer, mask off
841     // the high bits so we are sure to get a proper truncation if the input is
842     // a constant expr.
843     unsigned InBits = TD.getTypeAllocSizeInBits(Op->getType());
844     const MCExpr *MaskExpr = MCConstantExpr::Create(~0ULL >> (64-InBits), Ctx);
845     return MCBinaryExpr::CreateAnd(OpExpr, MaskExpr, Ctx);
846   }
847       
848   case Instruction::Add:
849   case Instruction::Sub:
850   case Instruction::And:
851   case Instruction::Or:
852   case Instruction::Xor: {
853     const MCExpr *LHS = LowerConstant(CE->getOperand(0), AP);
854     const MCExpr *RHS = LowerConstant(CE->getOperand(1), AP);
855     switch (CE->getOpcode()) {
856     default: llvm_unreachable("Unknown binary operator constant cast expr");
857     case Instruction::Add: return MCBinaryExpr::CreateAdd(LHS, RHS, Ctx);
858     case Instruction::Sub: return MCBinaryExpr::CreateSub(LHS, RHS, Ctx);
859     case Instruction::And: return MCBinaryExpr::CreateAnd(LHS, RHS, Ctx);
860     case Instruction::Or:  return MCBinaryExpr::CreateOr (LHS, RHS, Ctx);
861     case Instruction::Xor: return MCBinaryExpr::CreateXor(LHS, RHS, Ctx);
862     }
863   }
864   }
865 }
866
867 static void EmitGlobalConstantArray(const ConstantArray *CA, unsigned AddrSpace,
868                                     AsmPrinter &AP) {
869   if (AddrSpace != 0 || !CA->isString()) {
870     // Not a string.  Print the values in successive locations
871     for (unsigned i = 0, e = CA->getNumOperands(); i != e; ++i)
872       AP.EmitGlobalConstant(CA->getOperand(i), AddrSpace);
873     return;
874   }
875   
876   // Otherwise, it can be emitted as .ascii.
877   SmallVector<char, 128> TmpVec;
878   TmpVec.reserve(CA->getNumOperands());
879   for (unsigned i = 0, e = CA->getNumOperands(); i != e; ++i)
880     TmpVec.push_back(cast<ConstantInt>(CA->getOperand(i))->getZExtValue());
881
882   AP.OutStreamer.EmitBytes(StringRef(TmpVec.data(), TmpVec.size()), AddrSpace);
883 }
884
885 static void EmitGlobalConstantVector(const ConstantVector *CV,
886                                      unsigned AddrSpace, AsmPrinter &AP) {
887   for (unsigned i = 0, e = CV->getType()->getNumElements(); i != e; ++i)
888     AP.EmitGlobalConstant(CV->getOperand(i), AddrSpace);
889 }
890
891 static void EmitGlobalConstantStruct(const ConstantStruct *CS,
892                                      unsigned AddrSpace, AsmPrinter &AP) {
893   // Print the fields in successive locations. Pad to align if needed!
894   const TargetData *TD = AP.TM.getTargetData();
895   unsigned Size = TD->getTypeAllocSize(CS->getType());
896   const StructLayout *Layout = TD->getStructLayout(CS->getType());
897   uint64_t SizeSoFar = 0;
898   for (unsigned i = 0, e = CS->getNumOperands(); i != e; ++i) {
899     const Constant *Field = CS->getOperand(i);
900
901     // Check if padding is needed and insert one or more 0s.
902     uint64_t FieldSize = TD->getTypeAllocSize(Field->getType());
903     uint64_t PadSize = ((i == e-1 ? Size : Layout->getElementOffset(i+1))
904                         - Layout->getElementOffset(i)) - FieldSize;
905     SizeSoFar += FieldSize + PadSize;
906
907     // Now print the actual field value.
908     AP.EmitGlobalConstant(Field, AddrSpace);
909
910     // Insert padding - this may include padding to increase the size of the
911     // current field up to the ABI size (if the struct is not packed) as well
912     // as padding to ensure that the next field starts at the right offset.
913     AP.OutStreamer.EmitZeros(PadSize, AddrSpace);
914   }
915   assert(SizeSoFar == Layout->getSizeInBytes() &&
916          "Layout of constant struct may be incorrect!");
917 }
918
919 static void EmitGlobalConstantFP(const ConstantFP *CFP, unsigned AddrSpace,
920                                  AsmPrinter &AP) {
921   // FP Constants are printed as integer constants to avoid losing
922   // precision.
923   if (CFP->getType()->isDoubleTy()) {
924     if (AP.VerboseAsm) {
925       double Val = CFP->getValueAPF().convertToDouble();
926       AP.OutStreamer.GetCommentOS() << "double " << Val << '\n';
927     }
928
929     uint64_t Val = CFP->getValueAPF().bitcastToAPInt().getZExtValue();
930     AP.OutStreamer.EmitIntValue(Val, 8, AddrSpace);
931     return;
932   }
933   
934   if (CFP->getType()->isFloatTy()) {
935     if (AP.VerboseAsm) {
936       float Val = CFP->getValueAPF().convertToFloat();
937       AP.OutStreamer.GetCommentOS() << "float " << Val << '\n';
938     }
939     uint64_t Val = CFP->getValueAPF().bitcastToAPInt().getZExtValue();
940     AP.OutStreamer.EmitIntValue(Val, 4, AddrSpace);
941     return;
942   }
943   
944   if (CFP->getType()->isX86_FP80Ty()) {
945     // all long double variants are printed as hex
946     // api needed to prevent premature destruction
947     APInt API = CFP->getValueAPF().bitcastToAPInt();
948     const uint64_t *p = API.getRawData();
949     if (AP.VerboseAsm) {
950       // Convert to double so we can print the approximate val as a comment.
951       APFloat DoubleVal = CFP->getValueAPF();
952       bool ignored;
953       DoubleVal.convert(APFloat::IEEEdouble, APFloat::rmNearestTiesToEven,
954                         &ignored);
955       AP.OutStreamer.GetCommentOS() << "x86_fp80 ~= "
956         << DoubleVal.convertToDouble() << '\n';
957     }
958     
959     if (AP.TM.getTargetData()->isBigEndian()) {
960       AP.OutStreamer.EmitIntValue(p[1], 2, AddrSpace);
961       AP.OutStreamer.EmitIntValue(p[0], 8, AddrSpace);
962     } else {
963       AP.OutStreamer.EmitIntValue(p[0], 8, AddrSpace);
964       AP.OutStreamer.EmitIntValue(p[1], 2, AddrSpace);
965     }
966     
967     // Emit the tail padding for the long double.
968     const TargetData &TD = *AP.TM.getTargetData();
969     AP.OutStreamer.EmitZeros(TD.getTypeAllocSize(CFP->getType()) -
970                              TD.getTypeStoreSize(CFP->getType()), AddrSpace);
971     return;
972   }
973   
974   assert(CFP->getType()->isPPC_FP128Ty() &&
975          "Floating point constant type not handled");
976   // All long double variants are printed as hex api needed to prevent
977   // premature destruction.
978   APInt API = CFP->getValueAPF().bitcastToAPInt();
979   const uint64_t *p = API.getRawData();
980   if (AP.TM.getTargetData()->isBigEndian()) {
981     AP.OutStreamer.EmitIntValue(p[0], 8, AddrSpace);
982     AP.OutStreamer.EmitIntValue(p[1], 8, AddrSpace);
983   } else {
984     AP.OutStreamer.EmitIntValue(p[1], 8, AddrSpace);
985     AP.OutStreamer.EmitIntValue(p[0], 8, AddrSpace);
986   }
987 }
988
989 static void EmitGlobalConstantLargeInt(const ConstantInt *CI,
990                                        unsigned AddrSpace, AsmPrinter &AP) {
991   const TargetData *TD = AP.TM.getTargetData();
992   unsigned BitWidth = CI->getBitWidth();
993   assert((BitWidth & 63) == 0 && "only support multiples of 64-bits");
994
995   // We don't expect assemblers to support integer data directives
996   // for more than 64 bits, so we emit the data in at most 64-bit
997   // quantities at a time.
998   const uint64_t *RawData = CI->getValue().getRawData();
999   for (unsigned i = 0, e = BitWidth / 64; i != e; ++i) {
1000     uint64_t Val = TD->isBigEndian() ? RawData[e - i - 1] : RawData[i];
1001     AP.OutStreamer.EmitIntValue(Val, 8, AddrSpace);
1002   }
1003 }
1004
1005 /// EmitGlobalConstant - Print a general LLVM constant to the .s file.
1006 void AsmPrinter::EmitGlobalConstant(const Constant *CV, unsigned AddrSpace) {
1007   if (isa<ConstantAggregateZero>(CV) || isa<UndefValue>(CV)) {
1008     uint64_t Size = TM.getTargetData()->getTypeAllocSize(CV->getType());
1009     return OutStreamer.EmitZeros(Size, AddrSpace);
1010   }
1011
1012   if (const ConstantInt *CI = dyn_cast<ConstantInt>(CV)) {
1013     unsigned Size = TM.getTargetData()->getTypeAllocSize(CV->getType());
1014     switch (Size) {
1015     case 1:
1016     case 2:
1017     case 4:
1018     case 8:
1019       if (VerboseAsm)
1020         OutStreamer.GetCommentOS() << format("0x%llx\n", CI->getZExtValue());
1021       OutStreamer.EmitIntValue(CI->getZExtValue(), Size, AddrSpace);
1022       return;
1023     default:
1024       EmitGlobalConstantLargeInt(CI, AddrSpace, *this);
1025       return;
1026     }
1027   }
1028   
1029   if (const ConstantArray *CVA = dyn_cast<ConstantArray>(CV))
1030     return EmitGlobalConstantArray(CVA, AddrSpace, *this);
1031   
1032   if (const ConstantStruct *CVS = dyn_cast<ConstantStruct>(CV))
1033     return EmitGlobalConstantStruct(CVS, AddrSpace, *this);
1034
1035   if (const ConstantFP *CFP = dyn_cast<ConstantFP>(CV))
1036     return EmitGlobalConstantFP(CFP, AddrSpace, *this);
1037   
1038   if (const ConstantVector *V = dyn_cast<ConstantVector>(CV))
1039     return EmitGlobalConstantVector(V, AddrSpace, *this);
1040
1041   if (isa<ConstantPointerNull>(CV)) {
1042     unsigned Size = TM.getTargetData()->getTypeAllocSize(CV->getType());
1043     OutStreamer.EmitIntValue(0, Size, AddrSpace);
1044     return;
1045   }
1046   
1047   // Otherwise, it must be a ConstantExpr.  Lower it to an MCExpr, then emit it
1048   // thread the streamer with EmitValue.
1049   OutStreamer.EmitValue(LowerConstant(CV, *this),
1050                         TM.getTargetData()->getTypeAllocSize(CV->getType()),
1051                         AddrSpace);
1052 }
1053
1054 void AsmPrinter::EmitMachineConstantPoolValue(MachineConstantPoolValue *MCPV) {
1055   // Target doesn't support this yet!
1056   llvm_unreachable("Target does not support EmitMachineConstantPoolValue");
1057 }
1058
1059 /// PrintSpecial - Print information related to the specified machine instr
1060 /// that is independent of the operand, and may be independent of the instr
1061 /// itself.  This can be useful for portably encoding the comment character
1062 /// or other bits of target-specific knowledge into the asmstrings.  The
1063 /// syntax used is ${:comment}.  Targets can override this to add support
1064 /// for their own strange codes.
1065 void AsmPrinter::PrintSpecial(const MachineInstr *MI, const char *Code) const {
1066   if (!strcmp(Code, "private")) {
1067     O << MAI->getPrivateGlobalPrefix();
1068   } else if (!strcmp(Code, "comment")) {
1069     if (VerboseAsm)
1070       O << MAI->getCommentString();
1071   } else if (!strcmp(Code, "uid")) {
1072     // Comparing the address of MI isn't sufficient, because machineinstrs may
1073     // be allocated to the same address across functions.
1074     const Function *ThisF = MI->getParent()->getParent()->getFunction();
1075     
1076     // If this is a new LastFn instruction, bump the counter.
1077     if (LastMI != MI || LastFn != ThisF) {
1078       ++Counter;
1079       LastMI = MI;
1080       LastFn = ThisF;
1081     }
1082     O << Counter;
1083   } else {
1084     std::string msg;
1085     raw_string_ostream Msg(msg);
1086     Msg << "Unknown special formatter '" << Code
1087          << "' for machine instr: " << *MI;
1088     llvm_report_error(Msg.str());
1089   }    
1090 }
1091
1092 /// processDebugLoc - Processes the debug information of each machine
1093 /// instruction's DebugLoc.
1094 void AsmPrinter::processDebugLoc(const MachineInstr *MI, 
1095                                  bool BeforePrintingInsn) {
1096   if (!MAI || !DW || !MAI->doesSupportDebugInformation()
1097       || !DW->ShouldEmitDwarfDebug())
1098     return;
1099   DebugLoc DL = MI->getDebugLoc();
1100   if (DL.isUnknown())
1101     return;
1102   DILocation CurDLT = MF->getDILocation(DL);
1103   if (CurDLT.getScope().isNull())
1104     return;
1105
1106   if (!BeforePrintingInsn) {
1107     // After printing instruction
1108     DW->EndScope(MI);
1109   } else if (CurDLT.getNode() != PrevDLT) {
1110     unsigned L = DW->RecordSourceLine(CurDLT.getLineNumber(), 
1111                                       CurDLT.getColumnNumber(),
1112                                       CurDLT.getScope().getNode());
1113     printLabel(L);
1114     O << '\n';
1115     DW->BeginScope(MI, L);
1116     PrevDLT = CurDLT.getNode();
1117   }
1118 }
1119
1120
1121 /// printInlineAsm - This method formats and prints the specified machine
1122 /// instruction that is an inline asm.
1123 void AsmPrinter::printInlineAsm(const MachineInstr *MI) const {
1124   unsigned NumOperands = MI->getNumOperands();
1125   
1126   // Count the number of register definitions.
1127   unsigned NumDefs = 0;
1128   for (; MI->getOperand(NumDefs).isReg() && MI->getOperand(NumDefs).isDef();
1129        ++NumDefs)
1130     assert(NumDefs != NumOperands-1 && "No asm string?");
1131   
1132   assert(MI->getOperand(NumDefs).isSymbol() && "No asm string?");
1133
1134   // Disassemble the AsmStr, printing out the literal pieces, the operands, etc.
1135   const char *AsmStr = MI->getOperand(NumDefs).getSymbolName();
1136
1137   O << '\t';
1138
1139   // If this asmstr is empty, just print the #APP/#NOAPP markers.
1140   // These are useful to see where empty asm's wound up.
1141   if (AsmStr[0] == 0) {
1142     O << MAI->getCommentString() << MAI->getInlineAsmStart() << "\n\t";
1143     O << MAI->getCommentString() << MAI->getInlineAsmEnd() << '\n';
1144     return;
1145   }
1146   
1147   O << MAI->getCommentString() << MAI->getInlineAsmStart() << "\n\t";
1148
1149   // The variant of the current asmprinter.
1150   int AsmPrinterVariant = MAI->getAssemblerDialect();
1151
1152   int CurVariant = -1;            // The number of the {.|.|.} region we are in.
1153   const char *LastEmitted = AsmStr; // One past the last character emitted.
1154   
1155   while (*LastEmitted) {
1156     switch (*LastEmitted) {
1157     default: {
1158       // Not a special case, emit the string section literally.
1159       const char *LiteralEnd = LastEmitted+1;
1160       while (*LiteralEnd && *LiteralEnd != '{' && *LiteralEnd != '|' &&
1161              *LiteralEnd != '}' && *LiteralEnd != '$' && *LiteralEnd != '\n')
1162         ++LiteralEnd;
1163       if (CurVariant == -1 || CurVariant == AsmPrinterVariant)
1164         O.write(LastEmitted, LiteralEnd-LastEmitted);
1165       LastEmitted = LiteralEnd;
1166       break;
1167     }
1168     case '\n':
1169       ++LastEmitted;   // Consume newline character.
1170       O << '\n';       // Indent code with newline.
1171       break;
1172     case '$': {
1173       ++LastEmitted;   // Consume '$' character.
1174       bool Done = true;
1175
1176       // Handle escapes.
1177       switch (*LastEmitted) {
1178       default: Done = false; break;
1179       case '$':     // $$ -> $
1180         if (CurVariant == -1 || CurVariant == AsmPrinterVariant)
1181           O << '$';
1182         ++LastEmitted;  // Consume second '$' character.
1183         break;
1184       case '(':             // $( -> same as GCC's { character.
1185         ++LastEmitted;      // Consume '(' character.
1186         if (CurVariant != -1) {
1187           llvm_report_error("Nested variants found in inline asm string: '"
1188                             + std::string(AsmStr) + "'");
1189         }
1190         CurVariant = 0;     // We're in the first variant now.
1191         break;
1192       case '|':
1193         ++LastEmitted;  // consume '|' character.
1194         if (CurVariant == -1)
1195           O << '|';       // this is gcc's behavior for | outside a variant
1196         else
1197           ++CurVariant;   // We're in the next variant.
1198         break;
1199       case ')':         // $) -> same as GCC's } char.
1200         ++LastEmitted;  // consume ')' character.
1201         if (CurVariant == -1)
1202           O << '}';     // this is gcc's behavior for } outside a variant
1203         else 
1204           CurVariant = -1;
1205         break;
1206       }
1207       if (Done) break;
1208       
1209       bool HasCurlyBraces = false;
1210       if (*LastEmitted == '{') {     // ${variable}
1211         ++LastEmitted;               // Consume '{' character.
1212         HasCurlyBraces = true;
1213       }
1214       
1215       // If we have ${:foo}, then this is not a real operand reference, it is a
1216       // "magic" string reference, just like in .td files.  Arrange to call
1217       // PrintSpecial.
1218       if (HasCurlyBraces && *LastEmitted == ':') {
1219         ++LastEmitted;
1220         const char *StrStart = LastEmitted;
1221         const char *StrEnd = strchr(StrStart, '}');
1222         if (StrEnd == 0) {
1223           llvm_report_error("Unterminated ${:foo} operand in inline asm string: '" 
1224                             + std::string(AsmStr) + "'");
1225         }
1226         
1227         std::string Val(StrStart, StrEnd);
1228         PrintSpecial(MI, Val.c_str());
1229         LastEmitted = StrEnd+1;
1230         break;
1231       }
1232             
1233       const char *IDStart = LastEmitted;
1234       char *IDEnd;
1235       errno = 0;
1236       long Val = strtol(IDStart, &IDEnd, 10); // We only accept numbers for IDs.
1237       if (!isdigit(*IDStart) || (Val == 0 && errno == EINVAL)) {
1238         llvm_report_error("Bad $ operand number in inline asm string: '" 
1239                           + std::string(AsmStr) + "'");
1240       }
1241       LastEmitted = IDEnd;
1242       
1243       char Modifier[2] = { 0, 0 };
1244       
1245       if (HasCurlyBraces) {
1246         // If we have curly braces, check for a modifier character.  This
1247         // supports syntax like ${0:u}, which correspond to "%u0" in GCC asm.
1248         if (*LastEmitted == ':') {
1249           ++LastEmitted;    // Consume ':' character.
1250           if (*LastEmitted == 0) {
1251             llvm_report_error("Bad ${:} expression in inline asm string: '" 
1252                               + std::string(AsmStr) + "'");
1253           }
1254           
1255           Modifier[0] = *LastEmitted;
1256           ++LastEmitted;    // Consume modifier character.
1257         }
1258         
1259         if (*LastEmitted != '}') {
1260           llvm_report_error("Bad ${} expression in inline asm string: '" 
1261                             + std::string(AsmStr) + "'");
1262         }
1263         ++LastEmitted;    // Consume '}' character.
1264       }
1265       
1266       if ((unsigned)Val >= NumOperands-1) {
1267         llvm_report_error("Invalid $ operand number in inline asm string: '" 
1268                           + std::string(AsmStr) + "'");
1269       }
1270       
1271       // Okay, we finally have a value number.  Ask the target to print this
1272       // operand!
1273       if (CurVariant == -1 || CurVariant == AsmPrinterVariant) {
1274         unsigned OpNo = 1;
1275
1276         bool Error = false;
1277
1278         // Scan to find the machine operand number for the operand.
1279         for (; Val; --Val) {
1280           if (OpNo >= MI->getNumOperands()) break;
1281           unsigned OpFlags = MI->getOperand(OpNo).getImm();
1282           OpNo += InlineAsm::getNumOperandRegisters(OpFlags) + 1;
1283         }
1284
1285         if (OpNo >= MI->getNumOperands()) {
1286           Error = true;
1287         } else {
1288           unsigned OpFlags = MI->getOperand(OpNo).getImm();
1289           ++OpNo;  // Skip over the ID number.
1290
1291           if (Modifier[0] == 'l')  // labels are target independent
1292             O << *MI->getOperand(OpNo).getMBB()->getSymbol(OutContext);
1293           else {
1294             AsmPrinter *AP = const_cast<AsmPrinter*>(this);
1295             if ((OpFlags & 7) == 4) {
1296               Error = AP->PrintAsmMemoryOperand(MI, OpNo, AsmPrinterVariant,
1297                                                 Modifier[0] ? Modifier : 0);
1298             } else {
1299               Error = AP->PrintAsmOperand(MI, OpNo, AsmPrinterVariant,
1300                                           Modifier[0] ? Modifier : 0);
1301             }
1302           }
1303         }
1304         if (Error) {
1305           std::string msg;
1306           raw_string_ostream Msg(msg);
1307           Msg << "Invalid operand found in inline asm: '" << AsmStr << "'\n";
1308           MI->print(Msg);
1309           llvm_report_error(Msg.str());
1310         }
1311       }
1312       break;
1313     }
1314     }
1315   }
1316   O << "\n\t" << MAI->getCommentString() << MAI->getInlineAsmEnd();
1317 }
1318
1319 /// printImplicitDef - This method prints the specified machine instruction
1320 /// that is an implicit def.
1321 void AsmPrinter::printImplicitDef(const MachineInstr *MI) const {
1322   if (!VerboseAsm) return;
1323   O.PadToColumn(MAI->getCommentColumn());
1324   O << MAI->getCommentString() << " implicit-def: "
1325     << TRI->getName(MI->getOperand(0).getReg());
1326 }
1327
1328 void AsmPrinter::printKill(const MachineInstr *MI) const {
1329   if (!VerboseAsm) return;
1330   O.PadToColumn(MAI->getCommentColumn());
1331   O << MAI->getCommentString() << " kill:";
1332   for (unsigned n = 0, e = MI->getNumOperands(); n != e; ++n) {
1333     const MachineOperand &op = MI->getOperand(n);
1334     assert(op.isReg() && "KILL instruction must have only register operands");
1335     O << ' ' << TRI->getName(op.getReg()) << (op.isDef() ? "<def>" : "<kill>");
1336   }
1337 }
1338
1339 /// printLabel - This method prints a local label used by debug and
1340 /// exception handling tables.
1341 void AsmPrinter::printLabel(const MachineInstr *MI) const {
1342   printLabel(MI->getOperand(0).getImm());
1343 }
1344
1345 void AsmPrinter::printLabel(unsigned Id) const {
1346   O << MAI->getPrivateGlobalPrefix() << "label" << Id << ':';
1347 }
1348
1349 /// PrintAsmOperand - Print the specified operand of MI, an INLINEASM
1350 /// instruction, using the specified assembler variant.  Targets should
1351 /// override this to format as appropriate.
1352 bool AsmPrinter::PrintAsmOperand(const MachineInstr *MI, unsigned OpNo,
1353                                  unsigned AsmVariant, const char *ExtraCode) {
1354   // Target doesn't support this yet!
1355   return true;
1356 }
1357
1358 bool AsmPrinter::PrintAsmMemoryOperand(const MachineInstr *MI, unsigned OpNo,
1359                                        unsigned AsmVariant,
1360                                        const char *ExtraCode) {
1361   // Target doesn't support this yet!
1362   return true;
1363 }
1364
1365 MCSymbol *AsmPrinter::GetBlockAddressSymbol(const BlockAddress *BA,
1366                                             const char *Suffix) const {
1367   return GetBlockAddressSymbol(BA->getFunction(), BA->getBasicBlock(), Suffix);
1368 }
1369
1370 MCSymbol *AsmPrinter::GetBlockAddressSymbol(const Function *F,
1371                                             const BasicBlock *BB,
1372                                             const char *Suffix) const {
1373   assert(BB->hasName() &&
1374          "Address of anonymous basic block not supported yet!");
1375
1376   // This code must use the function name itself, and not the function number,
1377   // since it must be possible to generate the label name from within other
1378   // functions.
1379   SmallString<60> FnName;
1380   Mang->getNameWithPrefix(FnName, F, false);
1381
1382   // FIXME: THIS IS BROKEN IF THE LLVM BASIC BLOCK DOESN'T HAVE A NAME!
1383   SmallString<60> NameResult;
1384   Mang->getNameWithPrefix(NameResult,
1385                           StringRef("BA") + Twine((unsigned)FnName.size()) + 
1386                           "_" + FnName.str() + "_" + BB->getName() + Suffix, 
1387                           Mangler::Private);
1388
1389   return OutContext.GetOrCreateSymbol(NameResult.str());
1390 }
1391
1392 /// GetCPISymbol - Return the symbol for the specified constant pool entry.
1393 MCSymbol *AsmPrinter::GetCPISymbol(unsigned CPID) const {
1394   SmallString<60> Name;
1395   raw_svector_ostream(Name) << MAI->getPrivateGlobalPrefix() << "CPI"
1396     << getFunctionNumber() << '_' << CPID;
1397   return OutContext.GetOrCreateSymbol(Name.str());
1398 }
1399
1400 /// GetJTISymbol - Return the symbol for the specified jump table entry.
1401 MCSymbol *AsmPrinter::GetJTISymbol(unsigned JTID, bool isLinkerPrivate) const {
1402   return MF->getJTISymbol(JTID, OutContext, isLinkerPrivate);
1403 }
1404
1405 /// GetJTSetSymbol - Return the symbol for the specified jump table .set
1406 /// FIXME: privatize to AsmPrinter.
1407 MCSymbol *AsmPrinter::GetJTSetSymbol(unsigned UID, unsigned MBBID) const {
1408   SmallString<60> Name;
1409   raw_svector_ostream(Name) << MAI->getPrivateGlobalPrefix()
1410     << getFunctionNumber() << '_' << UID << "_set_" << MBBID;
1411   return OutContext.GetOrCreateSymbol(Name.str());
1412 }
1413
1414 /// GetGlobalValueSymbol - Return the MCSymbol for the specified global
1415 /// value.
1416 MCSymbol *AsmPrinter::GetGlobalValueSymbol(const GlobalValue *GV) const {
1417   SmallString<60> NameStr;
1418   Mang->getNameWithPrefix(NameStr, GV, false);
1419   return OutContext.GetOrCreateSymbol(NameStr.str());
1420 }
1421
1422 /// GetSymbolWithGlobalValueBase - Return the MCSymbol for a symbol with
1423 /// global value name as its base, with the specified suffix, and where the
1424 /// symbol is forced to have private linkage if ForcePrivate is true.
1425 MCSymbol *AsmPrinter::GetSymbolWithGlobalValueBase(const GlobalValue *GV,
1426                                                    StringRef Suffix,
1427                                                    bool ForcePrivate) const {
1428   SmallString<60> NameStr;
1429   Mang->getNameWithPrefix(NameStr, GV, ForcePrivate);
1430   NameStr.append(Suffix.begin(), Suffix.end());
1431   return OutContext.GetOrCreateSymbol(NameStr.str());
1432 }
1433
1434 /// GetExternalSymbolSymbol - Return the MCSymbol for the specified
1435 /// ExternalSymbol.
1436 MCSymbol *AsmPrinter::GetExternalSymbolSymbol(StringRef Sym) const {
1437   SmallString<60> NameStr;
1438   Mang->getNameWithPrefix(NameStr, Sym);
1439   return OutContext.GetOrCreateSymbol(NameStr.str());
1440 }  
1441
1442
1443
1444 /// PrintParentLoopComment - Print comments about parent loops of this one.
1445 static void PrintParentLoopComment(raw_ostream &OS, const MachineLoop *Loop,
1446                                    unsigned FunctionNumber) {
1447   if (Loop == 0) return;
1448   PrintParentLoopComment(OS, Loop->getParentLoop(), FunctionNumber);
1449   OS.indent(Loop->getLoopDepth()*2)
1450     << "Parent Loop BB" << FunctionNumber << "_"
1451     << Loop->getHeader()->getNumber()
1452     << " Depth=" << Loop->getLoopDepth() << '\n';
1453 }
1454
1455
1456 /// PrintChildLoopComment - Print comments about child loops within
1457 /// the loop for this basic block, with nesting.
1458 static void PrintChildLoopComment(raw_ostream &OS, const MachineLoop *Loop,
1459                                   unsigned FunctionNumber) {
1460   // Add child loop information
1461   for (MachineLoop::iterator CL = Loop->begin(), E = Loop->end();CL != E; ++CL){
1462     OS.indent((*CL)->getLoopDepth()*2)
1463       << "Child Loop BB" << FunctionNumber << "_"
1464       << (*CL)->getHeader()->getNumber() << " Depth " << (*CL)->getLoopDepth()
1465       << '\n';
1466     PrintChildLoopComment(OS, *CL, FunctionNumber);
1467   }
1468 }
1469
1470 /// EmitComments - Pretty-print comments for basic blocks.
1471 static void PrintBasicBlockLoopComments(const MachineBasicBlock &MBB,
1472                                         const MachineLoopInfo *LI,
1473                                         const AsmPrinter &AP) {
1474   // Add loop depth information
1475   const MachineLoop *Loop = LI->getLoopFor(&MBB);
1476   if (Loop == 0) return;
1477   
1478   MachineBasicBlock *Header = Loop->getHeader();
1479   assert(Header && "No header for loop");
1480   
1481   // If this block is not a loop header, just print out what is the loop header
1482   // and return.
1483   if (Header != &MBB) {
1484     AP.OutStreamer.AddComment("  in Loop: Header=BB" +
1485                               Twine(AP.getFunctionNumber())+"_" +
1486                               Twine(Loop->getHeader()->getNumber())+
1487                               " Depth="+Twine(Loop->getLoopDepth()));
1488     return;
1489   }
1490   
1491   // Otherwise, it is a loop header.  Print out information about child and
1492   // parent loops.
1493   raw_ostream &OS = AP.OutStreamer.GetCommentOS();
1494   
1495   PrintParentLoopComment(OS, Loop->getParentLoop(), AP.getFunctionNumber()); 
1496   
1497   OS << "=>";
1498   OS.indent(Loop->getLoopDepth()*2-2);
1499   
1500   OS << "This ";
1501   if (Loop->empty())
1502     OS << "Inner ";
1503   OS << "Loop Header: Depth=" + Twine(Loop->getLoopDepth()) << '\n';
1504   
1505   PrintChildLoopComment(OS, Loop, AP.getFunctionNumber());
1506 }
1507
1508
1509 /// EmitBasicBlockStart - This method prints the label for the specified
1510 /// MachineBasicBlock, an alignment (if present) and a comment describing
1511 /// it if appropriate.
1512 void AsmPrinter::EmitBasicBlockStart(const MachineBasicBlock *MBB) const {
1513   // Emit an alignment directive for this block, if needed.
1514   if (unsigned Align = MBB->getAlignment())
1515     EmitAlignment(Log2_32(Align));
1516
1517   // If the block has its address taken, emit a special label to satisfy
1518   // references to the block. This is done so that we don't need to
1519   // remember the number of this label, and so that we can make
1520   // forward references to labels without knowing what their numbers
1521   // will be.
1522   if (MBB->hasAddressTaken()) {
1523     const BasicBlock *BB = MBB->getBasicBlock();
1524     if (VerboseAsm)
1525       OutStreamer.AddComment("Address Taken");
1526     OutStreamer.EmitLabel(GetBlockAddressSymbol(BB->getParent(), BB));
1527   }
1528
1529   // Print the main label for the block.
1530   if (MBB->pred_empty() || MBB->isOnlyReachableByFallthrough()) {
1531     if (VerboseAsm) {
1532       // NOTE: Want this comment at start of line.
1533       O << MAI->getCommentString() << " BB#" << MBB->getNumber() << ':';
1534       if (const BasicBlock *BB = MBB->getBasicBlock())
1535         if (BB->hasName())
1536           OutStreamer.AddComment("%" + BB->getName());
1537       
1538       PrintBasicBlockLoopComments(*MBB, LI, *this);
1539       OutStreamer.AddBlankLine();
1540     }
1541   } else {
1542     if (VerboseAsm) {
1543       if (const BasicBlock *BB = MBB->getBasicBlock())
1544         if (BB->hasName())
1545           OutStreamer.AddComment("%" + BB->getName());
1546       PrintBasicBlockLoopComments(*MBB, LI, *this);
1547     }
1548
1549     OutStreamer.EmitLabel(MBB->getSymbol(OutContext));
1550   }
1551 }
1552
1553 void AsmPrinter::printVisibility(MCSymbol *Sym, unsigned Visibility) const {
1554   MCSymbolAttr Attr = MCSA_Invalid;
1555   
1556   switch (Visibility) {
1557   default: break;
1558   case GlobalValue::HiddenVisibility:
1559     Attr = MAI->getHiddenVisibilityAttr();
1560     break;
1561   case GlobalValue::ProtectedVisibility:
1562     Attr = MAI->getProtectedVisibilityAttr();
1563     break;
1564   }
1565
1566   if (Attr != MCSA_Invalid)
1567     OutStreamer.EmitSymbolAttribute(Sym, Attr);
1568 }
1569
1570 void AsmPrinter::printOffset(int64_t Offset) const {
1571   if (Offset > 0)
1572     O << '+' << Offset;
1573   else if (Offset < 0)
1574     O << Offset;
1575 }
1576
1577 GCMetadataPrinter *AsmPrinter::GetOrCreateGCPrinter(GCStrategy *S) {
1578   if (!S->usesMetadata())
1579     return 0;
1580   
1581   gcp_iterator GCPI = GCMetadataPrinters.find(S);
1582   if (GCPI != GCMetadataPrinters.end())
1583     return GCPI->second;
1584   
1585   const char *Name = S->getName().c_str();
1586   
1587   for (GCMetadataPrinterRegistry::iterator
1588          I = GCMetadataPrinterRegistry::begin(),
1589          E = GCMetadataPrinterRegistry::end(); I != E; ++I)
1590     if (strcmp(Name, I->getName()) == 0) {
1591       GCMetadataPrinter *GMP = I->instantiate();
1592       GMP->S = S;
1593       GCMetadataPrinters.insert(std::make_pair(S, GMP));
1594       return GMP;
1595     }
1596   
1597   llvm_report_error("no GCMetadataPrinter registered for GC: " + Twine(Name));
1598   return 0;
1599 }
1600
1601 /// EmitComments - Pretty-print comments for instructions
1602 void AsmPrinter::EmitComments(const MachineInstr &MI) const {
1603   if (!VerboseAsm)
1604     return;
1605
1606   bool Newline = false;
1607
1608   if (!MI.getDebugLoc().isUnknown()) {
1609     DILocation DLT = MF->getDILocation(MI.getDebugLoc());
1610
1611     // Print source line info.
1612     O.PadToColumn(MAI->getCommentColumn());
1613     O << MAI->getCommentString() << ' ';
1614     DIScope Scope = DLT.getScope();
1615     // Omit the directory, because it's likely to be long and uninteresting.
1616     if (!Scope.isNull())
1617       O << Scope.getFilename();
1618     else
1619       O << "<unknown>";
1620     O << ':' << DLT.getLineNumber();
1621     if (DLT.getColumnNumber() != 0)
1622       O << ':' << DLT.getColumnNumber();
1623     Newline = true;
1624   }
1625
1626   // Check for spills and reloads
1627   int FI;
1628
1629   const MachineFrameInfo *FrameInfo =
1630     MI.getParent()->getParent()->getFrameInfo();
1631
1632   // We assume a single instruction only has a spill or reload, not
1633   // both.
1634   const MachineMemOperand *MMO;
1635   if (TM.getInstrInfo()->isLoadFromStackSlotPostFE(&MI, FI)) {
1636     if (FrameInfo->isSpillSlotObjectIndex(FI)) {
1637       MMO = *MI.memoperands_begin();
1638       if (Newline) O << '\n';
1639       O.PadToColumn(MAI->getCommentColumn());
1640       O << MAI->getCommentString() << ' ' << MMO->getSize() << "-byte Reload";
1641       Newline = true;
1642     }
1643   }
1644   else if (TM.getInstrInfo()->hasLoadFromStackSlot(&MI, MMO, FI)) {
1645     if (FrameInfo->isSpillSlotObjectIndex(FI)) {
1646       if (Newline) O << '\n';
1647       O.PadToColumn(MAI->getCommentColumn());
1648       O << MAI->getCommentString() << ' '
1649         << MMO->getSize() << "-byte Folded Reload";
1650       Newline = true;
1651     }
1652   }
1653   else if (TM.getInstrInfo()->isStoreToStackSlotPostFE(&MI, FI)) {
1654     if (FrameInfo->isSpillSlotObjectIndex(FI)) {
1655       MMO = *MI.memoperands_begin();
1656       if (Newline) O << '\n';
1657       O.PadToColumn(MAI->getCommentColumn());
1658       O << MAI->getCommentString() << ' ' << MMO->getSize() << "-byte Spill";
1659       Newline = true;
1660     }
1661   }
1662   else if (TM.getInstrInfo()->hasStoreToStackSlot(&MI, MMO, FI)) {
1663     if (FrameInfo->isSpillSlotObjectIndex(FI)) {
1664       if (Newline) O << '\n';
1665       O.PadToColumn(MAI->getCommentColumn());
1666       O << MAI->getCommentString() << ' '
1667         << MMO->getSize() << "-byte Folded Spill";
1668       Newline = true;
1669     }
1670   }
1671
1672   // Check for spill-induced copies
1673   unsigned SrcReg, DstReg, SrcSubIdx, DstSubIdx;
1674   if (TM.getInstrInfo()->isMoveInstr(MI, SrcReg, DstReg,
1675                                       SrcSubIdx, DstSubIdx)) {
1676     if (MI.getAsmPrinterFlag(ReloadReuse)) {
1677       if (Newline) O << '\n';
1678       O.PadToColumn(MAI->getCommentColumn());
1679       O << MAI->getCommentString() << " Reload Reuse";
1680     }
1681   }
1682 }
1683