blob: 2dd2fe9c9a9b03d95be6e8d58ac1bee6c9f59935 [file] [log] [blame]
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +00001//===- ELFObjcopy.cpp -----------------------------------------------------===//
2//
Chandler Carruth2946cd72019-01-19 08:50:56 +00003// 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
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +00006//
7//===----------------------------------------------------------------------===//
8
9#include "ELFObjcopy.h"
10#include "Buffer.h"
11#include "CopyConfig.h"
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +000012#include "Object.h"
Jake Ehrlich8ad77792018-12-03 19:49:23 +000013#include "llvm-objcopy.h"
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +000014
15#include "llvm/ADT/BitmaskEnum.h"
16#include "llvm/ADT/Optional.h"
17#include "llvm/ADT/STLExtras.h"
18#include "llvm/ADT/SmallVector.h"
19#include "llvm/ADT/StringRef.h"
20#include "llvm/ADT/Twine.h"
21#include "llvm/BinaryFormat/ELF.h"
22#include "llvm/MC/MCTargetOptions.h"
23#include "llvm/Object/Binary.h"
24#include "llvm/Object/ELFObjectFile.h"
25#include "llvm/Object/ELFTypes.h"
26#include "llvm/Object/Error.h"
27#include "llvm/Option/Option.h"
28#include "llvm/Support/Casting.h"
29#include "llvm/Support/Compression.h"
Jake Ehrlich8ad77792018-12-03 19:49:23 +000030#include "llvm/Support/Errc.h"
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +000031#include "llvm/Support/Error.h"
32#include "llvm/Support/ErrorHandling.h"
33#include "llvm/Support/ErrorOr.h"
34#include "llvm/Support/Memory.h"
35#include "llvm/Support/Path.h"
36#include "llvm/Support/raw_ostream.h"
37#include <algorithm>
38#include <cassert>
39#include <cstdlib>
40#include <functional>
41#include <iterator>
42#include <memory>
43#include <string>
44#include <system_error>
45#include <utility>
46
47namespace llvm {
48namespace objcopy {
49namespace elf {
50
51using namespace object;
52using namespace ELF;
53using SectionPred = std::function<bool(const SectionBase &Sec)>;
54
55static bool isDebugSection(const SectionBase &Sec) {
56 return StringRef(Sec.Name).startswith(".debug") ||
57 StringRef(Sec.Name).startswith(".zdebug") || Sec.Name == ".gdb_index";
58}
59
60static bool isDWOSection(const SectionBase &Sec) {
61 return StringRef(Sec.Name).endswith(".dwo");
62}
63
64static bool onlyKeepDWOPred(const Object &Obj, const SectionBase &Sec) {
65 // We can't remove the section header string table.
66 if (&Sec == Obj.SectionNames)
67 return false;
68 // Short of keeping the string table we want to keep everything that is a DWO
69 // section and remove everything else.
70 return !isDWOSection(Sec);
71}
72
Jordan Rupprechtc8927412019-01-29 15:05:38 +000073static uint64_t setSectionFlagsPreserveMask(uint64_t OldFlags,
74 uint64_t NewFlags) {
75 // Preserve some flags which should not be dropped when setting flags.
76 // Also, preserve anything OS/processor dependant.
77 const uint64_t PreserveMask = ELF::SHF_COMPRESSED | ELF::SHF_EXCLUDE |
78 ELF::SHF_GROUP | ELF::SHF_LINK_ORDER |
79 ELF::SHF_MASKOS | ELF::SHF_MASKPROC |
80 ELF::SHF_TLS | ELF::SHF_INFO_LINK;
81 return (OldFlags & PreserveMask) | (NewFlags & ~PreserveMask);
82}
83
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +000084static ElfType getOutputElfType(const Binary &Bin) {
85 // Infer output ELF type from the input ELF object
86 if (isa<ELFObjectFile<ELF32LE>>(Bin))
87 return ELFT_ELF32LE;
88 if (isa<ELFObjectFile<ELF64LE>>(Bin))
89 return ELFT_ELF64LE;
90 if (isa<ELFObjectFile<ELF32BE>>(Bin))
91 return ELFT_ELF32BE;
92 if (isa<ELFObjectFile<ELF64BE>>(Bin))
93 return ELFT_ELF64BE;
94 llvm_unreachable("Invalid ELFType");
95}
96
97static ElfType getOutputElfType(const MachineInfo &MI) {
98 // Infer output ELF type from the binary arch specified
99 if (MI.Is64Bit)
100 return MI.IsLittleEndian ? ELFT_ELF64LE : ELFT_ELF64BE;
101 else
102 return MI.IsLittleEndian ? ELFT_ELF32LE : ELFT_ELF32BE;
103}
104
105static std::unique_ptr<Writer> createWriter(const CopyConfig &Config,
106 Object &Obj, Buffer &Buf,
107 ElfType OutputElfType) {
108 if (Config.OutputFormat == "binary") {
109 return llvm::make_unique<BinaryWriter>(Obj, Buf);
110 }
111 // Depending on the initial ELFT and OutputFormat we need a different Writer.
112 switch (OutputElfType) {
113 case ELFT_ELF32LE:
114 return llvm::make_unique<ELFWriter<ELF32LE>>(Obj, Buf,
115 !Config.StripSections);
116 case ELFT_ELF64LE:
117 return llvm::make_unique<ELFWriter<ELF64LE>>(Obj, Buf,
118 !Config.StripSections);
119 case ELFT_ELF32BE:
120 return llvm::make_unique<ELFWriter<ELF32BE>>(Obj, Buf,
121 !Config.StripSections);
122 case ELFT_ELF64BE:
123 return llvm::make_unique<ELFWriter<ELF64BE>>(Obj, Buf,
124 !Config.StripSections);
125 }
126 llvm_unreachable("Invalid output format");
127}
128
Jake Ehrlich8ad77792018-12-03 19:49:23 +0000129template <class ELFT>
130static Expected<ArrayRef<uint8_t>>
131findBuildID(const object::ELFFile<ELFT> &In) {
132 for (const auto &Phdr : unwrapOrError(In.program_headers())) {
133 if (Phdr.p_type != PT_NOTE)
134 continue;
135 Error Err = Error::success();
David Blaikieba005aa2018-12-11 00:09:06 +0000136 for (const auto &Note : In.notes(Phdr, Err))
Jake Ehrlich8ad77792018-12-03 19:49:23 +0000137 if (Note.getType() == NT_GNU_BUILD_ID && Note.getName() == ELF_NOTE_GNU)
138 return Note.getDesc();
Jake Ehrlich8ad77792018-12-03 19:49:23 +0000139 if (Err)
140 return std::move(Err);
141 }
142 return createStringError(llvm::errc::invalid_argument,
143 "Could not find build ID.");
144}
145
146static Expected<ArrayRef<uint8_t>>
147findBuildID(const object::ELFObjectFileBase &In) {
148 if (auto *O = dyn_cast<ELFObjectFile<ELF32LE>>(&In))
149 return findBuildID(*O->getELFFile());
150 else if (auto *O = dyn_cast<ELFObjectFile<ELF64LE>>(&In))
151 return findBuildID(*O->getELFFile());
152 else if (auto *O = dyn_cast<ELFObjectFile<ELF32BE>>(&In))
153 return findBuildID(*O->getELFFile());
154 else if (auto *O = dyn_cast<ELFObjectFile<ELF64BE>>(&In))
155 return findBuildID(*O->getELFFile());
156
157 llvm_unreachable("Bad file format");
158}
159
Jordan Rupprechtfc832e92019-01-30 18:13:30 +0000160static Error linkToBuildIdDir(const CopyConfig &Config, StringRef ToLink,
161 StringRef Suffix,
162 ArrayRef<uint8_t> BuildIdBytes) {
Jake Ehrlich8ad77792018-12-03 19:49:23 +0000163 SmallString<128> Path = Config.BuildIdLinkDir;
164 sys::path::append(Path, llvm::toHex(BuildIdBytes[0], /*LowerCase*/ true));
165 if (auto EC = sys::fs::create_directories(Path))
Jordan Rupprechtfc832e92019-01-30 18:13:30 +0000166 return createFileError(
167 Path.str(),
168 createStringError(EC, "cannot create build ID link directory"));
Jake Ehrlich8ad77792018-12-03 19:49:23 +0000169
170 sys::path::append(Path,
171 llvm::toHex(BuildIdBytes.slice(1), /*LowerCase*/ true));
172 Path += Suffix;
173 if (auto EC = sys::fs::create_hard_link(ToLink, Path)) {
174 // Hard linking failed, try to remove the file first if it exists.
175 if (sys::fs::exists(Path))
176 sys::fs::remove(Path);
177 EC = sys::fs::create_hard_link(ToLink, Path);
178 if (EC)
Jordan Rupprechtfc832e92019-01-30 18:13:30 +0000179 return createStringError(EC, "cannot link %s to %s", ToLink.data(),
180 Path.data());
Jake Ehrlich8ad77792018-12-03 19:49:23 +0000181 }
Jordan Rupprechtfc832e92019-01-30 18:13:30 +0000182 return Error::success();
Jake Ehrlich8ad77792018-12-03 19:49:23 +0000183}
184
Jordan Rupprecht307deab2019-01-30 14:36:53 +0000185static Error splitDWOToFile(const CopyConfig &Config, const Reader &Reader,
186 StringRef File, ElfType OutputElfType) {
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000187 auto DWOFile = Reader.create();
188 DWOFile->removeSections(
189 [&](const SectionBase &Sec) { return onlyKeepDWOPred(*DWOFile, Sec); });
Jordan Rupprecht70038e02019-01-07 16:59:12 +0000190 if (Config.OutputArch)
191 DWOFile->Machine = Config.OutputArch.getValue().EMachine;
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000192 FileBuffer FB(File);
193 auto Writer = createWriter(Config, *DWOFile, FB, OutputElfType);
Jordan Rupprecht881cae72019-01-22 23:49:16 +0000194 if (Error E = Writer->finalize())
Jordan Rupprecht307deab2019-01-30 14:36:53 +0000195 return E;
196 return Writer->write();
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000197}
198
199static Error dumpSectionToFile(StringRef SecName, StringRef Filename,
200 Object &Obj) {
201 for (auto &Sec : Obj.sections()) {
202 if (Sec.Name == SecName) {
Jordan Rupprecht16a0de22018-12-20 00:57:06 +0000203 if (Sec.OriginalData.empty())
Martin Storsjo8010c6be2019-01-22 10:57:59 +0000204 return createStringError(
205 object_error::parse_failed,
206 "Can't dump section \"%s\": it has no contents",
207 SecName.str().c_str());
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000208 Expected<std::unique_ptr<FileOutputBuffer>> BufferOrErr =
209 FileOutputBuffer::create(Filename, Sec.OriginalData.size());
210 if (!BufferOrErr)
211 return BufferOrErr.takeError();
212 std::unique_ptr<FileOutputBuffer> Buf = std::move(*BufferOrErr);
213 std::copy(Sec.OriginalData.begin(), Sec.OriginalData.end(),
214 Buf->getBufferStart());
215 if (Error E = Buf->commit())
216 return E;
217 return Error::success();
218 }
219 }
Martin Storsjo8010c6be2019-01-22 10:57:59 +0000220 return createStringError(object_error::parse_failed, "Section not found");
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000221}
222
223static bool isCompressed(const SectionBase &Section) {
224 const char *Magic = "ZLIB";
225 return StringRef(Section.Name).startswith(".zdebug") ||
226 (Section.OriginalData.size() > strlen(Magic) &&
227 !strncmp(reinterpret_cast<const char *>(Section.OriginalData.data()),
228 Magic, strlen(Magic))) ||
229 (Section.Flags & ELF::SHF_COMPRESSED);
230}
231
232static bool isCompressable(const SectionBase &Section) {
233 return !isCompressed(Section) && isDebugSection(Section) &&
234 Section.Name != ".gdb_index";
235}
236
237static void replaceDebugSections(
238 const CopyConfig &Config, Object &Obj, SectionPred &RemovePred,
239 function_ref<bool(const SectionBase &)> shouldReplace,
240 function_ref<SectionBase *(const SectionBase *)> addSection) {
241 SmallVector<SectionBase *, 13> ToReplace;
242 SmallVector<RelocationSection *, 13> RelocationSections;
243 for (auto &Sec : Obj.sections()) {
244 if (RelocationSection *R = dyn_cast<RelocationSection>(&Sec)) {
245 if (shouldReplace(*R->getSection()))
246 RelocationSections.push_back(R);
247 continue;
248 }
249
250 if (shouldReplace(Sec))
251 ToReplace.push_back(&Sec);
252 }
253
254 for (SectionBase *S : ToReplace) {
255 SectionBase *NewSection = addSection(S);
256
257 for (RelocationSection *RS : RelocationSections) {
258 if (RS->getSection() == S)
259 RS->setSection(NewSection);
260 }
261 }
262
263 RemovePred = [shouldReplace, RemovePred](const SectionBase &Sec) {
264 return shouldReplace(Sec) || RemovePred(Sec);
265 };
266}
267
268// This function handles the high level operations of GNU objcopy including
269// handling command line options. It's important to outline certain properties
270// we expect to hold of the command line operations. Any operation that "keeps"
271// should keep regardless of a remove. Additionally any removal should respect
272// any previous removals. Lastly whether or not something is removed shouldn't
273// depend a) on the order the options occur in or b) on some opaque priority
274// system. The only priority is that keeps/copies overrule removes.
Jordan Rupprecht307deab2019-01-30 14:36:53 +0000275static Error handleArgs(const CopyConfig &Config, Object &Obj,
276 const Reader &Reader, ElfType OutputElfType) {
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000277
Jordan Rupprecht307deab2019-01-30 14:36:53 +0000278 if (!Config.SplitDWO.empty())
279 if (Error E =
280 splitDWOToFile(Config, Reader, Config.SplitDWO, OutputElfType))
281 return E;
282
Jordan Rupprecht70038e02019-01-07 16:59:12 +0000283 if (Config.OutputArch)
284 Obj.Machine = Config.OutputArch.getValue().EMachine;
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000285
286 // TODO: update or remove symbols only if there is an option that affects
287 // them.
288 if (Obj.SymbolTable) {
289 Obj.SymbolTable->updateSymbols([&](Symbol &Sym) {
Jordan Rupprechtbd7735f2019-01-31 16:45:16 +0000290 // Common and undefined symbols don't make sense as local symbols, and can
291 // even cause crashes if we localize those, so skip them.
292 if (!Sym.isCommon() && Sym.getShndx() != SHN_UNDEF &&
Jordan Rupprechtb47475c2018-11-01 17:26:36 +0000293 ((Config.LocalizeHidden &&
294 (Sym.Visibility == STV_HIDDEN || Sym.Visibility == STV_INTERNAL)) ||
Fangrui Songe4ee0662018-11-29 17:32:51 +0000295 is_contained(Config.SymbolsToLocalize, Sym.Name)))
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000296 Sym.Binding = STB_LOCAL;
297
298 // Note: these two globalize flags have very similar names but different
299 // meanings:
300 //
301 // --globalize-symbol: promote a symbol to global
302 // --keep-global-symbol: all symbols except for these should be made local
303 //
304 // If --globalize-symbol is specified for a given symbol, it will be
305 // global in the output file even if it is not included via
306 // --keep-global-symbol. Because of that, make sure to check
307 // --globalize-symbol second.
308 if (!Config.SymbolsToKeepGlobal.empty() &&
Jordan Rupprecht634820d2018-10-30 16:23:38 +0000309 !is_contained(Config.SymbolsToKeepGlobal, Sym.Name) &&
310 Sym.getShndx() != SHN_UNDEF)
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000311 Sym.Binding = STB_LOCAL;
312
Fangrui Songe4ee0662018-11-29 17:32:51 +0000313 if (is_contained(Config.SymbolsToGlobalize, Sym.Name) &&
Jordan Rupprecht634820d2018-10-30 16:23:38 +0000314 Sym.getShndx() != SHN_UNDEF)
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000315 Sym.Binding = STB_GLOBAL;
316
Fangrui Songe4ee0662018-11-29 17:32:51 +0000317 if (is_contained(Config.SymbolsToWeaken, Sym.Name) &&
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000318 Sym.Binding == STB_GLOBAL)
319 Sym.Binding = STB_WEAK;
320
321 if (Config.Weaken && Sym.Binding == STB_GLOBAL &&
322 Sym.getShndx() != SHN_UNDEF)
323 Sym.Binding = STB_WEAK;
324
325 const auto I = Config.SymbolsToRename.find(Sym.Name);
326 if (I != Config.SymbolsToRename.end())
327 Sym.Name = I->getValue();
328
329 if (!Config.SymbolsPrefix.empty() && Sym.Type != STT_SECTION)
330 Sym.Name = (Config.SymbolsPrefix + Sym.Name).str();
331 });
332
333 // The purpose of this loop is to mark symbols referenced by sections
334 // (like GroupSection or RelocationSection). This way, we know which
335 // symbols are still 'needed' and which are not.
336 if (Config.StripUnneeded) {
337 for (auto &Section : Obj.sections())
338 Section.markSymbols();
339 }
340
341 Obj.removeSymbols([&](const Symbol &Sym) {
Fangrui Songe4ee0662018-11-29 17:32:51 +0000342 if (is_contained(Config.SymbolsToKeep, Sym.Name) ||
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000343 (Config.KeepFileSymbols && Sym.Type == STT_FILE))
344 return false;
345
Jordan Rupprechtd0f7bcf2019-01-30 14:58:13 +0000346 if ((Config.DiscardMode == DiscardType::All ||
347 (Config.DiscardMode == DiscardType::Locals &&
348 StringRef(Sym.Name).startswith(".L"))) &&
349 Sym.Binding == STB_LOCAL && Sym.getShndx() != SHN_UNDEF &&
350 Sym.Type != STT_FILE && Sym.Type != STT_SECTION)
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000351 return true;
352
353 if (Config.StripAll || Config.StripAllGNU)
354 return true;
355
Fangrui Songe4ee0662018-11-29 17:32:51 +0000356 if (is_contained(Config.SymbolsToRemove, Sym.Name))
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000357 return true;
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000358
359 if (Config.StripUnneeded && !Sym.Referenced &&
360 (Sym.Binding == STB_LOCAL || Sym.getShndx() == SHN_UNDEF) &&
361 Sym.Type != STT_FILE && Sym.Type != STT_SECTION)
362 return true;
363
364 return false;
365 });
366 }
367
368 SectionPred RemovePred = [](const SectionBase &) { return false; };
369
370 // Removes:
371 if (!Config.ToRemove.empty()) {
372 RemovePred = [&Config](const SectionBase &Sec) {
373 return is_contained(Config.ToRemove, Sec.Name);
374 };
375 }
376
377 if (Config.StripDWO || !Config.SplitDWO.empty())
378 RemovePred = [RemovePred](const SectionBase &Sec) {
379 return isDWOSection(Sec) || RemovePred(Sec);
380 };
381
382 if (Config.ExtractDWO)
383 RemovePred = [RemovePred, &Obj](const SectionBase &Sec) {
384 return onlyKeepDWOPred(Obj, Sec) || RemovePred(Sec);
385 };
386
387 if (Config.StripAllGNU)
388 RemovePred = [RemovePred, &Obj](const SectionBase &Sec) {
389 if (RemovePred(Sec))
390 return true;
391 if ((Sec.Flags & SHF_ALLOC) != 0)
392 return false;
393 if (&Sec == Obj.SectionNames)
394 return false;
395 switch (Sec.Type) {
396 case SHT_SYMTAB:
397 case SHT_REL:
398 case SHT_RELA:
399 case SHT_STRTAB:
400 return true;
401 }
402 return isDebugSection(Sec);
403 };
404
405 if (Config.StripSections) {
406 RemovePred = [RemovePred](const SectionBase &Sec) {
407 return RemovePred(Sec) || (Sec.Flags & SHF_ALLOC) == 0;
408 };
409 }
410
411 if (Config.StripDebug) {
412 RemovePred = [RemovePred](const SectionBase &Sec) {
413 return RemovePred(Sec) || isDebugSection(Sec);
414 };
415 }
416
417 if (Config.StripNonAlloc)
418 RemovePred = [RemovePred, &Obj](const SectionBase &Sec) {
419 if (RemovePred(Sec))
420 return true;
421 if (&Sec == Obj.SectionNames)
422 return false;
423 return (Sec.Flags & SHF_ALLOC) == 0;
424 };
425
426 if (Config.StripAll)
427 RemovePred = [RemovePred, &Obj](const SectionBase &Sec) {
428 if (RemovePred(Sec))
429 return true;
430 if (&Sec == Obj.SectionNames)
431 return false;
432 if (StringRef(Sec.Name).startswith(".gnu.warning"))
433 return false;
434 return (Sec.Flags & SHF_ALLOC) == 0;
435 };
436
437 // Explicit copies:
Jake Ehrlich85985ed2018-12-06 02:03:53 +0000438 if (!Config.OnlySection.empty()) {
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000439 RemovePred = [&Config, RemovePred, &Obj](const SectionBase &Sec) {
440 // Explicitly keep these sections regardless of previous removes.
Jake Ehrlich85985ed2018-12-06 02:03:53 +0000441 if (is_contained(Config.OnlySection, Sec.Name))
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000442 return false;
443
444 // Allow all implicit removes.
445 if (RemovePred(Sec))
446 return true;
447
448 // Keep special sections.
449 if (Obj.SectionNames == &Sec)
450 return false;
451 if (Obj.SymbolTable == &Sec ||
452 (Obj.SymbolTable && Obj.SymbolTable->getStrTab() == &Sec))
453 return false;
454
455 // Remove everything else.
456 return true;
457 };
458 }
459
Jordan Rupprechtc5bae782018-11-13 19:32:27 +0000460 if (!Config.KeepSection.empty()) {
Fangrui Songe9f34b02018-11-12 23:46:22 +0000461 RemovePred = [&Config, RemovePred](const SectionBase &Sec) {
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000462 // Explicitly keep these sections regardless of previous removes.
Jordan Rupprechtc5bae782018-11-13 19:32:27 +0000463 if (is_contained(Config.KeepSection, Sec.Name))
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000464 return false;
465 // Otherwise defer to RemovePred.
466 return RemovePred(Sec);
467 };
468 }
469
470 // This has to be the last predicate assignment.
471 // If the option --keep-symbol has been specified
472 // and at least one of those symbols is present
473 // (equivalently, the updated symbol table is not empty)
474 // the symbol table and the string table should not be removed.
475 if ((!Config.SymbolsToKeep.empty() || Config.KeepFileSymbols) &&
476 Obj.SymbolTable && !Obj.SymbolTable->empty()) {
477 RemovePred = [&Obj, RemovePred](const SectionBase &Sec) {
478 if (&Sec == Obj.SymbolTable || &Sec == Obj.SymbolTable->getStrTab())
479 return false;
480 return RemovePred(Sec);
481 };
482 }
483
484 if (Config.CompressionType != DebugCompressionType::None)
485 replaceDebugSections(Config, Obj, RemovePred, isCompressable,
486 [&Config, &Obj](const SectionBase *S) {
487 return &Obj.addSection<CompressedSection>(
488 *S, Config.CompressionType);
489 });
490 else if (Config.DecompressDebugSections)
491 replaceDebugSections(
492 Config, Obj, RemovePred,
493 [](const SectionBase &S) { return isa<CompressedSection>(&S); },
494 [&Obj](const SectionBase *S) {
495 auto CS = cast<CompressedSection>(S);
496 return &Obj.addSection<DecompressedSection>(*CS);
497 });
498
499 Obj.removeSections(RemovePred);
500
501 if (!Config.SectionsToRename.empty()) {
502 for (auto &Sec : Obj.sections()) {
503 const auto Iter = Config.SectionsToRename.find(Sec.Name);
504 if (Iter != Config.SectionsToRename.end()) {
505 const SectionRename &SR = Iter->second;
506 Sec.Name = SR.NewName;
Jordan Rupprechtc8927412019-01-29 15:05:38 +0000507 if (SR.NewFlags.hasValue())
508 Sec.Flags =
509 setSectionFlagsPreserveMask(Sec.Flags, SR.NewFlags.getValue());
510 }
511 }
512 }
513
514 if (!Config.SetSectionFlags.empty()) {
515 for (auto &Sec : Obj.sections()) {
516 const auto Iter = Config.SetSectionFlags.find(Sec.Name);
517 if (Iter != Config.SetSectionFlags.end()) {
518 const SectionFlagsUpdate &SFU = Iter->second;
519 Sec.Flags = setSectionFlagsPreserveMask(Sec.Flags, SFU.NewFlags);
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000520 }
521 }
522 }
523
524 if (!Config.AddSection.empty()) {
525 for (const auto &Flag : Config.AddSection) {
Jordan Rupprecht17dd4a22019-01-15 16:57:23 +0000526 std::pair<StringRef, StringRef> SecPair = Flag.split("=");
527 StringRef SecName = SecPair.first;
528 StringRef File = SecPair.second;
529 ErrorOr<std::unique_ptr<MemoryBuffer>> BufOrErr =
530 MemoryBuffer::getFile(File);
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000531 if (!BufOrErr)
Jordan Rupprecht307deab2019-01-30 14:36:53 +0000532 return createFileError(File, errorCodeToError(BufOrErr.getError()));
Jordan Rupprecht17dd4a22019-01-15 16:57:23 +0000533 std::unique_ptr<MemoryBuffer> Buf = std::move(*BufOrErr);
534 ArrayRef<uint8_t> Data(
535 reinterpret_cast<const uint8_t *>(Buf->getBufferStart()),
536 Buf->getBufferSize());
537 OwnedDataSection &NewSection =
538 Obj.addSection<OwnedDataSection>(SecName, Data);
539 if (SecName.startswith(".note") && SecName != ".note.GNU-stack")
540 NewSection.Type = SHT_NOTE;
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000541 }
542 }
543
544 if (!Config.DumpSection.empty()) {
545 for (const auto &Flag : Config.DumpSection) {
546 std::pair<StringRef, StringRef> SecPair = Flag.split("=");
547 StringRef SecName = SecPair.first;
548 StringRef File = SecPair.second;
549 if (Error E = dumpSectionToFile(SecName, File, Obj))
Jordan Rupprecht307deab2019-01-30 14:36:53 +0000550 return createFileError(Config.InputFilename, std::move(E));
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000551 }
552 }
553
554 if (!Config.AddGnuDebugLink.empty())
555 Obj.addSection<GnuDebugLinkSection>(Config.AddGnuDebugLink);
Jordan Rupprecht307deab2019-01-30 14:36:53 +0000556
557 return Error::success();
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000558}
559
Jordan Rupprecht307deab2019-01-30 14:36:53 +0000560Error executeObjcopyOnRawBinary(const CopyConfig &Config, MemoryBuffer &In,
561 Buffer &Out) {
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000562 BinaryReader Reader(Config.BinaryArch, &In);
563 std::unique_ptr<Object> Obj = Reader.create();
564
Jordan Rupprecht70038e02019-01-07 16:59:12 +0000565 // Prefer OutputArch (-O<format>) if set, otherwise fallback to BinaryArch
566 // (-B<arch>).
567 const ElfType OutputElfType = getOutputElfType(
568 Config.OutputArch ? Config.OutputArch.getValue() : Config.BinaryArch);
Jordan Rupprecht307deab2019-01-30 14:36:53 +0000569 if (Error E = handleArgs(Config, *Obj, Reader, OutputElfType))
570 return E;
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000571 std::unique_ptr<Writer> Writer =
572 createWriter(Config, *Obj, Out, OutputElfType);
Jordan Rupprecht881cae72019-01-22 23:49:16 +0000573 if (Error E = Writer->finalize())
Jordan Rupprecht307deab2019-01-30 14:36:53 +0000574 return E;
575 return Writer->write();
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000576}
577
Jordan Rupprecht307deab2019-01-30 14:36:53 +0000578Error executeObjcopyOnBinary(const CopyConfig &Config,
579 object::ELFObjectFileBase &In, Buffer &Out) {
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000580 ELFReader Reader(&In);
581 std::unique_ptr<Object> Obj = Reader.create();
Jordan Rupprecht70038e02019-01-07 16:59:12 +0000582 // Prefer OutputArch (-O<format>) if set, otherwise infer it from the input.
583 const ElfType OutputElfType =
584 Config.OutputArch ? getOutputElfType(Config.OutputArch.getValue())
585 : getOutputElfType(In);
Jake Ehrlich8ad77792018-12-03 19:49:23 +0000586 ArrayRef<uint8_t> BuildIdBytes;
587
588 if (!Config.BuildIdLinkDir.empty()) {
589 BuildIdBytes = unwrapOrError(findBuildID(In));
590 if (BuildIdBytes.size() < 2)
Jordan Rupprecht307deab2019-01-30 14:36:53 +0000591 return createFileError(
592 Config.InputFilename,
593 createStringError(object_error::parse_failed,
594 "build ID is smaller than two bytes."));
Jake Ehrlich8ad77792018-12-03 19:49:23 +0000595 }
596
Jordan Rupprechtfc832e92019-01-30 18:13:30 +0000597 if (!Config.BuildIdLinkDir.empty() && Config.BuildIdLinkInput)
598 if (Error E =
599 linkToBuildIdDir(Config, Config.InputFilename,
600 Config.BuildIdLinkInput.getValue(), BuildIdBytes))
601 return E;
602
Jordan Rupprecht307deab2019-01-30 14:36:53 +0000603 if (Error E = handleArgs(Config, *Obj, Reader, OutputElfType))
604 return E;
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000605 std::unique_ptr<Writer> Writer =
606 createWriter(Config, *Obj, Out, OutputElfType);
Jordan Rupprecht881cae72019-01-22 23:49:16 +0000607 if (Error E = Writer->finalize())
Jordan Rupprecht307deab2019-01-30 14:36:53 +0000608 return E;
Jordan Rupprecht881cae72019-01-22 23:49:16 +0000609 if (Error E = Writer->write())
Jordan Rupprecht307deab2019-01-30 14:36:53 +0000610 return E;
Jordan Rupprechtfc832e92019-01-30 18:13:30 +0000611 if (!Config.BuildIdLinkDir.empty() && Config.BuildIdLinkOutput)
612 if (Error E =
613 linkToBuildIdDir(Config, Config.OutputFilename,
614 Config.BuildIdLinkOutput.getValue(), BuildIdBytes))
615 return E;
616
Jordan Rupprecht307deab2019-01-30 14:36:53 +0000617 return Error::success();
Alexander Shaposhnikovf4e75a52018-10-29 21:22:58 +0000618}
619
620} // end namespace elf
621} // end namespace objcopy
622} // end namespace llvm