1 //===- InputFiles.cpp -----------------------------------------------------===//
2 //
3 //                             The LLVM Linker
4 //
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
7 //
8 //===----------------------------------------------------------------------===//
9 
10 #include "InputFiles.h"
11 #include "Driver.h"
12 #include "ELFCreator.h"
13 #include "Error.h"
14 #include "InputSection.h"
15 #include "LinkerScript.h"
16 #include "SymbolTable.h"
17 #include "Symbols.h"
18 #include "llvm/ADT/STLExtras.h"
19 #include "llvm/Bitcode/ReaderWriter.h"
20 #include "llvm/CodeGen/Analysis.h"
21 #include "llvm/IR/LLVMContext.h"
22 #include "llvm/IR/Module.h"
23 #include "llvm/LTO/LTO.h"
24 #include "llvm/MC/StringTableBuilder.h"
25 #include "llvm/Support/Path.h"
26 #include "llvm/Support/raw_ostream.h"
27 
28 using namespace llvm;
29 using namespace llvm::ELF;
30 using namespace llvm::object;
31 using namespace llvm::sys::fs;
32 
33 using namespace lld;
34 using namespace lld::elf;
35 
36 std::vector<InputFile *> InputFile::Pool;
37 
38 // Deletes all InputFile instances created so far.
39 void InputFile::freePool() {
40   // Files are freed in reverse order so that files created
41   // from other files (e.g. object files extracted from archives)
42   // are freed in the proper order.
43   for (int I = Pool.size() - 1; I >= 0; --I)
44     delete Pool[I];
45 }
46 
47 // Returns "(internal)", "foo.a(bar.o)" or "baz.o".
48 std::string elf::getFilename(const InputFile *F) {
49   if (!F)
50     return "(internal)";
51   if (!F->ArchiveName.empty())
52     return (F->ArchiveName + "(" + F->getName() + ")").str();
53   return F->getName();
54 }
55 
56 template <class ELFT> static ELFFile<ELFT> createELFObj(MemoryBufferRef MB) {
57   std::error_code EC;
58   ELFFile<ELFT> F(MB.getBuffer(), EC);
59   if (EC)
60     fatal(EC, "failed to read " + MB.getBufferIdentifier());
61   return F;
62 }
63 
64 template <class ELFT> static ELFKind getELFKind() {
65   if (ELFT::TargetEndianness == support::little)
66     return ELFT::Is64Bits ? ELF64LEKind : ELF32LEKind;
67   return ELFT::Is64Bits ? ELF64BEKind : ELF32BEKind;
68 }
69 
70 template <class ELFT>
71 ELFFileBase<ELFT>::ELFFileBase(Kind K, MemoryBufferRef MB)
72     : InputFile(K, MB), ELFObj(createELFObj<ELFT>(MB)) {
73   EKind = getELFKind<ELFT>();
74   EMachine = ELFObj.getHeader()->e_machine;
75 }
76 
77 template <class ELFT>
78 typename ELFT::SymRange ELFFileBase<ELFT>::getElfSymbols(bool OnlyGlobals) {
79   if (!Symtab)
80     return Elf_Sym_Range(nullptr, nullptr);
81   Elf_Sym_Range Syms = ELFObj.symbols(Symtab);
82   uint32_t NumSymbols = std::distance(Syms.begin(), Syms.end());
83   uint32_t FirstNonLocal = Symtab->sh_info;
84   if (FirstNonLocal == 0 || FirstNonLocal > NumSymbols)
85     fatal(getFilename(this) + ": invalid sh_info in symbol table");
86 
87   if (OnlyGlobals)
88     return makeArrayRef(Syms.begin() + FirstNonLocal, Syms.end());
89   return makeArrayRef(Syms.begin(), Syms.end());
90 }
91 
92 template <class ELFT>
93 uint32_t ELFFileBase<ELFT>::getSectionIndex(const Elf_Sym &Sym) const {
94   uint32_t I = Sym.st_shndx;
95   if (I == ELF::SHN_XINDEX)
96     return ELFObj.getExtendedSymbolTableIndex(&Sym, Symtab, SymtabSHNDX);
97   if (I >= ELF::SHN_LORESERVE)
98     return 0;
99   return I;
100 }
101 
102 template <class ELFT> void ELFFileBase<ELFT>::initStringTable() {
103   if (!Symtab)
104     return;
105   StringTable = check(ELFObj.getStringTableForSymtab(*Symtab));
106 }
107 
108 template <class ELFT>
109 elf::ObjectFile<ELFT>::ObjectFile(MemoryBufferRef M)
110     : ELFFileBase<ELFT>(Base::ObjectKind, M) {}
111 
112 template <class ELFT>
113 ArrayRef<SymbolBody *> elf::ObjectFile<ELFT>::getNonLocalSymbols() {
114   if (!this->Symtab)
115     return this->SymbolBodies;
116   uint32_t FirstNonLocal = this->Symtab->sh_info;
117   return makeArrayRef(this->SymbolBodies).slice(FirstNonLocal);
118 }
119 
120 template <class ELFT>
121 ArrayRef<SymbolBody *> elf::ObjectFile<ELFT>::getLocalSymbols() {
122   if (!this->Symtab)
123     return this->SymbolBodies;
124   uint32_t FirstNonLocal = this->Symtab->sh_info;
125   return makeArrayRef(this->SymbolBodies).slice(1, FirstNonLocal - 1);
126 }
127 
128 template <class ELFT>
129 ArrayRef<SymbolBody *> elf::ObjectFile<ELFT>::getSymbols() {
130   if (!this->Symtab)
131     return this->SymbolBodies;
132   return makeArrayRef(this->SymbolBodies).slice(1);
133 }
134 
135 template <class ELFT> uint32_t elf::ObjectFile<ELFT>::getMipsGp0() const {
136   if (ELFT::Is64Bits && MipsOptions && MipsOptions->Reginfo)
137     return MipsOptions->Reginfo->ri_gp_value;
138   if (!ELFT::Is64Bits && MipsReginfo && MipsReginfo->Reginfo)
139     return MipsReginfo->Reginfo->ri_gp_value;
140   return 0;
141 }
142 
143 template <class ELFT>
144 void elf::ObjectFile<ELFT>::parse(DenseSet<StringRef> &ComdatGroups) {
145   // Read section and symbol tables.
146   initializeSections(ComdatGroups);
147   initializeSymbols();
148   if (Config->GcSections && Config->EMachine == EM_ARM)
149     initializeReverseDependencies();
150 }
151 
152 // Sections with SHT_GROUP and comdat bits define comdat section groups.
153 // They are identified and deduplicated by group name. This function
154 // returns a group name.
155 template <class ELFT>
156 StringRef elf::ObjectFile<ELFT>::getShtGroupSignature(const Elf_Shdr &Sec) {
157   const ELFFile<ELFT> &Obj = this->ELFObj;
158   const Elf_Shdr *Symtab = check(Obj.getSection(Sec.sh_link));
159   const Elf_Sym *Sym = Obj.getSymbol(Symtab, Sec.sh_info);
160   StringRef Strtab = check(Obj.getStringTableForSymtab(*Symtab));
161   return check(Sym->getName(Strtab));
162 }
163 
164 template <class ELFT>
165 ArrayRef<typename elf::ObjectFile<ELFT>::Elf_Word>
166 elf::ObjectFile<ELFT>::getShtGroupEntries(const Elf_Shdr &Sec) {
167   const ELFFile<ELFT> &Obj = this->ELFObj;
168   ArrayRef<Elf_Word> Entries =
169       check(Obj.template getSectionContentsAsArray<Elf_Word>(&Sec));
170   if (Entries.empty() || Entries[0] != GRP_COMDAT)
171     fatal(getFilename(this) + ": unsupported SHT_GROUP format");
172   return Entries.slice(1);
173 }
174 
175 template <class ELFT>
176 bool elf::ObjectFile<ELFT>::shouldMerge(const Elf_Shdr &Sec) {
177   // We don't merge sections if -O0 (default is -O1). This makes sometimes
178   // the linker significantly faster, although the output will be bigger.
179   if (Config->Optimize == 0)
180     return false;
181 
182   // Do not merge sections if generating a relocatable object. It makes
183   // the code simpler because we do not need to update relocation addends
184   // to reflect changes introduced by merging. Instead of that we write
185   // such "merge" sections into separate OutputSections and keep SHF_MERGE
186   // / SHF_STRINGS flags and sh_entsize value to be able to perform merging
187   // later during a final linking.
188   if (Config->Relocatable)
189     return false;
190 
191   // A mergeable section with size 0 is useless because they don't have
192   // any data to merge. A mergeable string section with size 0 can be
193   // argued as invalid because it doesn't end with a null character.
194   // We'll avoid a mess by handling them as if they were non-mergeable.
195   if (Sec.sh_size == 0)
196     return false;
197 
198   // Check for sh_entsize. The ELF spec is not clear about the zero
199   // sh_entsize. It says that "the member [sh_entsize] contains 0 if
200   // the section does not hold a table of fixed-size entries". We know
201   // that Rust 1.13 produces a string mergeable section with a zero
202   // sh_entsize. Here we just accept it rather than being picky about it.
203   uintX_t EntSize = Sec.sh_entsize;
204   if (EntSize == 0)
205     return false;
206   if (Sec.sh_size % EntSize)
207     fatal(getFilename(this) +
208           ": SHF_MERGE section size must be a multiple of sh_entsize");
209 
210   uintX_t Flags = Sec.sh_flags;
211   if (!(Flags & SHF_MERGE))
212     return false;
213   if (Flags & SHF_WRITE)
214     fatal(getFilename(this) + ": writable SHF_MERGE section is not supported");
215 
216   // Don't try to merge if the alignment is larger than the sh_entsize and this
217   // is not SHF_STRINGS.
218   //
219   // Since this is not a SHF_STRINGS, we would need to pad after every entity.
220   // It would be equivalent for the producer of the .o to just set a larger
221   // sh_entsize.
222   if (Flags & SHF_STRINGS)
223     return true;
224 
225   return Sec.sh_addralign <= EntSize;
226 }
227 
228 template <class ELFT>
229 void elf::ObjectFile<ELFT>::initializeSections(
230     DenseSet<StringRef> &ComdatGroups) {
231   uint64_t Size = this->ELFObj.getNumSections();
232   Sections.resize(Size);
233   unsigned I = -1;
234   const ELFFile<ELFT> &Obj = this->ELFObj;
235   for (const Elf_Shdr &Sec : Obj.sections()) {
236     ++I;
237     if (Sections[I] == &InputSection<ELFT>::Discarded)
238       continue;
239 
240     // SHF_EXCLUDE'ed sections are discarded by the linker. However,
241     // if -r is given, we'll let the final link discard such sections.
242     // This is compatible with GNU.
243     if ((Sec.sh_flags & SHF_EXCLUDE) && !Config->Relocatable) {
244       Sections[I] = &InputSection<ELFT>::Discarded;
245       continue;
246     }
247 
248     switch (Sec.sh_type) {
249     case SHT_GROUP:
250       Sections[I] = &InputSection<ELFT>::Discarded;
251       if (ComdatGroups.insert(getShtGroupSignature(Sec)).second)
252         continue;
253       for (uint32_t SecIndex : getShtGroupEntries(Sec)) {
254         if (SecIndex >= Size)
255           fatal(getFilename(this) + ": invalid section index in group: " +
256                 Twine(SecIndex));
257         Sections[SecIndex] = &InputSection<ELFT>::Discarded;
258       }
259       break;
260     case SHT_SYMTAB:
261       this->Symtab = &Sec;
262       break;
263     case SHT_SYMTAB_SHNDX:
264       this->SymtabSHNDX = check(Obj.getSHNDXTable(Sec));
265       break;
266     case SHT_STRTAB:
267     case SHT_NULL:
268       break;
269     default:
270       Sections[I] = createInputSection(Sec);
271     }
272   }
273 }
274 
275 // .ARM.exidx sections have a reverse dependency on the InputSection they
276 // have a SHF_LINK_ORDER dependency, this is identified by the sh_link.
277 template <class ELFT>
278 void elf::ObjectFile<ELFT>::initializeReverseDependencies() {
279   unsigned I = -1;
280   for (const Elf_Shdr &Sec : this->ELFObj.sections()) {
281     ++I;
282     if ((Sections[I] == &InputSection<ELFT>::Discarded) ||
283         !(Sec.sh_flags & SHF_LINK_ORDER))
284       continue;
285     if (Sec.sh_link >= Sections.size())
286       fatal(getFilename(this) + ": invalid sh_link index: " +
287             Twine(Sec.sh_link));
288     auto *IS = cast<InputSection<ELFT>>(Sections[Sec.sh_link]);
289     IS->DependentSection = Sections[I];
290   }
291 }
292 
293 template <class ELFT>
294 InputSectionBase<ELFT> *
295 elf::ObjectFile<ELFT>::getRelocTarget(const Elf_Shdr &Sec) {
296   uint32_t Idx = Sec.sh_info;
297   if (Idx >= Sections.size())
298     fatal(getFilename(this) + ": invalid relocated section index: " +
299           Twine(Idx));
300   InputSectionBase<ELFT> *Target = Sections[Idx];
301 
302   // Strictly speaking, a relocation section must be included in the
303   // group of the section it relocates. However, LLVM 3.3 and earlier
304   // would fail to do so, so we gracefully handle that case.
305   if (Target == &InputSection<ELFT>::Discarded)
306     return nullptr;
307 
308   if (!Target)
309     fatal(getFilename(this) + ": unsupported relocation reference");
310   return Target;
311 }
312 
313 template <class ELFT>
314 InputSectionBase<ELFT> *
315 elf::ObjectFile<ELFT>::createInputSection(const Elf_Shdr &Sec) {
316   StringRef Name = check(this->ELFObj.getSectionName(&Sec));
317 
318   switch (Sec.sh_type) {
319   case SHT_ARM_ATTRIBUTES:
320     // FIXME: ARM meta-data section. At present attributes are ignored,
321     // they can be used to reason about object compatibility.
322     return &InputSection<ELFT>::Discarded;
323   case SHT_MIPS_REGINFO:
324     MipsReginfo.reset(new MipsReginfoInputSection<ELFT>(this, &Sec, Name));
325     return MipsReginfo.get();
326   case SHT_MIPS_OPTIONS:
327     if (MipsOptions)
328       fatal(getFilename(this) +
329             ": multiple SHT_MIPS_OPTIONS sections are not allowed");
330     MipsOptions.reset(new MipsOptionsInputSection<ELFT>(this, &Sec, Name));
331     return MipsOptions.get();
332   case SHT_MIPS_ABIFLAGS:
333     MipsAbiFlags.reset(new MipsAbiFlagsInputSection<ELFT>(this, &Sec, Name));
334     return MipsAbiFlags.get();
335   case SHT_RELA:
336   case SHT_REL: {
337     // This section contains relocation information.
338     // If -r is given, we do not interpret or apply relocation
339     // but just copy relocation sections to output.
340     if (Config->Relocatable)
341       return new (IAlloc.Allocate()) InputSection<ELFT>(this, &Sec, Name);
342 
343     // Find the relocation target section and associate this
344     // section with it.
345     InputSectionBase<ELFT> *Target = getRelocTarget(Sec);
346     if (!Target)
347       return nullptr;
348     if (auto *S = dyn_cast<InputSection<ELFT>>(Target)) {
349       S->RelocSections.push_back(&Sec);
350       return nullptr;
351     }
352     if (auto *S = dyn_cast<EhInputSection<ELFT>>(Target)) {
353       if (S->RelocSection)
354         fatal(getFilename(this) +
355               ": multiple relocation sections to .eh_frame are not supported");
356       S->RelocSection = &Sec;
357       return nullptr;
358     }
359     fatal(getFilename(this) +
360           ": relocations pointing to SHF_MERGE are not supported");
361   }
362   }
363 
364   // .note.GNU-stack is a marker section to control the presence of
365   // PT_GNU_STACK segment in outputs. Since the presence of the segment
366   // is controlled only by the command line option (-z execstack) in LLD,
367   // .note.GNU-stack is ignored.
368   if (Name == ".note.GNU-stack")
369     return &InputSection<ELFT>::Discarded;
370 
371   if (Name == ".note.GNU-split-stack") {
372     error("objects using splitstacks are not supported");
373     return &InputSection<ELFT>::Discarded;
374   }
375 
376   if (Config->Strip != StripPolicy::None && Name.startswith(".debug"))
377     return &InputSection<ELFT>::Discarded;
378 
379   // The linker merges EH (exception handling) frames and creates a
380   // .eh_frame_hdr section for runtime. So we handle them with a special
381   // class. For relocatable outputs, they are just passed through.
382   if (Name == ".eh_frame" && !Config->Relocatable)
383     return new (EHAlloc.Allocate()) EhInputSection<ELFT>(this, &Sec, Name);
384 
385   if (shouldMerge(Sec))
386     return new (MAlloc.Allocate()) MergeInputSection<ELFT>(this, &Sec, Name);
387   return new (IAlloc.Allocate()) InputSection<ELFT>(this, &Sec, Name);
388 }
389 
390 template <class ELFT> void elf::ObjectFile<ELFT>::initializeSymbols() {
391   this->initStringTable();
392   Elf_Sym_Range Syms = this->getElfSymbols(false);
393   uint32_t NumSymbols = std::distance(Syms.begin(), Syms.end());
394   SymbolBodies.reserve(NumSymbols);
395   for (const Elf_Sym &Sym : Syms)
396     SymbolBodies.push_back(createSymbolBody(&Sym));
397 }
398 
399 template <class ELFT>
400 InputSectionBase<ELFT> *
401 elf::ObjectFile<ELFT>::getSection(const Elf_Sym &Sym) const {
402   uint32_t Index = this->getSectionIndex(Sym);
403   if (Index >= Sections.size())
404     fatal(getFilename(this) + ": invalid section index: " + Twine(Index));
405   InputSectionBase<ELFT> *S = Sections[Index];
406 
407   // We found that GNU assembler 2.17.50 [FreeBSD] 2007-07-03
408   // could generate broken objects. STT_SECTION symbols can be
409   // associated with SHT_REL[A]/SHT_SYMTAB/SHT_STRTAB sections.
410   // In this case it is fine for section to be null here as we
411   // do not allocate sections of these types.
412   if (!S) {
413     if (Index == 0 || Sym.getType() == STT_SECTION)
414       return nullptr;
415     fatal(getFilename(this) + ": invalid section index: " + Twine(Index));
416   }
417 
418   if (S == &InputSectionBase<ELFT>::Discarded)
419     return S;
420   return S->Repl;
421 }
422 
423 template <class ELFT>
424 SymbolBody *elf::ObjectFile<ELFT>::createSymbolBody(const Elf_Sym *Sym) {
425   int Binding = Sym->getBinding();
426   InputSectionBase<ELFT> *Sec = getSection(*Sym);
427   if (Binding == STB_LOCAL) {
428     if (Sym->st_shndx == SHN_UNDEF)
429       return new (this->Alloc)
430           Undefined(Sym->st_name, Sym->st_other, Sym->getType(), this);
431     return new (this->Alloc) DefinedRegular<ELFT>(*Sym, Sec);
432   }
433 
434   StringRef Name = check(Sym->getName(this->StringTable));
435 
436   switch (Sym->st_shndx) {
437   case SHN_UNDEF:
438     return elf::Symtab<ELFT>::X->addUndefined(Name, Binding, Sym->st_other,
439                                               Sym->getType(),
440                                               /*CanOmitFromDynSym*/ false, this)
441         ->body();
442   case SHN_COMMON:
443     if (Sym->st_value == 0 || Sym->st_value >= UINT32_MAX)
444       fatal(getFilename(this) + ": common symbol '" + Name +
445             "' has invalid alignment: " + Twine(Sym->st_value));
446     return elf::Symtab<ELFT>::X->addCommon(Name, Sym->st_size, Sym->st_value,
447                                            Binding, Sym->st_other,
448                                            Sym->getType(), this)
449         ->body();
450   }
451 
452   switch (Binding) {
453   default:
454     fatal(getFilename(this) + ": unexpected binding: " + Twine(Binding));
455   case STB_GLOBAL:
456   case STB_WEAK:
457   case STB_GNU_UNIQUE:
458     if (Sec == &InputSection<ELFT>::Discarded)
459       return elf::Symtab<ELFT>::X->addUndefined(Name, Binding, Sym->st_other,
460                                                 Sym->getType(),
461                                                 /*CanOmitFromDynSym*/ false,
462                                                 this)
463           ->body();
464     return elf::Symtab<ELFT>::X->addRegular(Name, *Sym, Sec)->body();
465   }
466 }
467 
468 template <class ELFT> void ArchiveFile::parse() {
469   File = check(Archive::create(MB), "failed to parse archive");
470 
471   // Read the symbol table to construct Lazy objects.
472   for (const Archive::Symbol &Sym : File->symbols())
473     Symtab<ELFT>::X->addLazyArchive(this, Sym);
474 }
475 
476 // Returns a buffer pointing to a member file containing a given symbol.
477 std::pair<MemoryBufferRef, uint64_t>
478 ArchiveFile::getMember(const Archive::Symbol *Sym) {
479   Archive::Child C =
480       check(Sym->getMember(),
481             "could not get the member for symbol " + Sym->getName());
482 
483   if (!Seen.insert(C.getChildOffset()).second)
484     return {MemoryBufferRef(), 0};
485 
486   MemoryBufferRef Ret =
487       check(C.getMemoryBufferRef(),
488             "could not get the buffer for the member defining symbol " +
489                 Sym->getName());
490 
491   if (C.getParent()->isThin() && Driver->Cpio)
492     Driver->Cpio->append(relativeToRoot(check(C.getFullName())),
493                          Ret.getBuffer());
494   if (C.getParent()->isThin())
495     return {Ret, 0};
496   return {Ret, C.getChildOffset()};
497 }
498 
499 template <class ELFT>
500 SharedFile<ELFT>::SharedFile(MemoryBufferRef M)
501     : ELFFileBase<ELFT>(Base::SharedKind, M), AsNeeded(Config->AsNeeded) {}
502 
503 template <class ELFT>
504 const typename ELFT::Shdr *
505 SharedFile<ELFT>::getSection(const Elf_Sym &Sym) const {
506   uint32_t Index = this->getSectionIndex(Sym);
507   if (Index == 0)
508     return nullptr;
509   return check(this->ELFObj.getSection(Index));
510 }
511 
512 // Partially parse the shared object file so that we can call
513 // getSoName on this object.
514 template <class ELFT> void SharedFile<ELFT>::parseSoName() {
515   typedef typename ELFT::Dyn Elf_Dyn;
516   typedef typename ELFT::uint uintX_t;
517   const Elf_Shdr *DynamicSec = nullptr;
518 
519   const ELFFile<ELFT> Obj = this->ELFObj;
520   for (const Elf_Shdr &Sec : Obj.sections()) {
521     switch (Sec.sh_type) {
522     default:
523       continue;
524     case SHT_DYNSYM:
525       this->Symtab = &Sec;
526       break;
527     case SHT_DYNAMIC:
528       DynamicSec = &Sec;
529       break;
530     case SHT_SYMTAB_SHNDX:
531       this->SymtabSHNDX = check(Obj.getSHNDXTable(Sec));
532       break;
533     case SHT_GNU_versym:
534       this->VersymSec = &Sec;
535       break;
536     case SHT_GNU_verdef:
537       this->VerdefSec = &Sec;
538       break;
539     }
540   }
541 
542   this->initStringTable();
543 
544   // DSOs are identified by soname, and they usually contain
545   // DT_SONAME tag in their header. But if they are missing,
546   // filenames are used as default sonames.
547   SoName = sys::path::filename(this->getName());
548 
549   if (!DynamicSec)
550     return;
551 
552   ArrayRef<Elf_Dyn> Arr =
553       check(Obj.template getSectionContentsAsArray<Elf_Dyn>(DynamicSec),
554             getFilename(this) + ": getSectionContentsAsArray failed");
555   for (const Elf_Dyn &Dyn : Arr) {
556     if (Dyn.d_tag == DT_SONAME) {
557       uintX_t Val = Dyn.getVal();
558       if (Val >= this->StringTable.size())
559         fatal(getFilename(this) + ": invalid DT_SONAME entry");
560       SoName = StringRef(this->StringTable.data() + Val);
561       return;
562     }
563   }
564 }
565 
566 // Parse the version definitions in the object file if present. Returns a vector
567 // whose nth element contains a pointer to the Elf_Verdef for version identifier
568 // n. Version identifiers that are not definitions map to nullptr. The array
569 // always has at least length 1.
570 template <class ELFT>
571 std::vector<const typename ELFT::Verdef *>
572 SharedFile<ELFT>::parseVerdefs(const Elf_Versym *&Versym) {
573   std::vector<const Elf_Verdef *> Verdefs(1);
574   // We only need to process symbol versions for this DSO if it has both a
575   // versym and a verdef section, which indicates that the DSO contains symbol
576   // version definitions.
577   if (!VersymSec || !VerdefSec)
578     return Verdefs;
579 
580   // The location of the first global versym entry.
581   Versym = reinterpret_cast<const Elf_Versym *>(this->ELFObj.base() +
582                                                 VersymSec->sh_offset) +
583            this->Symtab->sh_info;
584 
585   // We cannot determine the largest verdef identifier without inspecting
586   // every Elf_Verdef, but both bfd and gold assign verdef identifiers
587   // sequentially starting from 1, so we predict that the largest identifier
588   // will be VerdefCount.
589   unsigned VerdefCount = VerdefSec->sh_info;
590   Verdefs.resize(VerdefCount + 1);
591 
592   // Build the Verdefs array by following the chain of Elf_Verdef objects
593   // from the start of the .gnu.version_d section.
594   const uint8_t *Verdef = this->ELFObj.base() + VerdefSec->sh_offset;
595   for (unsigned I = 0; I != VerdefCount; ++I) {
596     auto *CurVerdef = reinterpret_cast<const Elf_Verdef *>(Verdef);
597     Verdef += CurVerdef->vd_next;
598     unsigned VerdefIndex = CurVerdef->vd_ndx;
599     if (Verdefs.size() <= VerdefIndex)
600       Verdefs.resize(VerdefIndex + 1);
601     Verdefs[VerdefIndex] = CurVerdef;
602   }
603 
604   return Verdefs;
605 }
606 
607 // Fully parse the shared object file. This must be called after parseSoName().
608 template <class ELFT> void SharedFile<ELFT>::parseRest() {
609   // Create mapping from version identifiers to Elf_Verdef entries.
610   const Elf_Versym *Versym = nullptr;
611   std::vector<const Elf_Verdef *> Verdefs = parseVerdefs(Versym);
612 
613   Elf_Sym_Range Syms = this->getElfSymbols(true);
614   for (const Elf_Sym &Sym : Syms) {
615     unsigned VersymIndex = 0;
616     if (Versym) {
617       VersymIndex = Versym->vs_index;
618       ++Versym;
619     }
620 
621     StringRef Name = check(Sym.getName(this->StringTable));
622     if (Sym.isUndefined()) {
623       Undefs.push_back(Name);
624       continue;
625     }
626 
627     if (Versym) {
628       // Ignore local symbols and non-default versions.
629       if (VersymIndex == VER_NDX_LOCAL || (VersymIndex & VERSYM_HIDDEN))
630         continue;
631     }
632 
633     const Elf_Verdef *V =
634         VersymIndex == VER_NDX_GLOBAL ? nullptr : Verdefs[VersymIndex];
635     elf::Symtab<ELFT>::X->addShared(this, Name, Sym, V);
636   }
637 }
638 
639 static ELFKind getBitcodeELFKind(MemoryBufferRef MB) {
640   Triple T(getBitcodeTargetTriple(MB, Driver->Context));
641   if (T.isLittleEndian())
642     return T.isArch64Bit() ? ELF64LEKind : ELF32LEKind;
643   return T.isArch64Bit() ? ELF64BEKind : ELF32BEKind;
644 }
645 
646 static uint8_t getBitcodeMachineKind(MemoryBufferRef MB) {
647   Triple T(getBitcodeTargetTriple(MB, Driver->Context));
648   switch (T.getArch()) {
649   case Triple::aarch64:
650     return EM_AARCH64;
651   case Triple::arm:
652     return EM_ARM;
653   case Triple::mips:
654   case Triple::mipsel:
655   case Triple::mips64:
656   case Triple::mips64el:
657     return EM_MIPS;
658   case Triple::ppc:
659     return EM_PPC;
660   case Triple::ppc64:
661     return EM_PPC64;
662   case Triple::x86:
663     return T.isOSIAMCU() ? EM_IAMCU : EM_386;
664   case Triple::x86_64:
665     return EM_X86_64;
666   default:
667     fatal(MB.getBufferIdentifier() +
668           ": could not infer e_machine from bitcode target triple " + T.str());
669   }
670 }
671 
672 BitcodeFile::BitcodeFile(MemoryBufferRef MB) : InputFile(BitcodeKind, MB) {
673   EKind = getBitcodeELFKind(MB);
674   EMachine = getBitcodeMachineKind(MB);
675 }
676 
677 static uint8_t mapVisibility(GlobalValue::VisibilityTypes GvVisibility) {
678   switch (GvVisibility) {
679   case GlobalValue::DefaultVisibility:
680     return STV_DEFAULT;
681   case GlobalValue::HiddenVisibility:
682     return STV_HIDDEN;
683   case GlobalValue::ProtectedVisibility:
684     return STV_PROTECTED;
685   }
686   llvm_unreachable("unknown visibility");
687 }
688 
689 template <class ELFT>
690 static Symbol *createBitcodeSymbol(const DenseSet<const Comdat *> &KeptComdats,
691                                    const lto::InputFile::Symbol &ObjSym,
692                                    StringSaver &Saver, BitcodeFile *F) {
693   StringRef NameRef = Saver.save(ObjSym.getName());
694   uint32_t Flags = ObjSym.getFlags();
695   uint32_t Binding = (Flags & BasicSymbolRef::SF_Weak) ? STB_WEAK : STB_GLOBAL;
696 
697   uint8_t Type = ObjSym.isTLS() ? STT_TLS : STT_NOTYPE;
698   uint8_t Visibility = mapVisibility(ObjSym.getVisibility());
699   bool CanOmitFromDynSym = ObjSym.canBeOmittedFromSymbolTable();
700 
701   if (const Comdat *C = check(ObjSym.getComdat()))
702     if (!KeptComdats.count(C))
703       return Symtab<ELFT>::X->addUndefined(NameRef, Binding, Visibility, Type,
704                                            CanOmitFromDynSym, F);
705 
706   if (Flags & BasicSymbolRef::SF_Undefined)
707     return Symtab<ELFT>::X->addUndefined(NameRef, Binding, Visibility, Type,
708                                          CanOmitFromDynSym, F);
709 
710   if (Flags & BasicSymbolRef::SF_Common)
711     return Symtab<ELFT>::X->addCommon(NameRef, ObjSym.getCommonSize(),
712                                       ObjSym.getCommonAlignment(), Binding,
713                                       Visibility, STT_OBJECT, F);
714 
715   return Symtab<ELFT>::X->addBitcode(NameRef, Binding, Visibility, Type,
716                                      CanOmitFromDynSym, F);
717 }
718 
719 template <class ELFT>
720 void BitcodeFile::parse(DenseSet<StringRef> &ComdatGroups) {
721 
722   // Here we pass a new MemoryBufferRef which is identified by ArchiveName
723   // (the fully resolved path of the archive) + member name + offset of the
724   // member in the archive.
725   // ThinLTO uses the MemoryBufferRef identifier to access its internal
726   // data structures and if two archives define two members with the same name,
727   // this causes a collision which result in only one of the objects being
728   // taken into consideration at LTO time (which very likely causes undefined
729   // symbols later in the link stage).
730   Obj = check(lto::InputFile::create(MemoryBufferRef(
731       MB.getBuffer(), Saver.save(ArchiveName + MB.getBufferIdentifier() +
732                                  utostr(OffsetInArchive)))));
733   DenseSet<const Comdat *> KeptComdats;
734   for (const auto &P : Obj->getComdatSymbolTable()) {
735     StringRef N = Saver.save(P.first());
736     if (ComdatGroups.insert(N).second)
737       KeptComdats.insert(&P.second);
738   }
739 
740   for (const lto::InputFile::Symbol &ObjSym : Obj->symbols())
741     Symbols.push_back(
742         createBitcodeSymbol<ELFT>(KeptComdats, ObjSym, Saver, this));
743 }
744 
745 template <template <class> class T>
746 static InputFile *createELFFile(MemoryBufferRef MB) {
747   unsigned char Size;
748   unsigned char Endian;
749   std::tie(Size, Endian) = getElfArchType(MB.getBuffer());
750   if (Endian != ELFDATA2LSB && Endian != ELFDATA2MSB)
751     fatal("invalid data encoding: " + MB.getBufferIdentifier());
752 
753   InputFile *Obj;
754   if (Size == ELFCLASS32 && Endian == ELFDATA2LSB)
755     Obj = new T<ELF32LE>(MB);
756   else if (Size == ELFCLASS32 && Endian == ELFDATA2MSB)
757     Obj = new T<ELF32BE>(MB);
758   else if (Size == ELFCLASS64 && Endian == ELFDATA2LSB)
759     Obj = new T<ELF64LE>(MB);
760   else if (Size == ELFCLASS64 && Endian == ELFDATA2MSB)
761     Obj = new T<ELF64BE>(MB);
762   else
763     fatal("invalid file class: " + MB.getBufferIdentifier());
764 
765   if (!Config->FirstElf)
766     Config->FirstElf = Obj;
767   return Obj;
768 }
769 
770 // Wraps a binary blob with an ELF header and footer
771 // so that we can link it as a regular ELF file.
772 template <class ELFT> InputFile *BinaryFile::createELF() {
773   // Fill the ELF file header.
774   ELFCreator<ELFT> ELF(ET_REL, Config->EMachine);
775   auto DataSec = ELF.addSection(".data");
776   DataSec.Header->sh_flags = SHF_ALLOC;
777   DataSec.Header->sh_size = MB.getBufferSize();
778   DataSec.Header->sh_type = SHT_PROGBITS;
779   DataSec.Header->sh_addralign = 8;
780 
781   // Replace non-alphanumeric characters with '_'.
782   std::string Filepath = MB.getBufferIdentifier();
783   std::transform(Filepath.begin(), Filepath.end(), Filepath.begin(),
784                  [](char C) { return isalnum(C) ? C : '_'; });
785 
786   // Add _start, _end and _size symbols.
787   std::string StartSym = "_binary_" + Filepath + "_start";
788   auto SSym = ELF.addSymbol(StartSym);
789   SSym.Sym->setBindingAndType(STB_GLOBAL, STT_OBJECT);
790   SSym.Sym->st_shndx = DataSec.Index;
791 
792   std::string EndSym = "_binary_" + Filepath + "_end";
793   auto ESym = ELF.addSymbol(EndSym);
794   ESym.Sym->setBindingAndType(STB_GLOBAL, STT_OBJECT);
795   ESym.Sym->st_shndx = DataSec.Index;
796   ESym.Sym->st_value = MB.getBufferSize();
797 
798   std::string SizeSym = "_binary_" + Filepath + "_size";
799   auto SZSym = ELF.addSymbol(SizeSym);
800   SZSym.Sym->setBindingAndType(STB_GLOBAL, STT_OBJECT);
801   SZSym.Sym->st_shndx = SHN_ABS;
802   SZSym.Sym->st_value = MB.getBufferSize();
803 
804   // Fix the ELF file layout and write it down to ELFData uint8_t vector.
805   std::size_t Size = ELF.layout();
806   ELFData.resize(Size);
807   ELF.write(ELFData.data());
808 
809   // Fill .data section with actual data.
810   std::copy(MB.getBufferStart(), MB.getBufferEnd(),
811             ELFData.data() + DataSec.Header->sh_offset);
812 
813   return createELFFile<ObjectFile>(MemoryBufferRef(
814       StringRef((char *)ELFData.data(), Size), MB.getBufferIdentifier()));
815 }
816 
817 static bool isBitcode(MemoryBufferRef MB) {
818   using namespace sys::fs;
819   return identify_magic(MB.getBuffer()) == file_magic::bitcode;
820 }
821 
822 InputFile *elf::createObjectFile(MemoryBufferRef MB, StringRef ArchiveName,
823                                  uint64_t OffsetInArchive) {
824   InputFile *F =
825       isBitcode(MB) ? new BitcodeFile(MB) : createELFFile<ObjectFile>(MB);
826   F->ArchiveName = ArchiveName;
827   F->OffsetInArchive = OffsetInArchive;
828   return F;
829 }
830 
831 InputFile *elf::createSharedFile(MemoryBufferRef MB) {
832   return createELFFile<SharedFile>(MB);
833 }
834 
835 MemoryBufferRef LazyObjectFile::getBuffer() {
836   if (Seen)
837     return MemoryBufferRef();
838   Seen = true;
839   return MB;
840 }
841 
842 template <class ELFT> void LazyObjectFile::parse() {
843   for (StringRef Sym : getSymbols())
844     Symtab<ELFT>::X->addLazyObject(Sym, *this);
845 }
846 
847 template <class ELFT> std::vector<StringRef> LazyObjectFile::getElfSymbols() {
848   typedef typename ELFT::Shdr Elf_Shdr;
849   typedef typename ELFT::Sym Elf_Sym;
850   typedef typename ELFT::SymRange Elf_Sym_Range;
851 
852   const ELFFile<ELFT> Obj = createELFObj<ELFT>(this->MB);
853   for (const Elf_Shdr &Sec : Obj.sections()) {
854     if (Sec.sh_type != SHT_SYMTAB)
855       continue;
856     Elf_Sym_Range Syms = Obj.symbols(&Sec);
857     uint32_t FirstNonLocal = Sec.sh_info;
858     StringRef StringTable = check(Obj.getStringTableForSymtab(Sec));
859     std::vector<StringRef> V;
860     for (const Elf_Sym &Sym : Syms.slice(FirstNonLocal))
861       if (Sym.st_shndx != SHN_UNDEF)
862         V.push_back(check(Sym.getName(StringTable)));
863     return V;
864   }
865   return {};
866 }
867 
868 std::vector<StringRef> LazyObjectFile::getBitcodeSymbols() {
869   std::unique_ptr<lto::InputFile> Obj = check(lto::InputFile::create(this->MB));
870   std::vector<StringRef> V;
871   for (const lto::InputFile::Symbol &Sym : Obj->symbols())
872     if (!(Sym.getFlags() & BasicSymbolRef::SF_Undefined))
873       V.push_back(Saver.save(Sym.getName()));
874   return V;
875 }
876 
877 // Returns a vector of globally-visible defined symbol names.
878 std::vector<StringRef> LazyObjectFile::getSymbols() {
879   if (isBitcode(this->MB))
880     return getBitcodeSymbols();
881 
882   unsigned char Size;
883   unsigned char Endian;
884   std::tie(Size, Endian) = getElfArchType(this->MB.getBuffer());
885   if (Size == ELFCLASS32) {
886     if (Endian == ELFDATA2LSB)
887       return getElfSymbols<ELF32LE>();
888     return getElfSymbols<ELF32BE>();
889   }
890   if (Endian == ELFDATA2LSB)
891     return getElfSymbols<ELF64LE>();
892   return getElfSymbols<ELF64BE>();
893 }
894 
895 template void ArchiveFile::parse<ELF32LE>();
896 template void ArchiveFile::parse<ELF32BE>();
897 template void ArchiveFile::parse<ELF64LE>();
898 template void ArchiveFile::parse<ELF64BE>();
899 
900 template void BitcodeFile::parse<ELF32LE>(DenseSet<StringRef> &);
901 template void BitcodeFile::parse<ELF32BE>(DenseSet<StringRef> &);
902 template void BitcodeFile::parse<ELF64LE>(DenseSet<StringRef> &);
903 template void BitcodeFile::parse<ELF64BE>(DenseSet<StringRef> &);
904 
905 template void LazyObjectFile::parse<ELF32LE>();
906 template void LazyObjectFile::parse<ELF32BE>();
907 template void LazyObjectFile::parse<ELF64LE>();
908 template void LazyObjectFile::parse<ELF64BE>();
909 
910 template class elf::ELFFileBase<ELF32LE>;
911 template class elf::ELFFileBase<ELF32BE>;
912 template class elf::ELFFileBase<ELF64LE>;
913 template class elf::ELFFileBase<ELF64BE>;
914 
915 template class elf::ObjectFile<ELF32LE>;
916 template class elf::ObjectFile<ELF32BE>;
917 template class elf::ObjectFile<ELF64LE>;
918 template class elf::ObjectFile<ELF64BE>;
919 
920 template class elf::SharedFile<ELF32LE>;
921 template class elf::SharedFile<ELF32BE>;
922 template class elf::SharedFile<ELF64LE>;
923 template class elf::SharedFile<ELF64BE>;
924 
925 template InputFile *BinaryFile::createELF<ELF32LE>();
926 template InputFile *BinaryFile::createELF<ELF32BE>();
927 template InputFile *BinaryFile::createELF<ELF64LE>();
928 template InputFile *BinaryFile::createELF<ELF64BE>();
929