xref: /llvm-project-15.0.7/llvm/tools/opt/opt.cpp (revision 498ee00a)
1 //===- opt.cpp - The LLVM Modular 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 // Optimizations may be specified an arbitrary number of times on the command
11 // line, They are run in the order specified.
12 //
13 //===----------------------------------------------------------------------===//
14 
15 #include "BreakpointPrinter.h"
16 #include "NewPMDriver.h"
17 #include "PassPrinters.h"
18 #include "llvm/ADT/Triple.h"
19 #include "llvm/Analysis/CallGraph.h"
20 #include "llvm/Analysis/CallGraphSCCPass.h"
21 #include "llvm/Analysis/LoopPass.h"
22 #include "llvm/Analysis/RegionPass.h"
23 #include "llvm/Analysis/TargetLibraryInfo.h"
24 #include "llvm/Analysis/TargetTransformInfo.h"
25 #include "llvm/Bitcode/BitcodeWriterPass.h"
26 #include "llvm/CodeGen/CommandFlags.h"
27 #include "llvm/IR/DataLayout.h"
28 #include "llvm/IR/DebugInfo.h"
29 #include "llvm/IR/IRPrintingPasses.h"
30 #include "llvm/IR/LLVMContext.h"
31 #include "llvm/IR/LegacyPassManager.h"
32 #include "llvm/IR/LegacyPassNameParser.h"
33 #include "llvm/IR/Module.h"
34 #include "llvm/IR/Verifier.h"
35 #include "llvm/IRReader/IRReader.h"
36 #include "llvm/InitializePasses.h"
37 #include "llvm/LinkAllIR.h"
38 #include "llvm/LinkAllPasses.h"
39 #include "llvm/MC/SubtargetFeature.h"
40 #include "llvm/Support/Debug.h"
41 #include "llvm/Support/FileSystem.h"
42 #include "llvm/Support/Host.h"
43 #include "llvm/Support/ManagedStatic.h"
44 #include "llvm/Support/PluginLoader.h"
45 #include "llvm/Support/PrettyStackTrace.h"
46 #include "llvm/Support/Signals.h"
47 #include "llvm/Support/SourceMgr.h"
48 #include "llvm/Support/SystemUtils.h"
49 #include "llvm/Support/TargetRegistry.h"
50 #include "llvm/Support/TargetSelect.h"
51 #include "llvm/Support/ToolOutputFile.h"
52 #include "llvm/Support/YAMLTraits.h"
53 #include "llvm/Target/TargetMachine.h"
54 #include "llvm/Transforms/Coroutines.h"
55 #include "llvm/Transforms/IPO/AlwaysInliner.h"
56 #include "llvm/Transforms/IPO/PassManagerBuilder.h"
57 #include "llvm/Transforms/Utils/Cloning.h"
58 #include <algorithm>
59 #include <memory>
60 using namespace llvm;
61 using namespace opt_tool;
62 
63 // The OptimizationList is automatically populated with registered Passes by the
64 // PassNameParser.
65 //
66 static cl::list<const PassInfo*, bool, PassNameParser>
67 PassList(cl::desc("Optimizations available:"));
68 
69 // This flag specifies a textual description of the optimization pass pipeline
70 // to run over the module. This flag switches opt to use the new pass manager
71 // infrastructure, completely disabling all of the flags specific to the old
72 // pass management.
73 static cl::opt<std::string> PassPipeline(
74     "passes",
75     cl::desc("A textual description of the pass pipeline for optimizing"),
76     cl::Hidden);
77 
78 // Other command line options...
79 //
80 static cl::opt<std::string>
81 InputFilename(cl::Positional, cl::desc("<input bitcode file>"),
82     cl::init("-"), cl::value_desc("filename"));
83 
84 static cl::opt<std::string>
85 OutputFilename("o", cl::desc("Override output filename"),
86                cl::value_desc("filename"));
87 
88 static cl::opt<bool>
89 Force("f", cl::desc("Enable binary output on terminals"));
90 
91 static cl::opt<bool>
92 PrintEachXForm("p", cl::desc("Print module after each transformation"));
93 
94 static cl::opt<bool>
95 NoOutput("disable-output",
96          cl::desc("Do not write result bitcode file"), cl::Hidden);
97 
98 static cl::opt<bool>
99 OutputAssembly("S", cl::desc("Write output as LLVM assembly"));
100 
101 static cl::opt<bool>
102 NoVerify("disable-verify", cl::desc("Do not run the verifier"), cl::Hidden);
103 
104 static cl::opt<bool>
105 VerifyEach("verify-each", cl::desc("Verify after each transform"));
106 
107 static cl::opt<bool>
108     DisableDITypeMap("disable-debug-info-type-map",
109                      cl::desc("Don't use a uniquing type map for debug info"));
110 
111 static cl::opt<bool>
112 StripDebug("strip-debug",
113            cl::desc("Strip debugger symbol info from translation unit"));
114 
115 static cl::opt<bool>
116 DisableInline("disable-inlining", cl::desc("Do not run the inliner pass"));
117 
118 static cl::opt<bool>
119 DisableOptimizations("disable-opt",
120                      cl::desc("Do not run any optimization passes"));
121 
122 static cl::opt<bool>
123 StandardLinkOpts("std-link-opts",
124                  cl::desc("Include the standard link time optimizations"));
125 
126 static cl::opt<bool>
127 OptLevelO0("O0",
128   cl::desc("Optimization level 0. Similar to clang -O0"));
129 
130 static cl::opt<bool>
131 OptLevelO1("O1",
132            cl::desc("Optimization level 1. Similar to clang -O1"));
133 
134 static cl::opt<bool>
135 OptLevelO2("O2",
136            cl::desc("Optimization level 2. Similar to clang -O2"));
137 
138 static cl::opt<bool>
139 OptLevelOs("Os",
140            cl::desc("Like -O2 with extra optimizations for size. Similar to clang -Os"));
141 
142 static cl::opt<bool>
143 OptLevelOz("Oz",
144            cl::desc("Like -Os but reduces code size further. Similar to clang -Oz"));
145 
146 static cl::opt<bool>
147 OptLevelO3("O3",
148            cl::desc("Optimization level 3. Similar to clang -O3"));
149 
150 static cl::opt<unsigned>
151 CodeGenOptLevel("codegen-opt-level",
152                 cl::desc("Override optimization level for codegen hooks"));
153 
154 static cl::opt<std::string>
155 TargetTriple("mtriple", cl::desc("Override target triple for module"));
156 
157 static cl::opt<bool>
158 UnitAtATime("funit-at-a-time",
159             cl::desc("Enable IPO. This corresponds to gcc's -funit-at-a-time"),
160             cl::init(true));
161 
162 static cl::opt<bool>
163 DisableLoopUnrolling("disable-loop-unrolling",
164                      cl::desc("Disable loop unrolling in all relevant passes"),
165                      cl::init(false));
166 static cl::opt<bool>
167 DisableLoopVectorization("disable-loop-vectorization",
168                      cl::desc("Disable the loop vectorization pass"),
169                      cl::init(false));
170 
171 static cl::opt<bool>
172 DisableSLPVectorization("disable-slp-vectorization",
173                         cl::desc("Disable the slp vectorization pass"),
174                         cl::init(false));
175 
176 static cl::opt<bool> EmitSummaryIndex("module-summary",
177                                       cl::desc("Emit module summary index"),
178                                       cl::init(false));
179 
180 static cl::opt<bool> EmitModuleHash("module-hash", cl::desc("Emit module hash"),
181                                     cl::init(false));
182 
183 static cl::opt<bool>
184 DisableSimplifyLibCalls("disable-simplify-libcalls",
185                         cl::desc("Disable simplify-libcalls"));
186 
187 static cl::opt<bool>
188 Quiet("q", cl::desc("Obsolete option"), cl::Hidden);
189 
190 static cl::alias
191 QuietA("quiet", cl::desc("Alias for -q"), cl::aliasopt(Quiet));
192 
193 static cl::opt<bool>
194 AnalyzeOnly("analyze", cl::desc("Only perform analysis, no optimization"));
195 
196 static cl::opt<bool>
197 PrintBreakpoints("print-breakpoints-for-testing",
198                  cl::desc("Print select breakpoints location for testing"));
199 
200 static cl::opt<std::string>
201 DefaultDataLayout("default-data-layout",
202           cl::desc("data layout string to use if not specified by module"),
203           cl::value_desc("layout-string"), cl::init(""));
204 
205 static cl::opt<bool> PreserveBitcodeUseListOrder(
206     "preserve-bc-uselistorder",
207     cl::desc("Preserve use-list order when writing LLVM bitcode."),
208     cl::init(true), cl::Hidden);
209 
210 static cl::opt<bool> PreserveAssemblyUseListOrder(
211     "preserve-ll-uselistorder",
212     cl::desc("Preserve use-list order when writing LLVM assembly."),
213     cl::init(false), cl::Hidden);
214 
215 static cl::opt<bool>
216     RunTwice("run-twice",
217              cl::desc("Run all passes twice, re-using the same pass manager."),
218              cl::init(false), cl::Hidden);
219 
220 static cl::opt<bool> DiscardValueNames(
221     "discard-value-names",
222     cl::desc("Discard names from Value (other than GlobalValue)."),
223     cl::init(false), cl::Hidden);
224 
225 static cl::opt<bool> Coroutines(
226   "enable-coroutines",
227   cl::desc("Enable coroutine passes."),
228   cl::init(false), cl::Hidden);
229 
230 static cl::opt<bool> PassRemarksWithHotness(
231     "pass-remarks-with-hotness",
232     cl::desc("With PGO, include profile count in optimization remarks"),
233     cl::Hidden);
234 
235 static cl::opt<std::string>
236     RemarksFilename("pass-remarks-output",
237                     cl::desc("YAML output filename for pass remarks"),
238                     cl::value_desc("filename"));
239 
240 static inline void addPass(legacy::PassManagerBase &PM, Pass *P) {
241   // Add the pass to the pass manager...
242   PM.add(P);
243 
244   // If we are verifying all of the intermediate steps, add the verifier...
245   if (VerifyEach)
246     PM.add(createVerifierPass());
247 }
248 
249 /// This routine adds optimization passes based on selected optimization level,
250 /// OptLevel.
251 ///
252 /// OptLevel - Optimization Level
253 static void AddOptimizationPasses(legacy::PassManagerBase &MPM,
254                                   legacy::FunctionPassManager &FPM,
255                                   TargetMachine *TM, unsigned OptLevel,
256                                   unsigned SizeLevel) {
257   if (!NoVerify || VerifyEach)
258     FPM.add(createVerifierPass()); // Verify that input is correct
259 
260   PassManagerBuilder Builder;
261   Builder.OptLevel = OptLevel;
262   Builder.SizeLevel = SizeLevel;
263 
264   if (DisableInline) {
265     // No inlining pass
266   } else if (OptLevel > 1) {
267     Builder.Inliner = createFunctionInliningPass(OptLevel, SizeLevel);
268   } else {
269     Builder.Inliner = createAlwaysInlinerLegacyPass();
270   }
271   Builder.DisableUnitAtATime = !UnitAtATime;
272   Builder.DisableUnrollLoops = (DisableLoopUnrolling.getNumOccurrences() > 0) ?
273                                DisableLoopUnrolling : OptLevel == 0;
274 
275   // This is final, unless there is a #pragma vectorize enable
276   if (DisableLoopVectorization)
277     Builder.LoopVectorize = false;
278   // If option wasn't forced via cmd line (-vectorize-loops, -loop-vectorize)
279   else if (!Builder.LoopVectorize)
280     Builder.LoopVectorize = OptLevel > 1 && SizeLevel < 2;
281 
282   // When #pragma vectorize is on for SLP, do the same as above
283   Builder.SLPVectorize =
284       DisableSLPVectorization ? false : OptLevel > 1 && SizeLevel < 2;
285 
286   // Add target-specific passes that need to run as early as possible.
287   if (TM)
288     Builder.addExtension(
289         PassManagerBuilder::EP_EarlyAsPossible,
290         [&](const PassManagerBuilder &, legacy::PassManagerBase &PM) {
291           TM->addEarlyAsPossiblePasses(PM);
292         });
293 
294   if (Coroutines)
295     addCoroutinePassesToExtensionPoints(Builder);
296 
297   Builder.populateFunctionPassManager(FPM);
298   Builder.populateModulePassManager(MPM);
299 }
300 
301 static void AddStandardLinkPasses(legacy::PassManagerBase &PM) {
302   PassManagerBuilder Builder;
303   Builder.VerifyInput = true;
304   if (DisableOptimizations)
305     Builder.OptLevel = 0;
306 
307   if (!DisableInline)
308     Builder.Inliner = createFunctionInliningPass();
309   Builder.populateLTOPassManager(PM);
310 }
311 
312 //===----------------------------------------------------------------------===//
313 // CodeGen-related helper functions.
314 //
315 
316 static CodeGenOpt::Level GetCodeGenOptLevel() {
317   if (CodeGenOptLevel.getNumOccurrences())
318     return static_cast<CodeGenOpt::Level>(unsigned(CodeGenOptLevel));
319   if (OptLevelO1)
320     return CodeGenOpt::Less;
321   if (OptLevelO2)
322     return CodeGenOpt::Default;
323   if (OptLevelO3)
324     return CodeGenOpt::Aggressive;
325   return CodeGenOpt::None;
326 }
327 
328 // Returns the TargetMachine instance or zero if no triple is provided.
329 static TargetMachine* GetTargetMachine(Triple TheTriple, StringRef CPUStr,
330                                        StringRef FeaturesStr,
331                                        const TargetOptions &Options) {
332   std::string Error;
333   const Target *TheTarget = TargetRegistry::lookupTarget(MArch, TheTriple,
334                                                          Error);
335   // Some modules don't specify a triple, and this is okay.
336   if (!TheTarget) {
337     return nullptr;
338   }
339 
340   return TheTarget->createTargetMachine(TheTriple.getTriple(), CPUStr,
341                                         FeaturesStr, Options, getRelocModel(),
342                                         CMModel, GetCodeGenOptLevel());
343 }
344 
345 #ifdef LINK_POLLY_INTO_TOOLS
346 namespace polly {
347 void initializePollyPasses(llvm::PassRegistry &Registry);
348 }
349 #endif
350 
351 //===----------------------------------------------------------------------===//
352 // main for opt
353 //
354 int main(int argc, char **argv) {
355   sys::PrintStackTraceOnErrorSignal(argv[0]);
356   llvm::PrettyStackTraceProgram X(argc, argv);
357 
358   // Enable debug stream buffering.
359   EnableDebugBuffering = true;
360 
361   llvm_shutdown_obj Y;  // Call llvm_shutdown() on exit.
362   LLVMContext Context;
363 
364   InitializeAllTargets();
365   InitializeAllTargetMCs();
366   InitializeAllAsmPrinters();
367 
368   // Initialize passes
369   PassRegistry &Registry = *PassRegistry::getPassRegistry();
370   initializeCore(Registry);
371   initializeCoroutines(Registry);
372   initializeScalarOpts(Registry);
373   initializeObjCARCOpts(Registry);
374   initializeVectorization(Registry);
375   initializeIPO(Registry);
376   initializeAnalysis(Registry);
377   initializeTransformUtils(Registry);
378   initializeInstCombine(Registry);
379   initializeInstrumentation(Registry);
380   initializeTarget(Registry);
381   // For codegen passes, only passes that do IR to IR transformation are
382   // supported.
383   initializeCodeGenPreparePass(Registry);
384   initializeAtomicExpandPass(Registry);
385   initializeRewriteSymbolsLegacyPassPass(Registry);
386   initializeWinEHPreparePass(Registry);
387   initializeDwarfEHPreparePass(Registry);
388   initializeSafeStackPass(Registry);
389   initializeSjLjEHPreparePass(Registry);
390   initializePreISelIntrinsicLoweringLegacyPassPass(Registry);
391   initializeGlobalMergePass(Registry);
392   initializeInterleavedAccessPass(Registry);
393   initializeCountingFunctionInserterPass(Registry);
394   initializeUnreachableBlockElimLegacyPassPass(Registry);
395 
396 #ifdef LINK_POLLY_INTO_TOOLS
397   polly::initializePollyPasses(Registry);
398 #endif
399 
400   cl::ParseCommandLineOptions(argc, argv,
401     "llvm .bc -> .bc modular optimizer and analysis printer\n");
402 
403   if (AnalyzeOnly && NoOutput) {
404     errs() << argv[0] << ": analyze mode conflicts with no-output mode.\n";
405     return 1;
406   }
407 
408   SMDiagnostic Err;
409 
410   Context.setDiscardValueNames(DiscardValueNames);
411   if (!DisableDITypeMap)
412     Context.enableDebugTypeODRUniquing();
413 
414   if (PassRemarksWithHotness)
415     Context.setDiagnosticHotnessRequested(true);
416 
417   std::unique_ptr<tool_output_file> YamlFile;
418   if (RemarksFilename != "") {
419     std::error_code EC;
420     YamlFile = llvm::make_unique<tool_output_file>(RemarksFilename, EC,
421                                                    sys::fs::F_None);
422     if (EC) {
423       errs() << EC.message() << '\n';
424       return 1;
425     }
426     Context.setDiagnosticsOutputFile(new yaml::Output(YamlFile->os()));
427   }
428 
429   // Load the input module...
430   std::unique_ptr<Module> M = parseIRFile(InputFilename, Err, Context);
431 
432   if (!M) {
433     Err.print(argv[0], errs());
434     return 1;
435   }
436 
437   // Strip debug info before running the verifier.
438   if (StripDebug)
439     StripDebugInfo(*M);
440 
441   // Immediately run the verifier to catch any problems before starting up the
442   // pass pipelines.  Otherwise we can crash on broken code during
443   // doInitialization().
444   if (!NoVerify && verifyModule(*M, &errs())) {
445     errs() << argv[0] << ": " << InputFilename
446            << ": error: input module is broken!\n";
447     return 1;
448   }
449 
450   // If we are supposed to override the target triple, do so now.
451   if (!TargetTriple.empty())
452     M->setTargetTriple(Triple::normalize(TargetTriple));
453 
454   // Figure out what stream we are supposed to write to...
455   std::unique_ptr<tool_output_file> Out;
456   if (NoOutput) {
457     if (!OutputFilename.empty())
458       errs() << "WARNING: The -o (output filename) option is ignored when\n"
459                 "the --disable-output option is used.\n";
460   } else {
461     // Default to standard output.
462     if (OutputFilename.empty())
463       OutputFilename = "-";
464 
465     std::error_code EC;
466     Out.reset(new tool_output_file(OutputFilename, EC, sys::fs::F_None));
467     if (EC) {
468       errs() << EC.message() << '\n';
469       return 1;
470     }
471   }
472 
473   Triple ModuleTriple(M->getTargetTriple());
474   std::string CPUStr, FeaturesStr;
475   TargetMachine *Machine = nullptr;
476   const TargetOptions Options = InitTargetOptionsFromCodeGenFlags();
477 
478   if (ModuleTriple.getArch()) {
479     CPUStr = getCPUStr();
480     FeaturesStr = getFeaturesStr();
481     Machine = GetTargetMachine(ModuleTriple, CPUStr, FeaturesStr, Options);
482   }
483 
484   std::unique_ptr<TargetMachine> TM(Machine);
485 
486   // Override function attributes based on CPUStr, FeaturesStr, and command line
487   // flags.
488   setFunctionAttributes(CPUStr, FeaturesStr, *M);
489 
490   // If the output is set to be emitted to standard out, and standard out is a
491   // console, print out a warning message and refuse to do it.  We don't
492   // impress anyone by spewing tons of binary goo to a terminal.
493   if (!Force && !NoOutput && !AnalyzeOnly && !OutputAssembly)
494     if (CheckBitcodeOutputToConsole(Out->os(), !Quiet))
495       NoOutput = true;
496 
497   if (PassPipeline.getNumOccurrences() > 0) {
498     OutputKind OK = OK_NoOutput;
499     if (!NoOutput)
500       OK = OutputAssembly ? OK_OutputAssembly : OK_OutputBitcode;
501 
502     VerifierKind VK = VK_VerifyInAndOut;
503     if (NoVerify)
504       VK = VK_NoVerifier;
505     else if (VerifyEach)
506       VK = VK_VerifyEachPass;
507 
508     // The user has asked to use the new pass manager and provided a pipeline
509     // string. Hand off the rest of the functionality to the new code for that
510     // layer.
511     return runPassPipeline(argv[0], *M, TM.get(), Out.get(),
512                            PassPipeline, OK, VK, PreserveAssemblyUseListOrder,
513                            PreserveBitcodeUseListOrder, EmitSummaryIndex,
514                            EmitModuleHash)
515                ? 0
516                : 1;
517   }
518 
519   // Create a PassManager to hold and optimize the collection of passes we are
520   // about to build.
521   //
522   legacy::PassManager Passes;
523 
524   // Add an appropriate TargetLibraryInfo pass for the module's triple.
525   TargetLibraryInfoImpl TLII(ModuleTriple);
526 
527   // The -disable-simplify-libcalls flag actually disables all builtin optzns.
528   if (DisableSimplifyLibCalls)
529     TLII.disableAllFunctions();
530   Passes.add(new TargetLibraryInfoWrapperPass(TLII));
531 
532   // Add an appropriate DataLayout instance for this module.
533   const DataLayout &DL = M->getDataLayout();
534   if (DL.isDefault() && !DefaultDataLayout.empty()) {
535     M->setDataLayout(DefaultDataLayout);
536   }
537 
538   // Add internal analysis passes from the target machine.
539   Passes.add(createTargetTransformInfoWrapperPass(TM ? TM->getTargetIRAnalysis()
540                                                      : TargetIRAnalysis()));
541 
542   std::unique_ptr<legacy::FunctionPassManager> FPasses;
543   if (OptLevelO0 || OptLevelO1 || OptLevelO2 || OptLevelOs || OptLevelOz ||
544       OptLevelO3) {
545     FPasses.reset(new legacy::FunctionPassManager(M.get()));
546     FPasses->add(createTargetTransformInfoWrapperPass(
547         TM ? TM->getTargetIRAnalysis() : TargetIRAnalysis()));
548   }
549 
550   if (PrintBreakpoints) {
551     // Default to standard output.
552     if (!Out) {
553       if (OutputFilename.empty())
554         OutputFilename = "-";
555 
556       std::error_code EC;
557       Out = llvm::make_unique<tool_output_file>(OutputFilename, EC,
558                                                 sys::fs::F_None);
559       if (EC) {
560         errs() << EC.message() << '\n';
561         return 1;
562       }
563     }
564     Passes.add(createBreakpointPrinter(Out->os()));
565     NoOutput = true;
566   }
567 
568   // Create a new optimization pass for each one specified on the command line
569   for (unsigned i = 0; i < PassList.size(); ++i) {
570     if (StandardLinkOpts &&
571         StandardLinkOpts.getPosition() < PassList.getPosition(i)) {
572       AddStandardLinkPasses(Passes);
573       StandardLinkOpts = false;
574     }
575 
576     if (OptLevelO0 && OptLevelO0.getPosition() < PassList.getPosition(i)) {
577       AddOptimizationPasses(Passes, *FPasses, TM.get(), 0, 0);
578       OptLevelO0 = false;
579     }
580 
581     if (OptLevelO1 && OptLevelO1.getPosition() < PassList.getPosition(i)) {
582       AddOptimizationPasses(Passes, *FPasses, TM.get(), 1, 0);
583       OptLevelO1 = false;
584     }
585 
586     if (OptLevelO2 && OptLevelO2.getPosition() < PassList.getPosition(i)) {
587       AddOptimizationPasses(Passes, *FPasses, TM.get(), 2, 0);
588       OptLevelO2 = false;
589     }
590 
591     if (OptLevelOs && OptLevelOs.getPosition() < PassList.getPosition(i)) {
592       AddOptimizationPasses(Passes, *FPasses, TM.get(), 2, 1);
593       OptLevelOs = false;
594     }
595 
596     if (OptLevelOz && OptLevelOz.getPosition() < PassList.getPosition(i)) {
597       AddOptimizationPasses(Passes, *FPasses, TM.get(), 2, 2);
598       OptLevelOz = false;
599     }
600 
601     if (OptLevelO3 && OptLevelO3.getPosition() < PassList.getPosition(i)) {
602       AddOptimizationPasses(Passes, *FPasses, TM.get(), 3, 0);
603       OptLevelO3 = false;
604     }
605 
606     const PassInfo *PassInf = PassList[i];
607     Pass *P = nullptr;
608     if (PassInf->getTargetMachineCtor())
609       P = PassInf->getTargetMachineCtor()(TM.get());
610     else if (PassInf->getNormalCtor())
611       P = PassInf->getNormalCtor()();
612     else
613       errs() << argv[0] << ": cannot create pass: "
614              << PassInf->getPassName() << "\n";
615     if (P) {
616       PassKind Kind = P->getPassKind();
617       addPass(Passes, P);
618 
619       if (AnalyzeOnly) {
620         switch (Kind) {
621         case PT_BasicBlock:
622           Passes.add(createBasicBlockPassPrinter(PassInf, Out->os(), Quiet));
623           break;
624         case PT_Region:
625           Passes.add(createRegionPassPrinter(PassInf, Out->os(), Quiet));
626           break;
627         case PT_Loop:
628           Passes.add(createLoopPassPrinter(PassInf, Out->os(), Quiet));
629           break;
630         case PT_Function:
631           Passes.add(createFunctionPassPrinter(PassInf, Out->os(), Quiet));
632           break;
633         case PT_CallGraphSCC:
634           Passes.add(createCallGraphPassPrinter(PassInf, Out->os(), Quiet));
635           break;
636         default:
637           Passes.add(createModulePassPrinter(PassInf, Out->os(), Quiet));
638           break;
639         }
640       }
641     }
642 
643     if (PrintEachXForm)
644       Passes.add(
645           createPrintModulePass(errs(), "", PreserveAssemblyUseListOrder));
646   }
647 
648   if (StandardLinkOpts) {
649     AddStandardLinkPasses(Passes);
650     StandardLinkOpts = false;
651   }
652 
653   if (OptLevelO0)
654     AddOptimizationPasses(Passes, *FPasses, TM.get(), 0, 0);
655 
656   if (OptLevelO1)
657     AddOptimizationPasses(Passes, *FPasses, TM.get(), 1, 0);
658 
659   if (OptLevelO2)
660     AddOptimizationPasses(Passes, *FPasses, TM.get(), 2, 0);
661 
662   if (OptLevelOs)
663     AddOptimizationPasses(Passes, *FPasses, TM.get(), 2, 1);
664 
665   if (OptLevelOz)
666     AddOptimizationPasses(Passes, *FPasses, TM.get(), 2, 2);
667 
668   if (OptLevelO3)
669     AddOptimizationPasses(Passes, *FPasses, TM.get(), 3, 0);
670 
671   if (FPasses) {
672     FPasses->doInitialization();
673     for (Function &F : *M)
674       FPasses->run(F);
675     FPasses->doFinalization();
676   }
677 
678   // Check that the module is well formed on completion of optimization
679   if (!NoVerify && !VerifyEach)
680     Passes.add(createVerifierPass());
681 
682   // In run twice mode, we want to make sure the output is bit-by-bit
683   // equivalent if we run the pass manager again, so setup two buffers and
684   // a stream to write to them. Note that llc does something similar and it
685   // may be worth to abstract this out in the future.
686   SmallVector<char, 0> Buffer;
687   SmallVector<char, 0> CompileTwiceBuffer;
688   std::unique_ptr<raw_svector_ostream> BOS;
689   raw_ostream *OS = nullptr;
690 
691   // Write bitcode or assembly to the output as the last step...
692   if (!NoOutput && !AnalyzeOnly) {
693     assert(Out);
694     OS = &Out->os();
695     if (RunTwice) {
696       BOS = make_unique<raw_svector_ostream>(Buffer);
697       OS = BOS.get();
698     }
699     if (OutputAssembly) {
700       if (EmitSummaryIndex)
701         report_fatal_error("Text output is incompatible with -module-summary");
702       if (EmitModuleHash)
703         report_fatal_error("Text output is incompatible with -module-hash");
704       Passes.add(createPrintModulePass(*OS, "", PreserveAssemblyUseListOrder));
705     } else
706       Passes.add(createBitcodeWriterPass(*OS, PreserveBitcodeUseListOrder,
707                                          EmitSummaryIndex, EmitModuleHash));
708   }
709 
710   // Before executing passes, print the final values of the LLVM options.
711   cl::PrintOptionValues();
712 
713   // If requested, run all passes again with the same pass manager to catch
714   // bugs caused by persistent state in the passes
715   if (RunTwice) {
716       std::unique_ptr<Module> M2(CloneModule(M.get()));
717       Passes.run(*M2);
718       CompileTwiceBuffer = Buffer;
719       Buffer.clear();
720   }
721 
722   // Now that we have all of the passes ready, run them.
723   Passes.run(*M);
724 
725   // Compare the two outputs and make sure they're the same
726   if (RunTwice) {
727     assert(Out);
728     if (Buffer.size() != CompileTwiceBuffer.size() ||
729         (memcmp(Buffer.data(), CompileTwiceBuffer.data(), Buffer.size()) !=
730          0)) {
731       errs() << "Running the pass manager twice changed the output.\n"
732                 "Writing the result of the second run to the specified output.\n"
733                 "To generate the one-run comparison binary, just run without\n"
734                 "the compile-twice option\n";
735       Out->os() << BOS->str();
736       Out->keep();
737       if (YamlFile)
738         YamlFile->keep();
739       return 1;
740     }
741     Out->os() << BOS->str();
742   }
743 
744   // Declare success.
745   if (!NoOutput || PrintBreakpoints)
746     Out->keep();
747 
748   if (YamlFile)
749     YamlFile->keep();
750 
751   return 0;
752 }
753