AsmPrinter.cpp revision 6bf1def1598f9c7a699ce4874e7d2575212b4232
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>
49using namespace llvm;
50
51static cl::opt<cl::boolOrDefault>
52AsmVerbose("asm-verbose", cl::desc("Add comments to directives."),
53           cl::init(cl::BOU_UNSET));
54
55static 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
64char AsmPrinter::ID = 0;
65AsmPrinter::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
81AsmPrinter::~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///
92unsigned AsmPrinter::getFunctionNumber() const {
93  return MF->getFunctionNumber();
94}
95
96TargetLoweringObjectFile &AsmPrinter::getObjFileLowering() const {
97  return TM.getTargetLowering()->getObjFileLowering();
98}
99
100/// getCurrentSection() - Return the current section we are emitting to.
101const MCSection *AsmPrinter::getCurrentSection() const {
102  return OutStreamer.getCurrentSection();
103}
104
105
106void 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
114bool 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.
154void 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
289bool 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
367void 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
376namespace {
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///
391void 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///
478void 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 i = 0, e = JT.size(); i != e; ++i) {
509    const std::vector<MachineBasicBlock*> &JTBBs = JT[i].MBBs;
510
511    // If this jump table was deleted, ignore it.
512    if (JTBBs.empty()) continue;
513
514    // For PIC codegen, if possible we want to use the SetDirective to reduce
515    // the number of relocations the assembler will generate for the jump table.
516    // Set directives are all printed before the jump table itself.
517    SmallPtrSet<MachineBasicBlock*, 16> EmittedSets;
518    if (MAI->getSetDirective() && IsPic)
519      for (unsigned ii = 0, ee = JTBBs.size(); ii != ee; ++ii)
520        if (EmittedSets.insert(JTBBs[ii]))
521          printPICJumpTableSetLabel(i, JTBBs[ii]);
522
523    // On some targets (e.g. Darwin) we want to emit two consequtive labels
524    // before each jump table.  The first label is never referenced, but tells
525    // the assembler and linker the extents of the jump table object.  The
526    // second label is actually referenced by the code.
527    if (JTInDiffSection && MAI->getLinkerPrivateGlobalPrefix()[0])
528      OutStreamer.EmitLabel(GetJTISymbol(i, true));
529
530    OutStreamer.EmitLabel(GetJTISymbol(i));
531
532    for (unsigned ii = 0, ee = JTBBs.size(); ii != ee; ++ii)
533      EmitJumpTableEntry(MJTI, JTBBs[ii], i);
534  }
535}
536
537/// EmitJumpTableEntry - Emit a jump table entry for the specified MBB to the
538/// current stream.
539void AsmPrinter::EmitJumpTableEntry(const MachineJumpTableInfo *MJTI,
540                                    const MachineBasicBlock *MBB,
541                                    unsigned UID) const {
542  const MCExpr *Value = 0;
543  switch (MJTI->getEntryKind()) {
544  case MachineJumpTableInfo::EK_Custom32:
545    Value = TM.getTargetLowering()->LowerCustomJumpTableEntry(MJTI, MBB, UID,
546                                                              OutContext);
547    break;
548  case MachineJumpTableInfo::EK_BlockAddress:
549    // EK_BlockAddress - Each entry is a plain address of block, e.g.:
550    //     .word LBB123
551    Value = MCSymbolRefExpr::Create(MBB->getSymbol(OutContext), OutContext);
552    break;
553  case MachineJumpTableInfo::EK_GPRel32BlockAddress: {
554    // EK_GPRel32BlockAddress - Each entry is an address of block, encoded
555    // with a relocation as gp-relative, e.g.:
556    //     .gprel32 LBB123
557    MCSymbol *MBBSym = MBB->getSymbol(OutContext);
558    OutStreamer.EmitGPRel32Value(MCSymbolRefExpr::Create(MBBSym, OutContext));
559    return;
560  }
561
562  case MachineJumpTableInfo::EK_LabelDifference32: {
563    // EK_LabelDifference32 - Each entry is the address of the block minus
564    // the address of the jump table.  This is used for PIC jump tables where
565    // gprel32 is not supported.  e.g.:
566    //      .word LBB123 - LJTI1_2
567    // If the .set directive is supported, this is emitted as:
568    //      .set L4_5_set_123, LBB123 - LJTI1_2
569    //      .word L4_5_set_123
570
571    // If we have emitted set directives for the jump table entries, print
572    // them rather than the entries themselves.  If we're emitting PIC, then
573    // emit the table entries as differences between two text section labels.
574    if (MAI->getSetDirective()) {
575      // If we used .set, reference the .set's symbol.
576      Value = MCSymbolRefExpr::Create(GetJTSetSymbol(UID, MBB->getNumber()),
577                                      OutContext);
578      break;
579    }
580    // Otherwise, use the difference as the jump table entry.
581    Value = MCSymbolRefExpr::Create(MBB->getSymbol(OutContext), OutContext);
582    const MCExpr *JTI = MCSymbolRefExpr::Create(GetJTISymbol(UID), OutContext);
583    Value = MCBinaryExpr::CreateSub(Value, JTI, OutContext);
584    break;
585  }
586  }
587
588  assert(Value && "Unknown entry kind!");
589
590  unsigned EntrySize = MJTI->getEntrySize(*TM.getTargetData());
591  OutStreamer.EmitValue(Value, EntrySize, /*addrspace*/0);
592}
593
594
595/// EmitSpecialLLVMGlobal - Check to see if the specified global is a
596/// special global used by LLVM.  If so, emit it and return true, otherwise
597/// do nothing and return false.
598bool AsmPrinter::EmitSpecialLLVMGlobal(const GlobalVariable *GV) {
599  if (GV->getName() == "llvm.used") {
600    if (MAI->hasNoDeadStrip())    // No need to emit this at all.
601      EmitLLVMUsedList(GV->getInitializer());
602    return true;
603  }
604
605  // Ignore debug and non-emitted data.  This handles llvm.compiler.used.
606  if (GV->getSection() == "llvm.metadata" ||
607      GV->hasAvailableExternallyLinkage())
608    return true;
609
610  if (!GV->hasAppendingLinkage()) return false;
611
612  assert(GV->hasInitializer() && "Not a special LLVM global!");
613
614  const TargetData *TD = TM.getTargetData();
615  unsigned Align = Log2_32(TD->getPointerPrefAlignment());
616  if (GV->getName() == "llvm.global_ctors") {
617    OutStreamer.SwitchSection(getObjFileLowering().getStaticCtorSection());
618    EmitAlignment(Align, 0);
619    EmitXXStructorList(GV->getInitializer());
620
621    if (TM.getRelocationModel() == Reloc::Static &&
622        MAI->hasStaticCtorDtorReferenceInStaticMode()) {
623      StringRef Sym(".constructors_used");
624      OutStreamer.EmitSymbolAttribute(OutContext.GetOrCreateSymbol(Sym),
625                                      MCSA_Reference);
626    }
627    return true;
628  }
629
630  if (GV->getName() == "llvm.global_dtors") {
631    OutStreamer.SwitchSection(getObjFileLowering().getStaticDtorSection());
632    EmitAlignment(Align, 0);
633    EmitXXStructorList(GV->getInitializer());
634
635    if (TM.getRelocationModel() == Reloc::Static &&
636        MAI->hasStaticCtorDtorReferenceInStaticMode()) {
637      StringRef Sym(".destructors_used");
638      OutStreamer.EmitSymbolAttribute(OutContext.GetOrCreateSymbol(Sym),
639                                      MCSA_Reference);
640    }
641    return true;
642  }
643
644  return false;
645}
646
647/// EmitLLVMUsedList - For targets that define a MAI::UsedDirective, mark each
648/// global in the specified llvm.used list for which emitUsedDirectiveFor
649/// is true, as being used with this directive.
650void AsmPrinter::EmitLLVMUsedList(Constant *List) {
651  // Should be an array of 'i8*'.
652  ConstantArray *InitList = dyn_cast<ConstantArray>(List);
653  if (InitList == 0) return;
654
655  for (unsigned i = 0, e = InitList->getNumOperands(); i != e; ++i) {
656    const GlobalValue *GV =
657      dyn_cast<GlobalValue>(InitList->getOperand(i)->stripPointerCasts());
658    if (GV && getObjFileLowering().shouldEmitUsedDirectiveFor(GV, Mang))
659      OutStreamer.EmitSymbolAttribute(GetGlobalValueSymbol(GV),
660                                      MCSA_NoDeadStrip);
661  }
662}
663
664/// EmitXXStructorList - Emit the ctor or dtor list.  This just prints out the
665/// function pointers, ignoring the init priority.
666void AsmPrinter::EmitXXStructorList(Constant *List) {
667  // Should be an array of '{ int, void ()* }' structs.  The first value is the
668  // init priority, which we ignore.
669  if (!isa<ConstantArray>(List)) return;
670  ConstantArray *InitList = cast<ConstantArray>(List);
671  for (unsigned i = 0, e = InitList->getNumOperands(); i != e; ++i)
672    if (ConstantStruct *CS = dyn_cast<ConstantStruct>(InitList->getOperand(i))){
673      if (CS->getNumOperands() != 2) return;  // Not array of 2-element structs.
674
675      if (CS->getOperand(1)->isNullValue())
676        return;  // Found a null terminator, exit printing.
677      // Emit the function pointer.
678      EmitGlobalConstant(CS->getOperand(1));
679    }
680}
681
682//===--------------------------------------------------------------------===//
683// Emission and print routines
684//
685
686/// EmitInt8 - Emit a byte directive and value.
687///
688void AsmPrinter::EmitInt8(int Value) const {
689  OutStreamer.EmitIntValue(Value, 1, 0/*addrspace*/);
690}
691
692/// EmitInt16 - Emit a short directive and value.
693///
694void AsmPrinter::EmitInt16(int Value) const {
695  OutStreamer.EmitIntValue(Value, 2, 0/*addrspace*/);
696}
697
698/// EmitInt32 - Emit a long directive and value.
699///
700void AsmPrinter::EmitInt32(int Value) const {
701  OutStreamer.EmitIntValue(Value, 4, 0/*addrspace*/);
702}
703
704/// EmitInt64 - Emit a long long directive and value.
705///
706void AsmPrinter::EmitInt64(uint64_t Value) const {
707  OutStreamer.EmitIntValue(Value, 8, 0/*addrspace*/);
708}
709
710//===----------------------------------------------------------------------===//
711
712// EmitAlignment - Emit an alignment directive to the specified power of
713// two boundary.  For example, if you pass in 3 here, you will get an 8
714// byte alignment.  If a global value is specified, and if that global has
715// an explicit alignment requested, it will unconditionally override the
716// alignment request.  However, if ForcedAlignBits is specified, this value
717// has final say: the ultimate alignment will be the max of ForcedAlignBits
718// and the alignment computed with NumBits and the global.
719//
720// The algorithm is:
721//     Align = NumBits;
722//     if (GV && GV->hasalignment) Align = GV->getalignment();
723//     Align = std::max(Align, ForcedAlignBits);
724//
725void AsmPrinter::EmitAlignment(unsigned NumBits, const GlobalValue *GV,
726                               unsigned ForcedAlignBits,
727                               bool UseFillExpr) const {
728  if (GV && GV->getAlignment())
729    NumBits = Log2_32(GV->getAlignment());
730  NumBits = std::max(NumBits, ForcedAlignBits);
731
732  if (NumBits == 0) return;   // No need to emit alignment.
733
734  unsigned FillValue = 0;
735  if (getCurrentSection()->getKind().isText())
736    FillValue = MAI->getTextAlignFillValue();
737
738  OutStreamer.EmitValueToAlignment(1 << NumBits, FillValue, 1, 0);
739}
740
741/// LowerConstant - Lower the specified LLVM Constant to an MCExpr.
742///
743static const MCExpr *LowerConstant(const Constant *CV, AsmPrinter &AP) {
744  MCContext &Ctx = AP.OutContext;
745
746  if (CV->isNullValue() || isa<UndefValue>(CV))
747    return MCConstantExpr::Create(0, Ctx);
748
749  if (const ConstantInt *CI = dyn_cast<ConstantInt>(CV))
750    return MCConstantExpr::Create(CI->getZExtValue(), Ctx);
751
752  if (const GlobalValue *GV = dyn_cast<GlobalValue>(CV))
753    return MCSymbolRefExpr::Create(AP.GetGlobalValueSymbol(GV), Ctx);
754  if (const BlockAddress *BA = dyn_cast<BlockAddress>(CV))
755    return MCSymbolRefExpr::Create(AP.GetBlockAddressSymbol(BA), Ctx);
756
757  const ConstantExpr *CE = dyn_cast<ConstantExpr>(CV);
758  if (CE == 0) {
759    llvm_unreachable("Unknown constant value to lower!");
760    return MCConstantExpr::Create(0, Ctx);
761  }
762
763  switch (CE->getOpcode()) {
764  case Instruction::ZExt:
765  case Instruction::SExt:
766  case Instruction::FPTrunc:
767  case Instruction::FPExt:
768  case Instruction::UIToFP:
769  case Instruction::SIToFP:
770  case Instruction::FPToUI:
771  case Instruction::FPToSI:
772  default: llvm_unreachable("FIXME: Don't support this constant cast expr");
773  case Instruction::GetElementPtr: {
774    const TargetData &TD = *AP.TM.getTargetData();
775    // Generate a symbolic expression for the byte address
776    const Constant *PtrVal = CE->getOperand(0);
777    SmallVector<Value*, 8> IdxVec(CE->op_begin()+1, CE->op_end());
778    int64_t Offset = TD.getIndexedOffset(PtrVal->getType(), &IdxVec[0],
779                                         IdxVec.size());
780
781    const MCExpr *Base = LowerConstant(CE->getOperand(0), AP);
782    if (Offset == 0)
783      return Base;
784
785    // Truncate/sext the offset to the pointer size.
786    if (TD.getPointerSizeInBits() != 64) {
787      int SExtAmount = 64-TD.getPointerSizeInBits();
788      Offset = (Offset << SExtAmount) >> SExtAmount;
789    }
790
791    return MCBinaryExpr::CreateAdd(Base, MCConstantExpr::Create(Offset, Ctx),
792                                   Ctx);
793  }
794
795  case Instruction::Trunc:
796    // We emit the value and depend on the assembler to truncate the generated
797    // expression properly.  This is important for differences between
798    // blockaddress labels.  Since the two labels are in the same function, it
799    // is reasonable to treat their delta as a 32-bit value.
800    // FALL THROUGH.
801  case Instruction::BitCast:
802    return LowerConstant(CE->getOperand(0), AP);
803
804  case Instruction::IntToPtr: {
805    const TargetData &TD = *AP.TM.getTargetData();
806    // Handle casts to pointers by changing them into casts to the appropriate
807    // integer type.  This promotes constant folding and simplifies this code.
808    Constant *Op = CE->getOperand(0);
809    Op = ConstantExpr::getIntegerCast(Op, TD.getIntPtrType(CV->getContext()),
810                                      false/*ZExt*/);
811    return LowerConstant(Op, AP);
812  }
813
814  case Instruction::PtrToInt: {
815    const TargetData &TD = *AP.TM.getTargetData();
816    // Support only foldable casts to/from pointers that can be eliminated by
817    // changing the pointer to the appropriately sized integer type.
818    Constant *Op = CE->getOperand(0);
819    const Type *Ty = CE->getType();
820
821    const MCExpr *OpExpr = LowerConstant(Op, AP);
822
823    // We can emit the pointer value into this slot if the slot is an
824    // integer slot equal to the size of the pointer.
825    if (TD.getTypeAllocSize(Ty) == TD.getTypeAllocSize(Op->getType()))
826      return OpExpr;
827
828    // Otherwise the pointer is smaller than the resultant integer, mask off
829    // the high bits so we are sure to get a proper truncation if the input is
830    // a constant expr.
831    unsigned InBits = TD.getTypeAllocSizeInBits(Op->getType());
832    const MCExpr *MaskExpr = MCConstantExpr::Create(~0ULL >> (64-InBits), Ctx);
833    return MCBinaryExpr::CreateAnd(OpExpr, MaskExpr, Ctx);
834  }
835
836  case Instruction::Add:
837  case Instruction::Sub:
838  case Instruction::And:
839  case Instruction::Or:
840  case Instruction::Xor: {
841    const MCExpr *LHS = LowerConstant(CE->getOperand(0), AP);
842    const MCExpr *RHS = LowerConstant(CE->getOperand(1), AP);
843    switch (CE->getOpcode()) {
844    default: llvm_unreachable("Unknown binary operator constant cast expr");
845    case Instruction::Add: return MCBinaryExpr::CreateAdd(LHS, RHS, Ctx);
846    case Instruction::Sub: return MCBinaryExpr::CreateSub(LHS, RHS, Ctx);
847    case Instruction::And: return MCBinaryExpr::CreateAnd(LHS, RHS, Ctx);
848    case Instruction::Or:  return MCBinaryExpr::CreateOr (LHS, RHS, Ctx);
849    case Instruction::Xor: return MCBinaryExpr::CreateXor(LHS, RHS, Ctx);
850    }
851  }
852  }
853}
854
855static void EmitGlobalConstantArray(const ConstantArray *CA, unsigned AddrSpace,
856                                    AsmPrinter &AP) {
857  if (AddrSpace != 0 || !CA->isString()) {
858    // Not a string.  Print the values in successive locations
859    for (unsigned i = 0, e = CA->getNumOperands(); i != e; ++i)
860      AP.EmitGlobalConstant(CA->getOperand(i), AddrSpace);
861    return;
862  }
863
864  // Otherwise, it can be emitted as .ascii.
865  SmallVector<char, 128> TmpVec;
866  TmpVec.reserve(CA->getNumOperands());
867  for (unsigned i = 0, e = CA->getNumOperands(); i != e; ++i)
868    TmpVec.push_back(cast<ConstantInt>(CA->getOperand(i))->getZExtValue());
869
870  AP.OutStreamer.EmitBytes(StringRef(TmpVec.data(), TmpVec.size()), AddrSpace);
871}
872
873static void EmitGlobalConstantVector(const ConstantVector *CV,
874                                     unsigned AddrSpace, AsmPrinter &AP) {
875  for (unsigned i = 0, e = CV->getType()->getNumElements(); i != e; ++i)
876    AP.EmitGlobalConstant(CV->getOperand(i), AddrSpace);
877}
878
879static void EmitGlobalConstantStruct(const ConstantStruct *CS,
880                                     unsigned AddrSpace, AsmPrinter &AP) {
881  // Print the fields in successive locations. Pad to align if needed!
882  const TargetData *TD = AP.TM.getTargetData();
883  unsigned Size = TD->getTypeAllocSize(CS->getType());
884  const StructLayout *Layout = TD->getStructLayout(CS->getType());
885  uint64_t SizeSoFar = 0;
886  for (unsigned i = 0, e = CS->getNumOperands(); i != e; ++i) {
887    const Constant *Field = CS->getOperand(i);
888
889    // Check if padding is needed and insert one or more 0s.
890    uint64_t FieldSize = TD->getTypeAllocSize(Field->getType());
891    uint64_t PadSize = ((i == e-1 ? Size : Layout->getElementOffset(i+1))
892                        - Layout->getElementOffset(i)) - FieldSize;
893    SizeSoFar += FieldSize + PadSize;
894
895    // Now print the actual field value.
896    AP.EmitGlobalConstant(Field, AddrSpace);
897
898    // Insert padding - this may include padding to increase the size of the
899    // current field up to the ABI size (if the struct is not packed) as well
900    // as padding to ensure that the next field starts at the right offset.
901    AP.OutStreamer.EmitZeros(PadSize, AddrSpace);
902  }
903  assert(SizeSoFar == Layout->getSizeInBytes() &&
904         "Layout of constant struct may be incorrect!");
905}
906
907static void EmitGlobalConstantFP(const ConstantFP *CFP, unsigned AddrSpace,
908                                 AsmPrinter &AP) {
909  // FP Constants are printed as integer constants to avoid losing
910  // precision.
911  if (CFP->getType()->isDoubleTy()) {
912    if (AP.VerboseAsm) {
913      double Val = CFP->getValueAPF().convertToDouble();
914      AP.OutStreamer.GetCommentOS() << "double " << Val << '\n';
915    }
916
917    uint64_t Val = CFP->getValueAPF().bitcastToAPInt().getZExtValue();
918    AP.OutStreamer.EmitIntValue(Val, 8, AddrSpace);
919    return;
920  }
921
922  if (CFP->getType()->isFloatTy()) {
923    if (AP.VerboseAsm) {
924      float Val = CFP->getValueAPF().convertToFloat();
925      AP.OutStreamer.GetCommentOS() << "float " << Val << '\n';
926    }
927    uint64_t Val = CFP->getValueAPF().bitcastToAPInt().getZExtValue();
928    AP.OutStreamer.EmitIntValue(Val, 4, AddrSpace);
929    return;
930  }
931
932  if (CFP->getType()->isX86_FP80Ty()) {
933    // all long double variants are printed as hex
934    // api needed to prevent premature destruction
935    APInt API = CFP->getValueAPF().bitcastToAPInt();
936    const uint64_t *p = API.getRawData();
937    if (AP.VerboseAsm) {
938      // Convert to double so we can print the approximate val as a comment.
939      APFloat DoubleVal = CFP->getValueAPF();
940      bool ignored;
941      DoubleVal.convert(APFloat::IEEEdouble, APFloat::rmNearestTiesToEven,
942                        &ignored);
943      AP.OutStreamer.GetCommentOS() << "x86_fp80 ~= "
944        << DoubleVal.convertToDouble() << '\n';
945    }
946
947    if (AP.TM.getTargetData()->isBigEndian()) {
948      AP.OutStreamer.EmitIntValue(p[1], 2, AddrSpace);
949      AP.OutStreamer.EmitIntValue(p[0], 8, AddrSpace);
950    } else {
951      AP.OutStreamer.EmitIntValue(p[0], 8, AddrSpace);
952      AP.OutStreamer.EmitIntValue(p[1], 2, AddrSpace);
953    }
954
955    // Emit the tail padding for the long double.
956    const TargetData &TD = *AP.TM.getTargetData();
957    AP.OutStreamer.EmitZeros(TD.getTypeAllocSize(CFP->getType()) -
958                             TD.getTypeStoreSize(CFP->getType()), AddrSpace);
959    return;
960  }
961
962  assert(CFP->getType()->isPPC_FP128Ty() &&
963         "Floating point constant type not handled");
964  // All long double variants are printed as hex api needed to prevent
965  // premature destruction.
966  APInt API = CFP->getValueAPF().bitcastToAPInt();
967  const uint64_t *p = API.getRawData();
968  if (AP.TM.getTargetData()->isBigEndian()) {
969    AP.OutStreamer.EmitIntValue(p[0], 8, AddrSpace);
970    AP.OutStreamer.EmitIntValue(p[1], 8, AddrSpace);
971  } else {
972    AP.OutStreamer.EmitIntValue(p[1], 8, AddrSpace);
973    AP.OutStreamer.EmitIntValue(p[0], 8, AddrSpace);
974  }
975}
976
977static void EmitGlobalConstantLargeInt(const ConstantInt *CI,
978                                       unsigned AddrSpace, AsmPrinter &AP) {
979  const TargetData *TD = AP.TM.getTargetData();
980  unsigned BitWidth = CI->getBitWidth();
981  assert((BitWidth & 63) == 0 && "only support multiples of 64-bits");
982
983  // We don't expect assemblers to support integer data directives
984  // for more than 64 bits, so we emit the data in at most 64-bit
985  // quantities at a time.
986  const uint64_t *RawData = CI->getValue().getRawData();
987  for (unsigned i = 0, e = BitWidth / 64; i != e; ++i) {
988    uint64_t Val = TD->isBigEndian() ? RawData[e - i - 1] : RawData[i];
989    AP.OutStreamer.EmitIntValue(Val, 8, AddrSpace);
990  }
991}
992
993/// EmitGlobalConstant - Print a general LLVM constant to the .s file.
994void AsmPrinter::EmitGlobalConstant(const Constant *CV, unsigned AddrSpace) {
995  if (isa<ConstantAggregateZero>(CV) || isa<UndefValue>(CV)) {
996    uint64_t Size = TM.getTargetData()->getTypeAllocSize(CV->getType());
997    return OutStreamer.EmitZeros(Size, AddrSpace);
998  }
999
1000  if (const ConstantInt *CI = dyn_cast<ConstantInt>(CV)) {
1001    unsigned Size = TM.getTargetData()->getTypeAllocSize(CV->getType());
1002    switch (Size) {
1003    case 1:
1004    case 2:
1005    case 4:
1006    case 8:
1007      if (VerboseAsm)
1008        OutStreamer.GetCommentOS() << format("0x%llx\n", CI->getZExtValue());
1009      OutStreamer.EmitIntValue(CI->getZExtValue(), Size, AddrSpace);
1010      return;
1011    default:
1012      EmitGlobalConstantLargeInt(CI, AddrSpace, *this);
1013      return;
1014    }
1015  }
1016
1017  if (const ConstantArray *CVA = dyn_cast<ConstantArray>(CV))
1018    return EmitGlobalConstantArray(CVA, AddrSpace, *this);
1019
1020  if (const ConstantStruct *CVS = dyn_cast<ConstantStruct>(CV))
1021    return EmitGlobalConstantStruct(CVS, AddrSpace, *this);
1022
1023  if (const ConstantFP *CFP = dyn_cast<ConstantFP>(CV))
1024    return EmitGlobalConstantFP(CFP, AddrSpace, *this);
1025
1026  if (const ConstantVector *V = dyn_cast<ConstantVector>(CV))
1027    return EmitGlobalConstantVector(V, AddrSpace, *this);
1028
1029  if (isa<ConstantPointerNull>(CV)) {
1030    unsigned Size = TM.getTargetData()->getTypeAllocSize(CV->getType());
1031    OutStreamer.EmitIntValue(0, Size, AddrSpace);
1032    return;
1033  }
1034
1035  // Otherwise, it must be a ConstantExpr.  Lower it to an MCExpr, then emit it
1036  // thread the streamer with EmitValue.
1037  OutStreamer.EmitValue(LowerConstant(CV, *this),
1038                        TM.getTargetData()->getTypeAllocSize(CV->getType()),
1039                        AddrSpace);
1040}
1041
1042void AsmPrinter::EmitMachineConstantPoolValue(MachineConstantPoolValue *MCPV) {
1043  // Target doesn't support this yet!
1044  llvm_unreachable("Target does not support EmitMachineConstantPoolValue");
1045}
1046
1047/// PrintSpecial - Print information related to the specified machine instr
1048/// that is independent of the operand, and may be independent of the instr
1049/// itself.  This can be useful for portably encoding the comment character
1050/// or other bits of target-specific knowledge into the asmstrings.  The
1051/// syntax used is ${:comment}.  Targets can override this to add support
1052/// for their own strange codes.
1053void AsmPrinter::PrintSpecial(const MachineInstr *MI, const char *Code) const {
1054  if (!strcmp(Code, "private")) {
1055    O << MAI->getPrivateGlobalPrefix();
1056  } else if (!strcmp(Code, "comment")) {
1057    if (VerboseAsm)
1058      O << MAI->getCommentString();
1059  } else if (!strcmp(Code, "uid")) {
1060    // Comparing the address of MI isn't sufficient, because machineinstrs may
1061    // be allocated to the same address across functions.
1062    const Function *ThisF = MI->getParent()->getParent()->getFunction();
1063
1064    // If this is a new LastFn instruction, bump the counter.
1065    if (LastMI != MI || LastFn != ThisF) {
1066      ++Counter;
1067      LastMI = MI;
1068      LastFn = ThisF;
1069    }
1070    O << Counter;
1071  } else {
1072    std::string msg;
1073    raw_string_ostream Msg(msg);
1074    Msg << "Unknown special formatter '" << Code
1075         << "' for machine instr: " << *MI;
1076    llvm_report_error(Msg.str());
1077  }
1078}
1079
1080/// processDebugLoc - Processes the debug information of each machine
1081/// instruction's DebugLoc.
1082void AsmPrinter::processDebugLoc(const MachineInstr *MI,
1083                                 bool BeforePrintingInsn) {
1084  if (!MAI || !DW || !MAI->doesSupportDebugInformation()
1085      || !DW->ShouldEmitDwarfDebug())
1086    return;
1087  DebugLoc DL = MI->getDebugLoc();
1088  if (DL.isUnknown())
1089    return;
1090  DILocation CurDLT = MF->getDILocation(DL);
1091  if (CurDLT.getScope().isNull())
1092    return;
1093
1094  if (!BeforePrintingInsn) {
1095    // After printing instruction
1096    DW->EndScope(MI);
1097  } else if (CurDLT.getNode() != PrevDLT) {
1098    unsigned L = DW->RecordSourceLine(CurDLT.getLineNumber(),
1099                                      CurDLT.getColumnNumber(),
1100                                      CurDLT.getScope().getNode());
1101    printLabel(L);
1102    O << '\n';
1103    DW->BeginScope(MI, L);
1104    PrevDLT = CurDLT.getNode();
1105  }
1106}
1107
1108
1109/// printInlineAsm - This method formats and prints the specified machine
1110/// instruction that is an inline asm.
1111void AsmPrinter::printInlineAsm(const MachineInstr *MI) const {
1112  unsigned NumOperands = MI->getNumOperands();
1113
1114  // Count the number of register definitions.
1115  unsigned NumDefs = 0;
1116  for (; MI->getOperand(NumDefs).isReg() && MI->getOperand(NumDefs).isDef();
1117       ++NumDefs)
1118    assert(NumDefs != NumOperands-1 && "No asm string?");
1119
1120  assert(MI->getOperand(NumDefs).isSymbol() && "No asm string?");
1121
1122  // Disassemble the AsmStr, printing out the literal pieces, the operands, etc.
1123  const char *AsmStr = MI->getOperand(NumDefs).getSymbolName();
1124
1125  O << '\t';
1126
1127  // If this asmstr is empty, just print the #APP/#NOAPP markers.
1128  // These are useful to see where empty asm's wound up.
1129  if (AsmStr[0] == 0) {
1130    O << MAI->getCommentString() << MAI->getInlineAsmStart() << "\n\t";
1131    O << MAI->getCommentString() << MAI->getInlineAsmEnd() << '\n';
1132    return;
1133  }
1134
1135  O << MAI->getCommentString() << MAI->getInlineAsmStart() << "\n\t";
1136
1137  // The variant of the current asmprinter.
1138  int AsmPrinterVariant = MAI->getAssemblerDialect();
1139
1140  int CurVariant = -1;            // The number of the {.|.|.} region we are in.
1141  const char *LastEmitted = AsmStr; // One past the last character emitted.
1142
1143  while (*LastEmitted) {
1144    switch (*LastEmitted) {
1145    default: {
1146      // Not a special case, emit the string section literally.
1147      const char *LiteralEnd = LastEmitted+1;
1148      while (*LiteralEnd && *LiteralEnd != '{' && *LiteralEnd != '|' &&
1149             *LiteralEnd != '}' && *LiteralEnd != '$' && *LiteralEnd != '\n')
1150        ++LiteralEnd;
1151      if (CurVariant == -1 || CurVariant == AsmPrinterVariant)
1152        O.write(LastEmitted, LiteralEnd-LastEmitted);
1153      LastEmitted = LiteralEnd;
1154      break;
1155    }
1156    case '\n':
1157      ++LastEmitted;   // Consume newline character.
1158      O << '\n';       // Indent code with newline.
1159      break;
1160    case '$': {
1161      ++LastEmitted;   // Consume '$' character.
1162      bool Done = true;
1163
1164      // Handle escapes.
1165      switch (*LastEmitted) {
1166      default: Done = false; break;
1167      case '$':     // $$ -> $
1168        if (CurVariant == -1 || CurVariant == AsmPrinterVariant)
1169          O << '$';
1170        ++LastEmitted;  // Consume second '$' character.
1171        break;
1172      case '(':             // $( -> same as GCC's { character.
1173        ++LastEmitted;      // Consume '(' character.
1174        if (CurVariant != -1) {
1175          llvm_report_error("Nested variants found in inline asm string: '"
1176                            + std::string(AsmStr) + "'");
1177        }
1178        CurVariant = 0;     // We're in the first variant now.
1179        break;
1180      case '|':
1181        ++LastEmitted;  // consume '|' character.
1182        if (CurVariant == -1)
1183          O << '|';       // this is gcc's behavior for | outside a variant
1184        else
1185          ++CurVariant;   // We're in the next variant.
1186        break;
1187      case ')':         // $) -> same as GCC's } char.
1188        ++LastEmitted;  // consume ')' character.
1189        if (CurVariant == -1)
1190          O << '}';     // this is gcc's behavior for } outside a variant
1191        else
1192          CurVariant = -1;
1193        break;
1194      }
1195      if (Done) break;
1196
1197      bool HasCurlyBraces = false;
1198      if (*LastEmitted == '{') {     // ${variable}
1199        ++LastEmitted;               // Consume '{' character.
1200        HasCurlyBraces = true;
1201      }
1202
1203      // If we have ${:foo}, then this is not a real operand reference, it is a
1204      // "magic" string reference, just like in .td files.  Arrange to call
1205      // PrintSpecial.
1206      if (HasCurlyBraces && *LastEmitted == ':') {
1207        ++LastEmitted;
1208        const char *StrStart = LastEmitted;
1209        const char *StrEnd = strchr(StrStart, '}');
1210        if (StrEnd == 0) {
1211          llvm_report_error("Unterminated ${:foo} operand in inline asm string: '"
1212                            + std::string(AsmStr) + "'");
1213        }
1214
1215        std::string Val(StrStart, StrEnd);
1216        PrintSpecial(MI, Val.c_str());
1217        LastEmitted = StrEnd+1;
1218        break;
1219      }
1220
1221      const char *IDStart = LastEmitted;
1222      char *IDEnd;
1223      errno = 0;
1224      long Val = strtol(IDStart, &IDEnd, 10); // We only accept numbers for IDs.
1225      if (!isdigit(*IDStart) || (Val == 0 && errno == EINVAL)) {
1226        llvm_report_error("Bad $ operand number in inline asm string: '"
1227                          + std::string(AsmStr) + "'");
1228      }
1229      LastEmitted = IDEnd;
1230
1231      char Modifier[2] = { 0, 0 };
1232
1233      if (HasCurlyBraces) {
1234        // If we have curly braces, check for a modifier character.  This
1235        // supports syntax like ${0:u}, which correspond to "%u0" in GCC asm.
1236        if (*LastEmitted == ':') {
1237          ++LastEmitted;    // Consume ':' character.
1238          if (*LastEmitted == 0) {
1239            llvm_report_error("Bad ${:} expression in inline asm string: '"
1240                              + std::string(AsmStr) + "'");
1241          }
1242
1243          Modifier[0] = *LastEmitted;
1244          ++LastEmitted;    // Consume modifier character.
1245        }
1246
1247        if (*LastEmitted != '}') {
1248          llvm_report_error("Bad ${} expression in inline asm string: '"
1249                            + std::string(AsmStr) + "'");
1250        }
1251        ++LastEmitted;    // Consume '}' character.
1252      }
1253
1254      if ((unsigned)Val >= NumOperands-1) {
1255        llvm_report_error("Invalid $ operand number in inline asm string: '"
1256                          + std::string(AsmStr) + "'");
1257      }
1258
1259      // Okay, we finally have a value number.  Ask the target to print this
1260      // operand!
1261      if (CurVariant == -1 || CurVariant == AsmPrinterVariant) {
1262        unsigned OpNo = 1;
1263
1264        bool Error = false;
1265
1266        // Scan to find the machine operand number for the operand.
1267        for (; Val; --Val) {
1268          if (OpNo >= MI->getNumOperands()) break;
1269          unsigned OpFlags = MI->getOperand(OpNo).getImm();
1270          OpNo += InlineAsm::getNumOperandRegisters(OpFlags) + 1;
1271        }
1272
1273        if (OpNo >= MI->getNumOperands()) {
1274          Error = true;
1275        } else {
1276          unsigned OpFlags = MI->getOperand(OpNo).getImm();
1277          ++OpNo;  // Skip over the ID number.
1278
1279          if (Modifier[0] == 'l')  // labels are target independent
1280            O << *MI->getOperand(OpNo).getMBB()->getSymbol(OutContext);
1281          else {
1282            AsmPrinter *AP = const_cast<AsmPrinter*>(this);
1283            if ((OpFlags & 7) == 4) {
1284              Error = AP->PrintAsmMemoryOperand(MI, OpNo, AsmPrinterVariant,
1285                                                Modifier[0] ? Modifier : 0);
1286            } else {
1287              Error = AP->PrintAsmOperand(MI, OpNo, AsmPrinterVariant,
1288                                          Modifier[0] ? Modifier : 0);
1289            }
1290          }
1291        }
1292        if (Error) {
1293          std::string msg;
1294          raw_string_ostream Msg(msg);
1295          Msg << "Invalid operand found in inline asm: '" << AsmStr << "'\n";
1296          MI->print(Msg);
1297          llvm_report_error(Msg.str());
1298        }
1299      }
1300      break;
1301    }
1302    }
1303  }
1304  O << "\n\t" << MAI->getCommentString() << MAI->getInlineAsmEnd();
1305}
1306
1307/// printImplicitDef - This method prints the specified machine instruction
1308/// that is an implicit def.
1309void AsmPrinter::printImplicitDef(const MachineInstr *MI) const {
1310  if (!VerboseAsm) return;
1311  O.PadToColumn(MAI->getCommentColumn());
1312  O << MAI->getCommentString() << " implicit-def: "
1313    << TRI->getName(MI->getOperand(0).getReg());
1314}
1315
1316void AsmPrinter::printKill(const MachineInstr *MI) const {
1317  if (!VerboseAsm) return;
1318  O.PadToColumn(MAI->getCommentColumn());
1319  O << MAI->getCommentString() << " kill:";
1320  for (unsigned n = 0, e = MI->getNumOperands(); n != e; ++n) {
1321    const MachineOperand &op = MI->getOperand(n);
1322    assert(op.isReg() && "KILL instruction must have only register operands");
1323    O << ' ' << TRI->getName(op.getReg()) << (op.isDef() ? "<def>" : "<kill>");
1324  }
1325}
1326
1327/// printLabel - This method prints a local label used by debug and
1328/// exception handling tables.
1329void AsmPrinter::printLabel(const MachineInstr *MI) const {
1330  printLabel(MI->getOperand(0).getImm());
1331}
1332
1333void AsmPrinter::printLabel(unsigned Id) const {
1334  O << MAI->getPrivateGlobalPrefix() << "label" << Id << ':';
1335}
1336
1337/// PrintAsmOperand - Print the specified operand of MI, an INLINEASM
1338/// instruction, using the specified assembler variant.  Targets should
1339/// override this to format as appropriate.
1340bool AsmPrinter::PrintAsmOperand(const MachineInstr *MI, unsigned OpNo,
1341                                 unsigned AsmVariant, const char *ExtraCode) {
1342  // Target doesn't support this yet!
1343  return true;
1344}
1345
1346bool AsmPrinter::PrintAsmMemoryOperand(const MachineInstr *MI, unsigned OpNo,
1347                                       unsigned AsmVariant,
1348                                       const char *ExtraCode) {
1349  // Target doesn't support this yet!
1350  return true;
1351}
1352
1353MCSymbol *AsmPrinter::GetBlockAddressSymbol(const BlockAddress *BA,
1354                                            const char *Suffix) const {
1355  return GetBlockAddressSymbol(BA->getFunction(), BA->getBasicBlock(), Suffix);
1356}
1357
1358MCSymbol *AsmPrinter::GetBlockAddressSymbol(const Function *F,
1359                                            const BasicBlock *BB,
1360                                            const char *Suffix) const {
1361  assert(BB->hasName() &&
1362         "Address of anonymous basic block not supported yet!");
1363
1364  // This code must use the function name itself, and not the function number,
1365  // since it must be possible to generate the label name from within other
1366  // functions.
1367  SmallString<60> FnName;
1368  Mang->getNameWithPrefix(FnName, F, false);
1369
1370  // FIXME: THIS IS BROKEN IF THE LLVM BASIC BLOCK DOESN'T HAVE A NAME!
1371  SmallString<60> NameResult;
1372  Mang->getNameWithPrefix(NameResult,
1373                          StringRef("BA") + Twine((unsigned)FnName.size()) +
1374                          "_" + FnName.str() + "_" + BB->getName() + Suffix,
1375                          Mangler::Private);
1376
1377  return OutContext.GetOrCreateSymbol(NameResult.str());
1378}
1379
1380/// GetCPISymbol - Return the symbol for the specified constant pool entry.
1381MCSymbol *AsmPrinter::GetCPISymbol(unsigned CPID) const {
1382  SmallString<60> Name;
1383  raw_svector_ostream(Name) << MAI->getPrivateGlobalPrefix() << "CPI"
1384    << getFunctionNumber() << '_' << CPID;
1385  return OutContext.GetOrCreateSymbol(Name.str());
1386}
1387
1388/// GetJTISymbol - Return the symbol for the specified jump table entry.
1389MCSymbol *AsmPrinter::GetJTISymbol(unsigned JTID, bool isLinkerPrivate) const {
1390  const char *Prefix = isLinkerPrivate ? MAI->getLinkerPrivateGlobalPrefix() :
1391                                         MAI->getPrivateGlobalPrefix();
1392  SmallString<60> Name;
1393  raw_svector_ostream(Name) << Prefix << "JTI" << getFunctionNumber() << '_'
1394    << JTID;
1395  return OutContext.GetOrCreateSymbol(Name.str());
1396}
1397
1398/// GetJTSetSymbol - Return the symbol for the specified jump table .set
1399/// FIXME: privatize to AsmPrinter.
1400MCSymbol *AsmPrinter::GetJTSetSymbol(unsigned UID, unsigned MBBID) const {
1401  SmallString<60> Name;
1402  raw_svector_ostream(Name) << MAI->getPrivateGlobalPrefix()
1403    << getFunctionNumber() << '_' << UID << "_set_" << MBBID;
1404  return OutContext.GetOrCreateSymbol(Name.str());
1405}
1406
1407/// GetGlobalValueSymbol - Return the MCSymbol for the specified global
1408/// value.
1409MCSymbol *AsmPrinter::GetGlobalValueSymbol(const GlobalValue *GV) const {
1410  SmallString<60> NameStr;
1411  Mang->getNameWithPrefix(NameStr, GV, false);
1412  return OutContext.GetOrCreateSymbol(NameStr.str());
1413}
1414
1415/// GetSymbolWithGlobalValueBase - Return the MCSymbol for a symbol with
1416/// global value name as its base, with the specified suffix, and where the
1417/// symbol is forced to have private linkage if ForcePrivate is true.
1418MCSymbol *AsmPrinter::GetSymbolWithGlobalValueBase(const GlobalValue *GV,
1419                                                   StringRef Suffix,
1420                                                   bool ForcePrivate) const {
1421  SmallString<60> NameStr;
1422  Mang->getNameWithPrefix(NameStr, GV, ForcePrivate);
1423  NameStr.append(Suffix.begin(), Suffix.end());
1424  return OutContext.GetOrCreateSymbol(NameStr.str());
1425}
1426
1427/// GetExternalSymbolSymbol - Return the MCSymbol for the specified
1428/// ExternalSymbol.
1429MCSymbol *AsmPrinter::GetExternalSymbolSymbol(StringRef Sym) const {
1430  SmallString<60> NameStr;
1431  Mang->getNameWithPrefix(NameStr, Sym);
1432  return OutContext.GetOrCreateSymbol(NameStr.str());
1433}
1434
1435
1436
1437/// PrintParentLoopComment - Print comments about parent loops of this one.
1438static void PrintParentLoopComment(raw_ostream &OS, const MachineLoop *Loop,
1439                                   unsigned FunctionNumber) {
1440  if (Loop == 0) return;
1441  PrintParentLoopComment(OS, Loop->getParentLoop(), FunctionNumber);
1442  OS.indent(Loop->getLoopDepth()*2)
1443    << "Parent Loop BB" << FunctionNumber << "_"
1444    << Loop->getHeader()->getNumber()
1445    << " Depth=" << Loop->getLoopDepth() << '\n';
1446}
1447
1448
1449/// PrintChildLoopComment - Print comments about child loops within
1450/// the loop for this basic block, with nesting.
1451static void PrintChildLoopComment(raw_ostream &OS, const MachineLoop *Loop,
1452                                  unsigned FunctionNumber) {
1453  // Add child loop information
1454  for (MachineLoop::iterator CL = Loop->begin(), E = Loop->end();CL != E; ++CL){
1455    OS.indent((*CL)->getLoopDepth()*2)
1456      << "Child Loop BB" << FunctionNumber << "_"
1457      << (*CL)->getHeader()->getNumber() << " Depth " << (*CL)->getLoopDepth()
1458      << '\n';
1459    PrintChildLoopComment(OS, *CL, FunctionNumber);
1460  }
1461}
1462
1463/// EmitComments - Pretty-print comments for basic blocks.
1464static void PrintBasicBlockLoopComments(const MachineBasicBlock &MBB,
1465                                        const MachineLoopInfo *LI,
1466                                        const AsmPrinter &AP) {
1467  // Add loop depth information
1468  const MachineLoop *Loop = LI->getLoopFor(&MBB);
1469  if (Loop == 0) return;
1470
1471  MachineBasicBlock *Header = Loop->getHeader();
1472  assert(Header && "No header for loop");
1473
1474  // If this block is not a loop header, just print out what is the loop header
1475  // and return.
1476  if (Header != &MBB) {
1477    AP.OutStreamer.AddComment("  in Loop: Header=BB" +
1478                              Twine(AP.getFunctionNumber())+"_" +
1479                              Twine(Loop->getHeader()->getNumber())+
1480                              " Depth="+Twine(Loop->getLoopDepth()));
1481    return;
1482  }
1483
1484  // Otherwise, it is a loop header.  Print out information about child and
1485  // parent loops.
1486  raw_ostream &OS = AP.OutStreamer.GetCommentOS();
1487
1488  PrintParentLoopComment(OS, Loop->getParentLoop(), AP.getFunctionNumber());
1489
1490  OS << "=>";
1491  OS.indent(Loop->getLoopDepth()*2-2);
1492
1493  OS << "This ";
1494  if (Loop->empty())
1495    OS << "Inner ";
1496  OS << "Loop Header: Depth=" + Twine(Loop->getLoopDepth()) << '\n';
1497
1498  PrintChildLoopComment(OS, Loop, AP.getFunctionNumber());
1499}
1500
1501
1502/// EmitBasicBlockStart - This method prints the label for the specified
1503/// MachineBasicBlock, an alignment (if present) and a comment describing
1504/// it if appropriate.
1505void AsmPrinter::EmitBasicBlockStart(const MachineBasicBlock *MBB) const {
1506  // Emit an alignment directive for this block, if needed.
1507  if (unsigned Align = MBB->getAlignment())
1508    EmitAlignment(Log2_32(Align));
1509
1510  // If the block has its address taken, emit a special label to satisfy
1511  // references to the block. This is done so that we don't need to
1512  // remember the number of this label, and so that we can make
1513  // forward references to labels without knowing what their numbers
1514  // will be.
1515  if (MBB->hasAddressTaken()) {
1516    const BasicBlock *BB = MBB->getBasicBlock();
1517    if (VerboseAsm)
1518      OutStreamer.AddComment("Address Taken");
1519    OutStreamer.EmitLabel(GetBlockAddressSymbol(BB->getParent(), BB));
1520  }
1521
1522  // Print the main label for the block.
1523  if (MBB->pred_empty() || MBB->isOnlyReachableByFallthrough()) {
1524    if (VerboseAsm) {
1525      // NOTE: Want this comment at start of line.
1526      O << MAI->getCommentString() << " BB#" << MBB->getNumber() << ':';
1527      if (const BasicBlock *BB = MBB->getBasicBlock())
1528        if (BB->hasName())
1529          OutStreamer.AddComment("%" + BB->getName());
1530
1531      PrintBasicBlockLoopComments(*MBB, LI, *this);
1532      OutStreamer.AddBlankLine();
1533    }
1534  } else {
1535    if (VerboseAsm) {
1536      if (const BasicBlock *BB = MBB->getBasicBlock())
1537        if (BB->hasName())
1538          OutStreamer.AddComment("%" + BB->getName());
1539      PrintBasicBlockLoopComments(*MBB, LI, *this);
1540    }
1541
1542    OutStreamer.EmitLabel(MBB->getSymbol(OutContext));
1543  }
1544}
1545
1546/// printPICJumpTableSetLabel - This method prints a set label for the
1547/// specified MachineBasicBlock for a jumptable entry.
1548void AsmPrinter::printPICJumpTableSetLabel(unsigned uid,
1549                                           const MachineBasicBlock *MBB) const {
1550  if (!MAI->getSetDirective())
1551    return;
1552
1553  O << MAI->getSetDirective() << ' ' << MAI->getPrivateGlobalPrefix()
1554    << *GetJTSetSymbol(uid, MBB->getNumber()) << ','
1555    << *MBB->getSymbol(OutContext) << '-' << *GetJTISymbol(uid) << '\n';
1556}
1557
1558void AsmPrinter::printVisibility(MCSymbol *Sym, unsigned Visibility) const {
1559  MCSymbolAttr Attr = MCSA_Invalid;
1560
1561  switch (Visibility) {
1562  default: break;
1563  case GlobalValue::HiddenVisibility:
1564    Attr = MAI->getHiddenVisibilityAttr();
1565    break;
1566  case GlobalValue::ProtectedVisibility:
1567    Attr = MAI->getProtectedVisibilityAttr();
1568    break;
1569  }
1570
1571  if (Attr != MCSA_Invalid)
1572    OutStreamer.EmitSymbolAttribute(Sym, Attr);
1573}
1574
1575void AsmPrinter::printOffset(int64_t Offset) const {
1576  if (Offset > 0)
1577    O << '+' << Offset;
1578  else if (Offset < 0)
1579    O << Offset;
1580}
1581
1582GCMetadataPrinter *AsmPrinter::GetOrCreateGCPrinter(GCStrategy *S) {
1583  if (!S->usesMetadata())
1584    return 0;
1585
1586  gcp_iterator GCPI = GCMetadataPrinters.find(S);
1587  if (GCPI != GCMetadataPrinters.end())
1588    return GCPI->second;
1589
1590  const char *Name = S->getName().c_str();
1591
1592  for (GCMetadataPrinterRegistry::iterator
1593         I = GCMetadataPrinterRegistry::begin(),
1594         E = GCMetadataPrinterRegistry::end(); I != E; ++I)
1595    if (strcmp(Name, I->getName()) == 0) {
1596      GCMetadataPrinter *GMP = I->instantiate();
1597      GMP->S = S;
1598      GCMetadataPrinters.insert(std::make_pair(S, GMP));
1599      return GMP;
1600    }
1601
1602  llvm_report_error("no GCMetadataPrinter registered for GC: " + Twine(Name));
1603  return 0;
1604}
1605
1606/// EmitComments - Pretty-print comments for instructions
1607void AsmPrinter::EmitComments(const MachineInstr &MI) const {
1608  if (!VerboseAsm)
1609    return;
1610
1611  bool Newline = false;
1612
1613  if (!MI.getDebugLoc().isUnknown()) {
1614    DILocation DLT = MF->getDILocation(MI.getDebugLoc());
1615
1616    // Print source line info.
1617    O.PadToColumn(MAI->getCommentColumn());
1618    O << MAI->getCommentString() << ' ';
1619    DIScope Scope = DLT.getScope();
1620    // Omit the directory, because it's likely to be long and uninteresting.
1621    if (!Scope.isNull())
1622      O << Scope.getFilename();
1623    else
1624      O << "<unknown>";
1625    O << ':' << DLT.getLineNumber();
1626    if (DLT.getColumnNumber() != 0)
1627      O << ':' << DLT.getColumnNumber();
1628    Newline = true;
1629  }
1630
1631  // Check for spills and reloads
1632  int FI;
1633
1634  const MachineFrameInfo *FrameInfo =
1635    MI.getParent()->getParent()->getFrameInfo();
1636
1637  // We assume a single instruction only has a spill or reload, not
1638  // both.
1639  const MachineMemOperand *MMO;
1640  if (TM.getInstrInfo()->isLoadFromStackSlotPostFE(&MI, FI)) {
1641    if (FrameInfo->isSpillSlotObjectIndex(FI)) {
1642      MMO = *MI.memoperands_begin();
1643      if (Newline) O << '\n';
1644      O.PadToColumn(MAI->getCommentColumn());
1645      O << MAI->getCommentString() << ' ' << MMO->getSize() << "-byte Reload";
1646      Newline = true;
1647    }
1648  }
1649  else if (TM.getInstrInfo()->hasLoadFromStackSlot(&MI, MMO, FI)) {
1650    if (FrameInfo->isSpillSlotObjectIndex(FI)) {
1651      if (Newline) O << '\n';
1652      O.PadToColumn(MAI->getCommentColumn());
1653      O << MAI->getCommentString() << ' '
1654        << MMO->getSize() << "-byte Folded Reload";
1655      Newline = true;
1656    }
1657  }
1658  else if (TM.getInstrInfo()->isStoreToStackSlotPostFE(&MI, FI)) {
1659    if (FrameInfo->isSpillSlotObjectIndex(FI)) {
1660      MMO = *MI.memoperands_begin();
1661      if (Newline) O << '\n';
1662      O.PadToColumn(MAI->getCommentColumn());
1663      O << MAI->getCommentString() << ' ' << MMO->getSize() << "-byte Spill";
1664      Newline = true;
1665    }
1666  }
1667  else if (TM.getInstrInfo()->hasStoreToStackSlot(&MI, MMO, FI)) {
1668    if (FrameInfo->isSpillSlotObjectIndex(FI)) {
1669      if (Newline) O << '\n';
1670      O.PadToColumn(MAI->getCommentColumn());
1671      O << MAI->getCommentString() << ' '
1672        << MMO->getSize() << "-byte Folded Spill";
1673      Newline = true;
1674    }
1675  }
1676
1677  // Check for spill-induced copies
1678  unsigned SrcReg, DstReg, SrcSubIdx, DstSubIdx;
1679  if (TM.getInstrInfo()->isMoveInstr(MI, SrcReg, DstReg,
1680                                      SrcSubIdx, DstSubIdx)) {
1681    if (MI.getAsmPrinterFlag(ReloadReuse)) {
1682      if (Newline) O << '\n';
1683      O.PadToColumn(MAI->getCommentColumn());
1684      O << MAI->getCommentString() << " Reload Reuse";
1685    }
1686  }
1687}
1688
1689