1 | //===-- llvm-nm.cpp - Symbol table dumping utility for llvm ---------------===// |
2 | // |
3 | // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions. |
4 | // See https://llvm.org/LICENSE.txt for license information. |
5 | // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception |
6 | // |
7 | //===----------------------------------------------------------------------===// |
8 | // |
9 | // This program is a utility that works like traditional Unix "nm", that is, it |
10 | // prints out the names of symbols in a bitcode or object file, along with some |
11 | // information about each symbol. |
12 | // |
13 | // This "nm" supports many of the features of GNU "nm", including its different |
14 | // output formats. |
15 | // |
16 | //===----------------------------------------------------------------------===// |
17 | |
18 | #include "llvm/ADT/StringSwitch.h" |
19 | #include "llvm/BinaryFormat/COFF.h" |
20 | #include "llvm/BinaryFormat/MachO.h" |
21 | #include "llvm/BinaryFormat/XCOFF.h" |
22 | #include "llvm/DebugInfo/Symbolize/Symbolize.h" |
23 | #include "llvm/Demangle/Demangle.h" |
24 | #include "llvm/IR/Function.h" |
25 | #include "llvm/IR/LLVMContext.h" |
26 | #include "llvm/Object/Archive.h" |
27 | #include "llvm/Object/COFF.h" |
28 | #include "llvm/Object/COFFImportFile.h" |
29 | #include "llvm/Object/ELFObjectFile.h" |
30 | #include "llvm/Object/IRObjectFile.h" |
31 | #include "llvm/Object/MachO.h" |
32 | #include "llvm/Object/MachOUniversal.h" |
33 | #include "llvm/Object/ObjectFile.h" |
34 | #include "llvm/Object/SymbolicFile.h" |
35 | #include "llvm/Object/TapiFile.h" |
36 | #include "llvm/Object/TapiUniversal.h" |
37 | #include "llvm/Object/Wasm.h" |
38 | #include "llvm/Object/XCOFFObjectFile.h" |
39 | #include "llvm/Option/Arg.h" |
40 | #include "llvm/Option/ArgList.h" |
41 | #include "llvm/Option/Option.h" |
42 | #include "llvm/Support/CommandLine.h" |
43 | #include "llvm/Support/FileSystem.h" |
44 | #include "llvm/Support/Format.h" |
45 | #include "llvm/Support/LLVMDriver.h" |
46 | #include "llvm/Support/MemoryBuffer.h" |
47 | #include "llvm/Support/Program.h" |
48 | #include "llvm/Support/Signals.h" |
49 | #include "llvm/Support/TargetSelect.h" |
50 | #include "llvm/Support/WithColor.h" |
51 | #include "llvm/Support/raw_ostream.h" |
52 | #include "llvm/TargetParser/Host.h" |
53 | #include "llvm/TargetParser/Triple.h" |
54 | #include <vector> |
55 | |
56 | using namespace llvm; |
57 | using namespace object; |
58 | |
59 | namespace { |
60 | using namespace llvm::opt; // for HelpHidden in Opts.inc |
61 | enum ID { |
62 | OPT_INVALID = 0, // This is not an option ID. |
63 | #define OPTION(...) LLVM_MAKE_OPT_ID(__VA_ARGS__), |
64 | #include "Opts.inc" |
65 | #undef OPTION |
66 | }; |
67 | |
68 | #define PREFIX(NAME, VALUE) \ |
69 | static constexpr StringLiteral NAME##_init[] = VALUE; \ |
70 | static constexpr ArrayRef<StringLiteral> NAME(NAME##_init, \ |
71 | std::size(NAME##_init) - 1); |
72 | #include "Opts.inc" |
73 | #undef PREFIX |
74 | |
75 | static constexpr opt::OptTable::Info InfoTable[] = { |
76 | #define OPTION(...) LLVM_CONSTRUCT_OPT_INFO(__VA_ARGS__), |
77 | #include "Opts.inc" |
78 | #undef OPTION |
79 | }; |
80 | |
81 | class NmOptTable : public opt::GenericOptTable { |
82 | public: |
83 | NmOptTable() : opt::GenericOptTable(InfoTable) { |
84 | setGroupedShortOptions(true); |
85 | } |
86 | }; |
87 | |
88 | enum OutputFormatTy { bsd, sysv, posix, darwin, just_symbols }; |
89 | enum class BitModeTy { Bit32, Bit64, Bit32_64, Any }; |
90 | } // namespace |
91 | |
92 | static bool ArchiveMap; |
93 | static BitModeTy BitMode; |
94 | static bool DebugSyms; |
95 | static bool DefinedOnly; |
96 | static bool Demangle; |
97 | static bool DynamicSyms; |
98 | static bool ExportSymbols; |
99 | static bool ExternalOnly; |
100 | static bool LineNumbers; |
101 | static OutputFormatTy OutputFormat; |
102 | static bool NoLLVMBitcode; |
103 | static bool NoSort; |
104 | static bool NoWeakSymbols; |
105 | static bool NumericSort; |
106 | static bool PrintFileName; |
107 | static bool PrintSize; |
108 | static bool Quiet; |
109 | static bool ReverseSort; |
110 | static bool SpecialSyms; |
111 | static bool SizeSort; |
112 | static bool UndefinedOnly; |
113 | static bool WithoutAliases; |
114 | |
115 | // XCOFF-specific options. |
116 | static bool NoRsrc; |
117 | |
118 | namespace { |
119 | enum Radix { d, o, x }; |
120 | } // namespace |
121 | static Radix AddressRadix; |
122 | |
123 | // Mach-O specific options. |
124 | static bool ArchAll = false; |
125 | static std::vector<StringRef> ArchFlags; |
126 | static bool AddDyldInfo; |
127 | static bool AddInlinedInfo; |
128 | static bool DyldInfoOnly; |
129 | static bool FormatMachOasHex; |
130 | static bool NoDyldInfo; |
131 | static std::vector<StringRef> SegSect; |
132 | static bool MachOPrintSizeWarning = false; |
133 | |
134 | // Miscellaneous states. |
135 | static bool PrintAddress = true; |
136 | static bool MultipleFiles = false; |
137 | static bool HadError = false; |
138 | |
139 | static StringRef ToolName; |
140 | |
141 | static void warn(Error Err, Twine FileName, Twine Context = Twine(), |
142 | Twine Archive = Twine()) { |
143 | assert(Err); |
144 | |
145 | // Flush the standard output so that the warning isn't interleaved with other |
146 | // output if stdout and stderr are writing to the same place. |
147 | outs().flush(); |
148 | |
149 | handleAllErrors(E: std::move(Err), Handlers: [&](const ErrorInfoBase &EI) { |
150 | WithColor::warning(OS&: errs(), Prefix: ToolName) |
151 | << (Archive.str().empty() ? FileName : Archive + "(" + FileName + ")" ) |
152 | << ": " << (Context.str().empty() ? "" : Context + ": " ) << EI.message() |
153 | << "\n" ; |
154 | }); |
155 | } |
156 | |
157 | static void error(Twine Message, Twine Path = Twine()) { |
158 | HadError = true; |
159 | WithColor::error(OS&: errs(), Prefix: ToolName) << Path << ": " << Message << "\n" ; |
160 | } |
161 | |
162 | static bool error(std::error_code EC, Twine Path = Twine()) { |
163 | if (EC) { |
164 | error(Message: EC.message(), Path); |
165 | return true; |
166 | } |
167 | return false; |
168 | } |
169 | |
170 | // This version of error() prints the archive name and member name, for example: |
171 | // "libx.a(foo.o)" after the ToolName before the error message. It sets |
172 | // HadError but returns allowing the code to move on to other archive members. |
173 | static void error(llvm::Error E, StringRef FileName, const Archive::Child &C, |
174 | StringRef ArchitectureName = StringRef()) { |
175 | HadError = true; |
176 | WithColor::error(OS&: errs(), Prefix: ToolName) << FileName; |
177 | |
178 | Expected<StringRef> NameOrErr = C.getName(); |
179 | // TODO: if we have a error getting the name then it would be nice to print |
180 | // the index of which archive member this is and or its offset in the |
181 | // archive instead of "???" as the name. |
182 | if (!NameOrErr) { |
183 | consumeError(Err: NameOrErr.takeError()); |
184 | errs() << "(" << "???" << ")" ; |
185 | } else |
186 | errs() << "(" << NameOrErr.get() << ")" ; |
187 | |
188 | if (!ArchitectureName.empty()) |
189 | errs() << " (for architecture " << ArchitectureName << ")" ; |
190 | |
191 | std::string Buf; |
192 | raw_string_ostream OS(Buf); |
193 | logAllUnhandledErrors(E: std::move(E), OS); |
194 | OS.flush(); |
195 | errs() << ": " << Buf << "\n" ; |
196 | } |
197 | |
198 | // This version of error() prints the file name and which architecture slice it |
199 | // is from, for example: "foo.o (for architecture i386)" after the ToolName |
200 | // before the error message. It sets HadError but returns allowing the code to |
201 | // move on to other architecture slices. |
202 | static void error(llvm::Error E, StringRef FileName, |
203 | StringRef ArchitectureName = StringRef()) { |
204 | HadError = true; |
205 | WithColor::error(OS&: errs(), Prefix: ToolName) << FileName; |
206 | |
207 | if (!ArchitectureName.empty()) |
208 | errs() << " (for architecture " << ArchitectureName << ")" ; |
209 | |
210 | std::string Buf; |
211 | raw_string_ostream OS(Buf); |
212 | logAllUnhandledErrors(E: std::move(E), OS); |
213 | OS.flush(); |
214 | errs() << ": " << Buf << "\n" ; |
215 | } |
216 | |
217 | namespace { |
218 | struct NMSymbol { |
219 | uint64_t Address; |
220 | uint64_t Size; |
221 | char TypeChar; |
222 | std::string Name; |
223 | StringRef SectionName; |
224 | StringRef TypeName; |
225 | BasicSymbolRef Sym; |
226 | StringRef Visibility; |
227 | |
228 | // The Sym field above points to the native symbol in the object file, |
229 | // for Mach-O when we are creating symbols from the dyld info the above |
230 | // pointer is null as there is no native symbol. In these cases the fields |
231 | // below are filled in to represent what would have been a Mach-O nlist |
232 | // native symbol. |
233 | uint32_t SymFlags; |
234 | SectionRef Section; |
235 | uint8_t NType; |
236 | uint8_t NSect; |
237 | uint16_t NDesc; |
238 | std::string IndirectName; |
239 | |
240 | bool isDefined() const { |
241 | if (Sym.getRawDataRefImpl().p) |
242 | return !(SymFlags & SymbolRef::SF_Undefined); |
243 | return TypeChar != 'U'; |
244 | } |
245 | |
246 | bool initializeFlags(const SymbolicFile &Obj) { |
247 | Expected<uint32_t> SymFlagsOrErr = Sym.getFlags(); |
248 | if (!SymFlagsOrErr) { |
249 | // TODO: Test this error. |
250 | error(E: SymFlagsOrErr.takeError(), FileName: Obj.getFileName()); |
251 | return false; |
252 | } |
253 | SymFlags = *SymFlagsOrErr; |
254 | return true; |
255 | } |
256 | |
257 | bool shouldPrint() const { |
258 | bool Undefined = SymFlags & SymbolRef::SF_Undefined; |
259 | bool Global = SymFlags & SymbolRef::SF_Global; |
260 | bool Weak = SymFlags & SymbolRef::SF_Weak; |
261 | bool FormatSpecific = SymFlags & SymbolRef::SF_FormatSpecific; |
262 | if ((!Undefined && UndefinedOnly) || (Undefined && DefinedOnly) || |
263 | (!Global && ExternalOnly) || (Weak && NoWeakSymbols) || |
264 | (FormatSpecific && !(SpecialSyms || DebugSyms))) |
265 | return false; |
266 | return true; |
267 | } |
268 | }; |
269 | |
270 | bool operator<(const NMSymbol &A, const NMSymbol &B) { |
271 | if (NumericSort) |
272 | return std::make_tuple(args: A.isDefined(), args: A.Address, args: A.Name, args: A.Size) < |
273 | std::make_tuple(args: B.isDefined(), args: B.Address, args: B.Name, args: B.Size); |
274 | if (SizeSort) |
275 | return std::make_tuple(args: A.Size, args: A.Name, args: A.Address) < |
276 | std::make_tuple(args: B.Size, args: B.Name, args: B.Address); |
277 | if (ExportSymbols) |
278 | return std::make_tuple(args: A.Name, args: A.Visibility) < |
279 | std::make_tuple(args: B.Name, args: B.Visibility); |
280 | return std::make_tuple(args: A.Name, args: A.Size, args: A.Address) < |
281 | std::make_tuple(args: B.Name, args: B.Size, args: B.Address); |
282 | } |
283 | |
284 | bool operator>(const NMSymbol &A, const NMSymbol &B) { return B < A; } |
285 | bool operator==(const NMSymbol &A, const NMSymbol &B) { |
286 | return !(A < B) && !(B < A); |
287 | } |
288 | } // anonymous namespace |
289 | |
290 | static StringRef CurrentFilename; |
291 | |
292 | static char getSymbolNMTypeChar(IRObjectFile &Obj, basic_symbol_iterator I); |
293 | |
294 | // darwinPrintSymbol() is used to print a symbol from a Mach-O file when the |
295 | // the OutputFormat is darwin or we are printing Mach-O symbols in hex. For |
296 | // the darwin format it produces the same output as darwin's nm(1) -m output |
297 | // and when printing Mach-O symbols in hex it produces the same output as |
298 | // darwin's nm(1) -x format. |
299 | static void darwinPrintSymbol(SymbolicFile &Obj, const NMSymbol &S, |
300 | char *SymbolAddrStr, const char *printBlanks, |
301 | const char *printDashes, |
302 | const char *printFormat) { |
303 | MachO::mach_header H; |
304 | MachO::mach_header_64 H_64; |
305 | uint32_t Filetype = MachO::MH_OBJECT; |
306 | uint32_t Flags = 0; |
307 | uint8_t NType = 0; |
308 | uint8_t NSect = 0; |
309 | uint16_t NDesc = 0; |
310 | uint32_t NStrx = 0; |
311 | uint64_t NValue = 0; |
312 | MachOObjectFile *MachO = dyn_cast<MachOObjectFile>(Val: &Obj); |
313 | if (Obj.isIR()) { |
314 | uint32_t SymFlags = cantFail(ValOrErr: S.Sym.getFlags()); |
315 | if (SymFlags & SymbolRef::SF_Global) |
316 | NType |= MachO::N_EXT; |
317 | if (SymFlags & SymbolRef::SF_Hidden) |
318 | NType |= MachO::N_PEXT; |
319 | if (SymFlags & SymbolRef::SF_Undefined) |
320 | NType |= MachO::N_EXT | MachO::N_UNDF; |
321 | else { |
322 | // Here we have a symbol definition. So to fake out a section name we |
323 | // use 1, 2 and 3 for section numbers. See below where they are used to |
324 | // print out fake section names. |
325 | NType |= MachO::N_SECT; |
326 | if (SymFlags & SymbolRef::SF_Const) |
327 | NSect = 3; |
328 | else if (SymFlags & SymbolRef::SF_Executable) |
329 | NSect = 1; |
330 | else |
331 | NSect = 2; |
332 | } |
333 | if (SymFlags & SymbolRef::SF_Weak) |
334 | NDesc |= MachO::N_WEAK_DEF; |
335 | } else { |
336 | DataRefImpl SymDRI = S.Sym.getRawDataRefImpl(); |
337 | if (MachO->is64Bit()) { |
338 | H_64 = MachO->MachOObjectFile::getHeader64(); |
339 | Filetype = H_64.filetype; |
340 | Flags = H_64.flags; |
341 | if (SymDRI.p){ |
342 | MachO::nlist_64 STE_64 = MachO->getSymbol64TableEntry(DRI: SymDRI); |
343 | NType = STE_64.n_type; |
344 | NSect = STE_64.n_sect; |
345 | NDesc = STE_64.n_desc; |
346 | NStrx = STE_64.n_strx; |
347 | NValue = STE_64.n_value; |
348 | } else { |
349 | NType = S.NType; |
350 | NSect = S.NSect; |
351 | NDesc = S.NDesc; |
352 | NStrx = 0; |
353 | NValue = S.Address; |
354 | } |
355 | } else { |
356 | H = MachO->MachOObjectFile::getHeader(); |
357 | Filetype = H.filetype; |
358 | Flags = H.flags; |
359 | if (SymDRI.p){ |
360 | MachO::nlist STE = MachO->getSymbolTableEntry(DRI: SymDRI); |
361 | NType = STE.n_type; |
362 | NSect = STE.n_sect; |
363 | NDesc = STE.n_desc; |
364 | NStrx = STE.n_strx; |
365 | NValue = STE.n_value; |
366 | } else { |
367 | NType = S.NType; |
368 | NSect = S.NSect; |
369 | NDesc = S.NDesc; |
370 | NStrx = 0; |
371 | NValue = S.Address; |
372 | } |
373 | } |
374 | } |
375 | |
376 | // If we are printing Mach-O symbols in hex do that and return. |
377 | if (FormatMachOasHex) { |
378 | outs() << format(Fmt: printFormat, Vals: NValue) << ' ' |
379 | << format(Fmt: "%02x %02x %04x %08x" , Vals: NType, Vals: NSect, Vals: NDesc, Vals: NStrx) << ' ' |
380 | << S.Name; |
381 | if ((NType & MachO::N_TYPE) == MachO::N_INDR) { |
382 | outs() << " (indirect for " ; |
383 | outs() << format(Fmt: printFormat, Vals: NValue) << ' '; |
384 | StringRef IndirectName; |
385 | if (S.Sym.getRawDataRefImpl().p) { |
386 | if (MachO->getIndirectName(Symb: S.Sym.getRawDataRefImpl(), Res&: IndirectName)) |
387 | outs() << "?)" ; |
388 | else |
389 | outs() << IndirectName << ")" ; |
390 | } else |
391 | outs() << S.IndirectName << ")" ; |
392 | } |
393 | outs() << "\n" ; |
394 | return; |
395 | } |
396 | |
397 | if (PrintAddress) { |
398 | if ((NType & MachO::N_TYPE) == MachO::N_INDR) |
399 | strcpy(dest: SymbolAddrStr, src: printBlanks); |
400 | if (Obj.isIR() && (NType & MachO::N_TYPE) == MachO::N_TYPE) |
401 | strcpy(dest: SymbolAddrStr, src: printDashes); |
402 | outs() << SymbolAddrStr << ' '; |
403 | } |
404 | |
405 | switch (NType & MachO::N_TYPE) { |
406 | case MachO::N_UNDF: |
407 | if (NValue != 0) { |
408 | outs() << "(common) " ; |
409 | if (MachO::GET_COMM_ALIGN(n_desc: NDesc) != 0) |
410 | outs() << "(alignment 2^" << (int)MachO::GET_COMM_ALIGN(n_desc: NDesc) << ") " ; |
411 | } else { |
412 | if ((NType & MachO::N_TYPE) == MachO::N_PBUD) |
413 | outs() << "(prebound " ; |
414 | else |
415 | outs() << "(" ; |
416 | if ((NDesc & MachO::REFERENCE_TYPE) == |
417 | MachO::REFERENCE_FLAG_UNDEFINED_LAZY) |
418 | outs() << "undefined [lazy bound]) " ; |
419 | else if ((NDesc & MachO::REFERENCE_TYPE) == |
420 | MachO::REFERENCE_FLAG_PRIVATE_UNDEFINED_LAZY) |
421 | outs() << "undefined [private lazy bound]) " ; |
422 | else if ((NDesc & MachO::REFERENCE_TYPE) == |
423 | MachO::REFERENCE_FLAG_PRIVATE_UNDEFINED_NON_LAZY) |
424 | outs() << "undefined [private]) " ; |
425 | else |
426 | outs() << "undefined) " ; |
427 | } |
428 | break; |
429 | case MachO::N_ABS: |
430 | outs() << "(absolute) " ; |
431 | break; |
432 | case MachO::N_INDR: |
433 | outs() << "(indirect) " ; |
434 | break; |
435 | case MachO::N_SECT: { |
436 | if (Obj.isIR()) { |
437 | // For llvm bitcode files print out a fake section name using the values |
438 | // use 1, 2 and 3 for section numbers as set above. |
439 | if (NSect == 1) |
440 | outs() << "(LTO,CODE) " ; |
441 | else if (NSect == 2) |
442 | outs() << "(LTO,DATA) " ; |
443 | else if (NSect == 3) |
444 | outs() << "(LTO,RODATA) " ; |
445 | else |
446 | outs() << "(?,?) " ; |
447 | break; |
448 | } |
449 | section_iterator Sec = SectionRef(); |
450 | if (S.Sym.getRawDataRefImpl().p) { |
451 | Expected<section_iterator> SecOrErr = |
452 | MachO->getSymbolSection(Symb: S.Sym.getRawDataRefImpl()); |
453 | if (!SecOrErr) { |
454 | consumeError(Err: SecOrErr.takeError()); |
455 | outs() << "(?,?) " ; |
456 | break; |
457 | } |
458 | Sec = *SecOrErr; |
459 | if (Sec == MachO->section_end()) { |
460 | outs() << "(?,?) " ; |
461 | break; |
462 | } |
463 | } else { |
464 | Sec = S.Section; |
465 | } |
466 | DataRefImpl Ref = Sec->getRawDataRefImpl(); |
467 | StringRef SectionName; |
468 | if (Expected<StringRef> NameOrErr = MachO->getSectionName(Sec: Ref)) |
469 | SectionName = *NameOrErr; |
470 | StringRef SegmentName = MachO->getSectionFinalSegmentName(Sec: Ref); |
471 | outs() << "(" << SegmentName << "," << SectionName << ") " ; |
472 | break; |
473 | } |
474 | default: |
475 | outs() << "(?) " ; |
476 | break; |
477 | } |
478 | |
479 | if (NType & MachO::N_EXT) { |
480 | if (NDesc & MachO::REFERENCED_DYNAMICALLY) |
481 | outs() << "[referenced dynamically] " ; |
482 | if (NType & MachO::N_PEXT) { |
483 | if ((NDesc & MachO::N_WEAK_DEF) == MachO::N_WEAK_DEF) |
484 | outs() << "weak private external " ; |
485 | else |
486 | outs() << "private external " ; |
487 | } else { |
488 | if ((NDesc & MachO::N_WEAK_REF) == MachO::N_WEAK_REF || |
489 | (NDesc & MachO::N_WEAK_DEF) == MachO::N_WEAK_DEF) { |
490 | if ((NDesc & (MachO::N_WEAK_REF | MachO::N_WEAK_DEF)) == |
491 | (MachO::N_WEAK_REF | MachO::N_WEAK_DEF)) |
492 | outs() << "weak external automatically hidden " ; |
493 | else |
494 | outs() << "weak external " ; |
495 | } else |
496 | outs() << "external " ; |
497 | } |
498 | } else { |
499 | if (NType & MachO::N_PEXT) |
500 | outs() << "non-external (was a private external) " ; |
501 | else |
502 | outs() << "non-external " ; |
503 | } |
504 | |
505 | if (Filetype == MachO::MH_OBJECT) { |
506 | if (NDesc & MachO::N_NO_DEAD_STRIP) |
507 | outs() << "[no dead strip] " ; |
508 | if ((NType & MachO::N_TYPE) != MachO::N_UNDF && |
509 | NDesc & MachO::N_SYMBOL_RESOLVER) |
510 | outs() << "[symbol resolver] " ; |
511 | if ((NType & MachO::N_TYPE) != MachO::N_UNDF && NDesc & MachO::N_ALT_ENTRY) |
512 | outs() << "[alt entry] " ; |
513 | if ((NType & MachO::N_TYPE) != MachO::N_UNDF && NDesc & MachO::N_COLD_FUNC) |
514 | outs() << "[cold func] " ; |
515 | } |
516 | |
517 | if ((NDesc & MachO::N_ARM_THUMB_DEF) == MachO::N_ARM_THUMB_DEF) |
518 | outs() << "[Thumb] " ; |
519 | |
520 | if ((NType & MachO::N_TYPE) == MachO::N_INDR) { |
521 | outs() << S.Name << " (for " ; |
522 | StringRef IndirectName; |
523 | if (MachO) { |
524 | if (S.Sym.getRawDataRefImpl().p) { |
525 | if (MachO->getIndirectName(Symb: S.Sym.getRawDataRefImpl(), Res&: IndirectName)) |
526 | outs() << "?)" ; |
527 | else |
528 | outs() << IndirectName << ")" ; |
529 | } else |
530 | outs() << S.IndirectName << ")" ; |
531 | } else |
532 | outs() << "?)" ; |
533 | } else |
534 | outs() << S.Name; |
535 | |
536 | if ((Flags & MachO::MH_TWOLEVEL) == MachO::MH_TWOLEVEL && |
537 | (((NType & MachO::N_TYPE) == MachO::N_UNDF && NValue == 0) || |
538 | (NType & MachO::N_TYPE) == MachO::N_PBUD)) { |
539 | uint32_t LibraryOrdinal = MachO::GET_LIBRARY_ORDINAL(n_desc: NDesc); |
540 | if (LibraryOrdinal != 0) { |
541 | if (LibraryOrdinal == MachO::EXECUTABLE_ORDINAL) |
542 | outs() << " (from executable)" ; |
543 | else if (LibraryOrdinal == MachO::DYNAMIC_LOOKUP_ORDINAL) |
544 | outs() << " (dynamically looked up)" ; |
545 | else { |
546 | StringRef LibraryName; |
547 | if (!MachO || |
548 | MachO->getLibraryShortNameByIndex(Index: LibraryOrdinal - 1, LibraryName)) |
549 | outs() << " (from bad library ordinal " << LibraryOrdinal << ")" ; |
550 | else |
551 | outs() << " (from " << LibraryName << ")" ; |
552 | } |
553 | } |
554 | } |
555 | } |
556 | |
557 | // Table that maps Darwin's Mach-O stab constants to strings to allow printing. |
558 | struct DarwinStabName { |
559 | uint8_t NType; |
560 | const char *Name; |
561 | }; |
562 | const struct DarwinStabName DarwinStabNames[] = { |
563 | {.NType: MachO::N_GSYM, .Name: "GSYM" }, {.NType: MachO::N_FNAME, .Name: "FNAME" }, |
564 | {.NType: MachO::N_FUN, .Name: "FUN" }, {.NType: MachO::N_STSYM, .Name: "STSYM" }, |
565 | {.NType: MachO::N_LCSYM, .Name: "LCSYM" }, {.NType: MachO::N_BNSYM, .Name: "BNSYM" }, |
566 | {.NType: MachO::N_PC, .Name: "PC" }, {.NType: MachO::N_AST, .Name: "AST" }, |
567 | {.NType: MachO::N_OPT, .Name: "OPT" }, {.NType: MachO::N_RSYM, .Name: "RSYM" }, |
568 | {.NType: MachO::N_SLINE, .Name: "SLINE" }, {.NType: MachO::N_ENSYM, .Name: "ENSYM" }, |
569 | {.NType: MachO::N_SSYM, .Name: "SSYM" }, {.NType: MachO::N_SO, .Name: "SO" }, |
570 | {.NType: MachO::N_OSO, .Name: "OSO" }, {.NType: MachO::N_LIB, .Name: "LIB" }, |
571 | {.NType: MachO::N_LSYM, .Name: "LSYM" }, {.NType: MachO::N_BINCL, .Name: "BINCL" }, |
572 | {.NType: MachO::N_SOL, .Name: "SOL" }, {.NType: MachO::N_PARAMS, .Name: "PARAM" }, |
573 | {.NType: MachO::N_VERSION, .Name: "VERS" }, {.NType: MachO::N_OLEVEL, .Name: "OLEV" }, |
574 | {.NType: MachO::N_PSYM, .Name: "PSYM" }, {.NType: MachO::N_EINCL, .Name: "EINCL" }, |
575 | {.NType: MachO::N_ENTRY, .Name: "ENTRY" }, {.NType: MachO::N_LBRAC, .Name: "LBRAC" }, |
576 | {.NType: MachO::N_EXCL, .Name: "EXCL" }, {.NType: MachO::N_RBRAC, .Name: "RBRAC" }, |
577 | {.NType: MachO::N_BCOMM, .Name: "BCOMM" }, {.NType: MachO::N_ECOMM, .Name: "ECOMM" }, |
578 | {.NType: MachO::N_ECOML, .Name: "ECOML" }, {.NType: MachO::N_LENG, .Name: "LENG" }, |
579 | }; |
580 | |
581 | static const char *getDarwinStabString(uint8_t NType) { |
582 | for (auto I : ArrayRef(DarwinStabNames)) |
583 | if (I.NType == NType) |
584 | return I.Name; |
585 | return nullptr; |
586 | } |
587 | |
588 | // darwinPrintStab() prints the n_sect, n_desc along with a symbolic name of |
589 | // a stab n_type value in a Mach-O file. |
590 | static void darwinPrintStab(MachOObjectFile *MachO, const NMSymbol &S) { |
591 | MachO::nlist_64 STE_64; |
592 | MachO::nlist STE; |
593 | uint8_t NType; |
594 | uint8_t NSect; |
595 | uint16_t NDesc; |
596 | DataRefImpl SymDRI = S.Sym.getRawDataRefImpl(); |
597 | if (MachO->is64Bit()) { |
598 | STE_64 = MachO->getSymbol64TableEntry(DRI: SymDRI); |
599 | NType = STE_64.n_type; |
600 | NSect = STE_64.n_sect; |
601 | NDesc = STE_64.n_desc; |
602 | } else { |
603 | STE = MachO->getSymbolTableEntry(DRI: SymDRI); |
604 | NType = STE.n_type; |
605 | NSect = STE.n_sect; |
606 | NDesc = STE.n_desc; |
607 | } |
608 | |
609 | outs() << format(Fmt: " %02x %04x " , Vals: NSect, Vals: NDesc); |
610 | if (const char *stabString = getDarwinStabString(NType)) |
611 | outs() << format(Fmt: "%5.5s" , Vals: stabString); |
612 | else |
613 | outs() << format(Fmt: " %02x" , Vals: NType); |
614 | } |
615 | |
616 | static bool symbolIsDefined(const NMSymbol &Sym) { |
617 | return Sym.TypeChar != 'U' && Sym.TypeChar != 'w' && Sym.TypeChar != 'v'; |
618 | } |
619 | |
620 | static void writeFileName(raw_ostream &S, StringRef ArchiveName, |
621 | StringRef ArchitectureName) { |
622 | if (!ArchitectureName.empty()) |
623 | S << "(for architecture " << ArchitectureName << "):" ; |
624 | if (OutputFormat == posix && !ArchiveName.empty()) |
625 | S << ArchiveName << "[" << CurrentFilename << "]: " ; |
626 | else { |
627 | if (!ArchiveName.empty()) |
628 | S << ArchiveName << ":" ; |
629 | S << CurrentFilename << ": " ; |
630 | } |
631 | } |
632 | |
633 | static void sortSymbolList(std::vector<NMSymbol> &SymbolList) { |
634 | if (NoSort) |
635 | return; |
636 | |
637 | if (ReverseSort) |
638 | llvm::sort(C&: SymbolList, Comp: std::greater<>()); |
639 | else |
640 | llvm::sort(C&: SymbolList); |
641 | } |
642 | |
643 | static void printExportSymbolList(const std::vector<NMSymbol> &SymbolList) { |
644 | for (const NMSymbol &Sym : SymbolList) { |
645 | outs() << Sym.Name; |
646 | if (!Sym.Visibility.empty()) |
647 | outs() << ' ' << Sym.Visibility; |
648 | outs() << '\n'; |
649 | } |
650 | } |
651 | |
652 | static void printLineNumbers(symbolize::LLVMSymbolizer &Symbolizer, |
653 | const NMSymbol &S) { |
654 | const auto *Obj = dyn_cast<ObjectFile>(Val: S.Sym.getObject()); |
655 | if (!Obj) |
656 | return; |
657 | const SymbolRef Sym(S.Sym); |
658 | uint64_t SectionIndex = object::SectionedAddress::UndefSection; |
659 | section_iterator Sec = cantFail(ValOrErr: Sym.getSection()); |
660 | if (Sec != Obj->section_end()) |
661 | SectionIndex = Sec->getIndex(); |
662 | object::SectionedAddress Address = {.Address: cantFail(ValOrErr: Sym.getAddress()), .SectionIndex: SectionIndex}; |
663 | |
664 | std::string FileName; |
665 | uint32_t Line; |
666 | switch (S.TypeChar) { |
667 | // For undefined symbols, find the first relocation for that symbol with a |
668 | // line number. |
669 | case 'U': { |
670 | for (const SectionRef RelocsSec : Obj->sections()) { |
671 | if (RelocsSec.relocations().empty()) |
672 | continue; |
673 | SectionRef TextSec = *cantFail(ValOrErr: RelocsSec.getRelocatedSection()); |
674 | if (!TextSec.isText()) |
675 | continue; |
676 | for (const RelocationRef R : RelocsSec.relocations()) { |
677 | if (R.getSymbol() != Sym) |
678 | continue; |
679 | Expected<DILineInfo> ResOrErr = Symbolizer.symbolizeCode( |
680 | Obj: *Obj, ModuleOffset: {.Address: TextSec.getAddress() + R.getOffset(), .SectionIndex: SectionIndex}); |
681 | if (!ResOrErr) { |
682 | error(E: ResOrErr.takeError(), FileName: Obj->getFileName()); |
683 | return; |
684 | } |
685 | if (ResOrErr->FileName == DILineInfo::BadString) |
686 | return; |
687 | FileName = std::move(ResOrErr->FileName); |
688 | Line = ResOrErr->Line; |
689 | break; |
690 | } |
691 | if (!FileName.empty()) |
692 | break; |
693 | } |
694 | if (FileName.empty()) |
695 | return; |
696 | break; |
697 | } |
698 | case 't': |
699 | case 'T': { |
700 | Expected<DILineInfo> ResOrErr = Symbolizer.symbolizeCode(Obj: *Obj, ModuleOffset: Address); |
701 | if (!ResOrErr) { |
702 | error(E: ResOrErr.takeError(), FileName: Obj->getFileName()); |
703 | return; |
704 | } |
705 | if (ResOrErr->FileName == DILineInfo::BadString) |
706 | return; |
707 | FileName = std::move(ResOrErr->FileName); |
708 | Line = ResOrErr->Line; |
709 | break; |
710 | } |
711 | default: { |
712 | Expected<DIGlobal> ResOrErr = Symbolizer.symbolizeData(Obj: *Obj, ModuleOffset: Address); |
713 | if (!ResOrErr) { |
714 | error(E: ResOrErr.takeError(), FileName: Obj->getFileName()); |
715 | return; |
716 | } |
717 | if (ResOrErr->DeclFile.empty()) |
718 | return; |
719 | FileName = std::move(ResOrErr->DeclFile); |
720 | Line = ResOrErr->DeclLine; |
721 | break; |
722 | } |
723 | } |
724 | outs() << '\t' << FileName << ':' << Line; |
725 | } |
726 | |
727 | static void printSymbolList(SymbolicFile &Obj, |
728 | std::vector<NMSymbol> &SymbolList, bool printName, |
729 | StringRef ArchiveName, StringRef ArchitectureName) { |
730 | std::optional<symbolize::LLVMSymbolizer> Symbolizer; |
731 | if (LineNumbers) |
732 | Symbolizer.emplace(); |
733 | |
734 | if (!PrintFileName) { |
735 | if ((OutputFormat == bsd || OutputFormat == posix || |
736 | OutputFormat == just_symbols) && |
737 | MultipleFiles && printName) { |
738 | outs() << '\n' << CurrentFilename << ":\n" ; |
739 | } else if (OutputFormat == sysv) { |
740 | outs() << "\n\nSymbols from " << CurrentFilename << ":\n\n" ; |
741 | if (Obj.is64Bit()) |
742 | outs() << "Name Value Class Type" |
743 | << " Size Line Section\n" ; |
744 | else |
745 | outs() << "Name Value Class Type" |
746 | << " Size Line Section\n" ; |
747 | } |
748 | } |
749 | |
750 | const char *printBlanks, *printDashes, *printFormat; |
751 | if (Obj.is64Bit()) { |
752 | printBlanks = " " ; |
753 | printDashes = "----------------" ; |
754 | switch (AddressRadix) { |
755 | case Radix::o: |
756 | printFormat = OutputFormat == posix ? "%" PRIo64 : "%016" PRIo64; |
757 | break; |
758 | case Radix::x: |
759 | printFormat = OutputFormat == posix ? "%" PRIx64 : "%016" PRIx64; |
760 | break; |
761 | default: |
762 | printFormat = OutputFormat == posix ? "%" PRId64 : "%016" PRId64; |
763 | } |
764 | } else { |
765 | printBlanks = " " ; |
766 | printDashes = "--------" ; |
767 | switch (AddressRadix) { |
768 | case Radix::o: |
769 | printFormat = OutputFormat == posix ? "%" PRIo64 : "%08" PRIo64; |
770 | break; |
771 | case Radix::x: |
772 | printFormat = OutputFormat == posix ? "%" PRIx64 : "%08" PRIx64; |
773 | break; |
774 | default: |
775 | printFormat = OutputFormat == posix ? "%" PRId64 : "%08" PRId64; |
776 | } |
777 | } |
778 | |
779 | for (const NMSymbol &S : SymbolList) { |
780 | if (!S.shouldPrint()) |
781 | continue; |
782 | |
783 | std::string Name = S.Name; |
784 | MachOObjectFile *MachO = dyn_cast<MachOObjectFile>(Val: &Obj); |
785 | if (Demangle) |
786 | Name = demangle(MangledName: Name); |
787 | |
788 | if (PrintFileName) |
789 | writeFileName(S&: outs(), ArchiveName, ArchitectureName); |
790 | if ((OutputFormat == just_symbols || |
791 | (UndefinedOnly && MachO && OutputFormat != darwin)) && |
792 | OutputFormat != posix) { |
793 | outs() << Name << "\n" ; |
794 | continue; |
795 | } |
796 | |
797 | char SymbolAddrStr[23], SymbolSizeStr[23]; |
798 | |
799 | // If the format is SysV or the symbol isn't defined, then print spaces. |
800 | if (OutputFormat == sysv || !symbolIsDefined(Sym: S)) { |
801 | if (OutputFormat == posix) { |
802 | format(Fmt: printFormat, Vals: S.Address) |
803 | .print(Buffer: SymbolAddrStr, BufferSize: sizeof(SymbolAddrStr)); |
804 | format(Fmt: printFormat, Vals: S.Size).print(Buffer: SymbolSizeStr, BufferSize: sizeof(SymbolSizeStr)); |
805 | } else { |
806 | strcpy(dest: SymbolAddrStr, src: printBlanks); |
807 | strcpy(dest: SymbolSizeStr, src: printBlanks); |
808 | } |
809 | } |
810 | |
811 | if (symbolIsDefined(Sym: S)) { |
812 | // Otherwise, print the symbol address and size. |
813 | if (Obj.isIR()) |
814 | strcpy(dest: SymbolAddrStr, src: printDashes); |
815 | else if (MachO && S.TypeChar == 'I') |
816 | strcpy(dest: SymbolAddrStr, src: printBlanks); |
817 | else |
818 | format(Fmt: printFormat, Vals: S.Address) |
819 | .print(Buffer: SymbolAddrStr, BufferSize: sizeof(SymbolAddrStr)); |
820 | format(Fmt: printFormat, Vals: S.Size).print(Buffer: SymbolSizeStr, BufferSize: sizeof(SymbolSizeStr)); |
821 | } |
822 | |
823 | // If OutputFormat is darwin or we are printing Mach-O symbols in hex and |
824 | // we have a MachOObjectFile, call darwinPrintSymbol to print as darwin's |
825 | // nm(1) -m output or hex, else if OutputFormat is darwin or we are |
826 | // printing Mach-O symbols in hex and not a Mach-O object fall back to |
827 | // OutputFormat bsd (see below). |
828 | if ((OutputFormat == darwin || FormatMachOasHex) && (MachO || Obj.isIR())) { |
829 | darwinPrintSymbol(Obj, S, SymbolAddrStr, printBlanks, printDashes, |
830 | printFormat); |
831 | } else if (OutputFormat == posix) { |
832 | outs() << Name << " " << S.TypeChar << " " << SymbolAddrStr << " " |
833 | << (MachO ? "0" : SymbolSizeStr); |
834 | } else if (OutputFormat == bsd || (OutputFormat == darwin && !MachO)) { |
835 | if (PrintAddress) |
836 | outs() << SymbolAddrStr << ' '; |
837 | if (PrintSize) |
838 | outs() << SymbolSizeStr << ' '; |
839 | outs() << S.TypeChar; |
840 | if (S.TypeChar == '-' && MachO) |
841 | darwinPrintStab(MachO, S); |
842 | outs() << " " << Name; |
843 | if (S.TypeChar == 'I' && MachO) { |
844 | outs() << " (indirect for " ; |
845 | if (S.Sym.getRawDataRefImpl().p) { |
846 | StringRef IndirectName; |
847 | if (MachO->getIndirectName(Symb: S.Sym.getRawDataRefImpl(), Res&: IndirectName)) |
848 | outs() << "?)" ; |
849 | else |
850 | outs() << IndirectName << ")" ; |
851 | } else |
852 | outs() << S.IndirectName << ")" ; |
853 | } |
854 | } else if (OutputFormat == sysv) { |
855 | outs() << left_justify(Str: Name, Width: 20) << "|" << SymbolAddrStr << "| " |
856 | << S.TypeChar << " |" << right_justify(Str: S.TypeName, Width: 18) << "|" |
857 | << SymbolSizeStr << "| |" << S.SectionName; |
858 | } |
859 | if (LineNumbers) |
860 | printLineNumbers(Symbolizer&: *Symbolizer, S); |
861 | outs() << '\n'; |
862 | } |
863 | |
864 | SymbolList.clear(); |
865 | } |
866 | |
867 | static char getSymbolNMTypeChar(ELFObjectFileBase &Obj, |
868 | basic_symbol_iterator I) { |
869 | // OK, this is ELF |
870 | elf_symbol_iterator SymI(I); |
871 | |
872 | Expected<elf_section_iterator> SecIOrErr = SymI->getSection(); |
873 | if (!SecIOrErr) { |
874 | consumeError(Err: SecIOrErr.takeError()); |
875 | return '?'; |
876 | } |
877 | |
878 | uint8_t Binding = SymI->getBinding(); |
879 | if (Binding == ELF::STB_GNU_UNIQUE) |
880 | return 'u'; |
881 | |
882 | assert(Binding != ELF::STB_WEAK && "STB_WEAK not tested in calling function" ); |
883 | if (Binding != ELF::STB_GLOBAL && Binding != ELF::STB_LOCAL) |
884 | return '?'; |
885 | |
886 | elf_section_iterator SecI = *SecIOrErr; |
887 | if (SecI != Obj.section_end()) { |
888 | uint32_t Type = SecI->getType(); |
889 | uint64_t Flags = SecI->getFlags(); |
890 | if (Flags & ELF::SHF_EXECINSTR) |
891 | return 't'; |
892 | if (Type == ELF::SHT_NOBITS) |
893 | return 'b'; |
894 | if (Flags & ELF::SHF_ALLOC) |
895 | return Flags & ELF::SHF_WRITE ? 'd' : 'r'; |
896 | |
897 | auto NameOrErr = SecI->getName(); |
898 | if (!NameOrErr) { |
899 | consumeError(Err: NameOrErr.takeError()); |
900 | return '?'; |
901 | } |
902 | if ((*NameOrErr).starts_with(Prefix: ".debug" )) |
903 | return 'N'; |
904 | if (!(Flags & ELF::SHF_WRITE)) |
905 | return 'n'; |
906 | } |
907 | |
908 | return '?'; |
909 | } |
910 | |
911 | static char getSymbolNMTypeChar(COFFObjectFile &Obj, symbol_iterator I) { |
912 | COFFSymbolRef Symb = Obj.getCOFFSymbol(Symbol: *I); |
913 | // OK, this is COFF. |
914 | symbol_iterator SymI(I); |
915 | |
916 | Expected<StringRef> Name = SymI->getName(); |
917 | if (!Name) { |
918 | consumeError(Err: Name.takeError()); |
919 | return '?'; |
920 | } |
921 | |
922 | char Ret = StringSwitch<char>(*Name) |
923 | .StartsWith(S: ".debug" , Value: 'N') |
924 | .StartsWith(S: ".sxdata" , Value: 'N') |
925 | .Default(Value: '?'); |
926 | |
927 | if (Ret != '?') |
928 | return Ret; |
929 | |
930 | uint32_t Characteristics = 0; |
931 | if (!COFF::isReservedSectionNumber(SectionNumber: Symb.getSectionNumber())) { |
932 | Expected<section_iterator> SecIOrErr = SymI->getSection(); |
933 | if (!SecIOrErr) { |
934 | consumeError(Err: SecIOrErr.takeError()); |
935 | return '?'; |
936 | } |
937 | section_iterator SecI = *SecIOrErr; |
938 | const coff_section *Section = Obj.getCOFFSection(Section: *SecI); |
939 | Characteristics = Section->Characteristics; |
940 | if (Expected<StringRef> NameOrErr = Obj.getSectionName(Sec: Section)) |
941 | if (NameOrErr->starts_with(Prefix: ".idata" )) |
942 | return 'i'; |
943 | } |
944 | |
945 | switch (Symb.getSectionNumber()) { |
946 | case COFF::IMAGE_SYM_DEBUG: |
947 | return 'n'; |
948 | default: |
949 | // Check section type. |
950 | if (Characteristics & COFF::IMAGE_SCN_CNT_CODE) |
951 | return 't'; |
952 | if (Characteristics & COFF::IMAGE_SCN_CNT_INITIALIZED_DATA) |
953 | return Characteristics & COFF::IMAGE_SCN_MEM_WRITE ? 'd' : 'r'; |
954 | if (Characteristics & COFF::IMAGE_SCN_CNT_UNINITIALIZED_DATA) |
955 | return 'b'; |
956 | if (Characteristics & COFF::IMAGE_SCN_LNK_INFO) |
957 | return 'i'; |
958 | // Check for section symbol. |
959 | if (Symb.isSectionDefinition()) |
960 | return 's'; |
961 | } |
962 | |
963 | return '?'; |
964 | } |
965 | |
966 | static char getSymbolNMTypeChar(XCOFFObjectFile &Obj, symbol_iterator I) { |
967 | Expected<uint32_t> TypeOrErr = I->getType(); |
968 | if (!TypeOrErr) { |
969 | warn(Err: TypeOrErr.takeError(), FileName: Obj.getFileName(), |
970 | Context: "for symbol with index " + |
971 | Twine(Obj.getSymbolIndex(SymEntPtr: I->getRawDataRefImpl().p))); |
972 | return '?'; |
973 | } |
974 | |
975 | uint32_t SymType = *TypeOrErr; |
976 | |
977 | if (SymType == SymbolRef::ST_File) |
978 | return 'f'; |
979 | |
980 | // If the I->getSection() call would return an error, the earlier I->getType() |
981 | // call will already have returned the same error first. |
982 | section_iterator SecIter = cantFail(ValOrErr: I->getSection()); |
983 | |
984 | if (SecIter == Obj.section_end()) |
985 | return '?'; |
986 | |
987 | if (Obj.isDebugSection(Sec: SecIter->getRawDataRefImpl())) |
988 | return 'N'; |
989 | |
990 | if (SecIter->isText()) |
991 | return 't'; |
992 | |
993 | if (SecIter->isData()) |
994 | return 'd'; |
995 | |
996 | if (SecIter->isBSS()) |
997 | return 'b'; |
998 | |
999 | return '?'; |
1000 | } |
1001 | |
1002 | static char getSymbolNMTypeChar(COFFImportFile &Obj) { |
1003 | switch (Obj.getCOFFImportHeader()->getType()) { |
1004 | case COFF::IMPORT_CODE: |
1005 | return 't'; |
1006 | case COFF::IMPORT_DATA: |
1007 | return 'd'; |
1008 | case COFF::IMPORT_CONST: |
1009 | return 'r'; |
1010 | } |
1011 | return '?'; |
1012 | } |
1013 | |
1014 | static char getSymbolNMTypeChar(MachOObjectFile &Obj, basic_symbol_iterator I) { |
1015 | DataRefImpl Symb = I->getRawDataRefImpl(); |
1016 | uint8_t NType = Obj.is64Bit() ? Obj.getSymbol64TableEntry(DRI: Symb).n_type |
1017 | : Obj.getSymbolTableEntry(DRI: Symb).n_type; |
1018 | |
1019 | if (NType & MachO::N_STAB) |
1020 | return '-'; |
1021 | |
1022 | switch (NType & MachO::N_TYPE) { |
1023 | case MachO::N_ABS: |
1024 | return 's'; |
1025 | case MachO::N_INDR: |
1026 | return 'i'; |
1027 | case MachO::N_SECT: { |
1028 | Expected<section_iterator> SecOrErr = Obj.getSymbolSection(Symb); |
1029 | if (!SecOrErr) { |
1030 | consumeError(Err: SecOrErr.takeError()); |
1031 | return 's'; |
1032 | } |
1033 | section_iterator Sec = *SecOrErr; |
1034 | if (Sec == Obj.section_end()) |
1035 | return 's'; |
1036 | DataRefImpl Ref = Sec->getRawDataRefImpl(); |
1037 | StringRef SectionName; |
1038 | if (Expected<StringRef> NameOrErr = Obj.getSectionName(Sec: Ref)) |
1039 | SectionName = *NameOrErr; |
1040 | StringRef SegmentName = Obj.getSectionFinalSegmentName(Sec: Ref); |
1041 | if (Obj.is64Bit() && Obj.getHeader64().filetype == MachO::MH_KEXT_BUNDLE && |
1042 | SegmentName == "__TEXT_EXEC" && SectionName == "__text" ) |
1043 | return 't'; |
1044 | if (SegmentName == "__TEXT" && SectionName == "__text" ) |
1045 | return 't'; |
1046 | if (SegmentName == "__DATA" && SectionName == "__data" ) |
1047 | return 'd'; |
1048 | if (SegmentName == "__DATA" && SectionName == "__bss" ) |
1049 | return 'b'; |
1050 | return 's'; |
1051 | } |
1052 | } |
1053 | |
1054 | return '?'; |
1055 | } |
1056 | |
1057 | static char getSymbolNMTypeChar(TapiFile &Obj, basic_symbol_iterator I) { |
1058 | auto Type = cantFail(ValOrErr: Obj.getSymbolType(DRI: I->getRawDataRefImpl())); |
1059 | switch (Type) { |
1060 | case SymbolRef::ST_Function: |
1061 | return 't'; |
1062 | case SymbolRef::ST_Data: |
1063 | if (Obj.hasSegmentInfo()) |
1064 | return 'd'; |
1065 | [[fallthrough]]; |
1066 | default: |
1067 | return 's'; |
1068 | } |
1069 | } |
1070 | |
1071 | static char getSymbolNMTypeChar(WasmObjectFile &Obj, basic_symbol_iterator I) { |
1072 | uint32_t Flags = cantFail(ValOrErr: I->getFlags()); |
1073 | if (Flags & SymbolRef::SF_Executable) |
1074 | return 't'; |
1075 | return 'd'; |
1076 | } |
1077 | |
1078 | static char getSymbolNMTypeChar(IRObjectFile &Obj, basic_symbol_iterator I) { |
1079 | uint32_t Flags = cantFail(ValOrErr: I->getFlags()); |
1080 | // FIXME: should we print 'b'? At the IR level we cannot be sure if this |
1081 | // will be in bss or not, but we could approximate. |
1082 | if (Flags & SymbolRef::SF_Executable) |
1083 | return 't'; |
1084 | else if (Triple(Obj.getTargetTriple()).isOSDarwin() && |
1085 | (Flags & SymbolRef::SF_Const)) |
1086 | return 's'; |
1087 | else |
1088 | return 'd'; |
1089 | } |
1090 | |
1091 | static bool isObject(SymbolicFile &Obj, basic_symbol_iterator I) { |
1092 | return isa<ELFObjectFileBase>(Val: &Obj) && |
1093 | elf_symbol_iterator(I)->getELFType() == ELF::STT_OBJECT; |
1094 | } |
1095 | |
1096 | // For ELF object files, Set TypeName to the symbol typename, to be printed |
1097 | // in the 'Type' column of the SYSV format output. |
1098 | static StringRef getNMTypeName(SymbolicFile &Obj, basic_symbol_iterator I) { |
1099 | if (isa<ELFObjectFileBase>(Val: &Obj)) { |
1100 | elf_symbol_iterator SymI(I); |
1101 | return SymI->getELFTypeName(); |
1102 | } |
1103 | return "" ; |
1104 | } |
1105 | |
1106 | // Return Posix nm class type tag (single letter), but also set SecName and |
1107 | // section and name, to be used in format=sysv output. |
1108 | static char getNMSectionTagAndName(SymbolicFile &Obj, basic_symbol_iterator I, |
1109 | StringRef &SecName) { |
1110 | // Symbol Flags have been checked in the caller. |
1111 | uint32_t Symflags = cantFail(ValOrErr: I->getFlags()); |
1112 | if (ELFObjectFileBase *ELFObj = dyn_cast<ELFObjectFileBase>(Val: &Obj)) { |
1113 | if (Symflags & object::SymbolRef::SF_Absolute) |
1114 | SecName = "*ABS*" ; |
1115 | else if (Symflags & object::SymbolRef::SF_Common) |
1116 | SecName = "*COM*" ; |
1117 | else if (Symflags & object::SymbolRef::SF_Undefined) |
1118 | SecName = "*UND*" ; |
1119 | else { |
1120 | elf_symbol_iterator SymI(I); |
1121 | Expected<elf_section_iterator> SecIOrErr = SymI->getSection(); |
1122 | if (!SecIOrErr) { |
1123 | consumeError(Err: SecIOrErr.takeError()); |
1124 | return '?'; |
1125 | } |
1126 | |
1127 | if (*SecIOrErr == ELFObj->section_end()) |
1128 | return '?'; |
1129 | |
1130 | Expected<StringRef> NameOrErr = (*SecIOrErr)->getName(); |
1131 | if (!NameOrErr) { |
1132 | consumeError(Err: NameOrErr.takeError()); |
1133 | return '?'; |
1134 | } |
1135 | SecName = *NameOrErr; |
1136 | } |
1137 | } |
1138 | |
1139 | if (Symflags & object::SymbolRef::SF_Undefined) { |
1140 | if (isa<MachOObjectFile>(Val: Obj) || !(Symflags & object::SymbolRef::SF_Weak)) |
1141 | return 'U'; |
1142 | return isObject(Obj, I) ? 'v' : 'w'; |
1143 | } |
1144 | if (isa<ELFObjectFileBase>(Val: &Obj)) |
1145 | if (ELFSymbolRef(*I).getELFType() == ELF::STT_GNU_IFUNC) |
1146 | return 'i'; |
1147 | if (!isa<MachOObjectFile>(Val: Obj) && (Symflags & object::SymbolRef::SF_Weak)) |
1148 | return isObject(Obj, I) ? 'V' : 'W'; |
1149 | |
1150 | if (Symflags & object::SymbolRef::SF_Common) |
1151 | return 'C'; |
1152 | |
1153 | char Ret = '?'; |
1154 | if (Symflags & object::SymbolRef::SF_Absolute) |
1155 | Ret = 'a'; |
1156 | else if (IRObjectFile *IR = dyn_cast<IRObjectFile>(Val: &Obj)) |
1157 | Ret = getSymbolNMTypeChar(Obj&: *IR, I); |
1158 | else if (COFFObjectFile *COFF = dyn_cast<COFFObjectFile>(Val: &Obj)) |
1159 | Ret = getSymbolNMTypeChar(Obj&: *COFF, I); |
1160 | else if (XCOFFObjectFile *XCOFF = dyn_cast<XCOFFObjectFile>(Val: &Obj)) |
1161 | Ret = getSymbolNMTypeChar(Obj&: *XCOFF, I); |
1162 | else if (COFFImportFile *COFFImport = dyn_cast<COFFImportFile>(Val: &Obj)) |
1163 | Ret = getSymbolNMTypeChar(Obj&: *COFFImport); |
1164 | else if (MachOObjectFile *MachO = dyn_cast<MachOObjectFile>(Val: &Obj)) |
1165 | Ret = getSymbolNMTypeChar(Obj&: *MachO, I); |
1166 | else if (WasmObjectFile *Wasm = dyn_cast<WasmObjectFile>(Val: &Obj)) |
1167 | Ret = getSymbolNMTypeChar(Obj&: *Wasm, I); |
1168 | else if (TapiFile *Tapi = dyn_cast<TapiFile>(Val: &Obj)) |
1169 | Ret = getSymbolNMTypeChar(Obj&: *Tapi, I); |
1170 | else if (ELFObjectFileBase *ELF = dyn_cast<ELFObjectFileBase>(Val: &Obj)) { |
1171 | Ret = getSymbolNMTypeChar(Obj&: *ELF, I); |
1172 | if (ELFSymbolRef(*I).getBinding() == ELF::STB_GNU_UNIQUE) |
1173 | return Ret; |
1174 | } else |
1175 | llvm_unreachable("unknown binary format" ); |
1176 | |
1177 | if (!(Symflags & object::SymbolRef::SF_Global)) |
1178 | return Ret; |
1179 | |
1180 | return toupper(c: Ret); |
1181 | } |
1182 | |
1183 | // getNsectForSegSect() is used to implement the Mach-O "-s segname sectname" |
1184 | // option to dump only those symbols from that section in a Mach-O file. |
1185 | // It is called once for each Mach-O file from getSymbolNamesFromObject() |
1186 | // to get the section number for that named section from the command line |
1187 | // arguments. It returns the section number for that section in the Mach-O |
1188 | // file or zero it is not present. |
1189 | static unsigned getNsectForSegSect(MachOObjectFile *Obj) { |
1190 | unsigned Nsect = 1; |
1191 | for (auto &S : Obj->sections()) { |
1192 | DataRefImpl Ref = S.getRawDataRefImpl(); |
1193 | StringRef SectionName; |
1194 | if (Expected<StringRef> NameOrErr = Obj->getSectionName(Sec: Ref)) |
1195 | SectionName = *NameOrErr; |
1196 | StringRef SegmentName = Obj->getSectionFinalSegmentName(Sec: Ref); |
1197 | if (SegmentName == SegSect[0] && SectionName == SegSect[1]) |
1198 | return Nsect; |
1199 | Nsect++; |
1200 | } |
1201 | return 0; |
1202 | } |
1203 | |
1204 | // getNsectInMachO() is used to implement the Mach-O "-s segname sectname" |
1205 | // option to dump only those symbols from that section in a Mach-O file. |
1206 | // It is called once for each symbol in a Mach-O file from |
1207 | // getSymbolNamesFromObject() and returns the section number for that symbol |
1208 | // if it is in a section, else it returns 0. |
1209 | static unsigned getNsectInMachO(MachOObjectFile &Obj, BasicSymbolRef Sym) { |
1210 | DataRefImpl Symb = Sym.getRawDataRefImpl(); |
1211 | if (Obj.is64Bit()) { |
1212 | MachO::nlist_64 STE = Obj.getSymbol64TableEntry(DRI: Symb); |
1213 | return (STE.n_type & MachO::N_TYPE) == MachO::N_SECT ? STE.n_sect : 0; |
1214 | } |
1215 | MachO::nlist STE = Obj.getSymbolTableEntry(DRI: Symb); |
1216 | return (STE.n_type & MachO::N_TYPE) == MachO::N_SECT ? STE.n_sect : 0; |
1217 | } |
1218 | |
1219 | static void dumpSymbolsFromDLInfoMachO(MachOObjectFile &MachO, |
1220 | std::vector<NMSymbol> &SymbolList) { |
1221 | size_t I = SymbolList.size(); |
1222 | std::string ExportsNameBuffer; |
1223 | raw_string_ostream EOS(ExportsNameBuffer); |
1224 | std::string BindsNameBuffer; |
1225 | raw_string_ostream BOS(BindsNameBuffer); |
1226 | std::string LazysNameBuffer; |
1227 | raw_string_ostream LOS(LazysNameBuffer); |
1228 | std::string WeaksNameBuffer; |
1229 | raw_string_ostream WOS(WeaksNameBuffer); |
1230 | std::string FunctionStartsNameBuffer; |
1231 | raw_string_ostream FOS(FunctionStartsNameBuffer); |
1232 | |
1233 | MachO::mach_header H; |
1234 | MachO::mach_header_64 H_64; |
1235 | uint32_t HFlags = 0; |
1236 | if (MachO.is64Bit()) { |
1237 | H_64 = MachO.MachOObjectFile::getHeader64(); |
1238 | HFlags = H_64.flags; |
1239 | } else { |
1240 | H = MachO.MachOObjectFile::getHeader(); |
1241 | HFlags = H.flags; |
1242 | } |
1243 | uint64_t BaseSegmentAddress = 0; |
1244 | for (const auto &Command : MachO.load_commands()) { |
1245 | if (Command.C.cmd == MachO::LC_SEGMENT) { |
1246 | MachO::segment_command Seg = MachO.getSegmentLoadCommand(L: Command); |
1247 | if (Seg.fileoff == 0 && Seg.filesize != 0) { |
1248 | BaseSegmentAddress = Seg.vmaddr; |
1249 | break; |
1250 | } |
1251 | } else if (Command.C.cmd == MachO::LC_SEGMENT_64) { |
1252 | MachO::segment_command_64 Seg = MachO.getSegment64LoadCommand(L: Command); |
1253 | if (Seg.fileoff == 0 && Seg.filesize != 0) { |
1254 | BaseSegmentAddress = Seg.vmaddr; |
1255 | break; |
1256 | } |
1257 | } |
1258 | } |
1259 | if (DyldInfoOnly || AddDyldInfo || |
1260 | HFlags & MachO::MH_NLIST_OUTOFSYNC_WITH_DYLDINFO) { |
1261 | unsigned ExportsAdded = 0; |
1262 | Error Err = Error::success(); |
1263 | for (const llvm::object::ExportEntry &Entry : MachO.exports(Err)) { |
1264 | bool found = false; |
1265 | bool ReExport = false; |
1266 | if (!DyldInfoOnly) { |
1267 | for (const NMSymbol &S : SymbolList) |
1268 | if (S.Address == Entry.address() + BaseSegmentAddress && |
1269 | S.Name == Entry.name()) { |
1270 | found = true; |
1271 | break; |
1272 | } |
1273 | } |
1274 | if (!found) { |
1275 | NMSymbol S = {}; |
1276 | S.Address = Entry.address() + BaseSegmentAddress; |
1277 | S.Size = 0; |
1278 | S.TypeChar = '\0'; |
1279 | S.Name = Entry.name().str(); |
1280 | // There is no symbol in the nlist symbol table for this so we set |
1281 | // Sym effectivly to null and the rest of code in here must test for |
1282 | // it and not do things like Sym.getFlags() for it. |
1283 | S.Sym = BasicSymbolRef(); |
1284 | S.SymFlags = SymbolRef::SF_Global; |
1285 | S.Section = SectionRef(); |
1286 | S.NType = 0; |
1287 | S.NSect = 0; |
1288 | S.NDesc = 0; |
1289 | |
1290 | uint64_t EFlags = Entry.flags(); |
1291 | bool Abs = ((EFlags & MachO::EXPORT_SYMBOL_FLAGS_KIND_MASK) == |
1292 | MachO::EXPORT_SYMBOL_FLAGS_KIND_ABSOLUTE); |
1293 | bool Resolver = (EFlags & MachO::EXPORT_SYMBOL_FLAGS_STUB_AND_RESOLVER); |
1294 | ReExport = (EFlags & MachO::EXPORT_SYMBOL_FLAGS_REEXPORT); |
1295 | bool WeakDef = (EFlags & MachO::EXPORT_SYMBOL_FLAGS_WEAK_DEFINITION); |
1296 | if (WeakDef) |
1297 | S.NDesc |= MachO::N_WEAK_DEF; |
1298 | if (Abs) { |
1299 | S.NType = MachO::N_EXT | MachO::N_ABS; |
1300 | S.TypeChar = 'A'; |
1301 | } else if (ReExport) { |
1302 | S.NType = MachO::N_EXT | MachO::N_INDR; |
1303 | S.TypeChar = 'I'; |
1304 | } else { |
1305 | S.NType = MachO::N_EXT | MachO::N_SECT; |
1306 | if (Resolver) { |
1307 | S.Address = Entry.other() + BaseSegmentAddress; |
1308 | if ((S.Address & 1) != 0 && !MachO.is64Bit() && |
1309 | H.cputype == MachO::CPU_TYPE_ARM) { |
1310 | S.Address &= ~1LL; |
1311 | S.NDesc |= MachO::N_ARM_THUMB_DEF; |
1312 | } |
1313 | } else { |
1314 | S.Address = Entry.address() + BaseSegmentAddress; |
1315 | } |
1316 | StringRef SegmentName = StringRef(); |
1317 | StringRef SectionName = StringRef(); |
1318 | for (const SectionRef &Section : MachO.sections()) { |
1319 | S.NSect++; |
1320 | |
1321 | if (Expected<StringRef> NameOrErr = Section.getName()) |
1322 | SectionName = *NameOrErr; |
1323 | else |
1324 | consumeError(Err: NameOrErr.takeError()); |
1325 | |
1326 | SegmentName = |
1327 | MachO.getSectionFinalSegmentName(Sec: Section.getRawDataRefImpl()); |
1328 | if (S.Address >= Section.getAddress() && |
1329 | S.Address < Section.getAddress() + Section.getSize()) { |
1330 | S.Section = Section; |
1331 | break; |
1332 | } else if (Entry.name() == "__mh_execute_header" && |
1333 | SegmentName == "__TEXT" && SectionName == "__text" ) { |
1334 | S.Section = Section; |
1335 | S.NDesc |= MachO::REFERENCED_DYNAMICALLY; |
1336 | break; |
1337 | } |
1338 | } |
1339 | if (SegmentName == "__TEXT" && SectionName == "__text" ) |
1340 | S.TypeChar = 'T'; |
1341 | else if (SegmentName == "__DATA" && SectionName == "__data" ) |
1342 | S.TypeChar = 'D'; |
1343 | else if (SegmentName == "__DATA" && SectionName == "__bss" ) |
1344 | S.TypeChar = 'B'; |
1345 | else |
1346 | S.TypeChar = 'S'; |
1347 | } |
1348 | SymbolList.push_back(x: S); |
1349 | |
1350 | EOS << Entry.name(); |
1351 | EOS << '\0'; |
1352 | ExportsAdded++; |
1353 | |
1354 | // For ReExports there are a two more things to do, first add the |
1355 | // indirect name and second create the undefined symbol using the |
1356 | // referened dynamic library. |
1357 | if (ReExport) { |
1358 | |
1359 | // Add the indirect name. |
1360 | if (Entry.otherName().empty()) |
1361 | EOS << Entry.name(); |
1362 | else |
1363 | EOS << Entry.otherName(); |
1364 | EOS << '\0'; |
1365 | |
1366 | // Now create the undefined symbol using the referened dynamic |
1367 | // library. |
1368 | NMSymbol U = {}; |
1369 | U.Address = 0; |
1370 | U.Size = 0; |
1371 | U.TypeChar = 'U'; |
1372 | if (Entry.otherName().empty()) |
1373 | U.Name = Entry.name().str(); |
1374 | else |
1375 | U.Name = Entry.otherName().str(); |
1376 | // Again there is no symbol in the nlist symbol table for this so |
1377 | // we set Sym effectivly to null and the rest of code in here must |
1378 | // test for it and not do things like Sym.getFlags() for it. |
1379 | U.Sym = BasicSymbolRef(); |
1380 | U.SymFlags = SymbolRef::SF_Global | SymbolRef::SF_Undefined; |
1381 | U.Section = SectionRef(); |
1382 | U.NType = MachO::N_EXT | MachO::N_UNDF; |
1383 | U.NSect = 0; |
1384 | U.NDesc = 0; |
1385 | // The library ordinal for this undefined symbol is in the export |
1386 | // trie Entry.other(). |
1387 | MachO::SET_LIBRARY_ORDINAL(n_desc&: U.NDesc, ordinal: Entry.other()); |
1388 | SymbolList.push_back(x: U); |
1389 | |
1390 | // Finally add the undefined symbol's name. |
1391 | if (Entry.otherName().empty()) |
1392 | EOS << Entry.name(); |
1393 | else |
1394 | EOS << Entry.otherName(); |
1395 | EOS << '\0'; |
1396 | ExportsAdded++; |
1397 | } |
1398 | } |
1399 | } |
1400 | if (Err) |
1401 | error(E: std::move(Err), FileName: MachO.getFileName()); |
1402 | // Set the symbol names and indirect names for the added symbols. |
1403 | if (ExportsAdded) { |
1404 | EOS.flush(); |
1405 | const char *Q = ExportsNameBuffer.c_str(); |
1406 | for (unsigned K = 0; K < ExportsAdded; K++) { |
1407 | SymbolList[I].Name = Q; |
1408 | Q += strlen(s: Q) + 1; |
1409 | if (SymbolList[I].TypeChar == 'I') { |
1410 | SymbolList[I].IndirectName = Q; |
1411 | Q += strlen(s: Q) + 1; |
1412 | } |
1413 | I++; |
1414 | } |
1415 | } |
1416 | |
1417 | // Add the undefined symbols from the bind entries. |
1418 | unsigned BindsAdded = 0; |
1419 | Error BErr = Error::success(); |
1420 | StringRef LastSymbolName = StringRef(); |
1421 | for (const llvm::object::MachOBindEntry &Entry : MachO.bindTable(Err&: BErr)) { |
1422 | bool found = false; |
1423 | if (LastSymbolName == Entry.symbolName()) |
1424 | found = true; |
1425 | else if (!DyldInfoOnly) { |
1426 | for (unsigned J = 0; J < SymbolList.size() && !found; ++J) { |
1427 | if (SymbolList[J].Name == Entry.symbolName()) |
1428 | found = true; |
1429 | } |
1430 | } |
1431 | if (!found) { |
1432 | LastSymbolName = Entry.symbolName(); |
1433 | NMSymbol B = {}; |
1434 | B.Address = 0; |
1435 | B.Size = 0; |
1436 | B.TypeChar = 'U'; |
1437 | // There is no symbol in the nlist symbol table for this so we set |
1438 | // Sym effectivly to null and the rest of code in here must test for |
1439 | // it and not do things like Sym.getFlags() for it. |
1440 | B.Sym = BasicSymbolRef(); |
1441 | B.SymFlags = SymbolRef::SF_Global | SymbolRef::SF_Undefined; |
1442 | B.NType = MachO::N_EXT | MachO::N_UNDF; |
1443 | B.NSect = 0; |
1444 | B.NDesc = 0; |
1445 | MachO::SET_LIBRARY_ORDINAL(n_desc&: B.NDesc, ordinal: Entry.ordinal()); |
1446 | B.Name = Entry.symbolName().str(); |
1447 | SymbolList.push_back(x: B); |
1448 | BOS << Entry.symbolName(); |
1449 | BOS << '\0'; |
1450 | BindsAdded++; |
1451 | } |
1452 | } |
1453 | if (BErr) |
1454 | error(E: std::move(BErr), FileName: MachO.getFileName()); |
1455 | // Set the symbol names and indirect names for the added symbols. |
1456 | if (BindsAdded) { |
1457 | BOS.flush(); |
1458 | const char *Q = BindsNameBuffer.c_str(); |
1459 | for (unsigned K = 0; K < BindsAdded; K++) { |
1460 | SymbolList[I].Name = Q; |
1461 | Q += strlen(s: Q) + 1; |
1462 | if (SymbolList[I].TypeChar == 'I') { |
1463 | SymbolList[I].IndirectName = Q; |
1464 | Q += strlen(s: Q) + 1; |
1465 | } |
1466 | I++; |
1467 | } |
1468 | } |
1469 | |
1470 | // Add the undefined symbols from the lazy bind entries. |
1471 | unsigned LazysAdded = 0; |
1472 | Error LErr = Error::success(); |
1473 | LastSymbolName = StringRef(); |
1474 | for (const llvm::object::MachOBindEntry &Entry : |
1475 | MachO.lazyBindTable(Err&: LErr)) { |
1476 | bool found = false; |
1477 | if (LastSymbolName == Entry.symbolName()) |
1478 | found = true; |
1479 | else { |
1480 | // Here we must check to see it this symbol is already in the |
1481 | // SymbolList as it might have already have been added above via a |
1482 | // non-lazy (bind) entry. |
1483 | for (unsigned J = 0; J < SymbolList.size() && !found; ++J) { |
1484 | if (SymbolList[J].Name == Entry.symbolName()) |
1485 | found = true; |
1486 | } |
1487 | } |
1488 | if (!found) { |
1489 | LastSymbolName = Entry.symbolName(); |
1490 | NMSymbol L = {}; |
1491 | L.Name = Entry.symbolName().str(); |
1492 | L.Address = 0; |
1493 | L.Size = 0; |
1494 | L.TypeChar = 'U'; |
1495 | // There is no symbol in the nlist symbol table for this so we set |
1496 | // Sym effectivly to null and the rest of code in here must test for |
1497 | // it and not do things like Sym.getFlags() for it. |
1498 | L.Sym = BasicSymbolRef(); |
1499 | L.SymFlags = SymbolRef::SF_Global | SymbolRef::SF_Undefined; |
1500 | L.NType = MachO::N_EXT | MachO::N_UNDF; |
1501 | L.NSect = 0; |
1502 | // The REFERENCE_FLAG_UNDEFINED_LAZY is no longer used but here it |
1503 | // makes sence since we are creating this from a lazy bind entry. |
1504 | L.NDesc = MachO::REFERENCE_FLAG_UNDEFINED_LAZY; |
1505 | MachO::SET_LIBRARY_ORDINAL(n_desc&: L.NDesc, ordinal: Entry.ordinal()); |
1506 | SymbolList.push_back(x: L); |
1507 | LOS << Entry.symbolName(); |
1508 | LOS << '\0'; |
1509 | LazysAdded++; |
1510 | } |
1511 | } |
1512 | if (LErr) |
1513 | error(E: std::move(LErr), FileName: MachO.getFileName()); |
1514 | // Set the symbol names and indirect names for the added symbols. |
1515 | if (LazysAdded) { |
1516 | LOS.flush(); |
1517 | const char *Q = LazysNameBuffer.c_str(); |
1518 | for (unsigned K = 0; K < LazysAdded; K++) { |
1519 | SymbolList[I].Name = Q; |
1520 | Q += strlen(s: Q) + 1; |
1521 | if (SymbolList[I].TypeChar == 'I') { |
1522 | SymbolList[I].IndirectName = Q; |
1523 | Q += strlen(s: Q) + 1; |
1524 | } |
1525 | I++; |
1526 | } |
1527 | } |
1528 | |
1529 | // Add the undefineds symbol from the weak bind entries which are not |
1530 | // strong symbols. |
1531 | unsigned WeaksAdded = 0; |
1532 | Error WErr = Error::success(); |
1533 | LastSymbolName = StringRef(); |
1534 | for (const llvm::object::MachOBindEntry &Entry : |
1535 | MachO.weakBindTable(Err&: WErr)) { |
1536 | bool found = false; |
1537 | unsigned J = 0; |
1538 | if (LastSymbolName == Entry.symbolName() || |
1539 | Entry.flags() & MachO::BIND_SYMBOL_FLAGS_NON_WEAK_DEFINITION) { |
1540 | found = true; |
1541 | } else { |
1542 | for (J = 0; J < SymbolList.size() && !found; ++J) { |
1543 | if (SymbolList[J].Name == Entry.symbolName()) { |
1544 | found = true; |
1545 | break; |
1546 | } |
1547 | } |
1548 | } |
1549 | if (!found) { |
1550 | LastSymbolName = Entry.symbolName(); |
1551 | NMSymbol W = {}; |
1552 | W.Name = Entry.symbolName().str(); |
1553 | W.Address = 0; |
1554 | W.Size = 0; |
1555 | W.TypeChar = 'U'; |
1556 | // There is no symbol in the nlist symbol table for this so we set |
1557 | // Sym effectivly to null and the rest of code in here must test for |
1558 | // it and not do things like Sym.getFlags() for it. |
1559 | W.Sym = BasicSymbolRef(); |
1560 | W.SymFlags = SymbolRef::SF_Global | SymbolRef::SF_Undefined; |
1561 | W.NType = MachO::N_EXT | MachO::N_UNDF; |
1562 | W.NSect = 0; |
1563 | // Odd that we are using N_WEAK_DEF on an undefined symbol but that is |
1564 | // what is created in this case by the linker when there are real |
1565 | // symbols in the nlist structs. |
1566 | W.NDesc = MachO::N_WEAK_DEF; |
1567 | SymbolList.push_back(x: W); |
1568 | WOS << Entry.symbolName(); |
1569 | WOS << '\0'; |
1570 | WeaksAdded++; |
1571 | } else { |
1572 | // This is the case the symbol was previously been found and it could |
1573 | // have been added from a bind or lazy bind symbol. If so and not |
1574 | // a definition also mark it as weak. |
1575 | if (SymbolList[J].TypeChar == 'U') |
1576 | // See comment above about N_WEAK_DEF. |
1577 | SymbolList[J].NDesc |= MachO::N_WEAK_DEF; |
1578 | } |
1579 | } |
1580 | if (WErr) |
1581 | error(E: std::move(WErr), FileName: MachO.getFileName()); |
1582 | // Set the symbol names and indirect names for the added symbols. |
1583 | if (WeaksAdded) { |
1584 | WOS.flush(); |
1585 | const char *Q = WeaksNameBuffer.c_str(); |
1586 | for (unsigned K = 0; K < WeaksAdded; K++) { |
1587 | SymbolList[I].Name = Q; |
1588 | Q += strlen(s: Q) + 1; |
1589 | if (SymbolList[I].TypeChar == 'I') { |
1590 | SymbolList[I].IndirectName = Q; |
1591 | Q += strlen(s: Q) + 1; |
1592 | } |
1593 | I++; |
1594 | } |
1595 | } |
1596 | |
1597 | // Trying adding symbol from the function starts table and LC_MAIN entry |
1598 | // point. |
1599 | SmallVector<uint64_t, 8> FoundFns; |
1600 | uint64_t lc_main_offset = UINT64_MAX; |
1601 | for (const auto &Command : MachO.load_commands()) { |
1602 | if (Command.C.cmd == MachO::LC_FUNCTION_STARTS) { |
1603 | // We found a function starts segment, parse the addresses for |
1604 | // consumption. |
1605 | MachO::linkedit_data_command LLC = |
1606 | MachO.getLinkeditDataLoadCommand(L: Command); |
1607 | |
1608 | MachO.ReadULEB128s(Index: LLC.dataoff, Out&: FoundFns); |
1609 | } else if (Command.C.cmd == MachO::LC_MAIN) { |
1610 | MachO::entry_point_command LCmain = MachO.getEntryPointCommand(L: Command); |
1611 | lc_main_offset = LCmain.entryoff; |
1612 | } |
1613 | } |
1614 | // See if these addresses are already in the symbol table. |
1615 | unsigned FunctionStartsAdded = 0; |
1616 | for (uint64_t f = 0; f < FoundFns.size(); f++) { |
1617 | bool found = false; |
1618 | for (unsigned J = 0; J < SymbolList.size() && !found; ++J) { |
1619 | if (SymbolList[J].Address == FoundFns[f] + BaseSegmentAddress) |
1620 | found = true; |
1621 | } |
1622 | // See this address is not already in the symbol table fake up an |
1623 | // nlist for it. |
1624 | if (!found) { |
1625 | NMSymbol F = {}; |
1626 | F.Name = "<redacted function X>" ; |
1627 | F.Address = FoundFns[f] + BaseSegmentAddress; |
1628 | F.Size = 0; |
1629 | // There is no symbol in the nlist symbol table for this so we set |
1630 | // Sym effectivly to null and the rest of code in here must test for |
1631 | // it and not do things like Sym.getFlags() for it. |
1632 | F.Sym = BasicSymbolRef(); |
1633 | F.SymFlags = 0; |
1634 | F.NType = MachO::N_SECT; |
1635 | F.NSect = 0; |
1636 | StringRef SegmentName = StringRef(); |
1637 | StringRef SectionName = StringRef(); |
1638 | for (const SectionRef &Section : MachO.sections()) { |
1639 | if (Expected<StringRef> NameOrErr = Section.getName()) |
1640 | SectionName = *NameOrErr; |
1641 | else |
1642 | consumeError(Err: NameOrErr.takeError()); |
1643 | |
1644 | SegmentName = |
1645 | MachO.getSectionFinalSegmentName(Sec: Section.getRawDataRefImpl()); |
1646 | F.NSect++; |
1647 | if (F.Address >= Section.getAddress() && |
1648 | F.Address < Section.getAddress() + Section.getSize()) { |
1649 | F.Section = Section; |
1650 | break; |
1651 | } |
1652 | } |
1653 | if (SegmentName == "__TEXT" && SectionName == "__text" ) |
1654 | F.TypeChar = 't'; |
1655 | else if (SegmentName == "__DATA" && SectionName == "__data" ) |
1656 | F.TypeChar = 'd'; |
1657 | else if (SegmentName == "__DATA" && SectionName == "__bss" ) |
1658 | F.TypeChar = 'b'; |
1659 | else |
1660 | F.TypeChar = 's'; |
1661 | F.NDesc = 0; |
1662 | SymbolList.push_back(x: F); |
1663 | if (FoundFns[f] == lc_main_offset) |
1664 | FOS << "<redacted LC_MAIN>" ; |
1665 | else |
1666 | FOS << "<redacted function " << f << ">" ; |
1667 | FOS << '\0'; |
1668 | FunctionStartsAdded++; |
1669 | } |
1670 | } |
1671 | if (FunctionStartsAdded) { |
1672 | FOS.flush(); |
1673 | const char *Q = FunctionStartsNameBuffer.c_str(); |
1674 | for (unsigned K = 0; K < FunctionStartsAdded; K++) { |
1675 | SymbolList[I].Name = Q; |
1676 | Q += strlen(s: Q) + 1; |
1677 | if (SymbolList[I].TypeChar == 'I') { |
1678 | SymbolList[I].IndirectName = Q; |
1679 | Q += strlen(s: Q) + 1; |
1680 | } |
1681 | I++; |
1682 | } |
1683 | } |
1684 | } |
1685 | } |
1686 | |
1687 | static bool shouldDump(SymbolicFile &Obj) { |
1688 | // The -X option is currently only implemented for XCOFF, ELF, and IR object |
1689 | // files. The option isn't fundamentally impossible with other formats, just |
1690 | // isn't implemented. |
1691 | if (!isa<XCOFFObjectFile>(Val: Obj) && !isa<ELFObjectFileBase>(Val: Obj) && |
1692 | !isa<IRObjectFile>(Val: Obj)) |
1693 | return true; |
1694 | |
1695 | return Obj.is64Bit() ? BitMode != BitModeTy::Bit32 |
1696 | : BitMode != BitModeTy::Bit64; |
1697 | } |
1698 | |
1699 | static void getXCOFFExports(XCOFFObjectFile *XCOFFObj, |
1700 | std::vector<NMSymbol> &SymbolList, |
1701 | StringRef ArchiveName) { |
1702 | // Skip Shared object file. |
1703 | if (XCOFFObj->getFlags() & XCOFF::F_SHROBJ) |
1704 | return; |
1705 | |
1706 | for (SymbolRef Sym : XCOFFObj->symbols()) { |
1707 | // There is no visibility in old 32 bit XCOFF object file interpret. |
1708 | bool HasVisibilityAttr = |
1709 | XCOFFObj->is64Bit() || (XCOFFObj->auxiliaryHeader32() && |
1710 | (XCOFFObj->auxiliaryHeader32()->getVersion() == |
1711 | XCOFF::NEW_XCOFF_INTERPRET)); |
1712 | |
1713 | if (HasVisibilityAttr) { |
1714 | XCOFFSymbolRef XCOFFSym = XCOFFObj->toSymbolRef(Ref: Sym.getRawDataRefImpl()); |
1715 | uint16_t SymType = XCOFFSym.getSymbolType(); |
1716 | if ((SymType & XCOFF::VISIBILITY_MASK) == XCOFF::SYM_V_INTERNAL) |
1717 | continue; |
1718 | if ((SymType & XCOFF::VISIBILITY_MASK) == XCOFF::SYM_V_HIDDEN) |
1719 | continue; |
1720 | } |
1721 | |
1722 | Expected<section_iterator> SymSecOrErr = Sym.getSection(); |
1723 | if (!SymSecOrErr) { |
1724 | warn(Err: SymSecOrErr.takeError(), FileName: XCOFFObj->getFileName(), |
1725 | Context: "for symbol with index " + |
1726 | Twine(XCOFFObj->getSymbolIndex(SymEntPtr: Sym.getRawDataRefImpl().p)), |
1727 | Archive: ArchiveName); |
1728 | continue; |
1729 | } |
1730 | section_iterator SecIter = *SymSecOrErr; |
1731 | // If the symbol is not in a text or data section, it is not exported. |
1732 | if (SecIter == XCOFFObj->section_end()) |
1733 | continue; |
1734 | if (!(SecIter->isText() || SecIter->isData() || SecIter->isBSS())) |
1735 | continue; |
1736 | |
1737 | StringRef SymName = cantFail(ValOrErr: Sym.getName()); |
1738 | if (SymName.empty()) |
1739 | continue; |
1740 | if (SymName.starts_with(Prefix: "__sinit" ) || SymName.starts_with(Prefix: "__sterm" ) || |
1741 | SymName.front() == '.' || SymName.front() == '(') |
1742 | continue; |
1743 | |
1744 | // Check the SymName regex matching with "^__[0-9]+__". |
1745 | if (SymName.size() > 4 && SymName.starts_with(Prefix: "__" ) && |
1746 | SymName.ends_with(Suffix: "__" )) { |
1747 | if (std::all_of(first: SymName.begin() + 2, last: SymName.end() - 2, pred: isDigit)) |
1748 | continue; |
1749 | } |
1750 | |
1751 | if (SymName == "__rsrc" && NoRsrc) |
1752 | continue; |
1753 | |
1754 | if (SymName.starts_with(Prefix: "__tf1" )) |
1755 | SymName = SymName.substr(Start: 6); |
1756 | else if (SymName.starts_with(Prefix: "__tf9" )) |
1757 | SymName = SymName.substr(Start: 14); |
1758 | |
1759 | NMSymbol S = {}; |
1760 | S.Name = SymName.str(); |
1761 | S.Sym = Sym; |
1762 | |
1763 | if (HasVisibilityAttr) { |
1764 | XCOFFSymbolRef XCOFFSym = XCOFFObj->toSymbolRef(Ref: Sym.getRawDataRefImpl()); |
1765 | uint16_t SymType = XCOFFSym.getSymbolType(); |
1766 | if ((SymType & XCOFF::VISIBILITY_MASK) == XCOFF::SYM_V_PROTECTED) |
1767 | S.Visibility = "protected" ; |
1768 | else if ((SymType & XCOFF::VISIBILITY_MASK) == XCOFF::SYM_V_EXPORTED) |
1769 | S.Visibility = "export" ; |
1770 | } |
1771 | if (S.initializeFlags(Obj: *XCOFFObj)) |
1772 | SymbolList.push_back(x: S); |
1773 | } |
1774 | } |
1775 | |
1776 | static Expected<SymbolicFile::basic_symbol_iterator_range> |
1777 | getDynamicSyms(SymbolicFile &Obj) { |
1778 | const auto *E = dyn_cast<ELFObjectFileBase>(Val: &Obj); |
1779 | if (!E) |
1780 | return createError(Err: "File format has no dynamic symbol table" ); |
1781 | return E->getDynamicSymbolIterators(); |
1782 | } |
1783 | |
1784 | // Returns false if there is error found or true otherwise. |
1785 | static bool getSymbolNamesFromObject(SymbolicFile &Obj, |
1786 | std::vector<NMSymbol> &SymbolList) { |
1787 | auto Symbols = Obj.symbols(); |
1788 | std::vector<VersionEntry> SymbolVersions; |
1789 | |
1790 | if (DynamicSyms) { |
1791 | Expected<SymbolicFile::basic_symbol_iterator_range> SymbolsOrErr = |
1792 | getDynamicSyms(Obj); |
1793 | if (!SymbolsOrErr) { |
1794 | error(E: SymbolsOrErr.takeError(), FileName: Obj.getFileName()); |
1795 | return false; |
1796 | } |
1797 | Symbols = *SymbolsOrErr; |
1798 | if (const auto *E = dyn_cast<ELFObjectFileBase>(Val: &Obj)) { |
1799 | if (Expected<std::vector<VersionEntry>> VersionsOrErr = |
1800 | E->readDynsymVersions()) |
1801 | SymbolVersions = std::move(*VersionsOrErr); |
1802 | else |
1803 | WithColor::warning(OS&: errs(), Prefix: ToolName) |
1804 | << "unable to read symbol versions: " |
1805 | << toString(E: VersionsOrErr.takeError()) << "\n" ; |
1806 | } |
1807 | } |
1808 | // If a "-s segname sectname" option was specified and this is a Mach-O |
1809 | // file get the section number for that section in this object file. |
1810 | unsigned int Nsect = 0; |
1811 | MachOObjectFile *MachO = dyn_cast<MachOObjectFile>(Val: &Obj); |
1812 | if (!SegSect.empty() && MachO) { |
1813 | Nsect = getNsectForSegSect(Obj: MachO); |
1814 | // If this section is not in the object file no symbols are printed. |
1815 | if (Nsect == 0) |
1816 | return false; |
1817 | } |
1818 | |
1819 | if (!(MachO && DyldInfoOnly)) { |
1820 | size_t I = -1; |
1821 | for (BasicSymbolRef Sym : Symbols) { |
1822 | ++I; |
1823 | Expected<uint32_t> SymFlagsOrErr = Sym.getFlags(); |
1824 | if (!SymFlagsOrErr) { |
1825 | error(E: SymFlagsOrErr.takeError(), FileName: Obj.getFileName()); |
1826 | return false; |
1827 | } |
1828 | |
1829 | // Don't drop format specifc symbols for ARM and AArch64 ELF targets, they |
1830 | // are used to repesent mapping symbols and needed to honor the |
1831 | // --special-syms option. |
1832 | auto *ELFObj = dyn_cast<ELFObjectFileBase>(Val: &Obj); |
1833 | bool HasMappingSymbol = |
1834 | ELFObj && llvm::is_contained(Set: {ELF::EM_ARM, ELF::EM_AARCH64, |
1835 | ELF::EM_CSKY, ELF::EM_RISCV}, |
1836 | Element: ELFObj->getEMachine()); |
1837 | if (!HasMappingSymbol && !DebugSyms && |
1838 | (*SymFlagsOrErr & SymbolRef::SF_FormatSpecific)) |
1839 | continue; |
1840 | if (WithoutAliases && (*SymFlagsOrErr & SymbolRef::SF_Indirect)) |
1841 | continue; |
1842 | // If a "-s segname sectname" option was specified and this is a Mach-O |
1843 | // file and this section appears in this file, Nsect will be non-zero then |
1844 | // see if this symbol is a symbol from that section and if not skip it. |
1845 | if (Nsect && Nsect != getNsectInMachO(Obj&: *MachO, Sym)) |
1846 | continue; |
1847 | NMSymbol S = {}; |
1848 | S.Size = 0; |
1849 | S.Address = 0; |
1850 | if (isa<ELFObjectFileBase>(Val: &Obj)) |
1851 | S.Size = ELFSymbolRef(Sym).getSize(); |
1852 | |
1853 | if (const XCOFFObjectFile *XCOFFObj = |
1854 | dyn_cast<const XCOFFObjectFile>(Val: &Obj)) |
1855 | S.Size = XCOFFObj->getSymbolSize(Symb: Sym.getRawDataRefImpl()); |
1856 | |
1857 | if (const WasmObjectFile *WasmObj = dyn_cast<WasmObjectFile>(Val: &Obj)) |
1858 | S.Size = WasmObj->getSymbolSize(Sym); |
1859 | |
1860 | if (PrintAddress && isa<ObjectFile>(Val: Obj)) { |
1861 | SymbolRef SymRef(Sym); |
1862 | Expected<uint64_t> AddressOrErr = SymRef.getAddress(); |
1863 | if (!AddressOrErr) { |
1864 | consumeError(Err: AddressOrErr.takeError()); |
1865 | break; |
1866 | } |
1867 | S.Address = *AddressOrErr; |
1868 | } |
1869 | S.TypeName = getNMTypeName(Obj, I: Sym); |
1870 | S.TypeChar = getNMSectionTagAndName(Obj, I: Sym, SecName&: S.SectionName); |
1871 | |
1872 | raw_string_ostream OS(S.Name); |
1873 | if (Error E = Sym.printName(OS)) { |
1874 | if (MachO) { |
1875 | OS << "bad string index" ; |
1876 | consumeError(Err: std::move(E)); |
1877 | } else |
1878 | error(E: std::move(E), FileName: Obj.getFileName()); |
1879 | } |
1880 | if (!SymbolVersions.empty() && !SymbolVersions[I].Name.empty()) |
1881 | S.Name += |
1882 | (SymbolVersions[I].IsVerDef ? "@@" : "@" ) + SymbolVersions[I].Name; |
1883 | |
1884 | S.Sym = Sym; |
1885 | if (S.initializeFlags(Obj)) |
1886 | SymbolList.push_back(x: S); |
1887 | } |
1888 | } |
1889 | |
1890 | // If this is a Mach-O file where the nlist symbol table is out of sync |
1891 | // with the dyld export trie then look through exports and fake up symbols |
1892 | // for the ones that are missing (also done with the -add-dyldinfo flag). |
1893 | // This is needed if strip(1) -T is run on a binary containing swift |
1894 | // language symbols for example. The option -only-dyldinfo will fake up |
1895 | // all symbols from the dyld export trie as well as the bind info. |
1896 | if (MachO && !NoDyldInfo) |
1897 | dumpSymbolsFromDLInfoMachO(MachO&: *MachO, SymbolList); |
1898 | |
1899 | return true; |
1900 | } |
1901 | |
1902 | static void printObjectLabel(bool PrintArchiveName, StringRef ArchiveName, |
1903 | StringRef ArchitectureName, |
1904 | StringRef ObjectFileName) { |
1905 | outs() << "\n" ; |
1906 | if (ArchiveName.empty() || !PrintArchiveName) |
1907 | outs() << ObjectFileName; |
1908 | else |
1909 | outs() << ArchiveName << "(" << ObjectFileName << ")" ; |
1910 | if (!ArchitectureName.empty()) |
1911 | outs() << " (for architecture " << ArchitectureName << ")" ; |
1912 | outs() << ":\n" ; |
1913 | } |
1914 | |
1915 | static Expected<bool> hasSymbols(SymbolicFile &Obj) { |
1916 | if (DynamicSyms) { |
1917 | Expected<SymbolicFile::basic_symbol_iterator_range> DynamicSymsOrErr = |
1918 | getDynamicSyms(Obj); |
1919 | if (!DynamicSymsOrErr) |
1920 | return DynamicSymsOrErr.takeError(); |
1921 | return !DynamicSymsOrErr->empty(); |
1922 | } |
1923 | return !Obj.symbols().empty(); |
1924 | } |
1925 | |
1926 | static void printSymbolNamesFromObject( |
1927 | SymbolicFile &Obj, std::vector<NMSymbol> &SymbolList, |
1928 | bool PrintSymbolObject, bool PrintObjectLabel, StringRef ArchiveName = {}, |
1929 | StringRef ArchitectureName = {}, StringRef ObjectName = {}, |
1930 | bool PrintArchiveName = true) { |
1931 | |
1932 | if (PrintObjectLabel && !ExportSymbols) |
1933 | printObjectLabel(PrintArchiveName, ArchiveName, ArchitectureName, |
1934 | ObjectFileName: ObjectName.empty() ? Obj.getFileName() : ObjectName); |
1935 | |
1936 | if (!getSymbolNamesFromObject(Obj, SymbolList) || ExportSymbols) |
1937 | return; |
1938 | |
1939 | // If there is an error in hasSymbols(), the error should be encountered in |
1940 | // function getSymbolNamesFromObject first. |
1941 | if (!cantFail(ValOrErr: hasSymbols(Obj)) && SymbolList.empty() && !Quiet) { |
1942 | writeFileName(S&: errs(), ArchiveName, ArchitectureName); |
1943 | errs() << "no symbols\n" ; |
1944 | } |
1945 | |
1946 | sortSymbolList(SymbolList); |
1947 | printSymbolList(Obj, SymbolList, printName: PrintSymbolObject, ArchiveName, |
1948 | ArchitectureName); |
1949 | } |
1950 | |
1951 | static void dumpSymbolsNameFromMachOFilesetEntry( |
1952 | MachOObjectFile *Obj, std::vector<NMSymbol> &SymbolList, |
1953 | bool PrintSymbolObject, bool PrintObjectLabel) { |
1954 | auto Buf = Obj->getMemoryBufferRef(); |
1955 | const auto *End = Obj->load_commands().end(); |
1956 | for (const auto *It = Obj->load_commands().begin(); It != End; ++It) { |
1957 | const auto &Command = *It; |
1958 | if (Command.C.cmd != MachO::LC_FILESET_ENTRY) |
1959 | continue; |
1960 | |
1961 | MachO::fileset_entry_command Entry = |
1962 | Obj->getFilesetEntryLoadCommand(L: Command); |
1963 | auto MaybeMachO = |
1964 | MachOObjectFile::createMachOObjectFile(Object: Buf, UniversalCputype: 0, UniversalIndex: 0, MachOFilesetEntryOffset: Entry.fileoff); |
1965 | |
1966 | if (Error Err = MaybeMachO.takeError()) |
1967 | report_fatal_error(Err: std::move(Err)); |
1968 | |
1969 | const char *EntryName = Command.Ptr + Entry.entry_id.offset; |
1970 | if (EntryName) |
1971 | outs() << "Symbols for " << EntryName << ": \n" ; |
1972 | |
1973 | std::unique_ptr<MachOObjectFile> EntryMachO = std::move(MaybeMachO.get()); |
1974 | printSymbolNamesFromObject(Obj&: *EntryMachO, SymbolList, PrintSymbolObject, |
1975 | PrintObjectLabel); |
1976 | |
1977 | if (std::next(x: It) != End) |
1978 | outs() << "\n" ; |
1979 | } |
1980 | } |
1981 | |
1982 | static void dumpSymbolNamesFromObject( |
1983 | SymbolicFile &Obj, std::vector<NMSymbol> &SymbolList, |
1984 | bool PrintSymbolObject, bool PrintObjectLabel, StringRef ArchiveName = {}, |
1985 | StringRef ArchitectureName = {}, StringRef ObjectName = {}, |
1986 | bool PrintArchiveName = true) { |
1987 | if (!shouldDump(Obj)) |
1988 | return; |
1989 | |
1990 | if (ExportSymbols && Obj.isXCOFF()) { |
1991 | XCOFFObjectFile *XCOFFObj = cast<XCOFFObjectFile>(Val: &Obj); |
1992 | getXCOFFExports(XCOFFObj, SymbolList, ArchiveName); |
1993 | return; |
1994 | } |
1995 | |
1996 | CurrentFilename = Obj.getFileName(); |
1997 | |
1998 | // Are we handling a MachO of type MH_FILESET? |
1999 | if (Obj.isMachO() && Obj.is64Bit() && |
2000 | cast<MachOObjectFile>(Val: &Obj)->getHeader64().filetype == |
2001 | MachO::MH_FILESET) { |
2002 | dumpSymbolsNameFromMachOFilesetEntry(Obj: cast<MachOObjectFile>(Val: &Obj), |
2003 | SymbolList, PrintSymbolObject, |
2004 | PrintObjectLabel); |
2005 | return; |
2006 | } |
2007 | |
2008 | printSymbolNamesFromObject(Obj, SymbolList, PrintSymbolObject, |
2009 | PrintObjectLabel, ArchiveName, ArchitectureName, |
2010 | ObjectName, PrintArchiveName); |
2011 | } |
2012 | |
2013 | // checkMachOAndArchFlags() checks to see if the SymbolicFile is a Mach-O file |
2014 | // and if it is and there is a list of architecture flags is specified then |
2015 | // check to make sure this Mach-O file is one of those architectures or all |
2016 | // architectures was specificed. If not then an error is generated and this |
2017 | // routine returns false. Else it returns true. |
2018 | static bool checkMachOAndArchFlags(SymbolicFile *O, StringRef Filename) { |
2019 | auto *MachO = dyn_cast<MachOObjectFile>(Val: O); |
2020 | |
2021 | if (!MachO || ArchAll || ArchFlags.empty()) |
2022 | return true; |
2023 | |
2024 | MachO::mach_header H; |
2025 | MachO::mach_header_64 H_64; |
2026 | Triple T; |
2027 | const char *McpuDefault, *ArchFlag; |
2028 | if (MachO->is64Bit()) { |
2029 | H_64 = MachO->MachOObjectFile::getHeader64(); |
2030 | T = MachOObjectFile::getArchTriple(CPUType: H_64.cputype, CPUSubType: H_64.cpusubtype, |
2031 | McpuDefault: &McpuDefault, ArchFlag: &ArchFlag); |
2032 | } else { |
2033 | H = MachO->MachOObjectFile::getHeader(); |
2034 | T = MachOObjectFile::getArchTriple(CPUType: H.cputype, CPUSubType: H.cpusubtype, |
2035 | McpuDefault: &McpuDefault, ArchFlag: &ArchFlag); |
2036 | } |
2037 | const std::string ArchFlagName(ArchFlag); |
2038 | if (!llvm::is_contained(Range&: ArchFlags, Element: ArchFlagName)) { |
2039 | error(Message: "No architecture specified" , Path: Filename); |
2040 | return false; |
2041 | } |
2042 | return true; |
2043 | } |
2044 | |
2045 | static void printArchiveMap(iterator_range<Archive::symbol_iterator> &map, |
2046 | StringRef Filename) { |
2047 | for (auto I : map) { |
2048 | Expected<Archive::Child> C = I.getMember(); |
2049 | if (!C) { |
2050 | error(E: C.takeError(), FileName: Filename); |
2051 | break; |
2052 | } |
2053 | Expected<StringRef> FileNameOrErr = C->getName(); |
2054 | if (!FileNameOrErr) { |
2055 | error(E: FileNameOrErr.takeError(), FileName: Filename); |
2056 | break; |
2057 | } |
2058 | StringRef SymName = I.getName(); |
2059 | outs() << SymName << " in " << FileNameOrErr.get() << "\n" ; |
2060 | } |
2061 | |
2062 | outs() << "\n" ; |
2063 | } |
2064 | |
2065 | static void dumpArchiveMap(Archive *A, StringRef Filename) { |
2066 | auto Map = A->symbols(); |
2067 | if (!Map.empty()) { |
2068 | outs() << "Archive map\n" ; |
2069 | printArchiveMap(map&: Map, Filename); |
2070 | } |
2071 | |
2072 | auto ECMap = A->ec_symbols(); |
2073 | if (!ECMap) { |
2074 | warn(Err: ECMap.takeError(), FileName: Filename); |
2075 | } else if (!ECMap->empty()) { |
2076 | outs() << "Archive EC map\n" ; |
2077 | printArchiveMap(map&: *ECMap, Filename); |
2078 | } |
2079 | } |
2080 | |
2081 | static void dumpArchive(Archive *A, std::vector<NMSymbol> &SymbolList, |
2082 | StringRef Filename, LLVMContext *ContextPtr) { |
2083 | if (ArchiveMap) |
2084 | dumpArchiveMap(A, Filename); |
2085 | |
2086 | Error Err = Error::success(); |
2087 | for (auto &C : A->children(Err)) { |
2088 | Expected<std::unique_ptr<Binary>> ChildOrErr = C.getAsBinary(Context: ContextPtr); |
2089 | if (!ChildOrErr) { |
2090 | if (auto E = isNotObjectErrorInvalidFileType(Err: ChildOrErr.takeError())) |
2091 | error(E: std::move(E), FileName: Filename, C); |
2092 | continue; |
2093 | } |
2094 | if (SymbolicFile *O = dyn_cast<SymbolicFile>(Val: &*ChildOrErr.get())) { |
2095 | if (!MachOPrintSizeWarning && PrintSize && isa<MachOObjectFile>(Val: O)) { |
2096 | WithColor::warning(OS&: errs(), Prefix: ToolName) |
2097 | << "sizes with -print-size for Mach-O files are always zero.\n" ; |
2098 | MachOPrintSizeWarning = true; |
2099 | } |
2100 | if (!checkMachOAndArchFlags(O, Filename)) |
2101 | return; |
2102 | dumpSymbolNamesFromObject(Obj&: *O, SymbolList, /*PrintSymbolObject=*/false, |
2103 | PrintObjectLabel: !PrintFileName, ArchiveName: Filename, |
2104 | /*ArchitectureName=*/{}, ObjectName: O->getFileName(), |
2105 | /*PrintArchiveName=*/false); |
2106 | } |
2107 | } |
2108 | if (Err) |
2109 | error(E: std::move(Err), FileName: A->getFileName()); |
2110 | } |
2111 | |
2112 | static void dumpMachOUniversalBinaryMatchArchFlags( |
2113 | MachOUniversalBinary *UB, std::vector<NMSymbol> &SymbolList, |
2114 | StringRef Filename, LLVMContext *ContextPtr) { |
2115 | // Look for a slice in the universal binary that matches each ArchFlag. |
2116 | bool ArchFound; |
2117 | for (unsigned i = 0; i < ArchFlags.size(); ++i) { |
2118 | ArchFound = false; |
2119 | for (MachOUniversalBinary::object_iterator I = UB->begin_objects(), |
2120 | E = UB->end_objects(); |
2121 | I != E; ++I) { |
2122 | if (ArchFlags[i] == I->getArchFlagName()) { |
2123 | ArchFound = true; |
2124 | Expected<std::unique_ptr<ObjectFile>> ObjOrErr = I->getAsObjectFile(); |
2125 | std::string ArchiveName; |
2126 | std::string ArchitectureName; |
2127 | ArchiveName.clear(); |
2128 | ArchitectureName.clear(); |
2129 | if (ObjOrErr) { |
2130 | ObjectFile &Obj = *ObjOrErr.get(); |
2131 | if (ArchFlags.size() > 1) |
2132 | ArchitectureName = I->getArchFlagName(); |
2133 | dumpSymbolNamesFromObject(Obj, SymbolList, |
2134 | /*PrintSymbolObject=*/false, |
2135 | PrintObjectLabel: (ArchFlags.size() > 1) && !PrintFileName, |
2136 | ArchiveName, ArchitectureName); |
2137 | } else if (auto E = |
2138 | isNotObjectErrorInvalidFileType(Err: ObjOrErr.takeError())) { |
2139 | error(E: std::move(E), FileName: Filename, |
2140 | ArchitectureName: ArchFlags.size() > 1 ? StringRef(I->getArchFlagName()) |
2141 | : StringRef()); |
2142 | continue; |
2143 | } else if (Expected<std::unique_ptr<Archive>> AOrErr = |
2144 | I->getAsArchive()) { |
2145 | std::unique_ptr<Archive> &A = *AOrErr; |
2146 | Error Err = Error::success(); |
2147 | for (auto &C : A->children(Err)) { |
2148 | Expected<std::unique_ptr<Binary>> ChildOrErr = |
2149 | C.getAsBinary(Context: ContextPtr); |
2150 | if (!ChildOrErr) { |
2151 | if (auto E = |
2152 | isNotObjectErrorInvalidFileType(Err: ChildOrErr.takeError())) { |
2153 | error(E: std::move(E), FileName: Filename, C, |
2154 | ArchitectureName: ArchFlags.size() > 1 ? StringRef(I->getArchFlagName()) |
2155 | : StringRef()); |
2156 | } |
2157 | continue; |
2158 | } |
2159 | if (SymbolicFile *O = dyn_cast<SymbolicFile>(Val: &*ChildOrErr.get())) { |
2160 | ArchiveName = std::string(A->getFileName()); |
2161 | if (ArchFlags.size() > 1) |
2162 | ArchitectureName = I->getArchFlagName(); |
2163 | dumpSymbolNamesFromObject( |
2164 | Obj&: *O, SymbolList, /*PrintSymbolObject=*/false, PrintObjectLabel: !PrintFileName, |
2165 | ArchiveName, ArchitectureName); |
2166 | } |
2167 | } |
2168 | if (Err) |
2169 | error(E: std::move(Err), FileName: A->getFileName()); |
2170 | } else { |
2171 | consumeError(Err: AOrErr.takeError()); |
2172 | error(Message: Filename + " for architecture " + |
2173 | StringRef(I->getArchFlagName()) + |
2174 | " is not a Mach-O file or an archive file" , |
2175 | Path: "Mach-O universal file" ); |
2176 | } |
2177 | } |
2178 | } |
2179 | if (!ArchFound) { |
2180 | error(Message: ArchFlags[i], |
2181 | Path: "file: " + Filename + " does not contain architecture" ); |
2182 | return; |
2183 | } |
2184 | } |
2185 | } |
2186 | |
2187 | // Returns true If the binary contains a slice that matches the host |
2188 | // architecture, or false otherwise. |
2189 | static bool dumpMachOUniversalBinaryMatchHost(MachOUniversalBinary *UB, |
2190 | std::vector<NMSymbol> &SymbolList, |
2191 | StringRef Filename, |
2192 | LLVMContext *ContextPtr) { |
2193 | Triple HostTriple = MachOObjectFile::getHostArch(); |
2194 | StringRef HostArchName = HostTriple.getArchName(); |
2195 | for (MachOUniversalBinary::object_iterator I = UB->begin_objects(), |
2196 | E = UB->end_objects(); |
2197 | I != E; ++I) { |
2198 | if (HostArchName == I->getArchFlagName()) { |
2199 | Expected<std::unique_ptr<ObjectFile>> ObjOrErr = I->getAsObjectFile(); |
2200 | std::string ArchiveName; |
2201 | if (ObjOrErr) { |
2202 | ObjectFile &Obj = *ObjOrErr.get(); |
2203 | dumpSymbolNamesFromObject(Obj, SymbolList, /*PrintSymbolObject=*/false, |
2204 | /*PrintObjectLabel=*/false); |
2205 | } else if (auto E = isNotObjectErrorInvalidFileType(Err: ObjOrErr.takeError())) |
2206 | error(E: std::move(E), FileName: Filename); |
2207 | else if (Expected<std::unique_ptr<Archive>> AOrErr = I->getAsArchive()) { |
2208 | std::unique_ptr<Archive> &A = *AOrErr; |
2209 | Error Err = Error::success(); |
2210 | for (auto &C : A->children(Err)) { |
2211 | Expected<std::unique_ptr<Binary>> ChildOrErr = |
2212 | C.getAsBinary(Context: ContextPtr); |
2213 | if (!ChildOrErr) { |
2214 | if (auto E = |
2215 | isNotObjectErrorInvalidFileType(Err: ChildOrErr.takeError())) |
2216 | error(E: std::move(E), FileName: Filename, C); |
2217 | continue; |
2218 | } |
2219 | if (SymbolicFile *O = dyn_cast<SymbolicFile>(Val: &*ChildOrErr.get())) { |
2220 | ArchiveName = std::string(A->getFileName()); |
2221 | dumpSymbolNamesFromObject(Obj&: *O, SymbolList, |
2222 | /*PrintSymbolObject=*/false, |
2223 | PrintObjectLabel: !PrintFileName, ArchiveName); |
2224 | } |
2225 | } |
2226 | if (Err) |
2227 | error(E: std::move(Err), FileName: A->getFileName()); |
2228 | } else { |
2229 | consumeError(Err: AOrErr.takeError()); |
2230 | error(Message: Filename + " for architecture " + |
2231 | StringRef(I->getArchFlagName()) + |
2232 | " is not a Mach-O file or an archive file" , |
2233 | Path: "Mach-O universal file" ); |
2234 | } |
2235 | return true; |
2236 | } |
2237 | } |
2238 | return false; |
2239 | } |
2240 | |
2241 | static void dumpMachOUniversalBinaryArchAll(MachOUniversalBinary *UB, |
2242 | std::vector<NMSymbol> &SymbolList, |
2243 | StringRef Filename, |
2244 | LLVMContext *ContextPtr) { |
2245 | bool moreThanOneArch = UB->getNumberOfObjects() > 1; |
2246 | for (const MachOUniversalBinary::ObjectForArch &O : UB->objects()) { |
2247 | Expected<std::unique_ptr<ObjectFile>> ObjOrErr = O.getAsObjectFile(); |
2248 | std::string ArchiveName; |
2249 | std::string ArchitectureName; |
2250 | ArchiveName.clear(); |
2251 | ArchitectureName.clear(); |
2252 | if (ObjOrErr) { |
2253 | ObjectFile &Obj = *ObjOrErr.get(); |
2254 | if (isa<MachOObjectFile>(Val: Obj) && moreThanOneArch) |
2255 | ArchitectureName = O.getArchFlagName(); |
2256 | dumpSymbolNamesFromObject(Obj, SymbolList, /*PrintSymbolObject=*/false, |
2257 | PrintObjectLabel: !PrintFileName, ArchiveName, ArchitectureName); |
2258 | } else if (auto E = isNotObjectErrorInvalidFileType(Err: ObjOrErr.takeError())) { |
2259 | error(E: std::move(E), FileName: Filename, |
2260 | ArchitectureName: moreThanOneArch ? StringRef(O.getArchFlagName()) : StringRef()); |
2261 | continue; |
2262 | } else if (Expected<std::unique_ptr<Archive>> AOrErr = O.getAsArchive()) { |
2263 | std::unique_ptr<Archive> &A = *AOrErr; |
2264 | Error Err = Error::success(); |
2265 | for (auto &C : A->children(Err)) { |
2266 | Expected<std::unique_ptr<Binary>> ChildOrErr = |
2267 | C.getAsBinary(Context: ContextPtr); |
2268 | if (!ChildOrErr) { |
2269 | if (auto E = isNotObjectErrorInvalidFileType(Err: ChildOrErr.takeError())) |
2270 | error(E: std::move(E), FileName: Filename, C, |
2271 | ArchitectureName: moreThanOneArch ? StringRef(ArchitectureName) : StringRef()); |
2272 | continue; |
2273 | } |
2274 | if (SymbolicFile *F = dyn_cast<SymbolicFile>(Val: &*ChildOrErr.get())) { |
2275 | ArchiveName = std::string(A->getFileName()); |
2276 | if (isa<MachOObjectFile>(Val: F) && moreThanOneArch) |
2277 | ArchitectureName = O.getArchFlagName(); |
2278 | dumpSymbolNamesFromObject(Obj&: *F, SymbolList, /*PrintSymbolObject=*/false, |
2279 | PrintObjectLabel: !PrintFileName, ArchiveName, |
2280 | ArchitectureName); |
2281 | } |
2282 | } |
2283 | if (Err) |
2284 | error(E: std::move(Err), FileName: A->getFileName()); |
2285 | } else { |
2286 | consumeError(Err: AOrErr.takeError()); |
2287 | error(Message: Filename + " for architecture " + StringRef(O.getArchFlagName()) + |
2288 | " is not a Mach-O file or an archive file" , |
2289 | Path: "Mach-O universal file" ); |
2290 | } |
2291 | } |
2292 | } |
2293 | |
2294 | static void dumpMachOUniversalBinary(MachOUniversalBinary *UB, |
2295 | std::vector<NMSymbol> &SymbolList, |
2296 | StringRef Filename, |
2297 | LLVMContext *ContextPtr) { |
2298 | // If we have a list of architecture flags specified dump only those. |
2299 | if (!ArchAll && !ArchFlags.empty()) { |
2300 | dumpMachOUniversalBinaryMatchArchFlags(UB, SymbolList, Filename, |
2301 | ContextPtr); |
2302 | return; |
2303 | } |
2304 | |
2305 | // No architecture flags were specified so if this contains a slice that |
2306 | // matches the host architecture dump only that. |
2307 | if (!ArchAll && |
2308 | dumpMachOUniversalBinaryMatchHost(UB, SymbolList, Filename, ContextPtr)) |
2309 | return; |
2310 | |
2311 | // Either all architectures have been specified or none have been specified |
2312 | // and this does not contain the host architecture so dump all the slices. |
2313 | dumpMachOUniversalBinaryArchAll(UB, SymbolList, Filename, ContextPtr); |
2314 | } |
2315 | |
2316 | static void dumpTapiUniversal(TapiUniversal *TU, |
2317 | std::vector<NMSymbol> &SymbolList, |
2318 | StringRef Filename) { |
2319 | for (const TapiUniversal::ObjectForArch &I : TU->objects()) { |
2320 | StringRef ArchName = I.getArchFlagName(); |
2321 | const bool ShowArch = |
2322 | ArchFlags.empty() || llvm::is_contained(Range&: ArchFlags, Element: ArchName); |
2323 | if (!ShowArch) |
2324 | continue; |
2325 | if (!AddInlinedInfo && !I.isTopLevelLib()) |
2326 | continue; |
2327 | if (auto ObjOrErr = I.getAsObjectFile()) |
2328 | dumpSymbolNamesFromObject( |
2329 | Obj&: *ObjOrErr.get(), SymbolList, /*PrintSymbolObject=*/false, |
2330 | /*PrintObjectLabel=*/true, |
2331 | /*ArchiveName=*/{}, ArchitectureName: ArchName, ObjectName: I.getInstallName()); |
2332 | else if (Error E = isNotObjectErrorInvalidFileType(Err: ObjOrErr.takeError())) { |
2333 | error(E: std::move(E), FileName: Filename, ArchitectureName: ArchName); |
2334 | } |
2335 | } |
2336 | } |
2337 | |
2338 | static void dumpSymbolicFile(SymbolicFile *O, std::vector<NMSymbol> &SymbolList, |
2339 | StringRef Filename) { |
2340 | if (!MachOPrintSizeWarning && PrintSize && isa<MachOObjectFile>(Val: O)) { |
2341 | WithColor::warning(OS&: errs(), Prefix: ToolName) |
2342 | << "sizes with --print-size for Mach-O files are always zero.\n" ; |
2343 | MachOPrintSizeWarning = true; |
2344 | } |
2345 | if (!checkMachOAndArchFlags(O, Filename)) |
2346 | return; |
2347 | dumpSymbolNamesFromObject(Obj&: *O, SymbolList, /*PrintSymbolObject=*/true, |
2348 | /*PrintObjectLabel=*/false); |
2349 | } |
2350 | |
2351 | static std::vector<NMSymbol> dumpSymbolNamesFromFile(StringRef Filename) { |
2352 | std::vector<NMSymbol> SymbolList; |
2353 | ErrorOr<std::unique_ptr<MemoryBuffer>> BufferOrErr = |
2354 | MemoryBuffer::getFileOrSTDIN(Filename); |
2355 | if (error(EC: BufferOrErr.getError(), Path: Filename)) |
2356 | return SymbolList; |
2357 | |
2358 | // Ignore AIX linker import files (these files start with "#!"), when |
2359 | // exporting symbols. |
2360 | const char *BuffStart = (*BufferOrErr)->getBufferStart(); |
2361 | size_t BufferSize = (*BufferOrErr)->getBufferSize(); |
2362 | if (ExportSymbols && BufferSize >= 2 && BuffStart[0] == '#' && |
2363 | BuffStart[1] == '!') |
2364 | return SymbolList; |
2365 | |
2366 | LLVMContext Context; |
2367 | LLVMContext *ContextPtr = NoLLVMBitcode ? nullptr : &Context; |
2368 | Expected<std::unique_ptr<Binary>> BinaryOrErr = |
2369 | createBinary(Source: BufferOrErr.get()->getMemBufferRef(), Context: ContextPtr); |
2370 | if (!BinaryOrErr) { |
2371 | error(E: BinaryOrErr.takeError(), FileName: Filename); |
2372 | return SymbolList; |
2373 | } |
2374 | Binary &Bin = *BinaryOrErr.get(); |
2375 | if (Archive *A = dyn_cast<Archive>(Val: &Bin)) |
2376 | dumpArchive(A, SymbolList, Filename, ContextPtr); |
2377 | else if (MachOUniversalBinary *UB = dyn_cast<MachOUniversalBinary>(Val: &Bin)) |
2378 | dumpMachOUniversalBinary(UB, SymbolList, Filename, ContextPtr); |
2379 | else if (TapiUniversal *TU = dyn_cast<TapiUniversal>(Val: &Bin)) |
2380 | dumpTapiUniversal(TU, SymbolList, Filename); |
2381 | else if (SymbolicFile *O = dyn_cast<SymbolicFile>(Val: &Bin)) |
2382 | dumpSymbolicFile(O, SymbolList, Filename); |
2383 | return SymbolList; |
2384 | } |
2385 | |
2386 | static void |
2387 | exportSymbolNamesFromFiles(const std::vector<std::string> &InputFilenames) { |
2388 | std::vector<NMSymbol> SymbolList; |
2389 | for (const auto &FileName : InputFilenames) { |
2390 | std::vector<NMSymbol> FileSymList = dumpSymbolNamesFromFile(Filename: FileName); |
2391 | SymbolList.insert(position: SymbolList.end(), first: FileSymList.begin(), last: FileSymList.end()); |
2392 | } |
2393 | |
2394 | // Delete symbols which should not be printed from SymolList. |
2395 | llvm::erase_if(C&: SymbolList, |
2396 | P: [](const NMSymbol &s) { return !s.shouldPrint(); }); |
2397 | sortSymbolList(SymbolList); |
2398 | SymbolList.erase(first: llvm::unique(R&: SymbolList), last: SymbolList.end()); |
2399 | printExportSymbolList(SymbolList); |
2400 | } |
2401 | |
2402 | int llvm_nm_main(int argc, char **argv, const llvm::ToolContext &) { |
2403 | BumpPtrAllocator A; |
2404 | StringSaver Saver(A); |
2405 | NmOptTable Tbl; |
2406 | ToolName = argv[0]; |
2407 | opt::InputArgList Args = |
2408 | Tbl.parseArgs(Argc: argc, Argv: argv, Unknown: OPT_UNKNOWN, Saver, ErrorFn: [&](StringRef Msg) { |
2409 | error(Message: Msg); |
2410 | exit(status: 1); |
2411 | }); |
2412 | if (Args.hasArg(Ids: OPT_help)) { |
2413 | Tbl.printHelp( |
2414 | OS&: outs(), |
2415 | Usage: (Twine(ToolName) + " [options] <input object files>" ).str().c_str(), |
2416 | Title: "LLVM symbol table dumper" ); |
2417 | // TODO Replace this with OptTable API once it adds extrahelp support. |
2418 | outs() << "\nPass @FILE as argument to read options from FILE.\n" ; |
2419 | return 0; |
2420 | } |
2421 | if (Args.hasArg(Ids: OPT_version)) { |
2422 | // This needs to contain the word "GNU", libtool looks for that string. |
2423 | outs() << "llvm-nm, compatible with GNU nm" << '\n'; |
2424 | cl::PrintVersionMessage(); |
2425 | return 0; |
2426 | } |
2427 | |
2428 | DebugSyms = Args.hasArg(Ids: OPT_debug_syms); |
2429 | DefinedOnly = Args.hasArg(Ids: OPT_defined_only); |
2430 | Demangle = Args.hasFlag(Pos: OPT_demangle, Neg: OPT_no_demangle, Default: false); |
2431 | DynamicSyms = Args.hasArg(Ids: OPT_dynamic); |
2432 | ExternalOnly = Args.hasArg(Ids: OPT_extern_only); |
2433 | StringRef V = Args.getLastArgValue(Id: OPT_format_EQ, Default: "bsd" ); |
2434 | if (V == "bsd" ) |
2435 | OutputFormat = bsd; |
2436 | else if (V == "posix" ) |
2437 | OutputFormat = posix; |
2438 | else if (V == "sysv" ) |
2439 | OutputFormat = sysv; |
2440 | else if (V == "darwin" ) |
2441 | OutputFormat = darwin; |
2442 | else if (V == "just-symbols" ) |
2443 | OutputFormat = just_symbols; |
2444 | else |
2445 | error(Message: "--format value should be one of: bsd, posix, sysv, darwin, " |
2446 | "just-symbols" ); |
2447 | LineNumbers = Args.hasArg(Ids: OPT_line_numbers); |
2448 | NoLLVMBitcode = Args.hasArg(Ids: OPT_no_llvm_bc); |
2449 | NoSort = Args.hasArg(Ids: OPT_no_sort); |
2450 | NoWeakSymbols = Args.hasArg(Ids: OPT_no_weak); |
2451 | NumericSort = Args.hasArg(Ids: OPT_numeric_sort); |
2452 | ArchiveMap = Args.hasArg(Ids: OPT_print_armap); |
2453 | PrintFileName = Args.hasArg(Ids: OPT_print_file_name); |
2454 | PrintSize = Args.hasArg(Ids: OPT_print_size); |
2455 | ReverseSort = Args.hasArg(Ids: OPT_reverse_sort); |
2456 | ExportSymbols = Args.hasArg(Ids: OPT_export_symbols); |
2457 | if (ExportSymbols) { |
2458 | ExternalOnly = true; |
2459 | DefinedOnly = true; |
2460 | } |
2461 | |
2462 | Quiet = Args.hasArg(Ids: OPT_quiet); |
2463 | V = Args.getLastArgValue(Id: OPT_radix_EQ, Default: "x" ); |
2464 | if (V == "o" ) |
2465 | AddressRadix = Radix::o; |
2466 | else if (V == "d" ) |
2467 | AddressRadix = Radix::d; |
2468 | else if (V == "x" ) |
2469 | AddressRadix = Radix::x; |
2470 | else |
2471 | error(Message: "--radix value should be one of: 'o' (octal), 'd' (decimal), 'x' " |
2472 | "(hexadecimal)" ); |
2473 | SizeSort = Args.hasArg(Ids: OPT_size_sort); |
2474 | SpecialSyms = Args.hasArg(Ids: OPT_special_syms); |
2475 | UndefinedOnly = Args.hasArg(Ids: OPT_undefined_only); |
2476 | WithoutAliases = Args.hasArg(Ids: OPT_without_aliases); |
2477 | |
2478 | // Get BitMode from enviornment variable "OBJECT_MODE" for AIX OS, if |
2479 | // specified. |
2480 | Triple HostTriple(sys::getProcessTriple()); |
2481 | if (HostTriple.isOSAIX()) { |
2482 | BitMode = StringSwitch<BitModeTy>(getenv(name: "OBJECT_MODE" )) |
2483 | .Case(S: "32" , Value: BitModeTy::Bit32) |
2484 | .Case(S: "64" , Value: BitModeTy::Bit64) |
2485 | .Case(S: "32_64" , Value: BitModeTy::Bit32_64) |
2486 | .Case(S: "any" , Value: BitModeTy::Any) |
2487 | .Default(Value: BitModeTy::Bit32); |
2488 | } else |
2489 | BitMode = BitModeTy::Any; |
2490 | |
2491 | if (Arg *A = Args.getLastArg(Ids: OPT_X)) { |
2492 | StringRef Mode = A->getValue(); |
2493 | if (Mode == "32" ) |
2494 | BitMode = BitModeTy::Bit32; |
2495 | else if (Mode == "64" ) |
2496 | BitMode = BitModeTy::Bit64; |
2497 | else if (Mode == "32_64" ) |
2498 | BitMode = BitModeTy::Bit32_64; |
2499 | else if (Mode == "any" ) |
2500 | BitMode = BitModeTy::Any; |
2501 | else |
2502 | error(Message: "-X value should be one of: 32, 64, 32_64, (default) any" ); |
2503 | } |
2504 | |
2505 | // Mach-O specific options. |
2506 | FormatMachOasHex = Args.hasArg(Ids: OPT_x); |
2507 | AddDyldInfo = Args.hasArg(Ids: OPT_add_dyldinfo); |
2508 | AddInlinedInfo = Args.hasArg(Ids: OPT_add_inlinedinfo); |
2509 | DyldInfoOnly = Args.hasArg(Ids: OPT_dyldinfo_only); |
2510 | NoDyldInfo = Args.hasArg(Ids: OPT_no_dyldinfo); |
2511 | |
2512 | // XCOFF specific options. |
2513 | NoRsrc = Args.hasArg(Ids: OPT_no_rsrc); |
2514 | |
2515 | // llvm-nm only reads binary files. |
2516 | if (error(EC: sys::ChangeStdinToBinary())) |
2517 | return 1; |
2518 | |
2519 | // These calls are needed so that we can read bitcode correctly. |
2520 | llvm::InitializeAllTargetInfos(); |
2521 | llvm::InitializeAllTargetMCs(); |
2522 | llvm::InitializeAllAsmParsers(); |
2523 | |
2524 | // The relative order of these is important. If you pass --size-sort it should |
2525 | // only print out the size. However, if you pass -S --size-sort, it should |
2526 | // print out both the size and address. |
2527 | if (SizeSort && !PrintSize) |
2528 | PrintAddress = false; |
2529 | if (OutputFormat == sysv || SizeSort) |
2530 | PrintSize = true; |
2531 | |
2532 | for (const auto *A : Args.filtered(Ids: OPT_arch_EQ)) { |
2533 | SmallVector<StringRef, 2> Values; |
2534 | llvm::SplitString(Source: A->getValue(), OutFragments&: Values, Delimiters: "," ); |
2535 | for (StringRef V : Values) { |
2536 | if (V == "all" ) |
2537 | ArchAll = true; |
2538 | else if (MachOObjectFile::isValidArch(ArchFlag: V)) |
2539 | ArchFlags.push_back(x: V); |
2540 | else |
2541 | error(Message: "Unknown architecture named '" + V + "'" , |
2542 | Path: "for the --arch option" ); |
2543 | } |
2544 | } |
2545 | |
2546 | // Mach-O takes -s to accept two arguments. We emulate this by iterating over |
2547 | // both OPT_s and OPT_INPUT. |
2548 | std::vector<std::string> InputFilenames; |
2549 | int SegSectArgs = 0; |
2550 | for (opt::Arg *A : Args.filtered(Ids: OPT_s, Ids: OPT_INPUT)) { |
2551 | if (SegSectArgs > 0) { |
2552 | --SegSectArgs; |
2553 | SegSect.push_back(x: A->getValue()); |
2554 | } else if (A->getOption().matches(ID: OPT_s)) { |
2555 | SegSectArgs = 2; |
2556 | } else { |
2557 | InputFilenames.push_back(x: A->getValue()); |
2558 | } |
2559 | } |
2560 | if (!SegSect.empty() && SegSect.size() != 2) |
2561 | error(Message: "bad number of arguments (must be two arguments)" , |
2562 | Path: "for the -s option" ); |
2563 | |
2564 | if (InputFilenames.empty()) |
2565 | InputFilenames.push_back(x: "a.out" ); |
2566 | if (InputFilenames.size() > 1) |
2567 | MultipleFiles = true; |
2568 | |
2569 | if (NoDyldInfo && (AddDyldInfo || DyldInfoOnly)) |
2570 | error(Message: "--no-dyldinfo can't be used with --add-dyldinfo or --dyldinfo-only" ); |
2571 | |
2572 | if (ExportSymbols) |
2573 | exportSymbolNamesFromFiles(InputFilenames); |
2574 | else |
2575 | llvm::for_each(Range&: InputFilenames, F: dumpSymbolNamesFromFile); |
2576 | |
2577 | if (HadError) |
2578 | return 1; |
2579 | return 0; |
2580 | } |
2581 | |