1 //===-ThinLTOCodeGenerator.cpp - LLVM Link Time Optimizer -----------------===// 2 // 3 // The LLVM Compiler Infrastructure 4 // 5 // This file is distributed under the University of Illinois Open Source 6 // License. See LICENSE.TXT for details. 7 // 8 //===----------------------------------------------------------------------===// 9 // 10 // This file implements the Thin Link Time Optimization library. This library is 11 // intended to be used by linker to optimize code at link time. 12 // 13 //===----------------------------------------------------------------------===// 14 15 #include "llvm/LTO/legacy/ThinLTOCodeGenerator.h" 16 17 #ifdef HAVE_LLVM_REVISION 18 #include "LLVMLTORevision.h" 19 #endif 20 21 #include "llvm/ADT/Statistic.h" 22 #include "llvm/ADT/StringExtras.h" 23 #include "llvm/Analysis/ModuleSummaryAnalysis.h" 24 #include "llvm/Analysis/ProfileSummaryInfo.h" 25 #include "llvm/Analysis/TargetLibraryInfo.h" 26 #include "llvm/Analysis/TargetTransformInfo.h" 27 #include "llvm/Bitcode/BitcodeReader.h" 28 #include "llvm/Bitcode/BitcodeWriter.h" 29 #include "llvm/Bitcode/BitcodeWriterPass.h" 30 #include "llvm/ExecutionEngine/ObjectMemoryBuffer.h" 31 #include "llvm/IR/DiagnosticPrinter.h" 32 #include "llvm/IR/LLVMContext.h" 33 #include "llvm/IR/LegacyPassManager.h" 34 #include "llvm/IR/Mangler.h" 35 #include "llvm/IRReader/IRReader.h" 36 #include "llvm/LTO/LTO.h" 37 #include "llvm/Linker/Linker.h" 38 #include "llvm/MC/SubtargetFeature.h" 39 #include "llvm/Object/IRObjectFile.h" 40 #include "llvm/Object/ModuleSummaryIndexObjectFile.h" 41 #include "llvm/Support/CachePruning.h" 42 #include "llvm/Support/Debug.h" 43 #include "llvm/Support/Error.h" 44 #include "llvm/Support/Path.h" 45 #include "llvm/Support/SHA1.h" 46 #include "llvm/Support/TargetRegistry.h" 47 #include "llvm/Support/ThreadPool.h" 48 #include "llvm/Support/Threading.h" 49 #include "llvm/Support/ToolOutputFile.h" 50 #include "llvm/Target/TargetMachine.h" 51 #include "llvm/Transforms/IPO.h" 52 #include "llvm/Transforms/IPO/FunctionImport.h" 53 #include "llvm/Transforms/IPO/Internalize.h" 54 #include "llvm/Transforms/IPO/PassManagerBuilder.h" 55 #include "llvm/Transforms/ObjCARC.h" 56 #include "llvm/Transforms/Utils/FunctionImportUtils.h" 57 58 #include <numeric> 59 60 using namespace llvm; 61 62 #define DEBUG_TYPE "thinlto" 63 64 namespace llvm { 65 // Flags -discard-value-names, defined in LTOCodeGenerator.cpp 66 extern cl::opt<bool> LTODiscardValueNames; 67 extern cl::opt<std::string> LTORemarksFilename; 68 extern cl::opt<bool> LTOPassRemarksWithHotness; 69 } 70 71 namespace { 72 73 static cl::opt<int> 74 ThreadCount("threads", cl::init(llvm::heavyweight_hardware_concurrency())); 75 76 // Simple helper to save temporary files for debug. 77 static void saveTempBitcode(const Module &TheModule, StringRef TempDir, 78 unsigned count, StringRef Suffix) { 79 if (TempDir.empty()) 80 return; 81 // User asked to save temps, let dump the bitcode file after import. 82 std::string SaveTempPath = (TempDir + llvm::utostr(count) + Suffix).str(); 83 std::error_code EC; 84 raw_fd_ostream OS(SaveTempPath, EC, sys::fs::F_None); 85 if (EC) 86 report_fatal_error(Twine("Failed to open ") + SaveTempPath + 87 " to save optimized bitcode\n"); 88 WriteBitcodeToFile(&TheModule, OS, /* ShouldPreserveUseListOrder */ true); 89 } 90 91 static const GlobalValueSummary * 92 getFirstDefinitionForLinker(const GlobalValueSummaryList &GVSummaryList) { 93 // If there is any strong definition anywhere, get it. 94 auto StrongDefForLinker = llvm::find_if( 95 GVSummaryList, [](const std::unique_ptr<GlobalValueSummary> &Summary) { 96 auto Linkage = Summary->linkage(); 97 return !GlobalValue::isAvailableExternallyLinkage(Linkage) && 98 !GlobalValue::isWeakForLinker(Linkage); 99 }); 100 if (StrongDefForLinker != GVSummaryList.end()) 101 return StrongDefForLinker->get(); 102 // Get the first *linker visible* definition for this global in the summary 103 // list. 104 auto FirstDefForLinker = llvm::find_if( 105 GVSummaryList, [](const std::unique_ptr<GlobalValueSummary> &Summary) { 106 auto Linkage = Summary->linkage(); 107 return !GlobalValue::isAvailableExternallyLinkage(Linkage); 108 }); 109 // Extern templates can be emitted as available_externally. 110 if (FirstDefForLinker == GVSummaryList.end()) 111 return nullptr; 112 return FirstDefForLinker->get(); 113 } 114 115 // Populate map of GUID to the prevailing copy for any multiply defined 116 // symbols. Currently assume first copy is prevailing, or any strong 117 // definition. Can be refined with Linker information in the future. 118 static void computePrevailingCopies( 119 const ModuleSummaryIndex &Index, 120 DenseMap<GlobalValue::GUID, const GlobalValueSummary *> &PrevailingCopy) { 121 auto HasMultipleCopies = [&](const GlobalValueSummaryList &GVSummaryList) { 122 return GVSummaryList.size() > 1; 123 }; 124 125 for (auto &I : Index) { 126 if (HasMultipleCopies(I.second)) 127 PrevailingCopy[I.first] = getFirstDefinitionForLinker(I.second); 128 } 129 } 130 131 static StringMap<MemoryBufferRef> 132 generateModuleMap(const std::vector<ThinLTOBuffer> &Modules) { 133 StringMap<MemoryBufferRef> ModuleMap; 134 for (auto &ModuleBuffer : Modules) { 135 assert(ModuleMap.find(ModuleBuffer.getBufferIdentifier()) == 136 ModuleMap.end() && 137 "Expect unique Buffer Identifier"); 138 ModuleMap[ModuleBuffer.getBufferIdentifier()] = ModuleBuffer.getMemBuffer(); 139 } 140 return ModuleMap; 141 } 142 143 static void promoteModule(Module &TheModule, const ModuleSummaryIndex &Index) { 144 if (renameModuleForThinLTO(TheModule, Index)) 145 report_fatal_error("renameModuleForThinLTO failed"); 146 } 147 148 static std::unique_ptr<Module> 149 loadModuleFromBuffer(const MemoryBufferRef &Buffer, LLVMContext &Context, 150 bool Lazy, bool IsImporting) { 151 SMDiagnostic Err; 152 Expected<std::unique_ptr<Module>> ModuleOrErr = 153 Lazy 154 ? getLazyBitcodeModule(Buffer, Context, 155 /* ShouldLazyLoadMetadata */ true, IsImporting) 156 : parseBitcodeFile(Buffer, Context); 157 if (!ModuleOrErr) { 158 handleAllErrors(ModuleOrErr.takeError(), [&](ErrorInfoBase &EIB) { 159 SMDiagnostic Err = SMDiagnostic(Buffer.getBufferIdentifier(), 160 SourceMgr::DK_Error, EIB.message()); 161 Err.print("ThinLTO", errs()); 162 }); 163 report_fatal_error("Can't load module, abort."); 164 } 165 return std::move(ModuleOrErr.get()); 166 } 167 168 static void 169 crossImportIntoModule(Module &TheModule, const ModuleSummaryIndex &Index, 170 StringMap<MemoryBufferRef> &ModuleMap, 171 const FunctionImporter::ImportMapTy &ImportList) { 172 auto Loader = [&](StringRef Identifier) { 173 return loadModuleFromBuffer(ModuleMap[Identifier], TheModule.getContext(), 174 /*Lazy=*/true, /*IsImporting*/ true); 175 }; 176 177 FunctionImporter Importer(Index, Loader); 178 Expected<bool> Result = Importer.importFunctions(TheModule, ImportList); 179 if (!Result) { 180 handleAllErrors(Result.takeError(), [&](ErrorInfoBase &EIB) { 181 SMDiagnostic Err = SMDiagnostic(TheModule.getModuleIdentifier(), 182 SourceMgr::DK_Error, EIB.message()); 183 Err.print("ThinLTO", errs()); 184 }); 185 report_fatal_error("importFunctions failed"); 186 } 187 } 188 189 static void optimizeModule(Module &TheModule, TargetMachine &TM, 190 unsigned OptLevel) { 191 // Populate the PassManager 192 PassManagerBuilder PMB; 193 PMB.LibraryInfo = new TargetLibraryInfoImpl(TM.getTargetTriple()); 194 PMB.Inliner = createFunctionInliningPass(); 195 // FIXME: should get it from the bitcode? 196 PMB.OptLevel = OptLevel; 197 PMB.LoopVectorize = true; 198 PMB.SLPVectorize = true; 199 PMB.VerifyInput = true; 200 PMB.VerifyOutput = false; 201 202 legacy::PassManager PM; 203 204 // Add the TTI (required to inform the vectorizer about register size for 205 // instance) 206 PM.add(createTargetTransformInfoWrapperPass(TM.getTargetIRAnalysis())); 207 208 // Add optimizations 209 PMB.populateThinLTOPassManager(PM); 210 211 PM.run(TheModule); 212 } 213 214 // Convert the PreservedSymbols map from "Name" based to "GUID" based. 215 static DenseSet<GlobalValue::GUID> 216 computeGUIDPreservedSymbols(const StringSet<> &PreservedSymbols, 217 const Triple &TheTriple) { 218 DenseSet<GlobalValue::GUID> GUIDPreservedSymbols(PreservedSymbols.size()); 219 for (auto &Entry : PreservedSymbols) { 220 StringRef Name = Entry.first(); 221 if (TheTriple.isOSBinFormatMachO() && Name.size() > 0 && Name[0] == '_') 222 Name = Name.drop_front(); 223 GUIDPreservedSymbols.insert(GlobalValue::getGUID(Name)); 224 } 225 return GUIDPreservedSymbols; 226 } 227 228 std::unique_ptr<MemoryBuffer> codegenModule(Module &TheModule, 229 TargetMachine &TM) { 230 SmallVector<char, 128> OutputBuffer; 231 232 // CodeGen 233 { 234 raw_svector_ostream OS(OutputBuffer); 235 legacy::PassManager PM; 236 237 // If the bitcode files contain ARC code and were compiled with optimization, 238 // the ObjCARCContractPass must be run, so do it unconditionally here. 239 PM.add(createObjCARCContractPass()); 240 241 // Setup the codegen now. 242 if (TM.addPassesToEmitFile(PM, OS, TargetMachine::CGFT_ObjectFile, 243 /* DisableVerify */ true)) 244 report_fatal_error("Failed to setup codegen"); 245 246 // Run codegen now. resulting binary is in OutputBuffer. 247 PM.run(TheModule); 248 } 249 return make_unique<ObjectMemoryBuffer>(std::move(OutputBuffer)); 250 } 251 252 /// Manage caching for a single Module. 253 class ModuleCacheEntry { 254 SmallString<128> EntryPath; 255 256 public: 257 // Create a cache entry. This compute a unique hash for the Module considering 258 // the current list of export/import, and offer an interface to query to 259 // access the content in the cache. 260 ModuleCacheEntry( 261 StringRef CachePath, const ModuleSummaryIndex &Index, StringRef ModuleID, 262 const FunctionImporter::ImportMapTy &ImportList, 263 const FunctionImporter::ExportSetTy &ExportList, 264 const std::map<GlobalValue::GUID, GlobalValue::LinkageTypes> &ResolvedODR, 265 const GVSummaryMapTy &DefinedFunctions, 266 const DenseSet<GlobalValue::GUID> &PreservedSymbols, unsigned OptLevel, 267 const TargetMachineBuilder &TMBuilder) { 268 if (CachePath.empty()) 269 return; 270 271 if (!Index.modulePaths().count(ModuleID)) 272 // The module does not have an entry, it can't have a hash at all 273 return; 274 275 // Compute the unique hash for this entry 276 // This is based on the current compiler version, the module itself, the 277 // export list, the hash for every single module in the import list, the 278 // list of ResolvedODR for the module, and the list of preserved symbols. 279 280 // Include the hash for the current module 281 auto ModHash = Index.getModuleHash(ModuleID); 282 283 if (all_of(ModHash, [](uint32_t V) { return V == 0; })) 284 // No hash entry, no caching! 285 return; 286 287 SHA1 Hasher; 288 289 // Include the parts of the LTO configuration that affect code generation. 290 auto AddString = [&](StringRef Str) { 291 Hasher.update(Str); 292 Hasher.update(ArrayRef<uint8_t>{0}); 293 }; 294 auto AddUnsigned = [&](unsigned I) { 295 uint8_t Data[4]; 296 Data[0] = I; 297 Data[1] = I >> 8; 298 Data[2] = I >> 16; 299 Data[3] = I >> 24; 300 Hasher.update(ArrayRef<uint8_t>{Data, 4}); 301 }; 302 303 // Start with the compiler revision 304 Hasher.update(LLVM_VERSION_STRING); 305 #ifdef HAVE_LLVM_REVISION 306 Hasher.update(LLVM_REVISION); 307 #endif 308 309 // Hash the optimization level and the target machine settings. 310 AddString(TMBuilder.MCpu); 311 // FIXME: Hash more of Options. For now all clients initialize Options from 312 // command-line flags (which is unsupported in production), but may set 313 // RelaxELFRelocations. The clang driver can also pass FunctionSections, 314 // DataSections and DebuggerTuning via command line flags. 315 AddUnsigned(TMBuilder.Options.RelaxELFRelocations); 316 AddUnsigned(TMBuilder.Options.FunctionSections); 317 AddUnsigned(TMBuilder.Options.DataSections); 318 AddUnsigned((unsigned)TMBuilder.Options.DebuggerTuning); 319 AddString(TMBuilder.MAttr); 320 if (TMBuilder.RelocModel) 321 AddUnsigned(*TMBuilder.RelocModel); 322 AddUnsigned(TMBuilder.CGOptLevel); 323 AddUnsigned(OptLevel); 324 325 Hasher.update(ArrayRef<uint8_t>((uint8_t *)&ModHash[0], sizeof(ModHash))); 326 for (auto F : ExportList) 327 // The export list can impact the internalization, be conservative here 328 Hasher.update(ArrayRef<uint8_t>((uint8_t *)&F, sizeof(F))); 329 330 // Include the hash for every module we import functions from 331 for (auto &Entry : ImportList) { 332 auto ModHash = Index.getModuleHash(Entry.first()); 333 Hasher.update(ArrayRef<uint8_t>((uint8_t *)&ModHash[0], sizeof(ModHash))); 334 } 335 336 // Include the hash for the resolved ODR. 337 for (auto &Entry : ResolvedODR) { 338 Hasher.update(ArrayRef<uint8_t>((const uint8_t *)&Entry.first, 339 sizeof(GlobalValue::GUID))); 340 Hasher.update(ArrayRef<uint8_t>((const uint8_t *)&Entry.second, 341 sizeof(GlobalValue::LinkageTypes))); 342 } 343 344 // Include the hash for the preserved symbols. 345 for (auto &Entry : PreservedSymbols) { 346 if (DefinedFunctions.count(Entry)) 347 Hasher.update( 348 ArrayRef<uint8_t>((const uint8_t *)&Entry, sizeof(GlobalValue::GUID))); 349 } 350 351 // This choice of file name allows the cache to be pruned (see pruneCache() 352 // in include/llvm/Support/CachePruning.h). 353 sys::path::append(EntryPath, CachePath, 354 "llvmcache-" + toHex(Hasher.result())); 355 } 356 357 // Access the path to this entry in the cache. 358 StringRef getEntryPath() { return EntryPath; } 359 360 // Try loading the buffer for this cache entry. 361 ErrorOr<std::unique_ptr<MemoryBuffer>> tryLoadingBuffer() { 362 if (EntryPath.empty()) 363 return std::error_code(); 364 return MemoryBuffer::getFile(EntryPath); 365 } 366 367 // Cache the Produced object file 368 void write(const MemoryBuffer &OutputBuffer) { 369 if (EntryPath.empty()) 370 return; 371 372 // Write to a temporary to avoid race condition 373 SmallString<128> TempFilename; 374 int TempFD; 375 std::error_code EC = 376 sys::fs::createTemporaryFile("Thin", "tmp.o", TempFD, TempFilename); 377 if (EC) { 378 errs() << "Error: " << EC.message() << "\n"; 379 report_fatal_error("ThinLTO: Can't get a temporary file"); 380 } 381 { 382 raw_fd_ostream OS(TempFD, /* ShouldClose */ true); 383 OS << OutputBuffer.getBuffer(); 384 } 385 // Rename to final destination (hopefully race condition won't matter here) 386 EC = sys::fs::rename(TempFilename, EntryPath); 387 if (EC) { 388 sys::fs::remove(TempFilename); 389 raw_fd_ostream OS(EntryPath, EC, sys::fs::F_None); 390 if (EC) 391 report_fatal_error(Twine("Failed to open ") + EntryPath + 392 " to save cached entry\n"); 393 OS << OutputBuffer.getBuffer(); 394 } 395 } 396 }; 397 398 static std::unique_ptr<MemoryBuffer> 399 ProcessThinLTOModule(Module &TheModule, ModuleSummaryIndex &Index, 400 StringMap<MemoryBufferRef> &ModuleMap, TargetMachine &TM, 401 const FunctionImporter::ImportMapTy &ImportList, 402 const FunctionImporter::ExportSetTy &ExportList, 403 const DenseSet<GlobalValue::GUID> &GUIDPreservedSymbols, 404 const GVSummaryMapTy &DefinedGlobals, 405 const ThinLTOCodeGenerator::CachingOptions &CacheOptions, 406 bool DisableCodeGen, StringRef SaveTempsDir, 407 unsigned OptLevel, unsigned count) { 408 409 // "Benchmark"-like optimization: single-source case 410 bool SingleModule = (ModuleMap.size() == 1); 411 412 if (!SingleModule) { 413 promoteModule(TheModule, Index); 414 415 // Apply summary-based LinkOnce/Weak resolution decisions. 416 thinLTOResolveWeakForLinkerModule(TheModule, DefinedGlobals); 417 418 // Save temps: after promotion. 419 saveTempBitcode(TheModule, SaveTempsDir, count, ".1.promoted.bc"); 420 } 421 422 // Be friendly and don't nuke totally the module when the client didn't 423 // supply anything to preserve. 424 if (!ExportList.empty() || !GUIDPreservedSymbols.empty()) { 425 // Apply summary-based internalization decisions. 426 thinLTOInternalizeModule(TheModule, DefinedGlobals); 427 } 428 429 // Save internalized bitcode 430 saveTempBitcode(TheModule, SaveTempsDir, count, ".2.internalized.bc"); 431 432 if (!SingleModule) { 433 crossImportIntoModule(TheModule, Index, ModuleMap, ImportList); 434 435 // Save temps: after cross-module import. 436 saveTempBitcode(TheModule, SaveTempsDir, count, ".3.imported.bc"); 437 } 438 439 optimizeModule(TheModule, TM, OptLevel); 440 441 saveTempBitcode(TheModule, SaveTempsDir, count, ".4.opt.bc"); 442 443 if (DisableCodeGen) { 444 // Configured to stop before CodeGen, serialize the bitcode and return. 445 SmallVector<char, 128> OutputBuffer; 446 { 447 raw_svector_ostream OS(OutputBuffer); 448 ProfileSummaryInfo PSI(TheModule); 449 auto Index = buildModuleSummaryIndex(TheModule, nullptr, nullptr); 450 WriteBitcodeToFile(&TheModule, OS, true, &Index); 451 } 452 return make_unique<ObjectMemoryBuffer>(std::move(OutputBuffer)); 453 } 454 455 return codegenModule(TheModule, TM); 456 } 457 458 /// Resolve LinkOnce/Weak symbols. Record resolutions in the \p ResolvedODR map 459 /// for caching, and in the \p Index for application during the ThinLTO 460 /// backends. This is needed for correctness for exported symbols (ensure 461 /// at least one copy kept) and a compile-time optimization (to drop duplicate 462 /// copies when possible). 463 static void resolveWeakForLinkerInIndex( 464 ModuleSummaryIndex &Index, 465 StringMap<std::map<GlobalValue::GUID, GlobalValue::LinkageTypes>> 466 &ResolvedODR) { 467 468 DenseMap<GlobalValue::GUID, const GlobalValueSummary *> PrevailingCopy; 469 computePrevailingCopies(Index, PrevailingCopy); 470 471 auto isPrevailing = [&](GlobalValue::GUID GUID, const GlobalValueSummary *S) { 472 const auto &Prevailing = PrevailingCopy.find(GUID); 473 // Not in map means that there was only one copy, which must be prevailing. 474 if (Prevailing == PrevailingCopy.end()) 475 return true; 476 return Prevailing->second == S; 477 }; 478 479 auto recordNewLinkage = [&](StringRef ModuleIdentifier, 480 GlobalValue::GUID GUID, 481 GlobalValue::LinkageTypes NewLinkage) { 482 ResolvedODR[ModuleIdentifier][GUID] = NewLinkage; 483 }; 484 485 thinLTOResolveWeakForLinkerInIndex(Index, isPrevailing, recordNewLinkage); 486 } 487 488 // Initialize the TargetMachine builder for a given Triple 489 static void initTMBuilder(TargetMachineBuilder &TMBuilder, 490 const Triple &TheTriple) { 491 // Set a default CPU for Darwin triples (copied from LTOCodeGenerator). 492 // FIXME this looks pretty terrible... 493 if (TMBuilder.MCpu.empty() && TheTriple.isOSDarwin()) { 494 if (TheTriple.getArch() == llvm::Triple::x86_64) 495 TMBuilder.MCpu = "core2"; 496 else if (TheTriple.getArch() == llvm::Triple::x86) 497 TMBuilder.MCpu = "yonah"; 498 else if (TheTriple.getArch() == llvm::Triple::aarch64) 499 TMBuilder.MCpu = "cyclone"; 500 } 501 TMBuilder.TheTriple = std::move(TheTriple); 502 } 503 504 } // end anonymous namespace 505 506 void ThinLTOCodeGenerator::addModule(StringRef Identifier, StringRef Data) { 507 ThinLTOBuffer Buffer(Data, Identifier); 508 if (Modules.empty()) { 509 // First module added, so initialize the triple and some options 510 LLVMContext Context; 511 StringRef TripleStr; 512 ErrorOr<std::string> TripleOrErr = expectedToErrorOrAndEmitErrors( 513 Context, getBitcodeTargetTriple(Buffer.getMemBuffer())); 514 if (TripleOrErr) 515 TripleStr = *TripleOrErr; 516 Triple TheTriple(TripleStr); 517 initTMBuilder(TMBuilder, Triple(TheTriple)); 518 } 519 #ifndef NDEBUG 520 else { 521 LLVMContext Context; 522 StringRef TripleStr; 523 ErrorOr<std::string> TripleOrErr = expectedToErrorOrAndEmitErrors( 524 Context, getBitcodeTargetTriple(Buffer.getMemBuffer())); 525 if (TripleOrErr) 526 TripleStr = *TripleOrErr; 527 assert(TMBuilder.TheTriple.str() == TripleStr && 528 "ThinLTO modules with different triple not supported"); 529 } 530 #endif 531 Modules.push_back(Buffer); 532 } 533 534 void ThinLTOCodeGenerator::preserveSymbol(StringRef Name) { 535 PreservedSymbols.insert(Name); 536 } 537 538 void ThinLTOCodeGenerator::crossReferenceSymbol(StringRef Name) { 539 // FIXME: At the moment, we don't take advantage of this extra information, 540 // we're conservatively considering cross-references as preserved. 541 // CrossReferencedSymbols.insert(Name); 542 PreservedSymbols.insert(Name); 543 } 544 545 // TargetMachine factory 546 std::unique_ptr<TargetMachine> TargetMachineBuilder::create() const { 547 std::string ErrMsg; 548 const Target *TheTarget = 549 TargetRegistry::lookupTarget(TheTriple.str(), ErrMsg); 550 if (!TheTarget) { 551 report_fatal_error("Can't load target for this Triple: " + ErrMsg); 552 } 553 554 // Use MAttr as the default set of features. 555 SubtargetFeatures Features(MAttr); 556 Features.getDefaultSubtargetFeatures(TheTriple); 557 std::string FeatureStr = Features.getString(); 558 559 return std::unique_ptr<TargetMachine>(TheTarget->createTargetMachine( 560 TheTriple.str(), MCpu, FeatureStr, Options, RelocModel, 561 CodeModel::Default, CGOptLevel)); 562 } 563 564 /** 565 * Produce the combined summary index from all the bitcode files: 566 * "thin-link". 567 */ 568 std::unique_ptr<ModuleSummaryIndex> ThinLTOCodeGenerator::linkCombinedIndex() { 569 std::unique_ptr<ModuleSummaryIndex> CombinedIndex; 570 uint64_t NextModuleId = 0; 571 for (auto &ModuleBuffer : Modules) { 572 Expected<std::unique_ptr<object::ModuleSummaryIndexObjectFile>> ObjOrErr = 573 object::ModuleSummaryIndexObjectFile::create( 574 ModuleBuffer.getMemBuffer()); 575 if (!ObjOrErr) { 576 // FIXME diagnose 577 logAllUnhandledErrors( 578 ObjOrErr.takeError(), errs(), 579 "error: can't create ModuleSummaryIndexObjectFile for buffer: "); 580 return nullptr; 581 } 582 auto Index = (*ObjOrErr)->takeIndex(); 583 if (CombinedIndex) { 584 CombinedIndex->mergeFrom(std::move(Index), ++NextModuleId); 585 } else { 586 CombinedIndex = std::move(Index); 587 } 588 } 589 return CombinedIndex; 590 } 591 592 /** 593 * Perform promotion and renaming of exported internal functions. 594 * Index is updated to reflect linkage changes from weak resolution. 595 */ 596 void ThinLTOCodeGenerator::promote(Module &TheModule, 597 ModuleSummaryIndex &Index) { 598 auto ModuleCount = Index.modulePaths().size(); 599 auto ModuleIdentifier = TheModule.getModuleIdentifier(); 600 601 // Collect for each module the list of function it defines (GUID -> Summary). 602 StringMap<GVSummaryMapTy> ModuleToDefinedGVSummaries; 603 Index.collectDefinedGVSummariesPerModule(ModuleToDefinedGVSummaries); 604 605 // Convert the preserved symbols set from string to GUID 606 auto GUIDPreservedSymbols = computeGUIDPreservedSymbols( 607 PreservedSymbols, Triple(TheModule.getTargetTriple())); 608 609 // Compute "dead" symbols, we don't want to import/export these! 610 auto DeadSymbols = computeDeadSymbols(Index, GUIDPreservedSymbols); 611 612 // Generate import/export list 613 StringMap<FunctionImporter::ImportMapTy> ImportLists(ModuleCount); 614 StringMap<FunctionImporter::ExportSetTy> ExportLists(ModuleCount); 615 ComputeCrossModuleImport(Index, ModuleToDefinedGVSummaries, ImportLists, 616 ExportLists, &DeadSymbols); 617 618 // Resolve LinkOnce/Weak symbols. 619 StringMap<std::map<GlobalValue::GUID, GlobalValue::LinkageTypes>> ResolvedODR; 620 resolveWeakForLinkerInIndex(Index, ResolvedODR); 621 622 thinLTOResolveWeakForLinkerModule( 623 TheModule, ModuleToDefinedGVSummaries[ModuleIdentifier]); 624 625 // Promote the exported values in the index, so that they are promoted 626 // in the module. 627 auto isExported = [&](StringRef ModuleIdentifier, GlobalValue::GUID GUID) { 628 const auto &ExportList = ExportLists.find(ModuleIdentifier); 629 return (ExportList != ExportLists.end() && 630 ExportList->second.count(GUID)) || 631 GUIDPreservedSymbols.count(GUID); 632 }; 633 thinLTOInternalizeAndPromoteInIndex(Index, isExported); 634 635 promoteModule(TheModule, Index); 636 } 637 638 /** 639 * Perform cross-module importing for the module identified by ModuleIdentifier. 640 */ 641 void ThinLTOCodeGenerator::crossModuleImport(Module &TheModule, 642 ModuleSummaryIndex &Index) { 643 auto ModuleMap = generateModuleMap(Modules); 644 auto ModuleCount = Index.modulePaths().size(); 645 646 // Collect for each module the list of function it defines (GUID -> Summary). 647 StringMap<GVSummaryMapTy> ModuleToDefinedGVSummaries(ModuleCount); 648 Index.collectDefinedGVSummariesPerModule(ModuleToDefinedGVSummaries); 649 650 // Convert the preserved symbols set from string to GUID 651 auto GUIDPreservedSymbols = computeGUIDPreservedSymbols( 652 PreservedSymbols, Triple(TheModule.getTargetTriple())); 653 654 // Compute "dead" symbols, we don't want to import/export these! 655 auto DeadSymbols = computeDeadSymbols(Index, GUIDPreservedSymbols); 656 657 // Generate import/export list 658 StringMap<FunctionImporter::ImportMapTy> ImportLists(ModuleCount); 659 StringMap<FunctionImporter::ExportSetTy> ExportLists(ModuleCount); 660 ComputeCrossModuleImport(Index, ModuleToDefinedGVSummaries, ImportLists, 661 ExportLists, &DeadSymbols); 662 auto &ImportList = ImportLists[TheModule.getModuleIdentifier()]; 663 664 crossImportIntoModule(TheModule, Index, ModuleMap, ImportList); 665 } 666 667 /** 668 * Compute the list of summaries needed for importing into module. 669 */ 670 void ThinLTOCodeGenerator::gatherImportedSummariesForModule( 671 StringRef ModulePath, ModuleSummaryIndex &Index, 672 std::map<std::string, GVSummaryMapTy> &ModuleToSummariesForIndex) { 673 auto ModuleCount = Index.modulePaths().size(); 674 675 // Collect for each module the list of function it defines (GUID -> Summary). 676 StringMap<GVSummaryMapTy> ModuleToDefinedGVSummaries(ModuleCount); 677 Index.collectDefinedGVSummariesPerModule(ModuleToDefinedGVSummaries); 678 679 // Generate import/export list 680 StringMap<FunctionImporter::ImportMapTy> ImportLists(ModuleCount); 681 StringMap<FunctionImporter::ExportSetTy> ExportLists(ModuleCount); 682 ComputeCrossModuleImport(Index, ModuleToDefinedGVSummaries, ImportLists, 683 ExportLists); 684 685 llvm::gatherImportedSummariesForModule(ModulePath, ModuleToDefinedGVSummaries, 686 ImportLists[ModulePath], 687 ModuleToSummariesForIndex); 688 } 689 690 /** 691 * Emit the list of files needed for importing into module. 692 */ 693 void ThinLTOCodeGenerator::emitImports(StringRef ModulePath, 694 StringRef OutputName, 695 ModuleSummaryIndex &Index) { 696 auto ModuleCount = Index.modulePaths().size(); 697 698 // Collect for each module the list of function it defines (GUID -> Summary). 699 StringMap<GVSummaryMapTy> ModuleToDefinedGVSummaries(ModuleCount); 700 Index.collectDefinedGVSummariesPerModule(ModuleToDefinedGVSummaries); 701 702 // Generate import/export list 703 StringMap<FunctionImporter::ImportMapTy> ImportLists(ModuleCount); 704 StringMap<FunctionImporter::ExportSetTy> ExportLists(ModuleCount); 705 ComputeCrossModuleImport(Index, ModuleToDefinedGVSummaries, ImportLists, 706 ExportLists); 707 708 std::error_code EC; 709 if ((EC = EmitImportsFiles(ModulePath, OutputName, ImportLists[ModulePath]))) 710 report_fatal_error(Twine("Failed to open ") + OutputName + 711 " to save imports lists\n"); 712 } 713 714 /** 715 * Perform internalization. Index is updated to reflect linkage changes. 716 */ 717 void ThinLTOCodeGenerator::internalize(Module &TheModule, 718 ModuleSummaryIndex &Index) { 719 initTMBuilder(TMBuilder, Triple(TheModule.getTargetTriple())); 720 auto ModuleCount = Index.modulePaths().size(); 721 auto ModuleIdentifier = TheModule.getModuleIdentifier(); 722 723 // Convert the preserved symbols set from string to GUID 724 auto GUIDPreservedSymbols = 725 computeGUIDPreservedSymbols(PreservedSymbols, TMBuilder.TheTriple); 726 727 // Collect for each module the list of function it defines (GUID -> Summary). 728 StringMap<GVSummaryMapTy> ModuleToDefinedGVSummaries(ModuleCount); 729 Index.collectDefinedGVSummariesPerModule(ModuleToDefinedGVSummaries); 730 731 // Compute "dead" symbols, we don't want to import/export these! 732 auto DeadSymbols = computeDeadSymbols(Index, GUIDPreservedSymbols); 733 734 // Generate import/export list 735 StringMap<FunctionImporter::ImportMapTy> ImportLists(ModuleCount); 736 StringMap<FunctionImporter::ExportSetTy> ExportLists(ModuleCount); 737 ComputeCrossModuleImport(Index, ModuleToDefinedGVSummaries, ImportLists, 738 ExportLists, &DeadSymbols); 739 auto &ExportList = ExportLists[ModuleIdentifier]; 740 741 // Be friendly and don't nuke totally the module when the client didn't 742 // supply anything to preserve. 743 if (ExportList.empty() && GUIDPreservedSymbols.empty()) 744 return; 745 746 // Internalization 747 auto isExported = [&](StringRef ModuleIdentifier, GlobalValue::GUID GUID) { 748 const auto &ExportList = ExportLists.find(ModuleIdentifier); 749 return (ExportList != ExportLists.end() && 750 ExportList->second.count(GUID)) || 751 GUIDPreservedSymbols.count(GUID); 752 }; 753 thinLTOInternalizeAndPromoteInIndex(Index, isExported); 754 thinLTOInternalizeModule(TheModule, 755 ModuleToDefinedGVSummaries[ModuleIdentifier]); 756 } 757 758 /** 759 * Perform post-importing ThinLTO optimizations. 760 */ 761 void ThinLTOCodeGenerator::optimize(Module &TheModule) { 762 initTMBuilder(TMBuilder, Triple(TheModule.getTargetTriple())); 763 764 // Optimize now 765 optimizeModule(TheModule, *TMBuilder.create(), OptLevel); 766 } 767 768 /** 769 * Perform ThinLTO CodeGen. 770 */ 771 std::unique_ptr<MemoryBuffer> ThinLTOCodeGenerator::codegen(Module &TheModule) { 772 initTMBuilder(TMBuilder, Triple(TheModule.getTargetTriple())); 773 return codegenModule(TheModule, *TMBuilder.create()); 774 } 775 776 /// Write out the generated object file, either from CacheEntryPath or from 777 /// OutputBuffer, preferring hard-link when possible. 778 /// Returns the path to the generated file in SavedObjectsDirectoryPath. 779 static std::string writeGeneratedObject(int count, StringRef CacheEntryPath, 780 StringRef SavedObjectsDirectoryPath, 781 const MemoryBuffer &OutputBuffer) { 782 SmallString<128> OutputPath(SavedObjectsDirectoryPath); 783 llvm::sys::path::append(OutputPath, Twine(count) + ".thinlto.o"); 784 OutputPath.c_str(); // Ensure the string is null terminated. 785 if (sys::fs::exists(OutputPath)) 786 sys::fs::remove(OutputPath); 787 788 // We don't return a memory buffer to the linker, just a list of files. 789 if (!CacheEntryPath.empty()) { 790 // Cache is enabled, hard-link the entry (or copy if hard-link fails). 791 auto Err = sys::fs::create_hard_link(CacheEntryPath, OutputPath); 792 if (!Err) 793 return OutputPath.str(); 794 // Hard linking failed, try to copy. 795 Err = sys::fs::copy_file(CacheEntryPath, OutputPath); 796 if (!Err) 797 return OutputPath.str(); 798 // Copy failed (could be because the CacheEntry was removed from the cache 799 // in the meantime by another process), fall back and try to write down the 800 // buffer to the output. 801 errs() << "error: can't link or copy from cached entry '" << CacheEntryPath 802 << "' to '" << OutputPath << "'\n"; 803 } 804 // No cache entry, just write out the buffer. 805 std::error_code Err; 806 raw_fd_ostream OS(OutputPath, Err, sys::fs::F_None); 807 if (Err) 808 report_fatal_error("Can't open output '" + OutputPath + "'\n"); 809 OS << OutputBuffer.getBuffer(); 810 return OutputPath.str(); 811 } 812 813 // Main entry point for the ThinLTO processing 814 void ThinLTOCodeGenerator::run() { 815 // Prepare the resulting object vector 816 assert(ProducedBinaries.empty() && "The generator should not be reused"); 817 if (SavedObjectsDirectoryPath.empty()) 818 ProducedBinaries.resize(Modules.size()); 819 else { 820 sys::fs::create_directories(SavedObjectsDirectoryPath); 821 bool IsDir; 822 sys::fs::is_directory(SavedObjectsDirectoryPath, IsDir); 823 if (!IsDir) 824 report_fatal_error("Unexistent dir: '" + SavedObjectsDirectoryPath + "'"); 825 ProducedBinaryFiles.resize(Modules.size()); 826 } 827 828 if (CodeGenOnly) { 829 // Perform only parallel codegen and return. 830 ThreadPool Pool; 831 int count = 0; 832 for (auto &ModuleBuffer : Modules) { 833 Pool.async([&](int count) { 834 LLVMContext Context; 835 Context.setDiscardValueNames(LTODiscardValueNames); 836 837 // Parse module now 838 auto TheModule = 839 loadModuleFromBuffer(ModuleBuffer.getMemBuffer(), Context, false, 840 /*IsImporting*/ false); 841 842 // CodeGen 843 auto OutputBuffer = codegen(*TheModule); 844 if (SavedObjectsDirectoryPath.empty()) 845 ProducedBinaries[count] = std::move(OutputBuffer); 846 else 847 ProducedBinaryFiles[count] = writeGeneratedObject( 848 count, "", SavedObjectsDirectoryPath, *OutputBuffer); 849 }, count++); 850 } 851 852 return; 853 } 854 855 // Sequential linking phase 856 auto Index = linkCombinedIndex(); 857 858 // Save temps: index. 859 if (!SaveTempsDir.empty()) { 860 auto SaveTempPath = SaveTempsDir + "index.bc"; 861 std::error_code EC; 862 raw_fd_ostream OS(SaveTempPath, EC, sys::fs::F_None); 863 if (EC) 864 report_fatal_error(Twine("Failed to open ") + SaveTempPath + 865 " to save optimized bitcode\n"); 866 WriteIndexToFile(*Index, OS); 867 } 868 869 870 // Prepare the module map. 871 auto ModuleMap = generateModuleMap(Modules); 872 auto ModuleCount = Modules.size(); 873 874 // Collect for each module the list of function it defines (GUID -> Summary). 875 StringMap<GVSummaryMapTy> ModuleToDefinedGVSummaries(ModuleCount); 876 Index->collectDefinedGVSummariesPerModule(ModuleToDefinedGVSummaries); 877 878 // Convert the preserved symbols set from string to GUID, this is needed for 879 // computing the caching hash and the internalization. 880 auto GUIDPreservedSymbols = 881 computeGUIDPreservedSymbols(PreservedSymbols, TMBuilder.TheTriple); 882 883 // Compute "dead" symbols, we don't want to import/export these! 884 auto DeadSymbols = computeDeadSymbols(*Index, GUIDPreservedSymbols); 885 886 // Collect the import/export lists for all modules from the call-graph in the 887 // combined index. 888 StringMap<FunctionImporter::ImportMapTy> ImportLists(ModuleCount); 889 StringMap<FunctionImporter::ExportSetTy> ExportLists(ModuleCount); 890 ComputeCrossModuleImport(*Index, ModuleToDefinedGVSummaries, ImportLists, 891 ExportLists, &DeadSymbols); 892 893 // We use a std::map here to be able to have a defined ordering when 894 // producing a hash for the cache entry. 895 // FIXME: we should be able to compute the caching hash for the entry based 896 // on the index, and nuke this map. 897 StringMap<std::map<GlobalValue::GUID, GlobalValue::LinkageTypes>> ResolvedODR; 898 899 // Resolve LinkOnce/Weak symbols, this has to be computed early because it 900 // impacts the caching. 901 resolveWeakForLinkerInIndex(*Index, ResolvedODR); 902 903 auto isExported = [&](StringRef ModuleIdentifier, GlobalValue::GUID GUID) { 904 const auto &ExportList = ExportLists.find(ModuleIdentifier); 905 return (ExportList != ExportLists.end() && 906 ExportList->second.count(GUID)) || 907 GUIDPreservedSymbols.count(GUID); 908 }; 909 910 // Use global summary-based analysis to identify symbols that can be 911 // internalized (because they aren't exported or preserved as per callback). 912 // Changes are made in the index, consumed in the ThinLTO backends. 913 thinLTOInternalizeAndPromoteInIndex(*Index, isExported); 914 915 // Make sure that every module has an entry in the ExportLists and 916 // ResolvedODR maps to enable threaded access to these maps below. 917 for (auto &DefinedGVSummaries : ModuleToDefinedGVSummaries) { 918 ExportLists[DefinedGVSummaries.first()]; 919 ResolvedODR[DefinedGVSummaries.first()]; 920 } 921 922 // Compute the ordering we will process the inputs: the rough heuristic here 923 // is to sort them per size so that the largest module get schedule as soon as 924 // possible. This is purely a compile-time optimization. 925 std::vector<int> ModulesOrdering; 926 ModulesOrdering.resize(Modules.size()); 927 std::iota(ModulesOrdering.begin(), ModulesOrdering.end(), 0); 928 std::sort(ModulesOrdering.begin(), ModulesOrdering.end(), 929 [&](int LeftIndex, int RightIndex) { 930 auto LSize = Modules[LeftIndex].getBuffer().size(); 931 auto RSize = Modules[RightIndex].getBuffer().size(); 932 return LSize > RSize; 933 }); 934 935 // Parallel optimizer + codegen 936 { 937 ThreadPool Pool(ThreadCount); 938 for (auto IndexCount : ModulesOrdering) { 939 auto &ModuleBuffer = Modules[IndexCount]; 940 Pool.async([&](int count) { 941 auto ModuleIdentifier = ModuleBuffer.getBufferIdentifier(); 942 auto &ExportList = ExportLists[ModuleIdentifier]; 943 944 auto &DefinedFunctions = ModuleToDefinedGVSummaries[ModuleIdentifier]; 945 946 // The module may be cached, this helps handling it. 947 ModuleCacheEntry CacheEntry(CacheOptions.Path, *Index, ModuleIdentifier, 948 ImportLists[ModuleIdentifier], ExportList, 949 ResolvedODR[ModuleIdentifier], 950 DefinedFunctions, GUIDPreservedSymbols, 951 OptLevel, TMBuilder); 952 auto CacheEntryPath = CacheEntry.getEntryPath(); 953 954 { 955 auto ErrOrBuffer = CacheEntry.tryLoadingBuffer(); 956 DEBUG(dbgs() << "Cache " << (ErrOrBuffer ? "hit" : "miss") << " '" 957 << CacheEntryPath << "' for buffer " << count << " " 958 << ModuleIdentifier << "\n"); 959 960 if (ErrOrBuffer) { 961 // Cache Hit! 962 if (SavedObjectsDirectoryPath.empty()) 963 ProducedBinaries[count] = std::move(ErrOrBuffer.get()); 964 else 965 ProducedBinaryFiles[count] = writeGeneratedObject( 966 count, CacheEntryPath, SavedObjectsDirectoryPath, 967 *ErrOrBuffer.get()); 968 return; 969 } 970 } 971 972 LLVMContext Context; 973 Context.setDiscardValueNames(LTODiscardValueNames); 974 Context.enableDebugTypeODRUniquing(); 975 auto DiagFileOrErr = lto::setupOptimizationRemarks( 976 Context, LTORemarksFilename, LTOPassRemarksWithHotness, count); 977 if (!DiagFileOrErr) { 978 errs() << "Error: " << toString(DiagFileOrErr.takeError()) << "\n"; 979 report_fatal_error("ThinLTO: Can't get an output file for the " 980 "remarks"); 981 } 982 983 // Parse module now 984 auto TheModule = 985 loadModuleFromBuffer(ModuleBuffer.getMemBuffer(), Context, false, 986 /*IsImporting*/ false); 987 988 // Save temps: original file. 989 saveTempBitcode(*TheModule, SaveTempsDir, count, ".0.original.bc"); 990 991 auto &ImportList = ImportLists[ModuleIdentifier]; 992 // Run the main process now, and generates a binary 993 auto OutputBuffer = ProcessThinLTOModule( 994 *TheModule, *Index, ModuleMap, *TMBuilder.create(), ImportList, 995 ExportList, GUIDPreservedSymbols, 996 ModuleToDefinedGVSummaries[ModuleIdentifier], CacheOptions, 997 DisableCodeGen, SaveTempsDir, OptLevel, count); 998 999 // Commit to the cache (if enabled) 1000 CacheEntry.write(*OutputBuffer); 1001 1002 if (SavedObjectsDirectoryPath.empty()) { 1003 // We need to generated a memory buffer for the linker. 1004 if (!CacheEntryPath.empty()) { 1005 // Cache is enabled, reload from the cache 1006 // We do this to lower memory pressuree: the buffer is on the heap 1007 // and releasing it frees memory that can be used for the next input 1008 // file. The final binary link will read from the VFS cache 1009 // (hopefully!) or from disk if the memory pressure wasn't too high. 1010 auto ReloadedBufferOrErr = CacheEntry.tryLoadingBuffer(); 1011 if (auto EC = ReloadedBufferOrErr.getError()) { 1012 // On error, keeping the preexisting buffer and printing a 1013 // diagnostic is more friendly than just crashing. 1014 errs() << "error: can't reload cached file '" << CacheEntryPath 1015 << "': " << EC.message() << "\n"; 1016 } else { 1017 OutputBuffer = std::move(*ReloadedBufferOrErr); 1018 } 1019 } 1020 ProducedBinaries[count] = std::move(OutputBuffer); 1021 return; 1022 } 1023 ProducedBinaryFiles[count] = writeGeneratedObject( 1024 count, CacheEntryPath, SavedObjectsDirectoryPath, *OutputBuffer); 1025 }, IndexCount); 1026 } 1027 } 1028 1029 pruneCache(CacheOptions.Path, CacheOptions.Policy); 1030 1031 // If statistics were requested, print them out now. 1032 if (llvm::AreStatisticsEnabled()) 1033 llvm::PrintStatistics(); 1034 } 1035