xref: /llvm-project/clang/lib/Frontend/CompilerInvocation.cpp (revision da0a7d5cfb0c65bcb54a1ba5ed6c93bb906648e4)
1 //===- CompilerInvocation.cpp ---------------------------------------------===//
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 #include "clang/Frontend/CompilerInvocation.h"
10 #include "TestModuleFileExtension.h"
11 #include "clang/Basic/Builtins.h"
12 #include "clang/Basic/CharInfo.h"
13 #include "clang/Basic/CodeGenOptions.h"
14 #include "clang/Basic/CommentOptions.h"
15 #include "clang/Basic/Diagnostic.h"
16 #include "clang/Basic/DiagnosticDriver.h"
17 #include "clang/Basic/DiagnosticOptions.h"
18 #include "clang/Basic/FileSystemOptions.h"
19 #include "clang/Basic/LLVM.h"
20 #include "clang/Basic/LangOptions.h"
21 #include "clang/Basic/LangStandard.h"
22 #include "clang/Basic/ObjCRuntime.h"
23 #include "clang/Basic/Sanitizers.h"
24 #include "clang/Basic/SourceLocation.h"
25 #include "clang/Basic/TargetOptions.h"
26 #include "clang/Basic/Version.h"
27 #include "clang/Basic/Visibility.h"
28 #include "clang/Basic/XRayInstr.h"
29 #include "clang/Config/config.h"
30 #include "clang/Driver/Driver.h"
31 #include "clang/Driver/DriverDiagnostic.h"
32 #include "clang/Driver/Options.h"
33 #include "clang/Frontend/CommandLineSourceLoc.h"
34 #include "clang/Frontend/DependencyOutputOptions.h"
35 #include "clang/Frontend/FrontendDiagnostic.h"
36 #include "clang/Frontend/FrontendOptions.h"
37 #include "clang/Frontend/FrontendPluginRegistry.h"
38 #include "clang/Frontend/MigratorOptions.h"
39 #include "clang/Frontend/PreprocessorOutputOptions.h"
40 #include "clang/Frontend/TextDiagnosticBuffer.h"
41 #include "clang/Frontend/Utils.h"
42 #include "clang/Lex/HeaderSearchOptions.h"
43 #include "clang/Lex/PreprocessorOptions.h"
44 #include "clang/Sema/CodeCompleteOptions.h"
45 #include "clang/Serialization/ASTBitCodes.h"
46 #include "clang/Serialization/ModuleFileExtension.h"
47 #include "clang/StaticAnalyzer/Core/AnalyzerOptions.h"
48 #include "llvm/ADT/APInt.h"
49 #include "llvm/ADT/ArrayRef.h"
50 #include "llvm/ADT/CachedHashString.h"
51 #include "llvm/ADT/DenseSet.h"
52 #include "llvm/ADT/FloatingPointMode.h"
53 #include "llvm/ADT/Hashing.h"
54 #include "llvm/ADT/STLExtras.h"
55 #include "llvm/ADT/SmallString.h"
56 #include "llvm/ADT/SmallVector.h"
57 #include "llvm/ADT/StringRef.h"
58 #include "llvm/ADT/StringSwitch.h"
59 #include "llvm/ADT/Twine.h"
60 #include "llvm/Config/llvm-config.h"
61 #include "llvm/Frontend/Debug/Options.h"
62 #include "llvm/IR/DebugInfoMetadata.h"
63 #include "llvm/Linker/Linker.h"
64 #include "llvm/MC/MCTargetOptions.h"
65 #include "llvm/Option/Arg.h"
66 #include "llvm/Option/ArgList.h"
67 #include "llvm/Option/OptSpecifier.h"
68 #include "llvm/Option/OptTable.h"
69 #include "llvm/Option/Option.h"
70 #include "llvm/ProfileData/InstrProfReader.h"
71 #include "llvm/Remarks/HotnessThresholdParser.h"
72 #include "llvm/Support/CodeGen.h"
73 #include "llvm/Support/Compiler.h"
74 #include "llvm/Support/Error.h"
75 #include "llvm/Support/ErrorHandling.h"
76 #include "llvm/Support/ErrorOr.h"
77 #include "llvm/Support/FileSystem.h"
78 #include "llvm/Support/HashBuilder.h"
79 #include "llvm/Support/MathExtras.h"
80 #include "llvm/Support/MemoryBuffer.h"
81 #include "llvm/Support/Path.h"
82 #include "llvm/Support/Process.h"
83 #include "llvm/Support/Regex.h"
84 #include "llvm/Support/VersionTuple.h"
85 #include "llvm/Support/VirtualFileSystem.h"
86 #include "llvm/Support/raw_ostream.h"
87 #include "llvm/Target/TargetOptions.h"
88 #include "llvm/TargetParser/Host.h"
89 #include "llvm/TargetParser/Triple.h"
90 #include <algorithm>
91 #include <atomic>
92 #include <cassert>
93 #include <cstddef>
94 #include <cstring>
95 #include <ctime>
96 #include <fstream>
97 #include <limits>
98 #include <memory>
99 #include <optional>
100 #include <string>
101 #include <tuple>
102 #include <type_traits>
103 #include <utility>
104 #include <vector>
105 
106 using namespace clang;
107 using namespace driver;
108 using namespace options;
109 using namespace llvm::opt;
110 
111 //===----------------------------------------------------------------------===//
112 // Helpers.
113 //===----------------------------------------------------------------------===//
114 
115 // Parse misexpect tolerance argument value.
116 // Valid option values are integers in the range [0, 100)
117 static Expected<std::optional<uint32_t>> parseToleranceOption(StringRef Arg) {
118   uint32_t Val;
119   if (Arg.getAsInteger(10, Val))
120     return llvm::createStringError(llvm::inconvertibleErrorCode(),
121                                    "Not an integer: %s", Arg.data());
122   return Val;
123 }
124 
125 //===----------------------------------------------------------------------===//
126 // Initialization.
127 //===----------------------------------------------------------------------===//
128 
129 CompilerInvocationRefBase::CompilerInvocationRefBase()
130     : LangOpts(new LangOptions()), TargetOpts(new TargetOptions()),
131       DiagnosticOpts(new DiagnosticOptions()),
132       HeaderSearchOpts(new HeaderSearchOptions()),
133       PreprocessorOpts(new PreprocessorOptions()),
134       AnalyzerOpts(new AnalyzerOptions()) {}
135 
136 CompilerInvocationRefBase::CompilerInvocationRefBase(
137     const CompilerInvocationRefBase &X)
138     : LangOpts(new LangOptions(*X.getLangOpts())),
139       TargetOpts(new TargetOptions(X.getTargetOpts())),
140       DiagnosticOpts(new DiagnosticOptions(X.getDiagnosticOpts())),
141       HeaderSearchOpts(new HeaderSearchOptions(X.getHeaderSearchOpts())),
142       PreprocessorOpts(new PreprocessorOptions(X.getPreprocessorOpts())),
143       AnalyzerOpts(new AnalyzerOptions(*X.getAnalyzerOpts())) {}
144 
145 CompilerInvocationRefBase::CompilerInvocationRefBase(
146     CompilerInvocationRefBase &&X) = default;
147 
148 CompilerInvocationRefBase &
149 CompilerInvocationRefBase::operator=(CompilerInvocationRefBase X) {
150   LangOpts.swap(X.LangOpts);
151   TargetOpts.swap(X.TargetOpts);
152   DiagnosticOpts.swap(X.DiagnosticOpts);
153   HeaderSearchOpts.swap(X.HeaderSearchOpts);
154   PreprocessorOpts.swap(X.PreprocessorOpts);
155   AnalyzerOpts.swap(X.AnalyzerOpts);
156   return *this;
157 }
158 
159 CompilerInvocationRefBase &
160 CompilerInvocationRefBase::operator=(CompilerInvocationRefBase &&X) = default;
161 
162 CompilerInvocationRefBase::~CompilerInvocationRefBase() = default;
163 
164 //===----------------------------------------------------------------------===//
165 // Normalizers
166 //===----------------------------------------------------------------------===//
167 
168 #define SIMPLE_ENUM_VALUE_TABLE
169 #include "clang/Driver/Options.inc"
170 #undef SIMPLE_ENUM_VALUE_TABLE
171 
172 static std::optional<bool> normalizeSimpleFlag(OptSpecifier Opt,
173                                                unsigned TableIndex,
174                                                const ArgList &Args,
175                                                DiagnosticsEngine &Diags) {
176   if (Args.hasArg(Opt))
177     return true;
178   return std::nullopt;
179 }
180 
181 static std::optional<bool> normalizeSimpleNegativeFlag(OptSpecifier Opt,
182                                                        unsigned,
183                                                        const ArgList &Args,
184                                                        DiagnosticsEngine &) {
185   if (Args.hasArg(Opt))
186     return false;
187   return std::nullopt;
188 }
189 
190 /// The tblgen-erated code passes in a fifth parameter of an arbitrary type, but
191 /// denormalizeSimpleFlags never looks at it. Avoid bloating compile-time with
192 /// unnecessary template instantiations and just ignore it with a variadic
193 /// argument.
194 static void denormalizeSimpleFlag(SmallVectorImpl<const char *> &Args,
195                                   const char *Spelling,
196                                   CompilerInvocation::StringAllocator,
197                                   Option::OptionClass, unsigned, /*T*/...) {
198   Args.push_back(Spelling);
199 }
200 
201 template <typename T> static constexpr bool is_uint64_t_convertible() {
202   return !std::is_same_v<T, uint64_t> && llvm::is_integral_or_enum<T>::value;
203 }
204 
205 template <typename T,
206           std::enable_if_t<!is_uint64_t_convertible<T>(), bool> = false>
207 static auto makeFlagToValueNormalizer(T Value) {
208   return [Value](OptSpecifier Opt, unsigned, const ArgList &Args,
209                  DiagnosticsEngine &) -> std::optional<T> {
210     if (Args.hasArg(Opt))
211       return Value;
212     return std::nullopt;
213   };
214 }
215 
216 template <typename T,
217           std::enable_if_t<is_uint64_t_convertible<T>(), bool> = false>
218 static auto makeFlagToValueNormalizer(T Value) {
219   return makeFlagToValueNormalizer(uint64_t(Value));
220 }
221 
222 static auto makeBooleanOptionNormalizer(bool Value, bool OtherValue,
223                                         OptSpecifier OtherOpt) {
224   return [Value, OtherValue,
225           OtherOpt](OptSpecifier Opt, unsigned, const ArgList &Args,
226                     DiagnosticsEngine &) -> std::optional<bool> {
227     if (const Arg *A = Args.getLastArg(Opt, OtherOpt)) {
228       return A->getOption().matches(Opt) ? Value : OtherValue;
229     }
230     return std::nullopt;
231   };
232 }
233 
234 static auto makeBooleanOptionDenormalizer(bool Value) {
235   return [Value](SmallVectorImpl<const char *> &Args, const char *Spelling,
236                  CompilerInvocation::StringAllocator, Option::OptionClass,
237                  unsigned, bool KeyPath) {
238     if (KeyPath == Value)
239       Args.push_back(Spelling);
240   };
241 }
242 
243 static void denormalizeStringImpl(SmallVectorImpl<const char *> &Args,
244                                   const char *Spelling,
245                                   CompilerInvocation::StringAllocator SA,
246                                   Option::OptionClass OptClass, unsigned,
247                                   const Twine &Value) {
248   switch (OptClass) {
249   case Option::SeparateClass:
250   case Option::JoinedOrSeparateClass:
251   case Option::JoinedAndSeparateClass:
252     Args.push_back(Spelling);
253     Args.push_back(SA(Value));
254     break;
255   case Option::JoinedClass:
256   case Option::CommaJoinedClass:
257     Args.push_back(SA(Twine(Spelling) + Value));
258     break;
259   default:
260     llvm_unreachable("Cannot denormalize an option with option class "
261                      "incompatible with string denormalization.");
262   }
263 }
264 
265 template <typename T>
266 static void
267 denormalizeString(SmallVectorImpl<const char *> &Args, const char *Spelling,
268                   CompilerInvocation::StringAllocator SA,
269                   Option::OptionClass OptClass, unsigned TableIndex, T Value) {
270   denormalizeStringImpl(Args, Spelling, SA, OptClass, TableIndex, Twine(Value));
271 }
272 
273 static std::optional<SimpleEnumValue>
274 findValueTableByName(const SimpleEnumValueTable &Table, StringRef Name) {
275   for (int I = 0, E = Table.Size; I != E; ++I)
276     if (Name == Table.Table[I].Name)
277       return Table.Table[I];
278 
279   return std::nullopt;
280 }
281 
282 static std::optional<SimpleEnumValue>
283 findValueTableByValue(const SimpleEnumValueTable &Table, unsigned Value) {
284   for (int I = 0, E = Table.Size; I != E; ++I)
285     if (Value == Table.Table[I].Value)
286       return Table.Table[I];
287 
288   return std::nullopt;
289 }
290 
291 static std::optional<unsigned> normalizeSimpleEnum(OptSpecifier Opt,
292                                                    unsigned TableIndex,
293                                                    const ArgList &Args,
294                                                    DiagnosticsEngine &Diags) {
295   assert(TableIndex < SimpleEnumValueTablesSize);
296   const SimpleEnumValueTable &Table = SimpleEnumValueTables[TableIndex];
297 
298   auto *Arg = Args.getLastArg(Opt);
299   if (!Arg)
300     return std::nullopt;
301 
302   StringRef ArgValue = Arg->getValue();
303   if (auto MaybeEnumVal = findValueTableByName(Table, ArgValue))
304     return MaybeEnumVal->Value;
305 
306   Diags.Report(diag::err_drv_invalid_value)
307       << Arg->getAsString(Args) << ArgValue;
308   return std::nullopt;
309 }
310 
311 static void denormalizeSimpleEnumImpl(SmallVectorImpl<const char *> &Args,
312                                       const char *Spelling,
313                                       CompilerInvocation::StringAllocator SA,
314                                       Option::OptionClass OptClass,
315                                       unsigned TableIndex, unsigned Value) {
316   assert(TableIndex < SimpleEnumValueTablesSize);
317   const SimpleEnumValueTable &Table = SimpleEnumValueTables[TableIndex];
318   if (auto MaybeEnumVal = findValueTableByValue(Table, Value)) {
319     denormalizeString(Args, Spelling, SA, OptClass, TableIndex,
320                       MaybeEnumVal->Name);
321   } else {
322     llvm_unreachable("The simple enum value was not correctly defined in "
323                      "the tablegen option description");
324   }
325 }
326 
327 template <typename T>
328 static void denormalizeSimpleEnum(SmallVectorImpl<const char *> &Args,
329                                   const char *Spelling,
330                                   CompilerInvocation::StringAllocator SA,
331                                   Option::OptionClass OptClass,
332                                   unsigned TableIndex, T Value) {
333   return denormalizeSimpleEnumImpl(Args, Spelling, SA, OptClass, TableIndex,
334                                    static_cast<unsigned>(Value));
335 }
336 
337 static std::optional<std::string> normalizeString(OptSpecifier Opt,
338                                                   int TableIndex,
339                                                   const ArgList &Args,
340                                                   DiagnosticsEngine &Diags) {
341   auto *Arg = Args.getLastArg(Opt);
342   if (!Arg)
343     return std::nullopt;
344   return std::string(Arg->getValue());
345 }
346 
347 template <typename IntTy>
348 static std::optional<IntTy> normalizeStringIntegral(OptSpecifier Opt, int,
349                                                     const ArgList &Args,
350                                                     DiagnosticsEngine &Diags) {
351   auto *Arg = Args.getLastArg(Opt);
352   if (!Arg)
353     return std::nullopt;
354   IntTy Res;
355   if (StringRef(Arg->getValue()).getAsInteger(0, Res)) {
356     Diags.Report(diag::err_drv_invalid_int_value)
357         << Arg->getAsString(Args) << Arg->getValue();
358     return std::nullopt;
359   }
360   return Res;
361 }
362 
363 static std::optional<std::vector<std::string>>
364 normalizeStringVector(OptSpecifier Opt, int, const ArgList &Args,
365                       DiagnosticsEngine &) {
366   return Args.getAllArgValues(Opt);
367 }
368 
369 static void denormalizeStringVector(SmallVectorImpl<const char *> &Args,
370                                     const char *Spelling,
371                                     CompilerInvocation::StringAllocator SA,
372                                     Option::OptionClass OptClass,
373                                     unsigned TableIndex,
374                                     const std::vector<std::string> &Values) {
375   switch (OptClass) {
376   case Option::CommaJoinedClass: {
377     std::string CommaJoinedValue;
378     if (!Values.empty()) {
379       CommaJoinedValue.append(Values.front());
380       for (const std::string &Value : llvm::drop_begin(Values, 1)) {
381         CommaJoinedValue.append(",");
382         CommaJoinedValue.append(Value);
383       }
384     }
385     denormalizeString(Args, Spelling, SA, Option::OptionClass::JoinedClass,
386                       TableIndex, CommaJoinedValue);
387     break;
388   }
389   case Option::JoinedClass:
390   case Option::SeparateClass:
391   case Option::JoinedOrSeparateClass:
392     for (const std::string &Value : Values)
393       denormalizeString(Args, Spelling, SA, OptClass, TableIndex, Value);
394     break;
395   default:
396     llvm_unreachable("Cannot denormalize an option with option class "
397                      "incompatible with string vector denormalization.");
398   }
399 }
400 
401 static std::optional<std::string> normalizeTriple(OptSpecifier Opt,
402                                                   int TableIndex,
403                                                   const ArgList &Args,
404                                                   DiagnosticsEngine &Diags) {
405   auto *Arg = Args.getLastArg(Opt);
406   if (!Arg)
407     return std::nullopt;
408   return llvm::Triple::normalize(Arg->getValue());
409 }
410 
411 template <typename T, typename U>
412 static T mergeForwardValue(T KeyPath, U Value) {
413   return static_cast<T>(Value);
414 }
415 
416 template <typename T, typename U> static T mergeMaskValue(T KeyPath, U Value) {
417   return KeyPath | Value;
418 }
419 
420 template <typename T> static T extractForwardValue(T KeyPath) {
421   return KeyPath;
422 }
423 
424 template <typename T, typename U, U Value>
425 static T extractMaskValue(T KeyPath) {
426   return ((KeyPath & Value) == Value) ? static_cast<T>(Value) : T();
427 }
428 
429 #define PARSE_OPTION_WITH_MARSHALLING(                                         \
430     ARGS, DIAGS, PREFIX_TYPE, NAME, ID, KIND, GROUP, ALIAS, ALIASARGS, FLAGS,  \
431     PARAM, HELPTEXT, METAVAR, VALUES, SPELLING, SHOULD_PARSE, ALWAYS_EMIT,     \
432     KEYPATH, DEFAULT_VALUE, IMPLIED_CHECK, IMPLIED_VALUE, NORMALIZER,          \
433     DENORMALIZER, MERGER, EXTRACTOR, TABLE_INDEX)                              \
434   if ((FLAGS)&options::CC1Option) {                                            \
435     KEYPATH = MERGER(KEYPATH, DEFAULT_VALUE);                                  \
436     if (IMPLIED_CHECK)                                                         \
437       KEYPATH = MERGER(KEYPATH, IMPLIED_VALUE);                                \
438     if (SHOULD_PARSE)                                                          \
439       if (auto MaybeValue = NORMALIZER(OPT_##ID, TABLE_INDEX, ARGS, DIAGS))    \
440         KEYPATH =                                                              \
441             MERGER(KEYPATH, static_cast<decltype(KEYPATH)>(*MaybeValue));      \
442   }
443 
444 // Capture the extracted value as a lambda argument to avoid potential issues
445 // with lifetime extension of the reference.
446 #define GENERATE_OPTION_WITH_MARSHALLING(                                      \
447     ARGS, STRING_ALLOCATOR, PREFIX_TYPE, NAME, ID, KIND, GROUP, ALIAS,         \
448     ALIASARGS, FLAGS, PARAM, HELPTEXT, METAVAR, VALUES, SPELLING,              \
449     SHOULD_PARSE, ALWAYS_EMIT, KEYPATH, DEFAULT_VALUE, IMPLIED_CHECK,          \
450     IMPLIED_VALUE, NORMALIZER, DENORMALIZER, MERGER, EXTRACTOR, TABLE_INDEX)   \
451   if ((FLAGS)&options::CC1Option) {                                            \
452     [&](const auto &Extracted) {                                               \
453       if (ALWAYS_EMIT ||                                                       \
454           (Extracted !=                                                        \
455            static_cast<decltype(KEYPATH)>((IMPLIED_CHECK) ? (IMPLIED_VALUE)    \
456                                                           : (DEFAULT_VALUE)))) \
457         DENORMALIZER(ARGS, SPELLING, STRING_ALLOCATOR, Option::KIND##Class,    \
458                      TABLE_INDEX, Extracted);                                  \
459     }(EXTRACTOR(KEYPATH));                                                     \
460   }
461 
462 static StringRef GetInputKindName(InputKind IK);
463 
464 static bool FixupInvocation(CompilerInvocation &Invocation,
465                             DiagnosticsEngine &Diags, const ArgList &Args,
466                             InputKind IK) {
467   unsigned NumErrorsBefore = Diags.getNumErrors();
468 
469   LangOptions &LangOpts = *Invocation.getLangOpts();
470   CodeGenOptions &CodeGenOpts = Invocation.getCodeGenOpts();
471   TargetOptions &TargetOpts = Invocation.getTargetOpts();
472   FrontendOptions &FrontendOpts = Invocation.getFrontendOpts();
473   CodeGenOpts.XRayInstrumentFunctions = LangOpts.XRayInstrument;
474   CodeGenOpts.XRayAlwaysEmitCustomEvents = LangOpts.XRayAlwaysEmitCustomEvents;
475   CodeGenOpts.XRayAlwaysEmitTypedEvents = LangOpts.XRayAlwaysEmitTypedEvents;
476   CodeGenOpts.DisableFree = FrontendOpts.DisableFree;
477   FrontendOpts.GenerateGlobalModuleIndex = FrontendOpts.UseGlobalModuleIndex;
478   if (FrontendOpts.ShowStats)
479     CodeGenOpts.ClearASTBeforeBackend = false;
480   LangOpts.SanitizeCoverage = CodeGenOpts.hasSanitizeCoverage();
481   LangOpts.ForceEmitVTables = CodeGenOpts.ForceEmitVTables;
482   LangOpts.SpeculativeLoadHardening = CodeGenOpts.SpeculativeLoadHardening;
483   LangOpts.CurrentModule = LangOpts.ModuleName;
484 
485   llvm::Triple T(TargetOpts.Triple);
486   llvm::Triple::ArchType Arch = T.getArch();
487 
488   CodeGenOpts.CodeModel = TargetOpts.CodeModel;
489 
490   if (LangOpts.getExceptionHandling() !=
491           LangOptions::ExceptionHandlingKind::None &&
492       T.isWindowsMSVCEnvironment())
493     Diags.Report(diag::err_fe_invalid_exception_model)
494         << static_cast<unsigned>(LangOpts.getExceptionHandling()) << T.str();
495 
496   if (LangOpts.AppleKext && !LangOpts.CPlusPlus)
497     Diags.Report(diag::warn_c_kext);
498 
499   if (LangOpts.NewAlignOverride &&
500       !llvm::isPowerOf2_32(LangOpts.NewAlignOverride)) {
501     Arg *A = Args.getLastArg(OPT_fnew_alignment_EQ);
502     Diags.Report(diag::err_fe_invalid_alignment)
503         << A->getAsString(Args) << A->getValue();
504     LangOpts.NewAlignOverride = 0;
505   }
506 
507   // Prevent the user from specifying both -fsycl-is-device and -fsycl-is-host.
508   if (LangOpts.SYCLIsDevice && LangOpts.SYCLIsHost)
509     Diags.Report(diag::err_drv_argument_not_allowed_with) << "-fsycl-is-device"
510                                                           << "-fsycl-is-host";
511 
512   if (Args.hasArg(OPT_fgnu89_inline) && LangOpts.CPlusPlus)
513     Diags.Report(diag::err_drv_argument_not_allowed_with)
514         << "-fgnu89-inline" << GetInputKindName(IK);
515 
516   if (Args.hasArg(OPT_hlsl_entrypoint) && !LangOpts.HLSL)
517     Diags.Report(diag::err_drv_argument_not_allowed_with)
518         << "-hlsl-entry" << GetInputKindName(IK);
519 
520   if (Args.hasArg(OPT_fgpu_allow_device_init) && !LangOpts.HIP)
521     Diags.Report(diag::warn_ignored_hip_only_option)
522         << Args.getLastArg(OPT_fgpu_allow_device_init)->getAsString(Args);
523 
524   if (Args.hasArg(OPT_gpu_max_threads_per_block_EQ) && !LangOpts.HIP)
525     Diags.Report(diag::warn_ignored_hip_only_option)
526         << Args.getLastArg(OPT_gpu_max_threads_per_block_EQ)->getAsString(Args);
527 
528   // When these options are used, the compiler is allowed to apply
529   // optimizations that may affect the final result. For example
530   // (x+y)+z is transformed to x+(y+z) but may not give the same
531   // final result; it's not value safe.
532   // Another example can be to simplify x/x to 1.0 but x could be 0.0, INF
533   // or NaN. Final result may then differ. An error is issued when the eval
534   // method is set with one of these options.
535   if (Args.hasArg(OPT_ffp_eval_method_EQ)) {
536     if (LangOpts.ApproxFunc)
537       Diags.Report(diag::err_incompatible_fp_eval_method_options) << 0;
538     if (LangOpts.AllowFPReassoc)
539       Diags.Report(diag::err_incompatible_fp_eval_method_options) << 1;
540     if (LangOpts.AllowRecip)
541       Diags.Report(diag::err_incompatible_fp_eval_method_options) << 2;
542   }
543 
544   // -cl-strict-aliasing needs to emit diagnostic in the case where CL > 1.0.
545   // This option should be deprecated for CL > 1.0 because
546   // this option was added for compatibility with OpenCL 1.0.
547   if (Args.getLastArg(OPT_cl_strict_aliasing) &&
548       (LangOpts.getOpenCLCompatibleVersion() > 100))
549     Diags.Report(diag::warn_option_invalid_ocl_version)
550         << LangOpts.getOpenCLVersionString()
551         << Args.getLastArg(OPT_cl_strict_aliasing)->getAsString(Args);
552 
553   if (Arg *A = Args.getLastArg(OPT_fdefault_calling_conv_EQ)) {
554     auto DefaultCC = LangOpts.getDefaultCallingConv();
555 
556     bool emitError = (DefaultCC == LangOptions::DCC_FastCall ||
557                       DefaultCC == LangOptions::DCC_StdCall) &&
558                      Arch != llvm::Triple::x86;
559     emitError |= (DefaultCC == LangOptions::DCC_VectorCall ||
560                   DefaultCC == LangOptions::DCC_RegCall) &&
561                  !T.isX86();
562     if (emitError)
563       Diags.Report(diag::err_drv_argument_not_allowed_with)
564           << A->getSpelling() << T.getTriple();
565   }
566 
567   return Diags.getNumErrors() == NumErrorsBefore;
568 }
569 
570 //===----------------------------------------------------------------------===//
571 // Deserialization (from args)
572 //===----------------------------------------------------------------------===//
573 
574 static unsigned getOptimizationLevel(ArgList &Args, InputKind IK,
575                                      DiagnosticsEngine &Diags) {
576   unsigned DefaultOpt = llvm::CodeGenOpt::None;
577   if ((IK.getLanguage() == Language::OpenCL ||
578        IK.getLanguage() == Language::OpenCLCXX) &&
579       !Args.hasArg(OPT_cl_opt_disable))
580     DefaultOpt = llvm::CodeGenOpt::Default;
581 
582   if (Arg *A = Args.getLastArg(options::OPT_O_Group)) {
583     if (A->getOption().matches(options::OPT_O0))
584       return llvm::CodeGenOpt::None;
585 
586     if (A->getOption().matches(options::OPT_Ofast))
587       return llvm::CodeGenOpt::Aggressive;
588 
589     assert(A->getOption().matches(options::OPT_O));
590 
591     StringRef S(A->getValue());
592     if (S == "s" || S == "z")
593       return llvm::CodeGenOpt::Default;
594 
595     if (S == "g")
596       return llvm::CodeGenOpt::Less;
597 
598     return getLastArgIntValue(Args, OPT_O, DefaultOpt, Diags);
599   }
600 
601   return DefaultOpt;
602 }
603 
604 static unsigned getOptimizationLevelSize(ArgList &Args) {
605   if (Arg *A = Args.getLastArg(options::OPT_O_Group)) {
606     if (A->getOption().matches(options::OPT_O)) {
607       switch (A->getValue()[0]) {
608       default:
609         return 0;
610       case 's':
611         return 1;
612       case 'z':
613         return 2;
614       }
615     }
616   }
617   return 0;
618 }
619 
620 static void GenerateArg(SmallVectorImpl<const char *> &Args,
621                         llvm::opt::OptSpecifier OptSpecifier,
622                         CompilerInvocation::StringAllocator SA) {
623   Option Opt = getDriverOptTable().getOption(OptSpecifier);
624   denormalizeSimpleFlag(Args, SA(Opt.getPrefix() + Opt.getName()), SA,
625                         Option::OptionClass::FlagClass, 0);
626 }
627 
628 static void GenerateArg(SmallVectorImpl<const char *> &Args,
629                         llvm::opt::OptSpecifier OptSpecifier,
630                         const Twine &Value,
631                         CompilerInvocation::StringAllocator SA) {
632   Option Opt = getDriverOptTable().getOption(OptSpecifier);
633   denormalizeString(Args, SA(Opt.getPrefix() + Opt.getName()), SA,
634                     Opt.getKind(), 0, Value);
635 }
636 
637 // Parse command line arguments into CompilerInvocation.
638 using ParseFn =
639     llvm::function_ref<bool(CompilerInvocation &, ArrayRef<const char *>,
640                             DiagnosticsEngine &, const char *)>;
641 
642 // Generate command line arguments from CompilerInvocation.
643 using GenerateFn = llvm::function_ref<void(
644     CompilerInvocation &, SmallVectorImpl<const char *> &,
645     CompilerInvocation::StringAllocator)>;
646 
647 /// May perform round-trip of command line arguments. By default, the round-trip
648 /// is enabled in assert builds. This can be overwritten at run-time via the
649 /// "-round-trip-args" and "-no-round-trip-args" command line flags, or via the
650 /// ForceRoundTrip parameter.
651 ///
652 /// During round-trip, the command line arguments are parsed into a dummy
653 /// CompilerInvocation, which is used to generate the command line arguments
654 /// again. The real CompilerInvocation is then created by parsing the generated
655 /// arguments, not the original ones. This (in combination with tests covering
656 /// argument behavior) ensures the generated command line is complete (doesn't
657 /// drop/mangle any arguments).
658 ///
659 /// Finally, we check the command line that was used to create the real
660 /// CompilerInvocation instance. By default, we compare it to the command line
661 /// the real CompilerInvocation generates. This checks whether the generator is
662 /// deterministic. If \p CheckAgainstOriginalInvocation is enabled, we instead
663 /// compare it to the original command line to verify the original command-line
664 /// was canonical and can round-trip exactly.
665 static bool RoundTrip(ParseFn Parse, GenerateFn Generate,
666                       CompilerInvocation &RealInvocation,
667                       CompilerInvocation &DummyInvocation,
668                       ArrayRef<const char *> CommandLineArgs,
669                       DiagnosticsEngine &Diags, const char *Argv0,
670                       bool CheckAgainstOriginalInvocation = false,
671                       bool ForceRoundTrip = false) {
672 #ifndef NDEBUG
673   bool DoRoundTripDefault = true;
674 #else
675   bool DoRoundTripDefault = false;
676 #endif
677 
678   bool DoRoundTrip = DoRoundTripDefault;
679   if (ForceRoundTrip) {
680     DoRoundTrip = true;
681   } else {
682     for (const auto *Arg : CommandLineArgs) {
683       if (Arg == StringRef("-round-trip-args"))
684         DoRoundTrip = true;
685       if (Arg == StringRef("-no-round-trip-args"))
686         DoRoundTrip = false;
687     }
688   }
689 
690   // If round-trip was not requested, simply run the parser with the real
691   // invocation diagnostics.
692   if (!DoRoundTrip)
693     return Parse(RealInvocation, CommandLineArgs, Diags, Argv0);
694 
695   // Serializes quoted (and potentially escaped) arguments.
696   auto SerializeArgs = [](ArrayRef<const char *> Args) {
697     std::string Buffer;
698     llvm::raw_string_ostream OS(Buffer);
699     for (const char *Arg : Args) {
700       llvm::sys::printArg(OS, Arg, /*Quote=*/true);
701       OS << ' ';
702     }
703     OS.flush();
704     return Buffer;
705   };
706 
707   // Setup a dummy DiagnosticsEngine.
708   DiagnosticsEngine DummyDiags(new DiagnosticIDs(), new DiagnosticOptions());
709   DummyDiags.setClient(new TextDiagnosticBuffer());
710 
711   // Run the first parse on the original arguments with the dummy invocation and
712   // diagnostics.
713   if (!Parse(DummyInvocation, CommandLineArgs, DummyDiags, Argv0) ||
714       DummyDiags.getNumWarnings() != 0) {
715     // If the first parse did not succeed, it must be user mistake (invalid
716     // command line arguments). We won't be able to generate arguments that
717     // would reproduce the same result. Let's fail again with the real
718     // invocation and diagnostics, so all side-effects of parsing are visible.
719     unsigned NumWarningsBefore = Diags.getNumWarnings();
720     auto Success = Parse(RealInvocation, CommandLineArgs, Diags, Argv0);
721     if (!Success || Diags.getNumWarnings() != NumWarningsBefore)
722       return Success;
723 
724     // Parse with original options and diagnostics succeeded even though it
725     // shouldn't have. Something is off.
726     Diags.Report(diag::err_cc1_round_trip_fail_then_ok);
727     Diags.Report(diag::note_cc1_round_trip_original)
728         << SerializeArgs(CommandLineArgs);
729     return false;
730   }
731 
732   // Setup string allocator.
733   llvm::BumpPtrAllocator Alloc;
734   llvm::StringSaver StringPool(Alloc);
735   auto SA = [&StringPool](const Twine &Arg) {
736     return StringPool.save(Arg).data();
737   };
738 
739   // Generate arguments from the dummy invocation. If Generate is the
740   // inverse of Parse, the newly generated arguments must have the same
741   // semantics as the original.
742   SmallVector<const char *> GeneratedArgs;
743   Generate(DummyInvocation, GeneratedArgs, SA);
744 
745   // Run the second parse, now on the generated arguments, and with the real
746   // invocation and diagnostics. The result is what we will end up using for the
747   // rest of compilation, so if Generate is not inverse of Parse, something down
748   // the line will break.
749   bool Success2 = Parse(RealInvocation, GeneratedArgs, Diags, Argv0);
750 
751   // The first parse on original arguments succeeded, but second parse of
752   // generated arguments failed. Something must be wrong with the generator.
753   if (!Success2) {
754     Diags.Report(diag::err_cc1_round_trip_ok_then_fail);
755     Diags.Report(diag::note_cc1_round_trip_generated)
756         << 1 << SerializeArgs(GeneratedArgs);
757     return false;
758   }
759 
760   SmallVector<const char *> ComparisonArgs;
761   if (CheckAgainstOriginalInvocation)
762     // Compare against original arguments.
763     ComparisonArgs.assign(CommandLineArgs.begin(), CommandLineArgs.end());
764   else
765     // Generate arguments again, this time from the options we will end up using
766     // for the rest of the compilation.
767     Generate(RealInvocation, ComparisonArgs, SA);
768 
769   // Compares two lists of arguments.
770   auto Equal = [](const ArrayRef<const char *> A,
771                   const ArrayRef<const char *> B) {
772     return std::equal(A.begin(), A.end(), B.begin(), B.end(),
773                       [](const char *AElem, const char *BElem) {
774                         return StringRef(AElem) == StringRef(BElem);
775                       });
776   };
777 
778   // If we generated different arguments from what we assume are two
779   // semantically equivalent CompilerInvocations, the Generate function may
780   // be non-deterministic.
781   if (!Equal(GeneratedArgs, ComparisonArgs)) {
782     Diags.Report(diag::err_cc1_round_trip_mismatch);
783     Diags.Report(diag::note_cc1_round_trip_generated)
784         << 1 << SerializeArgs(GeneratedArgs);
785     Diags.Report(diag::note_cc1_round_trip_generated)
786         << 2 << SerializeArgs(ComparisonArgs);
787     return false;
788   }
789 
790   Diags.Report(diag::remark_cc1_round_trip_generated)
791       << 1 << SerializeArgs(GeneratedArgs);
792   Diags.Report(diag::remark_cc1_round_trip_generated)
793       << 2 << SerializeArgs(ComparisonArgs);
794 
795   return Success2;
796 }
797 
798 bool CompilerInvocation::checkCC1RoundTrip(ArrayRef<const char *> Args,
799                                            DiagnosticsEngine &Diags,
800                                            const char *Argv0) {
801   CompilerInvocation DummyInvocation1, DummyInvocation2;
802   return RoundTrip(
803       [](CompilerInvocation &Invocation, ArrayRef<const char *> CommandLineArgs,
804          DiagnosticsEngine &Diags, const char *Argv0) {
805         return CreateFromArgsImpl(Invocation, CommandLineArgs, Diags, Argv0);
806       },
807       [](CompilerInvocation &Invocation, SmallVectorImpl<const char *> &Args,
808          StringAllocator SA) {
809         Args.push_back("-cc1");
810         Invocation.generateCC1CommandLine(Args, SA);
811       },
812       DummyInvocation1, DummyInvocation2, Args, Diags, Argv0,
813       /*CheckAgainstOriginalInvocation=*/true, /*ForceRoundTrip=*/true);
814 }
815 
816 static void addDiagnosticArgs(ArgList &Args, OptSpecifier Group,
817                               OptSpecifier GroupWithValue,
818                               std::vector<std::string> &Diagnostics) {
819   for (auto *A : Args.filtered(Group)) {
820     if (A->getOption().getKind() == Option::FlagClass) {
821       // The argument is a pure flag (such as OPT_Wall or OPT_Wdeprecated). Add
822       // its name (minus the "W" or "R" at the beginning) to the diagnostics.
823       Diagnostics.push_back(
824           std::string(A->getOption().getName().drop_front(1)));
825     } else if (A->getOption().matches(GroupWithValue)) {
826       // This is -Wfoo= or -Rfoo=, where foo is the name of the diagnostic
827       // group. Add only the group name to the diagnostics.
828       Diagnostics.push_back(
829           std::string(A->getOption().getName().drop_front(1).rtrim("=-")));
830     } else {
831       // Otherwise, add its value (for OPT_W_Joined and similar).
832       Diagnostics.push_back(A->getValue());
833     }
834   }
835 }
836 
837 // Parse the Static Analyzer configuration. If \p Diags is set to nullptr,
838 // it won't verify the input.
839 static void parseAnalyzerConfigs(AnalyzerOptions &AnOpts,
840                                  DiagnosticsEngine *Diags);
841 
842 static void getAllNoBuiltinFuncValues(ArgList &Args,
843                                       std::vector<std::string> &Funcs) {
844   std::vector<std::string> Values = Args.getAllArgValues(OPT_fno_builtin_);
845   auto BuiltinEnd = llvm::partition(Values, Builtin::Context::isBuiltinFunc);
846   Funcs.insert(Funcs.end(), Values.begin(), BuiltinEnd);
847 }
848 
849 static void GenerateAnalyzerArgs(AnalyzerOptions &Opts,
850                                  SmallVectorImpl<const char *> &Args,
851                                  CompilerInvocation::StringAllocator SA) {
852   const AnalyzerOptions *AnalyzerOpts = &Opts;
853 
854 #define ANALYZER_OPTION_WITH_MARSHALLING(...)                                  \
855   GENERATE_OPTION_WITH_MARSHALLING(Args, SA, __VA_ARGS__)
856 #include "clang/Driver/Options.inc"
857 #undef ANALYZER_OPTION_WITH_MARSHALLING
858 
859   if (Opts.AnalysisConstraintsOpt != RangeConstraintsModel) {
860     switch (Opts.AnalysisConstraintsOpt) {
861 #define ANALYSIS_CONSTRAINTS(NAME, CMDFLAG, DESC, CREATFN)                     \
862   case NAME##Model:                                                            \
863     GenerateArg(Args, OPT_analyzer_constraints, CMDFLAG, SA);                  \
864     break;
865 #include "clang/StaticAnalyzer/Core/Analyses.def"
866     default:
867       llvm_unreachable("Tried to generate unknown analysis constraint.");
868     }
869   }
870 
871   if (Opts.AnalysisDiagOpt != PD_HTML) {
872     switch (Opts.AnalysisDiagOpt) {
873 #define ANALYSIS_DIAGNOSTICS(NAME, CMDFLAG, DESC, CREATFN)                     \
874   case PD_##NAME:                                                              \
875     GenerateArg(Args, OPT_analyzer_output, CMDFLAG, SA);                       \
876     break;
877 #include "clang/StaticAnalyzer/Core/Analyses.def"
878     default:
879       llvm_unreachable("Tried to generate unknown analysis diagnostic client.");
880     }
881   }
882 
883   if (Opts.AnalysisPurgeOpt != PurgeStmt) {
884     switch (Opts.AnalysisPurgeOpt) {
885 #define ANALYSIS_PURGE(NAME, CMDFLAG, DESC)                                    \
886   case NAME:                                                                   \
887     GenerateArg(Args, OPT_analyzer_purge, CMDFLAG, SA);                        \
888     break;
889 #include "clang/StaticAnalyzer/Core/Analyses.def"
890     default:
891       llvm_unreachable("Tried to generate unknown analysis purge mode.");
892     }
893   }
894 
895   if (Opts.InliningMode != NoRedundancy) {
896     switch (Opts.InliningMode) {
897 #define ANALYSIS_INLINING_MODE(NAME, CMDFLAG, DESC)                            \
898   case NAME:                                                                   \
899     GenerateArg(Args, OPT_analyzer_inlining_mode, CMDFLAG, SA);                \
900     break;
901 #include "clang/StaticAnalyzer/Core/Analyses.def"
902     default:
903       llvm_unreachable("Tried to generate unknown analysis inlining mode.");
904     }
905   }
906 
907   for (const auto &CP : Opts.CheckersAndPackages) {
908     OptSpecifier Opt =
909         CP.second ? OPT_analyzer_checker : OPT_analyzer_disable_checker;
910     GenerateArg(Args, Opt, CP.first, SA);
911   }
912 
913   AnalyzerOptions ConfigOpts;
914   parseAnalyzerConfigs(ConfigOpts, nullptr);
915 
916   // Sort options by key to avoid relying on StringMap iteration order.
917   SmallVector<std::pair<StringRef, StringRef>, 4> SortedConfigOpts;
918   for (const auto &C : Opts.Config)
919     SortedConfigOpts.emplace_back(C.getKey(), C.getValue());
920   llvm::sort(SortedConfigOpts, llvm::less_first());
921 
922   for (const auto &[Key, Value] : SortedConfigOpts) {
923     // Don't generate anything that came from parseAnalyzerConfigs. It would be
924     // redundant and may not be valid on the command line.
925     auto Entry = ConfigOpts.Config.find(Key);
926     if (Entry != ConfigOpts.Config.end() && Entry->getValue() == Value)
927       continue;
928 
929     GenerateArg(Args, OPT_analyzer_config, Key + "=" + Value, SA);
930   }
931 
932   // Nothing to generate for FullCompilerInvocation.
933 }
934 
935 static bool ParseAnalyzerArgs(AnalyzerOptions &Opts, ArgList &Args,
936                               DiagnosticsEngine &Diags) {
937   unsigned NumErrorsBefore = Diags.getNumErrors();
938 
939   AnalyzerOptions *AnalyzerOpts = &Opts;
940 
941 #define ANALYZER_OPTION_WITH_MARSHALLING(...)                                  \
942   PARSE_OPTION_WITH_MARSHALLING(Args, Diags, __VA_ARGS__)
943 #include "clang/Driver/Options.inc"
944 #undef ANALYZER_OPTION_WITH_MARSHALLING
945 
946   if (Arg *A = Args.getLastArg(OPT_analyzer_constraints)) {
947     StringRef Name = A->getValue();
948     AnalysisConstraints Value = llvm::StringSwitch<AnalysisConstraints>(Name)
949 #define ANALYSIS_CONSTRAINTS(NAME, CMDFLAG, DESC, CREATFN) \
950       .Case(CMDFLAG, NAME##Model)
951 #include "clang/StaticAnalyzer/Core/Analyses.def"
952       .Default(NumConstraints);
953     if (Value == NumConstraints) {
954       Diags.Report(diag::err_drv_invalid_value)
955         << A->getAsString(Args) << Name;
956     } else {
957 #ifndef LLVM_WITH_Z3
958       if (Value == AnalysisConstraints::Z3ConstraintsModel) {
959         Diags.Report(diag::err_analyzer_not_built_with_z3);
960       }
961 #endif // LLVM_WITH_Z3
962       Opts.AnalysisConstraintsOpt = Value;
963     }
964   }
965 
966   if (Arg *A = Args.getLastArg(OPT_analyzer_output)) {
967     StringRef Name = A->getValue();
968     AnalysisDiagClients Value = llvm::StringSwitch<AnalysisDiagClients>(Name)
969 #define ANALYSIS_DIAGNOSTICS(NAME, CMDFLAG, DESC, CREATFN) \
970       .Case(CMDFLAG, PD_##NAME)
971 #include "clang/StaticAnalyzer/Core/Analyses.def"
972       .Default(NUM_ANALYSIS_DIAG_CLIENTS);
973     if (Value == NUM_ANALYSIS_DIAG_CLIENTS) {
974       Diags.Report(diag::err_drv_invalid_value)
975         << A->getAsString(Args) << Name;
976     } else {
977       Opts.AnalysisDiagOpt = Value;
978     }
979   }
980 
981   if (Arg *A = Args.getLastArg(OPT_analyzer_purge)) {
982     StringRef Name = A->getValue();
983     AnalysisPurgeMode Value = llvm::StringSwitch<AnalysisPurgeMode>(Name)
984 #define ANALYSIS_PURGE(NAME, CMDFLAG, DESC) \
985       .Case(CMDFLAG, NAME)
986 #include "clang/StaticAnalyzer/Core/Analyses.def"
987       .Default(NumPurgeModes);
988     if (Value == NumPurgeModes) {
989       Diags.Report(diag::err_drv_invalid_value)
990         << A->getAsString(Args) << Name;
991     } else {
992       Opts.AnalysisPurgeOpt = Value;
993     }
994   }
995 
996   if (Arg *A = Args.getLastArg(OPT_analyzer_inlining_mode)) {
997     StringRef Name = A->getValue();
998     AnalysisInliningMode Value = llvm::StringSwitch<AnalysisInliningMode>(Name)
999 #define ANALYSIS_INLINING_MODE(NAME, CMDFLAG, DESC) \
1000       .Case(CMDFLAG, NAME)
1001 #include "clang/StaticAnalyzer/Core/Analyses.def"
1002       .Default(NumInliningModes);
1003     if (Value == NumInliningModes) {
1004       Diags.Report(diag::err_drv_invalid_value)
1005         << A->getAsString(Args) << Name;
1006     } else {
1007       Opts.InliningMode = Value;
1008     }
1009   }
1010 
1011   Opts.CheckersAndPackages.clear();
1012   for (const Arg *A :
1013        Args.filtered(OPT_analyzer_checker, OPT_analyzer_disable_checker)) {
1014     A->claim();
1015     bool IsEnabled = A->getOption().getID() == OPT_analyzer_checker;
1016     // We can have a list of comma separated checker names, e.g:
1017     // '-analyzer-checker=cocoa,unix'
1018     StringRef CheckerAndPackageList = A->getValue();
1019     SmallVector<StringRef, 16> CheckersAndPackages;
1020     CheckerAndPackageList.split(CheckersAndPackages, ",");
1021     for (const StringRef &CheckerOrPackage : CheckersAndPackages)
1022       Opts.CheckersAndPackages.emplace_back(std::string(CheckerOrPackage),
1023                                             IsEnabled);
1024   }
1025 
1026   // Go through the analyzer configuration options.
1027   for (const auto *A : Args.filtered(OPT_analyzer_config)) {
1028 
1029     // We can have a list of comma separated config names, e.g:
1030     // '-analyzer-config key1=val1,key2=val2'
1031     StringRef configList = A->getValue();
1032     SmallVector<StringRef, 4> configVals;
1033     configList.split(configVals, ",");
1034     for (const auto &configVal : configVals) {
1035       StringRef key, val;
1036       std::tie(key, val) = configVal.split("=");
1037       if (val.empty()) {
1038         Diags.Report(SourceLocation(),
1039                      diag::err_analyzer_config_no_value) << configVal;
1040         break;
1041       }
1042       if (val.contains('=')) {
1043         Diags.Report(SourceLocation(),
1044                      diag::err_analyzer_config_multiple_values)
1045           << configVal;
1046         break;
1047       }
1048 
1049       // TODO: Check checker options too, possibly in CheckerRegistry.
1050       // Leave unknown non-checker configs unclaimed.
1051       if (!key.contains(":") && Opts.isUnknownAnalyzerConfig(key)) {
1052         if (Opts.ShouldEmitErrorsOnInvalidConfigValue)
1053           Diags.Report(diag::err_analyzer_config_unknown) << key;
1054         continue;
1055       }
1056 
1057       A->claim();
1058       Opts.Config[key] = std::string(val);
1059 
1060       // FIXME: Remove this hunk after clang-17 released.
1061       constexpr auto SingleFAM =
1062           "consider-single-element-arrays-as-flexible-array-members";
1063       if (key == SingleFAM) {
1064         Diags.Report(diag::warn_analyzer_deprecated_option_with_alternative)
1065             << SingleFAM << "clang-17"
1066             << "-fstrict-flex-arrays=<N>";
1067       }
1068     }
1069   }
1070 
1071   if (Opts.ShouldEmitErrorsOnInvalidConfigValue)
1072     parseAnalyzerConfigs(Opts, &Diags);
1073   else
1074     parseAnalyzerConfigs(Opts, nullptr);
1075 
1076   llvm::raw_string_ostream os(Opts.FullCompilerInvocation);
1077   for (unsigned i = 0; i < Args.getNumInputArgStrings(); ++i) {
1078     if (i != 0)
1079       os << " ";
1080     os << Args.getArgString(i);
1081   }
1082   os.flush();
1083 
1084   return Diags.getNumErrors() == NumErrorsBefore;
1085 }
1086 
1087 static StringRef getStringOption(AnalyzerOptions::ConfigTable &Config,
1088                                  StringRef OptionName, StringRef DefaultVal) {
1089   return Config.insert({OptionName, std::string(DefaultVal)}).first->second;
1090 }
1091 
1092 static void initOption(AnalyzerOptions::ConfigTable &Config,
1093                        DiagnosticsEngine *Diags,
1094                        StringRef &OptionField, StringRef Name,
1095                        StringRef DefaultVal) {
1096   // String options may be known to invalid (e.g. if the expected string is a
1097   // file name, but the file does not exist), those will have to be checked in
1098   // parseConfigs.
1099   OptionField = getStringOption(Config, Name, DefaultVal);
1100 }
1101 
1102 static void initOption(AnalyzerOptions::ConfigTable &Config,
1103                        DiagnosticsEngine *Diags,
1104                        bool &OptionField, StringRef Name, bool DefaultVal) {
1105   auto PossiblyInvalidVal =
1106       llvm::StringSwitch<std::optional<bool>>(
1107           getStringOption(Config, Name, (DefaultVal ? "true" : "false")))
1108           .Case("true", true)
1109           .Case("false", false)
1110           .Default(std::nullopt);
1111 
1112   if (!PossiblyInvalidVal) {
1113     if (Diags)
1114       Diags->Report(diag::err_analyzer_config_invalid_input)
1115         << Name << "a boolean";
1116     else
1117       OptionField = DefaultVal;
1118   } else
1119     OptionField = *PossiblyInvalidVal;
1120 }
1121 
1122 static void initOption(AnalyzerOptions::ConfigTable &Config,
1123                        DiagnosticsEngine *Diags,
1124                        unsigned &OptionField, StringRef Name,
1125                        unsigned DefaultVal) {
1126 
1127   OptionField = DefaultVal;
1128   bool HasFailed = getStringOption(Config, Name, std::to_string(DefaultVal))
1129                      .getAsInteger(0, OptionField);
1130   if (Diags && HasFailed)
1131     Diags->Report(diag::err_analyzer_config_invalid_input)
1132       << Name << "an unsigned";
1133 }
1134 
1135 static void parseAnalyzerConfigs(AnalyzerOptions &AnOpts,
1136                                  DiagnosticsEngine *Diags) {
1137   // TODO: There's no need to store the entire configtable, it'd be plenty
1138   // enough to store checker options.
1139 
1140 #define ANALYZER_OPTION(TYPE, NAME, CMDFLAG, DESC, DEFAULT_VAL)                \
1141   initOption(AnOpts.Config, Diags, AnOpts.NAME, CMDFLAG, DEFAULT_VAL);
1142 #define ANALYZER_OPTION_DEPENDS_ON_USER_MODE(...)
1143 #include "clang/StaticAnalyzer/Core/AnalyzerOptions.def"
1144 
1145   assert(AnOpts.UserMode == "shallow" || AnOpts.UserMode == "deep");
1146   const bool InShallowMode = AnOpts.UserMode == "shallow";
1147 
1148 #define ANALYZER_OPTION(...)
1149 #define ANALYZER_OPTION_DEPENDS_ON_USER_MODE(TYPE, NAME, CMDFLAG, DESC,        \
1150                                              SHALLOW_VAL, DEEP_VAL)            \
1151   initOption(AnOpts.Config, Diags, AnOpts.NAME, CMDFLAG,                       \
1152              InShallowMode ? SHALLOW_VAL : DEEP_VAL);
1153 #include "clang/StaticAnalyzer/Core/AnalyzerOptions.def"
1154 
1155   // At this point, AnalyzerOptions is configured. Let's validate some options.
1156 
1157   // FIXME: Here we try to validate the silenced checkers or packages are valid.
1158   // The current approach only validates the registered checkers which does not
1159   // contain the runtime enabled checkers and optimally we would validate both.
1160   if (!AnOpts.RawSilencedCheckersAndPackages.empty()) {
1161     std::vector<StringRef> Checkers =
1162         AnOpts.getRegisteredCheckers(/*IncludeExperimental=*/true);
1163     std::vector<StringRef> Packages =
1164         AnOpts.getRegisteredPackages(/*IncludeExperimental=*/true);
1165 
1166     SmallVector<StringRef, 16> CheckersAndPackages;
1167     AnOpts.RawSilencedCheckersAndPackages.split(CheckersAndPackages, ";");
1168 
1169     for (const StringRef &CheckerOrPackage : CheckersAndPackages) {
1170       if (Diags) {
1171         bool IsChecker = CheckerOrPackage.contains('.');
1172         bool IsValidName = IsChecker
1173                                ? llvm::is_contained(Checkers, CheckerOrPackage)
1174                                : llvm::is_contained(Packages, CheckerOrPackage);
1175 
1176         if (!IsValidName)
1177           Diags->Report(diag::err_unknown_analyzer_checker_or_package)
1178               << CheckerOrPackage;
1179       }
1180 
1181       AnOpts.SilencedCheckersAndPackages.emplace_back(CheckerOrPackage);
1182     }
1183   }
1184 
1185   if (!Diags)
1186     return;
1187 
1188   if (AnOpts.ShouldTrackConditionsDebug && !AnOpts.ShouldTrackConditions)
1189     Diags->Report(diag::err_analyzer_config_invalid_input)
1190         << "track-conditions-debug" << "'track-conditions' to also be enabled";
1191 
1192   if (!AnOpts.CTUDir.empty() && !llvm::sys::fs::is_directory(AnOpts.CTUDir))
1193     Diags->Report(diag::err_analyzer_config_invalid_input) << "ctu-dir"
1194                                                            << "a filename";
1195 
1196   if (!AnOpts.ModelPath.empty() &&
1197       !llvm::sys::fs::is_directory(AnOpts.ModelPath))
1198     Diags->Report(diag::err_analyzer_config_invalid_input) << "model-path"
1199                                                            << "a filename";
1200 }
1201 
1202 /// Generate a remark argument. This is an inverse of `ParseOptimizationRemark`.
1203 static void
1204 GenerateOptimizationRemark(SmallVectorImpl<const char *> &Args,
1205                            CompilerInvocation::StringAllocator SA,
1206                            OptSpecifier OptEQ, StringRef Name,
1207                            const CodeGenOptions::OptRemark &Remark) {
1208   if (Remark.hasValidPattern()) {
1209     GenerateArg(Args, OptEQ, Remark.Pattern, SA);
1210   } else if (Remark.Kind == CodeGenOptions::RK_Enabled) {
1211     GenerateArg(Args, OPT_R_Joined, Name, SA);
1212   } else if (Remark.Kind == CodeGenOptions::RK_Disabled) {
1213     GenerateArg(Args, OPT_R_Joined, StringRef("no-") + Name, SA);
1214   }
1215 }
1216 
1217 /// Parse a remark command line argument. It may be missing, disabled/enabled by
1218 /// '-R[no-]group' or specified with a regular expression by '-Rgroup=regexp'.
1219 /// On top of that, it can be disabled/enabled globally by '-R[no-]everything'.
1220 static CodeGenOptions::OptRemark
1221 ParseOptimizationRemark(DiagnosticsEngine &Diags, ArgList &Args,
1222                         OptSpecifier OptEQ, StringRef Name) {
1223   CodeGenOptions::OptRemark Result;
1224 
1225   auto InitializeResultPattern = [&Diags, &Args, &Result](const Arg *A,
1226                                                           StringRef Pattern) {
1227     Result.Pattern = Pattern.str();
1228 
1229     std::string RegexError;
1230     Result.Regex = std::make_shared<llvm::Regex>(Result.Pattern);
1231     if (!Result.Regex->isValid(RegexError)) {
1232       Diags.Report(diag::err_drv_optimization_remark_pattern)
1233           << RegexError << A->getAsString(Args);
1234       return false;
1235     }
1236 
1237     return true;
1238   };
1239 
1240   for (Arg *A : Args) {
1241     if (A->getOption().matches(OPT_R_Joined)) {
1242       StringRef Value = A->getValue();
1243 
1244       if (Value == Name)
1245         Result.Kind = CodeGenOptions::RK_Enabled;
1246       else if (Value == "everything")
1247         Result.Kind = CodeGenOptions::RK_EnabledEverything;
1248       else if (Value.split('-') == std::make_pair(StringRef("no"), Name))
1249         Result.Kind = CodeGenOptions::RK_Disabled;
1250       else if (Value == "no-everything")
1251         Result.Kind = CodeGenOptions::RK_DisabledEverything;
1252       else
1253         continue;
1254 
1255       if (Result.Kind == CodeGenOptions::RK_Disabled ||
1256           Result.Kind == CodeGenOptions::RK_DisabledEverything) {
1257         Result.Pattern = "";
1258         Result.Regex = nullptr;
1259       } else {
1260         InitializeResultPattern(A, ".*");
1261       }
1262     } else if (A->getOption().matches(OptEQ)) {
1263       Result.Kind = CodeGenOptions::RK_WithPattern;
1264       if (!InitializeResultPattern(A, A->getValue()))
1265         return CodeGenOptions::OptRemark();
1266     }
1267   }
1268 
1269   return Result;
1270 }
1271 
1272 static bool parseDiagnosticLevelMask(StringRef FlagName,
1273                                      const std::vector<std::string> &Levels,
1274                                      DiagnosticsEngine &Diags,
1275                                      DiagnosticLevelMask &M) {
1276   bool Success = true;
1277   for (const auto &Level : Levels) {
1278     DiagnosticLevelMask const PM =
1279       llvm::StringSwitch<DiagnosticLevelMask>(Level)
1280         .Case("note",    DiagnosticLevelMask::Note)
1281         .Case("remark",  DiagnosticLevelMask::Remark)
1282         .Case("warning", DiagnosticLevelMask::Warning)
1283         .Case("error",   DiagnosticLevelMask::Error)
1284         .Default(DiagnosticLevelMask::None);
1285     if (PM == DiagnosticLevelMask::None) {
1286       Success = false;
1287       Diags.Report(diag::err_drv_invalid_value) << FlagName << Level;
1288     }
1289     M = M | PM;
1290   }
1291   return Success;
1292 }
1293 
1294 static void parseSanitizerKinds(StringRef FlagName,
1295                                 const std::vector<std::string> &Sanitizers,
1296                                 DiagnosticsEngine &Diags, SanitizerSet &S) {
1297   for (const auto &Sanitizer : Sanitizers) {
1298     SanitizerMask K = parseSanitizerValue(Sanitizer, /*AllowGroups=*/false);
1299     if (K == SanitizerMask())
1300       Diags.Report(diag::err_drv_invalid_value) << FlagName << Sanitizer;
1301     else
1302       S.set(K, true);
1303   }
1304 }
1305 
1306 static SmallVector<StringRef, 4> serializeSanitizerKinds(SanitizerSet S) {
1307   SmallVector<StringRef, 4> Values;
1308   serializeSanitizerSet(S, Values);
1309   return Values;
1310 }
1311 
1312 static void parseXRayInstrumentationBundle(StringRef FlagName, StringRef Bundle,
1313                                            ArgList &Args, DiagnosticsEngine &D,
1314                                            XRayInstrSet &S) {
1315   llvm::SmallVector<StringRef, 2> BundleParts;
1316   llvm::SplitString(Bundle, BundleParts, ",");
1317   for (const auto &B : BundleParts) {
1318     auto Mask = parseXRayInstrValue(B);
1319     if (Mask == XRayInstrKind::None)
1320       if (B != "none")
1321         D.Report(diag::err_drv_invalid_value) << FlagName << Bundle;
1322       else
1323         S.Mask = Mask;
1324     else if (Mask == XRayInstrKind::All)
1325       S.Mask = Mask;
1326     else
1327       S.set(Mask, true);
1328   }
1329 }
1330 
1331 static std::string serializeXRayInstrumentationBundle(const XRayInstrSet &S) {
1332   llvm::SmallVector<StringRef, 2> BundleParts;
1333   serializeXRayInstrValue(S, BundleParts);
1334   std::string Buffer;
1335   llvm::raw_string_ostream OS(Buffer);
1336   llvm::interleave(BundleParts, OS, [&OS](StringRef Part) { OS << Part; }, ",");
1337   return Buffer;
1338 }
1339 
1340 // Set the profile kind using fprofile-instrument-use-path.
1341 static void setPGOUseInstrumentor(CodeGenOptions &Opts,
1342                                   const Twine &ProfileName,
1343                                   llvm::vfs::FileSystem &FS,
1344                                   DiagnosticsEngine &Diags) {
1345   auto ReaderOrErr = llvm::IndexedInstrProfReader::create(ProfileName, FS);
1346   if (auto E = ReaderOrErr.takeError()) {
1347     unsigned DiagID = Diags.getCustomDiagID(DiagnosticsEngine::Error,
1348                                             "Error in reading profile %0: %1");
1349     llvm::handleAllErrors(std::move(E), [&](const llvm::ErrorInfoBase &EI) {
1350       Diags.Report(DiagID) << ProfileName.str() << EI.message();
1351     });
1352     return;
1353   }
1354   std::unique_ptr<llvm::IndexedInstrProfReader> PGOReader =
1355     std::move(ReaderOrErr.get());
1356   // Currently memprof profiles are only added at the IR level. Mark the profile
1357   // type as IR in that case as well and the subsequent matching needs to detect
1358   // which is available (might be one or both).
1359   if (PGOReader->isIRLevelProfile() || PGOReader->hasMemoryProfile()) {
1360     if (PGOReader->hasCSIRLevelProfile())
1361       Opts.setProfileUse(CodeGenOptions::ProfileCSIRInstr);
1362     else
1363       Opts.setProfileUse(CodeGenOptions::ProfileIRInstr);
1364   } else
1365     Opts.setProfileUse(CodeGenOptions::ProfileClangInstr);
1366 }
1367 
1368 void CompilerInvocation::GenerateCodeGenArgs(
1369     const CodeGenOptions &Opts, SmallVectorImpl<const char *> &Args,
1370     StringAllocator SA, const llvm::Triple &T, const std::string &OutputFile,
1371     const LangOptions *LangOpts) {
1372   const CodeGenOptions &CodeGenOpts = Opts;
1373 
1374   if (Opts.OptimizationLevel == 0)
1375     GenerateArg(Args, OPT_O0, SA);
1376   else
1377     GenerateArg(Args, OPT_O, Twine(Opts.OptimizationLevel), SA);
1378 
1379 #define CODEGEN_OPTION_WITH_MARSHALLING(...)                                   \
1380   GENERATE_OPTION_WITH_MARSHALLING(Args, SA, __VA_ARGS__)
1381 #include "clang/Driver/Options.inc"
1382 #undef CODEGEN_OPTION_WITH_MARSHALLING
1383 
1384   if (Opts.OptimizationLevel > 0) {
1385     if (Opts.Inlining == CodeGenOptions::NormalInlining)
1386       GenerateArg(Args, OPT_finline_functions, SA);
1387     else if (Opts.Inlining == CodeGenOptions::OnlyHintInlining)
1388       GenerateArg(Args, OPT_finline_hint_functions, SA);
1389     else if (Opts.Inlining == CodeGenOptions::OnlyAlwaysInlining)
1390       GenerateArg(Args, OPT_fno_inline, SA);
1391   }
1392 
1393   if (Opts.DirectAccessExternalData && LangOpts->PICLevel != 0)
1394     GenerateArg(Args, OPT_fdirect_access_external_data, SA);
1395   else if (!Opts.DirectAccessExternalData && LangOpts->PICLevel == 0)
1396     GenerateArg(Args, OPT_fno_direct_access_external_data, SA);
1397 
1398   std::optional<StringRef> DebugInfoVal;
1399   switch (Opts.DebugInfo) {
1400   case llvm::codegenoptions::DebugLineTablesOnly:
1401     DebugInfoVal = "line-tables-only";
1402     break;
1403   case llvm::codegenoptions::DebugDirectivesOnly:
1404     DebugInfoVal = "line-directives-only";
1405     break;
1406   case llvm::codegenoptions::DebugInfoConstructor:
1407     DebugInfoVal = "constructor";
1408     break;
1409   case llvm::codegenoptions::LimitedDebugInfo:
1410     DebugInfoVal = "limited";
1411     break;
1412   case llvm::codegenoptions::FullDebugInfo:
1413     DebugInfoVal = "standalone";
1414     break;
1415   case llvm::codegenoptions::UnusedTypeInfo:
1416     DebugInfoVal = "unused-types";
1417     break;
1418   case llvm::codegenoptions::NoDebugInfo: // default value
1419     DebugInfoVal = std::nullopt;
1420     break;
1421   case llvm::codegenoptions::LocTrackingOnly: // implied value
1422     DebugInfoVal = std::nullopt;
1423     break;
1424   }
1425   if (DebugInfoVal)
1426     GenerateArg(Args, OPT_debug_info_kind_EQ, *DebugInfoVal, SA);
1427 
1428   for (const auto &Prefix : Opts.DebugPrefixMap)
1429     GenerateArg(Args, OPT_fdebug_prefix_map_EQ,
1430                 Prefix.first + "=" + Prefix.second, SA);
1431 
1432   for (const auto &Prefix : Opts.CoveragePrefixMap)
1433     GenerateArg(Args, OPT_fcoverage_prefix_map_EQ,
1434                 Prefix.first + "=" + Prefix.second, SA);
1435 
1436   if (Opts.NewStructPathTBAA)
1437     GenerateArg(Args, OPT_new_struct_path_tbaa, SA);
1438 
1439   if (Opts.OptimizeSize == 1)
1440     GenerateArg(Args, OPT_O, "s", SA);
1441   else if (Opts.OptimizeSize == 2)
1442     GenerateArg(Args, OPT_O, "z", SA);
1443 
1444   // SimplifyLibCalls is set only in the absence of -fno-builtin and
1445   // -ffreestanding. We'll consider that when generating them.
1446 
1447   // NoBuiltinFuncs are generated by LangOptions.
1448 
1449   if (Opts.UnrollLoops && Opts.OptimizationLevel <= 1)
1450     GenerateArg(Args, OPT_funroll_loops, SA);
1451   else if (!Opts.UnrollLoops && Opts.OptimizationLevel > 1)
1452     GenerateArg(Args, OPT_fno_unroll_loops, SA);
1453 
1454   if (!Opts.BinutilsVersion.empty())
1455     GenerateArg(Args, OPT_fbinutils_version_EQ, Opts.BinutilsVersion, SA);
1456 
1457   if (Opts.DebugNameTable ==
1458       static_cast<unsigned>(llvm::DICompileUnit::DebugNameTableKind::GNU))
1459     GenerateArg(Args, OPT_ggnu_pubnames, SA);
1460   else if (Opts.DebugNameTable ==
1461            static_cast<unsigned>(
1462                llvm::DICompileUnit::DebugNameTableKind::Default))
1463     GenerateArg(Args, OPT_gpubnames, SA);
1464 
1465   auto TNK = Opts.getDebugSimpleTemplateNames();
1466   if (TNK != llvm::codegenoptions::DebugTemplateNamesKind::Full) {
1467     if (TNK == llvm::codegenoptions::DebugTemplateNamesKind::Simple)
1468       GenerateArg(Args, OPT_gsimple_template_names_EQ, "simple", SA);
1469     else if (TNK == llvm::codegenoptions::DebugTemplateNamesKind::Mangled)
1470       GenerateArg(Args, OPT_gsimple_template_names_EQ, "mangled", SA);
1471   }
1472   // ProfileInstrumentUsePath is marshalled automatically, no need to generate
1473   // it or PGOUseInstrumentor.
1474 
1475   if (Opts.TimePasses) {
1476     if (Opts.TimePassesPerRun)
1477       GenerateArg(Args, OPT_ftime_report_EQ, "per-pass-run", SA);
1478     else
1479       GenerateArg(Args, OPT_ftime_report, SA);
1480   }
1481 
1482   if (Opts.PrepareForLTO && !Opts.PrepareForThinLTO)
1483     GenerateArg(Args, OPT_flto_EQ, "full", SA);
1484 
1485   if (Opts.PrepareForThinLTO)
1486     GenerateArg(Args, OPT_flto_EQ, "thin", SA);
1487 
1488   if (!Opts.ThinLTOIndexFile.empty())
1489     GenerateArg(Args, OPT_fthinlto_index_EQ, Opts.ThinLTOIndexFile, SA);
1490 
1491   if (Opts.SaveTempsFilePrefix == OutputFile)
1492     GenerateArg(Args, OPT_save_temps_EQ, "obj", SA);
1493 
1494   StringRef MemProfileBasename("memprof.profraw");
1495   if (!Opts.MemoryProfileOutput.empty()) {
1496     if (Opts.MemoryProfileOutput == MemProfileBasename) {
1497       GenerateArg(Args, OPT_fmemory_profile, SA);
1498     } else {
1499       size_t ArgLength =
1500           Opts.MemoryProfileOutput.size() - MemProfileBasename.size();
1501       GenerateArg(Args, OPT_fmemory_profile_EQ,
1502                   Opts.MemoryProfileOutput.substr(0, ArgLength), SA);
1503     }
1504   }
1505 
1506   if (memcmp(Opts.CoverageVersion, "408*", 4) != 0)
1507     GenerateArg(Args, OPT_coverage_version_EQ,
1508                 StringRef(Opts.CoverageVersion, 4), SA);
1509 
1510   // TODO: Check if we need to generate arguments stored in CmdArgs. (Namely
1511   //  '-fembed_bitcode', which does not map to any CompilerInvocation field and
1512   //  won't be generated.)
1513 
1514   if (Opts.XRayInstrumentationBundle.Mask != XRayInstrKind::All) {
1515     std::string InstrBundle =
1516         serializeXRayInstrumentationBundle(Opts.XRayInstrumentationBundle);
1517     if (!InstrBundle.empty())
1518       GenerateArg(Args, OPT_fxray_instrumentation_bundle, InstrBundle, SA);
1519   }
1520 
1521   if (Opts.CFProtectionReturn && Opts.CFProtectionBranch)
1522     GenerateArg(Args, OPT_fcf_protection_EQ, "full", SA);
1523   else if (Opts.CFProtectionReturn)
1524     GenerateArg(Args, OPT_fcf_protection_EQ, "return", SA);
1525   else if (Opts.CFProtectionBranch)
1526     GenerateArg(Args, OPT_fcf_protection_EQ, "branch", SA);
1527 
1528   if (Opts.FunctionReturnThunks)
1529     GenerateArg(Args, OPT_mfunction_return_EQ, "thunk-extern", SA);
1530 
1531   for (const auto &F : Opts.LinkBitcodeFiles) {
1532     bool Builtint = F.LinkFlags == llvm::Linker::Flags::LinkOnlyNeeded &&
1533                     F.PropagateAttrs && F.Internalize;
1534     GenerateArg(Args,
1535                 Builtint ? OPT_mlink_builtin_bitcode : OPT_mlink_bitcode_file,
1536                 F.Filename, SA);
1537   }
1538 
1539   if (Opts.EmulatedTLS)
1540     GenerateArg(Args, OPT_femulated_tls, SA);
1541 
1542   if (Opts.FPDenormalMode != llvm::DenormalMode::getIEEE())
1543     GenerateArg(Args, OPT_fdenormal_fp_math_EQ, Opts.FPDenormalMode.str(), SA);
1544 
1545   if ((Opts.FPDenormalMode != Opts.FP32DenormalMode) ||
1546       (Opts.FP32DenormalMode != llvm::DenormalMode::getIEEE()))
1547     GenerateArg(Args, OPT_fdenormal_fp_math_f32_EQ, Opts.FP32DenormalMode.str(),
1548                 SA);
1549 
1550   if (Opts.StructReturnConvention == CodeGenOptions::SRCK_OnStack) {
1551     OptSpecifier Opt =
1552         T.isPPC32() ? OPT_maix_struct_return : OPT_fpcc_struct_return;
1553     GenerateArg(Args, Opt, SA);
1554   } else if (Opts.StructReturnConvention == CodeGenOptions::SRCK_InRegs) {
1555     OptSpecifier Opt =
1556         T.isPPC32() ? OPT_msvr4_struct_return : OPT_freg_struct_return;
1557     GenerateArg(Args, Opt, SA);
1558   }
1559 
1560   if (Opts.EnableAIXExtendedAltivecABI)
1561     GenerateArg(Args, OPT_mabi_EQ_vec_extabi, SA);
1562 
1563   if (Opts.XCOFFReadOnlyPointers)
1564     GenerateArg(Args, OPT_mxcoff_roptr, SA);
1565 
1566   if (!Opts.OptRecordPasses.empty())
1567     GenerateArg(Args, OPT_opt_record_passes, Opts.OptRecordPasses, SA);
1568 
1569   if (!Opts.OptRecordFormat.empty())
1570     GenerateArg(Args, OPT_opt_record_format, Opts.OptRecordFormat, SA);
1571 
1572   GenerateOptimizationRemark(Args, SA, OPT_Rpass_EQ, "pass",
1573                              Opts.OptimizationRemark);
1574 
1575   GenerateOptimizationRemark(Args, SA, OPT_Rpass_missed_EQ, "pass-missed",
1576                              Opts.OptimizationRemarkMissed);
1577 
1578   GenerateOptimizationRemark(Args, SA, OPT_Rpass_analysis_EQ, "pass-analysis",
1579                              Opts.OptimizationRemarkAnalysis);
1580 
1581   GenerateArg(Args, OPT_fdiagnostics_hotness_threshold_EQ,
1582               Opts.DiagnosticsHotnessThreshold
1583                   ? Twine(*Opts.DiagnosticsHotnessThreshold)
1584                   : "auto",
1585               SA);
1586 
1587   GenerateArg(Args, OPT_fdiagnostics_misexpect_tolerance_EQ,
1588               Twine(*Opts.DiagnosticsMisExpectTolerance), SA);
1589 
1590   for (StringRef Sanitizer : serializeSanitizerKinds(Opts.SanitizeRecover))
1591     GenerateArg(Args, OPT_fsanitize_recover_EQ, Sanitizer, SA);
1592 
1593   for (StringRef Sanitizer : serializeSanitizerKinds(Opts.SanitizeTrap))
1594     GenerateArg(Args, OPT_fsanitize_trap_EQ, Sanitizer, SA);
1595 
1596   if (!Opts.EmitVersionIdentMetadata)
1597     GenerateArg(Args, OPT_Qn, SA);
1598 
1599   switch (Opts.FiniteLoops) {
1600   case CodeGenOptions::FiniteLoopsKind::Language:
1601     break;
1602   case CodeGenOptions::FiniteLoopsKind::Always:
1603     GenerateArg(Args, OPT_ffinite_loops, SA);
1604     break;
1605   case CodeGenOptions::FiniteLoopsKind::Never:
1606     GenerateArg(Args, OPT_fno_finite_loops, SA);
1607     break;
1608   }
1609 }
1610 
1611 bool CompilerInvocation::ParseCodeGenArgs(CodeGenOptions &Opts, ArgList &Args,
1612                                           InputKind IK,
1613                                           DiagnosticsEngine &Diags,
1614                                           const llvm::Triple &T,
1615                                           const std::string &OutputFile,
1616                                           const LangOptions &LangOptsRef) {
1617   unsigned NumErrorsBefore = Diags.getNumErrors();
1618 
1619   unsigned OptimizationLevel = getOptimizationLevel(Args, IK, Diags);
1620   // TODO: This could be done in Driver
1621   unsigned MaxOptLevel = 3;
1622   if (OptimizationLevel > MaxOptLevel) {
1623     // If the optimization level is not supported, fall back on the default
1624     // optimization
1625     Diags.Report(diag::warn_drv_optimization_value)
1626         << Args.getLastArg(OPT_O)->getAsString(Args) << "-O" << MaxOptLevel;
1627     OptimizationLevel = MaxOptLevel;
1628   }
1629   Opts.OptimizationLevel = OptimizationLevel;
1630 
1631   // The key paths of codegen options defined in Options.td start with
1632   // "CodeGenOpts.". Let's provide the expected variable name and type.
1633   CodeGenOptions &CodeGenOpts = Opts;
1634   // Some codegen options depend on language options. Let's provide the expected
1635   // variable name and type.
1636   const LangOptions *LangOpts = &LangOptsRef;
1637 
1638 #define CODEGEN_OPTION_WITH_MARSHALLING(...)                                   \
1639   PARSE_OPTION_WITH_MARSHALLING(Args, Diags, __VA_ARGS__)
1640 #include "clang/Driver/Options.inc"
1641 #undef CODEGEN_OPTION_WITH_MARSHALLING
1642 
1643   // At O0 we want to fully disable inlining outside of cases marked with
1644   // 'alwaysinline' that are required for correctness.
1645   if (Opts.OptimizationLevel == 0) {
1646     Opts.setInlining(CodeGenOptions::OnlyAlwaysInlining);
1647   } else if (const Arg *A = Args.getLastArg(options::OPT_finline_functions,
1648                                             options::OPT_finline_hint_functions,
1649                                             options::OPT_fno_inline_functions,
1650                                             options::OPT_fno_inline)) {
1651     // Explicit inlining flags can disable some or all inlining even at
1652     // optimization levels above zero.
1653     if (A->getOption().matches(options::OPT_finline_functions))
1654       Opts.setInlining(CodeGenOptions::NormalInlining);
1655     else if (A->getOption().matches(options::OPT_finline_hint_functions))
1656       Opts.setInlining(CodeGenOptions::OnlyHintInlining);
1657     else
1658       Opts.setInlining(CodeGenOptions::OnlyAlwaysInlining);
1659   } else {
1660     Opts.setInlining(CodeGenOptions::NormalInlining);
1661   }
1662 
1663   // PIC defaults to -fno-direct-access-external-data while non-PIC defaults to
1664   // -fdirect-access-external-data.
1665   Opts.DirectAccessExternalData =
1666       Args.hasArg(OPT_fdirect_access_external_data) ||
1667       (!Args.hasArg(OPT_fno_direct_access_external_data) &&
1668        LangOpts->PICLevel == 0);
1669 
1670   if (Arg *A = Args.getLastArg(OPT_debug_info_kind_EQ)) {
1671     unsigned Val =
1672         llvm::StringSwitch<unsigned>(A->getValue())
1673             .Case("line-tables-only", llvm::codegenoptions::DebugLineTablesOnly)
1674             .Case("line-directives-only",
1675                   llvm::codegenoptions::DebugDirectivesOnly)
1676             .Case("constructor", llvm::codegenoptions::DebugInfoConstructor)
1677             .Case("limited", llvm::codegenoptions::LimitedDebugInfo)
1678             .Case("standalone", llvm::codegenoptions::FullDebugInfo)
1679             .Case("unused-types", llvm::codegenoptions::UnusedTypeInfo)
1680             .Default(~0U);
1681     if (Val == ~0U)
1682       Diags.Report(diag::err_drv_invalid_value) << A->getAsString(Args)
1683                                                 << A->getValue();
1684     else
1685       Opts.setDebugInfo(static_cast<llvm::codegenoptions::DebugInfoKind>(Val));
1686   }
1687 
1688   // If -fuse-ctor-homing is set and limited debug info is already on, then use
1689   // constructor homing, and vice versa for -fno-use-ctor-homing.
1690   if (const Arg *A =
1691           Args.getLastArg(OPT_fuse_ctor_homing, OPT_fno_use_ctor_homing)) {
1692     if (A->getOption().matches(OPT_fuse_ctor_homing) &&
1693         Opts.getDebugInfo() == llvm::codegenoptions::LimitedDebugInfo)
1694       Opts.setDebugInfo(llvm::codegenoptions::DebugInfoConstructor);
1695     if (A->getOption().matches(OPT_fno_use_ctor_homing) &&
1696         Opts.getDebugInfo() == llvm::codegenoptions::DebugInfoConstructor)
1697       Opts.setDebugInfo(llvm::codegenoptions::LimitedDebugInfo);
1698   }
1699 
1700   for (const auto &Arg : Args.getAllArgValues(OPT_fdebug_prefix_map_EQ)) {
1701     auto Split = StringRef(Arg).split('=');
1702     Opts.DebugPrefixMap.emplace_back(Split.first, Split.second);
1703   }
1704 
1705   for (const auto &Arg : Args.getAllArgValues(OPT_fcoverage_prefix_map_EQ)) {
1706     auto Split = StringRef(Arg).split('=');
1707     Opts.CoveragePrefixMap.emplace_back(Split.first, Split.second);
1708   }
1709 
1710   const llvm::Triple::ArchType DebugEntryValueArchs[] = {
1711       llvm::Triple::x86, llvm::Triple::x86_64, llvm::Triple::aarch64,
1712       llvm::Triple::arm, llvm::Triple::armeb, llvm::Triple::mips,
1713       llvm::Triple::mipsel, llvm::Triple::mips64, llvm::Triple::mips64el};
1714 
1715   if (Opts.OptimizationLevel > 0 && Opts.hasReducedDebugInfo() &&
1716       llvm::is_contained(DebugEntryValueArchs, T.getArch()))
1717     Opts.EmitCallSiteInfo = true;
1718 
1719   if (!Opts.EnableDIPreservationVerify && Opts.DIBugsReportFilePath.size()) {
1720     Diags.Report(diag::warn_ignoring_verify_debuginfo_preserve_export)
1721         << Opts.DIBugsReportFilePath;
1722     Opts.DIBugsReportFilePath = "";
1723   }
1724 
1725   Opts.NewStructPathTBAA = !Args.hasArg(OPT_no_struct_path_tbaa) &&
1726                            Args.hasArg(OPT_new_struct_path_tbaa);
1727   Opts.OptimizeSize = getOptimizationLevelSize(Args);
1728   Opts.SimplifyLibCalls = !LangOpts->NoBuiltin;
1729   if (Opts.SimplifyLibCalls)
1730     Opts.NoBuiltinFuncs = LangOpts->NoBuiltinFuncs;
1731   Opts.UnrollLoops =
1732       Args.hasFlag(OPT_funroll_loops, OPT_fno_unroll_loops,
1733                    (Opts.OptimizationLevel > 1));
1734   Opts.BinutilsVersion =
1735       std::string(Args.getLastArgValue(OPT_fbinutils_version_EQ));
1736 
1737   Opts.DebugNameTable = static_cast<unsigned>(
1738       Args.hasArg(OPT_ggnu_pubnames)
1739           ? llvm::DICompileUnit::DebugNameTableKind::GNU
1740           : Args.hasArg(OPT_gpubnames)
1741                 ? llvm::DICompileUnit::DebugNameTableKind::Default
1742                 : llvm::DICompileUnit::DebugNameTableKind::None);
1743   if (const Arg *A = Args.getLastArg(OPT_gsimple_template_names_EQ)) {
1744     StringRef Value = A->getValue();
1745     if (Value != "simple" && Value != "mangled")
1746       Diags.Report(diag::err_drv_unsupported_option_argument)
1747           << A->getSpelling() << A->getValue();
1748     Opts.setDebugSimpleTemplateNames(
1749         StringRef(A->getValue()) == "simple"
1750             ? llvm::codegenoptions::DebugTemplateNamesKind::Simple
1751             : llvm::codegenoptions::DebugTemplateNamesKind::Mangled);
1752   }
1753 
1754   if (const Arg *A = Args.getLastArg(OPT_ftime_report, OPT_ftime_report_EQ)) {
1755     Opts.TimePasses = true;
1756 
1757     // -ftime-report= is only for new pass manager.
1758     if (A->getOption().getID() == OPT_ftime_report_EQ) {
1759       StringRef Val = A->getValue();
1760       if (Val == "per-pass")
1761         Opts.TimePassesPerRun = false;
1762       else if (Val == "per-pass-run")
1763         Opts.TimePassesPerRun = true;
1764       else
1765         Diags.Report(diag::err_drv_invalid_value)
1766             << A->getAsString(Args) << A->getValue();
1767     }
1768   }
1769 
1770   Opts.PrepareForLTO = false;
1771   Opts.PrepareForThinLTO = false;
1772   if (Arg *A = Args.getLastArg(OPT_flto_EQ)) {
1773     Opts.PrepareForLTO = true;
1774     StringRef S = A->getValue();
1775     if (S == "thin")
1776       Opts.PrepareForThinLTO = true;
1777     else if (S != "full")
1778       Diags.Report(diag::err_drv_invalid_value) << A->getAsString(Args) << S;
1779   }
1780   if (Arg *A = Args.getLastArg(OPT_fthinlto_index_EQ)) {
1781     if (IK.getLanguage() != Language::LLVM_IR)
1782       Diags.Report(diag::err_drv_argument_only_allowed_with)
1783           << A->getAsString(Args) << "-x ir";
1784     Opts.ThinLTOIndexFile =
1785         std::string(Args.getLastArgValue(OPT_fthinlto_index_EQ));
1786   }
1787   if (Arg *A = Args.getLastArg(OPT_save_temps_EQ))
1788     Opts.SaveTempsFilePrefix =
1789         llvm::StringSwitch<std::string>(A->getValue())
1790             .Case("obj", OutputFile)
1791             .Default(llvm::sys::path::filename(OutputFile).str());
1792 
1793   // The memory profile runtime appends the pid to make this name more unique.
1794   const char *MemProfileBasename = "memprof.profraw";
1795   if (Args.hasArg(OPT_fmemory_profile_EQ)) {
1796     SmallString<128> Path(
1797         std::string(Args.getLastArgValue(OPT_fmemory_profile_EQ)));
1798     llvm::sys::path::append(Path, MemProfileBasename);
1799     Opts.MemoryProfileOutput = std::string(Path);
1800   } else if (Args.hasArg(OPT_fmemory_profile))
1801     Opts.MemoryProfileOutput = MemProfileBasename;
1802 
1803   memcpy(Opts.CoverageVersion, "408*", 4);
1804   if (Opts.CoverageNotesFile.size() || Opts.CoverageDataFile.size()) {
1805     if (Args.hasArg(OPT_coverage_version_EQ)) {
1806       StringRef CoverageVersion = Args.getLastArgValue(OPT_coverage_version_EQ);
1807       if (CoverageVersion.size() != 4) {
1808         Diags.Report(diag::err_drv_invalid_value)
1809             << Args.getLastArg(OPT_coverage_version_EQ)->getAsString(Args)
1810             << CoverageVersion;
1811       } else {
1812         memcpy(Opts.CoverageVersion, CoverageVersion.data(), 4);
1813       }
1814     }
1815   }
1816   // FIXME: For backend options that are not yet recorded as function
1817   // attributes in the IR, keep track of them so we can embed them in a
1818   // separate data section and use them when building the bitcode.
1819   for (const auto &A : Args) {
1820     // Do not encode output and input.
1821     if (A->getOption().getID() == options::OPT_o ||
1822         A->getOption().getID() == options::OPT_INPUT ||
1823         A->getOption().getID() == options::OPT_x ||
1824         A->getOption().getID() == options::OPT_fembed_bitcode ||
1825         A->getOption().matches(options::OPT_W_Group))
1826       continue;
1827     ArgStringList ASL;
1828     A->render(Args, ASL);
1829     for (const auto &arg : ASL) {
1830       StringRef ArgStr(arg);
1831       Opts.CmdArgs.insert(Opts.CmdArgs.end(), ArgStr.begin(), ArgStr.end());
1832       // using \00 to separate each commandline options.
1833       Opts.CmdArgs.push_back('\0');
1834     }
1835   }
1836 
1837   auto XRayInstrBundles =
1838       Args.getAllArgValues(OPT_fxray_instrumentation_bundle);
1839   if (XRayInstrBundles.empty())
1840     Opts.XRayInstrumentationBundle.Mask = XRayInstrKind::All;
1841   else
1842     for (const auto &A : XRayInstrBundles)
1843       parseXRayInstrumentationBundle("-fxray-instrumentation-bundle=", A, Args,
1844                                      Diags, Opts.XRayInstrumentationBundle);
1845 
1846   if (const Arg *A = Args.getLastArg(OPT_fcf_protection_EQ)) {
1847     StringRef Name = A->getValue();
1848     if (Name == "full") {
1849       Opts.CFProtectionReturn = 1;
1850       Opts.CFProtectionBranch = 1;
1851     } else if (Name == "return")
1852       Opts.CFProtectionReturn = 1;
1853     else if (Name == "branch")
1854       Opts.CFProtectionBranch = 1;
1855     else if (Name != "none")
1856       Diags.Report(diag::err_drv_invalid_value) << A->getAsString(Args) << Name;
1857   }
1858 
1859   if (const Arg *A = Args.getLastArg(OPT_mfunction_return_EQ)) {
1860     auto Val = llvm::StringSwitch<llvm::FunctionReturnThunksKind>(A->getValue())
1861                    .Case("keep", llvm::FunctionReturnThunksKind::Keep)
1862                    .Case("thunk-extern", llvm::FunctionReturnThunksKind::Extern)
1863                    .Default(llvm::FunctionReturnThunksKind::Invalid);
1864     // SystemZ might want to add support for "expolines."
1865     if (!T.isX86())
1866       Diags.Report(diag::err_drv_argument_not_allowed_with)
1867           << A->getSpelling() << T.getTriple();
1868     else if (Val == llvm::FunctionReturnThunksKind::Invalid)
1869       Diags.Report(diag::err_drv_invalid_value)
1870           << A->getAsString(Args) << A->getValue();
1871     else if (Val == llvm::FunctionReturnThunksKind::Extern &&
1872              Args.getLastArgValue(OPT_mcmodel_EQ).equals("large"))
1873       Diags.Report(diag::err_drv_argument_not_allowed_with)
1874           << A->getAsString(Args)
1875           << Args.getLastArg(OPT_mcmodel_EQ)->getAsString(Args);
1876     else
1877       Opts.FunctionReturnThunks = static_cast<unsigned>(Val);
1878   }
1879 
1880   for (auto *A :
1881        Args.filtered(OPT_mlink_bitcode_file, OPT_mlink_builtin_bitcode)) {
1882     CodeGenOptions::BitcodeFileToLink F;
1883     F.Filename = A->getValue();
1884     if (A->getOption().matches(OPT_mlink_builtin_bitcode)) {
1885       F.LinkFlags = llvm::Linker::Flags::LinkOnlyNeeded;
1886       // When linking CUDA bitcode, propagate function attributes so that
1887       // e.g. libdevice gets fast-math attrs if we're building with fast-math.
1888       F.PropagateAttrs = true;
1889       F.Internalize = true;
1890     }
1891     Opts.LinkBitcodeFiles.push_back(F);
1892   }
1893 
1894   if (Arg *A = Args.getLastArg(OPT_ftlsmodel_EQ)) {
1895     if (T.isOSAIX()) {
1896       StringRef Name = A->getValue();
1897       if (Name != "global-dynamic")
1898         Diags.Report(diag::err_aix_unsupported_tls_model) << Name;
1899     }
1900   }
1901 
1902   if (Arg *A = Args.getLastArg(OPT_fdenormal_fp_math_EQ)) {
1903     StringRef Val = A->getValue();
1904     Opts.FPDenormalMode = llvm::parseDenormalFPAttribute(Val);
1905     Opts.FP32DenormalMode = Opts.FPDenormalMode;
1906     if (!Opts.FPDenormalMode.isValid())
1907       Diags.Report(diag::err_drv_invalid_value) << A->getAsString(Args) << Val;
1908   }
1909 
1910   if (Arg *A = Args.getLastArg(OPT_fdenormal_fp_math_f32_EQ)) {
1911     StringRef Val = A->getValue();
1912     Opts.FP32DenormalMode = llvm::parseDenormalFPAttribute(Val);
1913     if (!Opts.FP32DenormalMode.isValid())
1914       Diags.Report(diag::err_drv_invalid_value) << A->getAsString(Args) << Val;
1915   }
1916 
1917   // X86_32 has -fppc-struct-return and -freg-struct-return.
1918   // PPC32 has -maix-struct-return and -msvr4-struct-return.
1919   if (Arg *A =
1920           Args.getLastArg(OPT_fpcc_struct_return, OPT_freg_struct_return,
1921                           OPT_maix_struct_return, OPT_msvr4_struct_return)) {
1922     // TODO: We might want to consider enabling these options on AIX in the
1923     // future.
1924     if (T.isOSAIX())
1925       Diags.Report(diag::err_drv_unsupported_opt_for_target)
1926           << A->getSpelling() << T.str();
1927 
1928     const Option &O = A->getOption();
1929     if (O.matches(OPT_fpcc_struct_return) ||
1930         O.matches(OPT_maix_struct_return)) {
1931       Opts.setStructReturnConvention(CodeGenOptions::SRCK_OnStack);
1932     } else {
1933       assert(O.matches(OPT_freg_struct_return) ||
1934              O.matches(OPT_msvr4_struct_return));
1935       Opts.setStructReturnConvention(CodeGenOptions::SRCK_InRegs);
1936     }
1937   }
1938 
1939   if (Arg *A = Args.getLastArg(OPT_mxcoff_roptr)) {
1940     if (!T.isOSAIX())
1941       Diags.Report(diag::err_drv_unsupported_opt_for_target)
1942           << A->getSpelling() << T.str();
1943 
1944     // Since the storage mapping class is specified per csect,
1945     // without using data sections, it is less effective to use read-only
1946     // pointers. Using read-only pointers may cause other RO variables in the
1947     // same csect to become RW when the linker acts upon `-bforceimprw`;
1948     // therefore, we require that separate data sections
1949     // are used when `-mxcoff-roptr` is in effect. We respect the setting of
1950     // data-sections since we have not found reasons to do otherwise that
1951     // overcome the user surprise of not respecting the setting.
1952     if (!Args.hasFlag(OPT_fdata_sections, OPT_fno_data_sections, false))
1953       Diags.Report(diag::err_roptr_requires_data_sections);
1954 
1955     Opts.XCOFFReadOnlyPointers = true;
1956   }
1957 
1958   if (Arg *A = Args.getLastArg(OPT_mabi_EQ_quadword_atomics)) {
1959     if (!T.isOSAIX() || T.isPPC32())
1960       Diags.Report(diag::err_drv_unsupported_opt_for_target)
1961         << A->getSpelling() << T.str();
1962   }
1963 
1964   bool NeedLocTracking = false;
1965 
1966   if (!Opts.OptRecordFile.empty())
1967     NeedLocTracking = true;
1968 
1969   if (Arg *A = Args.getLastArg(OPT_opt_record_passes)) {
1970     Opts.OptRecordPasses = A->getValue();
1971     NeedLocTracking = true;
1972   }
1973 
1974   if (Arg *A = Args.getLastArg(OPT_opt_record_format)) {
1975     Opts.OptRecordFormat = A->getValue();
1976     NeedLocTracking = true;
1977   }
1978 
1979   Opts.OptimizationRemark =
1980       ParseOptimizationRemark(Diags, Args, OPT_Rpass_EQ, "pass");
1981 
1982   Opts.OptimizationRemarkMissed =
1983       ParseOptimizationRemark(Diags, Args, OPT_Rpass_missed_EQ, "pass-missed");
1984 
1985   Opts.OptimizationRemarkAnalysis = ParseOptimizationRemark(
1986       Diags, Args, OPT_Rpass_analysis_EQ, "pass-analysis");
1987 
1988   NeedLocTracking |= Opts.OptimizationRemark.hasValidPattern() ||
1989                      Opts.OptimizationRemarkMissed.hasValidPattern() ||
1990                      Opts.OptimizationRemarkAnalysis.hasValidPattern();
1991 
1992   bool UsingSampleProfile = !Opts.SampleProfileFile.empty();
1993   bool UsingProfile =
1994       UsingSampleProfile || !Opts.ProfileInstrumentUsePath.empty();
1995 
1996   if (Opts.DiagnosticsWithHotness && !UsingProfile &&
1997       // An IR file will contain PGO as metadata
1998       IK.getLanguage() != Language::LLVM_IR)
1999     Diags.Report(diag::warn_drv_diagnostics_hotness_requires_pgo)
2000         << "-fdiagnostics-show-hotness";
2001 
2002   // Parse remarks hotness threshold. Valid value is either integer or 'auto'.
2003   if (auto *arg =
2004           Args.getLastArg(options::OPT_fdiagnostics_hotness_threshold_EQ)) {
2005     auto ResultOrErr =
2006         llvm::remarks::parseHotnessThresholdOption(arg->getValue());
2007 
2008     if (!ResultOrErr) {
2009       Diags.Report(diag::err_drv_invalid_diagnotics_hotness_threshold)
2010           << "-fdiagnostics-hotness-threshold=";
2011     } else {
2012       Opts.DiagnosticsHotnessThreshold = *ResultOrErr;
2013       if ((!Opts.DiagnosticsHotnessThreshold ||
2014            *Opts.DiagnosticsHotnessThreshold > 0) &&
2015           !UsingProfile)
2016         Diags.Report(diag::warn_drv_diagnostics_hotness_requires_pgo)
2017             << "-fdiagnostics-hotness-threshold=";
2018     }
2019   }
2020 
2021   if (auto *arg =
2022           Args.getLastArg(options::OPT_fdiagnostics_misexpect_tolerance_EQ)) {
2023     auto ResultOrErr = parseToleranceOption(arg->getValue());
2024 
2025     if (!ResultOrErr) {
2026       Diags.Report(diag::err_drv_invalid_diagnotics_misexpect_tolerance)
2027           << "-fdiagnostics-misexpect-tolerance=";
2028     } else {
2029       Opts.DiagnosticsMisExpectTolerance = *ResultOrErr;
2030       if ((!Opts.DiagnosticsMisExpectTolerance ||
2031            *Opts.DiagnosticsMisExpectTolerance > 0) &&
2032           !UsingProfile)
2033         Diags.Report(diag::warn_drv_diagnostics_misexpect_requires_pgo)
2034             << "-fdiagnostics-misexpect-tolerance=";
2035     }
2036   }
2037 
2038   // If the user requested to use a sample profile for PGO, then the
2039   // backend will need to track source location information so the profile
2040   // can be incorporated into the IR.
2041   if (UsingSampleProfile)
2042     NeedLocTracking = true;
2043 
2044   if (!Opts.StackUsageOutput.empty())
2045     NeedLocTracking = true;
2046 
2047   // If the user requested a flag that requires source locations available in
2048   // the backend, make sure that the backend tracks source location information.
2049   if (NeedLocTracking &&
2050       Opts.getDebugInfo() == llvm::codegenoptions::NoDebugInfo)
2051     Opts.setDebugInfo(llvm::codegenoptions::LocTrackingOnly);
2052 
2053   // Parse -fsanitize-recover= arguments.
2054   // FIXME: Report unrecoverable sanitizers incorrectly specified here.
2055   parseSanitizerKinds("-fsanitize-recover=",
2056                       Args.getAllArgValues(OPT_fsanitize_recover_EQ), Diags,
2057                       Opts.SanitizeRecover);
2058   parseSanitizerKinds("-fsanitize-trap=",
2059                       Args.getAllArgValues(OPT_fsanitize_trap_EQ), Diags,
2060                       Opts.SanitizeTrap);
2061 
2062   Opts.EmitVersionIdentMetadata = Args.hasFlag(OPT_Qy, OPT_Qn, true);
2063 
2064   if (Args.hasArg(options::OPT_ffinite_loops))
2065     Opts.FiniteLoops = CodeGenOptions::FiniteLoopsKind::Always;
2066   else if (Args.hasArg(options::OPT_fno_finite_loops))
2067     Opts.FiniteLoops = CodeGenOptions::FiniteLoopsKind::Never;
2068 
2069   Opts.EmitIEEENaNCompliantInsts = Args.hasFlag(
2070       options::OPT_mamdgpu_ieee, options::OPT_mno_amdgpu_ieee, true);
2071   if (!Opts.EmitIEEENaNCompliantInsts && !LangOptsRef.NoHonorNaNs)
2072     Diags.Report(diag::err_drv_amdgpu_ieee_without_no_honor_nans);
2073 
2074   return Diags.getNumErrors() == NumErrorsBefore;
2075 }
2076 
2077 static void
2078 GenerateDependencyOutputArgs(const DependencyOutputOptions &Opts,
2079                              SmallVectorImpl<const char *> &Args,
2080                              CompilerInvocation::StringAllocator SA) {
2081   const DependencyOutputOptions &DependencyOutputOpts = Opts;
2082 #define DEPENDENCY_OUTPUT_OPTION_WITH_MARSHALLING(...)                         \
2083   GENERATE_OPTION_WITH_MARSHALLING(Args, SA, __VA_ARGS__)
2084 #include "clang/Driver/Options.inc"
2085 #undef DEPENDENCY_OUTPUT_OPTION_WITH_MARSHALLING
2086 
2087   if (Opts.ShowIncludesDest != ShowIncludesDestination::None)
2088     GenerateArg(Args, OPT_show_includes, SA);
2089 
2090   for (const auto &Dep : Opts.ExtraDeps) {
2091     switch (Dep.second) {
2092     case EDK_SanitizeIgnorelist:
2093       // Sanitizer ignorelist arguments are generated from LanguageOptions.
2094       continue;
2095     case EDK_ModuleFile:
2096       // Module file arguments are generated from FrontendOptions and
2097       // HeaderSearchOptions.
2098       continue;
2099     case EDK_ProfileList:
2100       // Profile list arguments are generated from LanguageOptions via the
2101       // marshalling infrastructure.
2102       continue;
2103     case EDK_DepFileEntry:
2104       GenerateArg(Args, OPT_fdepfile_entry, Dep.first, SA);
2105       break;
2106     }
2107   }
2108 }
2109 
2110 static bool ParseDependencyOutputArgs(DependencyOutputOptions &Opts,
2111                                       ArgList &Args, DiagnosticsEngine &Diags,
2112                                       frontend::ActionKind Action,
2113                                       bool ShowLineMarkers) {
2114   unsigned NumErrorsBefore = Diags.getNumErrors();
2115 
2116   DependencyOutputOptions &DependencyOutputOpts = Opts;
2117 #define DEPENDENCY_OUTPUT_OPTION_WITH_MARSHALLING(...)                         \
2118   PARSE_OPTION_WITH_MARSHALLING(Args, Diags, __VA_ARGS__)
2119 #include "clang/Driver/Options.inc"
2120 #undef DEPENDENCY_OUTPUT_OPTION_WITH_MARSHALLING
2121 
2122   if (Args.hasArg(OPT_show_includes)) {
2123     // Writing both /showIncludes and preprocessor output to stdout
2124     // would produce interleaved output, so use stderr for /showIncludes.
2125     // This behaves the same as cl.exe, when /E, /EP or /P are passed.
2126     if (Action == frontend::PrintPreprocessedInput || !ShowLineMarkers)
2127       Opts.ShowIncludesDest = ShowIncludesDestination::Stderr;
2128     else
2129       Opts.ShowIncludesDest = ShowIncludesDestination::Stdout;
2130   } else {
2131     Opts.ShowIncludesDest = ShowIncludesDestination::None;
2132   }
2133 
2134   // Add sanitizer ignorelists as extra dependencies.
2135   // They won't be discovered by the regular preprocessor, so
2136   // we let make / ninja to know about this implicit dependency.
2137   if (!Args.hasArg(OPT_fno_sanitize_ignorelist)) {
2138     for (const auto *A : Args.filtered(OPT_fsanitize_ignorelist_EQ)) {
2139       StringRef Val = A->getValue();
2140       if (!Val.contains('='))
2141         Opts.ExtraDeps.emplace_back(std::string(Val), EDK_SanitizeIgnorelist);
2142     }
2143     if (Opts.IncludeSystemHeaders) {
2144       for (const auto *A : Args.filtered(OPT_fsanitize_system_ignorelist_EQ)) {
2145         StringRef Val = A->getValue();
2146         if (!Val.contains('='))
2147           Opts.ExtraDeps.emplace_back(std::string(Val), EDK_SanitizeIgnorelist);
2148       }
2149     }
2150   }
2151 
2152   // -fprofile-list= dependencies.
2153   for (const auto &Filename : Args.getAllArgValues(OPT_fprofile_list_EQ))
2154     Opts.ExtraDeps.emplace_back(Filename, EDK_ProfileList);
2155 
2156   // Propagate the extra dependencies.
2157   for (const auto *A : Args.filtered(OPT_fdepfile_entry))
2158     Opts.ExtraDeps.emplace_back(A->getValue(), EDK_DepFileEntry);
2159 
2160   // Only the -fmodule-file=<file> form.
2161   for (const auto *A : Args.filtered(OPT_fmodule_file)) {
2162     StringRef Val = A->getValue();
2163     if (!Val.contains('='))
2164       Opts.ExtraDeps.emplace_back(std::string(Val), EDK_ModuleFile);
2165   }
2166 
2167   // Check for invalid combinations of header-include-format
2168   // and header-include-filtering.
2169   if ((Opts.HeaderIncludeFormat == HIFMT_Textual &&
2170        Opts.HeaderIncludeFiltering != HIFIL_None) ||
2171       (Opts.HeaderIncludeFormat == HIFMT_JSON &&
2172        Opts.HeaderIncludeFiltering != HIFIL_Only_Direct_System))
2173     Diags.Report(diag::err_drv_print_header_env_var_combination_cc1)
2174         << Args.getLastArg(OPT_header_include_format_EQ)->getValue()
2175         << Args.getLastArg(OPT_header_include_filtering_EQ)->getValue();
2176 
2177   return Diags.getNumErrors() == NumErrorsBefore;
2178 }
2179 
2180 static bool parseShowColorsArgs(const ArgList &Args, bool DefaultColor) {
2181   // Color diagnostics default to auto ("on" if terminal supports) in the driver
2182   // but default to off in cc1, needing an explicit OPT_fdiagnostics_color.
2183   // Support both clang's -f[no-]color-diagnostics and gcc's
2184   // -f[no-]diagnostics-colors[=never|always|auto].
2185   enum {
2186     Colors_On,
2187     Colors_Off,
2188     Colors_Auto
2189   } ShowColors = DefaultColor ? Colors_Auto : Colors_Off;
2190   for (auto *A : Args) {
2191     const Option &O = A->getOption();
2192     if (O.matches(options::OPT_fcolor_diagnostics)) {
2193       ShowColors = Colors_On;
2194     } else if (O.matches(options::OPT_fno_color_diagnostics)) {
2195       ShowColors = Colors_Off;
2196     } else if (O.matches(options::OPT_fdiagnostics_color_EQ)) {
2197       StringRef Value(A->getValue());
2198       if (Value == "always")
2199         ShowColors = Colors_On;
2200       else if (Value == "never")
2201         ShowColors = Colors_Off;
2202       else if (Value == "auto")
2203         ShowColors = Colors_Auto;
2204     }
2205   }
2206   return ShowColors == Colors_On ||
2207          (ShowColors == Colors_Auto &&
2208           llvm::sys::Process::StandardErrHasColors());
2209 }
2210 
2211 static bool checkVerifyPrefixes(const std::vector<std::string> &VerifyPrefixes,
2212                                 DiagnosticsEngine &Diags) {
2213   bool Success = true;
2214   for (const auto &Prefix : VerifyPrefixes) {
2215     // Every prefix must start with a letter and contain only alphanumeric
2216     // characters, hyphens, and underscores.
2217     auto BadChar = llvm::find_if(Prefix, [](char C) {
2218       return !isAlphanumeric(C) && C != '-' && C != '_';
2219     });
2220     if (BadChar != Prefix.end() || !isLetter(Prefix[0])) {
2221       Success = false;
2222       Diags.Report(diag::err_drv_invalid_value) << "-verify=" << Prefix;
2223       Diags.Report(diag::note_drv_verify_prefix_spelling);
2224     }
2225   }
2226   return Success;
2227 }
2228 
2229 static void GenerateFileSystemArgs(const FileSystemOptions &Opts,
2230                                    SmallVectorImpl<const char *> &Args,
2231                                    CompilerInvocation::StringAllocator SA) {
2232   const FileSystemOptions &FileSystemOpts = Opts;
2233 
2234 #define FILE_SYSTEM_OPTION_WITH_MARSHALLING(...)                               \
2235   GENERATE_OPTION_WITH_MARSHALLING(Args, SA, __VA_ARGS__)
2236 #include "clang/Driver/Options.inc"
2237 #undef FILE_SYSTEM_OPTION_WITH_MARSHALLING
2238 }
2239 
2240 static bool ParseFileSystemArgs(FileSystemOptions &Opts, const ArgList &Args,
2241                                 DiagnosticsEngine &Diags) {
2242   unsigned NumErrorsBefore = Diags.getNumErrors();
2243 
2244   FileSystemOptions &FileSystemOpts = Opts;
2245 
2246 #define FILE_SYSTEM_OPTION_WITH_MARSHALLING(...)                               \
2247   PARSE_OPTION_WITH_MARSHALLING(Args, Diags, __VA_ARGS__)
2248 #include "clang/Driver/Options.inc"
2249 #undef FILE_SYSTEM_OPTION_WITH_MARSHALLING
2250 
2251   return Diags.getNumErrors() == NumErrorsBefore;
2252 }
2253 
2254 static void GenerateMigratorArgs(const MigratorOptions &Opts,
2255                                  SmallVectorImpl<const char *> &Args,
2256                                  CompilerInvocation::StringAllocator SA) {
2257   const MigratorOptions &MigratorOpts = Opts;
2258 #define MIGRATOR_OPTION_WITH_MARSHALLING(...)                                  \
2259   GENERATE_OPTION_WITH_MARSHALLING(Args, SA, __VA_ARGS__)
2260 #include "clang/Driver/Options.inc"
2261 #undef MIGRATOR_OPTION_WITH_MARSHALLING
2262 }
2263 
2264 static bool ParseMigratorArgs(MigratorOptions &Opts, const ArgList &Args,
2265                               DiagnosticsEngine &Diags) {
2266   unsigned NumErrorsBefore = Diags.getNumErrors();
2267 
2268   MigratorOptions &MigratorOpts = Opts;
2269 
2270 #define MIGRATOR_OPTION_WITH_MARSHALLING(...)                                  \
2271   PARSE_OPTION_WITH_MARSHALLING(Args, Diags, __VA_ARGS__)
2272 #include "clang/Driver/Options.inc"
2273 #undef MIGRATOR_OPTION_WITH_MARSHALLING
2274 
2275   return Diags.getNumErrors() == NumErrorsBefore;
2276 }
2277 
2278 void CompilerInvocation::GenerateDiagnosticArgs(
2279     const DiagnosticOptions &Opts, SmallVectorImpl<const char *> &Args,
2280     StringAllocator SA, bool DefaultDiagColor) {
2281   const DiagnosticOptions *DiagnosticOpts = &Opts;
2282 #define DIAG_OPTION_WITH_MARSHALLING(...)                                      \
2283   GENERATE_OPTION_WITH_MARSHALLING(Args, SA, __VA_ARGS__)
2284 #include "clang/Driver/Options.inc"
2285 #undef DIAG_OPTION_WITH_MARSHALLING
2286 
2287   if (!Opts.DiagnosticSerializationFile.empty())
2288     GenerateArg(Args, OPT_diagnostic_serialized_file,
2289                 Opts.DiagnosticSerializationFile, SA);
2290 
2291   if (Opts.ShowColors)
2292     GenerateArg(Args, OPT_fcolor_diagnostics, SA);
2293 
2294   if (Opts.VerifyDiagnostics &&
2295       llvm::is_contained(Opts.VerifyPrefixes, "expected"))
2296     GenerateArg(Args, OPT_verify, SA);
2297 
2298   for (const auto &Prefix : Opts.VerifyPrefixes)
2299     if (Prefix != "expected")
2300       GenerateArg(Args, OPT_verify_EQ, Prefix, SA);
2301 
2302   DiagnosticLevelMask VIU = Opts.getVerifyIgnoreUnexpected();
2303   if (VIU == DiagnosticLevelMask::None) {
2304     // This is the default, don't generate anything.
2305   } else if (VIU == DiagnosticLevelMask::All) {
2306     GenerateArg(Args, OPT_verify_ignore_unexpected, SA);
2307   } else {
2308     if (static_cast<unsigned>(VIU & DiagnosticLevelMask::Note) != 0)
2309       GenerateArg(Args, OPT_verify_ignore_unexpected_EQ, "note", SA);
2310     if (static_cast<unsigned>(VIU & DiagnosticLevelMask::Remark) != 0)
2311       GenerateArg(Args, OPT_verify_ignore_unexpected_EQ, "remark", SA);
2312     if (static_cast<unsigned>(VIU & DiagnosticLevelMask::Warning) != 0)
2313       GenerateArg(Args, OPT_verify_ignore_unexpected_EQ, "warning", SA);
2314     if (static_cast<unsigned>(VIU & DiagnosticLevelMask::Error) != 0)
2315       GenerateArg(Args, OPT_verify_ignore_unexpected_EQ, "error", SA);
2316   }
2317 
2318   for (const auto &Warning : Opts.Warnings) {
2319     // This option is automatically generated from UndefPrefixes.
2320     if (Warning == "undef-prefix")
2321       continue;
2322     Args.push_back(SA(StringRef("-W") + Warning));
2323   }
2324 
2325   for (const auto &Remark : Opts.Remarks) {
2326     // These arguments are generated from OptimizationRemark fields of
2327     // CodeGenOptions.
2328     StringRef IgnoredRemarks[] = {"pass",          "no-pass",
2329                                   "pass-analysis", "no-pass-analysis",
2330                                   "pass-missed",   "no-pass-missed"};
2331     if (llvm::is_contained(IgnoredRemarks, Remark))
2332       continue;
2333 
2334     Args.push_back(SA(StringRef("-R") + Remark));
2335   }
2336 }
2337 
2338 std::unique_ptr<DiagnosticOptions>
2339 clang::CreateAndPopulateDiagOpts(ArrayRef<const char *> Argv) {
2340   auto DiagOpts = std::make_unique<DiagnosticOptions>();
2341   unsigned MissingArgIndex, MissingArgCount;
2342   InputArgList Args = getDriverOptTable().ParseArgs(
2343       Argv.slice(1), MissingArgIndex, MissingArgCount);
2344 
2345   bool ShowColors = true;
2346   if (std::optional<std::string> NoColor =
2347           llvm::sys::Process::GetEnv("NO_COLOR");
2348       NoColor && !NoColor->empty()) {
2349     // If the user set the NO_COLOR environment variable, we'll honor that
2350     // unless the command line overrides it.
2351     ShowColors = false;
2352   }
2353 
2354   // We ignore MissingArgCount and the return value of ParseDiagnosticArgs.
2355   // Any errors that would be diagnosed here will also be diagnosed later,
2356   // when the DiagnosticsEngine actually exists.
2357   (void)ParseDiagnosticArgs(*DiagOpts, Args, /*Diags=*/nullptr, ShowColors);
2358   return DiagOpts;
2359 }
2360 
2361 bool clang::ParseDiagnosticArgs(DiagnosticOptions &Opts, ArgList &Args,
2362                                 DiagnosticsEngine *Diags,
2363                                 bool DefaultDiagColor) {
2364   std::optional<DiagnosticsEngine> IgnoringDiags;
2365   if (!Diags) {
2366     IgnoringDiags.emplace(new DiagnosticIDs(), new DiagnosticOptions(),
2367                           new IgnoringDiagConsumer());
2368     Diags = &*IgnoringDiags;
2369   }
2370 
2371   unsigned NumErrorsBefore = Diags->getNumErrors();
2372 
2373   // The key paths of diagnostic options defined in Options.td start with
2374   // "DiagnosticOpts->". Let's provide the expected variable name and type.
2375   DiagnosticOptions *DiagnosticOpts = &Opts;
2376 
2377 #define DIAG_OPTION_WITH_MARSHALLING(...)                                      \
2378   PARSE_OPTION_WITH_MARSHALLING(Args, *Diags, __VA_ARGS__)
2379 #include "clang/Driver/Options.inc"
2380 #undef DIAG_OPTION_WITH_MARSHALLING
2381 
2382   llvm::sys::Process::UseANSIEscapeCodes(Opts.UseANSIEscapeCodes);
2383 
2384   if (Arg *A =
2385           Args.getLastArg(OPT_diagnostic_serialized_file, OPT__serialize_diags))
2386     Opts.DiagnosticSerializationFile = A->getValue();
2387   Opts.ShowColors = parseShowColorsArgs(Args, DefaultDiagColor);
2388 
2389   Opts.VerifyDiagnostics = Args.hasArg(OPT_verify) || Args.hasArg(OPT_verify_EQ);
2390   Opts.VerifyPrefixes = Args.getAllArgValues(OPT_verify_EQ);
2391   if (Args.hasArg(OPT_verify))
2392     Opts.VerifyPrefixes.push_back("expected");
2393   // Keep VerifyPrefixes in its original order for the sake of diagnostics, and
2394   // then sort it to prepare for fast lookup using std::binary_search.
2395   if (!checkVerifyPrefixes(Opts.VerifyPrefixes, *Diags))
2396     Opts.VerifyDiagnostics = false;
2397   else
2398     llvm::sort(Opts.VerifyPrefixes);
2399   DiagnosticLevelMask DiagMask = DiagnosticLevelMask::None;
2400   parseDiagnosticLevelMask(
2401       "-verify-ignore-unexpected=",
2402       Args.getAllArgValues(OPT_verify_ignore_unexpected_EQ), *Diags, DiagMask);
2403   if (Args.hasArg(OPT_verify_ignore_unexpected))
2404     DiagMask = DiagnosticLevelMask::All;
2405   Opts.setVerifyIgnoreUnexpected(DiagMask);
2406   if (Opts.TabStop == 0 || Opts.TabStop > DiagnosticOptions::MaxTabStop) {
2407     Diags->Report(diag::warn_ignoring_ftabstop_value)
2408         << Opts.TabStop << DiagnosticOptions::DefaultTabStop;
2409     Opts.TabStop = DiagnosticOptions::DefaultTabStop;
2410   }
2411 
2412   addDiagnosticArgs(Args, OPT_W_Group, OPT_W_value_Group, Opts.Warnings);
2413   addDiagnosticArgs(Args, OPT_R_Group, OPT_R_value_Group, Opts.Remarks);
2414 
2415   return Diags->getNumErrors() == NumErrorsBefore;
2416 }
2417 
2418 /// Parse the argument to the -ftest-module-file-extension
2419 /// command-line argument.
2420 ///
2421 /// \returns true on error, false on success.
2422 static bool parseTestModuleFileExtensionArg(StringRef Arg,
2423                                             std::string &BlockName,
2424                                             unsigned &MajorVersion,
2425                                             unsigned &MinorVersion,
2426                                             bool &Hashed,
2427                                             std::string &UserInfo) {
2428   SmallVector<StringRef, 5> Args;
2429   Arg.split(Args, ':', 5);
2430   if (Args.size() < 5)
2431     return true;
2432 
2433   BlockName = std::string(Args[0]);
2434   if (Args[1].getAsInteger(10, MajorVersion)) return true;
2435   if (Args[2].getAsInteger(10, MinorVersion)) return true;
2436   if (Args[3].getAsInteger(2, Hashed)) return true;
2437   if (Args.size() > 4)
2438     UserInfo = std::string(Args[4]);
2439   return false;
2440 }
2441 
2442 /// Return a table that associates command line option specifiers with the
2443 /// frontend action. Note: The pair {frontend::PluginAction, OPT_plugin} is
2444 /// intentionally missing, as this case is handled separately from other
2445 /// frontend options.
2446 static const auto &getFrontendActionTable() {
2447   static const std::pair<frontend::ActionKind, unsigned> Table[] = {
2448       {frontend::ASTDeclList, OPT_ast_list},
2449 
2450       {frontend::ASTDump, OPT_ast_dump_all_EQ},
2451       {frontend::ASTDump, OPT_ast_dump_all},
2452       {frontend::ASTDump, OPT_ast_dump_EQ},
2453       {frontend::ASTDump, OPT_ast_dump},
2454       {frontend::ASTDump, OPT_ast_dump_lookups},
2455       {frontend::ASTDump, OPT_ast_dump_decl_types},
2456 
2457       {frontend::ASTPrint, OPT_ast_print},
2458       {frontend::ASTView, OPT_ast_view},
2459       {frontend::DumpCompilerOptions, OPT_compiler_options_dump},
2460       {frontend::DumpRawTokens, OPT_dump_raw_tokens},
2461       {frontend::DumpTokens, OPT_dump_tokens},
2462       {frontend::EmitAssembly, OPT_S},
2463       {frontend::EmitBC, OPT_emit_llvm_bc},
2464       {frontend::EmitHTML, OPT_emit_html},
2465       {frontend::EmitLLVM, OPT_emit_llvm},
2466       {frontend::EmitLLVMOnly, OPT_emit_llvm_only},
2467       {frontend::EmitCodeGenOnly, OPT_emit_codegen_only},
2468       {frontend::EmitObj, OPT_emit_obj},
2469       {frontend::ExtractAPI, OPT_extract_api},
2470 
2471       {frontend::FixIt, OPT_fixit_EQ},
2472       {frontend::FixIt, OPT_fixit},
2473 
2474       {frontend::GenerateModule, OPT_emit_module},
2475       {frontend::GenerateModuleInterface, OPT_emit_module_interface},
2476       {frontend::GenerateHeaderUnit, OPT_emit_header_unit},
2477       {frontend::GeneratePCH, OPT_emit_pch},
2478       {frontend::GenerateInterfaceStubs, OPT_emit_interface_stubs},
2479       {frontend::InitOnly, OPT_init_only},
2480       {frontend::ParseSyntaxOnly, OPT_fsyntax_only},
2481       {frontend::ModuleFileInfo, OPT_module_file_info},
2482       {frontend::VerifyPCH, OPT_verify_pch},
2483       {frontend::PrintPreamble, OPT_print_preamble},
2484       {frontend::PrintPreprocessedInput, OPT_E},
2485       {frontend::TemplightDump, OPT_templight_dump},
2486       {frontend::RewriteMacros, OPT_rewrite_macros},
2487       {frontend::RewriteObjC, OPT_rewrite_objc},
2488       {frontend::RewriteTest, OPT_rewrite_test},
2489       {frontend::RunAnalysis, OPT_analyze},
2490       {frontend::MigrateSource, OPT_migrate},
2491       {frontend::RunPreprocessorOnly, OPT_Eonly},
2492       {frontend::PrintDependencyDirectivesSourceMinimizerOutput,
2493        OPT_print_dependency_directives_minimized_source},
2494   };
2495 
2496   return Table;
2497 }
2498 
2499 /// Maps command line option to frontend action.
2500 static std::optional<frontend::ActionKind>
2501 getFrontendAction(OptSpecifier &Opt) {
2502   for (const auto &ActionOpt : getFrontendActionTable())
2503     if (ActionOpt.second == Opt.getID())
2504       return ActionOpt.first;
2505 
2506   return std::nullopt;
2507 }
2508 
2509 /// Maps frontend action to command line option.
2510 static std::optional<OptSpecifier>
2511 getProgramActionOpt(frontend::ActionKind ProgramAction) {
2512   for (const auto &ActionOpt : getFrontendActionTable())
2513     if (ActionOpt.first == ProgramAction)
2514       return OptSpecifier(ActionOpt.second);
2515 
2516   return std::nullopt;
2517 }
2518 
2519 static void GenerateFrontendArgs(const FrontendOptions &Opts,
2520                                  SmallVectorImpl<const char *> &Args,
2521                                  CompilerInvocation::StringAllocator SA,
2522                                  bool IsHeader) {
2523   const FrontendOptions &FrontendOpts = Opts;
2524 #define FRONTEND_OPTION_WITH_MARSHALLING(...)                                  \
2525   GENERATE_OPTION_WITH_MARSHALLING(Args, SA, __VA_ARGS__)
2526 #include "clang/Driver/Options.inc"
2527 #undef FRONTEND_OPTION_WITH_MARSHALLING
2528 
2529   std::optional<OptSpecifier> ProgramActionOpt =
2530       getProgramActionOpt(Opts.ProgramAction);
2531 
2532   // Generating a simple flag covers most frontend actions.
2533   std::function<void()> GenerateProgramAction = [&]() {
2534     GenerateArg(Args, *ProgramActionOpt, SA);
2535   };
2536 
2537   if (!ProgramActionOpt) {
2538     // PluginAction is the only program action handled separately.
2539     assert(Opts.ProgramAction == frontend::PluginAction &&
2540            "Frontend action without option.");
2541     GenerateProgramAction = [&]() {
2542       GenerateArg(Args, OPT_plugin, Opts.ActionName, SA);
2543     };
2544   }
2545 
2546   // FIXME: Simplify the complex 'AST dump' command line.
2547   if (Opts.ProgramAction == frontend::ASTDump) {
2548     GenerateProgramAction = [&]() {
2549       // ASTDumpLookups, ASTDumpDeclTypes and ASTDumpFilter are generated via
2550       // marshalling infrastructure.
2551 
2552       if (Opts.ASTDumpFormat != ADOF_Default) {
2553         StringRef Format;
2554         switch (Opts.ASTDumpFormat) {
2555         case ADOF_Default:
2556           llvm_unreachable("Default AST dump format.");
2557         case ADOF_JSON:
2558           Format = "json";
2559           break;
2560         }
2561 
2562         if (Opts.ASTDumpAll)
2563           GenerateArg(Args, OPT_ast_dump_all_EQ, Format, SA);
2564         if (Opts.ASTDumpDecls)
2565           GenerateArg(Args, OPT_ast_dump_EQ, Format, SA);
2566       } else {
2567         if (Opts.ASTDumpAll)
2568           GenerateArg(Args, OPT_ast_dump_all, SA);
2569         if (Opts.ASTDumpDecls)
2570           GenerateArg(Args, OPT_ast_dump, SA);
2571       }
2572     };
2573   }
2574 
2575   if (Opts.ProgramAction == frontend::FixIt && !Opts.FixItSuffix.empty()) {
2576     GenerateProgramAction = [&]() {
2577       GenerateArg(Args, OPT_fixit_EQ, Opts.FixItSuffix, SA);
2578     };
2579   }
2580 
2581   GenerateProgramAction();
2582 
2583   for (const auto &PluginArgs : Opts.PluginArgs) {
2584     Option Opt = getDriverOptTable().getOption(OPT_plugin_arg);
2585     const char *Spelling =
2586         SA(Opt.getPrefix() + Opt.getName() + PluginArgs.first);
2587     for (const auto &PluginArg : PluginArgs.second)
2588       denormalizeString(Args, Spelling, SA, Opt.getKind(), 0, PluginArg);
2589   }
2590 
2591   for (const auto &Ext : Opts.ModuleFileExtensions)
2592     if (auto *TestExt = dyn_cast_or_null<TestModuleFileExtension>(Ext.get()))
2593       GenerateArg(Args, OPT_ftest_module_file_extension_EQ, TestExt->str(), SA);
2594 
2595   if (!Opts.CodeCompletionAt.FileName.empty())
2596     GenerateArg(Args, OPT_code_completion_at, Opts.CodeCompletionAt.ToString(),
2597                 SA);
2598 
2599   for (const auto &Plugin : Opts.Plugins)
2600     GenerateArg(Args, OPT_load, Plugin, SA);
2601 
2602   // ASTDumpDecls and ASTDumpAll already handled with ProgramAction.
2603 
2604   for (const auto &ModuleFile : Opts.ModuleFiles)
2605     GenerateArg(Args, OPT_fmodule_file, ModuleFile, SA);
2606 
2607   if (Opts.AuxTargetCPU)
2608     GenerateArg(Args, OPT_aux_target_cpu, *Opts.AuxTargetCPU, SA);
2609 
2610   if (Opts.AuxTargetFeatures)
2611     for (const auto &Feature : *Opts.AuxTargetFeatures)
2612       GenerateArg(Args, OPT_aux_target_feature, Feature, SA);
2613 
2614   {
2615     StringRef Preprocessed = Opts.DashX.isPreprocessed() ? "-cpp-output" : "";
2616     StringRef ModuleMap =
2617         Opts.DashX.getFormat() == InputKind::ModuleMap ? "-module-map" : "";
2618     StringRef HeaderUnit = "";
2619     switch (Opts.DashX.getHeaderUnitKind()) {
2620     case InputKind::HeaderUnit_None:
2621       break;
2622     case InputKind::HeaderUnit_User:
2623       HeaderUnit = "-user";
2624       break;
2625     case InputKind::HeaderUnit_System:
2626       HeaderUnit = "-system";
2627       break;
2628     case InputKind::HeaderUnit_Abs:
2629       HeaderUnit = "-header-unit";
2630       break;
2631     }
2632     StringRef Header = IsHeader ? "-header" : "";
2633 
2634     StringRef Lang;
2635     switch (Opts.DashX.getLanguage()) {
2636     case Language::C:
2637       Lang = "c";
2638       break;
2639     case Language::OpenCL:
2640       Lang = "cl";
2641       break;
2642     case Language::OpenCLCXX:
2643       Lang = "clcpp";
2644       break;
2645     case Language::CUDA:
2646       Lang = "cuda";
2647       break;
2648     case Language::HIP:
2649       Lang = "hip";
2650       break;
2651     case Language::CXX:
2652       Lang = "c++";
2653       break;
2654     case Language::ObjC:
2655       Lang = "objective-c";
2656       break;
2657     case Language::ObjCXX:
2658       Lang = "objective-c++";
2659       break;
2660     case Language::RenderScript:
2661       Lang = "renderscript";
2662       break;
2663     case Language::Asm:
2664       Lang = "assembler-with-cpp";
2665       break;
2666     case Language::Unknown:
2667       assert(Opts.DashX.getFormat() == InputKind::Precompiled &&
2668              "Generating -x argument for unknown language (not precompiled).");
2669       Lang = "ast";
2670       break;
2671     case Language::LLVM_IR:
2672       Lang = "ir";
2673       break;
2674     case Language::HLSL:
2675       Lang = "hlsl";
2676       break;
2677     }
2678 
2679     GenerateArg(Args, OPT_x,
2680                 Lang + HeaderUnit + Header + ModuleMap + Preprocessed, SA);
2681   }
2682 
2683   // OPT_INPUT has a unique class, generate it directly.
2684   for (const auto &Input : Opts.Inputs)
2685     Args.push_back(SA(Input.getFile()));
2686 }
2687 
2688 static bool ParseFrontendArgs(FrontendOptions &Opts, ArgList &Args,
2689                               DiagnosticsEngine &Diags, bool &IsHeaderFile) {
2690   unsigned NumErrorsBefore = Diags.getNumErrors();
2691 
2692   FrontendOptions &FrontendOpts = Opts;
2693 
2694 #define FRONTEND_OPTION_WITH_MARSHALLING(...)                                  \
2695   PARSE_OPTION_WITH_MARSHALLING(Args, Diags, __VA_ARGS__)
2696 #include "clang/Driver/Options.inc"
2697 #undef FRONTEND_OPTION_WITH_MARSHALLING
2698 
2699   Opts.ProgramAction = frontend::ParseSyntaxOnly;
2700   if (const Arg *A = Args.getLastArg(OPT_Action_Group)) {
2701     OptSpecifier Opt = OptSpecifier(A->getOption().getID());
2702     std::optional<frontend::ActionKind> ProgramAction = getFrontendAction(Opt);
2703     assert(ProgramAction && "Option specifier not in Action_Group.");
2704 
2705     if (ProgramAction == frontend::ASTDump &&
2706         (Opt == OPT_ast_dump_all_EQ || Opt == OPT_ast_dump_EQ)) {
2707       unsigned Val = llvm::StringSwitch<unsigned>(A->getValue())
2708                          .CaseLower("default", ADOF_Default)
2709                          .CaseLower("json", ADOF_JSON)
2710                          .Default(std::numeric_limits<unsigned>::max());
2711 
2712       if (Val != std::numeric_limits<unsigned>::max())
2713         Opts.ASTDumpFormat = static_cast<ASTDumpOutputFormat>(Val);
2714       else {
2715         Diags.Report(diag::err_drv_invalid_value)
2716             << A->getAsString(Args) << A->getValue();
2717         Opts.ASTDumpFormat = ADOF_Default;
2718       }
2719     }
2720 
2721     if (ProgramAction == frontend::FixIt && Opt == OPT_fixit_EQ)
2722       Opts.FixItSuffix = A->getValue();
2723 
2724     if (ProgramAction == frontend::GenerateInterfaceStubs) {
2725       StringRef ArgStr =
2726           Args.hasArg(OPT_interface_stub_version_EQ)
2727               ? Args.getLastArgValue(OPT_interface_stub_version_EQ)
2728               : "ifs-v1";
2729       if (ArgStr == "experimental-yaml-elf-v1" ||
2730           ArgStr == "experimental-ifs-v1" || ArgStr == "experimental-ifs-v2" ||
2731           ArgStr == "experimental-tapi-elf-v1") {
2732         std::string ErrorMessage =
2733             "Invalid interface stub format: " + ArgStr.str() +
2734             " is deprecated.";
2735         Diags.Report(diag::err_drv_invalid_value)
2736             << "Must specify a valid interface stub format type, ie: "
2737                "-interface-stub-version=ifs-v1"
2738             << ErrorMessage;
2739         ProgramAction = frontend::ParseSyntaxOnly;
2740       } else if (!ArgStr.startswith("ifs-")) {
2741         std::string ErrorMessage =
2742             "Invalid interface stub format: " + ArgStr.str() + ".";
2743         Diags.Report(diag::err_drv_invalid_value)
2744             << "Must specify a valid interface stub format type, ie: "
2745                "-interface-stub-version=ifs-v1"
2746             << ErrorMessage;
2747         ProgramAction = frontend::ParseSyntaxOnly;
2748       }
2749     }
2750 
2751     Opts.ProgramAction = *ProgramAction;
2752   }
2753 
2754   if (const Arg* A = Args.getLastArg(OPT_plugin)) {
2755     Opts.Plugins.emplace_back(A->getValue(0));
2756     Opts.ProgramAction = frontend::PluginAction;
2757     Opts.ActionName = A->getValue();
2758   }
2759   for (const auto *AA : Args.filtered(OPT_plugin_arg))
2760     Opts.PluginArgs[AA->getValue(0)].emplace_back(AA->getValue(1));
2761 
2762   for (const std::string &Arg :
2763          Args.getAllArgValues(OPT_ftest_module_file_extension_EQ)) {
2764     std::string BlockName;
2765     unsigned MajorVersion;
2766     unsigned MinorVersion;
2767     bool Hashed;
2768     std::string UserInfo;
2769     if (parseTestModuleFileExtensionArg(Arg, BlockName, MajorVersion,
2770                                         MinorVersion, Hashed, UserInfo)) {
2771       Diags.Report(diag::err_test_module_file_extension_format) << Arg;
2772 
2773       continue;
2774     }
2775 
2776     // Add the testing module file extension.
2777     Opts.ModuleFileExtensions.push_back(
2778         std::make_shared<TestModuleFileExtension>(
2779             BlockName, MajorVersion, MinorVersion, Hashed, UserInfo));
2780   }
2781 
2782   if (const Arg *A = Args.getLastArg(OPT_code_completion_at)) {
2783     Opts.CodeCompletionAt =
2784       ParsedSourceLocation::FromString(A->getValue());
2785     if (Opts.CodeCompletionAt.FileName.empty())
2786       Diags.Report(diag::err_drv_invalid_value)
2787         << A->getAsString(Args) << A->getValue();
2788   }
2789 
2790   Opts.Plugins = Args.getAllArgValues(OPT_load);
2791   Opts.ASTDumpDecls = Args.hasArg(OPT_ast_dump, OPT_ast_dump_EQ);
2792   Opts.ASTDumpAll = Args.hasArg(OPT_ast_dump_all, OPT_ast_dump_all_EQ);
2793   // Only the -fmodule-file=<file> form.
2794   for (const auto *A : Args.filtered(OPT_fmodule_file)) {
2795     StringRef Val = A->getValue();
2796     if (!Val.contains('='))
2797       Opts.ModuleFiles.push_back(std::string(Val));
2798   }
2799 
2800   if (Opts.ProgramAction != frontend::GenerateModule && Opts.IsSystemModule)
2801     Diags.Report(diag::err_drv_argument_only_allowed_with) << "-fsystem-module"
2802                                                            << "-emit-module";
2803 
2804   if (Args.hasArg(OPT_aux_target_cpu))
2805     Opts.AuxTargetCPU = std::string(Args.getLastArgValue(OPT_aux_target_cpu));
2806   if (Args.hasArg(OPT_aux_target_feature))
2807     Opts.AuxTargetFeatures = Args.getAllArgValues(OPT_aux_target_feature);
2808 
2809   if (Opts.ARCMTAction != FrontendOptions::ARCMT_None &&
2810       Opts.ObjCMTAction != FrontendOptions::ObjCMT_None) {
2811     Diags.Report(diag::err_drv_argument_not_allowed_with)
2812       << "ARC migration" << "ObjC migration";
2813   }
2814 
2815   InputKind DashX(Language::Unknown);
2816   if (const Arg *A = Args.getLastArg(OPT_x)) {
2817     StringRef XValue = A->getValue();
2818 
2819     // Parse suffixes:
2820     // '<lang>(-[{header-unit,user,system}-]header|[-module-map][-cpp-output])'.
2821     // FIXME: Supporting '<lang>-header-cpp-output' would be useful.
2822     bool Preprocessed = XValue.consume_back("-cpp-output");
2823     bool ModuleMap = XValue.consume_back("-module-map");
2824     // Detect and consume the header indicator.
2825     bool IsHeader =
2826         XValue != "precompiled-header" && XValue.consume_back("-header");
2827 
2828     // If we have c++-{user,system}-header, that indicates a header unit input
2829     // likewise, if the user put -fmodule-header together with a header with an
2830     // absolute path (header-unit-header).
2831     InputKind::HeaderUnitKind HUK = InputKind::HeaderUnit_None;
2832     if (IsHeader || Preprocessed) {
2833       if (XValue.consume_back("-header-unit"))
2834         HUK = InputKind::HeaderUnit_Abs;
2835       else if (XValue.consume_back("-system"))
2836         HUK = InputKind::HeaderUnit_System;
2837       else if (XValue.consume_back("-user"))
2838         HUK = InputKind::HeaderUnit_User;
2839     }
2840 
2841     // The value set by this processing is an un-preprocessed source which is
2842     // not intended to be a module map or header unit.
2843     IsHeaderFile = IsHeader && !Preprocessed && !ModuleMap &&
2844                    HUK == InputKind::HeaderUnit_None;
2845 
2846     // Principal languages.
2847     DashX = llvm::StringSwitch<InputKind>(XValue)
2848                 .Case("c", Language::C)
2849                 .Case("cl", Language::OpenCL)
2850                 .Case("clcpp", Language::OpenCLCXX)
2851                 .Case("cuda", Language::CUDA)
2852                 .Case("hip", Language::HIP)
2853                 .Case("c++", Language::CXX)
2854                 .Case("objective-c", Language::ObjC)
2855                 .Case("objective-c++", Language::ObjCXX)
2856                 .Case("renderscript", Language::RenderScript)
2857                 .Case("hlsl", Language::HLSL)
2858                 .Default(Language::Unknown);
2859 
2860     // "objc[++]-cpp-output" is an acceptable synonym for
2861     // "objective-c[++]-cpp-output".
2862     if (DashX.isUnknown() && Preprocessed && !IsHeaderFile && !ModuleMap &&
2863         HUK == InputKind::HeaderUnit_None)
2864       DashX = llvm::StringSwitch<InputKind>(XValue)
2865                   .Case("objc", Language::ObjC)
2866                   .Case("objc++", Language::ObjCXX)
2867                   .Default(Language::Unknown);
2868 
2869     // Some special cases cannot be combined with suffixes.
2870     if (DashX.isUnknown() && !Preprocessed && !IsHeaderFile && !ModuleMap &&
2871         HUK == InputKind::HeaderUnit_None)
2872       DashX = llvm::StringSwitch<InputKind>(XValue)
2873                   .Case("cpp-output", InputKind(Language::C).getPreprocessed())
2874                   .Case("assembler-with-cpp", Language::Asm)
2875                   .Cases("ast", "pcm", "precompiled-header",
2876                          InputKind(Language::Unknown, InputKind::Precompiled))
2877                   .Case("ir", Language::LLVM_IR)
2878                   .Default(Language::Unknown);
2879 
2880     if (DashX.isUnknown())
2881       Diags.Report(diag::err_drv_invalid_value)
2882         << A->getAsString(Args) << A->getValue();
2883 
2884     if (Preprocessed)
2885       DashX = DashX.getPreprocessed();
2886     // A regular header is considered mutually exclusive with a header unit.
2887     if (HUK != InputKind::HeaderUnit_None) {
2888       DashX = DashX.withHeaderUnit(HUK);
2889       IsHeaderFile = true;
2890     } else if (IsHeaderFile)
2891       DashX = DashX.getHeader();
2892     if (ModuleMap)
2893       DashX = DashX.withFormat(InputKind::ModuleMap);
2894   }
2895 
2896   // '-' is the default input if none is given.
2897   std::vector<std::string> Inputs = Args.getAllArgValues(OPT_INPUT);
2898   Opts.Inputs.clear();
2899   if (Inputs.empty())
2900     Inputs.push_back("-");
2901 
2902   if (DashX.getHeaderUnitKind() != InputKind::HeaderUnit_None &&
2903       Inputs.size() > 1)
2904     Diags.Report(diag::err_drv_header_unit_extra_inputs) << Inputs[1];
2905 
2906   for (unsigned i = 0, e = Inputs.size(); i != e; ++i) {
2907     InputKind IK = DashX;
2908     if (IK.isUnknown()) {
2909       IK = FrontendOptions::getInputKindForExtension(
2910         StringRef(Inputs[i]).rsplit('.').second);
2911       // FIXME: Warn on this?
2912       if (IK.isUnknown())
2913         IK = Language::C;
2914       // FIXME: Remove this hack.
2915       if (i == 0)
2916         DashX = IK;
2917     }
2918 
2919     bool IsSystem = false;
2920 
2921     // The -emit-module action implicitly takes a module map.
2922     if (Opts.ProgramAction == frontend::GenerateModule &&
2923         IK.getFormat() == InputKind::Source) {
2924       IK = IK.withFormat(InputKind::ModuleMap);
2925       IsSystem = Opts.IsSystemModule;
2926     }
2927 
2928     Opts.Inputs.emplace_back(std::move(Inputs[i]), IK, IsSystem);
2929   }
2930 
2931   Opts.DashX = DashX;
2932 
2933   return Diags.getNumErrors() == NumErrorsBefore;
2934 }
2935 
2936 std::string CompilerInvocation::GetResourcesPath(const char *Argv0,
2937                                                  void *MainAddr) {
2938   std::string ClangExecutable =
2939       llvm::sys::fs::getMainExecutable(Argv0, MainAddr);
2940   return Driver::GetResourcesPath(ClangExecutable, CLANG_RESOURCE_DIR);
2941 }
2942 
2943 static void GenerateHeaderSearchArgs(HeaderSearchOptions &Opts,
2944                                      SmallVectorImpl<const char *> &Args,
2945                                      CompilerInvocation::StringAllocator SA) {
2946   const HeaderSearchOptions *HeaderSearchOpts = &Opts;
2947 #define HEADER_SEARCH_OPTION_WITH_MARSHALLING(...)                             \
2948   GENERATE_OPTION_WITH_MARSHALLING(Args, SA, __VA_ARGS__)
2949 #include "clang/Driver/Options.inc"
2950 #undef HEADER_SEARCH_OPTION_WITH_MARSHALLING
2951 
2952   if (Opts.UseLibcxx)
2953     GenerateArg(Args, OPT_stdlib_EQ, "libc++", SA);
2954 
2955   if (!Opts.ModuleCachePath.empty())
2956     GenerateArg(Args, OPT_fmodules_cache_path, Opts.ModuleCachePath, SA);
2957 
2958   for (const auto &File : Opts.PrebuiltModuleFiles)
2959     GenerateArg(Args, OPT_fmodule_file, File.first + "=" + File.second, SA);
2960 
2961   for (const auto &Path : Opts.PrebuiltModulePaths)
2962     GenerateArg(Args, OPT_fprebuilt_module_path, Path, SA);
2963 
2964   for (const auto &Macro : Opts.ModulesIgnoreMacros)
2965     GenerateArg(Args, OPT_fmodules_ignore_macro, Macro.val(), SA);
2966 
2967   auto Matches = [](const HeaderSearchOptions::Entry &Entry,
2968                     llvm::ArrayRef<frontend::IncludeDirGroup> Groups,
2969                     std::optional<bool> IsFramework,
2970                     std::optional<bool> IgnoreSysRoot) {
2971     return llvm::is_contained(Groups, Entry.Group) &&
2972            (!IsFramework || (Entry.IsFramework == *IsFramework)) &&
2973            (!IgnoreSysRoot || (Entry.IgnoreSysRoot == *IgnoreSysRoot));
2974   };
2975 
2976   auto It = Opts.UserEntries.begin();
2977   auto End = Opts.UserEntries.end();
2978 
2979   // Add -I..., -F..., and -index-header-map options in order.
2980   for (; It < End && Matches(*It, {frontend::IndexHeaderMap, frontend::Angled},
2981                              std::nullopt, true);
2982        ++It) {
2983     OptSpecifier Opt = [It, Matches]() {
2984       if (Matches(*It, frontend::IndexHeaderMap, true, true))
2985         return OPT_F;
2986       if (Matches(*It, frontend::IndexHeaderMap, false, true))
2987         return OPT_I;
2988       if (Matches(*It, frontend::Angled, true, true))
2989         return OPT_F;
2990       if (Matches(*It, frontend::Angled, false, true))
2991         return OPT_I;
2992       llvm_unreachable("Unexpected HeaderSearchOptions::Entry.");
2993     }();
2994 
2995     if (It->Group == frontend::IndexHeaderMap)
2996       GenerateArg(Args, OPT_index_header_map, SA);
2997     GenerateArg(Args, Opt, It->Path, SA);
2998   };
2999 
3000   // Note: some paths that came from "[-iprefix=xx] -iwithprefixbefore=yy" may
3001   // have already been generated as "-I[xx]yy". If that's the case, their
3002   // position on command line was such that this has no semantic impact on
3003   // include paths.
3004   for (; It < End &&
3005          Matches(*It, {frontend::After, frontend::Angled}, false, true);
3006        ++It) {
3007     OptSpecifier Opt =
3008         It->Group == frontend::After ? OPT_iwithprefix : OPT_iwithprefixbefore;
3009     GenerateArg(Args, Opt, It->Path, SA);
3010   }
3011 
3012   // Note: Some paths that came from "-idirafter=xxyy" may have already been
3013   // generated as "-iwithprefix=xxyy". If that's the case, their position on
3014   // command line was such that this has no semantic impact on include paths.
3015   for (; It < End && Matches(*It, {frontend::After}, false, true); ++It)
3016     GenerateArg(Args, OPT_idirafter, It->Path, SA);
3017   for (; It < End && Matches(*It, {frontend::Quoted}, false, true); ++It)
3018     GenerateArg(Args, OPT_iquote, It->Path, SA);
3019   for (; It < End && Matches(*It, {frontend::System}, false, std::nullopt);
3020        ++It)
3021     GenerateArg(Args, It->IgnoreSysRoot ? OPT_isystem : OPT_iwithsysroot,
3022                 It->Path, SA);
3023   for (; It < End && Matches(*It, {frontend::System}, true, true); ++It)
3024     GenerateArg(Args, OPT_iframework, It->Path, SA);
3025   for (; It < End && Matches(*It, {frontend::System}, true, false); ++It)
3026     GenerateArg(Args, OPT_iframeworkwithsysroot, It->Path, SA);
3027 
3028   // Add the paths for the various language specific isystem flags.
3029   for (; It < End && Matches(*It, {frontend::CSystem}, false, true); ++It)
3030     GenerateArg(Args, OPT_c_isystem, It->Path, SA);
3031   for (; It < End && Matches(*It, {frontend::CXXSystem}, false, true); ++It)
3032     GenerateArg(Args, OPT_cxx_isystem, It->Path, SA);
3033   for (; It < End && Matches(*It, {frontend::ObjCSystem}, false, true); ++It)
3034     GenerateArg(Args, OPT_objc_isystem, It->Path, SA);
3035   for (; It < End && Matches(*It, {frontend::ObjCXXSystem}, false, true); ++It)
3036     GenerateArg(Args, OPT_objcxx_isystem, It->Path, SA);
3037 
3038   // Add the internal paths from a driver that detects standard include paths.
3039   // Note: Some paths that came from "-internal-isystem" arguments may have
3040   // already been generated as "-isystem". If that's the case, their position on
3041   // command line was such that this has no semantic impact on include paths.
3042   for (; It < End &&
3043          Matches(*It, {frontend::System, frontend::ExternCSystem}, false, true);
3044        ++It) {
3045     OptSpecifier Opt = It->Group == frontend::System
3046                            ? OPT_internal_isystem
3047                            : OPT_internal_externc_isystem;
3048     GenerateArg(Args, Opt, It->Path, SA);
3049   }
3050 
3051   assert(It == End && "Unhandled HeaderSearchOption::Entry.");
3052 
3053   // Add the path prefixes which are implicitly treated as being system headers.
3054   for (const auto &P : Opts.SystemHeaderPrefixes) {
3055     OptSpecifier Opt = P.IsSystemHeader ? OPT_system_header_prefix
3056                                         : OPT_no_system_header_prefix;
3057     GenerateArg(Args, Opt, P.Prefix, SA);
3058   }
3059 
3060   for (const std::string &F : Opts.VFSOverlayFiles)
3061     GenerateArg(Args, OPT_ivfsoverlay, F, SA);
3062 }
3063 
3064 static bool ParseHeaderSearchArgs(HeaderSearchOptions &Opts, ArgList &Args,
3065                                   DiagnosticsEngine &Diags,
3066                                   const std::string &WorkingDir) {
3067   unsigned NumErrorsBefore = Diags.getNumErrors();
3068 
3069   HeaderSearchOptions *HeaderSearchOpts = &Opts;
3070 
3071 #define HEADER_SEARCH_OPTION_WITH_MARSHALLING(...)                             \
3072   PARSE_OPTION_WITH_MARSHALLING(Args, Diags, __VA_ARGS__)
3073 #include "clang/Driver/Options.inc"
3074 #undef HEADER_SEARCH_OPTION_WITH_MARSHALLING
3075 
3076   if (const Arg *A = Args.getLastArg(OPT_stdlib_EQ))
3077     Opts.UseLibcxx = (strcmp(A->getValue(), "libc++") == 0);
3078 
3079   // Canonicalize -fmodules-cache-path before storing it.
3080   SmallString<128> P(Args.getLastArgValue(OPT_fmodules_cache_path));
3081   if (!(P.empty() || llvm::sys::path::is_absolute(P))) {
3082     if (WorkingDir.empty())
3083       llvm::sys::fs::make_absolute(P);
3084     else
3085       llvm::sys::fs::make_absolute(WorkingDir, P);
3086   }
3087   llvm::sys::path::remove_dots(P);
3088   Opts.ModuleCachePath = std::string(P.str());
3089 
3090   // Only the -fmodule-file=<name>=<file> form.
3091   for (const auto *A : Args.filtered(OPT_fmodule_file)) {
3092     StringRef Val = A->getValue();
3093     if (Val.contains('=')) {
3094       auto Split = Val.split('=');
3095       Opts.PrebuiltModuleFiles.insert(
3096           {std::string(Split.first), std::string(Split.second)});
3097     }
3098   }
3099   for (const auto *A : Args.filtered(OPT_fprebuilt_module_path))
3100     Opts.AddPrebuiltModulePath(A->getValue());
3101 
3102   for (const auto *A : Args.filtered(OPT_fmodules_ignore_macro)) {
3103     StringRef MacroDef = A->getValue();
3104     Opts.ModulesIgnoreMacros.insert(
3105         llvm::CachedHashString(MacroDef.split('=').first));
3106   }
3107 
3108   // Add -I..., -F..., and -index-header-map options in order.
3109   bool IsIndexHeaderMap = false;
3110   bool IsSysrootSpecified =
3111       Args.hasArg(OPT__sysroot_EQ) || Args.hasArg(OPT_isysroot);
3112   for (const auto *A : Args.filtered(OPT_I, OPT_F, OPT_index_header_map)) {
3113     if (A->getOption().matches(OPT_index_header_map)) {
3114       // -index-header-map applies to the next -I or -F.
3115       IsIndexHeaderMap = true;
3116       continue;
3117     }
3118 
3119     frontend::IncludeDirGroup Group =
3120         IsIndexHeaderMap ? frontend::IndexHeaderMap : frontend::Angled;
3121 
3122     bool IsFramework = A->getOption().matches(OPT_F);
3123     std::string Path = A->getValue();
3124 
3125     if (IsSysrootSpecified && !IsFramework && A->getValue()[0] == '=') {
3126       SmallString<32> Buffer;
3127       llvm::sys::path::append(Buffer, Opts.Sysroot,
3128                               llvm::StringRef(A->getValue()).substr(1));
3129       Path = std::string(Buffer.str());
3130     }
3131 
3132     Opts.AddPath(Path, Group, IsFramework,
3133                  /*IgnoreSysroot*/ true);
3134     IsIndexHeaderMap = false;
3135   }
3136 
3137   // Add -iprefix/-iwithprefix/-iwithprefixbefore options.
3138   StringRef Prefix = ""; // FIXME: This isn't the correct default prefix.
3139   for (const auto *A :
3140        Args.filtered(OPT_iprefix, OPT_iwithprefix, OPT_iwithprefixbefore)) {
3141     if (A->getOption().matches(OPT_iprefix))
3142       Prefix = A->getValue();
3143     else if (A->getOption().matches(OPT_iwithprefix))
3144       Opts.AddPath(Prefix.str() + A->getValue(), frontend::After, false, true);
3145     else
3146       Opts.AddPath(Prefix.str() + A->getValue(), frontend::Angled, false, true);
3147   }
3148 
3149   for (const auto *A : Args.filtered(OPT_idirafter))
3150     Opts.AddPath(A->getValue(), frontend::After, false, true);
3151   for (const auto *A : Args.filtered(OPT_iquote))
3152     Opts.AddPath(A->getValue(), frontend::Quoted, false, true);
3153   for (const auto *A : Args.filtered(OPT_isystem, OPT_iwithsysroot))
3154     Opts.AddPath(A->getValue(), frontend::System, false,
3155                  !A->getOption().matches(OPT_iwithsysroot));
3156   for (const auto *A : Args.filtered(OPT_iframework))
3157     Opts.AddPath(A->getValue(), frontend::System, true, true);
3158   for (const auto *A : Args.filtered(OPT_iframeworkwithsysroot))
3159     Opts.AddPath(A->getValue(), frontend::System, /*IsFramework=*/true,
3160                  /*IgnoreSysRoot=*/false);
3161 
3162   // Add the paths for the various language specific isystem flags.
3163   for (const auto *A : Args.filtered(OPT_c_isystem))
3164     Opts.AddPath(A->getValue(), frontend::CSystem, false, true);
3165   for (const auto *A : Args.filtered(OPT_cxx_isystem))
3166     Opts.AddPath(A->getValue(), frontend::CXXSystem, false, true);
3167   for (const auto *A : Args.filtered(OPT_objc_isystem))
3168     Opts.AddPath(A->getValue(), frontend::ObjCSystem, false,true);
3169   for (const auto *A : Args.filtered(OPT_objcxx_isystem))
3170     Opts.AddPath(A->getValue(), frontend::ObjCXXSystem, false, true);
3171 
3172   // Add the internal paths from a driver that detects standard include paths.
3173   for (const auto *A :
3174        Args.filtered(OPT_internal_isystem, OPT_internal_externc_isystem)) {
3175     frontend::IncludeDirGroup Group = frontend::System;
3176     if (A->getOption().matches(OPT_internal_externc_isystem))
3177       Group = frontend::ExternCSystem;
3178     Opts.AddPath(A->getValue(), Group, false, true);
3179   }
3180 
3181   // Add the path prefixes which are implicitly treated as being system headers.
3182   for (const auto *A :
3183        Args.filtered(OPT_system_header_prefix, OPT_no_system_header_prefix))
3184     Opts.AddSystemHeaderPrefix(
3185         A->getValue(), A->getOption().matches(OPT_system_header_prefix));
3186 
3187   for (const auto *A : Args.filtered(OPT_ivfsoverlay, OPT_vfsoverlay))
3188     Opts.AddVFSOverlayFile(A->getValue());
3189 
3190   return Diags.getNumErrors() == NumErrorsBefore;
3191 }
3192 
3193 /// Check if input file kind and language standard are compatible.
3194 static bool IsInputCompatibleWithStandard(InputKind IK,
3195                                           const LangStandard &S) {
3196   switch (IK.getLanguage()) {
3197   case Language::Unknown:
3198   case Language::LLVM_IR:
3199     llvm_unreachable("should not parse language flags for this input");
3200 
3201   case Language::C:
3202   case Language::ObjC:
3203   case Language::RenderScript:
3204     return S.getLanguage() == Language::C;
3205 
3206   case Language::OpenCL:
3207     return S.getLanguage() == Language::OpenCL ||
3208            S.getLanguage() == Language::OpenCLCXX;
3209 
3210   case Language::OpenCLCXX:
3211     return S.getLanguage() == Language::OpenCLCXX;
3212 
3213   case Language::CXX:
3214   case Language::ObjCXX:
3215     return S.getLanguage() == Language::CXX;
3216 
3217   case Language::CUDA:
3218     // FIXME: What -std= values should be permitted for CUDA compilations?
3219     return S.getLanguage() == Language::CUDA ||
3220            S.getLanguage() == Language::CXX;
3221 
3222   case Language::HIP:
3223     return S.getLanguage() == Language::CXX || S.getLanguage() == Language::HIP;
3224 
3225   case Language::Asm:
3226     // Accept (and ignore) all -std= values.
3227     // FIXME: The -std= value is not ignored; it affects the tokenization
3228     // and preprocessing rules if we're preprocessing this asm input.
3229     return true;
3230 
3231   case Language::HLSL:
3232     return S.getLanguage() == Language::HLSL;
3233   }
3234 
3235   llvm_unreachable("unexpected input language");
3236 }
3237 
3238 /// Get language name for given input kind.
3239 static StringRef GetInputKindName(InputKind IK) {
3240   switch (IK.getLanguage()) {
3241   case Language::C:
3242     return "C";
3243   case Language::ObjC:
3244     return "Objective-C";
3245   case Language::CXX:
3246     return "C++";
3247   case Language::ObjCXX:
3248     return "Objective-C++";
3249   case Language::OpenCL:
3250     return "OpenCL";
3251   case Language::OpenCLCXX:
3252     return "C++ for OpenCL";
3253   case Language::CUDA:
3254     return "CUDA";
3255   case Language::RenderScript:
3256     return "RenderScript";
3257   case Language::HIP:
3258     return "HIP";
3259 
3260   case Language::Asm:
3261     return "Asm";
3262   case Language::LLVM_IR:
3263     return "LLVM IR";
3264 
3265   case Language::HLSL:
3266     return "HLSL";
3267 
3268   case Language::Unknown:
3269     break;
3270   }
3271   llvm_unreachable("unknown input language");
3272 }
3273 
3274 void CompilerInvocation::GenerateLangArgs(const LangOptions &Opts,
3275                                           SmallVectorImpl<const char *> &Args,
3276                                           StringAllocator SA,
3277                                           const llvm::Triple &T, InputKind IK) {
3278   if (IK.getFormat() == InputKind::Precompiled ||
3279       IK.getLanguage() == Language::LLVM_IR) {
3280     if (Opts.ObjCAutoRefCount)
3281       GenerateArg(Args, OPT_fobjc_arc, SA);
3282     if (Opts.PICLevel != 0)
3283       GenerateArg(Args, OPT_pic_level, Twine(Opts.PICLevel), SA);
3284     if (Opts.PIE)
3285       GenerateArg(Args, OPT_pic_is_pie, SA);
3286     for (StringRef Sanitizer : serializeSanitizerKinds(Opts.Sanitize))
3287       GenerateArg(Args, OPT_fsanitize_EQ, Sanitizer, SA);
3288 
3289     return;
3290   }
3291 
3292   OptSpecifier StdOpt;
3293   switch (Opts.LangStd) {
3294   case LangStandard::lang_opencl10:
3295   case LangStandard::lang_opencl11:
3296   case LangStandard::lang_opencl12:
3297   case LangStandard::lang_opencl20:
3298   case LangStandard::lang_opencl30:
3299   case LangStandard::lang_openclcpp10:
3300   case LangStandard::lang_openclcpp2021:
3301     StdOpt = OPT_cl_std_EQ;
3302     break;
3303   default:
3304     StdOpt = OPT_std_EQ;
3305     break;
3306   }
3307 
3308   auto LangStandard = LangStandard::getLangStandardForKind(Opts.LangStd);
3309   GenerateArg(Args, StdOpt, LangStandard.getName(), SA);
3310 
3311   if (Opts.IncludeDefaultHeader)
3312     GenerateArg(Args, OPT_finclude_default_header, SA);
3313   if (Opts.DeclareOpenCLBuiltins)
3314     GenerateArg(Args, OPT_fdeclare_opencl_builtins, SA);
3315 
3316   const LangOptions *LangOpts = &Opts;
3317 
3318 #define LANG_OPTION_WITH_MARSHALLING(...)                                      \
3319   GENERATE_OPTION_WITH_MARSHALLING(Args, SA, __VA_ARGS__)
3320 #include "clang/Driver/Options.inc"
3321 #undef LANG_OPTION_WITH_MARSHALLING
3322 
3323   // The '-fcf-protection=' option is generated by CodeGenOpts generator.
3324 
3325   if (Opts.ObjC) {
3326     GenerateArg(Args, OPT_fobjc_runtime_EQ, Opts.ObjCRuntime.getAsString(), SA);
3327 
3328     if (Opts.GC == LangOptions::GCOnly)
3329       GenerateArg(Args, OPT_fobjc_gc_only, SA);
3330     else if (Opts.GC == LangOptions::HybridGC)
3331       GenerateArg(Args, OPT_fobjc_gc, SA);
3332     else if (Opts.ObjCAutoRefCount == 1)
3333       GenerateArg(Args, OPT_fobjc_arc, SA);
3334 
3335     if (Opts.ObjCWeakRuntime)
3336       GenerateArg(Args, OPT_fobjc_runtime_has_weak, SA);
3337 
3338     if (Opts.ObjCWeak)
3339       GenerateArg(Args, OPT_fobjc_weak, SA);
3340 
3341     if (Opts.ObjCSubscriptingLegacyRuntime)
3342       GenerateArg(Args, OPT_fobjc_subscripting_legacy_runtime, SA);
3343   }
3344 
3345   if (Opts.GNUCVersion != 0) {
3346     unsigned Major = Opts.GNUCVersion / 100 / 100;
3347     unsigned Minor = (Opts.GNUCVersion / 100) % 100;
3348     unsigned Patch = Opts.GNUCVersion % 100;
3349     GenerateArg(Args, OPT_fgnuc_version_EQ,
3350                 Twine(Major) + "." + Twine(Minor) + "." + Twine(Patch), SA);
3351   }
3352 
3353   if (Opts.IgnoreXCOFFVisibility)
3354     GenerateArg(Args, OPT_mignore_xcoff_visibility, SA);
3355 
3356   if (Opts.SignedOverflowBehavior == LangOptions::SOB_Trapping) {
3357     GenerateArg(Args, OPT_ftrapv, SA);
3358     GenerateArg(Args, OPT_ftrapv_handler, Opts.OverflowHandler, SA);
3359   } else if (Opts.SignedOverflowBehavior == LangOptions::SOB_Defined) {
3360     GenerateArg(Args, OPT_fwrapv, SA);
3361   }
3362 
3363   if (Opts.MSCompatibilityVersion != 0) {
3364     unsigned Major = Opts.MSCompatibilityVersion / 10000000;
3365     unsigned Minor = (Opts.MSCompatibilityVersion / 100000) % 100;
3366     unsigned Subminor = Opts.MSCompatibilityVersion % 100000;
3367     GenerateArg(Args, OPT_fms_compatibility_version,
3368                 Twine(Major) + "." + Twine(Minor) + "." + Twine(Subminor), SA);
3369   }
3370 
3371   if ((!Opts.GNUMode && !Opts.MSVCCompat && !Opts.CPlusPlus17) || T.isOSzOS()) {
3372     if (!Opts.Trigraphs)
3373       GenerateArg(Args, OPT_fno_trigraphs, SA);
3374   } else {
3375     if (Opts.Trigraphs)
3376       GenerateArg(Args, OPT_ftrigraphs, SA);
3377   }
3378 
3379   if (Opts.Blocks && !(Opts.OpenCL && Opts.OpenCLVersion == 200))
3380     GenerateArg(Args, OPT_fblocks, SA);
3381 
3382   if (Opts.ConvergentFunctions &&
3383       !(Opts.OpenCL || (Opts.CUDA && Opts.CUDAIsDevice) || Opts.SYCLIsDevice))
3384     GenerateArg(Args, OPT_fconvergent_functions, SA);
3385 
3386   if (Opts.NoBuiltin && !Opts.Freestanding)
3387     GenerateArg(Args, OPT_fno_builtin, SA);
3388 
3389   if (!Opts.NoBuiltin)
3390     for (const auto &Func : Opts.NoBuiltinFuncs)
3391       GenerateArg(Args, OPT_fno_builtin_, Func, SA);
3392 
3393   if (Opts.LongDoubleSize == 128)
3394     GenerateArg(Args, OPT_mlong_double_128, SA);
3395   else if (Opts.LongDoubleSize == 64)
3396     GenerateArg(Args, OPT_mlong_double_64, SA);
3397   else if (Opts.LongDoubleSize == 80)
3398     GenerateArg(Args, OPT_mlong_double_80, SA);
3399 
3400   // Not generating '-mrtd', it's just an alias for '-fdefault-calling-conv='.
3401 
3402   // OpenMP was requested via '-fopenmp', not implied by '-fopenmp-simd' or
3403   // '-fopenmp-targets='.
3404   if (Opts.OpenMP && !Opts.OpenMPSimd) {
3405     GenerateArg(Args, OPT_fopenmp, SA);
3406 
3407     if (Opts.OpenMP != 50)
3408       GenerateArg(Args, OPT_fopenmp_version_EQ, Twine(Opts.OpenMP), SA);
3409 
3410     if (!Opts.OpenMPUseTLS)
3411       GenerateArg(Args, OPT_fnoopenmp_use_tls, SA);
3412 
3413     if (Opts.OpenMPIsDevice)
3414       GenerateArg(Args, OPT_fopenmp_is_device, SA);
3415 
3416     if (Opts.OpenMPIRBuilder)
3417       GenerateArg(Args, OPT_fopenmp_enable_irbuilder, SA);
3418   }
3419 
3420   if (Opts.OpenMPSimd) {
3421     GenerateArg(Args, OPT_fopenmp_simd, SA);
3422 
3423     if (Opts.OpenMP != 50)
3424       GenerateArg(Args, OPT_fopenmp_version_EQ, Twine(Opts.OpenMP), SA);
3425   }
3426 
3427   if (Opts.OpenMPThreadSubscription)
3428     GenerateArg(Args, OPT_fopenmp_assume_threads_oversubscription, SA);
3429 
3430   if (Opts.OpenMPTeamSubscription)
3431     GenerateArg(Args, OPT_fopenmp_assume_teams_oversubscription, SA);
3432 
3433   if (Opts.OpenMPTargetDebug != 0)
3434     GenerateArg(Args, OPT_fopenmp_target_debug_EQ,
3435                 Twine(Opts.OpenMPTargetDebug), SA);
3436 
3437   if (Opts.OpenMPCUDANumSMs != 0)
3438     GenerateArg(Args, OPT_fopenmp_cuda_number_of_sm_EQ,
3439                 Twine(Opts.OpenMPCUDANumSMs), SA);
3440 
3441   if (Opts.OpenMPCUDABlocksPerSM != 0)
3442     GenerateArg(Args, OPT_fopenmp_cuda_blocks_per_sm_EQ,
3443                 Twine(Opts.OpenMPCUDABlocksPerSM), SA);
3444 
3445   if (Opts.OpenMPCUDAReductionBufNum != 1024)
3446     GenerateArg(Args, OPT_fopenmp_cuda_teams_reduction_recs_num_EQ,
3447                 Twine(Opts.OpenMPCUDAReductionBufNum), SA);
3448 
3449   if (!Opts.OMPTargetTriples.empty()) {
3450     std::string Targets;
3451     llvm::raw_string_ostream OS(Targets);
3452     llvm::interleave(
3453         Opts.OMPTargetTriples, OS,
3454         [&OS](const llvm::Triple &T) { OS << T.str(); }, ",");
3455     GenerateArg(Args, OPT_fopenmp_targets_EQ, OS.str(), SA);
3456   }
3457 
3458   if (!Opts.OMPHostIRFile.empty())
3459     GenerateArg(Args, OPT_fopenmp_host_ir_file_path, Opts.OMPHostIRFile, SA);
3460 
3461   if (Opts.OpenMPCUDAMode)
3462     GenerateArg(Args, OPT_fopenmp_cuda_mode, SA);
3463 
3464   // The arguments used to set Optimize, OptimizeSize and NoInlineDefine are
3465   // generated from CodeGenOptions.
3466 
3467   if (Opts.DefaultFPContractMode == LangOptions::FPM_Fast)
3468     GenerateArg(Args, OPT_ffp_contract, "fast", SA);
3469   else if (Opts.DefaultFPContractMode == LangOptions::FPM_On)
3470     GenerateArg(Args, OPT_ffp_contract, "on", SA);
3471   else if (Opts.DefaultFPContractMode == LangOptions::FPM_Off)
3472     GenerateArg(Args, OPT_ffp_contract, "off", SA);
3473   else if (Opts.DefaultFPContractMode == LangOptions::FPM_FastHonorPragmas)
3474     GenerateArg(Args, OPT_ffp_contract, "fast-honor-pragmas", SA);
3475 
3476   for (StringRef Sanitizer : serializeSanitizerKinds(Opts.Sanitize))
3477     GenerateArg(Args, OPT_fsanitize_EQ, Sanitizer, SA);
3478 
3479   // Conflating '-fsanitize-system-ignorelist' and '-fsanitize-ignorelist'.
3480   for (const std::string &F : Opts.NoSanitizeFiles)
3481     GenerateArg(Args, OPT_fsanitize_ignorelist_EQ, F, SA);
3482 
3483   if (Opts.getClangABICompat() == LangOptions::ClangABI::Ver3_8)
3484     GenerateArg(Args, OPT_fclang_abi_compat_EQ, "3.8", SA);
3485   else if (Opts.getClangABICompat() == LangOptions::ClangABI::Ver4)
3486     GenerateArg(Args, OPT_fclang_abi_compat_EQ, "4.0", SA);
3487   else if (Opts.getClangABICompat() == LangOptions::ClangABI::Ver6)
3488     GenerateArg(Args, OPT_fclang_abi_compat_EQ, "6.0", SA);
3489   else if (Opts.getClangABICompat() == LangOptions::ClangABI::Ver7)
3490     GenerateArg(Args, OPT_fclang_abi_compat_EQ, "7.0", SA);
3491   else if (Opts.getClangABICompat() == LangOptions::ClangABI::Ver9)
3492     GenerateArg(Args, OPT_fclang_abi_compat_EQ, "9.0", SA);
3493   else if (Opts.getClangABICompat() == LangOptions::ClangABI::Ver11)
3494     GenerateArg(Args, OPT_fclang_abi_compat_EQ, "11.0", SA);
3495   else if (Opts.getClangABICompat() == LangOptions::ClangABI::Ver12)
3496     GenerateArg(Args, OPT_fclang_abi_compat_EQ, "12.0", SA);
3497   else if (Opts.getClangABICompat() == LangOptions::ClangABI::Ver14)
3498     GenerateArg(Args, OPT_fclang_abi_compat_EQ, "14.0", SA);
3499   else if (Opts.getClangABICompat() == LangOptions::ClangABI::Ver15)
3500     GenerateArg(Args, OPT_fclang_abi_compat_EQ, "15.0", SA);
3501 
3502   if (Opts.getSignReturnAddressScope() ==
3503       LangOptions::SignReturnAddressScopeKind::All)
3504     GenerateArg(Args, OPT_msign_return_address_EQ, "all", SA);
3505   else if (Opts.getSignReturnAddressScope() ==
3506            LangOptions::SignReturnAddressScopeKind::NonLeaf)
3507     GenerateArg(Args, OPT_msign_return_address_EQ, "non-leaf", SA);
3508 
3509   if (Opts.getSignReturnAddressKey() ==
3510       LangOptions::SignReturnAddressKeyKind::BKey)
3511     GenerateArg(Args, OPT_msign_return_address_key_EQ, "b_key", SA);
3512 
3513   if (Opts.CXXABI)
3514     GenerateArg(Args, OPT_fcxx_abi_EQ, TargetCXXABI::getSpelling(*Opts.CXXABI),
3515                 SA);
3516 
3517   if (Opts.RelativeCXXABIVTables)
3518     GenerateArg(Args, OPT_fexperimental_relative_cxx_abi_vtables, SA);
3519   else
3520     GenerateArg(Args, OPT_fno_experimental_relative_cxx_abi_vtables, SA);
3521 
3522   if (Opts.UseTargetPathSeparator)
3523     GenerateArg(Args, OPT_ffile_reproducible, SA);
3524   else
3525     GenerateArg(Args, OPT_fno_file_reproducible, SA);
3526 
3527   for (const auto &MP : Opts.MacroPrefixMap)
3528     GenerateArg(Args, OPT_fmacro_prefix_map_EQ, MP.first + "=" + MP.second, SA);
3529 
3530   if (!Opts.RandstructSeed.empty())
3531     GenerateArg(Args, OPT_frandomize_layout_seed_EQ, Opts.RandstructSeed, SA);
3532 }
3533 
3534 bool CompilerInvocation::ParseLangArgs(LangOptions &Opts, ArgList &Args,
3535                                        InputKind IK, const llvm::Triple &T,
3536                                        std::vector<std::string> &Includes,
3537                                        DiagnosticsEngine &Diags) {
3538   unsigned NumErrorsBefore = Diags.getNumErrors();
3539 
3540   if (IK.getFormat() == InputKind::Precompiled ||
3541       IK.getLanguage() == Language::LLVM_IR) {
3542     // ObjCAAutoRefCount and Sanitize LangOpts are used to setup the
3543     // PassManager in BackendUtil.cpp. They need to be initialized no matter
3544     // what the input type is.
3545     if (Args.hasArg(OPT_fobjc_arc))
3546       Opts.ObjCAutoRefCount = 1;
3547     // PICLevel and PIELevel are needed during code generation and this should
3548     // be set regardless of the input type.
3549     Opts.PICLevel = getLastArgIntValue(Args, OPT_pic_level, 0, Diags);
3550     Opts.PIE = Args.hasArg(OPT_pic_is_pie);
3551     parseSanitizerKinds("-fsanitize=", Args.getAllArgValues(OPT_fsanitize_EQ),
3552                         Diags, Opts.Sanitize);
3553 
3554     return Diags.getNumErrors() == NumErrorsBefore;
3555   }
3556 
3557   // Other LangOpts are only initialized when the input is not AST or LLVM IR.
3558   // FIXME: Should we really be parsing this for an Language::Asm input?
3559 
3560   // FIXME: Cleanup per-file based stuff.
3561   LangStandard::Kind LangStd = LangStandard::lang_unspecified;
3562   if (const Arg *A = Args.getLastArg(OPT_std_EQ)) {
3563     LangStd = LangStandard::getLangKind(A->getValue());
3564     if (LangStd == LangStandard::lang_unspecified) {
3565       Diags.Report(diag::err_drv_invalid_value)
3566         << A->getAsString(Args) << A->getValue();
3567       // Report supported standards with short description.
3568       for (unsigned KindValue = 0;
3569            KindValue != LangStandard::lang_unspecified;
3570            ++KindValue) {
3571         const LangStandard &Std = LangStandard::getLangStandardForKind(
3572           static_cast<LangStandard::Kind>(KindValue));
3573         if (IsInputCompatibleWithStandard(IK, Std)) {
3574           auto Diag = Diags.Report(diag::note_drv_use_standard);
3575           Diag << Std.getName() << Std.getDescription();
3576           unsigned NumAliases = 0;
3577 #define LANGSTANDARD(id, name, lang, desc, features)
3578 #define LANGSTANDARD_ALIAS(id, alias) \
3579           if (KindValue == LangStandard::lang_##id) ++NumAliases;
3580 #define LANGSTANDARD_ALIAS_DEPR(id, alias)
3581 #include "clang/Basic/LangStandards.def"
3582           Diag << NumAliases;
3583 #define LANGSTANDARD(id, name, lang, desc, features)
3584 #define LANGSTANDARD_ALIAS(id, alias) \
3585           if (KindValue == LangStandard::lang_##id) Diag << alias;
3586 #define LANGSTANDARD_ALIAS_DEPR(id, alias)
3587 #include "clang/Basic/LangStandards.def"
3588         }
3589       }
3590     } else {
3591       // Valid standard, check to make sure language and standard are
3592       // compatible.
3593       const LangStandard &Std = LangStandard::getLangStandardForKind(LangStd);
3594       if (!IsInputCompatibleWithStandard(IK, Std)) {
3595         Diags.Report(diag::err_drv_argument_not_allowed_with)
3596           << A->getAsString(Args) << GetInputKindName(IK);
3597       }
3598     }
3599   }
3600 
3601   // -cl-std only applies for OpenCL language standards.
3602   // Override the -std option in this case.
3603   if (const Arg *A = Args.getLastArg(OPT_cl_std_EQ)) {
3604     LangStandard::Kind OpenCLLangStd
3605       = llvm::StringSwitch<LangStandard::Kind>(A->getValue())
3606         .Cases("cl", "CL", LangStandard::lang_opencl10)
3607         .Cases("cl1.0", "CL1.0", LangStandard::lang_opencl10)
3608         .Cases("cl1.1", "CL1.1", LangStandard::lang_opencl11)
3609         .Cases("cl1.2", "CL1.2", LangStandard::lang_opencl12)
3610         .Cases("cl2.0", "CL2.0", LangStandard::lang_opencl20)
3611         .Cases("cl3.0", "CL3.0", LangStandard::lang_opencl30)
3612         .Cases("clc++", "CLC++", LangStandard::lang_openclcpp10)
3613         .Cases("clc++1.0", "CLC++1.0", LangStandard::lang_openclcpp10)
3614         .Cases("clc++2021", "CLC++2021", LangStandard::lang_openclcpp2021)
3615         .Default(LangStandard::lang_unspecified);
3616 
3617     if (OpenCLLangStd == LangStandard::lang_unspecified) {
3618       Diags.Report(diag::err_drv_invalid_value)
3619         << A->getAsString(Args) << A->getValue();
3620     }
3621     else
3622       LangStd = OpenCLLangStd;
3623   }
3624 
3625   // These need to be parsed now. They are used to set OpenCL defaults.
3626   Opts.IncludeDefaultHeader = Args.hasArg(OPT_finclude_default_header);
3627   Opts.DeclareOpenCLBuiltins = Args.hasArg(OPT_fdeclare_opencl_builtins);
3628 
3629   LangOptions::setLangDefaults(Opts, IK.getLanguage(), T, Includes, LangStd);
3630 
3631   // The key paths of codegen options defined in Options.td start with
3632   // "LangOpts->". Let's provide the expected variable name and type.
3633   LangOptions *LangOpts = &Opts;
3634 
3635 #define LANG_OPTION_WITH_MARSHALLING(...)                                      \
3636   PARSE_OPTION_WITH_MARSHALLING(Args, Diags, __VA_ARGS__)
3637 #include "clang/Driver/Options.inc"
3638 #undef LANG_OPTION_WITH_MARSHALLING
3639 
3640   if (const Arg *A = Args.getLastArg(OPT_fcf_protection_EQ)) {
3641     StringRef Name = A->getValue();
3642     if (Name == "full" || Name == "branch") {
3643       Opts.CFProtectionBranch = 1;
3644     }
3645   }
3646 
3647   if ((Args.hasArg(OPT_fsycl_is_device) || Args.hasArg(OPT_fsycl_is_host)) &&
3648       !Args.hasArg(OPT_sycl_std_EQ)) {
3649     // If the user supplied -fsycl-is-device or -fsycl-is-host, but failed to
3650     // provide -sycl-std=, we want to default it to whatever the default SYCL
3651     // version is. I could not find a way to express this with the options
3652     // tablegen because we still want this value to be SYCL_None when the user
3653     // is not in device or host mode.
3654     Opts.setSYCLVersion(LangOptions::SYCL_Default);
3655   }
3656 
3657   if (Opts.ObjC) {
3658     if (Arg *arg = Args.getLastArg(OPT_fobjc_runtime_EQ)) {
3659       StringRef value = arg->getValue();
3660       if (Opts.ObjCRuntime.tryParse(value))
3661         Diags.Report(diag::err_drv_unknown_objc_runtime) << value;
3662     }
3663 
3664     if (Args.hasArg(OPT_fobjc_gc_only))
3665       Opts.setGC(LangOptions::GCOnly);
3666     else if (Args.hasArg(OPT_fobjc_gc))
3667       Opts.setGC(LangOptions::HybridGC);
3668     else if (Args.hasArg(OPT_fobjc_arc)) {
3669       Opts.ObjCAutoRefCount = 1;
3670       if (!Opts.ObjCRuntime.allowsARC())
3671         Diags.Report(diag::err_arc_unsupported_on_runtime);
3672     }
3673 
3674     // ObjCWeakRuntime tracks whether the runtime supports __weak, not
3675     // whether the feature is actually enabled.  This is predominantly
3676     // determined by -fobjc-runtime, but we allow it to be overridden
3677     // from the command line for testing purposes.
3678     if (Args.hasArg(OPT_fobjc_runtime_has_weak))
3679       Opts.ObjCWeakRuntime = 1;
3680     else
3681       Opts.ObjCWeakRuntime = Opts.ObjCRuntime.allowsWeak();
3682 
3683     // ObjCWeak determines whether __weak is actually enabled.
3684     // Note that we allow -fno-objc-weak to disable this even in ARC mode.
3685     if (auto weakArg = Args.getLastArg(OPT_fobjc_weak, OPT_fno_objc_weak)) {
3686       if (!weakArg->getOption().matches(OPT_fobjc_weak)) {
3687         assert(!Opts.ObjCWeak);
3688       } else if (Opts.getGC() != LangOptions::NonGC) {
3689         Diags.Report(diag::err_objc_weak_with_gc);
3690       } else if (!Opts.ObjCWeakRuntime) {
3691         Diags.Report(diag::err_objc_weak_unsupported);
3692       } else {
3693         Opts.ObjCWeak = 1;
3694       }
3695     } else if (Opts.ObjCAutoRefCount) {
3696       Opts.ObjCWeak = Opts.ObjCWeakRuntime;
3697     }
3698 
3699     if (Args.hasArg(OPT_fobjc_subscripting_legacy_runtime))
3700       Opts.ObjCSubscriptingLegacyRuntime =
3701         (Opts.ObjCRuntime.getKind() == ObjCRuntime::FragileMacOSX);
3702   }
3703 
3704   if (Arg *A = Args.getLastArg(options::OPT_fgnuc_version_EQ)) {
3705     // Check that the version has 1 to 3 components and the minor and patch
3706     // versions fit in two decimal digits.
3707     VersionTuple GNUCVer;
3708     bool Invalid = GNUCVer.tryParse(A->getValue());
3709     unsigned Major = GNUCVer.getMajor();
3710     unsigned Minor = GNUCVer.getMinor().value_or(0);
3711     unsigned Patch = GNUCVer.getSubminor().value_or(0);
3712     if (Invalid || GNUCVer.getBuild() || Minor >= 100 || Patch >= 100) {
3713       Diags.Report(diag::err_drv_invalid_value)
3714           << A->getAsString(Args) << A->getValue();
3715     }
3716     Opts.GNUCVersion = Major * 100 * 100 + Minor * 100 + Patch;
3717   }
3718 
3719   if (T.isOSAIX() && (Args.hasArg(OPT_mignore_xcoff_visibility)))
3720     Opts.IgnoreXCOFFVisibility = 1;
3721 
3722   if (Args.hasArg(OPT_ftrapv)) {
3723     Opts.setSignedOverflowBehavior(LangOptions::SOB_Trapping);
3724     // Set the handler, if one is specified.
3725     Opts.OverflowHandler =
3726         std::string(Args.getLastArgValue(OPT_ftrapv_handler));
3727   }
3728   else if (Args.hasArg(OPT_fwrapv))
3729     Opts.setSignedOverflowBehavior(LangOptions::SOB_Defined);
3730 
3731   Opts.MSCompatibilityVersion = 0;
3732   if (const Arg *A = Args.getLastArg(OPT_fms_compatibility_version)) {
3733     VersionTuple VT;
3734     if (VT.tryParse(A->getValue()))
3735       Diags.Report(diag::err_drv_invalid_value) << A->getAsString(Args)
3736                                                 << A->getValue();
3737     Opts.MSCompatibilityVersion = VT.getMajor() * 10000000 +
3738                                   VT.getMinor().value_or(0) * 100000 +
3739                                   VT.getSubminor().value_or(0);
3740   }
3741 
3742   // Mimicking gcc's behavior, trigraphs are only enabled if -trigraphs
3743   // is specified, or -std is set to a conforming mode.
3744   // Trigraphs are disabled by default in c++1z onwards.
3745   // For z/OS, trigraphs are enabled by default (without regard to the above).
3746   Opts.Trigraphs =
3747       (!Opts.GNUMode && !Opts.MSVCCompat && !Opts.CPlusPlus17) || T.isOSzOS();
3748   Opts.Trigraphs =
3749       Args.hasFlag(OPT_ftrigraphs, OPT_fno_trigraphs, Opts.Trigraphs);
3750 
3751   Opts.Blocks = Args.hasArg(OPT_fblocks) || (Opts.OpenCL
3752     && Opts.OpenCLVersion == 200);
3753 
3754   Opts.ConvergentFunctions = Args.hasArg(OPT_fconvergent_functions) ||
3755                              Opts.OpenCL || (Opts.CUDA && Opts.CUDAIsDevice) ||
3756                              Opts.SYCLIsDevice;
3757 
3758   Opts.NoBuiltin = Args.hasArg(OPT_fno_builtin) || Opts.Freestanding;
3759   if (!Opts.NoBuiltin)
3760     getAllNoBuiltinFuncValues(Args, Opts.NoBuiltinFuncs);
3761   if (Arg *A = Args.getLastArg(options::OPT_LongDouble_Group)) {
3762     if (A->getOption().matches(options::OPT_mlong_double_64))
3763       Opts.LongDoubleSize = 64;
3764     else if (A->getOption().matches(options::OPT_mlong_double_80))
3765       Opts.LongDoubleSize = 80;
3766     else if (A->getOption().matches(options::OPT_mlong_double_128))
3767       Opts.LongDoubleSize = 128;
3768     else
3769       Opts.LongDoubleSize = 0;
3770   }
3771   if (Opts.FastRelaxedMath || Opts.CLUnsafeMath)
3772     Opts.setDefaultFPContractMode(LangOptions::FPM_Fast);
3773 
3774   llvm::sort(Opts.ModuleFeatures);
3775 
3776   // -mrtd option
3777   if (Arg *A = Args.getLastArg(OPT_mrtd)) {
3778     if (Opts.getDefaultCallingConv() != LangOptions::DCC_None)
3779       Diags.Report(diag::err_drv_argument_not_allowed_with)
3780           << A->getSpelling() << "-fdefault-calling-conv";
3781     else {
3782       if (T.getArch() != llvm::Triple::x86)
3783         Diags.Report(diag::err_drv_argument_not_allowed_with)
3784             << A->getSpelling() << T.getTriple();
3785       else
3786         Opts.setDefaultCallingConv(LangOptions::DCC_StdCall);
3787     }
3788   }
3789 
3790   // Check if -fopenmp is specified and set default version to 5.0.
3791   Opts.OpenMP = Args.hasArg(OPT_fopenmp) ? 50 : 0;
3792   // Check if -fopenmp-simd is specified.
3793   bool IsSimdSpecified =
3794       Args.hasFlag(options::OPT_fopenmp_simd, options::OPT_fno_openmp_simd,
3795                    /*Default=*/false);
3796   Opts.OpenMPSimd = !Opts.OpenMP && IsSimdSpecified;
3797   Opts.OpenMPUseTLS =
3798       Opts.OpenMP && !Args.hasArg(options::OPT_fnoopenmp_use_tls);
3799   Opts.OpenMPIsDevice =
3800       Opts.OpenMP && Args.hasArg(options::OPT_fopenmp_is_device);
3801   Opts.OpenMPIRBuilder =
3802       Opts.OpenMP && Args.hasArg(options::OPT_fopenmp_enable_irbuilder);
3803   bool IsTargetSpecified =
3804       Opts.OpenMPIsDevice || Args.hasArg(options::OPT_fopenmp_targets_EQ);
3805 
3806   Opts.ConvergentFunctions = Opts.ConvergentFunctions || Opts.OpenMPIsDevice;
3807 
3808   if (Opts.OpenMP || Opts.OpenMPSimd) {
3809     if (int Version = getLastArgIntValue(
3810             Args, OPT_fopenmp_version_EQ,
3811             (IsSimdSpecified || IsTargetSpecified) ? 50 : Opts.OpenMP, Diags))
3812       Opts.OpenMP = Version;
3813     // Provide diagnostic when a given target is not expected to be an OpenMP
3814     // device or host.
3815     if (!Opts.OpenMPIsDevice) {
3816       switch (T.getArch()) {
3817       default:
3818         break;
3819       // Add unsupported host targets here:
3820       case llvm::Triple::nvptx:
3821       case llvm::Triple::nvptx64:
3822         Diags.Report(diag::err_drv_omp_host_target_not_supported) << T.str();
3823         break;
3824       }
3825     }
3826   }
3827 
3828   // Set the flag to prevent the implementation from emitting device exception
3829   // handling code for those requiring so.
3830   if ((Opts.OpenMPIsDevice && (T.isNVPTX() || T.isAMDGCN())) ||
3831       Opts.OpenCLCPlusPlus) {
3832 
3833     Opts.Exceptions = 0;
3834     Opts.CXXExceptions = 0;
3835   }
3836   if (Opts.OpenMPIsDevice && T.isNVPTX()) {
3837     Opts.OpenMPCUDANumSMs =
3838         getLastArgIntValue(Args, options::OPT_fopenmp_cuda_number_of_sm_EQ,
3839                            Opts.OpenMPCUDANumSMs, Diags);
3840     Opts.OpenMPCUDABlocksPerSM =
3841         getLastArgIntValue(Args, options::OPT_fopenmp_cuda_blocks_per_sm_EQ,
3842                            Opts.OpenMPCUDABlocksPerSM, Diags);
3843     Opts.OpenMPCUDAReductionBufNum = getLastArgIntValue(
3844         Args, options::OPT_fopenmp_cuda_teams_reduction_recs_num_EQ,
3845         Opts.OpenMPCUDAReductionBufNum, Diags);
3846   }
3847 
3848   // Set the value of the debugging flag used in the new offloading device RTL.
3849   // Set either by a specific value or to a default if not specified.
3850   if (Opts.OpenMPIsDevice && (Args.hasArg(OPT_fopenmp_target_debug) ||
3851                               Args.hasArg(OPT_fopenmp_target_debug_EQ))) {
3852     Opts.OpenMPTargetDebug = getLastArgIntValue(
3853         Args, OPT_fopenmp_target_debug_EQ, Opts.OpenMPTargetDebug, Diags);
3854     if (!Opts.OpenMPTargetDebug && Args.hasArg(OPT_fopenmp_target_debug))
3855       Opts.OpenMPTargetDebug = 1;
3856   }
3857 
3858   if (Opts.OpenMPIsDevice) {
3859     if (Args.hasArg(OPT_fopenmp_assume_teams_oversubscription))
3860       Opts.OpenMPTeamSubscription = true;
3861     if (Args.hasArg(OPT_fopenmp_assume_threads_oversubscription))
3862       Opts.OpenMPThreadSubscription = true;
3863   }
3864 
3865   // Get the OpenMP target triples if any.
3866   if (Arg *A = Args.getLastArg(options::OPT_fopenmp_targets_EQ)) {
3867     enum ArchPtrSize { Arch16Bit, Arch32Bit, Arch64Bit };
3868     auto getArchPtrSize = [](const llvm::Triple &T) {
3869       if (T.isArch16Bit())
3870         return Arch16Bit;
3871       if (T.isArch32Bit())
3872         return Arch32Bit;
3873       assert(T.isArch64Bit() && "Expected 64-bit architecture");
3874       return Arch64Bit;
3875     };
3876 
3877     for (unsigned i = 0; i < A->getNumValues(); ++i) {
3878       llvm::Triple TT(A->getValue(i));
3879 
3880       if (TT.getArch() == llvm::Triple::UnknownArch ||
3881           !(TT.getArch() == llvm::Triple::aarch64 || TT.isPPC() ||
3882             TT.getArch() == llvm::Triple::nvptx ||
3883             TT.getArch() == llvm::Triple::nvptx64 ||
3884             TT.getArch() == llvm::Triple::amdgcn ||
3885             TT.getArch() == llvm::Triple::x86 ||
3886             TT.getArch() == llvm::Triple::x86_64))
3887         Diags.Report(diag::err_drv_invalid_omp_target) << A->getValue(i);
3888       else if (getArchPtrSize(T) != getArchPtrSize(TT))
3889         Diags.Report(diag::err_drv_incompatible_omp_arch)
3890             << A->getValue(i) << T.str();
3891       else
3892         Opts.OMPTargetTriples.push_back(TT);
3893     }
3894   }
3895 
3896   // Get OpenMP host file path if any and report if a non existent file is
3897   // found
3898   if (Arg *A = Args.getLastArg(options::OPT_fopenmp_host_ir_file_path)) {
3899     Opts.OMPHostIRFile = A->getValue();
3900     if (!llvm::sys::fs::exists(Opts.OMPHostIRFile))
3901       Diags.Report(diag::err_drv_omp_host_ir_file_not_found)
3902           << Opts.OMPHostIRFile;
3903   }
3904 
3905   // Set CUDA mode for OpenMP target NVPTX/AMDGCN if specified in options
3906   Opts.OpenMPCUDAMode = Opts.OpenMPIsDevice && (T.isNVPTX() || T.isAMDGCN()) &&
3907                         Args.hasArg(options::OPT_fopenmp_cuda_mode);
3908 
3909   // FIXME: Eliminate this dependency.
3910   unsigned Opt = getOptimizationLevel(Args, IK, Diags),
3911        OptSize = getOptimizationLevelSize(Args);
3912   Opts.Optimize = Opt != 0;
3913   Opts.OptimizeSize = OptSize != 0;
3914 
3915   // This is the __NO_INLINE__ define, which just depends on things like the
3916   // optimization level and -fno-inline, not actually whether the backend has
3917   // inlining enabled.
3918   Opts.NoInlineDefine = !Opts.Optimize;
3919   if (Arg *InlineArg = Args.getLastArg(
3920           options::OPT_finline_functions, options::OPT_finline_hint_functions,
3921           options::OPT_fno_inline_functions, options::OPT_fno_inline))
3922     if (InlineArg->getOption().matches(options::OPT_fno_inline))
3923       Opts.NoInlineDefine = true;
3924 
3925   if (Arg *A = Args.getLastArg(OPT_ffp_contract)) {
3926     StringRef Val = A->getValue();
3927     if (Val == "fast")
3928       Opts.setDefaultFPContractMode(LangOptions::FPM_Fast);
3929     else if (Val == "on")
3930       Opts.setDefaultFPContractMode(LangOptions::FPM_On);
3931     else if (Val == "off")
3932       Opts.setDefaultFPContractMode(LangOptions::FPM_Off);
3933     else if (Val == "fast-honor-pragmas")
3934       Opts.setDefaultFPContractMode(LangOptions::FPM_FastHonorPragmas);
3935     else
3936       Diags.Report(diag::err_drv_invalid_value) << A->getAsString(Args) << Val;
3937   }
3938 
3939   // Parse -fsanitize= arguments.
3940   parseSanitizerKinds("-fsanitize=", Args.getAllArgValues(OPT_fsanitize_EQ),
3941                       Diags, Opts.Sanitize);
3942   Opts.NoSanitizeFiles = Args.getAllArgValues(OPT_fsanitize_ignorelist_EQ);
3943   std::vector<std::string> systemIgnorelists =
3944       Args.getAllArgValues(OPT_fsanitize_system_ignorelist_EQ);
3945   Opts.NoSanitizeFiles.insert(Opts.NoSanitizeFiles.end(),
3946                               systemIgnorelists.begin(),
3947                               systemIgnorelists.end());
3948 
3949   if (Arg *A = Args.getLastArg(OPT_fclang_abi_compat_EQ)) {
3950     Opts.setClangABICompat(LangOptions::ClangABI::Latest);
3951 
3952     StringRef Ver = A->getValue();
3953     std::pair<StringRef, StringRef> VerParts = Ver.split('.');
3954     unsigned Major, Minor = 0;
3955 
3956     // Check the version number is valid: either 3.x (0 <= x <= 9) or
3957     // y or y.0 (4 <= y <= current version).
3958     if (!VerParts.first.startswith("0") &&
3959         !VerParts.first.getAsInteger(10, Major) &&
3960         3 <= Major && Major <= CLANG_VERSION_MAJOR &&
3961         (Major == 3 ? VerParts.second.size() == 1 &&
3962                       !VerParts.second.getAsInteger(10, Minor)
3963                     : VerParts.first.size() == Ver.size() ||
3964                       VerParts.second == "0")) {
3965       // Got a valid version number.
3966       if (Major == 3 && Minor <= 8)
3967         Opts.setClangABICompat(LangOptions::ClangABI::Ver3_8);
3968       else if (Major <= 4)
3969         Opts.setClangABICompat(LangOptions::ClangABI::Ver4);
3970       else if (Major <= 6)
3971         Opts.setClangABICompat(LangOptions::ClangABI::Ver6);
3972       else if (Major <= 7)
3973         Opts.setClangABICompat(LangOptions::ClangABI::Ver7);
3974       else if (Major <= 9)
3975         Opts.setClangABICompat(LangOptions::ClangABI::Ver9);
3976       else if (Major <= 11)
3977         Opts.setClangABICompat(LangOptions::ClangABI::Ver11);
3978       else if (Major <= 12)
3979         Opts.setClangABICompat(LangOptions::ClangABI::Ver12);
3980       else if (Major <= 14)
3981         Opts.setClangABICompat(LangOptions::ClangABI::Ver14);
3982       else if (Major <= 15)
3983         Opts.setClangABICompat(LangOptions::ClangABI::Ver15);
3984     } else if (Ver != "latest") {
3985       Diags.Report(diag::err_drv_invalid_value)
3986           << A->getAsString(Args) << A->getValue();
3987     }
3988   }
3989 
3990   if (Arg *A = Args.getLastArg(OPT_msign_return_address_EQ)) {
3991     StringRef SignScope = A->getValue();
3992 
3993     if (SignScope.equals_insensitive("none"))
3994       Opts.setSignReturnAddressScope(
3995           LangOptions::SignReturnAddressScopeKind::None);
3996     else if (SignScope.equals_insensitive("all"))
3997       Opts.setSignReturnAddressScope(
3998           LangOptions::SignReturnAddressScopeKind::All);
3999     else if (SignScope.equals_insensitive("non-leaf"))
4000       Opts.setSignReturnAddressScope(
4001           LangOptions::SignReturnAddressScopeKind::NonLeaf);
4002     else
4003       Diags.Report(diag::err_drv_invalid_value)
4004           << A->getAsString(Args) << SignScope;
4005 
4006     if (Arg *A = Args.getLastArg(OPT_msign_return_address_key_EQ)) {
4007       StringRef SignKey = A->getValue();
4008       if (!SignScope.empty() && !SignKey.empty()) {
4009         if (SignKey.equals_insensitive("a_key"))
4010           Opts.setSignReturnAddressKey(
4011               LangOptions::SignReturnAddressKeyKind::AKey);
4012         else if (SignKey.equals_insensitive("b_key"))
4013           Opts.setSignReturnAddressKey(
4014               LangOptions::SignReturnAddressKeyKind::BKey);
4015         else
4016           Diags.Report(diag::err_drv_invalid_value)
4017               << A->getAsString(Args) << SignKey;
4018       }
4019     }
4020   }
4021 
4022   // The value can be empty, which indicates the system default should be used.
4023   StringRef CXXABI = Args.getLastArgValue(OPT_fcxx_abi_EQ);
4024   if (!CXXABI.empty()) {
4025     if (!TargetCXXABI::isABI(CXXABI)) {
4026       Diags.Report(diag::err_invalid_cxx_abi) << CXXABI;
4027     } else {
4028       auto Kind = TargetCXXABI::getKind(CXXABI);
4029       if (!TargetCXXABI::isSupportedCXXABI(T, Kind))
4030         Diags.Report(diag::err_unsupported_cxx_abi) << CXXABI << T.str();
4031       else
4032         Opts.CXXABI = Kind;
4033     }
4034   }
4035 
4036   Opts.RelativeCXXABIVTables =
4037       Args.hasFlag(options::OPT_fexperimental_relative_cxx_abi_vtables,
4038                    options::OPT_fno_experimental_relative_cxx_abi_vtables,
4039                    TargetCXXABI::usesRelativeVTables(T));
4040 
4041   for (const auto &A : Args.getAllArgValues(OPT_fmacro_prefix_map_EQ)) {
4042     auto Split = StringRef(A).split('=');
4043     Opts.MacroPrefixMap.insert(
4044         {std::string(Split.first), std::string(Split.second)});
4045   }
4046 
4047   Opts.UseTargetPathSeparator =
4048       !Args.getLastArg(OPT_fno_file_reproducible) &&
4049       (Args.getLastArg(OPT_ffile_compilation_dir_EQ) ||
4050        Args.getLastArg(OPT_fmacro_prefix_map_EQ) ||
4051        Args.getLastArg(OPT_ffile_reproducible));
4052 
4053   // Error if -mvscale-min is unbounded.
4054   if (Arg *A = Args.getLastArg(options::OPT_mvscale_min_EQ)) {
4055     unsigned VScaleMin;
4056     if (StringRef(A->getValue()).getAsInteger(10, VScaleMin) || VScaleMin == 0)
4057       Diags.Report(diag::err_cc1_unbounded_vscale_min);
4058   }
4059 
4060   if (const Arg *A = Args.getLastArg(OPT_frandomize_layout_seed_file_EQ)) {
4061     std::ifstream SeedFile(A->getValue(0));
4062 
4063     if (!SeedFile.is_open())
4064       Diags.Report(diag::err_drv_cannot_open_randomize_layout_seed_file)
4065           << A->getValue(0);
4066 
4067     std::getline(SeedFile, Opts.RandstructSeed);
4068   }
4069 
4070   if (const Arg *A = Args.getLastArg(OPT_frandomize_layout_seed_EQ))
4071     Opts.RandstructSeed = A->getValue(0);
4072 
4073   // Validate options for HLSL
4074   if (Opts.HLSL) {
4075     bool SupportedTarget = T.getArch() == llvm::Triple::dxil &&
4076                            T.getOS() == llvm::Triple::ShaderModel;
4077     if (!SupportedTarget)
4078       Diags.Report(diag::err_drv_hlsl_unsupported_target) << T.str();
4079   }
4080 
4081   return Diags.getNumErrors() == NumErrorsBefore;
4082 }
4083 
4084 static bool isStrictlyPreprocessorAction(frontend::ActionKind Action) {
4085   switch (Action) {
4086   case frontend::ASTDeclList:
4087   case frontend::ASTDump:
4088   case frontend::ASTPrint:
4089   case frontend::ASTView:
4090   case frontend::EmitAssembly:
4091   case frontend::EmitBC:
4092   case frontend::EmitHTML:
4093   case frontend::EmitLLVM:
4094   case frontend::EmitLLVMOnly:
4095   case frontend::EmitCodeGenOnly:
4096   case frontend::EmitObj:
4097   case frontend::ExtractAPI:
4098   case frontend::FixIt:
4099   case frontend::GenerateModule:
4100   case frontend::GenerateModuleInterface:
4101   case frontend::GenerateHeaderUnit:
4102   case frontend::GeneratePCH:
4103   case frontend::GenerateInterfaceStubs:
4104   case frontend::ParseSyntaxOnly:
4105   case frontend::ModuleFileInfo:
4106   case frontend::VerifyPCH:
4107   case frontend::PluginAction:
4108   case frontend::RewriteObjC:
4109   case frontend::RewriteTest:
4110   case frontend::RunAnalysis:
4111   case frontend::TemplightDump:
4112   case frontend::MigrateSource:
4113     return false;
4114 
4115   case frontend::DumpCompilerOptions:
4116   case frontend::DumpRawTokens:
4117   case frontend::DumpTokens:
4118   case frontend::InitOnly:
4119   case frontend::PrintPreamble:
4120   case frontend::PrintPreprocessedInput:
4121   case frontend::RewriteMacros:
4122   case frontend::RunPreprocessorOnly:
4123   case frontend::PrintDependencyDirectivesSourceMinimizerOutput:
4124     return true;
4125   }
4126   llvm_unreachable("invalid frontend action");
4127 }
4128 
4129 static void GeneratePreprocessorArgs(PreprocessorOptions &Opts,
4130                                      SmallVectorImpl<const char *> &Args,
4131                                      CompilerInvocation::StringAllocator SA,
4132                                      const LangOptions &LangOpts,
4133                                      const FrontendOptions &FrontendOpts,
4134                                      const CodeGenOptions &CodeGenOpts) {
4135   PreprocessorOptions *PreprocessorOpts = &Opts;
4136 
4137 #define PREPROCESSOR_OPTION_WITH_MARSHALLING(...)                              \
4138   GENERATE_OPTION_WITH_MARSHALLING(Args, SA, __VA_ARGS__)
4139 #include "clang/Driver/Options.inc"
4140 #undef PREPROCESSOR_OPTION_WITH_MARSHALLING
4141 
4142   if (Opts.PCHWithHdrStop && !Opts.PCHWithHdrStopCreate)
4143     GenerateArg(Args, OPT_pch_through_hdrstop_use, SA);
4144 
4145   for (const auto &D : Opts.DeserializedPCHDeclsToErrorOn)
4146     GenerateArg(Args, OPT_error_on_deserialized_pch_decl, D, SA);
4147 
4148   if (Opts.PrecompiledPreambleBytes != std::make_pair(0u, false))
4149     GenerateArg(Args, OPT_preamble_bytes_EQ,
4150                 Twine(Opts.PrecompiledPreambleBytes.first) + "," +
4151                     (Opts.PrecompiledPreambleBytes.second ? "1" : "0"),
4152                 SA);
4153 
4154   for (const auto &M : Opts.Macros) {
4155     // Don't generate __CET__ macro definitions. They are implied by the
4156     // -fcf-protection option that is generated elsewhere.
4157     if (M.first == "__CET__=1" && !M.second &&
4158         !CodeGenOpts.CFProtectionReturn && CodeGenOpts.CFProtectionBranch)
4159       continue;
4160     if (M.first == "__CET__=2" && !M.second && CodeGenOpts.CFProtectionReturn &&
4161         !CodeGenOpts.CFProtectionBranch)
4162       continue;
4163     if (M.first == "__CET__=3" && !M.second && CodeGenOpts.CFProtectionReturn &&
4164         CodeGenOpts.CFProtectionBranch)
4165       continue;
4166 
4167     GenerateArg(Args, M.second ? OPT_U : OPT_D, M.first, SA);
4168   }
4169 
4170   for (const auto &I : Opts.Includes) {
4171     // Don't generate OpenCL includes. They are implied by other flags that are
4172     // generated elsewhere.
4173     if (LangOpts.OpenCL && LangOpts.IncludeDefaultHeader &&
4174         ((LangOpts.DeclareOpenCLBuiltins && I == "opencl-c-base.h") ||
4175          I == "opencl-c.h"))
4176       continue;
4177     // Don't generate HLSL includes. They are implied by other flags that are
4178     // generated elsewhere.
4179     if (LangOpts.HLSL && I == "hlsl.h")
4180       continue;
4181 
4182     GenerateArg(Args, OPT_include, I, SA);
4183   }
4184 
4185   for (const auto &CI : Opts.ChainedIncludes)
4186     GenerateArg(Args, OPT_chain_include, CI, SA);
4187 
4188   for (const auto &RF : Opts.RemappedFiles)
4189     GenerateArg(Args, OPT_remap_file, RF.first + ";" + RF.second, SA);
4190 
4191   if (Opts.SourceDateEpoch)
4192     GenerateArg(Args, OPT_source_date_epoch, Twine(*Opts.SourceDateEpoch), SA);
4193 
4194   // Don't handle LexEditorPlaceholders. It is implied by the action that is
4195   // generated elsewhere.
4196 }
4197 
4198 static bool ParsePreprocessorArgs(PreprocessorOptions &Opts, ArgList &Args,
4199                                   DiagnosticsEngine &Diags,
4200                                   frontend::ActionKind Action,
4201                                   const FrontendOptions &FrontendOpts) {
4202   unsigned NumErrorsBefore = Diags.getNumErrors();
4203 
4204   PreprocessorOptions *PreprocessorOpts = &Opts;
4205 
4206 #define PREPROCESSOR_OPTION_WITH_MARSHALLING(...)                              \
4207   PARSE_OPTION_WITH_MARSHALLING(Args, Diags, __VA_ARGS__)
4208 #include "clang/Driver/Options.inc"
4209 #undef PREPROCESSOR_OPTION_WITH_MARSHALLING
4210 
4211   Opts.PCHWithHdrStop = Args.hasArg(OPT_pch_through_hdrstop_create) ||
4212                         Args.hasArg(OPT_pch_through_hdrstop_use);
4213 
4214   for (const auto *A : Args.filtered(OPT_error_on_deserialized_pch_decl))
4215     Opts.DeserializedPCHDeclsToErrorOn.insert(A->getValue());
4216 
4217   if (const Arg *A = Args.getLastArg(OPT_preamble_bytes_EQ)) {
4218     StringRef Value(A->getValue());
4219     size_t Comma = Value.find(',');
4220     unsigned Bytes = 0;
4221     unsigned EndOfLine = 0;
4222 
4223     if (Comma == StringRef::npos ||
4224         Value.substr(0, Comma).getAsInteger(10, Bytes) ||
4225         Value.substr(Comma + 1).getAsInteger(10, EndOfLine))
4226       Diags.Report(diag::err_drv_preamble_format);
4227     else {
4228       Opts.PrecompiledPreambleBytes.first = Bytes;
4229       Opts.PrecompiledPreambleBytes.second = (EndOfLine != 0);
4230     }
4231   }
4232 
4233   // Add the __CET__ macro if a CFProtection option is set.
4234   if (const Arg *A = Args.getLastArg(OPT_fcf_protection_EQ)) {
4235     StringRef Name = A->getValue();
4236     if (Name == "branch")
4237       Opts.addMacroDef("__CET__=1");
4238     else if (Name == "return")
4239       Opts.addMacroDef("__CET__=2");
4240     else if (Name == "full")
4241       Opts.addMacroDef("__CET__=3");
4242   }
4243 
4244   // Add macros from the command line.
4245   for (const auto *A : Args.filtered(OPT_D, OPT_U)) {
4246     if (A->getOption().matches(OPT_D))
4247       Opts.addMacroDef(A->getValue());
4248     else
4249       Opts.addMacroUndef(A->getValue());
4250   }
4251 
4252   // Add the ordered list of -includes.
4253   for (const auto *A : Args.filtered(OPT_include))
4254     Opts.Includes.emplace_back(A->getValue());
4255 
4256   for (const auto *A : Args.filtered(OPT_chain_include))
4257     Opts.ChainedIncludes.emplace_back(A->getValue());
4258 
4259   for (const auto *A : Args.filtered(OPT_remap_file)) {
4260     std::pair<StringRef, StringRef> Split = StringRef(A->getValue()).split(';');
4261 
4262     if (Split.second.empty()) {
4263       Diags.Report(diag::err_drv_invalid_remap_file) << A->getAsString(Args);
4264       continue;
4265     }
4266 
4267     Opts.addRemappedFile(Split.first, Split.second);
4268   }
4269 
4270   if (const Arg *A = Args.getLastArg(OPT_source_date_epoch)) {
4271     StringRef Epoch = A->getValue();
4272     // SOURCE_DATE_EPOCH, if specified, must be a non-negative decimal integer.
4273     // On time64 systems, pick 253402300799 (the UNIX timestamp of
4274     // 9999-12-31T23:59:59Z) as the upper bound.
4275     const uint64_t MaxTimestamp =
4276         std::min<uint64_t>(std::numeric_limits<time_t>::max(), 253402300799);
4277     uint64_t V;
4278     if (Epoch.getAsInteger(10, V) || V > MaxTimestamp) {
4279       Diags.Report(diag::err_fe_invalid_source_date_epoch)
4280           << Epoch << MaxTimestamp;
4281     } else {
4282       Opts.SourceDateEpoch = V;
4283     }
4284   }
4285 
4286   // Always avoid lexing editor placeholders when we're just running the
4287   // preprocessor as we never want to emit the
4288   // "editor placeholder in source file" error in PP only mode.
4289   if (isStrictlyPreprocessorAction(Action))
4290     Opts.LexEditorPlaceholders = false;
4291 
4292   return Diags.getNumErrors() == NumErrorsBefore;
4293 }
4294 
4295 static void GeneratePreprocessorOutputArgs(
4296     const PreprocessorOutputOptions &Opts, SmallVectorImpl<const char *> &Args,
4297     CompilerInvocation::StringAllocator SA, frontend::ActionKind Action) {
4298   const PreprocessorOutputOptions &PreprocessorOutputOpts = Opts;
4299 
4300 #define PREPROCESSOR_OUTPUT_OPTION_WITH_MARSHALLING(...)                       \
4301   GENERATE_OPTION_WITH_MARSHALLING(Args, SA, __VA_ARGS__)
4302 #include "clang/Driver/Options.inc"
4303 #undef PREPROCESSOR_OUTPUT_OPTION_WITH_MARSHALLING
4304 
4305   bool Generate_dM = isStrictlyPreprocessorAction(Action) && !Opts.ShowCPP;
4306   if (Generate_dM)
4307     GenerateArg(Args, OPT_dM, SA);
4308   if (!Generate_dM && Opts.ShowMacros)
4309     GenerateArg(Args, OPT_dD, SA);
4310   if (Opts.DirectivesOnly)
4311     GenerateArg(Args, OPT_fdirectives_only, SA);
4312 }
4313 
4314 static bool ParsePreprocessorOutputArgs(PreprocessorOutputOptions &Opts,
4315                                         ArgList &Args, DiagnosticsEngine &Diags,
4316                                         frontend::ActionKind Action) {
4317   unsigned NumErrorsBefore = Diags.getNumErrors();
4318 
4319   PreprocessorOutputOptions &PreprocessorOutputOpts = Opts;
4320 
4321 #define PREPROCESSOR_OUTPUT_OPTION_WITH_MARSHALLING(...)                       \
4322   PARSE_OPTION_WITH_MARSHALLING(Args, Diags, __VA_ARGS__)
4323 #include "clang/Driver/Options.inc"
4324 #undef PREPROCESSOR_OUTPUT_OPTION_WITH_MARSHALLING
4325 
4326   Opts.ShowCPP = isStrictlyPreprocessorAction(Action) && !Args.hasArg(OPT_dM);
4327   Opts.ShowMacros = Args.hasArg(OPT_dM) || Args.hasArg(OPT_dD);
4328   Opts.DirectivesOnly = Args.hasArg(OPT_fdirectives_only);
4329 
4330   return Diags.getNumErrors() == NumErrorsBefore;
4331 }
4332 
4333 static void GenerateTargetArgs(const TargetOptions &Opts,
4334                                SmallVectorImpl<const char *> &Args,
4335                                CompilerInvocation::StringAllocator SA) {
4336   const TargetOptions *TargetOpts = &Opts;
4337 #define TARGET_OPTION_WITH_MARSHALLING(...)                                    \
4338   GENERATE_OPTION_WITH_MARSHALLING(Args, SA, __VA_ARGS__)
4339 #include "clang/Driver/Options.inc"
4340 #undef TARGET_OPTION_WITH_MARSHALLING
4341 
4342   if (!Opts.SDKVersion.empty())
4343     GenerateArg(Args, OPT_target_sdk_version_EQ, Opts.SDKVersion.getAsString(),
4344                 SA);
4345   if (!Opts.DarwinTargetVariantSDKVersion.empty())
4346     GenerateArg(Args, OPT_darwin_target_variant_sdk_version_EQ,
4347                 Opts.DarwinTargetVariantSDKVersion.getAsString(), SA);
4348 }
4349 
4350 static bool ParseTargetArgs(TargetOptions &Opts, ArgList &Args,
4351                             DiagnosticsEngine &Diags) {
4352   unsigned NumErrorsBefore = Diags.getNumErrors();
4353 
4354   TargetOptions *TargetOpts = &Opts;
4355 
4356 #define TARGET_OPTION_WITH_MARSHALLING(...)                                    \
4357   PARSE_OPTION_WITH_MARSHALLING(Args, Diags, __VA_ARGS__)
4358 #include "clang/Driver/Options.inc"
4359 #undef TARGET_OPTION_WITH_MARSHALLING
4360 
4361   if (Arg *A = Args.getLastArg(options::OPT_target_sdk_version_EQ)) {
4362     llvm::VersionTuple Version;
4363     if (Version.tryParse(A->getValue()))
4364       Diags.Report(diag::err_drv_invalid_value)
4365           << A->getAsString(Args) << A->getValue();
4366     else
4367       Opts.SDKVersion = Version;
4368   }
4369   if (Arg *A =
4370           Args.getLastArg(options::OPT_darwin_target_variant_sdk_version_EQ)) {
4371     llvm::VersionTuple Version;
4372     if (Version.tryParse(A->getValue()))
4373       Diags.Report(diag::err_drv_invalid_value)
4374           << A->getAsString(Args) << A->getValue();
4375     else
4376       Opts.DarwinTargetVariantSDKVersion = Version;
4377   }
4378 
4379   return Diags.getNumErrors() == NumErrorsBefore;
4380 }
4381 
4382 bool CompilerInvocation::CreateFromArgsImpl(
4383     CompilerInvocation &Res, ArrayRef<const char *> CommandLineArgs,
4384     DiagnosticsEngine &Diags, const char *Argv0) {
4385   unsigned NumErrorsBefore = Diags.getNumErrors();
4386 
4387   // Parse the arguments.
4388   const OptTable &Opts = getDriverOptTable();
4389   const unsigned IncludedFlagsBitmask = options::CC1Option;
4390   unsigned MissingArgIndex, MissingArgCount;
4391   InputArgList Args = Opts.ParseArgs(CommandLineArgs, MissingArgIndex,
4392                                      MissingArgCount, IncludedFlagsBitmask);
4393   LangOptions &LangOpts = *Res.getLangOpts();
4394 
4395   // Check for missing argument error.
4396   if (MissingArgCount)
4397     Diags.Report(diag::err_drv_missing_argument)
4398         << Args.getArgString(MissingArgIndex) << MissingArgCount;
4399 
4400   // Issue errors on unknown arguments.
4401   for (const auto *A : Args.filtered(OPT_UNKNOWN)) {
4402     auto ArgString = A->getAsString(Args);
4403     std::string Nearest;
4404     if (Opts.findNearest(ArgString, Nearest, IncludedFlagsBitmask) > 1)
4405       Diags.Report(diag::err_drv_unknown_argument) << ArgString;
4406     else
4407       Diags.Report(diag::err_drv_unknown_argument_with_suggestion)
4408           << ArgString << Nearest;
4409   }
4410 
4411   ParseFileSystemArgs(Res.getFileSystemOpts(), Args, Diags);
4412   ParseMigratorArgs(Res.getMigratorOpts(), Args, Diags);
4413   ParseAnalyzerArgs(*Res.getAnalyzerOpts(), Args, Diags);
4414   ParseDiagnosticArgs(Res.getDiagnosticOpts(), Args, &Diags,
4415                       /*DefaultDiagColor=*/false);
4416   ParseFrontendArgs(Res.getFrontendOpts(), Args, Diags, LangOpts.IsHeaderFile);
4417   // FIXME: We shouldn't have to pass the DashX option around here
4418   InputKind DashX = Res.getFrontendOpts().DashX;
4419   ParseTargetArgs(Res.getTargetOpts(), Args, Diags);
4420   llvm::Triple T(Res.getTargetOpts().Triple);
4421   ParseHeaderSearchArgs(Res.getHeaderSearchOpts(), Args, Diags,
4422                         Res.getFileSystemOpts().WorkingDir);
4423 
4424   ParseLangArgs(LangOpts, Args, DashX, T, Res.getPreprocessorOpts().Includes,
4425                 Diags);
4426   if (Res.getFrontendOpts().ProgramAction == frontend::RewriteObjC)
4427     LangOpts.ObjCExceptions = 1;
4428 
4429   for (auto Warning : Res.getDiagnosticOpts().Warnings) {
4430     if (Warning == "misexpect" &&
4431         !Diags.isIgnored(diag::warn_profile_data_misexpect, SourceLocation())) {
4432       Res.getCodeGenOpts().MisExpect = true;
4433     }
4434   }
4435 
4436   if (LangOpts.CUDA) {
4437     // During CUDA device-side compilation, the aux triple is the
4438     // triple used for host compilation.
4439     if (LangOpts.CUDAIsDevice)
4440       Res.getTargetOpts().HostTriple = Res.getFrontendOpts().AuxTriple;
4441   }
4442 
4443   // Set the triple of the host for OpenMP device compile.
4444   if (LangOpts.OpenMPIsDevice)
4445     Res.getTargetOpts().HostTriple = Res.getFrontendOpts().AuxTriple;
4446 
4447   ParseCodeGenArgs(Res.getCodeGenOpts(), Args, DashX, Diags, T,
4448                    Res.getFrontendOpts().OutputFile, LangOpts);
4449 
4450   // FIXME: Override value name discarding when asan or msan is used because the
4451   // backend passes depend on the name of the alloca in order to print out
4452   // names.
4453   Res.getCodeGenOpts().DiscardValueNames &=
4454       !LangOpts.Sanitize.has(SanitizerKind::Address) &&
4455       !LangOpts.Sanitize.has(SanitizerKind::KernelAddress) &&
4456       !LangOpts.Sanitize.has(SanitizerKind::Memory) &&
4457       !LangOpts.Sanitize.has(SanitizerKind::KernelMemory);
4458 
4459   ParsePreprocessorArgs(Res.getPreprocessorOpts(), Args, Diags,
4460                         Res.getFrontendOpts().ProgramAction,
4461                         Res.getFrontendOpts());
4462   ParsePreprocessorOutputArgs(Res.getPreprocessorOutputOpts(), Args, Diags,
4463                               Res.getFrontendOpts().ProgramAction);
4464 
4465   ParseDependencyOutputArgs(Res.getDependencyOutputOpts(), Args, Diags,
4466                             Res.getFrontendOpts().ProgramAction,
4467                             Res.getPreprocessorOutputOpts().ShowLineMarkers);
4468   if (!Res.getDependencyOutputOpts().OutputFile.empty() &&
4469       Res.getDependencyOutputOpts().Targets.empty())
4470     Diags.Report(diag::err_fe_dependency_file_requires_MT);
4471 
4472   // If sanitizer is enabled, disable OPT_ffine_grained_bitfield_accesses.
4473   if (Res.getCodeGenOpts().FineGrainedBitfieldAccesses &&
4474       !Res.getLangOpts()->Sanitize.empty()) {
4475     Res.getCodeGenOpts().FineGrainedBitfieldAccesses = false;
4476     Diags.Report(diag::warn_drv_fine_grained_bitfield_accesses_ignored);
4477   }
4478 
4479   // Store the command-line for using in the CodeView backend.
4480   if (Res.getCodeGenOpts().CodeViewCommandLine) {
4481     Res.getCodeGenOpts().Argv0 = Argv0;
4482     append_range(Res.getCodeGenOpts().CommandLineArgs, CommandLineArgs);
4483   }
4484 
4485   // Set PGOOptions. Need to create a temporary VFS to read the profile
4486   // to determine the PGO type.
4487   if (!Res.getCodeGenOpts().ProfileInstrumentUsePath.empty()) {
4488     auto FS =
4489         createVFSFromOverlayFiles(Res.getHeaderSearchOpts().VFSOverlayFiles,
4490                                   Diags, llvm::vfs::getRealFileSystem());
4491     setPGOUseInstrumentor(Res.getCodeGenOpts(),
4492                           Res.getCodeGenOpts().ProfileInstrumentUsePath, *FS,
4493                           Diags);
4494   }
4495 
4496   FixupInvocation(Res, Diags, Args, DashX);
4497 
4498   return Diags.getNumErrors() == NumErrorsBefore;
4499 }
4500 
4501 bool CompilerInvocation::CreateFromArgs(CompilerInvocation &Invocation,
4502                                         ArrayRef<const char *> CommandLineArgs,
4503                                         DiagnosticsEngine &Diags,
4504                                         const char *Argv0) {
4505   CompilerInvocation DummyInvocation;
4506 
4507   return RoundTrip(
4508       [](CompilerInvocation &Invocation, ArrayRef<const char *> CommandLineArgs,
4509          DiagnosticsEngine &Diags, const char *Argv0) {
4510         return CreateFromArgsImpl(Invocation, CommandLineArgs, Diags, Argv0);
4511       },
4512       [](CompilerInvocation &Invocation, SmallVectorImpl<const char *> &Args,
4513          StringAllocator SA) {
4514         Args.push_back("-cc1");
4515         Invocation.generateCC1CommandLine(Args, SA);
4516       },
4517       Invocation, DummyInvocation, CommandLineArgs, Diags, Argv0);
4518 }
4519 
4520 std::string CompilerInvocation::getModuleHash() const {
4521   // FIXME: Consider using SHA1 instead of MD5.
4522   llvm::HashBuilder<llvm::MD5, llvm::support::endianness::native> HBuilder;
4523 
4524   // Note: For QoI reasons, the things we use as a hash here should all be
4525   // dumped via the -module-info flag.
4526 
4527   // Start the signature with the compiler version.
4528   HBuilder.add(getClangFullRepositoryVersion());
4529 
4530   // Also include the serialization version, in case LLVM_APPEND_VC_REV is off
4531   // and getClangFullRepositoryVersion() doesn't include git revision.
4532   HBuilder.add(serialization::VERSION_MAJOR, serialization::VERSION_MINOR);
4533 
4534   // Extend the signature with the language options
4535 #define LANGOPT(Name, Bits, Default, Description) HBuilder.add(LangOpts->Name);
4536 #define ENUM_LANGOPT(Name, Type, Bits, Default, Description)                   \
4537   HBuilder.add(static_cast<unsigned>(LangOpts->get##Name()));
4538 #define BENIGN_LANGOPT(Name, Bits, Default, Description)
4539 #define BENIGN_ENUM_LANGOPT(Name, Type, Bits, Default, Description)
4540 #include "clang/Basic/LangOptions.def"
4541 
4542   HBuilder.addRange(LangOpts->ModuleFeatures);
4543 
4544   HBuilder.add(LangOpts->ObjCRuntime);
4545   HBuilder.addRange(LangOpts->CommentOpts.BlockCommandNames);
4546 
4547   // Extend the signature with the target options.
4548   HBuilder.add(TargetOpts->Triple, TargetOpts->CPU, TargetOpts->TuneCPU,
4549                TargetOpts->ABI);
4550   HBuilder.addRange(TargetOpts->FeaturesAsWritten);
4551 
4552   // Extend the signature with preprocessor options.
4553   const PreprocessorOptions &ppOpts = getPreprocessorOpts();
4554   HBuilder.add(ppOpts.UsePredefines, ppOpts.DetailedRecord);
4555 
4556   const HeaderSearchOptions &hsOpts = getHeaderSearchOpts();
4557   for (const auto &Macro : getPreprocessorOpts().Macros) {
4558     // If we're supposed to ignore this macro for the purposes of modules,
4559     // don't put it into the hash.
4560     if (!hsOpts.ModulesIgnoreMacros.empty()) {
4561       // Check whether we're ignoring this macro.
4562       StringRef MacroDef = Macro.first;
4563       if (hsOpts.ModulesIgnoreMacros.count(
4564               llvm::CachedHashString(MacroDef.split('=').first)))
4565         continue;
4566     }
4567 
4568     HBuilder.add(Macro);
4569   }
4570 
4571   // Extend the signature with the sysroot and other header search options.
4572   HBuilder.add(hsOpts.Sysroot, hsOpts.ModuleFormat, hsOpts.UseDebugInfo,
4573                hsOpts.UseBuiltinIncludes, hsOpts.UseStandardSystemIncludes,
4574                hsOpts.UseStandardCXXIncludes, hsOpts.UseLibcxx,
4575                hsOpts.ModulesValidateDiagnosticOptions);
4576   HBuilder.add(hsOpts.ResourceDir);
4577 
4578   if (hsOpts.ModulesStrictContextHash) {
4579     HBuilder.addRange(hsOpts.SystemHeaderPrefixes);
4580     HBuilder.addRange(hsOpts.UserEntries);
4581 
4582     const DiagnosticOptions &diagOpts = getDiagnosticOpts();
4583 #define DIAGOPT(Name, Bits, Default) HBuilder.add(diagOpts.Name);
4584 #define ENUM_DIAGOPT(Name, Type, Bits, Default)                                \
4585   HBuilder.add(diagOpts.get##Name());
4586 #include "clang/Basic/DiagnosticOptions.def"
4587 #undef DIAGOPT
4588 #undef ENUM_DIAGOPT
4589   }
4590 
4591   // Extend the signature with the user build path.
4592   HBuilder.add(hsOpts.ModuleUserBuildPath);
4593 
4594   // Extend the signature with the module file extensions.
4595   for (const auto &ext : getFrontendOpts().ModuleFileExtensions)
4596     ext->hashExtension(HBuilder);
4597 
4598   // When compiling with -gmodules, also hash -fdebug-prefix-map as it
4599   // affects the debug info in the PCM.
4600   if (getCodeGenOpts().DebugTypeExtRefs)
4601     HBuilder.addRange(getCodeGenOpts().DebugPrefixMap);
4602 
4603   // Extend the signature with the enabled sanitizers, if at least one is
4604   // enabled. Sanitizers which cannot affect AST generation aren't hashed.
4605   SanitizerSet SanHash = LangOpts->Sanitize;
4606   SanHash.clear(getPPTransparentSanitizers());
4607   if (!SanHash.empty())
4608     HBuilder.add(SanHash.Mask);
4609 
4610   llvm::MD5::MD5Result Result;
4611   HBuilder.getHasher().final(Result);
4612   uint64_t Hash = Result.high() ^ Result.low();
4613   return toString(llvm::APInt(64, Hash), 36, /*Signed=*/false);
4614 }
4615 
4616 void CompilerInvocation::generateCC1CommandLine(
4617     SmallVectorImpl<const char *> &Args, StringAllocator SA) const {
4618   llvm::Triple T(TargetOpts->Triple);
4619 
4620   GenerateFileSystemArgs(FileSystemOpts, Args, SA);
4621   GenerateMigratorArgs(MigratorOpts, Args, SA);
4622   GenerateAnalyzerArgs(*AnalyzerOpts, Args, SA);
4623   GenerateDiagnosticArgs(*DiagnosticOpts, Args, SA, false);
4624   GenerateFrontendArgs(FrontendOpts, Args, SA, LangOpts->IsHeaderFile);
4625   GenerateTargetArgs(*TargetOpts, Args, SA);
4626   GenerateHeaderSearchArgs(*HeaderSearchOpts, Args, SA);
4627   GenerateLangArgs(*LangOpts, Args, SA, T, FrontendOpts.DashX);
4628   GenerateCodeGenArgs(CodeGenOpts, Args, SA, T, FrontendOpts.OutputFile,
4629                       &*LangOpts);
4630   GeneratePreprocessorArgs(*PreprocessorOpts, Args, SA, *LangOpts, FrontendOpts,
4631                            CodeGenOpts);
4632   GeneratePreprocessorOutputArgs(PreprocessorOutputOpts, Args, SA,
4633                                  FrontendOpts.ProgramAction);
4634   GenerateDependencyOutputArgs(DependencyOutputOpts, Args, SA);
4635 }
4636 
4637 std::vector<std::string> CompilerInvocation::getCC1CommandLine() const {
4638   // Set up string allocator.
4639   llvm::BumpPtrAllocator Alloc;
4640   llvm::StringSaver Strings(Alloc);
4641   auto SA = [&Strings](const Twine &Arg) { return Strings.save(Arg).data(); };
4642 
4643   // Synthesize full command line from the CompilerInvocation, including "-cc1".
4644   SmallVector<const char *, 32> Args{"-cc1"};
4645   generateCC1CommandLine(Args, SA);
4646 
4647   // Convert arguments to the return type.
4648   return std::vector<std::string>{Args.begin(), Args.end()};
4649 }
4650 
4651 void CompilerInvocation::resetNonModularOptions() {
4652   getLangOpts()->resetNonModularOptions();
4653   getPreprocessorOpts().resetNonModularOptions();
4654 }
4655 
4656 void CompilerInvocation::clearImplicitModuleBuildOptions() {
4657   getLangOpts()->ImplicitModules = false;
4658   getHeaderSearchOpts().ImplicitModuleMaps = false;
4659   getHeaderSearchOpts().ModuleCachePath.clear();
4660   getHeaderSearchOpts().ModulesValidateOncePerBuildSession = false;
4661   getHeaderSearchOpts().BuildSessionTimestamp = 0;
4662   // The specific values we canonicalize to for pruning don't affect behaviour,
4663   /// so use the default values so they may be dropped from the command-line.
4664   getHeaderSearchOpts().ModuleCachePruneInterval = 7 * 24 * 60 * 60;
4665   getHeaderSearchOpts().ModuleCachePruneAfter = 31 * 24 * 60 * 60;
4666 }
4667 
4668 IntrusiveRefCntPtr<llvm::vfs::FileSystem>
4669 clang::createVFSFromCompilerInvocation(const CompilerInvocation &CI,
4670                                        DiagnosticsEngine &Diags) {
4671   return createVFSFromCompilerInvocation(CI, Diags,
4672                                          llvm::vfs::getRealFileSystem());
4673 }
4674 
4675 IntrusiveRefCntPtr<llvm::vfs::FileSystem>
4676 clang::createVFSFromCompilerInvocation(
4677     const CompilerInvocation &CI, DiagnosticsEngine &Diags,
4678     IntrusiveRefCntPtr<llvm::vfs::FileSystem> BaseFS) {
4679   return createVFSFromOverlayFiles(CI.getHeaderSearchOpts().VFSOverlayFiles,
4680                                    Diags, std::move(BaseFS));
4681 }
4682 
4683 IntrusiveRefCntPtr<llvm::vfs::FileSystem> clang::createVFSFromOverlayFiles(
4684     ArrayRef<std::string> VFSOverlayFiles, DiagnosticsEngine &Diags,
4685     IntrusiveRefCntPtr<llvm::vfs::FileSystem> BaseFS) {
4686   if (VFSOverlayFiles.empty())
4687     return BaseFS;
4688 
4689   IntrusiveRefCntPtr<llvm::vfs::FileSystem> Result = BaseFS;
4690   // earlier vfs files are on the bottom
4691   for (const auto &File : VFSOverlayFiles) {
4692     llvm::ErrorOr<std::unique_ptr<llvm::MemoryBuffer>> Buffer =
4693         Result->getBufferForFile(File);
4694     if (!Buffer) {
4695       Diags.Report(diag::err_missing_vfs_overlay_file) << File;
4696       continue;
4697     }
4698 
4699     IntrusiveRefCntPtr<llvm::vfs::FileSystem> FS = llvm::vfs::getVFSFromYAML(
4700         std::move(Buffer.get()), /*DiagHandler*/ nullptr, File,
4701         /*DiagContext*/ nullptr, Result);
4702     if (!FS) {
4703       Diags.Report(diag::err_invalid_vfs_overlay) << File;
4704       continue;
4705     }
4706 
4707     Result = FS;
4708   }
4709   return Result;
4710 }
4711