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