]> CyberLeo.Net >> Repos - FreeBSD/releng/10.0.git/blob - contrib/llvm/tools/llvm-objdump/llvm-objdump.cpp
- Copy stable/10 (r259064) to releng/10.0 as part of the
[FreeBSD/releng/10.0.git] / contrib / llvm / tools / llvm-objdump / llvm-objdump.cpp
1 //===-- llvm-objdump.cpp - Object file dumping utility for llvm -----------===//
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 program is a utility that works like binutils "objdump", that is, it
11 // dumps out a plethora of information about an object file depending on the
12 // flags.
13 //
14 // The flags and output of this program should be near identical to those of
15 // binutils objdump.
16 //
17 //===----------------------------------------------------------------------===//
18
19 #include "llvm-objdump.h"
20 #include "MCFunction.h"
21 #include "llvm/ADT/OwningPtr.h"
22 #include "llvm/ADT/STLExtras.h"
23 #include "llvm/ADT/StringExtras.h"
24 #include "llvm/ADT/Triple.h"
25 #include "llvm/MC/MCAsmInfo.h"
26 #include "llvm/MC/MCDisassembler.h"
27 #include "llvm/MC/MCInst.h"
28 #include "llvm/MC/MCInstPrinter.h"
29 #include "llvm/MC/MCInstrInfo.h"
30 #include "llvm/MC/MCRegisterInfo.h"
31 #include "llvm/MC/MCSubtargetInfo.h"
32 #include "llvm/Object/Archive.h"
33 #include "llvm/Object/COFF.h"
34 #include "llvm/Object/MachO.h"
35 #include "llvm/Object/ObjectFile.h"
36 #include "llvm/Support/Casting.h"
37 #include "llvm/Support/CommandLine.h"
38 #include "llvm/Support/Debug.h"
39 #include "llvm/Support/FileSystem.h"
40 #include "llvm/Support/Format.h"
41 #include "llvm/Support/GraphWriter.h"
42 #include "llvm/Support/Host.h"
43 #include "llvm/Support/ManagedStatic.h"
44 #include "llvm/Support/MemoryBuffer.h"
45 #include "llvm/Support/MemoryObject.h"
46 #include "llvm/Support/PrettyStackTrace.h"
47 #include "llvm/Support/Signals.h"
48 #include "llvm/Support/SourceMgr.h"
49 #include "llvm/Support/TargetRegistry.h"
50 #include "llvm/Support/TargetSelect.h"
51 #include "llvm/Support/raw_ostream.h"
52 #include "llvm/Support/system_error.h"
53 #include <algorithm>
54 #include <cctype>
55 #include <cstring>
56 using namespace llvm;
57 using namespace object;
58
59 static cl::list<std::string>
60 InputFilenames(cl::Positional, cl::desc("<input object files>"),cl::ZeroOrMore);
61
62 static cl::opt<bool>
63 Disassemble("disassemble",
64   cl::desc("Display assembler mnemonics for the machine instructions"));
65 static cl::alias
66 Disassembled("d", cl::desc("Alias for --disassemble"),
67              cl::aliasopt(Disassemble));
68
69 static cl::opt<bool>
70 Relocations("r", cl::desc("Display the relocation entries in the file"));
71
72 static cl::opt<bool>
73 SectionContents("s", cl::desc("Display the content of each section"));
74
75 static cl::opt<bool>
76 SymbolTable("t", cl::desc("Display the symbol table"));
77
78 static cl::opt<bool>
79 MachOOpt("macho", cl::desc("Use MachO specific object file parser"));
80 static cl::alias
81 MachOm("m", cl::desc("Alias for --macho"), cl::aliasopt(MachOOpt));
82
83 cl::opt<std::string>
84 llvm::TripleName("triple", cl::desc("Target triple to disassemble for, "
85                                     "see -version for available targets"));
86
87 cl::opt<std::string>
88 llvm::ArchName("arch", cl::desc("Target arch to disassemble for, "
89                                 "see -version for available targets"));
90
91 static cl::opt<bool>
92 SectionHeaders("section-headers", cl::desc("Display summaries of the headers "
93                                            "for each section."));
94 static cl::alias
95 SectionHeadersShort("headers", cl::desc("Alias for --section-headers"),
96                     cl::aliasopt(SectionHeaders));
97 static cl::alias
98 SectionHeadersShorter("h", cl::desc("Alias for --section-headers"),
99                       cl::aliasopt(SectionHeaders));
100
101 static cl::list<std::string>
102 MAttrs("mattr",
103   cl::CommaSeparated,
104   cl::desc("Target specific attributes"),
105   cl::value_desc("a1,+a2,-a3,..."));
106
107 static cl::opt<bool>
108 NoShowRawInsn("no-show-raw-insn", cl::desc("When disassembling instructions, "
109                                            "do not print the instruction bytes."));
110
111 static cl::opt<bool>
112 UnwindInfo("unwind-info", cl::desc("Display unwind information"));
113
114 static cl::alias
115 UnwindInfoShort("u", cl::desc("Alias for --unwind-info"),
116                 cl::aliasopt(UnwindInfo));
117
118 static cl::opt<bool>
119 PrivateHeaders("private-headers",
120                cl::desc("Display format specific file headers"));
121
122 static cl::alias
123 PrivateHeadersShort("p", cl::desc("Alias for --private-headers"),
124                     cl::aliasopt(PrivateHeaders));
125
126 static StringRef ToolName;
127
128 bool llvm::error(error_code ec) {
129   if (!ec) return false;
130
131   outs() << ToolName << ": error reading file: " << ec.message() << ".\n";
132   outs().flush();
133   return true;
134 }
135
136 static const Target *getTarget(const ObjectFile *Obj = NULL) {
137   // Figure out the target triple.
138   llvm::Triple TheTriple("unknown-unknown-unknown");
139   if (TripleName.empty()) {
140     if (Obj)
141       TheTriple.setArch(Triple::ArchType(Obj->getArch()));
142   } else
143     TheTriple.setTriple(Triple::normalize(TripleName));
144
145   // Get the target specific parser.
146   std::string Error;
147   const Target *TheTarget = TargetRegistry::lookupTarget(ArchName, TheTriple,
148                                                          Error);
149   if (!TheTarget) {
150     errs() << ToolName << ": " << Error;
151     return 0;
152   }
153
154   // Update the triple name and return the found target.
155   TripleName = TheTriple.getTriple();
156   return TheTarget;
157 }
158
159 void llvm::StringRefMemoryObject::anchor() { }
160
161 void llvm::DumpBytes(StringRef bytes) {
162   static const char hex_rep[] = "0123456789abcdef";
163   // FIXME: The real way to do this is to figure out the longest instruction
164   //        and align to that size before printing. I'll fix this when I get
165   //        around to outputting relocations.
166   // 15 is the longest x86 instruction
167   // 3 is for the hex rep of a byte + a space.
168   // 1 is for the null terminator.
169   enum { OutputSize = (15 * 3) + 1 };
170   char output[OutputSize];
171
172   assert(bytes.size() <= 15
173     && "DumpBytes only supports instructions of up to 15 bytes");
174   memset(output, ' ', sizeof(output));
175   unsigned index = 0;
176   for (StringRef::iterator i = bytes.begin(),
177                            e = bytes.end(); i != e; ++i) {
178     output[index] = hex_rep[(*i & 0xF0) >> 4];
179     output[index + 1] = hex_rep[*i & 0xF];
180     index += 3;
181   }
182
183   output[sizeof(output) - 1] = 0;
184   outs() << output;
185 }
186
187 bool llvm::RelocAddressLess(RelocationRef a, RelocationRef b) {
188   uint64_t a_addr, b_addr;
189   if (error(a.getOffset(a_addr))) return false;
190   if (error(b.getOffset(b_addr))) return false;
191   return a_addr < b_addr;
192 }
193
194 static void DisassembleObject(const ObjectFile *Obj, bool InlineRelocs) {
195   const Target *TheTarget = getTarget(Obj);
196   // getTarget() will have already issued a diagnostic if necessary, so
197   // just bail here if it failed.
198   if (!TheTarget)
199     return;
200
201   // Package up features to be passed to target/subtarget
202   std::string FeaturesStr;
203   if (MAttrs.size()) {
204     SubtargetFeatures Features;
205     for (unsigned i = 0; i != MAttrs.size(); ++i)
206       Features.AddFeature(MAttrs[i]);
207     FeaturesStr = Features.getString();
208   }
209
210   error_code ec;
211   for (section_iterator i = Obj->begin_sections(),
212                         e = Obj->end_sections();
213                         i != e; i.increment(ec)) {
214     if (error(ec)) break;
215     bool text;
216     if (error(i->isText(text))) break;
217     if (!text) continue;
218
219     uint64_t SectionAddr;
220     if (error(i->getAddress(SectionAddr))) break;
221
222     // Make a list of all the symbols in this section.
223     std::vector<std::pair<uint64_t, StringRef> > Symbols;
224     for (symbol_iterator si = Obj->begin_symbols(),
225                          se = Obj->end_symbols();
226                          si != se; si.increment(ec)) {
227       bool contains;
228       if (!error(i->containsSymbol(*si, contains)) && contains) {
229         uint64_t Address;
230         if (error(si->getAddress(Address))) break;
231         if (Address == UnknownAddressOrSize) continue;
232         Address -= SectionAddr;
233
234         StringRef Name;
235         if (error(si->getName(Name))) break;
236         Symbols.push_back(std::make_pair(Address, Name));
237       }
238     }
239
240     // Sort the symbols by address, just in case they didn't come in that way.
241     array_pod_sort(Symbols.begin(), Symbols.end());
242
243     // Make a list of all the relocations for this section.
244     std::vector<RelocationRef> Rels;
245     if (InlineRelocs) {
246       for (relocation_iterator ri = i->begin_relocations(),
247                                re = i->end_relocations();
248                                ri != re; ri.increment(ec)) {
249         if (error(ec)) break;
250         Rels.push_back(*ri);
251       }
252     }
253
254     // Sort relocations by address.
255     std::sort(Rels.begin(), Rels.end(), RelocAddressLess);
256
257     StringRef SegmentName = "";
258     if (const MachOObjectFile *MachO =
259         dyn_cast<const MachOObjectFile>(Obj)) {
260       DataRefImpl DR = i->getRawDataRefImpl();
261       SegmentName = MachO->getSectionFinalSegmentName(DR);
262     }
263     StringRef name;
264     if (error(i->getName(name))) break;
265     outs() << "Disassembly of section ";
266     if (!SegmentName.empty())
267       outs() << SegmentName << ",";
268     outs() << name << ':';
269
270     // If the section has no symbols just insert a dummy one and disassemble
271     // the whole section.
272     if (Symbols.empty())
273       Symbols.push_back(std::make_pair(0, name));
274
275     // Set up disassembler.
276     OwningPtr<const MCAsmInfo> AsmInfo(TheTarget->createMCAsmInfo(TripleName));
277
278     if (!AsmInfo) {
279       errs() << "error: no assembly info for target " << TripleName << "\n";
280       return;
281     }
282
283     OwningPtr<const MCSubtargetInfo> STI(
284       TheTarget->createMCSubtargetInfo(TripleName, "", FeaturesStr));
285
286     if (!STI) {
287       errs() << "error: no subtarget info for target " << TripleName << "\n";
288       return;
289     }
290
291     OwningPtr<const MCDisassembler> DisAsm(
292       TheTarget->createMCDisassembler(*STI));
293     if (!DisAsm) {
294       errs() << "error: no disassembler for target " << TripleName << "\n";
295       return;
296     }
297
298     OwningPtr<const MCRegisterInfo> MRI(TheTarget->createMCRegInfo(TripleName));
299     if (!MRI) {
300       errs() << "error: no register info for target " << TripleName << "\n";
301       return;
302     }
303
304     OwningPtr<const MCInstrInfo> MII(TheTarget->createMCInstrInfo());
305     if (!MII) {
306       errs() << "error: no instruction info for target " << TripleName << "\n";
307       return;
308     }
309
310     int AsmPrinterVariant = AsmInfo->getAssemblerDialect();
311     OwningPtr<MCInstPrinter> IP(TheTarget->createMCInstPrinter(
312                                 AsmPrinterVariant, *AsmInfo, *MII, *MRI, *STI));
313     if (!IP) {
314       errs() << "error: no instruction printer for target " << TripleName
315              << '\n';
316       return;
317     }
318
319     StringRef Bytes;
320     if (error(i->getContents(Bytes))) break;
321     StringRefMemoryObject memoryObject(Bytes);
322     uint64_t Size;
323     uint64_t Index;
324     uint64_t SectSize;
325     if (error(i->getSize(SectSize))) break;
326
327     std::vector<RelocationRef>::const_iterator rel_cur = Rels.begin();
328     std::vector<RelocationRef>::const_iterator rel_end = Rels.end();
329     // Disassemble symbol by symbol.
330     for (unsigned si = 0, se = Symbols.size(); si != se; ++si) {
331       uint64_t Start = Symbols[si].first;
332       uint64_t End;
333       // The end is either the size of the section or the beginning of the next
334       // symbol.
335       if (si == se - 1)
336         End = SectSize;
337       // Make sure this symbol takes up space.
338       else if (Symbols[si + 1].first != Start)
339         End = Symbols[si + 1].first - 1;
340       else
341         // This symbol has the same address as the next symbol. Skip it.
342         continue;
343
344       outs() << '\n' << Symbols[si].second << ":\n";
345
346 #ifndef NDEBUG
347         raw_ostream &DebugOut = DebugFlag ? dbgs() : nulls();
348 #else
349         raw_ostream &DebugOut = nulls();
350 #endif
351
352       for (Index = Start; Index < End; Index += Size) {
353         MCInst Inst;
354
355         if (DisAsm->getInstruction(Inst, Size, memoryObject, Index,
356                                    DebugOut, nulls())) {
357           outs() << format("%8" PRIx64 ":", SectionAddr + Index);
358           if (!NoShowRawInsn) {
359             outs() << "\t";
360             DumpBytes(StringRef(Bytes.data() + Index, Size));
361           }
362           IP->printInst(&Inst, outs(), "");
363           outs() << "\n";
364         } else {
365           errs() << ToolName << ": warning: invalid instruction encoding\n";
366           if (Size == 0)
367             Size = 1; // skip illegible bytes
368         }
369
370         // Print relocation for instruction.
371         while (rel_cur != rel_end) {
372           bool hidden = false;
373           uint64_t addr;
374           SmallString<16> name;
375           SmallString<32> val;
376
377           // If this relocation is hidden, skip it.
378           if (error(rel_cur->getHidden(hidden))) goto skip_print_rel;
379           if (hidden) goto skip_print_rel;
380
381           if (error(rel_cur->getOffset(addr))) goto skip_print_rel;
382           // Stop when rel_cur's address is past the current instruction.
383           if (addr >= Index + Size) break;
384           if (error(rel_cur->getTypeName(name))) goto skip_print_rel;
385           if (error(rel_cur->getValueString(val))) goto skip_print_rel;
386
387           outs() << format("\t\t\t%8" PRIx64 ": ", SectionAddr + addr) << name
388                  << "\t" << val << "\n";
389
390         skip_print_rel:
391           ++rel_cur;
392         }
393       }
394     }
395   }
396 }
397
398 static void PrintRelocations(const ObjectFile *o) {
399   error_code ec;
400   for (section_iterator si = o->begin_sections(), se = o->end_sections();
401                                                   si != se; si.increment(ec)){
402     if (error(ec)) return;
403     if (si->begin_relocations() == si->end_relocations())
404       continue;
405     StringRef secname;
406     if (error(si->getName(secname))) continue;
407     outs() << "RELOCATION RECORDS FOR [" << secname << "]:\n";
408     for (relocation_iterator ri = si->begin_relocations(),
409                              re = si->end_relocations();
410                              ri != re; ri.increment(ec)) {
411       if (error(ec)) return;
412
413       bool hidden;
414       uint64_t address;
415       SmallString<32> relocname;
416       SmallString<32> valuestr;
417       if (error(ri->getHidden(hidden))) continue;
418       if (hidden) continue;
419       if (error(ri->getTypeName(relocname))) continue;
420       if (error(ri->getOffset(address))) continue;
421       if (error(ri->getValueString(valuestr))) continue;
422       outs() << address << " " << relocname << " " << valuestr << "\n";
423     }
424     outs() << "\n";
425   }
426 }
427
428 static void PrintSectionHeaders(const ObjectFile *o) {
429   outs() << "Sections:\n"
430             "Idx Name          Size      Address          Type\n";
431   error_code ec;
432   unsigned i = 0;
433   for (section_iterator si = o->begin_sections(), se = o->end_sections();
434                                                   si != se; si.increment(ec)) {
435     if (error(ec)) return;
436     StringRef Name;
437     if (error(si->getName(Name))) return;
438     uint64_t Address;
439     if (error(si->getAddress(Address))) return;
440     uint64_t Size;
441     if (error(si->getSize(Size))) return;
442     bool Text, Data, BSS;
443     if (error(si->isText(Text))) return;
444     if (error(si->isData(Data))) return;
445     if (error(si->isBSS(BSS))) return;
446     std::string Type = (std::string(Text ? "TEXT " : "") +
447                         (Data ? "DATA " : "") + (BSS ? "BSS" : ""));
448     outs() << format("%3d %-13s %08" PRIx64 " %016" PRIx64 " %s\n",
449                      i, Name.str().c_str(), Size, Address, Type.c_str());
450     ++i;
451   }
452 }
453
454 static void PrintSectionContents(const ObjectFile *o) {
455   error_code ec;
456   for (section_iterator si = o->begin_sections(),
457                         se = o->end_sections();
458                         si != se; si.increment(ec)) {
459     if (error(ec)) return;
460     StringRef Name;
461     StringRef Contents;
462     uint64_t BaseAddr;
463     bool BSS;
464     if (error(si->getName(Name))) continue;
465     if (error(si->getContents(Contents))) continue;
466     if (error(si->getAddress(BaseAddr))) continue;
467     if (error(si->isBSS(BSS))) continue;
468
469     outs() << "Contents of section " << Name << ":\n";
470     if (BSS) {
471       outs() << format("<skipping contents of bss section at [%04" PRIx64
472                        ", %04" PRIx64 ")>\n", BaseAddr,
473                        BaseAddr + Contents.size());
474       continue;
475     }
476
477     // Dump out the content as hex and printable ascii characters.
478     for (std::size_t addr = 0, end = Contents.size(); addr < end; addr += 16) {
479       outs() << format(" %04" PRIx64 " ", BaseAddr + addr);
480       // Dump line of hex.
481       for (std::size_t i = 0; i < 16; ++i) {
482         if (i != 0 && i % 4 == 0)
483           outs() << ' ';
484         if (addr + i < end)
485           outs() << hexdigit((Contents[addr + i] >> 4) & 0xF, true)
486                  << hexdigit(Contents[addr + i] & 0xF, true);
487         else
488           outs() << "  ";
489       }
490       // Print ascii.
491       outs() << "  ";
492       for (std::size_t i = 0; i < 16 && addr + i < end; ++i) {
493         if (std::isprint(static_cast<unsigned char>(Contents[addr + i]) & 0xFF))
494           outs() << Contents[addr + i];
495         else
496           outs() << ".";
497       }
498       outs() << "\n";
499     }
500   }
501 }
502
503 static void PrintCOFFSymbolTable(const COFFObjectFile *coff) {
504   const coff_file_header *header;
505   if (error(coff->getHeader(header))) return;
506   int aux_count = 0;
507   const coff_symbol *symbol = 0;
508   for (int i = 0, e = header->NumberOfSymbols; i != e; ++i) {
509     if (aux_count--) {
510       // Figure out which type of aux this is.
511       if (symbol->StorageClass == COFF::IMAGE_SYM_CLASS_STATIC
512           && symbol->Value == 0) { // Section definition.
513         const coff_aux_section_definition *asd;
514         if (error(coff->getAuxSymbol<coff_aux_section_definition>(i, asd)))
515           return;
516         outs() << "AUX "
517                << format("scnlen 0x%x nreloc %d nlnno %d checksum 0x%x "
518                          , unsigned(asd->Length)
519                          , unsigned(asd->NumberOfRelocations)
520                          , unsigned(asd->NumberOfLinenumbers)
521                          , unsigned(asd->CheckSum))
522                << format("assoc %d comdat %d\n"
523                          , unsigned(asd->Number)
524                          , unsigned(asd->Selection));
525       } else
526         outs() << "AUX Unknown\n";
527     } else {
528       StringRef name;
529       if (error(coff->getSymbol(i, symbol))) return;
530       if (error(coff->getSymbolName(symbol, name))) return;
531       outs() << "[" << format("%2d", i) << "]"
532              << "(sec " << format("%2d", int(symbol->SectionNumber)) << ")"
533              << "(fl 0x00)" // Flag bits, which COFF doesn't have.
534              << "(ty " << format("%3x", unsigned(symbol->Type)) << ")"
535              << "(scl " << format("%3x", unsigned(symbol->StorageClass)) << ") "
536              << "(nx " << unsigned(symbol->NumberOfAuxSymbols) << ") "
537              << "0x" << format("%08x", unsigned(symbol->Value)) << " "
538              << name << "\n";
539       aux_count = symbol->NumberOfAuxSymbols;
540     }
541   }
542 }
543
544 static void PrintSymbolTable(const ObjectFile *o) {
545   outs() << "SYMBOL TABLE:\n";
546
547   if (const COFFObjectFile *coff = dyn_cast<const COFFObjectFile>(o))
548     PrintCOFFSymbolTable(coff);
549   else {
550     error_code ec;
551     for (symbol_iterator si = o->begin_symbols(),
552                          se = o->end_symbols(); si != se; si.increment(ec)) {
553       if (error(ec)) return;
554       StringRef Name;
555       uint64_t Address;
556       SymbolRef::Type Type;
557       uint64_t Size;
558       uint32_t Flags;
559       section_iterator Section = o->end_sections();
560       if (error(si->getName(Name))) continue;
561       if (error(si->getAddress(Address))) continue;
562       if (error(si->getFlags(Flags))) continue;
563       if (error(si->getType(Type))) continue;
564       if (error(si->getSize(Size))) continue;
565       if (error(si->getSection(Section))) continue;
566
567       bool Global = Flags & SymbolRef::SF_Global;
568       bool Weak = Flags & SymbolRef::SF_Weak;
569       bool Absolute = Flags & SymbolRef::SF_Absolute;
570
571       if (Address == UnknownAddressOrSize)
572         Address = 0;
573       if (Size == UnknownAddressOrSize)
574         Size = 0;
575       char GlobLoc = ' ';
576       if (Type != SymbolRef::ST_Unknown)
577         GlobLoc = Global ? 'g' : 'l';
578       char Debug = (Type == SymbolRef::ST_Debug || Type == SymbolRef::ST_File)
579                    ? 'd' : ' ';
580       char FileFunc = ' ';
581       if (Type == SymbolRef::ST_File)
582         FileFunc = 'f';
583       else if (Type == SymbolRef::ST_Function)
584         FileFunc = 'F';
585
586       const char *Fmt = o->getBytesInAddress() > 4 ? "%016" PRIx64 :
587                                                      "%08" PRIx64;
588
589       outs() << format(Fmt, Address) << " "
590              << GlobLoc // Local -> 'l', Global -> 'g', Neither -> ' '
591              << (Weak ? 'w' : ' ') // Weak?
592              << ' ' // Constructor. Not supported yet.
593              << ' ' // Warning. Not supported yet.
594              << ' ' // Indirect reference to another symbol.
595              << Debug // Debugging (d) or dynamic (D) symbol.
596              << FileFunc // Name of function (F), file (f) or object (O).
597              << ' ';
598       if (Absolute)
599         outs() << "*ABS*";
600       else if (Section == o->end_sections())
601         outs() << "*UND*";
602       else {
603         if (const MachOObjectFile *MachO =
604             dyn_cast<const MachOObjectFile>(o)) {
605           DataRefImpl DR = Section->getRawDataRefImpl();
606           StringRef SegmentName = MachO->getSectionFinalSegmentName(DR);
607           outs() << SegmentName << ",";
608         }
609         StringRef SectionName;
610         if (error(Section->getName(SectionName)))
611           SectionName = "";
612         outs() << SectionName;
613       }
614       outs() << '\t'
615              << format("%08" PRIx64 " ", Size)
616              << Name
617              << '\n';
618     }
619   }
620 }
621
622 static void PrintUnwindInfo(const ObjectFile *o) {
623   outs() << "Unwind info:\n\n";
624
625   if (const COFFObjectFile *coff = dyn_cast<COFFObjectFile>(o)) {
626     printCOFFUnwindInfo(coff);
627   } else {
628     // TODO: Extract DWARF dump tool to objdump.
629     errs() << "This operation is only currently supported "
630               "for COFF object files.\n";
631     return;
632   }
633 }
634
635 static void DumpObject(const ObjectFile *o) {
636   outs() << '\n';
637   outs() << o->getFileName()
638          << ":\tfile format " << o->getFileFormatName() << "\n\n";
639
640   if (Disassemble)
641     DisassembleObject(o, Relocations);
642   if (Relocations && !Disassemble)
643     PrintRelocations(o);
644   if (SectionHeaders)
645     PrintSectionHeaders(o);
646   if (SectionContents)
647     PrintSectionContents(o);
648   if (SymbolTable)
649     PrintSymbolTable(o);
650   if (UnwindInfo)
651     PrintUnwindInfo(o);
652   if (PrivateHeaders && o->isELF())
653     printELFFileHeader(o);
654 }
655
656 /// @brief Dump each object file in \a a;
657 static void DumpArchive(const Archive *a) {
658   for (Archive::child_iterator i = a->begin_children(),
659                                e = a->end_children(); i != e; ++i) {
660     OwningPtr<Binary> child;
661     if (error_code ec = i->getAsBinary(child)) {
662       // Ignore non-object files.
663       if (ec != object_error::invalid_file_type)
664         errs() << ToolName << ": '" << a->getFileName() << "': " << ec.message()
665                << ".\n";
666       continue;
667     }
668     if (ObjectFile *o = dyn_cast<ObjectFile>(child.get()))
669       DumpObject(o);
670     else
671       errs() << ToolName << ": '" << a->getFileName() << "': "
672               << "Unrecognized file type.\n";
673   }
674 }
675
676 /// @brief Open file and figure out how to dump it.
677 static void DumpInput(StringRef file) {
678   // If file isn't stdin, check that it exists.
679   if (file != "-" && !sys::fs::exists(file)) {
680     errs() << ToolName << ": '" << file << "': " << "No such file\n";
681     return;
682   }
683
684   if (MachOOpt && Disassemble) {
685     DisassembleInputMachO(file);
686     return;
687   }
688
689   // Attempt to open the binary.
690   OwningPtr<Binary> binary;
691   if (error_code ec = createBinary(file, binary)) {
692     errs() << ToolName << ": '" << file << "': " << ec.message() << ".\n";
693     return;
694   }
695
696   if (Archive *a = dyn_cast<Archive>(binary.get()))
697     DumpArchive(a);
698   else if (ObjectFile *o = dyn_cast<ObjectFile>(binary.get()))
699     DumpObject(o);
700   else
701     errs() << ToolName << ": '" << file << "': " << "Unrecognized file type.\n";
702 }
703
704 int main(int argc, char **argv) {
705   // Print a stack trace if we signal out.
706   sys::PrintStackTraceOnErrorSignal();
707   PrettyStackTraceProgram X(argc, argv);
708   llvm_shutdown_obj Y;  // Call llvm_shutdown() on exit.
709
710   // Initialize targets and assembly printers/parsers.
711   llvm::InitializeAllTargetInfos();
712   llvm::InitializeAllTargetMCs();
713   llvm::InitializeAllAsmParsers();
714   llvm::InitializeAllDisassemblers();
715
716   // Register the target printer for --version.
717   cl::AddExtraVersionPrinter(TargetRegistry::printRegisteredTargetsForVersion);
718
719   cl::ParseCommandLineOptions(argc, argv, "llvm object file dumper\n");
720   TripleName = Triple::normalize(TripleName);
721
722   ToolName = argv[0];
723
724   // Defaults to a.out if no filenames specified.
725   if (InputFilenames.size() == 0)
726     InputFilenames.push_back("a.out");
727
728   if (!Disassemble
729       && !Relocations
730       && !SectionHeaders
731       && !SectionContents
732       && !SymbolTable
733       && !UnwindInfo
734       && !PrivateHeaders) {
735     cl::PrintHelpMessage();
736     return 2;
737   }
738
739   std::for_each(InputFilenames.begin(), InputFilenames.end(),
740                 DumpInput);
741
742   return 0;
743 }