1 //===- OutputSections.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 "OutputSections.h"
11 #include "Config.h"
12 #include "LinkerScript.h"
13 #include "Memory.h"
14 #include "Strings.h"
15 #include "SymbolTable.h"
16 #include "SyntheticSections.h"
17 #include "Target.h"
18 #include "Threads.h"
19 #include "llvm/BinaryFormat/Dwarf.h"
20 #include "llvm/Support/Compression.h"
21 #include "llvm/Support/MD5.h"
22 #include "llvm/Support/MathExtras.h"
23 #include "llvm/Support/SHA1.h"
24 
25 using namespace llvm;
26 using namespace llvm::dwarf;
27 using namespace llvm::object;
28 using namespace llvm::support::endian;
29 using namespace llvm::ELF;
30 
31 using namespace lld;
32 using namespace lld::elf;
33 
34 uint8_t Out::First;
35 OutputSection *Out::Opd;
36 uint8_t *Out::OpdBuf;
37 PhdrEntry *Out::TlsPhdr;
38 OutputSection *Out::DebugInfo;
39 OutputSection *Out::ElfHeader;
40 OutputSection *Out::ProgramHeaders;
41 OutputSection *Out::PreinitArray;
42 OutputSection *Out::InitArray;
43 OutputSection *Out::FiniArray;
44 
45 std::vector<OutputSection *> elf::OutputSections;
46 
47 uint32_t OutputSection::getPhdrFlags() const {
48   uint32_t Ret = PF_R;
49   if (Flags & SHF_WRITE)
50     Ret |= PF_W;
51   if (Flags & SHF_EXECINSTR)
52     Ret |= PF_X;
53   return Ret;
54 }
55 
56 template <class ELFT>
57 void OutputSection::writeHeaderTo(typename ELFT::Shdr *Shdr) {
58   Shdr->sh_entsize = Entsize;
59   Shdr->sh_addralign = Alignment;
60   Shdr->sh_type = Type;
61   Shdr->sh_offset = Offset;
62   Shdr->sh_flags = Flags;
63   Shdr->sh_info = Info;
64   Shdr->sh_link = Link;
65   Shdr->sh_addr = Addr;
66   Shdr->sh_size = Size;
67   Shdr->sh_name = ShName;
68 }
69 
70 OutputSection::OutputSection(StringRef Name, uint32_t Type, uint64_t Flags)
71     : BaseCommand(OutputSectionKind),
72       SectionBase(Output, Name, Flags, /*Entsize*/ 0, /*Alignment*/ 1, Type,
73                   /*Info*/ 0,
74                   /*Link*/ 0),
75       SectionIndex(INT_MAX) {
76   Live = false;
77 }
78 
79 static uint64_t updateOffset(uint64_t Off, InputSection *S) {
80   Off = alignTo(Off, S->Alignment);
81   S->OutSecOff = Off;
82   return Off + S->getSize();
83 }
84 
85 void OutputSection::addSection(InputSection *S) {
86   assert(S->Live);
87   Live = true;
88   S->Parent = this;
89   this->updateAlignment(S->Alignment);
90 
91   // The actual offsets will be computed by assignAddresses. For now, use
92   // crude approximation so that it is at least easy for other code to know the
93   // section order. It is also used to calculate the output section size early
94   // for compressed debug sections.
95   this->Size = updateOffset(Size, S);
96 
97   // If this section contains a table of fixed-size entries, sh_entsize
98   // holds the element size. Consequently, if this contains two or more
99   // input sections, all of them must have the same sh_entsize. However,
100   // you can put different types of input sections into one output
101   // sectin by using linker scripts. I don't know what to do here.
102   // Probably we sholuld handle that as an error. But for now we just
103   // pick the largest sh_entsize.
104   this->Entsize = std::max(this->Entsize, S->Entsize);
105 
106   if (!S->Assigned) {
107     S->Assigned = true;
108     if (Commands.empty() || !isa<InputSectionDescription>(Commands.back()))
109       Commands.push_back(make<InputSectionDescription>(""));
110     auto *ISD = cast<InputSectionDescription>(Commands.back());
111     ISD->Sections.push_back(S);
112   }
113 }
114 
115 static SectionKey createKey(InputSectionBase *C, StringRef OutsecName) {
116   //  The ELF spec just says
117   // ----------------------------------------------------------------
118   // In the first phase, input sections that match in name, type and
119   // attribute flags should be concatenated into single sections.
120   // ----------------------------------------------------------------
121   //
122   // However, it is clear that at least some flags have to be ignored for
123   // section merging. At the very least SHF_GROUP and SHF_COMPRESSED have to be
124   // ignored. We should not have two output .text sections just because one was
125   // in a group and another was not for example.
126   //
127   // It also seems that that wording was a late addition and didn't get the
128   // necessary scrutiny.
129   //
130   // Merging sections with different flags is expected by some users. One
131   // reason is that if one file has
132   //
133   // int *const bar __attribute__((section(".foo"))) = (int *)0;
134   //
135   // gcc with -fPIC will produce a read only .foo section. But if another
136   // file has
137   //
138   // int zed;
139   // int *const bar __attribute__((section(".foo"))) = (int *)&zed;
140   //
141   // gcc with -fPIC will produce a read write section.
142   //
143   // Last but not least, when using linker script the merge rules are forced by
144   // the script. Unfortunately, linker scripts are name based. This means that
145   // expressions like *(.foo*) can refer to multiple input sections with
146   // different flags. We cannot put them in different output sections or we
147   // would produce wrong results for
148   //
149   // start = .; *(.foo.*) end = .; *(.bar)
150   //
151   // and a mapping of .foo1 and .bar1 to one section and .foo2 and .bar2 to
152   // another. The problem is that there is no way to layout those output
153   // sections such that the .foo sections are the only thing between the start
154   // and end symbols.
155   //
156   // Given the above issues, we instead merge sections by name and error on
157   // incompatible types and flags.
158 
159   uint32_t Alignment = 0;
160   uint64_t Flags = 0;
161   if (Config->Relocatable && (C->Flags & SHF_MERGE)) {
162     Alignment = std::max<uint64_t>(C->Alignment, C->Entsize);
163     Flags = C->Flags & (SHF_MERGE | SHF_STRINGS);
164   }
165 
166   return SectionKey{OutsecName, Flags, Alignment};
167 }
168 
169 OutputSectionFactory::OutputSectionFactory() {}
170 
171 static uint64_t getIncompatibleFlags(uint64_t Flags) {
172   return Flags & (SHF_ALLOC | SHF_TLS);
173 }
174 
175 // We allow sections of types listed below to merged into a
176 // single progbits section. This is typically done by linker
177 // scripts. Merging nobits and progbits will force disk space
178 // to be allocated for nobits sections. Other ones don't require
179 // any special treatment on top of progbits, so there doesn't
180 // seem to be a harm in merging them.
181 static bool canMergeToProgbits(unsigned Type) {
182   return Type == SHT_NOBITS || Type == SHT_PROGBITS || Type == SHT_INIT_ARRAY ||
183          Type == SHT_PREINIT_ARRAY || Type == SHT_FINI_ARRAY ||
184          Type == SHT_NOTE;
185 }
186 
187 void elf::sortByOrder(MutableArrayRef<InputSection *> In,
188                       std::function<int(InputSectionBase *S)> Order) {
189   typedef std::pair<int, InputSection *> Pair;
190   auto Comp = [](const Pair &A, const Pair &B) { return A.first < B.first; };
191 
192   std::vector<Pair> V;
193   for (InputSection *S : In)
194     V.push_back({Order(S), S});
195   std::stable_sort(V.begin(), V.end(), Comp);
196 
197   for (size_t I = 0; I < V.size(); ++I)
198     In[I] = V[I].second;
199 }
200 
201 void elf::reportDiscarded(InputSectionBase *IS) {
202   if (!Config->PrintGcSections)
203     return;
204   message("removing unused section from '" + IS->Name + "' in file '" +
205           IS->File->getName() + "'");
206 }
207 
208 static OutputSection *addSection(InputSectionBase *IS, StringRef OutsecName,
209                                  OutputSection *Sec) {
210   if (Sec && Sec->Live) {
211     if (getIncompatibleFlags(Sec->Flags) != getIncompatibleFlags(IS->Flags))
212       error("incompatible section flags for " + Sec->Name + "\n>>> " +
213             toString(IS) + ": 0x" + utohexstr(IS->Flags) +
214             "\n>>> output section " + Sec->Name + ": 0x" +
215             utohexstr(Sec->Flags));
216     if (Sec->Type != IS->Type) {
217       if (canMergeToProgbits(Sec->Type) && canMergeToProgbits(IS->Type))
218         Sec->Type = SHT_PROGBITS;
219       else
220         error("section type mismatch for " + IS->Name + "\n>>> " +
221               toString(IS) + ": " +
222               getELFSectionTypeName(Config->EMachine, IS->Type) +
223               "\n>>> output section " + Sec->Name + ": " +
224               getELFSectionTypeName(Config->EMachine, Sec->Type));
225     }
226     Sec->Flags |= IS->Flags;
227   } else {
228     if (!Sec) {
229       Sec = Script->createOutputSection(OutsecName, "<internal>");
230       Script->Opt.Commands.push_back(Sec);
231     }
232     Sec->Type = IS->Type;
233     Sec->Flags = IS->Flags;
234   }
235 
236   Sec->addSection(cast<InputSection>(IS));
237   return Sec;
238 }
239 
240 void OutputSectionFactory::addInputSec(InputSectionBase *IS,
241                                        StringRef OutsecName,
242                                        OutputSection *OS) {
243   if (!IS->Live) {
244     reportDiscarded(IS);
245     return;
246   }
247 
248   // If we have destination output section - use it directly.
249   if (OS) {
250     addSection(IS, OutsecName, OS);
251     return;
252   }
253 
254   // Sections with SHT_GROUP or SHF_GROUP attributes reach here only when the -r
255   // option is given. A section with SHT_GROUP defines a "section group", and
256   // its members have SHF_GROUP attribute. Usually these flags have already been
257   // stripped by InputFiles.cpp as section groups are processed and uniquified.
258   // However, for the -r option, we want to pass through all section groups
259   // as-is because adding/removing members or merging them with other groups
260   // change their semantics.
261   if (IS->Type == SHT_GROUP || (IS->Flags & SHF_GROUP)) {
262     addSection(IS, OutsecName, nullptr);
263     return;
264   }
265 
266   // Imagine .zed : { *(.foo) *(.bar) } script. Both foo and bar may have
267   // relocation sections .rela.foo and .rela.bar for example. Most tools do
268   // not allow multiple REL[A] sections for output section. Hence we
269   // should combine these relocation sections into single output.
270   // We skip synthetic sections because it can be .rela.dyn/.rela.plt or any
271   // other REL[A] sections created by linker itself.
272   if (!isa<SyntheticSection>(IS) &&
273       (IS->Type == SHT_REL || IS->Type == SHT_RELA)) {
274     auto *Sec = cast<InputSection>(IS);
275     OutputSection *Out = Sec->getRelocatedSection()->getOutputSection();
276     Out->RelocationSection = addSection(IS, OutsecName, Out->RelocationSection);
277     return;
278   }
279 
280   SectionKey Key = createKey(IS, OutsecName);
281   OutputSection *&Sec = Map[Key];
282   Sec = addSection(IS, OutsecName, Sec);
283 }
284 
285 OutputSectionFactory::~OutputSectionFactory() {}
286 
287 SectionKey DenseMapInfo<SectionKey>::getEmptyKey() {
288   return SectionKey{DenseMapInfo<StringRef>::getEmptyKey(), 0, 0};
289 }
290 
291 SectionKey DenseMapInfo<SectionKey>::getTombstoneKey() {
292   return SectionKey{DenseMapInfo<StringRef>::getTombstoneKey(), 0, 0};
293 }
294 
295 unsigned DenseMapInfo<SectionKey>::getHashValue(const SectionKey &Val) {
296   return hash_combine(Val.Name, Val.Flags, Val.Alignment);
297 }
298 
299 bool DenseMapInfo<SectionKey>::isEqual(const SectionKey &LHS,
300                                        const SectionKey &RHS) {
301   return DenseMapInfo<StringRef>::isEqual(LHS.Name, RHS.Name) &&
302          LHS.Flags == RHS.Flags && LHS.Alignment == RHS.Alignment;
303 }
304 
305 uint64_t elf::getHeaderSize() {
306   if (Config->OFormatBinary)
307     return 0;
308   return Out::ElfHeader->Size + Out::ProgramHeaders->Size;
309 }
310 
311 bool OutputSection::classof(const BaseCommand *C) {
312   return C->Kind == OutputSectionKind;
313 }
314 
315 void OutputSection::sort(std::function<int(InputSectionBase *S)> Order) {
316   assert(Commands.size() == 1);
317   sortByOrder(cast<InputSectionDescription>(Commands[0])->Sections, Order);
318 }
319 
320 // Fill [Buf, Buf + Size) with Filler.
321 // This is used for linker script "=fillexp" command.
322 static void fill(uint8_t *Buf, size_t Size, uint32_t Filler) {
323   size_t I = 0;
324   for (; I + 4 < Size; I += 4)
325     memcpy(Buf + I, &Filler, 4);
326   memcpy(Buf + I, &Filler, Size - I);
327 }
328 
329 // Compress section contents if this section contains debug info.
330 template <class ELFT> void OutputSection::maybeCompress() {
331   typedef typename ELFT::Chdr Elf_Chdr;
332 
333   // Compress only DWARF debug sections.
334   if (!Config->CompressDebugSections || (Flags & SHF_ALLOC) ||
335       !Name.startswith(".debug_"))
336     return;
337 
338   // Create a section header.
339   ZDebugHeader.resize(sizeof(Elf_Chdr));
340   auto *Hdr = reinterpret_cast<Elf_Chdr *>(ZDebugHeader.data());
341   Hdr->ch_type = ELFCOMPRESS_ZLIB;
342   Hdr->ch_size = Size;
343   Hdr->ch_addralign = Alignment;
344 
345   // Write section contents to a temporary buffer and compress it.
346   std::vector<uint8_t> Buf(Size);
347   writeTo<ELFT>(Buf.data());
348   if (Error E = zlib::compress(toStringRef(Buf), CompressedData))
349     fatal("compress failed: " + llvm::toString(std::move(E)));
350 
351   // Update section headers.
352   Size = sizeof(Elf_Chdr) + CompressedData.size();
353   Flags |= SHF_COMPRESSED;
354 }
355 
356 static void writeInt(uint8_t *Buf, uint64_t Data, uint64_t Size) {
357   if (Size == 1)
358     *Buf = Data;
359   else if (Size == 2)
360     write16(Buf, Data, Config->Endianness);
361   else if (Size == 4)
362     write32(Buf, Data, Config->Endianness);
363   else if (Size == 8)
364     write64(Buf, Data, Config->Endianness);
365   else
366     llvm_unreachable("unsupported Size argument");
367 }
368 
369 template <class ELFT> void OutputSection::writeTo(uint8_t *Buf) {
370   if (Type == SHT_NOBITS)
371     return;
372 
373   Loc = Buf;
374 
375   // If -compress-debug-section is specified and if this is a debug seciton,
376   // we've already compressed section contents. If that's the case,
377   // just write it down.
378   if (!CompressedData.empty()) {
379     memcpy(Buf, ZDebugHeader.data(), ZDebugHeader.size());
380     memcpy(Buf + ZDebugHeader.size(), CompressedData.data(),
381            CompressedData.size());
382     return;
383   }
384 
385   // Write leading padding.
386   std::vector<InputSection *> Sections;
387   for (BaseCommand *Cmd : Commands)
388     if (auto *ISD = dyn_cast<InputSectionDescription>(Cmd))
389       for (InputSection *IS : ISD->Sections)
390         if (IS->Live)
391           Sections.push_back(IS);
392   uint32_t Filler = getFiller();
393   if (Filler)
394     fill(Buf, Sections.empty() ? Size : Sections[0]->OutSecOff, Filler);
395 
396   parallelForEachN(0, Sections.size(), [=](size_t I) {
397     InputSection *IS = Sections[I];
398     IS->writeTo<ELFT>(Buf);
399 
400     // Fill gaps between sections.
401     if (Filler) {
402       uint8_t *Start = Buf + IS->OutSecOff + IS->getSize();
403       uint8_t *End;
404       if (I + 1 == Sections.size())
405         End = Buf + Size;
406       else
407         End = Buf + Sections[I + 1]->OutSecOff;
408       fill(Start, End - Start, Filler);
409     }
410   });
411 
412   // Linker scripts may have BYTE()-family commands with which you
413   // can write arbitrary bytes to the output. Process them if any.
414   for (BaseCommand *Base : Commands)
415     if (auto *Data = dyn_cast<BytesDataCommand>(Base))
416       writeInt(Buf + Data->Offset, Data->Expression().getValue(), Data->Size);
417 }
418 
419 static bool compareByFilePosition(InputSection *A, InputSection *B) {
420   // Synthetic doesn't have link order dependecy, stable_sort will keep it last
421   if (A->kind() == InputSectionBase::Synthetic ||
422       B->kind() == InputSectionBase::Synthetic)
423     return false;
424   InputSection *LA = A->getLinkOrderDep();
425   InputSection *LB = B->getLinkOrderDep();
426   OutputSection *AOut = LA->getParent();
427   OutputSection *BOut = LB->getParent();
428   if (AOut != BOut)
429     return AOut->SectionIndex < BOut->SectionIndex;
430   return LA->OutSecOff < LB->OutSecOff;
431 }
432 
433 template <class ELFT>
434 static void finalizeShtGroup(OutputSection *OS,
435                              ArrayRef<InputSection *> Sections) {
436   assert(Config->Relocatable && Sections.size() == 1);
437 
438   // sh_link field for SHT_GROUP sections should contain the section index of
439   // the symbol table.
440   OS->Link = InX::SymTab->getParent()->SectionIndex;
441 
442   // sh_info then contain index of an entry in symbol table section which
443   // provides signature of the section group.
444   ObjFile<ELFT> *Obj = Sections[0]->getFile<ELFT>();
445   ArrayRef<SymbolBody *> Symbols = Obj->getSymbols();
446   OS->Info = InX::SymTab->getSymbolIndex(Symbols[Sections[0]->Info]);
447 }
448 
449 template <class ELFT> void OutputSection::finalize() {
450   // Link order may be distributed across several InputSectionDescriptions
451   // but sort must consider them all at once.
452   std::vector<InputSection **> ScriptSections;
453   std::vector<InputSection *> Sections;
454   for (BaseCommand *Base : Commands)
455     if (auto *ISD = dyn_cast<InputSectionDescription>(Base))
456       for (InputSection *&IS : ISD->Sections) {
457         ScriptSections.push_back(&IS);
458         Sections.push_back(IS);
459       }
460 
461   if (Flags & SHF_LINK_ORDER) {
462     std::stable_sort(Sections.begin(), Sections.end(), compareByFilePosition);
463     for (int I = 0, N = Sections.size(); I < N; ++I)
464       *ScriptSections[I] = Sections[I];
465 
466     // We must preserve the link order dependency of sections with the
467     // SHF_LINK_ORDER flag. The dependency is indicated by the sh_link field. We
468     // need to translate the InputSection sh_link to the OutputSection sh_link,
469     // all InputSections in the OutputSection have the same dependency.
470     if (auto *D = Sections.front()->getLinkOrderDep())
471       Link = D->getParent()->SectionIndex;
472   }
473 
474   if (Type == SHT_GROUP) {
475     finalizeShtGroup<ELFT>(this, Sections);
476     return;
477   }
478 
479   if (!Config->CopyRelocs || (Type != SHT_RELA && Type != SHT_REL))
480     return;
481 
482   InputSection *First = Sections[0];
483   if (isa<SyntheticSection>(First))
484     return;
485 
486   Link = InX::SymTab->getParent()->SectionIndex;
487   // sh_info for SHT_REL[A] sections should contain the section header index of
488   // the section to which the relocation applies.
489   InputSectionBase *S = First->getRelocatedSection();
490   Info = S->getOutputSection()->SectionIndex;
491   Flags |= SHF_INFO_LINK;
492 }
493 
494 // Returns true if S matches /Filename.?\.o$/.
495 static bool isCrtBeginEnd(StringRef S, StringRef Filename) {
496   if (!S.endswith(".o"))
497     return false;
498   S = S.drop_back(2);
499   if (S.endswith(Filename))
500     return true;
501   return !S.empty() && S.drop_back().endswith(Filename);
502 }
503 
504 static bool isCrtbegin(StringRef S) { return isCrtBeginEnd(S, "crtbegin"); }
505 static bool isCrtend(StringRef S) { return isCrtBeginEnd(S, "crtend"); }
506 
507 // .ctors and .dtors are sorted by this priority from highest to lowest.
508 //
509 //  1. The section was contained in crtbegin (crtbegin contains
510 //     some sentinel value in its .ctors and .dtors so that the runtime
511 //     can find the beginning of the sections.)
512 //
513 //  2. The section has an optional priority value in the form of ".ctors.N"
514 //     or ".dtors.N" where N is a number. Unlike .{init,fini}_array,
515 //     they are compared as string rather than number.
516 //
517 //  3. The section is just ".ctors" or ".dtors".
518 //
519 //  4. The section was contained in crtend, which contains an end marker.
520 //
521 // In an ideal world, we don't need this function because .init_array and
522 // .ctors are duplicate features (and .init_array is newer.) However, there
523 // are too many real-world use cases of .ctors, so we had no choice to
524 // support that with this rather ad-hoc semantics.
525 static bool compCtors(const InputSection *A, const InputSection *B) {
526   bool BeginA = isCrtbegin(A->File->getName());
527   bool BeginB = isCrtbegin(B->File->getName());
528   if (BeginA != BeginB)
529     return BeginA;
530   bool EndA = isCrtend(A->File->getName());
531   bool EndB = isCrtend(B->File->getName());
532   if (EndA != EndB)
533     return EndB;
534   StringRef X = A->Name;
535   StringRef Y = B->Name;
536   assert(X.startswith(".ctors") || X.startswith(".dtors"));
537   assert(Y.startswith(".ctors") || Y.startswith(".dtors"));
538   X = X.substr(6);
539   Y = Y.substr(6);
540   if (X.empty() && Y.empty())
541     return false;
542   return X < Y;
543 }
544 
545 // Sorts input sections by the special rules for .ctors and .dtors.
546 // Unfortunately, the rules are different from the one for .{init,fini}_array.
547 // Read the comment above.
548 void OutputSection::sortCtorsDtors() {
549   assert(Commands.size() == 1);
550   auto *ISD = cast<InputSectionDescription>(Commands[0]);
551   std::stable_sort(ISD->Sections.begin(), ISD->Sections.end(), compCtors);
552 }
553 
554 // If an input string is in the form of "foo.N" where N is a number,
555 // return N. Otherwise, returns 65536, which is one greater than the
556 // lowest priority.
557 int elf::getPriority(StringRef S) {
558   size_t Pos = S.rfind('.');
559   if (Pos == StringRef::npos)
560     return 65536;
561   int V;
562   if (!to_integer(S.substr(Pos + 1), V, 10))
563     return 65536;
564   return V;
565 }
566 
567 // Sorts input sections by section name suffixes, so that .foo.N comes
568 // before .foo.M if N < M. Used to sort .{init,fini}_array.N sections.
569 // We want to keep the original order if the priorities are the same
570 // because the compiler keeps the original initialization order in a
571 // translation unit and we need to respect that.
572 // For more detail, read the section of the GCC's manual about init_priority.
573 void OutputSection::sortInitFini() {
574   // Sort sections by priority.
575   sort([](InputSectionBase *S) { return getPriority(S->Name); });
576 }
577 
578 uint32_t OutputSection::getFiller() {
579   if (Filler)
580     return *Filler;
581   if (Flags & SHF_EXECINSTR)
582     return Target->TrapInstr;
583   return 0;
584 }
585 
586 template void OutputSection::writeHeaderTo<ELF32LE>(ELF32LE::Shdr *Shdr);
587 template void OutputSection::writeHeaderTo<ELF32BE>(ELF32BE::Shdr *Shdr);
588 template void OutputSection::writeHeaderTo<ELF64LE>(ELF64LE::Shdr *Shdr);
589 template void OutputSection::writeHeaderTo<ELF64BE>(ELF64BE::Shdr *Shdr);
590 
591 template void OutputSection::writeTo<ELF32LE>(uint8_t *Buf);
592 template void OutputSection::writeTo<ELF32BE>(uint8_t *Buf);
593 template void OutputSection::writeTo<ELF64LE>(uint8_t *Buf);
594 template void OutputSection::writeTo<ELF64BE>(uint8_t *Buf);
595 
596 template void OutputSection::maybeCompress<ELF32LE>();
597 template void OutputSection::maybeCompress<ELF32BE>();
598 template void OutputSection::maybeCompress<ELF64LE>();
599 template void OutputSection::maybeCompress<ELF64BE>();
600 
601 template void OutputSection::finalize<ELF32LE>();
602 template void OutputSection::finalize<ELF32BE>();
603 template void OutputSection::finalize<ELF64LE>();
604 template void OutputSection::finalize<ELF64BE>();
605