xref: /llvm-project-15.0.7/llvm/tools/opt/opt.cpp (revision c09cd64e)
1 //===- opt.cpp - The LLVM Modular 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 // Optimizations may be specified an arbitrary number of times on the command
10 // line, They are run in the order specified.
11 //
12 //===----------------------------------------------------------------------===//
13 
14 #include "BreakpointPrinter.h"
15 #include "NewPMDriver.h"
16 #include "llvm/ADT/Triple.h"
17 #include "llvm/Analysis/CallGraph.h"
18 #include "llvm/Analysis/CallGraphSCCPass.h"
19 #include "llvm/Analysis/LoopPass.h"
20 #include "llvm/Analysis/RegionPass.h"
21 #include "llvm/Analysis/TargetLibraryInfo.h"
22 #include "llvm/Analysis/TargetTransformInfo.h"
23 #include "llvm/AsmParser/Parser.h"
24 #include "llvm/CodeGen/CommandFlags.h"
25 #include "llvm/CodeGen/TargetPassConfig.h"
26 #include "llvm/Config/llvm-config.h"
27 #include "llvm/IR/DataLayout.h"
28 #include "llvm/IR/DebugInfo.h"
29 #include "llvm/IR/LLVMContext.h"
30 #include "llvm/IR/LLVMRemarkStreamer.h"
31 #include "llvm/IR/LegacyPassManager.h"
32 #include "llvm/IR/LegacyPassNameParser.h"
33 #include "llvm/IR/Module.h"
34 #include "llvm/IR/ModuleSummaryIndex.h"
35 #include "llvm/IR/Verifier.h"
36 #include "llvm/IRReader/IRReader.h"
37 #include "llvm/InitializePasses.h"
38 #include "llvm/LinkAllIR.h"
39 #include "llvm/LinkAllPasses.h"
40 #include "llvm/MC/SubtargetFeature.h"
41 #include "llvm/MC/TargetRegistry.h"
42 #include "llvm/Passes/PassPlugin.h"
43 #include "llvm/Remarks/HotnessThresholdParser.h"
44 #include "llvm/Support/Debug.h"
45 #include "llvm/Support/FileSystem.h"
46 #include "llvm/Support/Host.h"
47 #include "llvm/Support/InitLLVM.h"
48 #include "llvm/Support/PluginLoader.h"
49 #include "llvm/Support/SourceMgr.h"
50 #include "llvm/Support/SystemUtils.h"
51 #include "llvm/Support/TargetSelect.h"
52 #include "llvm/Support/ToolOutputFile.h"
53 #include "llvm/Support/YAMLTraits.h"
54 #include "llvm/Target/TargetMachine.h"
55 #include "llvm/Transforms/IPO/AlwaysInliner.h"
56 #include "llvm/Transforms/IPO/PassManagerBuilder.h"
57 #include "llvm/Transforms/IPO/WholeProgramDevirt.h"
58 #include "llvm/Transforms/Utils/Cloning.h"
59 #include "llvm/Transforms/Utils/Debugify.h"
60 #include <algorithm>
61 #include <memory>
62 using namespace llvm;
63 using namespace opt_tool;
64 
65 static codegen::RegisterCodeGenFlags CFG;
66 
67 // The OptimizationList is automatically populated with registered Passes by the
68 // PassNameParser.
69 static cl::list<const PassInfo *, bool, PassNameParser> PassList(cl::desc(
70     "Optimizations available (use '-passes=' for the new pass manager)"));
71 
72 static cl::opt<bool> EnableNewPassManager(
73     "enable-new-pm",
74     cl::desc("Enable the new pass manager, translating "
75              "'opt -foo' to 'opt -passes=foo'. This is strictly for the new PM "
76              "migration, use '-passes=' when possible."),
77     cl::init(true));
78 
79 // This flag specifies a textual description of the optimization pass pipeline
80 // to run over the module. This flag switches opt to use the new pass manager
81 // infrastructure, completely disabling all of the flags specific to the old
82 // pass management.
83 static cl::opt<std::string> PassPipeline(
84     "passes",
85     cl::desc(
86         "A textual description of the pass pipeline. To have analysis passes "
87         "available before a certain pass, add 'require<foo-analysis>'."));
88 
89 static cl::opt<bool> PrintPasses("print-passes",
90                                  cl::desc("Print available passes that can be "
91                                           "specified in -passes=foo and exit"));
92 
93 static cl::opt<std::string>
94 InputFilename(cl::Positional, cl::desc("<input bitcode file>"),
95     cl::init("-"), cl::value_desc("filename"));
96 
97 static cl::opt<std::string>
98 OutputFilename("o", cl::desc("Override output filename"),
99                cl::value_desc("filename"));
100 
101 static cl::opt<bool>
102 Force("f", cl::desc("Enable binary output on terminals"));
103 
104 static cl::opt<bool>
105 NoOutput("disable-output",
106          cl::desc("Do not write result bitcode file"), cl::Hidden);
107 
108 static cl::opt<bool>
109 OutputAssembly("S", cl::desc("Write output as LLVM assembly"));
110 
111 static cl::opt<bool>
112     OutputThinLTOBC("thinlto-bc",
113                     cl::desc("Write output as ThinLTO-ready bitcode"));
114 
115 static cl::opt<bool>
116     SplitLTOUnit("thinlto-split-lto-unit",
117                  cl::desc("Enable splitting of a ThinLTO LTOUnit"));
118 
119 static cl::opt<std::string> ThinLinkBitcodeFile(
120     "thin-link-bitcode-file", cl::value_desc("filename"),
121     cl::desc(
122         "A file in which to write minimized bitcode for the thin link only"));
123 
124 static cl::opt<bool>
125 NoVerify("disable-verify", cl::desc("Do not run the verifier"), cl::Hidden);
126 
127 static cl::opt<bool> NoUpgradeDebugInfo("disable-upgrade-debug-info",
128                                         cl::desc("Generate invalid output"),
129                                         cl::ReallyHidden);
130 
131 static cl::opt<bool> VerifyEach("verify-each",
132                                 cl::desc("Verify after each transform"));
133 
134 static cl::opt<bool>
135     DisableDITypeMap("disable-debug-info-type-map",
136                      cl::desc("Don't use a uniquing type map for debug info"));
137 
138 static cl::opt<bool>
139 StripDebug("strip-debug",
140            cl::desc("Strip debugger symbol info from translation unit"));
141 
142 static cl::opt<bool>
143     StripNamedMetadata("strip-named-metadata",
144                        cl::desc("Strip module-level named metadata"));
145 
146 
147 
148 static cl::opt<bool>
149     OptLevelO0("O0", cl::desc("Optimization level 0. Similar to clang -O0. "
150                               "Use -passes='default<O0>' for the new PM"));
151 
152 static cl::opt<bool>
153     OptLevelO1("O1", cl::desc("Optimization level 1. Similar to clang -O1. "
154                               "Use -passes='default<O1>' for the new PM"));
155 
156 static cl::opt<bool>
157     OptLevelO2("O2", cl::desc("Optimization level 2. Similar to clang -O2. "
158                               "Use -passes='default<O2>' for the new PM"));
159 
160 static cl::opt<bool>
161     OptLevelOs("Os", cl::desc("Like -O2 but size-conscious. Similar to clang "
162                               "-Os. Use -passes='default<Os>' for the new PM"));
163 
164 static cl::opt<bool> OptLevelOz(
165     "Oz",
166     cl::desc("Like -O2 but optimize for code size above all else. Similar to "
167              "clang -Oz. Use -passes='default<Oz>' for the new PM"));
168 
169 static cl::opt<bool>
170     OptLevelO3("O3", cl::desc("Optimization level 3. Similar to clang -O3. "
171                               "Use -passes='default<O3>' for the new PM"));
172 
173 static cl::opt<unsigned> CodeGenOptLevel(
174     "codegen-opt-level",
175     cl::desc("Override optimization level for codegen hooks, legacy PM only"));
176 
177 static cl::opt<std::string>
178 TargetTriple("mtriple", cl::desc("Override target triple for module"));
179 
180 cl::opt<bool> DisableLoopUnrolling(
181     "disable-loop-unrolling",
182     cl::desc("Disable loop unrolling in all relevant passes"), cl::init(false));
183 
184 static cl::opt<bool> EmitSummaryIndex("module-summary",
185                                       cl::desc("Emit module summary index"),
186                                       cl::init(false));
187 
188 static cl::opt<bool> EmitModuleHash("module-hash", cl::desc("Emit module hash"),
189                                     cl::init(false));
190 
191 static cl::opt<bool>
192 DisableSimplifyLibCalls("disable-simplify-libcalls",
193                         cl::desc("Disable simplify-libcalls"));
194 
195 static cl::list<std::string>
196 DisableBuiltins("disable-builtin",
197                 cl::desc("Disable specific target library builtin function"),
198                 cl::ZeroOrMore);
199 
200 static cl::opt<bool> EnableDebugify(
201     "enable-debugify",
202     cl::desc(
203         "Start the pipeline with debugify and end it with check-debugify"));
204 
205 static cl::opt<bool> VerifyDebugInfoPreserve(
206     "verify-debuginfo-preserve",
207     cl::desc("Start the pipeline with collecting and end it with checking of "
208              "debug info preservation."));
209 
210 static cl::opt<bool> VerifyEachDebugInfoPreserve(
211     "verify-each-debuginfo-preserve",
212     cl::desc("Start each pass with collecting and end it with checking of "
213              "debug info preservation."));
214 
215 static cl::opt<std::string>
216     VerifyDIPreserveExport("verify-di-preserve-export",
217                    cl::desc("Export debug info preservation failures into "
218                             "specified (JSON) file (should be abs path as we use"
219                             " append mode to insert new JSON objects)"),
220                    cl::value_desc("filename"), cl::init(""));
221 
222 static cl::opt<bool>
223 PrintBreakpoints("print-breakpoints-for-testing",
224                  cl::desc("Print select breakpoints location for testing"));
225 
226 static cl::opt<std::string> ClDataLayout("data-layout",
227                                          cl::desc("data layout string to use"),
228                                          cl::value_desc("layout-string"),
229                                          cl::init(""));
230 
231 static cl::opt<bool> PreserveBitcodeUseListOrder(
232     "preserve-bc-uselistorder",
233     cl::desc("Preserve use-list order when writing LLVM bitcode."),
234     cl::init(true), cl::Hidden);
235 
236 static cl::opt<bool> PreserveAssemblyUseListOrder(
237     "preserve-ll-uselistorder",
238     cl::desc("Preserve use-list order when writing LLVM assembly."),
239     cl::init(false), cl::Hidden);
240 
241 static cl::opt<bool> RunTwice("run-twice",
242                               cl::desc("Run all passes twice, re-using the "
243                                        "same pass manager (legacy PM only)."),
244                               cl::init(false), cl::Hidden);
245 
246 static cl::opt<bool> DiscardValueNames(
247     "discard-value-names",
248     cl::desc("Discard names from Value (other than GlobalValue)."),
249     cl::init(false), cl::Hidden);
250 
251 static cl::opt<bool> TimeTrace(
252     "time-trace",
253     cl::desc("Record time trace"));
254 
255 static cl::opt<unsigned> TimeTraceGranularity(
256     "time-trace-granularity",
257     cl::desc("Minimum time granularity (in microseconds) traced by time profiler"),
258     cl::init(500), cl::Hidden);
259 
260 static cl::opt<std::string>
261     TimeTraceFile("time-trace-file",
262                     cl::desc("Specify time trace file destination"),
263                     cl::value_desc("filename"));
264 
265 static cl::opt<bool> RemarksWithHotness(
266     "pass-remarks-with-hotness",
267     cl::desc("With PGO, include profile count in optimization remarks"),
268     cl::Hidden);
269 
270 static cl::opt<Optional<uint64_t>, false, remarks::HotnessThresholdParser>
271     RemarksHotnessThreshold(
272         "pass-remarks-hotness-threshold",
273         cl::desc("Minimum profile count required for "
274                  "an optimization remark to be output. "
275                  "Use 'auto' to apply the threshold from profile summary."),
276         cl::value_desc("N or 'auto'"), cl::init(0), cl::Hidden);
277 
278 static cl::opt<std::string>
279     RemarksFilename("pass-remarks-output",
280                     cl::desc("Output filename for pass remarks"),
281                     cl::value_desc("filename"));
282 
283 static cl::opt<std::string>
284     RemarksPasses("pass-remarks-filter",
285                   cl::desc("Only record optimization remarks from passes whose "
286                            "names match the given regular expression"),
287                   cl::value_desc("regex"));
288 
289 static cl::opt<std::string> RemarksFormat(
290     "pass-remarks-format",
291     cl::desc("The format used for serializing remarks (default: YAML)"),
292     cl::value_desc("format"), cl::init("yaml"));
293 
294 static cl::list<std::string>
295     PassPlugins("load-pass-plugin",
296                 cl::desc("Load passes from plugin library"));
297 
298 namespace llvm {
299 cl::opt<PGOKind>
300     PGOKindFlag("pgo-kind", cl::init(NoPGO), cl::Hidden,
301                 cl::desc("The kind of profile guided optimization"),
302                 cl::values(clEnumValN(NoPGO, "nopgo", "Do not use PGO."),
303                            clEnumValN(InstrGen, "pgo-instr-gen-pipeline",
304                                       "Instrument the IR to generate profile."),
305                            clEnumValN(InstrUse, "pgo-instr-use-pipeline",
306                                       "Use instrumented profile to guide PGO."),
307                            clEnumValN(SampleUse, "pgo-sample-use-pipeline",
308                                       "Use sampled profile to guide PGO.")));
309 cl::opt<std::string> ProfileFile("profile-file",
310                                  cl::desc("Path to the profile."), cl::Hidden);
311 
312 cl::opt<CSPGOKind> CSPGOKindFlag(
313     "cspgo-kind", cl::init(NoCSPGO), cl::Hidden,
314     cl::desc("The kind of context sensitive profile guided optimization"),
315     cl::values(
316         clEnumValN(NoCSPGO, "nocspgo", "Do not use CSPGO."),
317         clEnumValN(
318             CSInstrGen, "cspgo-instr-gen-pipeline",
319             "Instrument (context sensitive) the IR to generate profile."),
320         clEnumValN(
321             CSInstrUse, "cspgo-instr-use-pipeline",
322             "Use instrumented (context sensitive) profile to guide PGO.")));
323 cl::opt<std::string> CSProfileGenFile(
324     "cs-profilegen-file",
325     cl::desc("Path to the instrumented context sensitive profile."),
326     cl::Hidden);
327 } // namespace llvm
328 
329 static inline void addPass(legacy::PassManagerBase &PM, Pass *P) {
330   // Add the pass to the pass manager...
331   PM.add(P);
332 
333   // If we are verifying all of the intermediate steps, add the verifier...
334   if (VerifyEach)
335     PM.add(createVerifierPass());
336 }
337 
338 /// This routine adds optimization passes based on selected optimization level,
339 /// OptLevel.
340 ///
341 /// OptLevel - Optimization Level
342 static void AddOptimizationPasses(legacy::PassManagerBase &MPM,
343                                   legacy::FunctionPassManager &FPM,
344                                   TargetMachine *TM, unsigned OptLevel,
345                                   unsigned SizeLevel) {
346   if (!NoVerify || VerifyEach)
347     FPM.add(createVerifierPass()); // Verify that input is correct
348 
349   PassManagerBuilder Builder;
350   Builder.OptLevel = OptLevel;
351   Builder.SizeLevel = SizeLevel;
352 
353   if (OptLevel > 1) {
354     Builder.Inliner = createFunctionInliningPass(OptLevel, SizeLevel, false);
355   } else {
356     Builder.Inliner = createAlwaysInlinerLegacyPass();
357   }
358   Builder.DisableUnrollLoops = (DisableLoopUnrolling.getNumOccurrences() > 0) ?
359                                DisableLoopUnrolling : OptLevel == 0;
360 
361   Builder.LoopVectorize = OptLevel > 1 && SizeLevel < 2;
362 
363   Builder.SLPVectorize = OptLevel > 1 && SizeLevel < 2;
364 
365   if (TM)
366     TM->adjustPassManager(Builder);
367 
368   switch (PGOKindFlag) {
369   case InstrGen:
370     Builder.EnablePGOInstrGen = true;
371     Builder.PGOInstrGen = ProfileFile;
372     break;
373   case InstrUse:
374     Builder.PGOInstrUse = ProfileFile;
375     break;
376   case SampleUse:
377     Builder.PGOSampleUse = ProfileFile;
378     break;
379   default:
380     break;
381   }
382 
383   switch (CSPGOKindFlag) {
384   case CSInstrGen:
385     Builder.EnablePGOCSInstrGen = true;
386     break;
387   case CSInstrUse:
388     Builder.EnablePGOCSInstrUse = true;
389     break;
390   default:
391     break;
392   }
393 
394   Builder.populateFunctionPassManager(FPM);
395   Builder.populateModulePassManager(MPM);
396 }
397 
398 //===----------------------------------------------------------------------===//
399 // CodeGen-related helper functions.
400 //
401 
402 static CodeGenOpt::Level GetCodeGenOptLevel() {
403   if (CodeGenOptLevel.getNumOccurrences())
404     return static_cast<CodeGenOpt::Level>(unsigned(CodeGenOptLevel));
405   if (OptLevelO1)
406     return CodeGenOpt::Less;
407   if (OptLevelO2)
408     return CodeGenOpt::Default;
409   if (OptLevelO3)
410     return CodeGenOpt::Aggressive;
411   return CodeGenOpt::None;
412 }
413 
414 // Returns the TargetMachine instance or zero if no triple is provided.
415 static TargetMachine* GetTargetMachine(Triple TheTriple, StringRef CPUStr,
416                                        StringRef FeaturesStr,
417                                        const TargetOptions &Options) {
418   std::string Error;
419   const Target *TheTarget =
420       TargetRegistry::lookupTarget(codegen::getMArch(), TheTriple, Error);
421   // Some modules don't specify a triple, and this is okay.
422   if (!TheTarget) {
423     return nullptr;
424   }
425 
426   return TheTarget->createTargetMachine(
427       TheTriple.getTriple(), codegen::getCPUStr(), codegen::getFeaturesStr(),
428       Options, codegen::getExplicitRelocModel(),
429       codegen::getExplicitCodeModel(), GetCodeGenOptLevel());
430 }
431 
432 #ifdef BUILD_EXAMPLES
433 void initializeExampleIRTransforms(llvm::PassRegistry &Registry);
434 #endif
435 
436 struct TimeTracerRAII {
437   TimeTracerRAII(StringRef ProgramName) {
438     if (TimeTrace)
439       timeTraceProfilerInitialize(TimeTraceGranularity, ProgramName);
440   }
441   ~TimeTracerRAII() {
442     if (TimeTrace) {
443       if (auto E = timeTraceProfilerWrite(TimeTraceFile, OutputFilename)) {
444         handleAllErrors(std::move(E), [&](const StringError &SE) {
445           errs() << SE.getMessage() << "\n";
446         });
447         return;
448       }
449       timeTraceProfilerCleanup();
450     }
451   }
452 };
453 
454 // For use in NPM transition. Currently this contains most codegen-specific
455 // passes. Remove passes from here when porting to the NPM.
456 // TODO: use a codegen version of PassRegistry.def/PassBuilder::is*Pass() once
457 // it exists.
458 static bool shouldPinPassToLegacyPM(StringRef Pass) {
459   std::vector<StringRef> PassNameExactToIgnore = {
460       "nvvm-reflect",
461       "nvvm-intr-range",
462       "amdgpu-simplifylib",
463       "amdgpu-usenative",
464       "amdgpu-promote-alloca",
465       "amdgpu-promote-alloca-to-vector",
466       "amdgpu-lower-kernel-attributes",
467       "amdgpu-propagate-attributes-early",
468       "amdgpu-propagate-attributes-late",
469       "amdgpu-unify-metadata",
470       "amdgpu-printf-runtime-binding",
471       "amdgpu-always-inline"};
472   if (llvm::is_contained(PassNameExactToIgnore, Pass))
473     return false;
474 
475   std::vector<StringRef> PassNamePrefix = {
476       "x86-",    "xcore-", "wasm-",  "systemz-", "ppc-",    "nvvm-",
477       "nvptx-",  "mips-",  "lanai-", "hexagon-", "bpf-",    "avr-",
478       "thumb2-", "arm-",   "si-",    "gcn-",     "amdgpu-", "aarch64-",
479       "amdgcn-", "polly-", "riscv-", "dxil-"};
480   std::vector<StringRef> PassNameContain = {"ehprepare"};
481   std::vector<StringRef> PassNameExact = {
482       "safe-stack",           "cost-model",
483       "codegenprepare",       "interleaved-load-combine",
484       "unreachableblockelim", "verify-safepoint-ir",
485       "atomic-expand",        "expandvp",
486       "hardware-loops",       "type-promotion",
487       "mve-tail-predication", "interleaved-access",
488       "global-merge",         "pre-isel-intrinsic-lowering",
489       "expand-reductions",    "indirectbr-expand",
490       "generic-to-nvvm",      "expandmemcmp",
491       "loop-reduce",          "lower-amx-type",
492       "pre-amx-config",       "lower-amx-intrinsics",
493       "polyhedral-info",      "print-polyhedral-info",
494       "replace-with-veclib",  "jmc-instrument",
495       "dot-regions",          "dot-regions-only",
496       "view-regions",         "view-regions-only",
497       "select-optimize"};
498   for (const auto &P : PassNamePrefix)
499     if (Pass.startswith(P))
500       return true;
501   for (const auto &P : PassNameContain)
502     if (Pass.contains(P))
503       return true;
504   return llvm::is_contained(PassNameExact, Pass);
505 }
506 
507 // For use in NPM transition.
508 static bool shouldForceLegacyPM() {
509   for (const auto &P : PassList) {
510     StringRef Arg = P->getPassArgument();
511     if (shouldPinPassToLegacyPM(Arg))
512       return true;
513   }
514   return false;
515 }
516 
517 //===----------------------------------------------------------------------===//
518 // main for opt
519 //
520 int main(int argc, char **argv) {
521   InitLLVM X(argc, argv);
522 
523   // Enable debug stream buffering.
524   EnableDebugBuffering = true;
525 
526   InitializeAllTargets();
527   InitializeAllTargetMCs();
528   InitializeAllAsmPrinters();
529   InitializeAllAsmParsers();
530 
531   // Initialize passes
532   PassRegistry &Registry = *PassRegistry::getPassRegistry();
533   initializeCore(Registry);
534   initializeScalarOpts(Registry);
535   initializeObjCARCOpts(Registry);
536   initializeVectorization(Registry);
537   initializeIPO(Registry);
538   initializeAnalysis(Registry);
539   initializeTransformUtils(Registry);
540   initializeInstCombine(Registry);
541   initializeAggressiveInstCombine(Registry);
542   initializeInstrumentation(Registry);
543   initializeTarget(Registry);
544   // For codegen passes, only passes that do IR to IR transformation are
545   // supported.
546   initializeExpandMemCmpPassPass(Registry);
547   initializeScalarizeMaskedMemIntrinLegacyPassPass(Registry);
548   initializeSelectOptimizePass(Registry);
549   initializeCodeGenPreparePass(Registry);
550   initializeAtomicExpandPass(Registry);
551   initializeRewriteSymbolsLegacyPassPass(Registry);
552   initializeWinEHPreparePass(Registry);
553   initializeDwarfEHPrepareLegacyPassPass(Registry);
554   initializeSafeStackLegacyPassPass(Registry);
555   initializeSjLjEHPreparePass(Registry);
556   initializePreISelIntrinsicLoweringLegacyPassPass(Registry);
557   initializeGlobalMergePass(Registry);
558   initializeIndirectBrExpandPassPass(Registry);
559   initializeInterleavedLoadCombinePass(Registry);
560   initializeInterleavedAccessPass(Registry);
561   initializeEntryExitInstrumenterPass(Registry);
562   initializePostInlineEntryExitInstrumenterPass(Registry);
563   initializeUnreachableBlockElimLegacyPassPass(Registry);
564   initializeExpandReductionsPass(Registry);
565   initializeExpandVectorPredicationPass(Registry);
566   initializeWasmEHPreparePass(Registry);
567   initializeWriteBitcodePassPass(Registry);
568   initializeHardwareLoopsPass(Registry);
569   initializeTypePromotionPass(Registry);
570   initializeReplaceWithVeclibLegacyPass(Registry);
571   initializeJMCInstrumenterPass(Registry);
572 
573 #ifdef BUILD_EXAMPLES
574   initializeExampleIRTransforms(Registry);
575 #endif
576 
577   SmallVector<PassPlugin, 1> PluginList;
578   PassPlugins.setCallback([&](const std::string &PluginPath) {
579     auto Plugin = PassPlugin::Load(PluginPath);
580     if (!Plugin) {
581       errs() << "Failed to load passes from '" << PluginPath
582              << "'. Request ignored.\n";
583       return;
584     }
585     PluginList.emplace_back(Plugin.get());
586   });
587 
588   cl::ParseCommandLineOptions(argc, argv,
589     "llvm .bc -> .bc modular optimizer and analysis printer\n");
590 
591   LLVMContext Context;
592 
593   // If `-passes=` is specified, use NPM.
594   // If `-enable-new-pm` is specified and there are no codegen passes, use NPM.
595   // e.g. `-enable-new-pm -sroa` will use NPM.
596   // but `-enable-new-pm -codegenprepare` will still revert to legacy PM.
597   const bool UseNPM = (EnableNewPassManager && !shouldForceLegacyPM()) ||
598                       PassPipeline.getNumOccurrences() > 0;
599 
600   if (!UseNPM && PluginList.size()) {
601     errs() << argv[0] << ": " << PassPlugins.ArgStr
602            << " specified with legacy PM.\n";
603     return 1;
604   }
605 
606   // FIXME: once the legacy PM code is deleted, move runPassPipeline() here and
607   // construct the PassBuilder before parsing IR so we can reuse the same
608   // PassBuilder for print passes.
609   if (PrintPasses) {
610     printPasses(outs());
611     return 0;
612   }
613 
614   TimeTracerRAII TimeTracer(argv[0]);
615 
616   SMDiagnostic Err;
617 
618   Context.setDiscardValueNames(DiscardValueNames);
619   if (!DisableDITypeMap)
620     Context.enableDebugTypeODRUniquing();
621 
622   Expected<std::unique_ptr<ToolOutputFile>> RemarksFileOrErr =
623       setupLLVMOptimizationRemarks(Context, RemarksFilename, RemarksPasses,
624                                    RemarksFormat, RemarksWithHotness,
625                                    RemarksHotnessThreshold);
626   if (Error E = RemarksFileOrErr.takeError()) {
627     errs() << toString(std::move(E)) << '\n';
628     return 1;
629   }
630   std::unique_ptr<ToolOutputFile> RemarksFile = std::move(*RemarksFileOrErr);
631 
632   // Load the input module...
633   auto SetDataLayout = [](StringRef) -> Optional<std::string> {
634     if (ClDataLayout.empty())
635       return None;
636     return ClDataLayout;
637   };
638   std::unique_ptr<Module> M;
639   if (NoUpgradeDebugInfo)
640     M = parseAssemblyFileWithIndexNoUpgradeDebugInfo(
641             InputFilename, Err, Context, nullptr, SetDataLayout)
642             .Mod;
643   else
644     M = parseIRFile(InputFilename, Err, Context, SetDataLayout);
645 
646   if (!M) {
647     Err.print(argv[0], errs());
648     return 1;
649   }
650 
651   // Strip debug info before running the verifier.
652   if (StripDebug)
653     StripDebugInfo(*M);
654 
655   // Erase module-level named metadata, if requested.
656   if (StripNamedMetadata) {
657     while (!M->named_metadata_empty()) {
658       NamedMDNode *NMD = &*M->named_metadata_begin();
659       M->eraseNamedMetadata(NMD);
660     }
661   }
662 
663   // If we are supposed to override the target triple or data layout, do so now.
664   if (!TargetTriple.empty())
665     M->setTargetTriple(Triple::normalize(TargetTriple));
666 
667   // Immediately run the verifier to catch any problems before starting up the
668   // pass pipelines.  Otherwise we can crash on broken code during
669   // doInitialization().
670   if (!NoVerify && verifyModule(*M, &errs())) {
671     errs() << argv[0] << ": " << InputFilename
672            << ": error: input module is broken!\n";
673     return 1;
674   }
675 
676   // Enable testing of whole program devirtualization on this module by invoking
677   // the facility for updating public visibility to linkage unit visibility when
678   // specified by an internal option. This is normally done during LTO which is
679   // not performed via opt.
680   updateVCallVisibilityInModule(*M,
681                                 /* WholeProgramVisibilityEnabledInLTO */ false,
682                                 /* DynamicExportSymbols */ {});
683 
684   // Figure out what stream we are supposed to write to...
685   std::unique_ptr<ToolOutputFile> Out;
686   std::unique_ptr<ToolOutputFile> ThinLinkOut;
687   if (NoOutput) {
688     if (!OutputFilename.empty())
689       errs() << "WARNING: The -o (output filename) option is ignored when\n"
690                 "the --disable-output option is used.\n";
691   } else {
692     // Default to standard output.
693     if (OutputFilename.empty())
694       OutputFilename = "-";
695 
696     std::error_code EC;
697     sys::fs::OpenFlags Flags =
698         OutputAssembly ? sys::fs::OF_TextWithCRLF : sys::fs::OF_None;
699     Out.reset(new ToolOutputFile(OutputFilename, EC, Flags));
700     if (EC) {
701       errs() << EC.message() << '\n';
702       return 1;
703     }
704 
705     if (!ThinLinkBitcodeFile.empty()) {
706       ThinLinkOut.reset(
707           new ToolOutputFile(ThinLinkBitcodeFile, EC, sys::fs::OF_None));
708       if (EC) {
709         errs() << EC.message() << '\n';
710         return 1;
711       }
712     }
713   }
714 
715   Triple ModuleTriple(M->getTargetTriple());
716   std::string CPUStr, FeaturesStr;
717   TargetMachine *Machine = nullptr;
718   const TargetOptions Options =
719       codegen::InitTargetOptionsFromCodeGenFlags(ModuleTriple);
720 
721   if (ModuleTriple.getArch()) {
722     CPUStr = codegen::getCPUStr();
723     FeaturesStr = codegen::getFeaturesStr();
724     Machine = GetTargetMachine(ModuleTriple, CPUStr, FeaturesStr, Options);
725   } else if (ModuleTriple.getArchName() != "unknown" &&
726              ModuleTriple.getArchName() != "") {
727     errs() << argv[0] << ": unrecognized architecture '"
728            << ModuleTriple.getArchName() << "' provided.\n";
729     return 1;
730   }
731 
732   std::unique_ptr<TargetMachine> TM(Machine);
733 
734   // Override function attributes based on CPUStr, FeaturesStr, and command line
735   // flags.
736   codegen::setFunctionAttributes(CPUStr, FeaturesStr, *M);
737 
738   // If the output is set to be emitted to standard out, and standard out is a
739   // console, print out a warning message and refuse to do it.  We don't
740   // impress anyone by spewing tons of binary goo to a terminal.
741   if (!Force && !NoOutput && !OutputAssembly)
742     if (CheckBitcodeOutputToConsole(Out->os()))
743       NoOutput = true;
744 
745   if (OutputThinLTOBC)
746     M->addModuleFlag(Module::Error, "EnableSplitLTOUnit", SplitLTOUnit);
747 
748   // Add an appropriate TargetLibraryInfo pass for the module's triple.
749   TargetLibraryInfoImpl TLII(ModuleTriple);
750 
751   // The -disable-simplify-libcalls flag actually disables all builtin optzns.
752   if (DisableSimplifyLibCalls)
753     TLII.disableAllFunctions();
754   else {
755     // Disable individual builtin functions in TargetLibraryInfo.
756     LibFunc F;
757     for (auto &FuncName : DisableBuiltins)
758       if (TLII.getLibFunc(FuncName, F))
759         TLII.setUnavailable(F);
760       else {
761         errs() << argv[0] << ": cannot disable nonexistent builtin function "
762                << FuncName << '\n';
763         return 1;
764       }
765   }
766 
767   if (UseNPM) {
768     if (legacy::debugPassSpecified()) {
769       errs()
770           << "-debug-pass does not work with the new PM, either use "
771              "-debug-pass-manager, or use the legacy PM (-enable-new-pm=0)\n";
772       return 1;
773     }
774     if (PassPipeline.getNumOccurrences() > 0 && PassList.size() > 0) {
775       errs()
776           << "Cannot specify passes via both -foo-pass and --passes=foo-pass\n";
777       return 1;
778     }
779     auto NumOLevel = OptLevelO0 + OptLevelO1 + OptLevelO2 + OptLevelO3 +
780                      OptLevelOs + OptLevelOz;
781     if (NumOLevel > 1) {
782       errs() << "Cannot specify multiple -O#\n";
783       return 1;
784     }
785     if (NumOLevel > 0 &&
786         (PassPipeline.getNumOccurrences() > 0 || PassList.size() > 0)) {
787       errs() << "Cannot specify -O# and --passes=/--foo-pass, use "
788                 "-passes='default<O#>,other-pass'\n";
789       return 1;
790     }
791     std::string Pipeline = PassPipeline;
792 
793     SmallVector<StringRef, 4> Passes;
794     if (OptLevelO0)
795       Pipeline = "default<O0>";
796     if (OptLevelO1)
797       Pipeline = "default<O1>";
798     if (OptLevelO2)
799       Pipeline = "default<O2>";
800     if (OptLevelO3)
801       Pipeline = "default<O3>";
802     if (OptLevelOs)
803       Pipeline = "default<Os>";
804     if (OptLevelOz)
805       Pipeline = "default<Oz>";
806     for (const auto &P : PassList)
807       Passes.push_back(P->getPassArgument());
808     OutputKind OK = OK_NoOutput;
809     if (!NoOutput)
810       OK = OutputAssembly
811                ? OK_OutputAssembly
812                : (OutputThinLTOBC ? OK_OutputThinLTOBitcode : OK_OutputBitcode);
813 
814     VerifierKind VK = VK_VerifyInAndOut;
815     if (NoVerify)
816       VK = VK_NoVerifier;
817     else if (VerifyEach)
818       VK = VK_VerifyEachPass;
819 
820     // The user has asked to use the new pass manager and provided a pipeline
821     // string. Hand off the rest of the functionality to the new code for that
822     // layer.
823     return runPassPipeline(argv[0], *M, TM.get(), &TLII, Out.get(),
824                            ThinLinkOut.get(), RemarksFile.get(), Pipeline,
825                            Passes, PluginList, OK, VK, PreserveAssemblyUseListOrder,
826                            PreserveBitcodeUseListOrder, EmitSummaryIndex,
827                            EmitModuleHash, EnableDebugify)
828                ? 0
829                : 1;
830   }
831 
832   // Create a PassManager to hold and optimize the collection of passes we are
833   // about to build. If the -debugify-each option is set, wrap each pass with
834   // the (-check)-debugify passes.
835   DebugifyCustomPassManager Passes;
836   DebugifyStatsMap DIStatsMap;
837   DebugInfoPerPass DebugInfoBeforePass;
838   if (DebugifyEach) {
839     Passes.setDebugifyMode(DebugifyMode::SyntheticDebugInfo);
840     Passes.setDIStatsMap(DIStatsMap);
841   } else if (VerifyEachDebugInfoPreserve) {
842     Passes.setDebugifyMode(DebugifyMode::OriginalDebugInfo);
843     Passes.setDebugInfoBeforePass(DebugInfoBeforePass);
844     if (!VerifyDIPreserveExport.empty())
845       Passes.setOrigDIVerifyBugsReportFilePath(VerifyDIPreserveExport);
846   }
847 
848   bool AddOneTimeDebugifyPasses =
849       (EnableDebugify && !DebugifyEach) ||
850       (VerifyDebugInfoPreserve && !VerifyEachDebugInfoPreserve);
851 
852   Passes.add(new TargetLibraryInfoWrapperPass(TLII));
853 
854   // Add internal analysis passes from the target machine.
855   Passes.add(createTargetTransformInfoWrapperPass(TM ? TM->getTargetIRAnalysis()
856                                                      : TargetIRAnalysis()));
857 
858   if (AddOneTimeDebugifyPasses) {
859     if (EnableDebugify) {
860       Passes.setDIStatsMap(DIStatsMap);
861       Passes.add(createDebugifyModulePass());
862     } else if (VerifyDebugInfoPreserve) {
863       Passes.setDebugInfoBeforePass(DebugInfoBeforePass);
864       Passes.add(createDebugifyModulePass(
865           DebugifyMode::OriginalDebugInfo, "",
866           &(Passes.getDebugInfoPerPass())));
867     }
868   }
869 
870   std::unique_ptr<legacy::FunctionPassManager> FPasses;
871   if (OptLevelO0 || OptLevelO1 || OptLevelO2 || OptLevelOs || OptLevelOz ||
872       OptLevelO3) {
873     FPasses.reset(new legacy::FunctionPassManager(M.get()));
874     FPasses->add(createTargetTransformInfoWrapperPass(
875         TM ? TM->getTargetIRAnalysis() : TargetIRAnalysis()));
876   }
877 
878   if (PrintBreakpoints) {
879     // Default to standard output.
880     if (!Out) {
881       if (OutputFilename.empty())
882         OutputFilename = "-";
883 
884       std::error_code EC;
885       Out = std::make_unique<ToolOutputFile>(OutputFilename, EC,
886                                               sys::fs::OF_None);
887       if (EC) {
888         errs() << EC.message() << '\n';
889         return 1;
890       }
891     }
892     Passes.add(createBreakpointPrinter(Out->os()));
893     NoOutput = true;
894   }
895 
896   if (TM) {
897     // FIXME: We should dyn_cast this when supported.
898     auto &LTM = static_cast<LLVMTargetMachine &>(*TM);
899     Pass *TPC = LTM.createPassConfig(Passes);
900     Passes.add(TPC);
901   }
902 
903   // Create a new optimization pass for each one specified on the command line
904   for (unsigned i = 0; i < PassList.size(); ++i) {
905     if (OptLevelO0 && OptLevelO0.getPosition() < PassList.getPosition(i)) {
906       AddOptimizationPasses(Passes, *FPasses, TM.get(), 0, 0);
907       OptLevelO0 = false;
908     }
909 
910     if (OptLevelO1 && OptLevelO1.getPosition() < PassList.getPosition(i)) {
911       AddOptimizationPasses(Passes, *FPasses, TM.get(), 1, 0);
912       OptLevelO1 = false;
913     }
914 
915     if (OptLevelO2 && OptLevelO2.getPosition() < PassList.getPosition(i)) {
916       AddOptimizationPasses(Passes, *FPasses, TM.get(), 2, 0);
917       OptLevelO2 = false;
918     }
919 
920     if (OptLevelOs && OptLevelOs.getPosition() < PassList.getPosition(i)) {
921       AddOptimizationPasses(Passes, *FPasses, TM.get(), 2, 1);
922       OptLevelOs = false;
923     }
924 
925     if (OptLevelOz && OptLevelOz.getPosition() < PassList.getPosition(i)) {
926       AddOptimizationPasses(Passes, *FPasses, TM.get(), 2, 2);
927       OptLevelOz = false;
928     }
929 
930     if (OptLevelO3 && OptLevelO3.getPosition() < PassList.getPosition(i)) {
931       AddOptimizationPasses(Passes, *FPasses, TM.get(), 3, 0);
932       OptLevelO3 = false;
933     }
934 
935     const PassInfo *PassInf = PassList[i];
936     Pass *P = nullptr;
937     if (PassInf->getNormalCtor())
938       P = PassInf->getNormalCtor()();
939     else
940       errs() << argv[0] << ": cannot create pass: "
941              << PassInf->getPassName() << "\n";
942     if (P)
943       addPass(Passes, P);
944   }
945 
946   if (OptLevelO0)
947     AddOptimizationPasses(Passes, *FPasses, TM.get(), 0, 0);
948 
949   if (OptLevelO1)
950     AddOptimizationPasses(Passes, *FPasses, TM.get(), 1, 0);
951 
952   if (OptLevelO2)
953     AddOptimizationPasses(Passes, *FPasses, TM.get(), 2, 0);
954 
955   if (OptLevelOs)
956     AddOptimizationPasses(Passes, *FPasses, TM.get(), 2, 1);
957 
958   if (OptLevelOz)
959     AddOptimizationPasses(Passes, *FPasses, TM.get(), 2, 2);
960 
961   if (OptLevelO3)
962     AddOptimizationPasses(Passes, *FPasses, TM.get(), 3, 0);
963 
964   if (FPasses) {
965     FPasses->doInitialization();
966     for (Function &F : *M)
967       FPasses->run(F);
968     FPasses->doFinalization();
969   }
970 
971   // Check that the module is well formed on completion of optimization
972   if (!NoVerify && !VerifyEach)
973     Passes.add(createVerifierPass());
974 
975   if (AddOneTimeDebugifyPasses) {
976     if (EnableDebugify)
977       Passes.add(createCheckDebugifyModulePass(false));
978     else if (VerifyDebugInfoPreserve) {
979       if (!VerifyDIPreserveExport.empty())
980         Passes.setOrigDIVerifyBugsReportFilePath(VerifyDIPreserveExport);
981       Passes.add(createCheckDebugifyModulePass(
982           false, "", nullptr, DebugifyMode::OriginalDebugInfo,
983           &(Passes.getDebugInfoPerPass()), VerifyDIPreserveExport));
984     }
985   }
986 
987   // In run twice mode, we want to make sure the output is bit-by-bit
988   // equivalent if we run the pass manager again, so setup two buffers and
989   // a stream to write to them. Note that llc does something similar and it
990   // may be worth to abstract this out in the future.
991   SmallVector<char, 0> Buffer;
992   SmallVector<char, 0> FirstRunBuffer;
993   std::unique_ptr<raw_svector_ostream> BOS;
994   raw_ostream *OS = nullptr;
995 
996   const bool ShouldEmitOutput = !NoOutput;
997 
998   // Write bitcode or assembly to the output as the last step...
999   if (ShouldEmitOutput || RunTwice) {
1000     assert(Out);
1001     OS = &Out->os();
1002     if (RunTwice) {
1003       BOS = std::make_unique<raw_svector_ostream>(Buffer);
1004       OS = BOS.get();
1005     }
1006     if (OutputAssembly) {
1007       if (EmitSummaryIndex)
1008         report_fatal_error("Text output is incompatible with -module-summary");
1009       if (EmitModuleHash)
1010         report_fatal_error("Text output is incompatible with -module-hash");
1011       Passes.add(createPrintModulePass(*OS, "", PreserveAssemblyUseListOrder));
1012     } else if (OutputThinLTOBC)
1013       Passes.add(createWriteThinLTOBitcodePass(
1014           *OS, ThinLinkOut ? &ThinLinkOut->os() : nullptr));
1015     else
1016       Passes.add(createBitcodeWriterPass(*OS, PreserveBitcodeUseListOrder,
1017                                          EmitSummaryIndex, EmitModuleHash));
1018   }
1019 
1020   // Before executing passes, print the final values of the LLVM options.
1021   cl::PrintOptionValues();
1022 
1023   if (!RunTwice) {
1024     // Now that we have all of the passes ready, run them.
1025     Passes.run(*M);
1026   } else {
1027     // If requested, run all passes twice with the same pass manager to catch
1028     // bugs caused by persistent state in the passes.
1029     std::unique_ptr<Module> M2(CloneModule(*M));
1030     // Run all passes on the original module first, so the second run processes
1031     // the clone to catch CloneModule bugs.
1032     Passes.run(*M);
1033     FirstRunBuffer = Buffer;
1034     Buffer.clear();
1035 
1036     Passes.run(*M2);
1037 
1038     // Compare the two outputs and make sure they're the same
1039     assert(Out);
1040     if (Buffer.size() != FirstRunBuffer.size() ||
1041         (memcmp(Buffer.data(), FirstRunBuffer.data(), Buffer.size()) != 0)) {
1042       errs()
1043           << "Running the pass manager twice changed the output.\n"
1044              "Writing the result of the second run to the specified output.\n"
1045              "To generate the one-run comparison binary, just run without\n"
1046              "the compile-twice option\n";
1047       if (ShouldEmitOutput) {
1048         Out->os() << BOS->str();
1049         Out->keep();
1050       }
1051       if (RemarksFile)
1052         RemarksFile->keep();
1053       return 1;
1054     }
1055     if (ShouldEmitOutput)
1056       Out->os() << BOS->str();
1057   }
1058 
1059   if (DebugifyEach && !DebugifyExport.empty())
1060     exportDebugifyStats(DebugifyExport, Passes.getDebugifyStatsMap());
1061 
1062   // Declare success.
1063   if (!NoOutput || PrintBreakpoints)
1064     Out->keep();
1065 
1066   if (RemarksFile)
1067     RemarksFile->keep();
1068 
1069   if (ThinLinkOut)
1070     ThinLinkOut->keep();
1071 
1072   return 0;
1073 }
1074