1 //===- bolt/Core/BinaryContext.cpp - Low-level context --------------------===// 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 file implements the BinaryContext class. 10 // 11 //===----------------------------------------------------------------------===// 12 13 #include "bolt/Core/BinaryContext.h" 14 #include "bolt/Core/BinaryEmitter.h" 15 #include "bolt/Core/BinaryFunction.h" 16 #include "bolt/Utils/CommandLineOpts.h" 17 #include "bolt/Utils/NameResolver.h" 18 #include "bolt/Utils/Utils.h" 19 #include "llvm/ADT/Twine.h" 20 #include "llvm/DebugInfo/DWARF/DWARFCompileUnit.h" 21 #include "llvm/DebugInfo/DWARF/DWARFFormValue.h" 22 #include "llvm/DebugInfo/DWARF/DWARFUnit.h" 23 #include "llvm/MC/MCAsmLayout.h" 24 #include "llvm/MC/MCAssembler.h" 25 #include "llvm/MC/MCContext.h" 26 #include "llvm/MC/MCDisassembler/MCDisassembler.h" 27 #include "llvm/MC/MCInstPrinter.h" 28 #include "llvm/MC/MCObjectStreamer.h" 29 #include "llvm/MC/MCObjectWriter.h" 30 #include "llvm/MC/MCRegisterInfo.h" 31 #include "llvm/MC/MCSectionELF.h" 32 #include "llvm/MC/MCStreamer.h" 33 #include "llvm/MC/MCSubtargetInfo.h" 34 #include "llvm/MC/MCSymbol.h" 35 #include "llvm/Support/CommandLine.h" 36 #include "llvm/Support/Error.h" 37 #include "llvm/Support/Regex.h" 38 #include <algorithm> 39 #include <functional> 40 #include <iterator> 41 #include <unordered_set> 42 43 using namespace llvm; 44 45 #undef DEBUG_TYPE 46 #define DEBUG_TYPE "bolt" 47 48 namespace opts { 49 50 cl::opt<bool> NoHugePages("no-huge-pages", 51 cl::desc("use regular size pages for code alignment"), 52 cl::Hidden, cl::cat(BoltCategory)); 53 54 static cl::opt<bool> 55 PrintDebugInfo("print-debug-info", 56 cl::desc("print debug info when printing functions"), 57 cl::Hidden, 58 cl::ZeroOrMore, 59 cl::cat(BoltCategory)); 60 61 cl::opt<bool> PrintRelocations( 62 "print-relocations", 63 cl::desc("print relocations when printing functions/objects"), cl::Hidden, 64 cl::cat(BoltCategory)); 65 66 static cl::opt<bool> 67 PrintMemData("print-mem-data", 68 cl::desc("print memory data annotations when printing functions"), 69 cl::Hidden, 70 cl::ZeroOrMore, 71 cl::cat(BoltCategory)); 72 73 } // namespace opts 74 75 namespace llvm { 76 namespace bolt { 77 78 BinaryContext::BinaryContext(std::unique_ptr<MCContext> Ctx, 79 std::unique_ptr<DWARFContext> DwCtx, 80 std::unique_ptr<Triple> TheTriple, 81 const Target *TheTarget, std::string TripleName, 82 std::unique_ptr<MCCodeEmitter> MCE, 83 std::unique_ptr<MCObjectFileInfo> MOFI, 84 std::unique_ptr<const MCAsmInfo> AsmInfo, 85 std::unique_ptr<const MCInstrInfo> MII, 86 std::unique_ptr<const MCSubtargetInfo> STI, 87 std::unique_ptr<MCInstPrinter> InstPrinter, 88 std::unique_ptr<const MCInstrAnalysis> MIA, 89 std::unique_ptr<MCPlusBuilder> MIB, 90 std::unique_ptr<const MCRegisterInfo> MRI, 91 std::unique_ptr<MCDisassembler> DisAsm) 92 : Ctx(std::move(Ctx)), DwCtx(std::move(DwCtx)), 93 TheTriple(std::move(TheTriple)), TheTarget(TheTarget), 94 TripleName(TripleName), MCE(std::move(MCE)), MOFI(std::move(MOFI)), 95 AsmInfo(std::move(AsmInfo)), MII(std::move(MII)), STI(std::move(STI)), 96 InstPrinter(std::move(InstPrinter)), MIA(std::move(MIA)), 97 MIB(std::move(MIB)), MRI(std::move(MRI)), DisAsm(std::move(DisAsm)) { 98 Relocation::Arch = this->TheTriple->getArch(); 99 RegularPageSize = isAArch64() ? RegularPageSizeAArch64 : RegularPageSizeX86; 100 PageAlign = opts::NoHugePages ? RegularPageSize : HugePageSize; 101 } 102 103 BinaryContext::~BinaryContext() { 104 for (BinarySection *Section : Sections) 105 delete Section; 106 for (BinaryFunction *InjectedFunction : InjectedBinaryFunctions) 107 delete InjectedFunction; 108 for (std::pair<const uint64_t, JumpTable *> JTI : JumpTables) 109 delete JTI.second; 110 clearBinaryData(); 111 } 112 113 /// Create BinaryContext for a given architecture \p ArchName and 114 /// triple \p TripleName. 115 Expected<std::unique_ptr<BinaryContext>> 116 BinaryContext::createBinaryContext(const ObjectFile *File, bool IsPIC, 117 std::unique_ptr<DWARFContext> DwCtx) { 118 StringRef ArchName = ""; 119 StringRef FeaturesStr = ""; 120 switch (File->getArch()) { 121 case llvm::Triple::x86_64: 122 ArchName = "x86-64"; 123 FeaturesStr = "+nopl"; 124 break; 125 case llvm::Triple::aarch64: 126 ArchName = "aarch64"; 127 FeaturesStr = "+fp-armv8,+neon,+crypto,+dotprod,+crc,+lse,+ras,+rdm," 128 "+fullfp16,+spe,+fuse-aes,+rcpc"; 129 break; 130 default: 131 return createStringError(std::errc::not_supported, 132 "BOLT-ERROR: Unrecognized machine in ELF file"); 133 } 134 135 auto TheTriple = std::make_unique<Triple>(File->makeTriple()); 136 const std::string TripleName = TheTriple->str(); 137 138 std::string Error; 139 const Target *TheTarget = 140 TargetRegistry::lookupTarget(std::string(ArchName), *TheTriple, Error); 141 if (!TheTarget) 142 return createStringError(make_error_code(std::errc::not_supported), 143 Twine("BOLT-ERROR: ", Error)); 144 145 std::unique_ptr<const MCRegisterInfo> MRI( 146 TheTarget->createMCRegInfo(TripleName)); 147 if (!MRI) 148 return createStringError( 149 make_error_code(std::errc::not_supported), 150 Twine("BOLT-ERROR: no register info for target ", TripleName)); 151 152 // Set up disassembler. 153 std::unique_ptr<MCAsmInfo> AsmInfo( 154 TheTarget->createMCAsmInfo(*MRI, TripleName, MCTargetOptions())); 155 if (!AsmInfo) 156 return createStringError( 157 make_error_code(std::errc::not_supported), 158 Twine("BOLT-ERROR: no assembly info for target ", TripleName)); 159 // BOLT creates "func@PLT" symbols for PLT entries. In function assembly dump 160 // we want to emit such names as using @PLT without double quotes to convey 161 // variant kind to the assembler. BOLT doesn't rely on the linker so we can 162 // override the default AsmInfo behavior to emit names the way we want. 163 AsmInfo->setAllowAtInName(true); 164 165 std::unique_ptr<const MCSubtargetInfo> STI( 166 TheTarget->createMCSubtargetInfo(TripleName, "", FeaturesStr)); 167 if (!STI) 168 return createStringError( 169 make_error_code(std::errc::not_supported), 170 Twine("BOLT-ERROR: no subtarget info for target ", TripleName)); 171 172 std::unique_ptr<const MCInstrInfo> MII(TheTarget->createMCInstrInfo()); 173 if (!MII) 174 return createStringError( 175 make_error_code(std::errc::not_supported), 176 Twine("BOLT-ERROR: no instruction info for target ", TripleName)); 177 178 std::unique_ptr<MCContext> Ctx( 179 new MCContext(*TheTriple, AsmInfo.get(), MRI.get(), STI.get())); 180 std::unique_ptr<MCObjectFileInfo> MOFI( 181 TheTarget->createMCObjectFileInfo(*Ctx, IsPIC)); 182 Ctx->setObjectFileInfo(MOFI.get()); 183 // We do not support X86 Large code model. Change this in the future. 184 bool Large = false; 185 if (TheTriple->getArch() == llvm::Triple::aarch64) 186 Large = true; 187 unsigned LSDAEncoding = 188 Large ? dwarf::DW_EH_PE_absptr : dwarf::DW_EH_PE_udata4; 189 unsigned TTypeEncoding = 190 Large ? dwarf::DW_EH_PE_absptr : dwarf::DW_EH_PE_udata4; 191 if (IsPIC) { 192 LSDAEncoding = dwarf::DW_EH_PE_pcrel | 193 (Large ? dwarf::DW_EH_PE_sdata8 : dwarf::DW_EH_PE_sdata4); 194 TTypeEncoding = dwarf::DW_EH_PE_indirect | dwarf::DW_EH_PE_pcrel | 195 (Large ? dwarf::DW_EH_PE_sdata8 : dwarf::DW_EH_PE_sdata4); 196 } 197 198 std::unique_ptr<MCDisassembler> DisAsm( 199 TheTarget->createMCDisassembler(*STI, *Ctx)); 200 201 if (!DisAsm) 202 return createStringError( 203 make_error_code(std::errc::not_supported), 204 Twine("BOLT-ERROR: no disassembler info for target ", TripleName)); 205 206 std::unique_ptr<const MCInstrAnalysis> MIA( 207 TheTarget->createMCInstrAnalysis(MII.get())); 208 if (!MIA) 209 return createStringError( 210 make_error_code(std::errc::not_supported), 211 Twine("BOLT-ERROR: failed to create instruction analysis for target ", 212 TripleName)); 213 214 int AsmPrinterVariant = AsmInfo->getAssemblerDialect(); 215 std::unique_ptr<MCInstPrinter> InstructionPrinter( 216 TheTarget->createMCInstPrinter(*TheTriple, AsmPrinterVariant, *AsmInfo, 217 *MII, *MRI)); 218 if (!InstructionPrinter) 219 return createStringError( 220 make_error_code(std::errc::not_supported), 221 Twine("BOLT-ERROR: no instruction printer for target ", TripleName)); 222 InstructionPrinter->setPrintImmHex(true); 223 224 std::unique_ptr<MCCodeEmitter> MCE( 225 TheTarget->createMCCodeEmitter(*MII, *Ctx)); 226 227 // Make sure we don't miss any output on core dumps. 228 outs().SetUnbuffered(); 229 errs().SetUnbuffered(); 230 dbgs().SetUnbuffered(); 231 232 auto BC = std::make_unique<BinaryContext>( 233 std::move(Ctx), std::move(DwCtx), std::move(TheTriple), TheTarget, 234 std::string(TripleName), std::move(MCE), std::move(MOFI), 235 std::move(AsmInfo), std::move(MII), std::move(STI), 236 std::move(InstructionPrinter), std::move(MIA), nullptr, std::move(MRI), 237 std::move(DisAsm)); 238 239 BC->TTypeEncoding = TTypeEncoding; 240 BC->LSDAEncoding = LSDAEncoding; 241 242 BC->MAB = std::unique_ptr<MCAsmBackend>( 243 BC->TheTarget->createMCAsmBackend(*BC->STI, *BC->MRI, MCTargetOptions())); 244 245 BC->setFilename(File->getFileName()); 246 247 BC->HasFixedLoadAddress = !IsPIC; 248 249 BC->SymbolicDisAsm = std::unique_ptr<MCDisassembler>( 250 BC->TheTarget->createMCDisassembler(*BC->STI, *BC->Ctx)); 251 252 if (!BC->SymbolicDisAsm) 253 return createStringError( 254 make_error_code(std::errc::not_supported), 255 Twine("BOLT-ERROR: no disassembler info for target ", TripleName)); 256 257 return std::move(BC); 258 } 259 260 bool BinaryContext::forceSymbolRelocations(StringRef SymbolName) const { 261 if (opts::HotText && 262 (SymbolName == "__hot_start" || SymbolName == "__hot_end")) 263 return true; 264 265 if (opts::HotData && 266 (SymbolName == "__hot_data_start" || SymbolName == "__hot_data_end")) 267 return true; 268 269 if (SymbolName == "_end") 270 return true; 271 272 return false; 273 } 274 275 std::unique_ptr<MCObjectWriter> 276 BinaryContext::createObjectWriter(raw_pwrite_stream &OS) { 277 return MAB->createObjectWriter(OS); 278 } 279 280 bool BinaryContext::validateObjectNesting() const { 281 auto Itr = BinaryDataMap.begin(); 282 auto End = BinaryDataMap.end(); 283 bool Valid = true; 284 while (Itr != End) { 285 auto Next = std::next(Itr); 286 while (Next != End && 287 Itr->second->getSection() == Next->second->getSection() && 288 Itr->second->containsRange(Next->second->getAddress(), 289 Next->second->getSize())) { 290 if (Next->second->Parent != Itr->second) { 291 errs() << "BOLT-WARNING: object nesting incorrect for:\n" 292 << "BOLT-WARNING: " << *Itr->second << "\n" 293 << "BOLT-WARNING: " << *Next->second << "\n"; 294 Valid = false; 295 } 296 ++Next; 297 } 298 Itr = Next; 299 } 300 return Valid; 301 } 302 303 bool BinaryContext::validateHoles() const { 304 bool Valid = true; 305 for (BinarySection &Section : sections()) { 306 for (const Relocation &Rel : Section.relocations()) { 307 uint64_t RelAddr = Rel.Offset + Section.getAddress(); 308 const BinaryData *BD = getBinaryDataContainingAddress(RelAddr); 309 if (!BD) { 310 errs() << "BOLT-WARNING: no BinaryData found for relocation at address" 311 << " 0x" << Twine::utohexstr(RelAddr) << " in " 312 << Section.getName() << "\n"; 313 Valid = false; 314 } else if (!BD->getAtomicRoot()) { 315 errs() << "BOLT-WARNING: no atomic BinaryData found for relocation at " 316 << "address 0x" << Twine::utohexstr(RelAddr) << " in " 317 << Section.getName() << "\n"; 318 Valid = false; 319 } 320 } 321 } 322 return Valid; 323 } 324 325 void BinaryContext::updateObjectNesting(BinaryDataMapType::iterator GAI) { 326 const uint64_t Address = GAI->second->getAddress(); 327 const uint64_t Size = GAI->second->getSize(); 328 329 auto fixParents = [&](BinaryDataMapType::iterator Itr, 330 BinaryData *NewParent) { 331 BinaryData *OldParent = Itr->second->Parent; 332 Itr->second->Parent = NewParent; 333 ++Itr; 334 while (Itr != BinaryDataMap.end() && OldParent && 335 Itr->second->Parent == OldParent) { 336 Itr->second->Parent = NewParent; 337 ++Itr; 338 } 339 }; 340 341 // Check if the previous symbol contains the newly added symbol. 342 if (GAI != BinaryDataMap.begin()) { 343 BinaryData *Prev = std::prev(GAI)->second; 344 while (Prev) { 345 if (Prev->getSection() == GAI->second->getSection() && 346 Prev->containsRange(Address, Size)) { 347 fixParents(GAI, Prev); 348 } else { 349 fixParents(GAI, nullptr); 350 } 351 Prev = Prev->Parent; 352 } 353 } 354 355 // Check if the newly added symbol contains any subsequent symbols. 356 if (Size != 0) { 357 BinaryData *BD = GAI->second->Parent ? GAI->second->Parent : GAI->second; 358 auto Itr = std::next(GAI); 359 while ( 360 Itr != BinaryDataMap.end() && 361 BD->containsRange(Itr->second->getAddress(), Itr->second->getSize())) { 362 Itr->second->Parent = BD; 363 ++Itr; 364 } 365 } 366 } 367 368 iterator_range<BinaryContext::binary_data_iterator> 369 BinaryContext::getSubBinaryData(BinaryData *BD) { 370 auto Start = std::next(BinaryDataMap.find(BD->getAddress())); 371 auto End = Start; 372 while (End != BinaryDataMap.end() && BD->isAncestorOf(End->second)) 373 ++End; 374 return make_range(Start, End); 375 } 376 377 std::pair<const MCSymbol *, uint64_t> 378 BinaryContext::handleAddressRef(uint64_t Address, BinaryFunction &BF, 379 bool IsPCRel) { 380 uint64_t Addend = 0; 381 382 if (isAArch64()) { 383 // Check if this is an access to a constant island and create bookkeeping 384 // to keep track of it and emit it later as part of this function. 385 if (MCSymbol *IslandSym = BF.getOrCreateIslandAccess(Address)) 386 return std::make_pair(IslandSym, Addend); 387 388 // Detect custom code written in assembly that refers to arbitrary 389 // constant islands from other functions. Write this reference so we 390 // can pull this constant island and emit it as part of this function 391 // too. 392 auto IslandIter = AddressToConstantIslandMap.lower_bound(Address); 393 if (IslandIter != AddressToConstantIslandMap.end()) { 394 if (MCSymbol *IslandSym = 395 IslandIter->second->getOrCreateProxyIslandAccess(Address, BF)) { 396 BF.createIslandDependency(IslandSym, IslandIter->second); 397 return std::make_pair(IslandSym, Addend); 398 } 399 } 400 } 401 402 // Note that the address does not necessarily have to reside inside 403 // a section, it could be an absolute address too. 404 ErrorOr<BinarySection &> Section = getSectionForAddress(Address); 405 if (Section && Section->isText()) { 406 if (BF.containsAddress(Address, /*UseMaxSize=*/isAArch64())) { 407 if (Address != BF.getAddress()) { 408 // The address could potentially escape. Mark it as another entry 409 // point into the function. 410 if (opts::Verbosity >= 1) { 411 outs() << "BOLT-INFO: potentially escaped address 0x" 412 << Twine::utohexstr(Address) << " in function " << BF << '\n'; 413 } 414 BF.HasInternalLabelReference = true; 415 return std::make_pair( 416 BF.addEntryPointAtOffset(Address - BF.getAddress()), Addend); 417 } 418 } else { 419 addInterproceduralReference(&BF, Address); 420 } 421 } 422 423 // With relocations, catch jump table references outside of the basic block 424 // containing the indirect jump. 425 if (HasRelocations) { 426 const MemoryContentsType MemType = analyzeMemoryAt(Address, BF); 427 if (MemType == MemoryContentsType::POSSIBLE_PIC_JUMP_TABLE && IsPCRel) { 428 const MCSymbol *Symbol = 429 getOrCreateJumpTable(BF, Address, JumpTable::JTT_PIC); 430 431 return std::make_pair(Symbol, Addend); 432 } 433 } 434 435 if (BinaryData *BD = getBinaryDataContainingAddress(Address)) 436 return std::make_pair(BD->getSymbol(), Address - BD->getAddress()); 437 438 // TODO: use DWARF info to get size/alignment here? 439 MCSymbol *TargetSymbol = getOrCreateGlobalSymbol(Address, "DATAat"); 440 LLVM_DEBUG(dbgs() << "Created symbol " << TargetSymbol->getName() << '\n'); 441 return std::make_pair(TargetSymbol, Addend); 442 } 443 444 MemoryContentsType BinaryContext::analyzeMemoryAt(uint64_t Address, 445 BinaryFunction &BF) { 446 if (!isX86()) 447 return MemoryContentsType::UNKNOWN; 448 449 ErrorOr<BinarySection &> Section = getSectionForAddress(Address); 450 if (!Section) { 451 // No section - possibly an absolute address. Since we don't allow 452 // internal function addresses to escape the function scope - we 453 // consider it a tail call. 454 if (opts::Verbosity > 1) { 455 errs() << "BOLT-WARNING: no section for address 0x" 456 << Twine::utohexstr(Address) << " referenced from function " << BF 457 << '\n'; 458 } 459 return MemoryContentsType::UNKNOWN; 460 } 461 462 if (Section->isVirtual()) { 463 // The contents are filled at runtime. 464 return MemoryContentsType::UNKNOWN; 465 } 466 467 // No support for jump tables in code yet. 468 if (Section->isText()) 469 return MemoryContentsType::UNKNOWN; 470 471 // Start with checking for PIC jump table. We expect non-PIC jump tables 472 // to have high 32 bits set to 0. 473 if (analyzeJumpTable(Address, JumpTable::JTT_PIC, BF)) 474 return MemoryContentsType::POSSIBLE_PIC_JUMP_TABLE; 475 476 if (analyzeJumpTable(Address, JumpTable::JTT_NORMAL, BF)) 477 return MemoryContentsType::POSSIBLE_JUMP_TABLE; 478 479 return MemoryContentsType::UNKNOWN; 480 } 481 482 /// Check if <fragment restored name> == <parent restored name>.cold(.\d+)? 483 bool isPotentialFragmentByName(BinaryFunction &Fragment, 484 BinaryFunction &Parent) { 485 for (StringRef Name : Parent.getNames()) { 486 std::string NamePrefix = Regex::escape(NameResolver::restore(Name)); 487 std::string NameRegex = Twine(NamePrefix, "\\.cold(\\.[0-9]+)?").str(); 488 if (Fragment.hasRestoredNameRegex(NameRegex)) 489 return true; 490 } 491 return false; 492 } 493 494 bool BinaryContext::analyzeJumpTable(const uint64_t Address, 495 const JumpTable::JumpTableType Type, 496 BinaryFunction &BF, 497 const uint64_t NextJTAddress, 498 JumpTable::OffsetsType *Offsets) { 499 // Is one of the targets __builtin_unreachable? 500 bool HasUnreachable = false; 501 502 // Number of targets other than __builtin_unreachable. 503 uint64_t NumRealEntries = 0; 504 505 constexpr uint64_t INVALID_OFFSET = std::numeric_limits<uint64_t>::max(); 506 auto addOffset = [&](uint64_t Offset) { 507 if (Offsets) 508 Offsets->emplace_back(Offset); 509 }; 510 511 auto doesBelongToFunction = [&](const uint64_t Addr, 512 BinaryFunction *TargetBF) -> bool { 513 if (BF.containsAddress(Addr)) 514 return true; 515 // Nothing to do if we failed to identify the containing function. 516 if (!TargetBF) 517 return false; 518 // Case 1: check if BF is a fragment and TargetBF is its parent. 519 if (BF.isFragment()) { 520 // Parent function may or may not be already registered. 521 // Set parent link based on function name matching heuristic. 522 return registerFragment(BF, *TargetBF); 523 } 524 // Case 2: check if TargetBF is a fragment and BF is its parent. 525 return TargetBF->isFragment() && registerFragment(*TargetBF, BF); 526 }; 527 528 ErrorOr<BinarySection &> Section = getSectionForAddress(Address); 529 if (!Section) 530 return false; 531 532 // The upper bound is defined by containing object, section limits, and 533 // the next jump table in memory. 534 uint64_t UpperBound = Section->getEndAddress(); 535 const BinaryData *JumpTableBD = getBinaryDataAtAddress(Address); 536 if (JumpTableBD && JumpTableBD->getSize()) { 537 assert(JumpTableBD->getEndAddress() <= UpperBound && 538 "data object cannot cross a section boundary"); 539 UpperBound = JumpTableBD->getEndAddress(); 540 } 541 if (NextJTAddress) 542 UpperBound = std::min(NextJTAddress, UpperBound); 543 544 LLVM_DEBUG(dbgs() << "BOLT-DEBUG: analyzeJumpTable in " << BF.getPrintName() 545 << '\n'); 546 const uint64_t EntrySize = getJumpTableEntrySize(Type); 547 for (uint64_t EntryAddress = Address; EntryAddress <= UpperBound - EntrySize; 548 EntryAddress += EntrySize) { 549 LLVM_DEBUG(dbgs() << " * Checking 0x" << Twine::utohexstr(EntryAddress) 550 << " -> "); 551 // Check if there's a proper relocation against the jump table entry. 552 if (HasRelocations) { 553 if (Type == JumpTable::JTT_PIC && 554 !DataPCRelocations.count(EntryAddress)) { 555 LLVM_DEBUG( 556 dbgs() << "FAIL: JTT_PIC table, no relocation for this address\n"); 557 break; 558 } 559 if (Type == JumpTable::JTT_NORMAL && !getRelocationAt(EntryAddress)) { 560 LLVM_DEBUG( 561 dbgs() 562 << "FAIL: JTT_NORMAL table, no relocation for this address\n"); 563 break; 564 } 565 } 566 567 const uint64_t Value = 568 (Type == JumpTable::JTT_PIC) 569 ? Address + *getSignedValueAtAddress(EntryAddress, EntrySize) 570 : *getPointerAtAddress(EntryAddress); 571 572 // __builtin_unreachable() case. 573 if (Value == BF.getAddress() + BF.getSize()) { 574 addOffset(Value - BF.getAddress()); 575 HasUnreachable = true; 576 LLVM_DEBUG(dbgs() << "OK: __builtin_unreachable\n"); 577 continue; 578 } 579 580 // Function or one of its fragments. 581 BinaryFunction *TargetBF = getBinaryFunctionContainingAddress(Value); 582 583 // We assume that a jump table cannot have function start as an entry. 584 if (!doesBelongToFunction(Value, TargetBF) || Value == BF.getAddress()) { 585 LLVM_DEBUG({ 586 if (!BF.containsAddress(Value)) { 587 dbgs() << "FAIL: function doesn't contain this address\n"; 588 if (TargetBF) { 589 dbgs() << " ! function containing this address: " 590 << TargetBF->getPrintName() << '\n'; 591 if (TargetBF->isFragment()) 592 dbgs() << " ! is a fragment\n"; 593 for (BinaryFunction *TargetParent : TargetBF->ParentFragments) 594 dbgs() << " ! its parent is " 595 << (TargetParent ? TargetParent->getPrintName() : "(none)") 596 << '\n'; 597 } 598 } 599 if (Value == BF.getAddress()) 600 dbgs() << "FAIL: jump table cannot have function start as an entry\n"; 601 }); 602 break; 603 } 604 605 // Check there's an instruction at this offset. 606 if (TargetBF->getState() == BinaryFunction::State::Disassembled && 607 !TargetBF->getInstructionAtOffset(Value - TargetBF->getAddress())) { 608 LLVM_DEBUG(dbgs() << "FAIL: no instruction at this offset\n"); 609 break; 610 } 611 612 ++NumRealEntries; 613 614 if (TargetBF == &BF) { 615 // Address inside the function. 616 addOffset(Value - TargetBF->getAddress()); 617 LLVM_DEBUG(dbgs() << "OK: real entry\n"); 618 } else { 619 // Address in split fragment. 620 BF.setHasSplitJumpTable(true); 621 // Add invalid offset for proper identification of jump table size. 622 addOffset(INVALID_OFFSET); 623 LLVM_DEBUG(dbgs() << "OK: address in split fragment " 624 << TargetBF->getPrintName() << '\n'); 625 } 626 } 627 628 // It's a jump table if the number of real entries is more than 1, or there's 629 // one real entry and "unreachable" targets. If there are only multiple 630 // "unreachable" targets, then it's not a jump table. 631 return NumRealEntries + HasUnreachable >= 2; 632 } 633 634 void BinaryContext::populateJumpTables() { 635 LLVM_DEBUG(dbgs() << "DataPCRelocations: " << DataPCRelocations.size() 636 << '\n'); 637 for (auto JTI = JumpTables.begin(), JTE = JumpTables.end(); JTI != JTE; 638 ++JTI) { 639 JumpTable *JT = JTI->second; 640 BinaryFunction &BF = *JT->Parent; 641 642 if (!BF.isSimple()) 643 continue; 644 645 uint64_t NextJTAddress = 0; 646 auto NextJTI = std::next(JTI); 647 if (NextJTI != JTE) 648 NextJTAddress = NextJTI->second->getAddress(); 649 650 const bool Success = analyzeJumpTable(JT->getAddress(), JT->Type, BF, 651 NextJTAddress, &JT->OffsetEntries); 652 if (!Success) { 653 dbgs() << "failed to analyze jump table in function " << BF << '\n'; 654 JT->print(dbgs()); 655 if (NextJTI != JTE) { 656 dbgs() << "next jump table at 0x" 657 << Twine::utohexstr(NextJTI->second->getAddress()) 658 << " belongs to function " << *NextJTI->second->Parent << '\n'; 659 NextJTI->second->print(dbgs()); 660 } 661 llvm_unreachable("jump table heuristic failure"); 662 } 663 664 for (uint64_t EntryOffset : JT->OffsetEntries) { 665 if (EntryOffset == BF.getSize()) 666 BF.IgnoredBranches.emplace_back(EntryOffset, BF.getSize()); 667 else 668 BF.registerReferencedOffset(EntryOffset); 669 } 670 671 // In strict mode, erase PC-relative relocation record. Later we check that 672 // all such records are erased and thus have been accounted for. 673 if (opts::StrictMode && JT->Type == JumpTable::JTT_PIC) { 674 for (uint64_t Address = JT->getAddress(); 675 Address < JT->getAddress() + JT->getSize(); 676 Address += JT->EntrySize) { 677 DataPCRelocations.erase(DataPCRelocations.find(Address)); 678 } 679 } 680 681 // Mark to skip the function and all its fragments. 682 if (BF.hasSplitJumpTable()) 683 FragmentsToSkip.push_back(&BF); 684 } 685 686 if (opts::StrictMode && DataPCRelocations.size()) { 687 LLVM_DEBUG({ 688 dbgs() << DataPCRelocations.size() 689 << " unclaimed PC-relative relocations left in data:\n"; 690 for (uint64_t Reloc : DataPCRelocations) 691 dbgs() << Twine::utohexstr(Reloc) << '\n'; 692 }); 693 assert(0 && "unclaimed PC-relative relocations left in data\n"); 694 } 695 clearList(DataPCRelocations); 696 } 697 698 void BinaryContext::skipMarkedFragments() { 699 // Unique functions in the vector. 700 std::unordered_set<BinaryFunction *> UniqueFunctions(FragmentsToSkip.begin(), 701 FragmentsToSkip.end()); 702 // Copy the functions back to FragmentsToSkip. 703 FragmentsToSkip.assign(UniqueFunctions.begin(), UniqueFunctions.end()); 704 auto addToWorklist = [&](BinaryFunction *Function) -> void { 705 if (UniqueFunctions.count(Function)) 706 return; 707 FragmentsToSkip.push_back(Function); 708 UniqueFunctions.insert(Function); 709 }; 710 // Functions containing split jump tables need to be skipped with all 711 // fragments (transitively). 712 for (size_t I = 0; I != FragmentsToSkip.size(); I++) { 713 BinaryFunction *BF = FragmentsToSkip[I]; 714 assert(UniqueFunctions.count(BF) && 715 "internal error in traversing function fragments"); 716 if (opts::Verbosity >= 1) 717 errs() << "BOLT-WARNING: Ignoring " << BF->getPrintName() << '\n'; 718 BF->setSimple(false); 719 BF->setHasSplitJumpTable(true); 720 721 llvm::for_each(BF->Fragments, addToWorklist); 722 llvm::for_each(BF->ParentFragments, addToWorklist); 723 } 724 if (!FragmentsToSkip.empty()) 725 errs() << "BOLT-WARNING: skipped " << FragmentsToSkip.size() << " function" 726 << (FragmentsToSkip.size() == 1 ? "" : "s") 727 << " due to cold fragments\n"; 728 FragmentsToSkip.clear(); 729 } 730 731 MCSymbol *BinaryContext::getOrCreateGlobalSymbol(uint64_t Address, Twine Prefix, 732 uint64_t Size, 733 uint16_t Alignment, 734 unsigned Flags) { 735 auto Itr = BinaryDataMap.find(Address); 736 if (Itr != BinaryDataMap.end()) { 737 assert(Itr->second->getSize() == Size || !Size); 738 return Itr->second->getSymbol(); 739 } 740 741 std::string Name = (Prefix + "0x" + Twine::utohexstr(Address)).str(); 742 assert(!GlobalSymbols.count(Name) && "created name is not unique"); 743 return registerNameAtAddress(Name, Address, Size, Alignment, Flags); 744 } 745 746 MCSymbol *BinaryContext::getOrCreateUndefinedGlobalSymbol(StringRef Name) { 747 return Ctx->getOrCreateSymbol(Name); 748 } 749 750 BinaryFunction *BinaryContext::createBinaryFunction( 751 const std::string &Name, BinarySection &Section, uint64_t Address, 752 uint64_t Size, uint64_t SymbolSize, uint16_t Alignment) { 753 auto Result = BinaryFunctions.emplace( 754 Address, BinaryFunction(Name, Section, Address, Size, *this)); 755 assert(Result.second == true && "unexpected duplicate function"); 756 BinaryFunction *BF = &Result.first->second; 757 registerNameAtAddress(Name, Address, SymbolSize ? SymbolSize : Size, 758 Alignment); 759 setSymbolToFunctionMap(BF->getSymbol(), BF); 760 return BF; 761 } 762 763 const MCSymbol * 764 BinaryContext::getOrCreateJumpTable(BinaryFunction &Function, uint64_t Address, 765 JumpTable::JumpTableType Type) { 766 auto isFragmentOf = [](BinaryFunction *Fragment, BinaryFunction *Parent) { 767 return (Fragment->isFragment() && Fragment->isParentFragment(Parent)); 768 }; 769 770 if (JumpTable *JT = getJumpTableContainingAddress(Address)) { 771 assert(JT->Type == Type && "jump table types have to match"); 772 bool HasMultipleParents = isFragmentOf(JT->Parent, &Function) || 773 isFragmentOf(&Function, JT->Parent); 774 assert((JT->Parent == &Function || HasMultipleParents) && 775 "cannot re-use jump table of a different function"); 776 assert(Address == JT->getAddress() && "unexpected non-empty jump table"); 777 778 // Flush OffsetEntries with INVALID_OFFSET if multiple parents 779 // Duplicate the entry for the parent function for easy access 780 if (HasMultipleParents) { 781 if (opts::Verbosity > 2) { 782 outs() << "BOLT-WARNING: Multiple fragments access same jump table: " 783 << JT->Parent->getPrintName() << "; " << Function.getPrintName() 784 << "\n"; 785 } 786 constexpr uint64_t INVALID_OFFSET = std::numeric_limits<uint64_t>::max(); 787 for (unsigned I = 0; I < JT->OffsetEntries.size(); ++I) 788 JT->OffsetEntries[I] = INVALID_OFFSET; 789 Function.JumpTables.emplace(Address, JT); 790 } 791 return JT->getFirstLabel(); 792 } 793 794 // Re-use the existing symbol if possible. 795 MCSymbol *JTLabel = nullptr; 796 if (BinaryData *Object = getBinaryDataAtAddress(Address)) { 797 if (!isInternalSymbolName(Object->getSymbol()->getName())) 798 JTLabel = Object->getSymbol(); 799 } 800 801 const uint64_t EntrySize = getJumpTableEntrySize(Type); 802 if (!JTLabel) { 803 const std::string JumpTableName = generateJumpTableName(Function, Address); 804 JTLabel = registerNameAtAddress(JumpTableName, Address, 0, EntrySize); 805 } 806 807 LLVM_DEBUG(dbgs() << "BOLT-DEBUG: creating jump table " << JTLabel->getName() 808 << " in function " << Function << '\n'); 809 810 JumpTable *JT = new JumpTable(*JTLabel, Address, EntrySize, Type, 811 JumpTable::LabelMapType{{0, JTLabel}}, Function, 812 *getSectionForAddress(Address)); 813 JumpTables.emplace(Address, JT); 814 815 // Duplicate the entry for the parent function for easy access. 816 Function.JumpTables.emplace(Address, JT); 817 818 return JTLabel; 819 } 820 821 std::pair<uint64_t, const MCSymbol *> 822 BinaryContext::duplicateJumpTable(BinaryFunction &Function, JumpTable *JT, 823 const MCSymbol *OldLabel) { 824 auto L = scopeLock(); 825 unsigned Offset = 0; 826 bool Found = false; 827 for (std::pair<const unsigned, MCSymbol *> Elmt : JT->Labels) { 828 if (Elmt.second != OldLabel) 829 continue; 830 Offset = Elmt.first; 831 Found = true; 832 break; 833 } 834 assert(Found && "Label not found"); 835 (void)Found; 836 MCSymbol *NewLabel = Ctx->createNamedTempSymbol("duplicatedJT"); 837 JumpTable *NewJT = 838 new JumpTable(*NewLabel, JT->getAddress(), JT->EntrySize, JT->Type, 839 JumpTable::LabelMapType{{Offset, NewLabel}}, Function, 840 *getSectionForAddress(JT->getAddress())); 841 NewJT->Entries = JT->Entries; 842 NewJT->Counts = JT->Counts; 843 uint64_t JumpTableID = ++DuplicatedJumpTables; 844 // Invert it to differentiate from regular jump tables whose IDs are their 845 // addresses in the input binary memory space 846 JumpTableID = ~JumpTableID; 847 JumpTables.emplace(JumpTableID, NewJT); 848 Function.JumpTables.emplace(JumpTableID, NewJT); 849 return std::make_pair(JumpTableID, NewLabel); 850 } 851 852 std::string BinaryContext::generateJumpTableName(const BinaryFunction &BF, 853 uint64_t Address) { 854 size_t Id; 855 uint64_t Offset = 0; 856 if (const JumpTable *JT = BF.getJumpTableContainingAddress(Address)) { 857 Offset = Address - JT->getAddress(); 858 auto Itr = JT->Labels.find(Offset); 859 if (Itr != JT->Labels.end()) 860 return std::string(Itr->second->getName()); 861 Id = JumpTableIds.at(JT->getAddress()); 862 } else { 863 Id = JumpTableIds[Address] = BF.JumpTables.size(); 864 } 865 return ("JUMP_TABLE/" + BF.getOneName().str() + "." + std::to_string(Id) + 866 (Offset ? ("." + std::to_string(Offset)) : "")); 867 } 868 869 bool BinaryContext::hasValidCodePadding(const BinaryFunction &BF) { 870 // FIXME: aarch64 support is missing. 871 if (!isX86()) 872 return true; 873 874 if (BF.getSize() == BF.getMaxSize()) 875 return true; 876 877 ErrorOr<ArrayRef<unsigned char>> FunctionData = BF.getData(); 878 assert(FunctionData && "cannot get function as data"); 879 880 uint64_t Offset = BF.getSize(); 881 MCInst Instr; 882 uint64_t InstrSize = 0; 883 uint64_t InstrAddress = BF.getAddress() + Offset; 884 using std::placeholders::_1; 885 886 // Skip instructions that satisfy the predicate condition. 887 auto skipInstructions = [&](std::function<bool(const MCInst &)> Predicate) { 888 const uint64_t StartOffset = Offset; 889 for (; Offset < BF.getMaxSize(); 890 Offset += InstrSize, InstrAddress += InstrSize) { 891 if (!DisAsm->getInstruction(Instr, InstrSize, FunctionData->slice(Offset), 892 InstrAddress, nulls())) 893 break; 894 if (!Predicate(Instr)) 895 break; 896 } 897 898 return Offset - StartOffset; 899 }; 900 901 // Skip a sequence of zero bytes. 902 auto skipZeros = [&]() { 903 const uint64_t StartOffset = Offset; 904 for (; Offset < BF.getMaxSize(); ++Offset) 905 if ((*FunctionData)[Offset] != 0) 906 break; 907 908 return Offset - StartOffset; 909 }; 910 911 // Accept the whole padding area filled with breakpoints. 912 auto isBreakpoint = std::bind(&MCPlusBuilder::isBreakpoint, MIB.get(), _1); 913 if (skipInstructions(isBreakpoint) && Offset == BF.getMaxSize()) 914 return true; 915 916 auto isNoop = std::bind(&MCPlusBuilder::isNoop, MIB.get(), _1); 917 918 // Some functions have a jump to the next function or to the padding area 919 // inserted after the body. 920 auto isSkipJump = [&](const MCInst &Instr) { 921 uint64_t TargetAddress = 0; 922 if (MIB->isUnconditionalBranch(Instr) && 923 MIB->evaluateBranch(Instr, InstrAddress, InstrSize, TargetAddress)) { 924 if (TargetAddress >= InstrAddress + InstrSize && 925 TargetAddress <= BF.getAddress() + BF.getMaxSize()) { 926 return true; 927 } 928 } 929 return false; 930 }; 931 932 // Skip over nops, jumps, and zero padding. Allow interleaving (this happens). 933 while (skipInstructions(isNoop) || skipInstructions(isSkipJump) || 934 skipZeros()) 935 ; 936 937 if (Offset == BF.getMaxSize()) 938 return true; 939 940 if (opts::Verbosity >= 1) { 941 errs() << "BOLT-WARNING: bad padding at address 0x" 942 << Twine::utohexstr(BF.getAddress() + BF.getSize()) 943 << " starting at offset " << (Offset - BF.getSize()) 944 << " in function " << BF << '\n' 945 << FunctionData->slice(BF.getSize(), BF.getMaxSize() - BF.getSize()) 946 << '\n'; 947 } 948 949 return false; 950 } 951 952 void BinaryContext::adjustCodePadding() { 953 for (auto &BFI : BinaryFunctions) { 954 BinaryFunction &BF = BFI.second; 955 if (!shouldEmit(BF)) 956 continue; 957 958 if (!hasValidCodePadding(BF)) { 959 if (HasRelocations) { 960 if (opts::Verbosity >= 1) { 961 outs() << "BOLT-INFO: function " << BF 962 << " has invalid padding. Ignoring the function.\n"; 963 } 964 BF.setIgnored(); 965 } else { 966 BF.setMaxSize(BF.getSize()); 967 } 968 } 969 } 970 } 971 972 MCSymbol *BinaryContext::registerNameAtAddress(StringRef Name, uint64_t Address, 973 uint64_t Size, 974 uint16_t Alignment, 975 unsigned Flags) { 976 // Register the name with MCContext. 977 MCSymbol *Symbol = Ctx->getOrCreateSymbol(Name); 978 979 auto GAI = BinaryDataMap.find(Address); 980 BinaryData *BD; 981 if (GAI == BinaryDataMap.end()) { 982 ErrorOr<BinarySection &> SectionOrErr = getSectionForAddress(Address); 983 BinarySection &Section = 984 SectionOrErr ? SectionOrErr.get() : absoluteSection(); 985 BD = new BinaryData(*Symbol, Address, Size, Alignment ? Alignment : 1, 986 Section, Flags); 987 GAI = BinaryDataMap.emplace(Address, BD).first; 988 GlobalSymbols[Name] = BD; 989 updateObjectNesting(GAI); 990 } else { 991 BD = GAI->second; 992 if (!BD->hasName(Name)) { 993 GlobalSymbols[Name] = BD; 994 BD->Symbols.push_back(Symbol); 995 } 996 } 997 998 return Symbol; 999 } 1000 1001 const BinaryData * 1002 BinaryContext::getBinaryDataContainingAddressImpl(uint64_t Address) const { 1003 auto NI = BinaryDataMap.lower_bound(Address); 1004 auto End = BinaryDataMap.end(); 1005 if ((NI != End && Address == NI->first) || 1006 ((NI != BinaryDataMap.begin()) && (NI-- != BinaryDataMap.begin()))) { 1007 if (NI->second->containsAddress(Address)) 1008 return NI->second; 1009 1010 // If this is a sub-symbol, see if a parent data contains the address. 1011 const BinaryData *BD = NI->second->getParent(); 1012 while (BD) { 1013 if (BD->containsAddress(Address)) 1014 return BD; 1015 BD = BD->getParent(); 1016 } 1017 } 1018 return nullptr; 1019 } 1020 1021 bool BinaryContext::setBinaryDataSize(uint64_t Address, uint64_t Size) { 1022 auto NI = BinaryDataMap.find(Address); 1023 assert(NI != BinaryDataMap.end()); 1024 if (NI == BinaryDataMap.end()) 1025 return false; 1026 // TODO: it's possible that a jump table starts at the same address 1027 // as a larger blob of private data. When we set the size of the 1028 // jump table, it might be smaller than the total blob size. In this 1029 // case we just leave the original size since (currently) it won't really 1030 // affect anything. 1031 assert((!NI->second->Size || NI->second->Size == Size || 1032 (NI->second->isJumpTable() && NI->second->Size > Size)) && 1033 "can't change the size of a symbol that has already had its " 1034 "size set"); 1035 if (!NI->second->Size) { 1036 NI->second->Size = Size; 1037 updateObjectNesting(NI); 1038 return true; 1039 } 1040 return false; 1041 } 1042 1043 void BinaryContext::generateSymbolHashes() { 1044 auto isPadding = [](const BinaryData &BD) { 1045 StringRef Contents = BD.getSection().getContents(); 1046 StringRef SymData = Contents.substr(BD.getOffset(), BD.getSize()); 1047 return (BD.getName().startswith("HOLEat") || 1048 SymData.find_first_not_of(0) == StringRef::npos); 1049 }; 1050 1051 uint64_t NumCollisions = 0; 1052 for (auto &Entry : BinaryDataMap) { 1053 BinaryData &BD = *Entry.second; 1054 StringRef Name = BD.getName(); 1055 1056 if (!isInternalSymbolName(Name)) 1057 continue; 1058 1059 // First check if a non-anonymous alias exists and move it to the front. 1060 if (BD.getSymbols().size() > 1) { 1061 auto Itr = llvm::find_if(BD.getSymbols(), [&](const MCSymbol *Symbol) { 1062 return !isInternalSymbolName(Symbol->getName()); 1063 }); 1064 if (Itr != BD.getSymbols().end()) { 1065 size_t Idx = std::distance(BD.getSymbols().begin(), Itr); 1066 std::swap(BD.getSymbols()[0], BD.getSymbols()[Idx]); 1067 continue; 1068 } 1069 } 1070 1071 // We have to skip 0 size symbols since they will all collide. 1072 if (BD.getSize() == 0) { 1073 continue; 1074 } 1075 1076 const uint64_t Hash = BD.getSection().hash(BD); 1077 const size_t Idx = Name.find("0x"); 1078 std::string NewName = 1079 (Twine(Name.substr(0, Idx)) + "_" + Twine::utohexstr(Hash)).str(); 1080 if (getBinaryDataByName(NewName)) { 1081 // Ignore collisions for symbols that appear to be padding 1082 // (i.e. all zeros or a "hole") 1083 if (!isPadding(BD)) { 1084 if (opts::Verbosity) { 1085 errs() << "BOLT-WARNING: collision detected when hashing " << BD 1086 << " with new name (" << NewName << "), skipping.\n"; 1087 } 1088 ++NumCollisions; 1089 } 1090 continue; 1091 } 1092 BD.Symbols.insert(BD.Symbols.begin(), Ctx->getOrCreateSymbol(NewName)); 1093 GlobalSymbols[NewName] = &BD; 1094 } 1095 if (NumCollisions) { 1096 errs() << "BOLT-WARNING: " << NumCollisions 1097 << " collisions detected while hashing binary objects"; 1098 if (!opts::Verbosity) 1099 errs() << ". Use -v=1 to see the list."; 1100 errs() << '\n'; 1101 } 1102 } 1103 1104 bool BinaryContext::registerFragment(BinaryFunction &TargetFunction, 1105 BinaryFunction &Function) const { 1106 if (!isPotentialFragmentByName(TargetFunction, Function)) 1107 return false; 1108 assert(TargetFunction.isFragment() && "TargetFunction must be a fragment"); 1109 if (TargetFunction.isParentFragment(&Function)) 1110 return true; 1111 TargetFunction.addParentFragment(Function); 1112 Function.addFragment(TargetFunction); 1113 if (!HasRelocations) { 1114 TargetFunction.setSimple(false); 1115 Function.setSimple(false); 1116 } 1117 if (opts::Verbosity >= 1) { 1118 outs() << "BOLT-INFO: marking " << TargetFunction << " as a fragment of " 1119 << Function << '\n'; 1120 } 1121 return true; 1122 } 1123 1124 void BinaryContext::addAdrpAddRelocAArch64(BinaryFunction &BF, 1125 MCInst &LoadLowBits, 1126 MCInst &LoadHiBits, 1127 uint64_t Target) { 1128 const MCSymbol *TargetSymbol; 1129 uint64_t Addend = 0; 1130 std::tie(TargetSymbol, Addend) = handleAddressRef(Target, BF, 1131 /*IsPCRel*/ true); 1132 int64_t Val; 1133 MIB->replaceImmWithSymbolRef(LoadHiBits, TargetSymbol, Addend, Ctx.get(), Val, 1134 ELF::R_AARCH64_ADR_PREL_PG_HI21); 1135 MIB->replaceImmWithSymbolRef(LoadLowBits, TargetSymbol, Addend, Ctx.get(), 1136 Val, ELF::R_AARCH64_ADD_ABS_LO12_NC); 1137 } 1138 1139 bool BinaryContext::handleAArch64Veneer(uint64_t Address, bool MatchOnly) { 1140 BinaryFunction *TargetFunction = getBinaryFunctionContainingAddress(Address); 1141 if (TargetFunction) 1142 return false; 1143 1144 ErrorOr<BinarySection &> Section = getSectionForAddress(Address); 1145 assert(Section && "cannot get section for referenced address"); 1146 if (!Section->isText()) 1147 return false; 1148 1149 bool Ret = false; 1150 StringRef SectionContents = Section->getContents(); 1151 uint64_t Offset = Address - Section->getAddress(); 1152 const uint64_t MaxSize = SectionContents.size() - Offset; 1153 const uint8_t *Bytes = 1154 reinterpret_cast<const uint8_t *>(SectionContents.data()); 1155 ArrayRef<uint8_t> Data(Bytes + Offset, MaxSize); 1156 1157 auto matchVeneer = [&](BinaryFunction::InstrMapType &Instructions, 1158 MCInst &Instruction, uint64_t Offset, 1159 uint64_t AbsoluteInstrAddr, 1160 uint64_t TotalSize) -> bool { 1161 MCInst *TargetHiBits, *TargetLowBits; 1162 uint64_t TargetAddress, Count; 1163 Count = MIB->matchLinkerVeneer(Instructions.begin(), Instructions.end(), 1164 AbsoluteInstrAddr, Instruction, TargetHiBits, 1165 TargetLowBits, TargetAddress); 1166 if (!Count) 1167 return false; 1168 1169 if (MatchOnly) 1170 return true; 1171 1172 // NOTE The target symbol was created during disassemble's 1173 // handleExternalReference 1174 const MCSymbol *VeneerSymbol = getOrCreateGlobalSymbol(Address, "FUNCat"); 1175 BinaryFunction *Veneer = createBinaryFunction(VeneerSymbol->getName().str(), 1176 *Section, Address, TotalSize); 1177 addAdrpAddRelocAArch64(*Veneer, *TargetLowBits, *TargetHiBits, 1178 TargetAddress); 1179 MIB->addAnnotation(Instruction, "AArch64Veneer", true); 1180 Veneer->addInstruction(Offset, std::move(Instruction)); 1181 --Count; 1182 for (auto It = std::prev(Instructions.end()); Count != 0; 1183 It = std::prev(It), --Count) { 1184 MIB->addAnnotation(It->second, "AArch64Veneer", true); 1185 Veneer->addInstruction(It->first, std::move(It->second)); 1186 } 1187 1188 Veneer->getOrCreateLocalLabel(Address); 1189 Veneer->setMaxSize(TotalSize); 1190 Veneer->updateState(BinaryFunction::State::Disassembled); 1191 LLVM_DEBUG(dbgs() << "BOLT-DEBUG: handling veneer function at 0x" << Address 1192 << "\n"); 1193 return true; 1194 }; 1195 1196 uint64_t Size = 0, TotalSize = 0; 1197 BinaryFunction::InstrMapType VeneerInstructions; 1198 for (Offset = 0; Offset < MaxSize; Offset += Size) { 1199 MCInst Instruction; 1200 const uint64_t AbsoluteInstrAddr = Address + Offset; 1201 if (!SymbolicDisAsm->getInstruction(Instruction, Size, Data.slice(Offset), 1202 AbsoluteInstrAddr, nulls())) 1203 break; 1204 1205 TotalSize += Size; 1206 if (MIB->isBranch(Instruction)) { 1207 Ret = matchVeneer(VeneerInstructions, Instruction, Offset, 1208 AbsoluteInstrAddr, TotalSize); 1209 break; 1210 } 1211 1212 VeneerInstructions.emplace(Offset, std::move(Instruction)); 1213 } 1214 1215 return Ret; 1216 } 1217 1218 void BinaryContext::processInterproceduralReferences() { 1219 for (const std::pair<BinaryFunction *, uint64_t> &It : 1220 InterproceduralReferences) { 1221 BinaryFunction &Function = *It.first; 1222 uint64_t Address = It.second; 1223 if (!Address) 1224 continue; 1225 1226 BinaryFunction *TargetFunction = 1227 getBinaryFunctionContainingAddress(Address); 1228 if (&Function == TargetFunction) 1229 continue; 1230 1231 if (TargetFunction) { 1232 if (TargetFunction->isFragment() && 1233 !registerFragment(*TargetFunction, Function)) { 1234 errs() << "BOLT-WARNING: interprocedural reference between unrelated " 1235 "fragments: " 1236 << Function.getPrintName() << " and " 1237 << TargetFunction->getPrintName() << '\n'; 1238 } 1239 if (uint64_t Offset = Address - TargetFunction->getAddress()) 1240 TargetFunction->addEntryPointAtOffset(Offset); 1241 1242 continue; 1243 } 1244 1245 // Check if address falls in function padding space - this could be 1246 // unmarked data in code. In this case adjust the padding space size. 1247 ErrorOr<BinarySection &> Section = getSectionForAddress(Address); 1248 assert(Section && "cannot get section for referenced address"); 1249 1250 if (!Section->isText()) 1251 continue; 1252 1253 // PLT requires special handling and could be ignored in this context. 1254 StringRef SectionName = Section->getName(); 1255 if (SectionName == ".plt" || SectionName == ".plt.got") 1256 continue; 1257 1258 // Check if it is aarch64 veneer written at Address 1259 if (isAArch64() && handleAArch64Veneer(Address)) 1260 continue; 1261 1262 if (opts::processAllFunctions()) { 1263 errs() << "BOLT-ERROR: cannot process binaries with unmarked " 1264 << "object in code at address 0x" << Twine::utohexstr(Address) 1265 << " belonging to section " << SectionName << " in current mode\n"; 1266 exit(1); 1267 } 1268 1269 TargetFunction = getBinaryFunctionContainingAddress(Address, 1270 /*CheckPastEnd=*/false, 1271 /*UseMaxSize=*/true); 1272 // We are not going to overwrite non-simple functions, but for simple 1273 // ones - adjust the padding size. 1274 if (TargetFunction && TargetFunction->isSimple()) { 1275 errs() << "BOLT-WARNING: function " << *TargetFunction 1276 << " has an object detected in a padding region at address 0x" 1277 << Twine::utohexstr(Address) << '\n'; 1278 TargetFunction->setMaxSize(TargetFunction->getSize()); 1279 } 1280 } 1281 1282 InterproceduralReferences.clear(); 1283 } 1284 1285 void BinaryContext::postProcessSymbolTable() { 1286 fixBinaryDataHoles(); 1287 bool Valid = true; 1288 for (auto &Entry : BinaryDataMap) { 1289 BinaryData *BD = Entry.second; 1290 if ((BD->getName().startswith("SYMBOLat") || 1291 BD->getName().startswith("DATAat")) && 1292 !BD->getParent() && !BD->getSize() && !BD->isAbsolute() && 1293 BD->getSection()) { 1294 errs() << "BOLT-WARNING: zero-sized top level symbol: " << *BD << "\n"; 1295 Valid = false; 1296 } 1297 } 1298 assert(Valid); 1299 (void)Valid; 1300 generateSymbolHashes(); 1301 } 1302 1303 void BinaryContext::foldFunction(BinaryFunction &ChildBF, 1304 BinaryFunction &ParentBF) { 1305 assert(!ChildBF.isMultiEntry() && !ParentBF.isMultiEntry() && 1306 "cannot merge functions with multiple entry points"); 1307 1308 std::unique_lock<std::shared_timed_mutex> WriteCtxLock(CtxMutex, 1309 std::defer_lock); 1310 std::unique_lock<std::shared_timed_mutex> WriteSymbolMapLock( 1311 SymbolToFunctionMapMutex, std::defer_lock); 1312 1313 const StringRef ChildName = ChildBF.getOneName(); 1314 1315 // Move symbols over and update bookkeeping info. 1316 for (MCSymbol *Symbol : ChildBF.getSymbols()) { 1317 ParentBF.getSymbols().push_back(Symbol); 1318 WriteSymbolMapLock.lock(); 1319 SymbolToFunctionMap[Symbol] = &ParentBF; 1320 WriteSymbolMapLock.unlock(); 1321 // NB: there's no need to update BinaryDataMap and GlobalSymbols. 1322 } 1323 ChildBF.getSymbols().clear(); 1324 1325 // Move other names the child function is known under. 1326 llvm::move(ChildBF.Aliases, std::back_inserter(ParentBF.Aliases)); 1327 ChildBF.Aliases.clear(); 1328 1329 if (HasRelocations) { 1330 // Merge execution counts of ChildBF into those of ParentBF. 1331 // Without relocations, we cannot reliably merge profiles as both functions 1332 // continue to exist and either one can be executed. 1333 ChildBF.mergeProfileDataInto(ParentBF); 1334 1335 std::shared_lock<std::shared_timed_mutex> ReadBfsLock(BinaryFunctionsMutex, 1336 std::defer_lock); 1337 std::unique_lock<std::shared_timed_mutex> WriteBfsLock(BinaryFunctionsMutex, 1338 std::defer_lock); 1339 // Remove ChildBF from the global set of functions in relocs mode. 1340 ReadBfsLock.lock(); 1341 auto FI = BinaryFunctions.find(ChildBF.getAddress()); 1342 ReadBfsLock.unlock(); 1343 1344 assert(FI != BinaryFunctions.end() && "function not found"); 1345 assert(&ChildBF == &FI->second && "function mismatch"); 1346 1347 WriteBfsLock.lock(); 1348 ChildBF.clearDisasmState(); 1349 FI = BinaryFunctions.erase(FI); 1350 WriteBfsLock.unlock(); 1351 1352 } else { 1353 // In non-relocation mode we keep the function, but rename it. 1354 std::string NewName = "__ICF_" + ChildName.str(); 1355 1356 WriteCtxLock.lock(); 1357 ChildBF.getSymbols().push_back(Ctx->getOrCreateSymbol(NewName)); 1358 WriteCtxLock.unlock(); 1359 1360 ChildBF.setFolded(&ParentBF); 1361 } 1362 } 1363 1364 void BinaryContext::fixBinaryDataHoles() { 1365 assert(validateObjectNesting() && "object nesting inconsitency detected"); 1366 1367 for (BinarySection &Section : allocatableSections()) { 1368 std::vector<std::pair<uint64_t, uint64_t>> Holes; 1369 1370 auto isNotHole = [&Section](const binary_data_iterator &Itr) { 1371 BinaryData *BD = Itr->second; 1372 bool isHole = (!BD->getParent() && !BD->getSize() && BD->isObject() && 1373 (BD->getName().startswith("SYMBOLat0x") || 1374 BD->getName().startswith("DATAat0x") || 1375 BD->getName().startswith("ANONYMOUS"))); 1376 return !isHole && BD->getSection() == Section && !BD->getParent(); 1377 }; 1378 1379 auto BDStart = BinaryDataMap.begin(); 1380 auto BDEnd = BinaryDataMap.end(); 1381 auto Itr = FilteredBinaryDataIterator(isNotHole, BDStart, BDEnd); 1382 auto End = FilteredBinaryDataIterator(isNotHole, BDEnd, BDEnd); 1383 1384 uint64_t EndAddress = Section.getAddress(); 1385 1386 while (Itr != End) { 1387 if (Itr->second->getAddress() > EndAddress) { 1388 uint64_t Gap = Itr->second->getAddress() - EndAddress; 1389 Holes.emplace_back(EndAddress, Gap); 1390 } 1391 EndAddress = Itr->second->getEndAddress(); 1392 ++Itr; 1393 } 1394 1395 if (EndAddress < Section.getEndAddress()) 1396 Holes.emplace_back(EndAddress, Section.getEndAddress() - EndAddress); 1397 1398 // If there is already a symbol at the start of the hole, grow that symbol 1399 // to cover the rest. Otherwise, create a new symbol to cover the hole. 1400 for (std::pair<uint64_t, uint64_t> &Hole : Holes) { 1401 BinaryData *BD = getBinaryDataAtAddress(Hole.first); 1402 if (BD) { 1403 // BD->getSection() can be != Section if there are sections that 1404 // overlap. In this case it is probably safe to just skip the holes 1405 // since the overlapping section will not(?) have any symbols in it. 1406 if (BD->getSection() == Section) 1407 setBinaryDataSize(Hole.first, Hole.second); 1408 } else { 1409 getOrCreateGlobalSymbol(Hole.first, "HOLEat", Hole.second, 1); 1410 } 1411 } 1412 } 1413 1414 assert(validateObjectNesting() && "object nesting inconsitency detected"); 1415 assert(validateHoles() && "top level hole detected in object map"); 1416 } 1417 1418 void BinaryContext::printGlobalSymbols(raw_ostream &OS) const { 1419 const BinarySection *CurrentSection = nullptr; 1420 bool FirstSection = true; 1421 1422 for (auto &Entry : BinaryDataMap) { 1423 const BinaryData *BD = Entry.second; 1424 const BinarySection &Section = BD->getSection(); 1425 if (FirstSection || Section != *CurrentSection) { 1426 uint64_t Address, Size; 1427 StringRef Name = Section.getName(); 1428 if (Section) { 1429 Address = Section.getAddress(); 1430 Size = Section.getSize(); 1431 } else { 1432 Address = BD->getAddress(); 1433 Size = BD->getSize(); 1434 } 1435 OS << "BOLT-INFO: Section " << Name << ", " 1436 << "0x" + Twine::utohexstr(Address) << ":" 1437 << "0x" + Twine::utohexstr(Address + Size) << "/" << Size << "\n"; 1438 CurrentSection = &Section; 1439 FirstSection = false; 1440 } 1441 1442 OS << "BOLT-INFO: "; 1443 const BinaryData *P = BD->getParent(); 1444 while (P) { 1445 OS << " "; 1446 P = P->getParent(); 1447 } 1448 OS << *BD << "\n"; 1449 } 1450 } 1451 1452 Expected<unsigned> BinaryContext::getDwarfFile( 1453 StringRef Directory, StringRef FileName, unsigned FileNumber, 1454 Optional<MD5::MD5Result> Checksum, Optional<StringRef> Source, 1455 unsigned CUID, unsigned DWARFVersion) { 1456 DwarfLineTable &Table = DwarfLineTablesCUMap[CUID]; 1457 return Table.tryGetFile(Directory, FileName, Checksum, Source, DWARFVersion, 1458 FileNumber); 1459 } 1460 1461 unsigned BinaryContext::addDebugFilenameToUnit(const uint32_t DestCUID, 1462 const uint32_t SrcCUID, 1463 unsigned FileIndex) { 1464 DWARFCompileUnit *SrcUnit = DwCtx->getCompileUnitForOffset(SrcCUID); 1465 const DWARFDebugLine::LineTable *LineTable = 1466 DwCtx->getLineTableForUnit(SrcUnit); 1467 const std::vector<DWARFDebugLine::FileNameEntry> &FileNames = 1468 LineTable->Prologue.FileNames; 1469 // Dir indexes start at 1, as DWARF file numbers, and a dir index 0 1470 // means empty dir. 1471 assert(FileIndex > 0 && FileIndex <= FileNames.size() && 1472 "FileIndex out of range for the compilation unit."); 1473 StringRef Dir = ""; 1474 if (FileNames[FileIndex - 1].DirIdx != 0) { 1475 if (Optional<const char *> DirName = dwarf::toString( 1476 LineTable->Prologue 1477 .IncludeDirectories[FileNames[FileIndex - 1].DirIdx - 1])) { 1478 Dir = *DirName; 1479 } 1480 } 1481 StringRef FileName = ""; 1482 if (Optional<const char *> FName = 1483 dwarf::toString(FileNames[FileIndex - 1].Name)) 1484 FileName = *FName; 1485 assert(FileName != ""); 1486 DWARFCompileUnit *DstUnit = DwCtx->getCompileUnitForOffset(DestCUID); 1487 return cantFail(getDwarfFile(Dir, FileName, 0, None, None, DestCUID, 1488 DstUnit->getVersion())); 1489 } 1490 1491 std::vector<BinaryFunction *> BinaryContext::getSortedFunctions() { 1492 std::vector<BinaryFunction *> SortedFunctions(BinaryFunctions.size()); 1493 llvm::transform(BinaryFunctions, SortedFunctions.begin(), 1494 [](std::pair<const uint64_t, BinaryFunction> &BFI) { 1495 return &BFI.second; 1496 }); 1497 1498 llvm::stable_sort(SortedFunctions, 1499 [](const BinaryFunction *A, const BinaryFunction *B) { 1500 if (A->hasValidIndex() && B->hasValidIndex()) { 1501 return A->getIndex() < B->getIndex(); 1502 } 1503 return A->hasValidIndex(); 1504 }); 1505 return SortedFunctions; 1506 } 1507 1508 std::vector<BinaryFunction *> BinaryContext::getAllBinaryFunctions() { 1509 std::vector<BinaryFunction *> AllFunctions; 1510 AllFunctions.reserve(BinaryFunctions.size() + InjectedBinaryFunctions.size()); 1511 llvm::transform(BinaryFunctions, std::back_inserter(AllFunctions), 1512 [](std::pair<const uint64_t, BinaryFunction> &BFI) { 1513 return &BFI.second; 1514 }); 1515 llvm::copy(InjectedBinaryFunctions, std::back_inserter(AllFunctions)); 1516 1517 return AllFunctions; 1518 } 1519 1520 Optional<DWARFUnit *> BinaryContext::getDWOCU(uint64_t DWOId) { 1521 auto Iter = DWOCUs.find(DWOId); 1522 if (Iter == DWOCUs.end()) 1523 return None; 1524 1525 return Iter->second; 1526 } 1527 1528 DWARFContext *BinaryContext::getDWOContext() const { 1529 if (DWOCUs.empty()) 1530 return nullptr; 1531 return &DWOCUs.begin()->second->getContext(); 1532 } 1533 1534 /// Handles DWO sections that can either be in .o, .dwo or .dwp files. 1535 void BinaryContext::preprocessDWODebugInfo() { 1536 for (const std::unique_ptr<DWARFUnit> &CU : DwCtx->compile_units()) { 1537 DWARFUnit *const DwarfUnit = CU.get(); 1538 if (llvm::Optional<uint64_t> DWOId = DwarfUnit->getDWOId()) { 1539 DWARFUnit *DWOCU = DwarfUnit->getNonSkeletonUnitDIE(false).getDwarfUnit(); 1540 if (!DWOCU->isDWOUnit()) { 1541 std::string DWOName = dwarf::toString( 1542 DwarfUnit->getUnitDIE().find( 1543 {dwarf::DW_AT_dwo_name, dwarf::DW_AT_GNU_dwo_name}), 1544 ""); 1545 outs() << "BOLT-WARNING: Debug Fission: DWO debug information for " 1546 << DWOName 1547 << " was not retrieved and won't be updated. Please check " 1548 "relative path.\n"; 1549 continue; 1550 } 1551 DWOCUs[*DWOId] = DWOCU; 1552 } 1553 } 1554 } 1555 1556 void BinaryContext::preprocessDebugInfo() { 1557 struct CURange { 1558 uint64_t LowPC; 1559 uint64_t HighPC; 1560 DWARFUnit *Unit; 1561 1562 bool operator<(const CURange &Other) const { return LowPC < Other.LowPC; } 1563 }; 1564 1565 // Building a map of address ranges to CUs similar to .debug_aranges and use 1566 // it to assign CU to functions. 1567 std::vector<CURange> AllRanges; 1568 AllRanges.reserve(DwCtx->getNumCompileUnits()); 1569 for (const std::unique_ptr<DWARFUnit> &CU : DwCtx->compile_units()) { 1570 Expected<DWARFAddressRangesVector> RangesOrError = 1571 CU->getUnitDIE().getAddressRanges(); 1572 if (!RangesOrError) { 1573 consumeError(RangesOrError.takeError()); 1574 continue; 1575 } 1576 for (DWARFAddressRange &Range : *RangesOrError) { 1577 // Parts of the debug info could be invalidated due to corresponding code 1578 // being removed from the binary by the linker. Hence we check if the 1579 // address is a valid one. 1580 if (containsAddress(Range.LowPC)) 1581 AllRanges.emplace_back(CURange{Range.LowPC, Range.HighPC, CU.get()}); 1582 } 1583 1584 ContainsDwarf5 |= CU->getVersion() >= 5; 1585 ContainsDwarfLegacy |= CU->getVersion() < 5; 1586 } 1587 1588 if (ContainsDwarf5 && ContainsDwarfLegacy) 1589 llvm::errs() << "BOLT-WARNING: BOLT does not support mix mode binary with " 1590 "DWARF5 and DWARF{2,3,4}.\n"; 1591 1592 llvm::sort(AllRanges); 1593 for (auto &KV : BinaryFunctions) { 1594 const uint64_t FunctionAddress = KV.first; 1595 BinaryFunction &Function = KV.second; 1596 1597 auto It = llvm::partition_point( 1598 AllRanges, [=](CURange R) { return R.HighPC <= FunctionAddress; }); 1599 if (It != AllRanges.end() && It->LowPC <= FunctionAddress) 1600 Function.setDWARFUnit(It->Unit); 1601 } 1602 1603 // Discover units with debug info that needs to be updated. 1604 for (const auto &KV : BinaryFunctions) { 1605 const BinaryFunction &BF = KV.second; 1606 if (shouldEmit(BF) && BF.getDWARFUnit()) 1607 ProcessedCUs.insert(BF.getDWARFUnit()); 1608 } 1609 1610 // Clear debug info for functions from units that we are not going to process. 1611 for (auto &KV : BinaryFunctions) { 1612 BinaryFunction &BF = KV.second; 1613 if (BF.getDWARFUnit() && !ProcessedCUs.count(BF.getDWARFUnit())) 1614 BF.setDWARFUnit(nullptr); 1615 } 1616 1617 if (opts::Verbosity >= 1) { 1618 outs() << "BOLT-INFO: " << ProcessedCUs.size() << " out of " 1619 << DwCtx->getNumCompileUnits() << " CUs will be updated\n"; 1620 } 1621 1622 preprocessDWODebugInfo(); 1623 1624 // Populate MCContext with DWARF files from all units. 1625 StringRef GlobalPrefix = AsmInfo->getPrivateGlobalPrefix(); 1626 for (const std::unique_ptr<DWARFUnit> &CU : DwCtx->compile_units()) { 1627 const uint64_t CUID = CU->getOffset(); 1628 DwarfLineTable &BinaryLineTable = getDwarfLineTable(CUID); 1629 BinaryLineTable.setLabel(Ctx->getOrCreateSymbol( 1630 GlobalPrefix + "line_table_start" + Twine(CUID))); 1631 1632 if (!ProcessedCUs.count(CU.get())) 1633 continue; 1634 1635 const DWARFDebugLine::LineTable *LineTable = 1636 DwCtx->getLineTableForUnit(CU.get()); 1637 const std::vector<DWARFDebugLine::FileNameEntry> &FileNames = 1638 LineTable->Prologue.FileNames; 1639 1640 uint16_t DwarfVersion = LineTable->Prologue.getVersion(); 1641 if (DwarfVersion >= 5) { 1642 Optional<MD5::MD5Result> Checksum = None; 1643 if (LineTable->Prologue.ContentTypes.HasMD5) 1644 Checksum = LineTable->Prologue.FileNames[0].Checksum; 1645 Optional<const char *> Name = 1646 dwarf::toString(CU->getUnitDIE().find(dwarf::DW_AT_name), nullptr); 1647 if (Optional<uint64_t> DWOID = CU->getDWOId()) { 1648 auto Iter = DWOCUs.find(*DWOID); 1649 assert(Iter != DWOCUs.end() && "DWO CU was not found."); 1650 Name = dwarf::toString( 1651 Iter->second->getUnitDIE().find(dwarf::DW_AT_name), nullptr); 1652 } 1653 BinaryLineTable.setRootFile(CU->getCompilationDir(), *Name, Checksum, 1654 None); 1655 } 1656 1657 BinaryLineTable.setDwarfVersion(DwarfVersion); 1658 1659 // Assign a unique label to every line table, one per CU. 1660 // Make sure empty debug line tables are registered too. 1661 if (FileNames.empty()) { 1662 cantFail( 1663 getDwarfFile("", "<unknown>", 0, None, None, CUID, DwarfVersion)); 1664 continue; 1665 } 1666 const uint32_t Offset = DwarfVersion < 5 ? 1 : 0; 1667 for (size_t I = 0, Size = FileNames.size(); I != Size; ++I) { 1668 // Dir indexes start at 1, as DWARF file numbers, and a dir index 0 1669 // means empty dir. 1670 StringRef Dir = ""; 1671 if (FileNames[I].DirIdx != 0 || DwarfVersion >= 5) 1672 if (Optional<const char *> DirName = dwarf::toString( 1673 LineTable->Prologue 1674 .IncludeDirectories[FileNames[I].DirIdx - Offset])) 1675 Dir = *DirName; 1676 StringRef FileName = ""; 1677 if (Optional<const char *> FName = dwarf::toString(FileNames[I].Name)) 1678 FileName = *FName; 1679 assert(FileName != ""); 1680 Optional<MD5::MD5Result> Checksum = None; 1681 if (DwarfVersion >= 5 && LineTable->Prologue.ContentTypes.HasMD5) 1682 Checksum = LineTable->Prologue.FileNames[I].Checksum; 1683 cantFail( 1684 getDwarfFile(Dir, FileName, 0, Checksum, None, CUID, DwarfVersion)); 1685 } 1686 } 1687 } 1688 1689 bool BinaryContext::shouldEmit(const BinaryFunction &Function) const { 1690 if (Function.isPseudo()) 1691 return false; 1692 1693 if (opts::processAllFunctions()) 1694 return true; 1695 1696 if (Function.isIgnored()) 1697 return false; 1698 1699 // In relocation mode we will emit non-simple functions with CFG. 1700 // If the function does not have a CFG it should be marked as ignored. 1701 return HasRelocations || Function.isSimple(); 1702 } 1703 1704 void BinaryContext::printCFI(raw_ostream &OS, const MCCFIInstruction &Inst) { 1705 uint32_t Operation = Inst.getOperation(); 1706 switch (Operation) { 1707 case MCCFIInstruction::OpSameValue: 1708 OS << "OpSameValue Reg" << Inst.getRegister(); 1709 break; 1710 case MCCFIInstruction::OpRememberState: 1711 OS << "OpRememberState"; 1712 break; 1713 case MCCFIInstruction::OpRestoreState: 1714 OS << "OpRestoreState"; 1715 break; 1716 case MCCFIInstruction::OpOffset: 1717 OS << "OpOffset Reg" << Inst.getRegister() << " " << Inst.getOffset(); 1718 break; 1719 case MCCFIInstruction::OpDefCfaRegister: 1720 OS << "OpDefCfaRegister Reg" << Inst.getRegister(); 1721 break; 1722 case MCCFIInstruction::OpDefCfaOffset: 1723 OS << "OpDefCfaOffset " << Inst.getOffset(); 1724 break; 1725 case MCCFIInstruction::OpDefCfa: 1726 OS << "OpDefCfa Reg" << Inst.getRegister() << " " << Inst.getOffset(); 1727 break; 1728 case MCCFIInstruction::OpRelOffset: 1729 OS << "OpRelOffset Reg" << Inst.getRegister() << " " << Inst.getOffset(); 1730 break; 1731 case MCCFIInstruction::OpAdjustCfaOffset: 1732 OS << "OfAdjustCfaOffset " << Inst.getOffset(); 1733 break; 1734 case MCCFIInstruction::OpEscape: 1735 OS << "OpEscape"; 1736 break; 1737 case MCCFIInstruction::OpRestore: 1738 OS << "OpRestore Reg" << Inst.getRegister(); 1739 break; 1740 case MCCFIInstruction::OpUndefined: 1741 OS << "OpUndefined Reg" << Inst.getRegister(); 1742 break; 1743 case MCCFIInstruction::OpRegister: 1744 OS << "OpRegister Reg" << Inst.getRegister() << " Reg" 1745 << Inst.getRegister2(); 1746 break; 1747 case MCCFIInstruction::OpWindowSave: 1748 OS << "OpWindowSave"; 1749 break; 1750 case MCCFIInstruction::OpGnuArgsSize: 1751 OS << "OpGnuArgsSize"; 1752 break; 1753 default: 1754 OS << "Op#" << Operation; 1755 break; 1756 } 1757 } 1758 1759 MarkerSymType BinaryContext::getMarkerType(const SymbolRef &Symbol) const { 1760 // For aarch64, the ABI defines mapping symbols so we identify data in the 1761 // code section (see IHI0056B). $x identifies a symbol starting code or the 1762 // end of a data chunk inside code, $d indentifies start of data. 1763 if (!isAArch64() || ELFSymbolRef(Symbol).getSize()) 1764 return MarkerSymType::NONE; 1765 1766 Expected<StringRef> NameOrError = Symbol.getName(); 1767 Expected<object::SymbolRef::Type> TypeOrError = Symbol.getType(); 1768 1769 if (!TypeOrError || !NameOrError) 1770 return MarkerSymType::NONE; 1771 1772 if (*TypeOrError != SymbolRef::ST_Unknown) 1773 return MarkerSymType::NONE; 1774 1775 if (*NameOrError == "$x" || NameOrError->startswith("$x.")) 1776 return MarkerSymType::CODE; 1777 1778 if (*NameOrError == "$d" || NameOrError->startswith("$d.")) 1779 return MarkerSymType::DATA; 1780 1781 return MarkerSymType::NONE; 1782 } 1783 1784 bool BinaryContext::isMarker(const SymbolRef &Symbol) const { 1785 return getMarkerType(Symbol) != MarkerSymType::NONE; 1786 } 1787 1788 static void printDebugInfo(raw_ostream &OS, const MCInst &Instruction, 1789 const BinaryFunction *Function, 1790 DWARFContext *DwCtx) { 1791 DebugLineTableRowRef RowRef = 1792 DebugLineTableRowRef::fromSMLoc(Instruction.getLoc()); 1793 if (RowRef == DebugLineTableRowRef::NULL_ROW) 1794 return; 1795 1796 const DWARFDebugLine::LineTable *LineTable; 1797 if (Function && Function->getDWARFUnit() && 1798 Function->getDWARFUnit()->getOffset() == RowRef.DwCompileUnitIndex) { 1799 LineTable = Function->getDWARFLineTable(); 1800 } else { 1801 LineTable = DwCtx->getLineTableForUnit( 1802 DwCtx->getCompileUnitForOffset(RowRef.DwCompileUnitIndex)); 1803 } 1804 assert(LineTable && "line table expected for instruction with debug info"); 1805 1806 const DWARFDebugLine::Row &Row = LineTable->Rows[RowRef.RowIndex - 1]; 1807 StringRef FileName = ""; 1808 if (Optional<const char *> FName = 1809 dwarf::toString(LineTable->Prologue.FileNames[Row.File - 1].Name)) 1810 FileName = *FName; 1811 OS << " # debug line " << FileName << ":" << Row.Line; 1812 if (Row.Column) 1813 OS << ":" << Row.Column; 1814 if (Row.Discriminator) 1815 OS << " discriminator:" << Row.Discriminator; 1816 } 1817 1818 void BinaryContext::printInstruction(raw_ostream &OS, const MCInst &Instruction, 1819 uint64_t Offset, 1820 const BinaryFunction *Function, 1821 bool PrintMCInst, bool PrintMemData, 1822 bool PrintRelocations, 1823 StringRef Endl) const { 1824 if (MIB->isEHLabel(Instruction)) { 1825 OS << " EH_LABEL: " << *MIB->getTargetSymbol(Instruction) << Endl; 1826 return; 1827 } 1828 OS << format(" %08" PRIx64 ": ", Offset); 1829 if (MIB->isCFI(Instruction)) { 1830 uint32_t Offset = Instruction.getOperand(0).getImm(); 1831 OS << "\t!CFI\t$" << Offset << "\t; "; 1832 if (Function) 1833 printCFI(OS, *Function->getCFIFor(Instruction)); 1834 OS << Endl; 1835 return; 1836 } 1837 InstPrinter->printInst(&Instruction, 0, "", *STI, OS); 1838 if (MIB->isCall(Instruction)) { 1839 if (MIB->isTailCall(Instruction)) 1840 OS << " # TAILCALL "; 1841 if (MIB->isInvoke(Instruction)) { 1842 const Optional<MCPlus::MCLandingPad> EHInfo = MIB->getEHInfo(Instruction); 1843 OS << " # handler: "; 1844 if (EHInfo->first) 1845 OS << *EHInfo->first; 1846 else 1847 OS << '0'; 1848 OS << "; action: " << EHInfo->second; 1849 const int64_t GnuArgsSize = MIB->getGnuArgsSize(Instruction); 1850 if (GnuArgsSize >= 0) 1851 OS << "; GNU_args_size = " << GnuArgsSize; 1852 } 1853 } else if (MIB->isIndirectBranch(Instruction)) { 1854 if (uint64_t JTAddress = MIB->getJumpTable(Instruction)) { 1855 OS << " # JUMPTABLE @0x" << Twine::utohexstr(JTAddress); 1856 } else { 1857 OS << " # UNKNOWN CONTROL FLOW"; 1858 } 1859 } 1860 if (Optional<uint32_t> Offset = MIB->getOffset(Instruction)) 1861 OS << " # Offset: " << *Offset; 1862 1863 MIB->printAnnotations(Instruction, OS); 1864 1865 if (opts::PrintDebugInfo) 1866 printDebugInfo(OS, Instruction, Function, DwCtx.get()); 1867 1868 if ((opts::PrintRelocations || PrintRelocations) && Function) { 1869 const uint64_t Size = computeCodeSize(&Instruction, &Instruction + 1); 1870 Function->printRelocations(OS, Offset, Size); 1871 } 1872 1873 OS << Endl; 1874 1875 if (PrintMCInst) { 1876 Instruction.dump_pretty(OS, InstPrinter.get()); 1877 OS << Endl; 1878 } 1879 } 1880 1881 Optional<uint64_t> 1882 BinaryContext::getBaseAddressForMapping(uint64_t MMapAddress, 1883 uint64_t FileOffset) const { 1884 // Find a segment with a matching file offset. 1885 for (auto &KV : SegmentMapInfo) { 1886 const SegmentInfo &SegInfo = KV.second; 1887 if (alignDown(SegInfo.FileOffset, SegInfo.Alignment) == FileOffset) { 1888 // Use segment's aligned memory offset to calculate the base address. 1889 const uint64_t MemOffset = alignDown(SegInfo.Address, SegInfo.Alignment); 1890 return MMapAddress - MemOffset; 1891 } 1892 } 1893 1894 return NoneType(); 1895 } 1896 1897 ErrorOr<BinarySection &> BinaryContext::getSectionForAddress(uint64_t Address) { 1898 auto SI = AddressToSection.upper_bound(Address); 1899 if (SI != AddressToSection.begin()) { 1900 --SI; 1901 uint64_t UpperBound = SI->first + SI->second->getSize(); 1902 if (!SI->second->getSize()) 1903 UpperBound += 1; 1904 if (UpperBound > Address) 1905 return *SI->second; 1906 } 1907 return std::make_error_code(std::errc::bad_address); 1908 } 1909 1910 ErrorOr<StringRef> 1911 BinaryContext::getSectionNameForAddress(uint64_t Address) const { 1912 if (ErrorOr<const BinarySection &> Section = getSectionForAddress(Address)) 1913 return Section->getName(); 1914 return std::make_error_code(std::errc::bad_address); 1915 } 1916 1917 BinarySection &BinaryContext::registerSection(BinarySection *Section) { 1918 auto Res = Sections.insert(Section); 1919 (void)Res; 1920 assert(Res.second && "can't register the same section twice."); 1921 1922 // Only register allocatable sections in the AddressToSection map. 1923 if (Section->isAllocatable() && Section->getAddress()) 1924 AddressToSection.insert(std::make_pair(Section->getAddress(), Section)); 1925 NameToSection.insert( 1926 std::make_pair(std::string(Section->getName()), Section)); 1927 LLVM_DEBUG(dbgs() << "BOLT-DEBUG: registering " << *Section << "\n"); 1928 return *Section; 1929 } 1930 1931 BinarySection &BinaryContext::registerSection(SectionRef Section) { 1932 return registerSection(new BinarySection(*this, Section)); 1933 } 1934 1935 BinarySection & 1936 BinaryContext::registerSection(StringRef SectionName, 1937 const BinarySection &OriginalSection) { 1938 return registerSection( 1939 new BinarySection(*this, SectionName, OriginalSection)); 1940 } 1941 1942 BinarySection & 1943 BinaryContext::registerOrUpdateSection(StringRef Name, unsigned ELFType, 1944 unsigned ELFFlags, uint8_t *Data, 1945 uint64_t Size, unsigned Alignment) { 1946 auto NamedSections = getSectionByName(Name); 1947 if (NamedSections.begin() != NamedSections.end()) { 1948 assert(std::next(NamedSections.begin()) == NamedSections.end() && 1949 "can only update unique sections"); 1950 BinarySection *Section = NamedSections.begin()->second; 1951 1952 LLVM_DEBUG(dbgs() << "BOLT-DEBUG: updating " << *Section << " -> "); 1953 const bool Flag = Section->isAllocatable(); 1954 (void)Flag; 1955 Section->update(Data, Size, Alignment, ELFType, ELFFlags); 1956 LLVM_DEBUG(dbgs() << *Section << "\n"); 1957 // FIXME: Fix section flags/attributes for MachO. 1958 if (isELF()) 1959 assert(Flag == Section->isAllocatable() && 1960 "can't change section allocation status"); 1961 return *Section; 1962 } 1963 1964 return registerSection( 1965 new BinarySection(*this, Name, Data, Size, Alignment, ELFType, ELFFlags)); 1966 } 1967 1968 bool BinaryContext::deregisterSection(BinarySection &Section) { 1969 BinarySection *SectionPtr = &Section; 1970 auto Itr = Sections.find(SectionPtr); 1971 if (Itr != Sections.end()) { 1972 auto Range = AddressToSection.equal_range(SectionPtr->getAddress()); 1973 while (Range.first != Range.second) { 1974 if (Range.first->second == SectionPtr) { 1975 AddressToSection.erase(Range.first); 1976 break; 1977 } 1978 ++Range.first; 1979 } 1980 1981 auto NameRange = 1982 NameToSection.equal_range(std::string(SectionPtr->getName())); 1983 while (NameRange.first != NameRange.second) { 1984 if (NameRange.first->second == SectionPtr) { 1985 NameToSection.erase(NameRange.first); 1986 break; 1987 } 1988 ++NameRange.first; 1989 } 1990 1991 Sections.erase(Itr); 1992 delete SectionPtr; 1993 return true; 1994 } 1995 return false; 1996 } 1997 1998 void BinaryContext::printSections(raw_ostream &OS) const { 1999 for (BinarySection *const &Section : Sections) 2000 OS << "BOLT-INFO: " << *Section << "\n"; 2001 } 2002 2003 BinarySection &BinaryContext::absoluteSection() { 2004 if (ErrorOr<BinarySection &> Section = getUniqueSectionByName("<absolute>")) 2005 return *Section; 2006 return registerOrUpdateSection("<absolute>", ELF::SHT_NULL, 0u); 2007 } 2008 2009 ErrorOr<uint64_t> BinaryContext::getUnsignedValueAtAddress(uint64_t Address, 2010 size_t Size) const { 2011 const ErrorOr<const BinarySection &> Section = getSectionForAddress(Address); 2012 if (!Section) 2013 return std::make_error_code(std::errc::bad_address); 2014 2015 if (Section->isVirtual()) 2016 return 0; 2017 2018 DataExtractor DE(Section->getContents(), AsmInfo->isLittleEndian(), 2019 AsmInfo->getCodePointerSize()); 2020 auto ValueOffset = static_cast<uint64_t>(Address - Section->getAddress()); 2021 return DE.getUnsigned(&ValueOffset, Size); 2022 } 2023 2024 ErrorOr<uint64_t> BinaryContext::getSignedValueAtAddress(uint64_t Address, 2025 size_t Size) const { 2026 const ErrorOr<const BinarySection &> Section = getSectionForAddress(Address); 2027 if (!Section) 2028 return std::make_error_code(std::errc::bad_address); 2029 2030 if (Section->isVirtual()) 2031 return 0; 2032 2033 DataExtractor DE(Section->getContents(), AsmInfo->isLittleEndian(), 2034 AsmInfo->getCodePointerSize()); 2035 auto ValueOffset = static_cast<uint64_t>(Address - Section->getAddress()); 2036 return DE.getSigned(&ValueOffset, Size); 2037 } 2038 2039 void BinaryContext::addRelocation(uint64_t Address, MCSymbol *Symbol, 2040 uint64_t Type, uint64_t Addend, 2041 uint64_t Value) { 2042 ErrorOr<BinarySection &> Section = getSectionForAddress(Address); 2043 assert(Section && "cannot find section for address"); 2044 Section->addRelocation(Address - Section->getAddress(), Symbol, Type, Addend, 2045 Value); 2046 } 2047 2048 void BinaryContext::addDynamicRelocation(uint64_t Address, MCSymbol *Symbol, 2049 uint64_t Type, uint64_t Addend, 2050 uint64_t Value) { 2051 ErrorOr<BinarySection &> Section = getSectionForAddress(Address); 2052 assert(Section && "cannot find section for address"); 2053 Section->addDynamicRelocation(Address - Section->getAddress(), Symbol, Type, 2054 Addend, Value); 2055 } 2056 2057 bool BinaryContext::removeRelocationAt(uint64_t Address) { 2058 ErrorOr<BinarySection &> Section = getSectionForAddress(Address); 2059 assert(Section && "cannot find section for address"); 2060 return Section->removeRelocationAt(Address - Section->getAddress()); 2061 } 2062 2063 const Relocation *BinaryContext::getRelocationAt(uint64_t Address) { 2064 ErrorOr<BinarySection &> Section = getSectionForAddress(Address); 2065 if (!Section) 2066 return nullptr; 2067 2068 return Section->getRelocationAt(Address - Section->getAddress()); 2069 } 2070 2071 const Relocation *BinaryContext::getDynamicRelocationAt(uint64_t Address) { 2072 ErrorOr<BinarySection &> Section = getSectionForAddress(Address); 2073 if (!Section) 2074 return nullptr; 2075 2076 return Section->getDynamicRelocationAt(Address - Section->getAddress()); 2077 } 2078 2079 void BinaryContext::markAmbiguousRelocations(BinaryData &BD, 2080 const uint64_t Address) { 2081 auto setImmovable = [&](BinaryData &BD) { 2082 BinaryData *Root = BD.getAtomicRoot(); 2083 LLVM_DEBUG(if (Root->isMoveable()) { 2084 dbgs() << "BOLT-DEBUG: setting " << *Root << " as immovable " 2085 << "due to ambiguous relocation referencing 0x" 2086 << Twine::utohexstr(Address) << '\n'; 2087 }); 2088 Root->setIsMoveable(false); 2089 }; 2090 2091 if (Address == BD.getAddress()) { 2092 setImmovable(BD); 2093 2094 // Set previous symbol as immovable 2095 BinaryData *Prev = getBinaryDataContainingAddress(Address - 1); 2096 if (Prev && Prev->getEndAddress() == BD.getAddress()) 2097 setImmovable(*Prev); 2098 } 2099 2100 if (Address == BD.getEndAddress()) { 2101 setImmovable(BD); 2102 2103 // Set next symbol as immovable 2104 BinaryData *Next = getBinaryDataContainingAddress(BD.getEndAddress()); 2105 if (Next && Next->getAddress() == BD.getEndAddress()) 2106 setImmovable(*Next); 2107 } 2108 } 2109 2110 BinaryFunction *BinaryContext::getFunctionForSymbol(const MCSymbol *Symbol, 2111 uint64_t *EntryDesc) { 2112 std::shared_lock<std::shared_timed_mutex> Lock(SymbolToFunctionMapMutex); 2113 auto BFI = SymbolToFunctionMap.find(Symbol); 2114 if (BFI == SymbolToFunctionMap.end()) 2115 return nullptr; 2116 2117 BinaryFunction *BF = BFI->second; 2118 if (EntryDesc) 2119 *EntryDesc = BF->getEntryIDForSymbol(Symbol); 2120 2121 return BF; 2122 } 2123 2124 void BinaryContext::exitWithBugReport(StringRef Message, 2125 const BinaryFunction &Function) const { 2126 errs() << "=======================================\n"; 2127 errs() << "BOLT is unable to proceed because it couldn't properly understand " 2128 "this function.\n"; 2129 errs() << "If you are running the most recent version of BOLT, you may " 2130 "want to " 2131 "report this and paste this dump.\nPlease check that there is no " 2132 "sensitive contents being shared in this dump.\n"; 2133 errs() << "\nOffending function: " << Function.getPrintName() << "\n\n"; 2134 ScopedPrinter SP(errs()); 2135 SP.printBinaryBlock("Function contents", *Function.getData()); 2136 errs() << "\n"; 2137 Function.dump(); 2138 errs() << "ERROR: " << Message; 2139 errs() << "\n=======================================\n"; 2140 exit(1); 2141 } 2142 2143 BinaryFunction * 2144 BinaryContext::createInjectedBinaryFunction(const std::string &Name, 2145 bool IsSimple) { 2146 InjectedBinaryFunctions.push_back(new BinaryFunction(Name, *this, IsSimple)); 2147 BinaryFunction *BF = InjectedBinaryFunctions.back(); 2148 setSymbolToFunctionMap(BF->getSymbol(), BF); 2149 BF->CurrentState = BinaryFunction::State::CFG; 2150 return BF; 2151 } 2152 2153 std::pair<size_t, size_t> 2154 BinaryContext::calculateEmittedSize(BinaryFunction &BF, bool FixBranches) { 2155 // Adjust branch instruction to match the current layout. 2156 if (FixBranches) 2157 BF.fixBranches(); 2158 2159 // Create local MC context to isolate the effect of ephemeral code emission. 2160 IndependentCodeEmitter MCEInstance = createIndependentMCCodeEmitter(); 2161 MCContext *LocalCtx = MCEInstance.LocalCtx.get(); 2162 MCAsmBackend *MAB = 2163 TheTarget->createMCAsmBackend(*STI, *MRI, MCTargetOptions()); 2164 2165 SmallString<256> Code; 2166 raw_svector_ostream VecOS(Code); 2167 2168 std::unique_ptr<MCObjectWriter> OW = MAB->createObjectWriter(VecOS); 2169 std::unique_ptr<MCStreamer> Streamer(TheTarget->createMCObjectStreamer( 2170 *TheTriple, *LocalCtx, std::unique_ptr<MCAsmBackend>(MAB), std::move(OW), 2171 std::unique_ptr<MCCodeEmitter>(MCEInstance.MCE.release()), *STI, 2172 /*RelaxAll=*/false, 2173 /*IncrementalLinkerCompatible=*/false, 2174 /*DWARFMustBeAtTheEnd=*/false)); 2175 2176 Streamer->initSections(false, *STI); 2177 2178 MCSection *Section = MCEInstance.LocalMOFI->getTextSection(); 2179 Section->setHasInstructions(true); 2180 2181 // Create symbols in the LocalCtx so that they get destroyed with it. 2182 MCSymbol *StartLabel = LocalCtx->createTempSymbol(); 2183 MCSymbol *EndLabel = LocalCtx->createTempSymbol(); 2184 MCSymbol *ColdStartLabel = LocalCtx->createTempSymbol(); 2185 MCSymbol *ColdEndLabel = LocalCtx->createTempSymbol(); 2186 2187 Streamer->switchSection(Section); 2188 Streamer->emitLabel(StartLabel); 2189 emitFunctionBody(*Streamer, BF, /*EmitColdPart=*/false, 2190 /*EmitCodeOnly=*/true); 2191 Streamer->emitLabel(EndLabel); 2192 2193 if (BF.isSplit()) { 2194 MCSectionELF *ColdSection = 2195 LocalCtx->getELFSection(BF.getColdCodeSectionName(), ELF::SHT_PROGBITS, 2196 ELF::SHF_EXECINSTR | ELF::SHF_ALLOC); 2197 ColdSection->setHasInstructions(true); 2198 2199 Streamer->switchSection(ColdSection); 2200 Streamer->emitLabel(ColdStartLabel); 2201 emitFunctionBody(*Streamer, BF, /*EmitColdPart=*/true, 2202 /*EmitCodeOnly=*/true); 2203 Streamer->emitLabel(ColdEndLabel); 2204 // To avoid calling MCObjectStreamer::flushPendingLabels() which is private 2205 Streamer->emitBytes(StringRef("")); 2206 Streamer->switchSection(Section); 2207 } 2208 2209 // To avoid calling MCObjectStreamer::flushPendingLabels() which is private or 2210 // MCStreamer::Finish(), which does more than we want 2211 Streamer->emitBytes(StringRef("")); 2212 2213 MCAssembler &Assembler = 2214 static_cast<MCObjectStreamer *>(Streamer.get())->getAssembler(); 2215 MCAsmLayout Layout(Assembler); 2216 Assembler.layout(Layout); 2217 2218 const uint64_t HotSize = 2219 Layout.getSymbolOffset(*EndLabel) - Layout.getSymbolOffset(*StartLabel); 2220 const uint64_t ColdSize = BF.isSplit() 2221 ? Layout.getSymbolOffset(*ColdEndLabel) - 2222 Layout.getSymbolOffset(*ColdStartLabel) 2223 : 0ULL; 2224 2225 // Clean-up the effect of the code emission. 2226 for (const MCSymbol &Symbol : Assembler.symbols()) { 2227 MCSymbol *MutableSymbol = const_cast<MCSymbol *>(&Symbol); 2228 MutableSymbol->setUndefined(); 2229 MutableSymbol->setIsRegistered(false); 2230 } 2231 2232 return std::make_pair(HotSize, ColdSize); 2233 } 2234 2235 bool BinaryContext::validateEncoding(const MCInst &Inst, 2236 ArrayRef<uint8_t> InputEncoding) const { 2237 SmallString<256> Code; 2238 SmallVector<MCFixup, 4> Fixups; 2239 raw_svector_ostream VecOS(Code); 2240 2241 MCE->encodeInstruction(Inst, VecOS, Fixups, *STI); 2242 auto EncodedData = ArrayRef<uint8_t>((uint8_t *)Code.data(), Code.size()); 2243 if (InputEncoding != EncodedData) { 2244 if (opts::Verbosity > 1) { 2245 errs() << "BOLT-WARNING: mismatched encoding detected\n" 2246 << " input: " << InputEncoding << '\n' 2247 << " output: " << EncodedData << '\n'; 2248 } 2249 return false; 2250 } 2251 2252 return true; 2253 } 2254 2255 uint64_t BinaryContext::getHotThreshold() const { 2256 static uint64_t Threshold = 0; 2257 if (Threshold == 0) { 2258 Threshold = std::max( 2259 (uint64_t)opts::ExecutionCountThreshold, 2260 NumProfiledFuncs ? SumExecutionCount / (2 * NumProfiledFuncs) : 1); 2261 } 2262 return Threshold; 2263 } 2264 2265 BinaryFunction *BinaryContext::getBinaryFunctionContainingAddress( 2266 uint64_t Address, bool CheckPastEnd, bool UseMaxSize) { 2267 auto FI = BinaryFunctions.upper_bound(Address); 2268 if (FI == BinaryFunctions.begin()) 2269 return nullptr; 2270 --FI; 2271 2272 const uint64_t UsedSize = 2273 UseMaxSize ? FI->second.getMaxSize() : FI->second.getSize(); 2274 2275 if (Address >= FI->first + UsedSize + (CheckPastEnd ? 1 : 0)) 2276 return nullptr; 2277 2278 return &FI->second; 2279 } 2280 2281 BinaryFunction *BinaryContext::getBinaryFunctionAtAddress(uint64_t Address) { 2282 // First, try to find a function starting at the given address. If the 2283 // function was folded, this will get us the original folded function if it 2284 // wasn't removed from the list, e.g. in non-relocation mode. 2285 auto BFI = BinaryFunctions.find(Address); 2286 if (BFI != BinaryFunctions.end()) 2287 return &BFI->second; 2288 2289 // We might have folded the function matching the object at the given 2290 // address. In such case, we look for a function matching the symbol 2291 // registered at the original address. The new function (the one that the 2292 // original was folded into) will hold the symbol. 2293 if (const BinaryData *BD = getBinaryDataAtAddress(Address)) { 2294 uint64_t EntryID = 0; 2295 BinaryFunction *BF = getFunctionForSymbol(BD->getSymbol(), &EntryID); 2296 if (BF && EntryID == 0) 2297 return BF; 2298 } 2299 return nullptr; 2300 } 2301 2302 DebugAddressRangesVector BinaryContext::translateModuleAddressRanges( 2303 const DWARFAddressRangesVector &InputRanges) const { 2304 DebugAddressRangesVector OutputRanges; 2305 2306 for (const DWARFAddressRange Range : InputRanges) { 2307 auto BFI = BinaryFunctions.lower_bound(Range.LowPC); 2308 while (BFI != BinaryFunctions.end()) { 2309 const BinaryFunction &Function = BFI->second; 2310 if (Function.getAddress() >= Range.HighPC) 2311 break; 2312 const DebugAddressRangesVector FunctionRanges = 2313 Function.getOutputAddressRanges(); 2314 llvm::move(FunctionRanges, std::back_inserter(OutputRanges)); 2315 std::advance(BFI, 1); 2316 } 2317 } 2318 2319 return OutputRanges; 2320 } 2321 2322 } // namespace bolt 2323 } // namespace llvm 2324