1//===-- Clang.cpp - Clang+LLVM ToolChain Implementations --------*- C++ -*-===//
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.h"
10#include "AMDGPU.h"
11#include "Arch/AArch64.h"
12#include "Arch/ARM.h"
13#include "Arch/CSKY.h"
14#include "Arch/LoongArch.h"
15#include "Arch/M68k.h"
16#include "Arch/Mips.h"
17#include "Arch/PPC.h"
18#include "Arch/RISCV.h"
19#include "Arch/Sparc.h"
20#include "Arch/SystemZ.h"
21#include "Arch/VE.h"
22#include "Arch/X86.h"
23#include "CommonArgs.h"
24#include "Hexagon.h"
25#include "MSP430.h"
26#include "PS4CPU.h"
27#include "clang/Basic/CLWarnings.h"
28#include "clang/Basic/CharInfo.h"
29#include "clang/Basic/CodeGenOptions.h"
30#include "clang/Basic/HeaderInclude.h"
31#include "clang/Basic/LangOptions.h"
32#include "clang/Basic/MakeSupport.h"
33#include "clang/Basic/ObjCRuntime.h"
34#include "clang/Basic/Version.h"
35#include "clang/Config/config.h"
36#include "clang/Driver/Action.h"
37#include "clang/Driver/Distro.h"
38#include "clang/Driver/DriverDiagnostic.h"
39#include "clang/Driver/InputInfo.h"
40#include "clang/Driver/Options.h"
41#include "clang/Driver/SanitizerArgs.h"
42#include "clang/Driver/Types.h"
43#include "clang/Driver/XRayArgs.h"
44#include "llvm/ADT/SmallSet.h"
45#include "llvm/ADT/StringExtras.h"
46#include "llvm/BinaryFormat/Magic.h"
47#include "llvm/Config/llvm-config.h"
48#include "llvm/Frontend/Debug/Options.h"
49#include "llvm/Object/ObjectFile.h"
50#include "llvm/Option/ArgList.h"
51#include "llvm/Support/CodeGen.h"
52#include "llvm/Support/Compiler.h"
53#include "llvm/Support/Compression.h"
54#include "llvm/Support/Error.h"
55#include "llvm/Support/FileSystem.h"
56#include "llvm/Support/Path.h"
57#include "llvm/Support/Process.h"
58#include "llvm/Support/YAMLParser.h"
59#include "llvm/TargetParser/AArch64TargetParser.h"
60#include "llvm/TargetParser/ARMTargetParserCommon.h"
61#include "llvm/TargetParser/Host.h"
62#include "llvm/TargetParser/LoongArchTargetParser.h"
63#include "llvm/TargetParser/RISCVISAInfo.h"
64#include "llvm/TargetParser/RISCVTargetParser.h"
65#include <cctype>
66
67using namespace clang::driver;
68using namespace clang::driver::tools;
69using namespace clang;
70using namespace llvm::opt;
71
72static void CheckPreprocessingOptions(const Driver &D, const ArgList &Args) {
73 if (Arg *A = Args.getLastArg(Ids: clang::driver::options::OPT_C, Ids: options::OPT_CC,
74 Ids: options::OPT_fminimize_whitespace,
75 Ids: options::OPT_fno_minimize_whitespace,
76 Ids: options::OPT_fkeep_system_includes,
77 Ids: options::OPT_fno_keep_system_includes)) {
78 if (!Args.hasArg(Ids: options::OPT_E) && !Args.hasArg(Ids: options::OPT__SLASH_P) &&
79 !Args.hasArg(Ids: options::OPT__SLASH_EP) && !D.CCCIsCPP()) {
80 D.Diag(DiagID: clang::diag::err_drv_argument_only_allowed_with)
81 << A->getBaseArg().getAsString(Args)
82 << (D.IsCLMode() ? "/E, /P or /EP" : "-E");
83 }
84 }
85}
86
87static void CheckCodeGenerationOptions(const Driver &D, const ArgList &Args) {
88 // In gcc, only ARM checks this, but it seems reasonable to check universally.
89 if (Args.hasArg(Ids: options::OPT_static))
90 if (const Arg *A =
91 Args.getLastArg(Ids: options::OPT_dynamic, Ids: options::OPT_mdynamic_no_pic))
92 D.Diag(DiagID: diag::err_drv_argument_not_allowed_with) << A->getAsString(Args)
93 << "-static";
94}
95
96// Add backslashes to escape spaces and other backslashes.
97// This is used for the space-separated argument list specified with
98// the -dwarf-debug-flags option.
99static void EscapeSpacesAndBackslashes(const char *Arg,
100 SmallVectorImpl<char> &Res) {
101 for (; *Arg; ++Arg) {
102 switch (*Arg) {
103 default:
104 break;
105 case ' ':
106 case '\\':
107 Res.push_back(Elt: '\\');
108 break;
109 }
110 Res.push_back(Elt: *Arg);
111 }
112}
113
114/// Apply \a Work on the current tool chain \a RegularToolChain and any other
115/// offloading tool chain that is associated with the current action \a JA.
116static void
117forAllAssociatedToolChains(Compilation &C, const JobAction &JA,
118 const ToolChain &RegularToolChain,
119 llvm::function_ref<void(const ToolChain &)> Work) {
120 // Apply Work on the current/regular tool chain.
121 Work(RegularToolChain);
122
123 // Apply Work on all the offloading tool chains associated with the current
124 // action.
125 if (JA.isHostOffloading(OKind: Action::OFK_Cuda))
126 Work(*C.getSingleOffloadToolChain<Action::OFK_Cuda>());
127 else if (JA.isDeviceOffloading(OKind: Action::OFK_Cuda))
128 Work(*C.getSingleOffloadToolChain<Action::OFK_Host>());
129 else if (JA.isHostOffloading(OKind: Action::OFK_HIP))
130 Work(*C.getSingleOffloadToolChain<Action::OFK_HIP>());
131 else if (JA.isDeviceOffloading(OKind: Action::OFK_HIP))
132 Work(*C.getSingleOffloadToolChain<Action::OFK_Host>());
133
134 if (JA.isHostOffloading(OKind: Action::OFK_OpenMP)) {
135 auto TCs = C.getOffloadToolChains<Action::OFK_OpenMP>();
136 for (auto II = TCs.first, IE = TCs.second; II != IE; ++II)
137 Work(*II->second);
138 } else if (JA.isDeviceOffloading(OKind: Action::OFK_OpenMP))
139 Work(*C.getSingleOffloadToolChain<Action::OFK_Host>());
140
141 //
142 // TODO: Add support for other offloading programming models here.
143 //
144}
145
146/// This is a helper function for validating the optional refinement step
147/// parameter in reciprocal argument strings. Return false if there is an error
148/// parsing the refinement step. Otherwise, return true and set the Position
149/// of the refinement step in the input string.
150static bool getRefinementStep(StringRef In, const Driver &D,
151 const Arg &A, size_t &Position) {
152 const char RefinementStepToken = ':';
153 Position = In.find(C: RefinementStepToken);
154 if (Position != StringRef::npos) {
155 StringRef Option = A.getOption().getName();
156 StringRef RefStep = In.substr(Start: Position + 1);
157 // Allow exactly one numeric character for the additional refinement
158 // step parameter. This is reasonable for all currently-supported
159 // operations and architectures because we would expect that a larger value
160 // of refinement steps would cause the estimate "optimization" to
161 // under-perform the native operation. Also, if the estimate does not
162 // converge quickly, it probably will not ever converge, so further
163 // refinement steps will not produce a better answer.
164 if (RefStep.size() != 1) {
165 D.Diag(DiagID: diag::err_drv_invalid_value) << Option << RefStep;
166 return false;
167 }
168 char RefStepChar = RefStep[0];
169 if (RefStepChar < '0' || RefStepChar > '9') {
170 D.Diag(DiagID: diag::err_drv_invalid_value) << Option << RefStep;
171 return false;
172 }
173 }
174 return true;
175}
176
177/// The -mrecip flag requires processing of many optional parameters.
178static void ParseMRecip(const Driver &D, const ArgList &Args,
179 ArgStringList &OutStrings) {
180 StringRef DisabledPrefixIn = "!";
181 StringRef DisabledPrefixOut = "!";
182 StringRef EnabledPrefixOut = "";
183 StringRef Out = "-mrecip=";
184
185 Arg *A = Args.getLastArg(Ids: options::OPT_mrecip, Ids: options::OPT_mrecip_EQ);
186 if (!A)
187 return;
188
189 unsigned NumOptions = A->getNumValues();
190 if (NumOptions == 0) {
191 // No option is the same as "all".
192 OutStrings.push_back(Elt: Args.MakeArgString(Str: Out + "all"));
193 return;
194 }
195
196 // Pass through "all", "none", or "default" with an optional refinement step.
197 if (NumOptions == 1) {
198 StringRef Val = A->getValue(N: 0);
199 size_t RefStepLoc;
200 if (!getRefinementStep(In: Val, D, A: *A, Position&: RefStepLoc))
201 return;
202 StringRef ValBase = Val.slice(Start: 0, End: RefStepLoc);
203 if (ValBase == "all" || ValBase == "none" || ValBase == "default") {
204 OutStrings.push_back(Elt: Args.MakeArgString(Str: Out + Val));
205 return;
206 }
207 }
208
209 // Each reciprocal type may be enabled or disabled individually.
210 // Check each input value for validity, concatenate them all back together,
211 // and pass through.
212
213 llvm::StringMap<bool> OptionStrings;
214 OptionStrings.insert(KV: std::make_pair(x: "divd", y: false));
215 OptionStrings.insert(KV: std::make_pair(x: "divf", y: false));
216 OptionStrings.insert(KV: std::make_pair(x: "divh", y: false));
217 OptionStrings.insert(KV: std::make_pair(x: "vec-divd", y: false));
218 OptionStrings.insert(KV: std::make_pair(x: "vec-divf", y: false));
219 OptionStrings.insert(KV: std::make_pair(x: "vec-divh", y: false));
220 OptionStrings.insert(KV: std::make_pair(x: "sqrtd", y: false));
221 OptionStrings.insert(KV: std::make_pair(x: "sqrtf", y: false));
222 OptionStrings.insert(KV: std::make_pair(x: "sqrth", y: false));
223 OptionStrings.insert(KV: std::make_pair(x: "vec-sqrtd", y: false));
224 OptionStrings.insert(KV: std::make_pair(x: "vec-sqrtf", y: false));
225 OptionStrings.insert(KV: std::make_pair(x: "vec-sqrth", y: false));
226
227 for (unsigned i = 0; i != NumOptions; ++i) {
228 StringRef Val = A->getValue(N: i);
229
230 bool IsDisabled = Val.starts_with(Prefix: DisabledPrefixIn);
231 // Ignore the disablement token for string matching.
232 if (IsDisabled)
233 Val = Val.substr(Start: 1);
234
235 size_t RefStep;
236 if (!getRefinementStep(In: Val, D, A: *A, Position&: RefStep))
237 return;
238
239 StringRef ValBase = Val.slice(Start: 0, End: RefStep);
240 llvm::StringMap<bool>::iterator OptionIter = OptionStrings.find(Key: ValBase);
241 if (OptionIter == OptionStrings.end()) {
242 // Try again specifying float suffix.
243 OptionIter = OptionStrings.find(Key: ValBase.str() + 'f');
244 if (OptionIter == OptionStrings.end()) {
245 // The input name did not match any known option string.
246 D.Diag(DiagID: diag::err_drv_unknown_argument) << Val;
247 return;
248 }
249 // The option was specified without a half or float or double suffix.
250 // Make sure that the double or half entry was not already specified.
251 // The float entry will be checked below.
252 if (OptionStrings[ValBase.str() + 'd'] ||
253 OptionStrings[ValBase.str() + 'h']) {
254 D.Diag(DiagID: diag::err_drv_invalid_value) << A->getOption().getName() << Val;
255 return;
256 }
257 }
258
259 if (OptionIter->second == true) {
260 // Duplicate option specified.
261 D.Diag(DiagID: diag::err_drv_invalid_value) << A->getOption().getName() << Val;
262 return;
263 }
264
265 // Mark the matched option as found. Do not allow duplicate specifiers.
266 OptionIter->second = true;
267
268 // If the precision was not specified, also mark the double and half entry
269 // as found.
270 if (ValBase.back() != 'f' && ValBase.back() != 'd' && ValBase.back() != 'h') {
271 OptionStrings[ValBase.str() + 'd'] = true;
272 OptionStrings[ValBase.str() + 'h'] = true;
273 }
274
275 // Build the output string.
276 StringRef Prefix = IsDisabled ? DisabledPrefixOut : EnabledPrefixOut;
277 Out = Args.MakeArgString(Str: Out + Prefix + Val);
278 if (i != NumOptions - 1)
279 Out = Args.MakeArgString(Str: Out + ",");
280 }
281
282 OutStrings.push_back(Elt: Args.MakeArgString(Str: Out));
283}
284
285/// The -mprefer-vector-width option accepts either a positive integer
286/// or the string "none".
287static void ParseMPreferVectorWidth(const Driver &D, const ArgList &Args,
288 ArgStringList &CmdArgs) {
289 Arg *A = Args.getLastArg(Ids: options::OPT_mprefer_vector_width_EQ);
290 if (!A)
291 return;
292
293 StringRef Value = A->getValue();
294 if (Value == "none") {
295 CmdArgs.push_back(Elt: "-mprefer-vector-width=none");
296 } else {
297 unsigned Width;
298 if (Value.getAsInteger(Radix: 10, Result&: Width)) {
299 D.Diag(DiagID: diag::err_drv_invalid_value) << A->getOption().getName() << Value;
300 return;
301 }
302 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-mprefer-vector-width=" + Value));
303 }
304}
305
306static bool
307shouldUseExceptionTablesForObjCExceptions(const ObjCRuntime &runtime,
308 const llvm::Triple &Triple) {
309 // We use the zero-cost exception tables for Objective-C if the non-fragile
310 // ABI is enabled or when compiling for x86_64 and ARM on Snow Leopard and
311 // later.
312 if (runtime.isNonFragile())
313 return true;
314
315 if (!Triple.isMacOSX())
316 return false;
317
318 return (!Triple.isMacOSXVersionLT(Major: 10, Minor: 5) &&
319 (Triple.getArch() == llvm::Triple::x86_64 ||
320 Triple.getArch() == llvm::Triple::arm));
321}
322
323/// Adds exception related arguments to the driver command arguments. There's a
324/// main flag, -fexceptions and also language specific flags to enable/disable
325/// C++ and Objective-C exceptions. This makes it possible to for example
326/// disable C++ exceptions but enable Objective-C exceptions.
327static bool addExceptionArgs(const ArgList &Args, types::ID InputType,
328 const ToolChain &TC, bool KernelOrKext,
329 const ObjCRuntime &objcRuntime,
330 ArgStringList &CmdArgs) {
331 const llvm::Triple &Triple = TC.getTriple();
332
333 if (KernelOrKext) {
334 // -mkernel and -fapple-kext imply no exceptions, so claim exception related
335 // arguments now to avoid warnings about unused arguments.
336 Args.ClaimAllArgs(Id0: options::OPT_fexceptions);
337 Args.ClaimAllArgs(Id0: options::OPT_fno_exceptions);
338 Args.ClaimAllArgs(Id0: options::OPT_fobjc_exceptions);
339 Args.ClaimAllArgs(Id0: options::OPT_fno_objc_exceptions);
340 Args.ClaimAllArgs(Id0: options::OPT_fcxx_exceptions);
341 Args.ClaimAllArgs(Id0: options::OPT_fno_cxx_exceptions);
342 Args.ClaimAllArgs(Id0: options::OPT_fasync_exceptions);
343 Args.ClaimAllArgs(Id0: options::OPT_fno_async_exceptions);
344 return false;
345 }
346
347 // See if the user explicitly enabled exceptions.
348 bool EH = Args.hasFlag(Pos: options::OPT_fexceptions, Neg: options::OPT_fno_exceptions,
349 Default: false);
350
351 // Async exceptions are Windows MSVC only.
352 if (Triple.isWindowsMSVCEnvironment()) {
353 bool EHa = Args.hasFlag(Pos: options::OPT_fasync_exceptions,
354 Neg: options::OPT_fno_async_exceptions, Default: false);
355 if (EHa) {
356 CmdArgs.push_back(Elt: "-fasync-exceptions");
357 EH = true;
358 }
359 }
360
361 // Obj-C exceptions are enabled by default, regardless of -fexceptions. This
362 // is not necessarily sensible, but follows GCC.
363 if (types::isObjC(Id: InputType) &&
364 Args.hasFlag(Pos: options::OPT_fobjc_exceptions,
365 Neg: options::OPT_fno_objc_exceptions, Default: true)) {
366 CmdArgs.push_back(Elt: "-fobjc-exceptions");
367
368 EH |= shouldUseExceptionTablesForObjCExceptions(runtime: objcRuntime, Triple);
369 }
370
371 if (types::isCXX(Id: InputType)) {
372 // Disable C++ EH by default on XCore and PS4/PS5.
373 bool CXXExceptionsEnabled = Triple.getArch() != llvm::Triple::xcore &&
374 !Triple.isPS() && !Triple.isDriverKit();
375 Arg *ExceptionArg = Args.getLastArg(
376 Ids: options::OPT_fcxx_exceptions, Ids: options::OPT_fno_cxx_exceptions,
377 Ids: options::OPT_fexceptions, Ids: options::OPT_fno_exceptions);
378 if (ExceptionArg)
379 CXXExceptionsEnabled =
380 ExceptionArg->getOption().matches(ID: options::OPT_fcxx_exceptions) ||
381 ExceptionArg->getOption().matches(ID: options::OPT_fexceptions);
382
383 if (CXXExceptionsEnabled) {
384 CmdArgs.push_back(Elt: "-fcxx-exceptions");
385
386 EH = true;
387 }
388 }
389
390 // OPT_fignore_exceptions means exception could still be thrown,
391 // but no clean up or catch would happen in current module.
392 // So we do not set EH to false.
393 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fignore_exceptions);
394
395 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fassume_nothrow_exception_dtor,
396 Neg: options::OPT_fno_assume_nothrow_exception_dtor);
397
398 if (EH)
399 CmdArgs.push_back(Elt: "-fexceptions");
400 return EH;
401}
402
403static bool ShouldEnableAutolink(const ArgList &Args, const ToolChain &TC,
404 const JobAction &JA) {
405 bool Default = true;
406 if (TC.getTriple().isOSDarwin()) {
407 // The native darwin assembler doesn't support the linker_option directives,
408 // so we disable them if we think the .s file will be passed to it.
409 Default = TC.useIntegratedAs();
410 }
411 // The linker_option directives are intended for host compilation.
412 if (JA.isDeviceOffloading(OKind: Action::OFK_Cuda) ||
413 JA.isDeviceOffloading(OKind: Action::OFK_HIP))
414 Default = false;
415 return Args.hasFlag(Pos: options::OPT_fautolink, Neg: options::OPT_fno_autolink,
416 Default);
417}
418
419/// Add a CC1 option to specify the debug compilation directory.
420static const char *addDebugCompDirArg(const ArgList &Args,
421 ArgStringList &CmdArgs,
422 const llvm::vfs::FileSystem &VFS) {
423 if (Arg *A = Args.getLastArg(Ids: options::OPT_ffile_compilation_dir_EQ,
424 Ids: options::OPT_fdebug_compilation_dir_EQ)) {
425 if (A->getOption().matches(ID: options::OPT_ffile_compilation_dir_EQ))
426 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Twine("-fdebug-compilation-dir=") +
427 A->getValue()));
428 else
429 A->render(Args, Output&: CmdArgs);
430 } else if (llvm::ErrorOr<std::string> CWD =
431 VFS.getCurrentWorkingDirectory()) {
432 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-fdebug-compilation-dir=" + *CWD));
433 }
434 StringRef Path(CmdArgs.back());
435 return Path.substr(Start: Path.find(C: '=') + 1).data();
436}
437
438static void addDebugObjectName(const ArgList &Args, ArgStringList &CmdArgs,
439 const char *DebugCompilationDir,
440 const char *OutputFileName) {
441 // No need to generate a value for -object-file-name if it was provided.
442 for (auto *Arg : Args.filtered(Ids: options::OPT_Xclang))
443 if (StringRef(Arg->getValue()).starts_with(Prefix: "-object-file-name"))
444 return;
445
446 if (Args.hasArg(Ids: options::OPT_object_file_name_EQ))
447 return;
448
449 SmallString<128> ObjFileNameForDebug(OutputFileName);
450 if (ObjFileNameForDebug != "-" &&
451 !llvm::sys::path::is_absolute(path: ObjFileNameForDebug) &&
452 (!DebugCompilationDir ||
453 llvm::sys::path::is_absolute(path: DebugCompilationDir))) {
454 // Make the path absolute in the debug infos like MSVC does.
455 llvm::sys::fs::make_absolute(path&: ObjFileNameForDebug);
456 }
457 // If the object file name is a relative path, then always use Windows
458 // backslash style as -object-file-name is used for embedding object file path
459 // in codeview and it can only be generated when targeting on Windows.
460 // Otherwise, just use native absolute path.
461 llvm::sys::path::Style Style =
462 llvm::sys::path::is_absolute(path: ObjFileNameForDebug)
463 ? llvm::sys::path::Style::native
464 : llvm::sys::path::Style::windows_backslash;
465 llvm::sys::path::remove_dots(path&: ObjFileNameForDebug, /*remove_dot_dot=*/true,
466 style: Style);
467 CmdArgs.push_back(
468 Elt: Args.MakeArgString(Str: Twine("-object-file-name=") + ObjFileNameForDebug));
469}
470
471/// Add a CC1 and CC1AS option to specify the debug file path prefix map.
472static void addDebugPrefixMapArg(const Driver &D, const ToolChain &TC,
473 const ArgList &Args, ArgStringList &CmdArgs) {
474 auto AddOneArg = [&](StringRef Map, StringRef Name) {
475 if (!Map.contains(C: '='))
476 D.Diag(DiagID: diag::err_drv_invalid_argument_to_option) << Map << Name;
477 else
478 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-fdebug-prefix-map=" + Map));
479 };
480
481 for (const Arg *A : Args.filtered(Ids: options::OPT_ffile_prefix_map_EQ,
482 Ids: options::OPT_fdebug_prefix_map_EQ)) {
483 AddOneArg(A->getValue(), A->getOption().getName());
484 A->claim();
485 }
486 std::string GlobalRemapEntry = TC.GetGlobalDebugPathRemapping();
487 if (GlobalRemapEntry.empty())
488 return;
489 AddOneArg(GlobalRemapEntry, "environment");
490}
491
492/// Add a CC1 and CC1AS option to specify the macro file path prefix map.
493static void addMacroPrefixMapArg(const Driver &D, const ArgList &Args,
494 ArgStringList &CmdArgs) {
495 for (const Arg *A : Args.filtered(Ids: options::OPT_ffile_prefix_map_EQ,
496 Ids: options::OPT_fmacro_prefix_map_EQ)) {
497 StringRef Map = A->getValue();
498 if (!Map.contains(C: '='))
499 D.Diag(DiagID: diag::err_drv_invalid_argument_to_option)
500 << Map << A->getOption().getName();
501 else
502 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-fmacro-prefix-map=" + Map));
503 A->claim();
504 }
505}
506
507/// Add a CC1 and CC1AS option to specify the coverage file path prefix map.
508static void addCoveragePrefixMapArg(const Driver &D, const ArgList &Args,
509 ArgStringList &CmdArgs) {
510 for (const Arg *A : Args.filtered(Ids: options::OPT_ffile_prefix_map_EQ,
511 Ids: options::OPT_fcoverage_prefix_map_EQ)) {
512 StringRef Map = A->getValue();
513 if (!Map.contains(C: '='))
514 D.Diag(DiagID: diag::err_drv_invalid_argument_to_option)
515 << Map << A->getOption().getName();
516 else
517 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-fcoverage-prefix-map=" + Map));
518 A->claim();
519 }
520}
521
522/// Vectorize at all optimization levels greater than 1 except for -Oz.
523/// For -Oz the loop vectorizer is disabled, while the slp vectorizer is
524/// enabled.
525static bool shouldEnableVectorizerAtOLevel(const ArgList &Args, bool isSlpVec) {
526 if (Arg *A = Args.getLastArg(Ids: options::OPT_O_Group)) {
527 if (A->getOption().matches(ID: options::OPT_O4) ||
528 A->getOption().matches(ID: options::OPT_Ofast))
529 return true;
530
531 if (A->getOption().matches(ID: options::OPT_O0))
532 return false;
533
534 assert(A->getOption().matches(options::OPT_O) && "Must have a -O flag");
535
536 // Vectorize -Os.
537 StringRef S(A->getValue());
538 if (S == "s")
539 return true;
540
541 // Don't vectorize -Oz, unless it's the slp vectorizer.
542 if (S == "z")
543 return isSlpVec;
544
545 unsigned OptLevel = 0;
546 if (S.getAsInteger(Radix: 10, Result&: OptLevel))
547 return false;
548
549 return OptLevel > 1;
550 }
551
552 return false;
553}
554
555/// Add -x lang to \p CmdArgs for \p Input.
556static void addDashXForInput(const ArgList &Args, const InputInfo &Input,
557 ArgStringList &CmdArgs) {
558 // When using -verify-pch, we don't want to provide the type
559 // 'precompiled-header' if it was inferred from the file extension
560 if (Args.hasArg(Ids: options::OPT_verify_pch) && Input.getType() == types::TY_PCH)
561 return;
562
563 CmdArgs.push_back(Elt: "-x");
564 if (Args.hasArg(Ids: options::OPT_rewrite_objc))
565 CmdArgs.push_back(Elt: types::getTypeName(Id: types::TY_PP_ObjCXX));
566 else {
567 // Map the driver type to the frontend type. This is mostly an identity
568 // mapping, except that the distinction between module interface units
569 // and other source files does not exist at the frontend layer.
570 const char *ClangType;
571 switch (Input.getType()) {
572 case types::TY_CXXModule:
573 ClangType = "c++";
574 break;
575 case types::TY_PP_CXXModule:
576 ClangType = "c++-cpp-output";
577 break;
578 default:
579 ClangType = types::getTypeName(Id: Input.getType());
580 break;
581 }
582 CmdArgs.push_back(Elt: ClangType);
583 }
584}
585
586static void addPGOAndCoverageFlags(const ToolChain &TC, Compilation &C,
587 const JobAction &JA, const InputInfo &Output,
588 const ArgList &Args, SanitizerArgs &SanArgs,
589 ArgStringList &CmdArgs) {
590 const Driver &D = TC.getDriver();
591 auto *PGOGenerateArg = Args.getLastArg(Ids: options::OPT_fprofile_generate,
592 Ids: options::OPT_fprofile_generate_EQ,
593 Ids: options::OPT_fno_profile_generate);
594 if (PGOGenerateArg &&
595 PGOGenerateArg->getOption().matches(ID: options::OPT_fno_profile_generate))
596 PGOGenerateArg = nullptr;
597
598 auto *CSPGOGenerateArg = getLastCSProfileGenerateArg(Args);
599
600 auto *ProfileGenerateArg = Args.getLastArg(
601 Ids: options::OPT_fprofile_instr_generate,
602 Ids: options::OPT_fprofile_instr_generate_EQ,
603 Ids: options::OPT_fno_profile_instr_generate);
604 if (ProfileGenerateArg &&
605 ProfileGenerateArg->getOption().matches(
606 ID: options::OPT_fno_profile_instr_generate))
607 ProfileGenerateArg = nullptr;
608
609 if (PGOGenerateArg && ProfileGenerateArg)
610 D.Diag(DiagID: diag::err_drv_argument_not_allowed_with)
611 << PGOGenerateArg->getSpelling() << ProfileGenerateArg->getSpelling();
612
613 auto *ProfileUseArg = getLastProfileUseArg(Args);
614
615 if (PGOGenerateArg && ProfileUseArg)
616 D.Diag(DiagID: diag::err_drv_argument_not_allowed_with)
617 << ProfileUseArg->getSpelling() << PGOGenerateArg->getSpelling();
618
619 if (ProfileGenerateArg && ProfileUseArg)
620 D.Diag(DiagID: diag::err_drv_argument_not_allowed_with)
621 << ProfileGenerateArg->getSpelling() << ProfileUseArg->getSpelling();
622
623 if (CSPGOGenerateArg && PGOGenerateArg) {
624 D.Diag(DiagID: diag::err_drv_argument_not_allowed_with)
625 << CSPGOGenerateArg->getSpelling() << PGOGenerateArg->getSpelling();
626 PGOGenerateArg = nullptr;
627 }
628
629 if (TC.getTriple().isOSAIX()) {
630 if (Arg *ProfileSampleUseArg = getLastProfileSampleUseArg(Args))
631 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
632 << ProfileSampleUseArg->getSpelling() << TC.getTriple().str();
633 }
634
635 if (ProfileGenerateArg) {
636 if (ProfileGenerateArg->getOption().matches(
637 ID: options::OPT_fprofile_instr_generate_EQ))
638 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Twine("-fprofile-instrument-path=") +
639 ProfileGenerateArg->getValue()));
640 // The default is to use Clang Instrumentation.
641 CmdArgs.push_back(Elt: "-fprofile-instrument=clang");
642 if (TC.getTriple().isWindowsMSVCEnvironment() &&
643 Args.hasFlag(Pos: options::OPT_frtlib_defaultlib,
644 Neg: options::OPT_fno_rtlib_defaultlib, Default: true)) {
645 // Add dependent lib for clang_rt.profile
646 CmdArgs.push_back(Elt: Args.MakeArgString(
647 Str: "--dependent-lib=" + TC.getCompilerRTBasename(Args, Component: "profile")));
648 }
649 }
650
651 Arg *PGOGenArg = nullptr;
652 if (PGOGenerateArg) {
653 assert(!CSPGOGenerateArg);
654 PGOGenArg = PGOGenerateArg;
655 CmdArgs.push_back(Elt: "-fprofile-instrument=llvm");
656 }
657 if (CSPGOGenerateArg) {
658 assert(!PGOGenerateArg);
659 PGOGenArg = CSPGOGenerateArg;
660 CmdArgs.push_back(Elt: "-fprofile-instrument=csllvm");
661 }
662 if (PGOGenArg) {
663 if (TC.getTriple().isWindowsMSVCEnvironment() &&
664 Args.hasFlag(Pos: options::OPT_frtlib_defaultlib,
665 Neg: options::OPT_fno_rtlib_defaultlib, Default: true)) {
666 // Add dependent lib for clang_rt.profile
667 CmdArgs.push_back(Elt: Args.MakeArgString(
668 Str: "--dependent-lib=" + TC.getCompilerRTBasename(Args, Component: "profile")));
669 }
670 if (PGOGenArg->getOption().matches(
671 ID: PGOGenerateArg ? options::OPT_fprofile_generate_EQ
672 : options::OPT_fcs_profile_generate_EQ)) {
673 SmallString<128> Path(PGOGenArg->getValue());
674 llvm::sys::path::append(path&: Path, a: "default_%m.profraw");
675 CmdArgs.push_back(
676 Elt: Args.MakeArgString(Str: Twine("-fprofile-instrument-path=") + Path));
677 }
678 }
679
680 if (ProfileUseArg) {
681 if (ProfileUseArg->getOption().matches(ID: options::OPT_fprofile_instr_use_EQ))
682 CmdArgs.push_back(Elt: Args.MakeArgString(
683 Str: Twine("-fprofile-instrument-use-path=") + ProfileUseArg->getValue()));
684 else if ((ProfileUseArg->getOption().matches(
685 ID: options::OPT_fprofile_use_EQ) ||
686 ProfileUseArg->getOption().matches(
687 ID: options::OPT_fprofile_instr_use))) {
688 SmallString<128> Path(
689 ProfileUseArg->getNumValues() == 0 ? "" : ProfileUseArg->getValue());
690 if (Path.empty() || llvm::sys::fs::is_directory(Path))
691 llvm::sys::path::append(path&: Path, a: "default.profdata");
692 CmdArgs.push_back(
693 Elt: Args.MakeArgString(Str: Twine("-fprofile-instrument-use-path=") + Path));
694 }
695 }
696
697 bool EmitCovNotes = Args.hasFlag(Pos: options::OPT_ftest_coverage,
698 Neg: options::OPT_fno_test_coverage, Default: false) ||
699 Args.hasArg(Ids: options::OPT_coverage);
700 bool EmitCovData = TC.needsGCovInstrumentation(Args);
701
702 if (Args.hasFlag(Pos: options::OPT_fcoverage_mapping,
703 Neg: options::OPT_fno_coverage_mapping, Default: false)) {
704 if (!ProfileGenerateArg)
705 D.Diag(DiagID: clang::diag::err_drv_argument_only_allowed_with)
706 << "-fcoverage-mapping"
707 << "-fprofile-instr-generate";
708
709 CmdArgs.push_back(Elt: "-fcoverage-mapping");
710 }
711
712 if (Args.hasFlag(Pos: options::OPT_fmcdc_coverage, Neg: options::OPT_fno_mcdc_coverage,
713 Default: false)) {
714 if (!Args.hasFlag(Pos: options::OPT_fcoverage_mapping,
715 Neg: options::OPT_fno_coverage_mapping, Default: false))
716 D.Diag(DiagID: clang::diag::err_drv_argument_only_allowed_with)
717 << "-fcoverage-mcdc"
718 << "-fcoverage-mapping";
719
720 CmdArgs.push_back(Elt: "-fcoverage-mcdc");
721 }
722
723 if (Arg *A = Args.getLastArg(Ids: options::OPT_ffile_compilation_dir_EQ,
724 Ids: options::OPT_fcoverage_compilation_dir_EQ)) {
725 if (A->getOption().matches(ID: options::OPT_ffile_compilation_dir_EQ))
726 CmdArgs.push_back(Elt: Args.MakeArgString(
727 Str: Twine("-fcoverage-compilation-dir=") + A->getValue()));
728 else
729 A->render(Args, Output&: CmdArgs);
730 } else if (llvm::ErrorOr<std::string> CWD =
731 D.getVFS().getCurrentWorkingDirectory()) {
732 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-fcoverage-compilation-dir=" + *CWD));
733 }
734
735 if (Args.hasArg(Ids: options::OPT_fprofile_exclude_files_EQ)) {
736 auto *Arg = Args.getLastArg(Ids: options::OPT_fprofile_exclude_files_EQ);
737 if (!Args.hasArg(Ids: options::OPT_coverage))
738 D.Diag(DiagID: clang::diag::err_drv_argument_only_allowed_with)
739 << "-fprofile-exclude-files="
740 << "--coverage";
741
742 StringRef v = Arg->getValue();
743 CmdArgs.push_back(
744 Elt: Args.MakeArgString(Str: Twine("-fprofile-exclude-files=" + v)));
745 }
746
747 if (Args.hasArg(Ids: options::OPT_fprofile_filter_files_EQ)) {
748 auto *Arg = Args.getLastArg(Ids: options::OPT_fprofile_filter_files_EQ);
749 if (!Args.hasArg(Ids: options::OPT_coverage))
750 D.Diag(DiagID: clang::diag::err_drv_argument_only_allowed_with)
751 << "-fprofile-filter-files="
752 << "--coverage";
753
754 StringRef v = Arg->getValue();
755 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Twine("-fprofile-filter-files=" + v)));
756 }
757
758 if (const auto *A = Args.getLastArg(Ids: options::OPT_fprofile_update_EQ)) {
759 StringRef Val = A->getValue();
760 if (Val == "atomic" || Val == "prefer-atomic")
761 CmdArgs.push_back(Elt: "-fprofile-update=atomic");
762 else if (Val != "single")
763 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
764 << A->getSpelling() << Val;
765 }
766
767 int FunctionGroups = 1;
768 int SelectedFunctionGroup = 0;
769 if (const auto *A = Args.getLastArg(Ids: options::OPT_fprofile_function_groups)) {
770 StringRef Val = A->getValue();
771 if (Val.getAsInteger(Radix: 0, Result&: FunctionGroups) || FunctionGroups < 1)
772 D.Diag(DiagID: diag::err_drv_invalid_int_value) << A->getAsString(Args) << Val;
773 }
774 if (const auto *A =
775 Args.getLastArg(Ids: options::OPT_fprofile_selected_function_group)) {
776 StringRef Val = A->getValue();
777 if (Val.getAsInteger(Radix: 0, Result&: SelectedFunctionGroup) ||
778 SelectedFunctionGroup < 0 || SelectedFunctionGroup >= FunctionGroups)
779 D.Diag(DiagID: diag::err_drv_invalid_int_value) << A->getAsString(Args) << Val;
780 }
781 if (FunctionGroups != 1)
782 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-fprofile-function-groups=" +
783 Twine(FunctionGroups)));
784 if (SelectedFunctionGroup != 0)
785 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-fprofile-selected-function-group=" +
786 Twine(SelectedFunctionGroup)));
787
788 // Leave -fprofile-dir= an unused argument unless .gcda emission is
789 // enabled. To be polite, with '-fprofile-arcs -fno-profile-arcs' consider
790 // the flag used. There is no -fno-profile-dir, so the user has no
791 // targeted way to suppress the warning.
792 Arg *FProfileDir = nullptr;
793 if (Args.hasArg(Ids: options::OPT_fprofile_arcs) ||
794 Args.hasArg(Ids: options::OPT_coverage))
795 FProfileDir = Args.getLastArg(Ids: options::OPT_fprofile_dir);
796
797 // TODO: Don't claim -c/-S to warn about -fsyntax-only -c/-S, -E -c/-S,
798 // like we warn about -fsyntax-only -E.
799 (void)(Args.hasArg(Ids: options::OPT_c) || Args.hasArg(Ids: options::OPT_S));
800
801 // Put the .gcno and .gcda files (if needed) next to the primary output file,
802 // or fall back to a file in the current directory for `clang -c --coverage
803 // d/a.c` in the absence of -o.
804 if (EmitCovNotes || EmitCovData) {
805 SmallString<128> CoverageFilename;
806 if (Arg *DumpDir = Args.getLastArgNoClaim(Ids: options::OPT_dumpdir)) {
807 // Form ${dumpdir}${basename}.gcno. Note that dumpdir may not end with a
808 // path separator.
809 CoverageFilename = DumpDir->getValue();
810 CoverageFilename += llvm::sys::path::filename(path: Output.getBaseInput());
811 } else if (Arg *FinalOutput =
812 C.getArgs().getLastArg(Ids: options::OPT__SLASH_Fo)) {
813 CoverageFilename = FinalOutput->getValue();
814 } else if (Arg *FinalOutput = C.getArgs().getLastArg(Ids: options::OPT_o)) {
815 CoverageFilename = FinalOutput->getValue();
816 } else {
817 CoverageFilename = llvm::sys::path::filename(path: Output.getBaseInput());
818 }
819 if (llvm::sys::path::is_relative(path: CoverageFilename))
820 (void)D.getVFS().makeAbsolute(Path&: CoverageFilename);
821 llvm::sys::path::replace_extension(path&: CoverageFilename, extension: "gcno");
822 if (EmitCovNotes) {
823 CmdArgs.push_back(
824 Elt: Args.MakeArgString(Str: "-coverage-notes-file=" + CoverageFilename));
825 }
826
827 if (EmitCovData) {
828 if (FProfileDir) {
829 SmallString<128> Gcno = std::move(CoverageFilename);
830 CoverageFilename = FProfileDir->getValue();
831 llvm::sys::path::append(path&: CoverageFilename, a: Gcno);
832 }
833 llvm::sys::path::replace_extension(path&: CoverageFilename, extension: "gcda");
834 CmdArgs.push_back(
835 Elt: Args.MakeArgString(Str: "-coverage-data-file=" + CoverageFilename));
836 }
837 }
838}
839
840static void
841RenderDebugEnablingArgs(const ArgList &Args, ArgStringList &CmdArgs,
842 llvm::codegenoptions::DebugInfoKind DebugInfoKind,
843 unsigned DwarfVersion,
844 llvm::DebuggerKind DebuggerTuning) {
845 addDebugInfoKind(CmdArgs, DebugInfoKind);
846 if (DwarfVersion > 0)
847 CmdArgs.push_back(
848 Elt: Args.MakeArgString(Str: "-dwarf-version=" + Twine(DwarfVersion)));
849 switch (DebuggerTuning) {
850 case llvm::DebuggerKind::GDB:
851 CmdArgs.push_back(Elt: "-debugger-tuning=gdb");
852 break;
853 case llvm::DebuggerKind::LLDB:
854 CmdArgs.push_back(Elt: "-debugger-tuning=lldb");
855 break;
856 case llvm::DebuggerKind::SCE:
857 CmdArgs.push_back(Elt: "-debugger-tuning=sce");
858 break;
859 case llvm::DebuggerKind::DBX:
860 CmdArgs.push_back(Elt: "-debugger-tuning=dbx");
861 break;
862 default:
863 break;
864 }
865}
866
867static bool checkDebugInfoOption(const Arg *A, const ArgList &Args,
868 const Driver &D, const ToolChain &TC) {
869 assert(A && "Expected non-nullptr argument.");
870 if (TC.supportsDebugInfoOption(A))
871 return true;
872 D.Diag(DiagID: diag::warn_drv_unsupported_debug_info_opt_for_target)
873 << A->getAsString(Args) << TC.getTripleString();
874 return false;
875}
876
877static void RenderDebugInfoCompressionArgs(const ArgList &Args,
878 ArgStringList &CmdArgs,
879 const Driver &D,
880 const ToolChain &TC) {
881 const Arg *A = Args.getLastArg(Ids: options::OPT_gz_EQ);
882 if (!A)
883 return;
884 if (checkDebugInfoOption(A, Args, D, TC)) {
885 StringRef Value = A->getValue();
886 if (Value == "none") {
887 CmdArgs.push_back(Elt: "--compress-debug-sections=none");
888 } else if (Value == "zlib") {
889 if (llvm::compression::zlib::isAvailable()) {
890 CmdArgs.push_back(
891 Elt: Args.MakeArgString(Str: "--compress-debug-sections=" + Twine(Value)));
892 } else {
893 D.Diag(DiagID: diag::warn_debug_compression_unavailable) << "zlib";
894 }
895 } else if (Value == "zstd") {
896 if (llvm::compression::zstd::isAvailable()) {
897 CmdArgs.push_back(
898 Elt: Args.MakeArgString(Str: "--compress-debug-sections=" + Twine(Value)));
899 } else {
900 D.Diag(DiagID: diag::warn_debug_compression_unavailable) << "zstd";
901 }
902 } else {
903 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
904 << A->getSpelling() << Value;
905 }
906 }
907}
908
909static void handleAMDGPUCodeObjectVersionOptions(const Driver &D,
910 const ArgList &Args,
911 ArgStringList &CmdArgs,
912 bool IsCC1As = false) {
913 // If no version was requested by the user, use the default value from the
914 // back end. This is consistent with the value returned from
915 // getAMDGPUCodeObjectVersion. This lets clang emit IR for amdgpu without
916 // requiring the corresponding llvm to have the AMDGPU target enabled,
917 // provided the user (e.g. front end tests) can use the default.
918 if (haveAMDGPUCodeObjectVersionArgument(D, Args)) {
919 unsigned CodeObjVer = getAMDGPUCodeObjectVersion(D, Args);
920 CmdArgs.insert(I: CmdArgs.begin() + 1,
921 Elt: Args.MakeArgString(Str: Twine("--amdhsa-code-object-version=") +
922 Twine(CodeObjVer)));
923 CmdArgs.insert(I: CmdArgs.begin() + 1, Elt: "-mllvm");
924 // -cc1as does not accept -mcode-object-version option.
925 if (!IsCC1As)
926 CmdArgs.insert(I: CmdArgs.begin() + 1,
927 Elt: Args.MakeArgString(Str: Twine("-mcode-object-version=") +
928 Twine(CodeObjVer)));
929 }
930}
931
932static bool maybeHasClangPchSignature(const Driver &D, StringRef Path) {
933 llvm::ErrorOr<std::unique_ptr<llvm::MemoryBuffer>> MemBuf =
934 D.getVFS().getBufferForFile(Name: Path);
935 if (!MemBuf)
936 return false;
937 llvm::file_magic Magic = llvm::identify_magic(magic: (*MemBuf)->getBuffer());
938 if (Magic == llvm::file_magic::unknown)
939 return false;
940 // Return true for both raw Clang AST files and object files which may
941 // contain a __clangast section.
942 if (Magic == llvm::file_magic::clang_ast)
943 return true;
944 Expected<std::unique_ptr<llvm::object::ObjectFile>> Obj =
945 llvm::object::ObjectFile::createObjectFile(Object: **MemBuf, Type: Magic);
946 return !Obj.takeError();
947}
948
949static bool gchProbe(const Driver &D, StringRef Path) {
950 llvm::ErrorOr<llvm::vfs::Status> Status = D.getVFS().status(Path);
951 if (!Status)
952 return false;
953
954 if (Status->isDirectory()) {
955 std::error_code EC;
956 for (llvm::vfs::directory_iterator DI = D.getVFS().dir_begin(Dir: Path, EC), DE;
957 !EC && DI != DE; DI = DI.increment(EC)) {
958 if (maybeHasClangPchSignature(D, Path: DI->path()))
959 return true;
960 }
961 D.Diag(DiagID: diag::warn_drv_pch_ignoring_gch_dir) << Path;
962 return false;
963 }
964
965 if (maybeHasClangPchSignature(D, Path))
966 return true;
967 D.Diag(DiagID: diag::warn_drv_pch_ignoring_gch_file) << Path;
968 return false;
969}
970
971void Clang::AddPreprocessingOptions(Compilation &C, const JobAction &JA,
972 const Driver &D, const ArgList &Args,
973 ArgStringList &CmdArgs,
974 const InputInfo &Output,
975 const InputInfoList &Inputs) const {
976 const bool IsIAMCU = getToolChain().getTriple().isOSIAMCU();
977
978 CheckPreprocessingOptions(D, Args);
979
980 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_C);
981 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_CC);
982
983 // Handle dependency file generation.
984 Arg *ArgM = Args.getLastArg(Ids: options::OPT_MM);
985 if (!ArgM)
986 ArgM = Args.getLastArg(Ids: options::OPT_M);
987 Arg *ArgMD = Args.getLastArg(Ids: options::OPT_MMD);
988 if (!ArgMD)
989 ArgMD = Args.getLastArg(Ids: options::OPT_MD);
990
991 // -M and -MM imply -w.
992 if (ArgM)
993 CmdArgs.push_back(Elt: "-w");
994 else
995 ArgM = ArgMD;
996
997 if (ArgM) {
998 // Determine the output location.
999 const char *DepFile;
1000 if (Arg *MF = Args.getLastArg(Ids: options::OPT_MF)) {
1001 DepFile = MF->getValue();
1002 C.addFailureResultFile(Name: DepFile, JA: &JA);
1003 } else if (Output.getType() == types::TY_Dependencies) {
1004 DepFile = Output.getFilename();
1005 } else if (!ArgMD) {
1006 DepFile = "-";
1007 } else {
1008 DepFile = getDependencyFileName(Args, Inputs);
1009 C.addFailureResultFile(Name: DepFile, JA: &JA);
1010 }
1011 CmdArgs.push_back(Elt: "-dependency-file");
1012 CmdArgs.push_back(Elt: DepFile);
1013
1014 bool HasTarget = false;
1015 for (const Arg *A : Args.filtered(Ids: options::OPT_MT, Ids: options::OPT_MQ)) {
1016 HasTarget = true;
1017 A->claim();
1018 if (A->getOption().matches(ID: options::OPT_MT)) {
1019 A->render(Args, Output&: CmdArgs);
1020 } else {
1021 CmdArgs.push_back(Elt: "-MT");
1022 SmallString<128> Quoted;
1023 quoteMakeTarget(Target: A->getValue(), Res&: Quoted);
1024 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Quoted));
1025 }
1026 }
1027
1028 // Add a default target if one wasn't specified.
1029 if (!HasTarget) {
1030 const char *DepTarget;
1031
1032 // If user provided -o, that is the dependency target, except
1033 // when we are only generating a dependency file.
1034 Arg *OutputOpt = Args.getLastArg(Ids: options::OPT_o, Ids: options::OPT__SLASH_Fo);
1035 if (OutputOpt && Output.getType() != types::TY_Dependencies) {
1036 DepTarget = OutputOpt->getValue();
1037 } else {
1038 // Otherwise derive from the base input.
1039 //
1040 // FIXME: This should use the computed output file location.
1041 SmallString<128> P(Inputs[0].getBaseInput());
1042 llvm::sys::path::replace_extension(path&: P, extension: "o");
1043 DepTarget = Args.MakeArgString(Str: llvm::sys::path::filename(path: P));
1044 }
1045
1046 CmdArgs.push_back(Elt: "-MT");
1047 SmallString<128> Quoted;
1048 quoteMakeTarget(Target: DepTarget, Res&: Quoted);
1049 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Quoted));
1050 }
1051
1052 if (ArgM->getOption().matches(ID: options::OPT_M) ||
1053 ArgM->getOption().matches(ID: options::OPT_MD))
1054 CmdArgs.push_back(Elt: "-sys-header-deps");
1055 if ((isa<PrecompileJobAction>(Val: JA) &&
1056 !Args.hasArg(Ids: options::OPT_fno_module_file_deps)) ||
1057 Args.hasArg(Ids: options::OPT_fmodule_file_deps))
1058 CmdArgs.push_back(Elt: "-module-file-deps");
1059 }
1060
1061 if (Args.hasArg(Ids: options::OPT_MG)) {
1062 if (!ArgM || ArgM->getOption().matches(ID: options::OPT_MD) ||
1063 ArgM->getOption().matches(ID: options::OPT_MMD))
1064 D.Diag(DiagID: diag::err_drv_mg_requires_m_or_mm);
1065 CmdArgs.push_back(Elt: "-MG");
1066 }
1067
1068 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_MP);
1069 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_MV);
1070
1071 // Add offload include arguments specific for CUDA/HIP. This must happen
1072 // before we -I or -include anything else, because we must pick up the
1073 // CUDA/HIP headers from the particular CUDA/ROCm installation, rather than
1074 // from e.g. /usr/local/include.
1075 if (JA.isOffloading(OKind: Action::OFK_Cuda))
1076 getToolChain().AddCudaIncludeArgs(DriverArgs: Args, CC1Args&: CmdArgs);
1077 if (JA.isOffloading(OKind: Action::OFK_HIP))
1078 getToolChain().AddHIPIncludeArgs(DriverArgs: Args, CC1Args&: CmdArgs);
1079
1080 // If we are offloading to a target via OpenMP we need to include the
1081 // openmp_wrappers folder which contains alternative system headers.
1082 if (JA.isDeviceOffloading(OKind: Action::OFK_OpenMP) &&
1083 !Args.hasArg(Ids: options::OPT_nostdinc) &&
1084 !Args.hasArg(Ids: options::OPT_nogpuinc) &&
1085 (getToolChain().getTriple().isNVPTX() ||
1086 getToolChain().getTriple().isAMDGCN())) {
1087 if (!Args.hasArg(Ids: options::OPT_nobuiltininc)) {
1088 // Add openmp_wrappers/* to our system include path. This lets us wrap
1089 // standard library headers.
1090 SmallString<128> P(D.ResourceDir);
1091 llvm::sys::path::append(path&: P, a: "include");
1092 llvm::sys::path::append(path&: P, a: "openmp_wrappers");
1093 CmdArgs.push_back(Elt: "-internal-isystem");
1094 CmdArgs.push_back(Elt: Args.MakeArgString(Str: P));
1095 }
1096
1097 CmdArgs.push_back(Elt: "-include");
1098 CmdArgs.push_back(Elt: "__clang_openmp_device_functions.h");
1099 }
1100
1101 // Add -i* options, and automatically translate to
1102 // -include-pch/-include-pth for transparent PCH support. It's
1103 // wonky, but we include looking for .gch so we can support seamless
1104 // replacement into a build system already set up to be generating
1105 // .gch files.
1106
1107 if (getToolChain().getDriver().IsCLMode()) {
1108 const Arg *YcArg = Args.getLastArg(Ids: options::OPT__SLASH_Yc);
1109 const Arg *YuArg = Args.getLastArg(Ids: options::OPT__SLASH_Yu);
1110 if (YcArg && JA.getKind() >= Action::PrecompileJobClass &&
1111 JA.getKind() <= Action::AssembleJobClass) {
1112 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-building-pch-with-obj"));
1113 // -fpch-instantiate-templates is the default when creating
1114 // precomp using /Yc
1115 if (Args.hasFlag(Pos: options::OPT_fpch_instantiate_templates,
1116 Neg: options::OPT_fno_pch_instantiate_templates, Default: true))
1117 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-fpch-instantiate-templates"));
1118 }
1119 if (YcArg || YuArg) {
1120 StringRef ThroughHeader = YcArg ? YcArg->getValue() : YuArg->getValue();
1121 if (!isa<PrecompileJobAction>(Val: JA)) {
1122 CmdArgs.push_back(Elt: "-include-pch");
1123 CmdArgs.push_back(Elt: Args.MakeArgString(Str: D.GetClPchPath(
1124 C, BaseName: !ThroughHeader.empty()
1125 ? ThroughHeader
1126 : llvm::sys::path::filename(path: Inputs[0].getBaseInput()))));
1127 }
1128
1129 if (ThroughHeader.empty()) {
1130 CmdArgs.push_back(Elt: Args.MakeArgString(
1131 Str: Twine("-pch-through-hdrstop-") + (YcArg ? "create" : "use")));
1132 } else {
1133 CmdArgs.push_back(
1134 Elt: Args.MakeArgString(Str: Twine("-pch-through-header=") + ThroughHeader));
1135 }
1136 }
1137 }
1138
1139 bool RenderedImplicitInclude = false;
1140 for (const Arg *A : Args.filtered(Ids: options::OPT_clang_i_Group)) {
1141 if (A->getOption().matches(ID: options::OPT_include) &&
1142 D.getProbePrecompiled()) {
1143 // Handling of gcc-style gch precompiled headers.
1144 bool IsFirstImplicitInclude = !RenderedImplicitInclude;
1145 RenderedImplicitInclude = true;
1146
1147 bool FoundPCH = false;
1148 SmallString<128> P(A->getValue());
1149 // We want the files to have a name like foo.h.pch. Add a dummy extension
1150 // so that replace_extension does the right thing.
1151 P += ".dummy";
1152 llvm::sys::path::replace_extension(path&: P, extension: "pch");
1153 if (D.getVFS().exists(Path: P))
1154 FoundPCH = true;
1155
1156 if (!FoundPCH) {
1157 // For GCC compat, probe for a file or directory ending in .gch instead.
1158 llvm::sys::path::replace_extension(path&: P, extension: "gch");
1159 FoundPCH = gchProbe(D, Path: P.str());
1160 }
1161
1162 if (FoundPCH) {
1163 if (IsFirstImplicitInclude) {
1164 A->claim();
1165 CmdArgs.push_back(Elt: "-include-pch");
1166 CmdArgs.push_back(Elt: Args.MakeArgString(Str: P));
1167 continue;
1168 } else {
1169 // Ignore the PCH if not first on command line and emit warning.
1170 D.Diag(DiagID: diag::warn_drv_pch_not_first_include) << P
1171 << A->getAsString(Args);
1172 }
1173 }
1174 } else if (A->getOption().matches(ID: options::OPT_isystem_after)) {
1175 // Handling of paths which must come late. These entries are handled by
1176 // the toolchain itself after the resource dir is inserted in the right
1177 // search order.
1178 // Do not claim the argument so that the use of the argument does not
1179 // silently go unnoticed on toolchains which do not honour the option.
1180 continue;
1181 } else if (A->getOption().matches(ID: options::OPT_stdlibxx_isystem)) {
1182 // Translated to -internal-isystem by the driver, no need to pass to cc1.
1183 continue;
1184 } else if (A->getOption().matches(ID: options::OPT_ibuiltininc)) {
1185 // This is used only by the driver. No need to pass to cc1.
1186 continue;
1187 }
1188
1189 // Not translated, render as usual.
1190 A->claim();
1191 A->render(Args, Output&: CmdArgs);
1192 }
1193
1194 Args.addAllArgs(Output&: CmdArgs,
1195 Ids: {options::OPT_D, options::OPT_U, options::OPT_I_Group,
1196 options::OPT_F, options::OPT_index_header_map,
1197 options::OPT_embed_dir_EQ});
1198
1199 // Add -Wp, and -Xpreprocessor if using the preprocessor.
1200
1201 // FIXME: There is a very unfortunate problem here, some troubled
1202 // souls abuse -Wp, to pass preprocessor options in gcc syntax. To
1203 // really support that we would have to parse and then translate
1204 // those options. :(
1205 Args.AddAllArgValues(Output&: CmdArgs, Id0: options::OPT_Wp_COMMA,
1206 Id1: options::OPT_Xpreprocessor);
1207
1208 // -I- is a deprecated GCC feature, reject it.
1209 if (Arg *A = Args.getLastArg(Ids: options::OPT_I_))
1210 D.Diag(DiagID: diag::err_drv_I_dash_not_supported) << A->getAsString(Args);
1211
1212 // If we have a --sysroot, and don't have an explicit -isysroot flag, add an
1213 // -isysroot to the CC1 invocation.
1214 StringRef sysroot = C.getSysRoot();
1215 if (sysroot != "") {
1216 if (!Args.hasArg(Ids: options::OPT_isysroot)) {
1217 CmdArgs.push_back(Elt: "-isysroot");
1218 CmdArgs.push_back(Elt: C.getArgs().MakeArgString(Str: sysroot));
1219 }
1220 }
1221
1222 // Parse additional include paths from environment variables.
1223 // FIXME: We should probably sink the logic for handling these from the
1224 // frontend into the driver. It will allow deleting 4 otherwise unused flags.
1225 // CPATH - included following the user specified includes (but prior to
1226 // builtin and standard includes).
1227 addDirectoryList(Args, CmdArgs, ArgName: "-I", EnvVar: "CPATH");
1228 // C_INCLUDE_PATH - system includes enabled when compiling C.
1229 addDirectoryList(Args, CmdArgs, ArgName: "-c-isystem", EnvVar: "C_INCLUDE_PATH");
1230 // CPLUS_INCLUDE_PATH - system includes enabled when compiling C++.
1231 addDirectoryList(Args, CmdArgs, ArgName: "-cxx-isystem", EnvVar: "CPLUS_INCLUDE_PATH");
1232 // OBJC_INCLUDE_PATH - system includes enabled when compiling ObjC.
1233 addDirectoryList(Args, CmdArgs, ArgName: "-objc-isystem", EnvVar: "OBJC_INCLUDE_PATH");
1234 // OBJCPLUS_INCLUDE_PATH - system includes enabled when compiling ObjC++.
1235 addDirectoryList(Args, CmdArgs, ArgName: "-objcxx-isystem", EnvVar: "OBJCPLUS_INCLUDE_PATH");
1236
1237 // While adding the include arguments, we also attempt to retrieve the
1238 // arguments of related offloading toolchains or arguments that are specific
1239 // of an offloading programming model.
1240
1241 // Add C++ include arguments, if needed.
1242 if (types::isCXX(Id: Inputs[0].getType())) {
1243 bool HasStdlibxxIsystem = Args.hasArg(Ids: options::OPT_stdlibxx_isystem);
1244 forAllAssociatedToolChains(
1245 C, JA, RegularToolChain: getToolChain(),
1246 Work: [&Args, &CmdArgs, HasStdlibxxIsystem](const ToolChain &TC) {
1247 HasStdlibxxIsystem ? TC.AddClangCXXStdlibIsystemArgs(DriverArgs: Args, CC1Args&: CmdArgs)
1248 : TC.AddClangCXXStdlibIncludeArgs(DriverArgs: Args, CC1Args&: CmdArgs);
1249 });
1250 }
1251
1252 // If we are compiling for a GPU target we want to override the system headers
1253 // with ones created by the 'libc' project if present.
1254 // TODO: This should be moved to `AddClangSystemIncludeArgs` by passing the
1255 // OffloadKind as an argument.
1256 if (!Args.hasArg(Ids: options::OPT_nostdinc) &&
1257 !Args.hasArg(Ids: options::OPT_nogpuinc) &&
1258 !Args.hasArg(Ids: options::OPT_nobuiltininc)) {
1259 // Without an offloading language we will include these headers directly.
1260 // Offloading languages will instead only use the declarations stored in
1261 // the resource directory at clang/lib/Headers/llvm_libc_wrappers.
1262 if ((getToolChain().getTriple().isNVPTX() ||
1263 getToolChain().getTriple().isAMDGCN()) &&
1264 C.getActiveOffloadKinds() == Action::OFK_None) {
1265 SmallString<128> P(llvm::sys::path::parent_path(path: D.Dir));
1266 llvm::sys::path::append(path&: P, a: "include");
1267 llvm::sys::path::append(path&: P, a: getToolChain().getTripleString());
1268 CmdArgs.push_back(Elt: "-internal-isystem");
1269 CmdArgs.push_back(Elt: Args.MakeArgString(Str: P));
1270 } else if (C.getActiveOffloadKinds() == Action::OFK_OpenMP) {
1271 // TODO: CUDA / HIP include their own headers for some common functions
1272 // implemented here. We'll need to clean those up so they do not conflict.
1273 SmallString<128> P(D.ResourceDir);
1274 llvm::sys::path::append(path&: P, a: "include");
1275 llvm::sys::path::append(path&: P, a: "llvm_libc_wrappers");
1276 CmdArgs.push_back(Elt: "-internal-isystem");
1277 CmdArgs.push_back(Elt: Args.MakeArgString(Str: P));
1278 }
1279 }
1280
1281 // Add system include arguments for all targets but IAMCU.
1282 if (!IsIAMCU)
1283 forAllAssociatedToolChains(C, JA, RegularToolChain: getToolChain(),
1284 Work: [&Args, &CmdArgs](const ToolChain &TC) {
1285 TC.AddClangSystemIncludeArgs(DriverArgs: Args, CC1Args&: CmdArgs);
1286 });
1287 else {
1288 // For IAMCU add special include arguments.
1289 getToolChain().AddIAMCUIncludeArgs(DriverArgs: Args, CC1Args&: CmdArgs);
1290 }
1291
1292 addMacroPrefixMapArg(D, Args, CmdArgs);
1293 addCoveragePrefixMapArg(D, Args, CmdArgs);
1294
1295 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_ffile_reproducible,
1296 Ids: options::OPT_fno_file_reproducible);
1297
1298 if (const char *Epoch = std::getenv(name: "SOURCE_DATE_EPOCH")) {
1299 CmdArgs.push_back(Elt: "-source-date-epoch");
1300 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Epoch));
1301 }
1302
1303 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fdefine_target_os_macros,
1304 Neg: options::OPT_fno_define_target_os_macros);
1305}
1306
1307// FIXME: Move to target hook.
1308static bool isSignedCharDefault(const llvm::Triple &Triple) {
1309 switch (Triple.getArch()) {
1310 default:
1311 return true;
1312
1313 case llvm::Triple::aarch64:
1314 case llvm::Triple::aarch64_32:
1315 case llvm::Triple::aarch64_be:
1316 case llvm::Triple::arm:
1317 case llvm::Triple::armeb:
1318 case llvm::Triple::thumb:
1319 case llvm::Triple::thumbeb:
1320 if (Triple.isOSDarwin() || Triple.isOSWindows())
1321 return true;
1322 return false;
1323
1324 case llvm::Triple::ppc:
1325 case llvm::Triple::ppc64:
1326 if (Triple.isOSDarwin())
1327 return true;
1328 return false;
1329
1330 case llvm::Triple::hexagon:
1331 case llvm::Triple::ppcle:
1332 case llvm::Triple::ppc64le:
1333 case llvm::Triple::riscv32:
1334 case llvm::Triple::riscv64:
1335 case llvm::Triple::systemz:
1336 case llvm::Triple::xcore:
1337 return false;
1338 }
1339}
1340
1341static bool hasMultipleInvocations(const llvm::Triple &Triple,
1342 const ArgList &Args) {
1343 // Supported only on Darwin where we invoke the compiler multiple times
1344 // followed by an invocation to lipo.
1345 if (!Triple.isOSDarwin())
1346 return false;
1347 // If more than one "-arch <arch>" is specified, we're targeting multiple
1348 // architectures resulting in a fat binary.
1349 return Args.getAllArgValues(Id: options::OPT_arch).size() > 1;
1350}
1351
1352static bool checkRemarksOptions(const Driver &D, const ArgList &Args,
1353 const llvm::Triple &Triple) {
1354 // When enabling remarks, we need to error if:
1355 // * The remark file is specified but we're targeting multiple architectures,
1356 // which means more than one remark file is being generated.
1357 bool hasMultipleInvocations = ::hasMultipleInvocations(Triple, Args);
1358 bool hasExplicitOutputFile =
1359 Args.getLastArg(Ids: options::OPT_foptimization_record_file_EQ);
1360 if (hasMultipleInvocations && hasExplicitOutputFile) {
1361 D.Diag(DiagID: diag::err_drv_invalid_output_with_multiple_archs)
1362 << "-foptimization-record-file";
1363 return false;
1364 }
1365 return true;
1366}
1367
1368static void renderRemarksOptions(const ArgList &Args, ArgStringList &CmdArgs,
1369 const llvm::Triple &Triple,
1370 const InputInfo &Input,
1371 const InputInfo &Output, const JobAction &JA) {
1372 StringRef Format = "yaml";
1373 if (const Arg *A = Args.getLastArg(Ids: options::OPT_fsave_optimization_record_EQ))
1374 Format = A->getValue();
1375
1376 CmdArgs.push_back(Elt: "-opt-record-file");
1377
1378 const Arg *A = Args.getLastArg(Ids: options::OPT_foptimization_record_file_EQ);
1379 if (A) {
1380 CmdArgs.push_back(Elt: A->getValue());
1381 } else {
1382 bool hasMultipleArchs =
1383 Triple.isOSDarwin() && // Only supported on Darwin platforms.
1384 Args.getAllArgValues(Id: options::OPT_arch).size() > 1;
1385
1386 SmallString<128> F;
1387
1388 if (Args.hasArg(Ids: options::OPT_c) || Args.hasArg(Ids: options::OPT_S)) {
1389 if (Arg *FinalOutput = Args.getLastArg(Ids: options::OPT_o))
1390 F = FinalOutput->getValue();
1391 } else {
1392 if (Format != "yaml" && // For YAML, keep the original behavior.
1393 Triple.isOSDarwin() && // Enable this only on darwin, since it's the only platform supporting .dSYM bundles.
1394 Output.isFilename())
1395 F = Output.getFilename();
1396 }
1397
1398 if (F.empty()) {
1399 // Use the input filename.
1400 F = llvm::sys::path::stem(path: Input.getBaseInput());
1401
1402 // If we're compiling for an offload architecture (i.e. a CUDA device),
1403 // we need to make the file name for the device compilation different
1404 // from the host compilation.
1405 if (!JA.isDeviceOffloading(OKind: Action::OFK_None) &&
1406 !JA.isDeviceOffloading(OKind: Action::OFK_Host)) {
1407 llvm::sys::path::replace_extension(path&: F, extension: "");
1408 F += Action::GetOffloadingFileNamePrefix(Kind: JA.getOffloadingDeviceKind(),
1409 NormalizedTriple: Triple.normalize());
1410 F += "-";
1411 F += JA.getOffloadingArch();
1412 }
1413 }
1414
1415 // If we're having more than one "-arch", we should name the files
1416 // differently so that every cc1 invocation writes to a different file.
1417 // We're doing that by appending "-<arch>" with "<arch>" being the arch
1418 // name from the triple.
1419 if (hasMultipleArchs) {
1420 // First, remember the extension.
1421 SmallString<64> OldExtension = llvm::sys::path::extension(path: F);
1422 // then, remove it.
1423 llvm::sys::path::replace_extension(path&: F, extension: "");
1424 // attach -<arch> to it.
1425 F += "-";
1426 F += Triple.getArchName();
1427 // put back the extension.
1428 llvm::sys::path::replace_extension(path&: F, extension: OldExtension);
1429 }
1430
1431 SmallString<32> Extension;
1432 Extension += "opt.";
1433 Extension += Format;
1434
1435 llvm::sys::path::replace_extension(path&: F, extension: Extension);
1436 CmdArgs.push_back(Elt: Args.MakeArgString(Str: F));
1437 }
1438
1439 if (const Arg *A =
1440 Args.getLastArg(Ids: options::OPT_foptimization_record_passes_EQ)) {
1441 CmdArgs.push_back(Elt: "-opt-record-passes");
1442 CmdArgs.push_back(Elt: A->getValue());
1443 }
1444
1445 if (!Format.empty()) {
1446 CmdArgs.push_back(Elt: "-opt-record-format");
1447 CmdArgs.push_back(Elt: Format.data());
1448 }
1449}
1450
1451void AddAAPCSVolatileBitfieldArgs(const ArgList &Args, ArgStringList &CmdArgs) {
1452 if (!Args.hasFlag(Pos: options::OPT_faapcs_bitfield_width,
1453 Neg: options::OPT_fno_aapcs_bitfield_width, Default: true))
1454 CmdArgs.push_back(Elt: "-fno-aapcs-bitfield-width");
1455
1456 if (Args.getLastArg(Ids: options::OPT_ForceAAPCSBitfieldLoad))
1457 CmdArgs.push_back(Elt: "-faapcs-bitfield-load");
1458}
1459
1460namespace {
1461void RenderARMABI(const Driver &D, const llvm::Triple &Triple,
1462 const ArgList &Args, ArgStringList &CmdArgs) {
1463 // Select the ABI to use.
1464 // FIXME: Support -meabi.
1465 // FIXME: Parts of this are duplicated in the backend, unify this somehow.
1466 const char *ABIName = nullptr;
1467 if (Arg *A = Args.getLastArg(Ids: options::OPT_mabi_EQ)) {
1468 ABIName = A->getValue();
1469 } else {
1470 std::string CPU = getCPUName(D, Args, T: Triple, /*FromAs*/ false);
1471 ABIName = llvm::ARM::computeDefaultTargetABI(TT: Triple, CPU).data();
1472 }
1473
1474 CmdArgs.push_back(Elt: "-target-abi");
1475 CmdArgs.push_back(Elt: ABIName);
1476}
1477
1478void AddUnalignedAccessWarning(ArgStringList &CmdArgs) {
1479 auto StrictAlignIter =
1480 llvm::find_if(Range: llvm::reverse(C&: CmdArgs), P: [](StringRef Arg) {
1481 return Arg == "+strict-align" || Arg == "-strict-align";
1482 });
1483 if (StrictAlignIter != CmdArgs.rend() &&
1484 StringRef(*StrictAlignIter) == "+strict-align")
1485 CmdArgs.push_back(Elt: "-Wunaligned-access");
1486}
1487}
1488
1489// Each combination of options here forms a signing schema, and in most cases
1490// each signing schema is its own incompatible ABI. The default values of the
1491// options represent the default signing schema.
1492static void handlePAuthABI(const ArgList &DriverArgs, ArgStringList &CC1Args) {
1493 if (!DriverArgs.hasArg(Ids: options::OPT_fptrauth_intrinsics,
1494 Ids: options::OPT_fno_ptrauth_intrinsics))
1495 CC1Args.push_back(Elt: "-fptrauth-intrinsics");
1496
1497 if (!DriverArgs.hasArg(Ids: options::OPT_fptrauth_calls,
1498 Ids: options::OPT_fno_ptrauth_calls))
1499 CC1Args.push_back(Elt: "-fptrauth-calls");
1500
1501 if (!DriverArgs.hasArg(Ids: options::OPT_fptrauth_returns,
1502 Ids: options::OPT_fno_ptrauth_returns))
1503 CC1Args.push_back(Elt: "-fptrauth-returns");
1504
1505 if (!DriverArgs.hasArg(Ids: options::OPT_fptrauth_auth_traps,
1506 Ids: options::OPT_fno_ptrauth_auth_traps))
1507 CC1Args.push_back(Elt: "-fptrauth-auth-traps");
1508
1509 if (!DriverArgs.hasArg(
1510 Ids: options::OPT_fptrauth_vtable_pointer_address_discrimination,
1511 Ids: options::OPT_fno_ptrauth_vtable_pointer_address_discrimination))
1512 CC1Args.push_back(Elt: "-fptrauth-vtable-pointer-address-discrimination");
1513
1514 if (!DriverArgs.hasArg(
1515 Ids: options::OPT_fptrauth_vtable_pointer_type_discrimination,
1516 Ids: options::OPT_fno_ptrauth_vtable_pointer_type_discrimination))
1517 CC1Args.push_back(Elt: "-fptrauth-vtable-pointer-type-discrimination");
1518
1519 if (!DriverArgs.hasArg(Ids: options::OPT_fptrauth_indirect_gotos,
1520 Ids: options::OPT_fno_ptrauth_indirect_gotos))
1521 CC1Args.push_back(Elt: "-fptrauth-indirect-gotos");
1522
1523 if (!DriverArgs.hasArg(Ids: options::OPT_fptrauth_init_fini,
1524 Ids: options::OPT_fno_ptrauth_init_fini))
1525 CC1Args.push_back(Elt: "-fptrauth-init-fini");
1526}
1527
1528static void CollectARMPACBTIOptions(const ToolChain &TC, const ArgList &Args,
1529 ArgStringList &CmdArgs, bool isAArch64) {
1530 const Arg *A = isAArch64
1531 ? Args.getLastArg(Ids: options::OPT_msign_return_address_EQ,
1532 Ids: options::OPT_mbranch_protection_EQ)
1533 : Args.getLastArg(Ids: options::OPT_mbranch_protection_EQ);
1534 if (!A)
1535 return;
1536
1537 const Driver &D = TC.getDriver();
1538 const llvm::Triple &Triple = TC.getEffectiveTriple();
1539 if (!(isAArch64 || (Triple.isArmT32() && Triple.isArmMClass())))
1540 D.Diag(DiagID: diag::warn_incompatible_branch_protection_option)
1541 << Triple.getArchName();
1542
1543 StringRef Scope, Key;
1544 bool IndirectBranches, BranchProtectionPAuthLR, GuardedControlStack;
1545
1546 if (A->getOption().matches(ID: options::OPT_msign_return_address_EQ)) {
1547 Scope = A->getValue();
1548 if (Scope != "none" && Scope != "non-leaf" && Scope != "all")
1549 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
1550 << A->getSpelling() << Scope;
1551 Key = "a_key";
1552 IndirectBranches = false;
1553 BranchProtectionPAuthLR = false;
1554 GuardedControlStack = false;
1555 } else {
1556 StringRef DiagMsg;
1557 llvm::ARM::ParsedBranchProtection PBP;
1558 bool EnablePAuthLR = false;
1559
1560 // To know if we need to enable PAuth-LR As part of the standard branch
1561 // protection option, it needs to be determined if the feature has been
1562 // activated in the `march` argument. This information is stored within the
1563 // CmdArgs variable and can be found using a search.
1564 if (isAArch64) {
1565 auto isPAuthLR = [](const char *member) {
1566 llvm::AArch64::ExtensionInfo pauthlr_extension =
1567 llvm::AArch64::getExtensionByID(ExtID: llvm::AArch64::AEK_PAUTHLR);
1568 return pauthlr_extension.PosTargetFeature == member;
1569 };
1570
1571 if (std::any_of(first: CmdArgs.begin(), last: CmdArgs.end(), pred: isPAuthLR))
1572 EnablePAuthLR = true;
1573 }
1574 if (!llvm::ARM::parseBranchProtection(Spec: A->getValue(), PBP, Err&: DiagMsg,
1575 EnablePAuthLR))
1576 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
1577 << A->getSpelling() << DiagMsg;
1578 if (!isAArch64 && PBP.Key == "b_key")
1579 D.Diag(DiagID: diag::warn_unsupported_branch_protection)
1580 << "b-key" << A->getAsString(Args);
1581 Scope = PBP.Scope;
1582 Key = PBP.Key;
1583 BranchProtectionPAuthLR = PBP.BranchProtectionPAuthLR;
1584 IndirectBranches = PBP.BranchTargetEnforcement;
1585 GuardedControlStack = PBP.GuardedControlStack;
1586 }
1587
1588 CmdArgs.push_back(
1589 Elt: Args.MakeArgString(Str: Twine("-msign-return-address=") + Scope));
1590 if (Scope != "none") {
1591 if (Triple.getEnvironment() == llvm::Triple::PAuthTest)
1592 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
1593 << A->getAsString(Args) << Triple.getTriple();
1594 CmdArgs.push_back(
1595 Elt: Args.MakeArgString(Str: Twine("-msign-return-address-key=") + Key));
1596 }
1597 if (BranchProtectionPAuthLR) {
1598 if (Triple.getEnvironment() == llvm::Triple::PAuthTest)
1599 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
1600 << A->getAsString(Args) << Triple.getTriple();
1601 CmdArgs.push_back(
1602 Elt: Args.MakeArgString(Str: Twine("-mbranch-protection-pauth-lr")));
1603 }
1604 if (IndirectBranches)
1605 CmdArgs.push_back(Elt: "-mbranch-target-enforce");
1606 // GCS is currently untested with PAuthABI, but enabling this could be allowed
1607 // in future after testing with a suitable system.
1608 if (GuardedControlStack) {
1609 if (Triple.getEnvironment() == llvm::Triple::PAuthTest)
1610 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
1611 << A->getAsString(Args) << Triple.getTriple();
1612 CmdArgs.push_back(Elt: "-mguarded-control-stack");
1613 }
1614}
1615
1616void Clang::AddARMTargetArgs(const llvm::Triple &Triple, const ArgList &Args,
1617 ArgStringList &CmdArgs, bool KernelOrKext) const {
1618 RenderARMABI(D: getToolChain().getDriver(), Triple, Args, CmdArgs);
1619
1620 // Determine floating point ABI from the options & target defaults.
1621 arm::FloatABI ABI = arm::getARMFloatABI(TC: getToolChain(), Args);
1622 if (ABI == arm::FloatABI::Soft) {
1623 // Floating point operations and argument passing are soft.
1624 // FIXME: This changes CPP defines, we need -target-soft-float.
1625 CmdArgs.push_back(Elt: "-msoft-float");
1626 CmdArgs.push_back(Elt: "-mfloat-abi");
1627 CmdArgs.push_back(Elt: "soft");
1628 } else if (ABI == arm::FloatABI::SoftFP) {
1629 // Floating point operations are hard, but argument passing is soft.
1630 CmdArgs.push_back(Elt: "-mfloat-abi");
1631 CmdArgs.push_back(Elt: "soft");
1632 } else {
1633 // Floating point operations and argument passing are hard.
1634 assert(ABI == arm::FloatABI::Hard && "Invalid float abi!");
1635 CmdArgs.push_back(Elt: "-mfloat-abi");
1636 CmdArgs.push_back(Elt: "hard");
1637 }
1638
1639 // Forward the -mglobal-merge option for explicit control over the pass.
1640 if (Arg *A = Args.getLastArg(Ids: options::OPT_mglobal_merge,
1641 Ids: options::OPT_mno_global_merge)) {
1642 CmdArgs.push_back(Elt: "-mllvm");
1643 if (A->getOption().matches(ID: options::OPT_mno_global_merge))
1644 CmdArgs.push_back(Elt: "-arm-global-merge=false");
1645 else
1646 CmdArgs.push_back(Elt: "-arm-global-merge=true");
1647 }
1648
1649 if (!Args.hasFlag(Pos: options::OPT_mimplicit_float,
1650 Neg: options::OPT_mno_implicit_float, Default: true))
1651 CmdArgs.push_back(Elt: "-no-implicit-float");
1652
1653 if (Args.getLastArg(Ids: options::OPT_mcmse))
1654 CmdArgs.push_back(Elt: "-mcmse");
1655
1656 AddAAPCSVolatileBitfieldArgs(Args, CmdArgs);
1657
1658 // Enable/disable return address signing and indirect branch targets.
1659 CollectARMPACBTIOptions(TC: getToolChain(), Args, CmdArgs, isAArch64: false /*isAArch64*/);
1660
1661 AddUnalignedAccessWarning(CmdArgs);
1662}
1663
1664void Clang::RenderTargetOptions(const llvm::Triple &EffectiveTriple,
1665 const ArgList &Args, bool KernelOrKext,
1666 ArgStringList &CmdArgs) const {
1667 const ToolChain &TC = getToolChain();
1668
1669 // Add the target features
1670 getTargetFeatures(D: TC.getDriver(), Triple: EffectiveTriple, Args, CmdArgs, ForAS: false);
1671
1672 // Add target specific flags.
1673 switch (TC.getArch()) {
1674 default:
1675 break;
1676
1677 case llvm::Triple::arm:
1678 case llvm::Triple::armeb:
1679 case llvm::Triple::thumb:
1680 case llvm::Triple::thumbeb:
1681 // Use the effective triple, which takes into account the deployment target.
1682 AddARMTargetArgs(Triple: EffectiveTriple, Args, CmdArgs, KernelOrKext);
1683 break;
1684
1685 case llvm::Triple::aarch64:
1686 case llvm::Triple::aarch64_32:
1687 case llvm::Triple::aarch64_be:
1688 AddAArch64TargetArgs(Args, CmdArgs);
1689 break;
1690
1691 case llvm::Triple::loongarch32:
1692 case llvm::Triple::loongarch64:
1693 AddLoongArchTargetArgs(Args, CmdArgs);
1694 break;
1695
1696 case llvm::Triple::mips:
1697 case llvm::Triple::mipsel:
1698 case llvm::Triple::mips64:
1699 case llvm::Triple::mips64el:
1700 AddMIPSTargetArgs(Args, CmdArgs);
1701 break;
1702
1703 case llvm::Triple::ppc:
1704 case llvm::Triple::ppcle:
1705 case llvm::Triple::ppc64:
1706 case llvm::Triple::ppc64le:
1707 AddPPCTargetArgs(Args, CmdArgs);
1708 break;
1709
1710 case llvm::Triple::riscv32:
1711 case llvm::Triple::riscv64:
1712 AddRISCVTargetArgs(Args, CmdArgs);
1713 break;
1714
1715 case llvm::Triple::sparc:
1716 case llvm::Triple::sparcel:
1717 case llvm::Triple::sparcv9:
1718 AddSparcTargetArgs(Args, CmdArgs);
1719 break;
1720
1721 case llvm::Triple::systemz:
1722 AddSystemZTargetArgs(Args, CmdArgs);
1723 break;
1724
1725 case llvm::Triple::x86:
1726 case llvm::Triple::x86_64:
1727 AddX86TargetArgs(Args, CmdArgs);
1728 break;
1729
1730 case llvm::Triple::lanai:
1731 AddLanaiTargetArgs(Args, CmdArgs);
1732 break;
1733
1734 case llvm::Triple::hexagon:
1735 AddHexagonTargetArgs(Args, CmdArgs);
1736 break;
1737
1738 case llvm::Triple::wasm32:
1739 case llvm::Triple::wasm64:
1740 AddWebAssemblyTargetArgs(Args, CmdArgs);
1741 break;
1742
1743 case llvm::Triple::ve:
1744 AddVETargetArgs(Args, CmdArgs);
1745 break;
1746 }
1747}
1748
1749namespace {
1750void RenderAArch64ABI(const llvm::Triple &Triple, const ArgList &Args,
1751 ArgStringList &CmdArgs) {
1752 const char *ABIName = nullptr;
1753 if (Arg *A = Args.getLastArg(Ids: options::OPT_mabi_EQ))
1754 ABIName = A->getValue();
1755 else if (Triple.isOSDarwin())
1756 ABIName = "darwinpcs";
1757 else if (Triple.getEnvironment() == llvm::Triple::PAuthTest)
1758 ABIName = "pauthtest";
1759 else
1760 ABIName = "aapcs";
1761
1762 CmdArgs.push_back(Elt: "-target-abi");
1763 CmdArgs.push_back(Elt: ABIName);
1764}
1765}
1766
1767void Clang::AddAArch64TargetArgs(const ArgList &Args,
1768 ArgStringList &CmdArgs) const {
1769 const llvm::Triple &Triple = getToolChain().getEffectiveTriple();
1770
1771 if (!Args.hasFlag(Pos: options::OPT_mred_zone, Neg: options::OPT_mno_red_zone, Default: true) ||
1772 Args.hasArg(Ids: options::OPT_mkernel) ||
1773 Args.hasArg(Ids: options::OPT_fapple_kext))
1774 CmdArgs.push_back(Elt: "-disable-red-zone");
1775
1776 if (!Args.hasFlag(Pos: options::OPT_mimplicit_float,
1777 Neg: options::OPT_mno_implicit_float, Default: true))
1778 CmdArgs.push_back(Elt: "-no-implicit-float");
1779
1780 RenderAArch64ABI(Triple, Args, CmdArgs);
1781
1782 // Forward the -mglobal-merge option for explicit control over the pass.
1783 if (Arg *A = Args.getLastArg(Ids: options::OPT_mglobal_merge,
1784 Ids: options::OPT_mno_global_merge)) {
1785 CmdArgs.push_back(Elt: "-mllvm");
1786 if (A->getOption().matches(ID: options::OPT_mno_global_merge))
1787 CmdArgs.push_back(Elt: "-aarch64-enable-global-merge=false");
1788 else
1789 CmdArgs.push_back(Elt: "-aarch64-enable-global-merge=true");
1790 }
1791
1792 // Enable/disable return address signing and indirect branch targets.
1793 CollectARMPACBTIOptions(TC: getToolChain(), Args, CmdArgs, isAArch64: true /*isAArch64*/);
1794
1795 if (Triple.getEnvironment() == llvm::Triple::PAuthTest)
1796 handlePAuthABI(DriverArgs: Args, CC1Args&: CmdArgs);
1797
1798 // Handle -msve_vector_bits=<bits>
1799 if (Arg *A = Args.getLastArg(Ids: options::OPT_msve_vector_bits_EQ)) {
1800 StringRef Val = A->getValue();
1801 const Driver &D = getToolChain().getDriver();
1802 if (Val == "128" || Val == "256" || Val == "512" || Val == "1024" ||
1803 Val == "2048" || Val == "128+" || Val == "256+" || Val == "512+" ||
1804 Val == "1024+" || Val == "2048+") {
1805 unsigned Bits = 0;
1806 if (!Val.consume_back(Suffix: "+")) {
1807 bool Invalid = Val.getAsInteger(Radix: 10, Result&: Bits); (void)Invalid;
1808 assert(!Invalid && "Failed to parse value");
1809 CmdArgs.push_back(
1810 Elt: Args.MakeArgString(Str: "-mvscale-max=" + llvm::Twine(Bits / 128)));
1811 }
1812
1813 bool Invalid = Val.getAsInteger(Radix: 10, Result&: Bits); (void)Invalid;
1814 assert(!Invalid && "Failed to parse value");
1815 CmdArgs.push_back(
1816 Elt: Args.MakeArgString(Str: "-mvscale-min=" + llvm::Twine(Bits / 128)));
1817 // Silently drop requests for vector-length agnostic code as it's implied.
1818 } else if (Val != "scalable")
1819 // Handle the unsupported values passed to msve-vector-bits.
1820 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
1821 << A->getSpelling() << Val;
1822 }
1823
1824 AddAAPCSVolatileBitfieldArgs(Args, CmdArgs);
1825
1826 if (const Arg *A = Args.getLastArg(Ids: clang::driver::options::OPT_mtune_EQ)) {
1827 CmdArgs.push_back(Elt: "-tune-cpu");
1828 if (strcmp(s1: A->getValue(), s2: "native") == 0)
1829 CmdArgs.push_back(Elt: Args.MakeArgString(Str: llvm::sys::getHostCPUName()));
1830 else
1831 CmdArgs.push_back(Elt: A->getValue());
1832 }
1833
1834 AddUnalignedAccessWarning(CmdArgs);
1835
1836 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fptrauth_intrinsics,
1837 Neg: options::OPT_fno_ptrauth_intrinsics);
1838 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fptrauth_calls,
1839 Neg: options::OPT_fno_ptrauth_calls);
1840 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fptrauth_returns,
1841 Neg: options::OPT_fno_ptrauth_returns);
1842 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fptrauth_auth_traps,
1843 Neg: options::OPT_fno_ptrauth_auth_traps);
1844 Args.addOptInFlag(
1845 Output&: CmdArgs, Pos: options::OPT_fptrauth_vtable_pointer_address_discrimination,
1846 Neg: options::OPT_fno_ptrauth_vtable_pointer_address_discrimination);
1847 Args.addOptInFlag(
1848 Output&: CmdArgs, Pos: options::OPT_fptrauth_vtable_pointer_type_discrimination,
1849 Neg: options::OPT_fno_ptrauth_vtable_pointer_type_discrimination);
1850 Args.addOptInFlag(
1851 Output&: CmdArgs, Pos: options::OPT_fptrauth_type_info_vtable_pointer_discrimination,
1852 Neg: options::OPT_fno_ptrauth_type_info_vtable_pointer_discrimination);
1853 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fptrauth_init_fini,
1854 Neg: options::OPT_fno_ptrauth_init_fini);
1855 Args.addOptInFlag(
1856 Output&: CmdArgs, Pos: options::OPT_fptrauth_function_pointer_type_discrimination,
1857 Neg: options::OPT_fno_ptrauth_function_pointer_type_discrimination);
1858
1859 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fptrauth_indirect_gotos,
1860 Neg: options::OPT_fno_ptrauth_indirect_gotos);
1861}
1862
1863void Clang::AddLoongArchTargetArgs(const ArgList &Args,
1864 ArgStringList &CmdArgs) const {
1865 const llvm::Triple &Triple = getToolChain().getTriple();
1866
1867 CmdArgs.push_back(Elt: "-target-abi");
1868 CmdArgs.push_back(
1869 Elt: loongarch::getLoongArchABI(D: getToolChain().getDriver(), Args, Triple)
1870 .data());
1871
1872 // Handle -mtune.
1873 if (const Arg *A = Args.getLastArg(Ids: options::OPT_mtune_EQ)) {
1874 std::string TuneCPU = A->getValue();
1875 TuneCPU = loongarch::postProcessTargetCPUString(CPU: TuneCPU, Triple);
1876 CmdArgs.push_back(Elt: "-tune-cpu");
1877 CmdArgs.push_back(Elt: Args.MakeArgString(Str: TuneCPU));
1878 }
1879}
1880
1881void Clang::AddMIPSTargetArgs(const ArgList &Args,
1882 ArgStringList &CmdArgs) const {
1883 const Driver &D = getToolChain().getDriver();
1884 StringRef CPUName;
1885 StringRef ABIName;
1886 const llvm::Triple &Triple = getToolChain().getTriple();
1887 mips::getMipsCPUAndABI(Args, Triple, CPUName, ABIName);
1888
1889 CmdArgs.push_back(Elt: "-target-abi");
1890 CmdArgs.push_back(Elt: ABIName.data());
1891
1892 mips::FloatABI ABI = mips::getMipsFloatABI(D, Args, Triple);
1893 if (ABI == mips::FloatABI::Soft) {
1894 // Floating point operations and argument passing are soft.
1895 CmdArgs.push_back(Elt: "-msoft-float");
1896 CmdArgs.push_back(Elt: "-mfloat-abi");
1897 CmdArgs.push_back(Elt: "soft");
1898 } else {
1899 // Floating point operations and argument passing are hard.
1900 assert(ABI == mips::FloatABI::Hard && "Invalid float abi!");
1901 CmdArgs.push_back(Elt: "-mfloat-abi");
1902 CmdArgs.push_back(Elt: "hard");
1903 }
1904
1905 if (Arg *A = Args.getLastArg(Ids: options::OPT_mldc1_sdc1,
1906 Ids: options::OPT_mno_ldc1_sdc1)) {
1907 if (A->getOption().matches(ID: options::OPT_mno_ldc1_sdc1)) {
1908 CmdArgs.push_back(Elt: "-mllvm");
1909 CmdArgs.push_back(Elt: "-mno-ldc1-sdc1");
1910 }
1911 }
1912
1913 if (Arg *A = Args.getLastArg(Ids: options::OPT_mcheck_zero_division,
1914 Ids: options::OPT_mno_check_zero_division)) {
1915 if (A->getOption().matches(ID: options::OPT_mno_check_zero_division)) {
1916 CmdArgs.push_back(Elt: "-mllvm");
1917 CmdArgs.push_back(Elt: "-mno-check-zero-division");
1918 }
1919 }
1920
1921 if (Args.getLastArg(Ids: options::OPT_mfix4300)) {
1922 CmdArgs.push_back(Elt: "-mllvm");
1923 CmdArgs.push_back(Elt: "-mfix4300");
1924 }
1925
1926 if (Arg *A = Args.getLastArg(Ids: options::OPT_G)) {
1927 StringRef v = A->getValue();
1928 CmdArgs.push_back(Elt: "-mllvm");
1929 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-mips-ssection-threshold=" + v));
1930 A->claim();
1931 }
1932
1933 Arg *GPOpt = Args.getLastArg(Ids: options::OPT_mgpopt, Ids: options::OPT_mno_gpopt);
1934 Arg *ABICalls =
1935 Args.getLastArg(Ids: options::OPT_mabicalls, Ids: options::OPT_mno_abicalls);
1936
1937 // -mabicalls is the default for many MIPS environments, even with -fno-pic.
1938 // -mgpopt is the default for static, -fno-pic environments but these two
1939 // options conflict. We want to be certain that -mno-abicalls -mgpopt is
1940 // the only case where -mllvm -mgpopt is passed.
1941 // NOTE: We need a warning here or in the backend to warn when -mgpopt is
1942 // passed explicitly when compiling something with -mabicalls
1943 // (implictly) in affect. Currently the warning is in the backend.
1944 //
1945 // When the ABI in use is N64, we also need to determine the PIC mode that
1946 // is in use, as -fno-pic for N64 implies -mno-abicalls.
1947 bool NoABICalls =
1948 ABICalls && ABICalls->getOption().matches(ID: options::OPT_mno_abicalls);
1949
1950 llvm::Reloc::Model RelocationModel;
1951 unsigned PICLevel;
1952 bool IsPIE;
1953 std::tie(args&: RelocationModel, args&: PICLevel, args&: IsPIE) =
1954 ParsePICArgs(ToolChain: getToolChain(), Args);
1955
1956 NoABICalls = NoABICalls ||
1957 (RelocationModel == llvm::Reloc::Static && ABIName == "n64");
1958
1959 bool WantGPOpt = GPOpt && GPOpt->getOption().matches(ID: options::OPT_mgpopt);
1960 // We quietly ignore -mno-gpopt as the backend defaults to -mno-gpopt.
1961 if (NoABICalls && (!GPOpt || WantGPOpt)) {
1962 CmdArgs.push_back(Elt: "-mllvm");
1963 CmdArgs.push_back(Elt: "-mgpopt");
1964
1965 Arg *LocalSData = Args.getLastArg(Ids: options::OPT_mlocal_sdata,
1966 Ids: options::OPT_mno_local_sdata);
1967 Arg *ExternSData = Args.getLastArg(Ids: options::OPT_mextern_sdata,
1968 Ids: options::OPT_mno_extern_sdata);
1969 Arg *EmbeddedData = Args.getLastArg(Ids: options::OPT_membedded_data,
1970 Ids: options::OPT_mno_embedded_data);
1971 if (LocalSData) {
1972 CmdArgs.push_back(Elt: "-mllvm");
1973 if (LocalSData->getOption().matches(ID: options::OPT_mlocal_sdata)) {
1974 CmdArgs.push_back(Elt: "-mlocal-sdata=1");
1975 } else {
1976 CmdArgs.push_back(Elt: "-mlocal-sdata=0");
1977 }
1978 LocalSData->claim();
1979 }
1980
1981 if (ExternSData) {
1982 CmdArgs.push_back(Elt: "-mllvm");
1983 if (ExternSData->getOption().matches(ID: options::OPT_mextern_sdata)) {
1984 CmdArgs.push_back(Elt: "-mextern-sdata=1");
1985 } else {
1986 CmdArgs.push_back(Elt: "-mextern-sdata=0");
1987 }
1988 ExternSData->claim();
1989 }
1990
1991 if (EmbeddedData) {
1992 CmdArgs.push_back(Elt: "-mllvm");
1993 if (EmbeddedData->getOption().matches(ID: options::OPT_membedded_data)) {
1994 CmdArgs.push_back(Elt: "-membedded-data=1");
1995 } else {
1996 CmdArgs.push_back(Elt: "-membedded-data=0");
1997 }
1998 EmbeddedData->claim();
1999 }
2000
2001 } else if ((!ABICalls || (!NoABICalls && ABICalls)) && WantGPOpt)
2002 D.Diag(DiagID: diag::warn_drv_unsupported_gpopt) << (ABICalls ? 0 : 1);
2003
2004 if (GPOpt)
2005 GPOpt->claim();
2006
2007 if (Arg *A = Args.getLastArg(Ids: options::OPT_mcompact_branches_EQ)) {
2008 StringRef Val = StringRef(A->getValue());
2009 if (mips::hasCompactBranches(CPU&: CPUName)) {
2010 if (Val == "never" || Val == "always" || Val == "optimal") {
2011 CmdArgs.push_back(Elt: "-mllvm");
2012 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-mips-compact-branches=" + Val));
2013 } else
2014 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
2015 << A->getSpelling() << Val;
2016 } else
2017 D.Diag(DiagID: diag::warn_target_unsupported_compact_branches) << CPUName;
2018 }
2019
2020 if (Arg *A = Args.getLastArg(Ids: options::OPT_mrelax_pic_calls,
2021 Ids: options::OPT_mno_relax_pic_calls)) {
2022 if (A->getOption().matches(ID: options::OPT_mno_relax_pic_calls)) {
2023 CmdArgs.push_back(Elt: "-mllvm");
2024 CmdArgs.push_back(Elt: "-mips-jalr-reloc=0");
2025 }
2026 }
2027}
2028
2029void Clang::AddPPCTargetArgs(const ArgList &Args,
2030 ArgStringList &CmdArgs) const {
2031 const Driver &D = getToolChain().getDriver();
2032 const llvm::Triple &T = getToolChain().getTriple();
2033 if (Args.getLastArg(Ids: options::OPT_mtune_EQ)) {
2034 CmdArgs.push_back(Elt: "-tune-cpu");
2035 std::string CPU = ppc::getPPCTuneCPU(Args, T);
2036 CmdArgs.push_back(Elt: Args.MakeArgString(Str: CPU));
2037 }
2038
2039 // Select the ABI to use.
2040 const char *ABIName = nullptr;
2041 if (T.isOSBinFormatELF()) {
2042 switch (getToolChain().getArch()) {
2043 case llvm::Triple::ppc64: {
2044 if (T.isPPC64ELFv2ABI())
2045 ABIName = "elfv2";
2046 else
2047 ABIName = "elfv1";
2048 break;
2049 }
2050 case llvm::Triple::ppc64le:
2051 ABIName = "elfv2";
2052 break;
2053 default:
2054 break;
2055 }
2056 }
2057
2058 bool IEEELongDouble = getToolChain().defaultToIEEELongDouble();
2059 bool VecExtabi = false;
2060 for (const Arg *A : Args.filtered(Ids: options::OPT_mabi_EQ)) {
2061 StringRef V = A->getValue();
2062 if (V == "ieeelongdouble") {
2063 IEEELongDouble = true;
2064 A->claim();
2065 } else if (V == "ibmlongdouble") {
2066 IEEELongDouble = false;
2067 A->claim();
2068 } else if (V == "vec-default") {
2069 VecExtabi = false;
2070 A->claim();
2071 } else if (V == "vec-extabi") {
2072 VecExtabi = true;
2073 A->claim();
2074 } else if (V == "elfv1") {
2075 ABIName = "elfv1";
2076 A->claim();
2077 } else if (V == "elfv2") {
2078 ABIName = "elfv2";
2079 A->claim();
2080 } else if (V != "altivec")
2081 // The ppc64 linux abis are all "altivec" abis by default. Accept and ignore
2082 // the option if given as we don't have backend support for any targets
2083 // that don't use the altivec abi.
2084 ABIName = A->getValue();
2085 }
2086 if (IEEELongDouble)
2087 CmdArgs.push_back(Elt: "-mabi=ieeelongdouble");
2088 if (VecExtabi) {
2089 if (!T.isOSAIX())
2090 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
2091 << "-mabi=vec-extabi" << T.str();
2092 CmdArgs.push_back(Elt: "-mabi=vec-extabi");
2093 }
2094
2095 ppc::FloatABI FloatABI = ppc::getPPCFloatABI(D, Args);
2096 if (FloatABI == ppc::FloatABI::Soft) {
2097 // Floating point operations and argument passing are soft.
2098 CmdArgs.push_back(Elt: "-msoft-float");
2099 CmdArgs.push_back(Elt: "-mfloat-abi");
2100 CmdArgs.push_back(Elt: "soft");
2101 } else {
2102 // Floating point operations and argument passing are hard.
2103 assert(FloatABI == ppc::FloatABI::Hard && "Invalid float abi!");
2104 CmdArgs.push_back(Elt: "-mfloat-abi");
2105 CmdArgs.push_back(Elt: "hard");
2106 }
2107
2108 if (ABIName) {
2109 CmdArgs.push_back(Elt: "-target-abi");
2110 CmdArgs.push_back(Elt: ABIName);
2111 }
2112}
2113
2114static void SetRISCVSmallDataLimit(const ToolChain &TC, const ArgList &Args,
2115 ArgStringList &CmdArgs) {
2116 const Driver &D = TC.getDriver();
2117 const llvm::Triple &Triple = TC.getTriple();
2118 // Default small data limitation is eight.
2119 const char *SmallDataLimit = "8";
2120 // Get small data limitation.
2121 if (Args.getLastArg(Ids: options::OPT_shared, Ids: options::OPT_fpic,
2122 Ids: options::OPT_fPIC)) {
2123 // Not support linker relaxation for PIC.
2124 SmallDataLimit = "0";
2125 if (Args.hasArg(Ids: options::OPT_G)) {
2126 D.Diag(DiagID: diag::warn_drv_unsupported_sdata);
2127 }
2128 } else if (Args.getLastArgValue(Id: options::OPT_mcmodel_EQ)
2129 .equals_insensitive(RHS: "large") &&
2130 (Triple.getArch() == llvm::Triple::riscv64)) {
2131 // Not support linker relaxation for RV64 with large code model.
2132 SmallDataLimit = "0";
2133 if (Args.hasArg(Ids: options::OPT_G)) {
2134 D.Diag(DiagID: diag::warn_drv_unsupported_sdata);
2135 }
2136 } else if (Triple.isAndroid()) {
2137 // GP relaxation is not supported on Android.
2138 SmallDataLimit = "0";
2139 if (Args.hasArg(Ids: options::OPT_G)) {
2140 D.Diag(DiagID: diag::warn_drv_unsupported_sdata);
2141 }
2142 } else if (Arg *A = Args.getLastArg(Ids: options::OPT_G)) {
2143 SmallDataLimit = A->getValue();
2144 }
2145 // Forward the -msmall-data-limit= option.
2146 CmdArgs.push_back(Elt: "-msmall-data-limit");
2147 CmdArgs.push_back(Elt: SmallDataLimit);
2148}
2149
2150void Clang::AddRISCVTargetArgs(const ArgList &Args,
2151 ArgStringList &CmdArgs) const {
2152 const llvm::Triple &Triple = getToolChain().getTriple();
2153 StringRef ABIName = riscv::getRISCVABI(Args, Triple);
2154
2155 CmdArgs.push_back(Elt: "-target-abi");
2156 CmdArgs.push_back(Elt: ABIName.data());
2157
2158 SetRISCVSmallDataLimit(TC: getToolChain(), Args, CmdArgs);
2159
2160 if (!Args.hasFlag(Pos: options::OPT_mimplicit_float,
2161 Neg: options::OPT_mno_implicit_float, Default: true))
2162 CmdArgs.push_back(Elt: "-no-implicit-float");
2163
2164 if (const Arg *A = Args.getLastArg(Ids: options::OPT_mtune_EQ)) {
2165 CmdArgs.push_back(Elt: "-tune-cpu");
2166 if (strcmp(s1: A->getValue(), s2: "native") == 0)
2167 CmdArgs.push_back(Elt: Args.MakeArgString(Str: llvm::sys::getHostCPUName()));
2168 else
2169 CmdArgs.push_back(Elt: A->getValue());
2170 }
2171
2172 // Handle -mrvv-vector-bits=<bits>
2173 if (Arg *A = Args.getLastArg(Ids: options::OPT_mrvv_vector_bits_EQ)) {
2174 StringRef Val = A->getValue();
2175 const Driver &D = getToolChain().getDriver();
2176
2177 // Get minimum VLen from march.
2178 unsigned MinVLen = 0;
2179 std::string Arch = riscv::getRISCVArch(Args, Triple);
2180 auto ISAInfo = llvm::RISCVISAInfo::parseArchString(
2181 Arch, /*EnableExperimentalExtensions*/ EnableExperimentalExtension: true);
2182 // Ignore parsing error.
2183 if (!errorToBool(Err: ISAInfo.takeError()))
2184 MinVLen = (*ISAInfo)->getMinVLen();
2185
2186 // If the value is "zvl", use MinVLen from march. Otherwise, try to parse
2187 // as integer as long as we have a MinVLen.
2188 unsigned Bits = 0;
2189 if (Val == "zvl" && MinVLen >= llvm::RISCV::RVVBitsPerBlock) {
2190 Bits = MinVLen;
2191 } else if (!Val.getAsInteger(Radix: 10, Result&: Bits)) {
2192 // Only accept power of 2 values beteen RVVBitsPerBlock and 65536 that
2193 // at least MinVLen.
2194 if (Bits < MinVLen || Bits < llvm::RISCV::RVVBitsPerBlock ||
2195 Bits > 65536 || !llvm::isPowerOf2_32(Value: Bits))
2196 Bits = 0;
2197 }
2198
2199 // If we got a valid value try to use it.
2200 if (Bits != 0) {
2201 unsigned VScaleMin = Bits / llvm::RISCV::RVVBitsPerBlock;
2202 CmdArgs.push_back(
2203 Elt: Args.MakeArgString(Str: "-mvscale-max=" + llvm::Twine(VScaleMin)));
2204 CmdArgs.push_back(
2205 Elt: Args.MakeArgString(Str: "-mvscale-min=" + llvm::Twine(VScaleMin)));
2206 } else if (Val != "scalable") {
2207 // Handle the unsupported values passed to mrvv-vector-bits.
2208 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
2209 << A->getSpelling() << Val;
2210 }
2211 }
2212}
2213
2214void Clang::AddSparcTargetArgs(const ArgList &Args,
2215 ArgStringList &CmdArgs) const {
2216 sparc::FloatABI FloatABI =
2217 sparc::getSparcFloatABI(D: getToolChain().getDriver(), Args);
2218
2219 if (FloatABI == sparc::FloatABI::Soft) {
2220 // Floating point operations and argument passing are soft.
2221 CmdArgs.push_back(Elt: "-msoft-float");
2222 CmdArgs.push_back(Elt: "-mfloat-abi");
2223 CmdArgs.push_back(Elt: "soft");
2224 } else {
2225 // Floating point operations and argument passing are hard.
2226 assert(FloatABI == sparc::FloatABI::Hard && "Invalid float abi!");
2227 CmdArgs.push_back(Elt: "-mfloat-abi");
2228 CmdArgs.push_back(Elt: "hard");
2229 }
2230
2231 if (const Arg *A = Args.getLastArg(Ids: clang::driver::options::OPT_mtune_EQ)) {
2232 StringRef Name = A->getValue();
2233 std::string TuneCPU;
2234 if (Name == "native")
2235 TuneCPU = std::string(llvm::sys::getHostCPUName());
2236 else
2237 TuneCPU = std::string(Name);
2238
2239 CmdArgs.push_back(Elt: "-tune-cpu");
2240 CmdArgs.push_back(Elt: Args.MakeArgString(Str: TuneCPU));
2241 }
2242}
2243
2244void Clang::AddSystemZTargetArgs(const ArgList &Args,
2245 ArgStringList &CmdArgs) const {
2246 if (const Arg *A = Args.getLastArg(Ids: options::OPT_mtune_EQ)) {
2247 CmdArgs.push_back(Elt: "-tune-cpu");
2248 if (strcmp(s1: A->getValue(), s2: "native") == 0)
2249 CmdArgs.push_back(Elt: Args.MakeArgString(Str: llvm::sys::getHostCPUName()));
2250 else
2251 CmdArgs.push_back(Elt: A->getValue());
2252 }
2253
2254 bool HasBackchain =
2255 Args.hasFlag(Pos: options::OPT_mbackchain, Neg: options::OPT_mno_backchain, Default: false);
2256 bool HasPackedStack = Args.hasFlag(Pos: options::OPT_mpacked_stack,
2257 Neg: options::OPT_mno_packed_stack, Default: false);
2258 systemz::FloatABI FloatABI =
2259 systemz::getSystemZFloatABI(D: getToolChain().getDriver(), Args);
2260 bool HasSoftFloat = (FloatABI == systemz::FloatABI::Soft);
2261 if (HasBackchain && HasPackedStack && !HasSoftFloat) {
2262 const Driver &D = getToolChain().getDriver();
2263 D.Diag(DiagID: diag::err_drv_unsupported_opt)
2264 << "-mpacked-stack -mbackchain -mhard-float";
2265 }
2266 if (HasBackchain)
2267 CmdArgs.push_back(Elt: "-mbackchain");
2268 if (HasPackedStack)
2269 CmdArgs.push_back(Elt: "-mpacked-stack");
2270 if (HasSoftFloat) {
2271 // Floating point operations and argument passing are soft.
2272 CmdArgs.push_back(Elt: "-msoft-float");
2273 CmdArgs.push_back(Elt: "-mfloat-abi");
2274 CmdArgs.push_back(Elt: "soft");
2275 }
2276}
2277
2278void Clang::AddX86TargetArgs(const ArgList &Args,
2279 ArgStringList &CmdArgs) const {
2280 const Driver &D = getToolChain().getDriver();
2281 addX86AlignBranchArgs(D, Args, CmdArgs, /*IsLTO=*/false);
2282
2283 if (!Args.hasFlag(Pos: options::OPT_mred_zone, Neg: options::OPT_mno_red_zone, Default: true) ||
2284 Args.hasArg(Ids: options::OPT_mkernel) ||
2285 Args.hasArg(Ids: options::OPT_fapple_kext))
2286 CmdArgs.push_back(Elt: "-disable-red-zone");
2287
2288 if (!Args.hasFlag(Pos: options::OPT_mtls_direct_seg_refs,
2289 Neg: options::OPT_mno_tls_direct_seg_refs, Default: true))
2290 CmdArgs.push_back(Elt: "-mno-tls-direct-seg-refs");
2291
2292 // Default to avoid implicit floating-point for kernel/kext code, but allow
2293 // that to be overridden with -mno-soft-float.
2294 bool NoImplicitFloat = (Args.hasArg(Ids: options::OPT_mkernel) ||
2295 Args.hasArg(Ids: options::OPT_fapple_kext));
2296 if (Arg *A = Args.getLastArg(
2297 Ids: options::OPT_msoft_float, Ids: options::OPT_mno_soft_float,
2298 Ids: options::OPT_mimplicit_float, Ids: options::OPT_mno_implicit_float)) {
2299 const Option &O = A->getOption();
2300 NoImplicitFloat = (O.matches(ID: options::OPT_mno_implicit_float) ||
2301 O.matches(ID: options::OPT_msoft_float));
2302 }
2303 if (NoImplicitFloat)
2304 CmdArgs.push_back(Elt: "-no-implicit-float");
2305
2306 if (Arg *A = Args.getLastArg(Ids: options::OPT_masm_EQ)) {
2307 StringRef Value = A->getValue();
2308 if (Value == "intel" || Value == "att") {
2309 CmdArgs.push_back(Elt: "-mllvm");
2310 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-x86-asm-syntax=" + Value));
2311 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-inline-asm=" + Value));
2312 } else {
2313 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
2314 << A->getSpelling() << Value;
2315 }
2316 } else if (D.IsCLMode()) {
2317 CmdArgs.push_back(Elt: "-mllvm");
2318 CmdArgs.push_back(Elt: "-x86-asm-syntax=intel");
2319 }
2320
2321 if (Arg *A = Args.getLastArg(Ids: options::OPT_mskip_rax_setup,
2322 Ids: options::OPT_mno_skip_rax_setup))
2323 if (A->getOption().matches(ID: options::OPT_mskip_rax_setup))
2324 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-mskip-rax-setup"));
2325
2326 // Set flags to support MCU ABI.
2327 if (Args.hasFlag(Pos: options::OPT_miamcu, Neg: options::OPT_mno_iamcu, Default: false)) {
2328 CmdArgs.push_back(Elt: "-mfloat-abi");
2329 CmdArgs.push_back(Elt: "soft");
2330 CmdArgs.push_back(Elt: "-mstack-alignment=4");
2331 }
2332
2333 // Handle -mtune.
2334
2335 // Default to "generic" unless -march is present or targetting the PS4/PS5.
2336 std::string TuneCPU;
2337 if (!Args.hasArg(Ids: clang::driver::options::OPT_march_EQ) &&
2338 !getToolChain().getTriple().isPS())
2339 TuneCPU = "generic";
2340
2341 // Override based on -mtune.
2342 if (const Arg *A = Args.getLastArg(Ids: clang::driver::options::OPT_mtune_EQ)) {
2343 StringRef Name = A->getValue();
2344
2345 if (Name == "native") {
2346 Name = llvm::sys::getHostCPUName();
2347 if (!Name.empty())
2348 TuneCPU = std::string(Name);
2349 } else
2350 TuneCPU = std::string(Name);
2351 }
2352
2353 if (!TuneCPU.empty()) {
2354 CmdArgs.push_back(Elt: "-tune-cpu");
2355 CmdArgs.push_back(Elt: Args.MakeArgString(Str: TuneCPU));
2356 }
2357}
2358
2359void Clang::AddHexagonTargetArgs(const ArgList &Args,
2360 ArgStringList &CmdArgs) const {
2361 CmdArgs.push_back(Elt: "-mqdsp6-compat");
2362 CmdArgs.push_back(Elt: "-Wreturn-type");
2363
2364 if (auto G = toolchains::HexagonToolChain::getSmallDataThreshold(Args)) {
2365 CmdArgs.push_back(Elt: "-mllvm");
2366 CmdArgs.push_back(
2367 Elt: Args.MakeArgString(Str: "-hexagon-small-data-threshold=" + Twine(*G)));
2368 }
2369
2370 if (!Args.hasArg(Ids: options::OPT_fno_short_enums))
2371 CmdArgs.push_back(Elt: "-fshort-enums");
2372 if (Args.getLastArg(Ids: options::OPT_mieee_rnd_near)) {
2373 CmdArgs.push_back(Elt: "-mllvm");
2374 CmdArgs.push_back(Elt: "-enable-hexagon-ieee-rnd-near");
2375 }
2376 CmdArgs.push_back(Elt: "-mllvm");
2377 CmdArgs.push_back(Elt: "-machine-sink-split=0");
2378}
2379
2380void Clang::AddLanaiTargetArgs(const ArgList &Args,
2381 ArgStringList &CmdArgs) const {
2382 if (Arg *A = Args.getLastArg(Ids: options::OPT_mcpu_EQ)) {
2383 StringRef CPUName = A->getValue();
2384
2385 CmdArgs.push_back(Elt: "-target-cpu");
2386 CmdArgs.push_back(Elt: Args.MakeArgString(Str: CPUName));
2387 }
2388 if (Arg *A = Args.getLastArg(Ids: options::OPT_mregparm_EQ)) {
2389 StringRef Value = A->getValue();
2390 // Only support mregparm=4 to support old usage. Report error for all other
2391 // cases.
2392 int Mregparm;
2393 if (Value.getAsInteger(Radix: 10, Result&: Mregparm)) {
2394 if (Mregparm != 4) {
2395 getToolChain().getDriver().Diag(
2396 DiagID: diag::err_drv_unsupported_option_argument)
2397 << A->getSpelling() << Value;
2398 }
2399 }
2400 }
2401}
2402
2403void Clang::AddWebAssemblyTargetArgs(const ArgList &Args,
2404 ArgStringList &CmdArgs) const {
2405 // Default to "hidden" visibility.
2406 if (!Args.hasArg(Ids: options::OPT_fvisibility_EQ,
2407 Ids: options::OPT_fvisibility_ms_compat))
2408 CmdArgs.push_back(Elt: "-fvisibility=hidden");
2409}
2410
2411void Clang::AddVETargetArgs(const ArgList &Args, ArgStringList &CmdArgs) const {
2412 // Floating point operations and argument passing are hard.
2413 CmdArgs.push_back(Elt: "-mfloat-abi");
2414 CmdArgs.push_back(Elt: "hard");
2415}
2416
2417void Clang::DumpCompilationDatabase(Compilation &C, StringRef Filename,
2418 StringRef Target, const InputInfo &Output,
2419 const InputInfo &Input, const ArgList &Args) const {
2420 // If this is a dry run, do not create the compilation database file.
2421 if (C.getArgs().hasArg(Ids: options::OPT__HASH_HASH_HASH))
2422 return;
2423
2424 using llvm::yaml::escape;
2425 const Driver &D = getToolChain().getDriver();
2426
2427 if (!CompilationDatabase) {
2428 std::error_code EC;
2429 auto File = std::make_unique<llvm::raw_fd_ostream>(
2430 args&: Filename, args&: EC,
2431 args: llvm::sys::fs::OF_TextWithCRLF | llvm::sys::fs::OF_Append);
2432 if (EC) {
2433 D.Diag(DiagID: clang::diag::err_drv_compilationdatabase) << Filename
2434 << EC.message();
2435 return;
2436 }
2437 CompilationDatabase = std::move(File);
2438 }
2439 auto &CDB = *CompilationDatabase;
2440 auto CWD = D.getVFS().getCurrentWorkingDirectory();
2441 if (!CWD)
2442 CWD = ".";
2443 CDB << "{ \"directory\": \"" << escape(Input: *CWD) << "\"";
2444 CDB << ", \"file\": \"" << escape(Input: Input.getFilename()) << "\"";
2445 if (Output.isFilename())
2446 CDB << ", \"output\": \"" << escape(Input: Output.getFilename()) << "\"";
2447 CDB << ", \"arguments\": [\"" << escape(Input: D.ClangExecutable) << "\"";
2448 SmallString<128> Buf;
2449 Buf = "-x";
2450 Buf += types::getTypeName(Id: Input.getType());
2451 CDB << ", \"" << escape(Input: Buf) << "\"";
2452 if (!D.SysRoot.empty() && !Args.hasArg(Ids: options::OPT__sysroot_EQ)) {
2453 Buf = "--sysroot=";
2454 Buf += D.SysRoot;
2455 CDB << ", \"" << escape(Input: Buf) << "\"";
2456 }
2457 CDB << ", \"" << escape(Input: Input.getFilename()) << "\"";
2458 if (Output.isFilename())
2459 CDB << ", \"-o\", \"" << escape(Input: Output.getFilename()) << "\"";
2460 for (auto &A: Args) {
2461 auto &O = A->getOption();
2462 // Skip language selection, which is positional.
2463 if (O.getID() == options::OPT_x)
2464 continue;
2465 // Skip writing dependency output and the compilation database itself.
2466 if (O.getGroup().isValid() && O.getGroup().getID() == options::OPT_M_Group)
2467 continue;
2468 if (O.getID() == options::OPT_gen_cdb_fragment_path)
2469 continue;
2470 // Skip inputs.
2471 if (O.getKind() == Option::InputClass)
2472 continue;
2473 // Skip output.
2474 if (O.getID() == options::OPT_o)
2475 continue;
2476 // All other arguments are quoted and appended.
2477 ArgStringList ASL;
2478 A->render(Args, Output&: ASL);
2479 for (auto &it: ASL)
2480 CDB << ", \"" << escape(Input: it) << "\"";
2481 }
2482 Buf = "--target=";
2483 Buf += Target;
2484 CDB << ", \"" << escape(Input: Buf) << "\"]},\n";
2485}
2486
2487void Clang::DumpCompilationDatabaseFragmentToDir(
2488 StringRef Dir, Compilation &C, StringRef Target, const InputInfo &Output,
2489 const InputInfo &Input, const llvm::opt::ArgList &Args) const {
2490 // If this is a dry run, do not create the compilation database file.
2491 if (C.getArgs().hasArg(Ids: options::OPT__HASH_HASH_HASH))
2492 return;
2493
2494 if (CompilationDatabase)
2495 DumpCompilationDatabase(C, Filename: "", Target, Output, Input, Args);
2496
2497 SmallString<256> Path = Dir;
2498 const auto &Driver = C.getDriver();
2499 Driver.getVFS().makeAbsolute(Path);
2500 auto Err = llvm::sys::fs::create_directory(path: Path, /*IgnoreExisting=*/true);
2501 if (Err) {
2502 Driver.Diag(DiagID: diag::err_drv_compilationdatabase) << Dir << Err.message();
2503 return;
2504 }
2505
2506 llvm::sys::path::append(
2507 path&: Path,
2508 a: Twine(llvm::sys::path::filename(path: Input.getFilename())) + ".%%%%.json");
2509 int FD;
2510 SmallString<256> TempPath;
2511 Err = llvm::sys::fs::createUniqueFile(Model: Path, ResultFD&: FD, ResultPath&: TempPath,
2512 Flags: llvm::sys::fs::OF_Text);
2513 if (Err) {
2514 Driver.Diag(DiagID: diag::err_drv_compilationdatabase) << Path << Err.message();
2515 return;
2516 }
2517 CompilationDatabase =
2518 std::make_unique<llvm::raw_fd_ostream>(args&: FD, /*shouldClose=*/args: true);
2519 DumpCompilationDatabase(C, Filename: "", Target, Output, Input, Args);
2520}
2521
2522static bool CheckARMImplicitITArg(StringRef Value) {
2523 return Value == "always" || Value == "never" || Value == "arm" ||
2524 Value == "thumb";
2525}
2526
2527static void AddARMImplicitITArgs(const ArgList &Args, ArgStringList &CmdArgs,
2528 StringRef Value) {
2529 CmdArgs.push_back(Elt: "-mllvm");
2530 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-arm-implicit-it=" + Value));
2531}
2532
2533static void CollectArgsForIntegratedAssembler(Compilation &C,
2534 const ArgList &Args,
2535 ArgStringList &CmdArgs,
2536 const Driver &D) {
2537 // Default to -mno-relax-all.
2538 //
2539 // Note: RISC-V requires an indirect jump for offsets larger than 1MiB. This
2540 // cannot be done by assembler branch relaxation as it needs a free temporary
2541 // register. Because of this, branch relaxation is handled by a MachineIR pass
2542 // before the assembler. Forcing assembler branch relaxation for -O0 makes the
2543 // MachineIR branch relaxation inaccurate and it will miss cases where an
2544 // indirect branch is necessary.
2545 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_mrelax_all,
2546 Neg: options::OPT_mno_relax_all);
2547
2548 // Only default to -mincremental-linker-compatible if we think we are
2549 // targeting the MSVC linker.
2550 bool DefaultIncrementalLinkerCompatible =
2551 C.getDefaultToolChain().getTriple().isWindowsMSVCEnvironment();
2552 if (Args.hasFlag(Pos: options::OPT_mincremental_linker_compatible,
2553 Neg: options::OPT_mno_incremental_linker_compatible,
2554 Default: DefaultIncrementalLinkerCompatible))
2555 CmdArgs.push_back(Elt: "-mincremental-linker-compatible");
2556
2557 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_femit_dwarf_unwind_EQ);
2558
2559 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_femit_compact_unwind_non_canonical,
2560 Neg: options::OPT_fno_emit_compact_unwind_non_canonical);
2561
2562 // If you add more args here, also add them to the block below that
2563 // starts with "// If CollectArgsForIntegratedAssembler() isn't called below".
2564
2565 // When passing -I arguments to the assembler we sometimes need to
2566 // unconditionally take the next argument. For example, when parsing
2567 // '-Wa,-I -Wa,foo' we need to accept the -Wa,foo arg after seeing the
2568 // -Wa,-I arg and when parsing '-Wa,-I,foo' we need to accept the 'foo'
2569 // arg after parsing the '-I' arg.
2570 bool TakeNextArg = false;
2571
2572 const llvm::Triple &Triple = C.getDefaultToolChain().getTriple();
2573 bool Crel = false, ExperimentalCrel = false;
2574 bool UseRelaxRelocations = C.getDefaultToolChain().useRelaxRelocations();
2575 bool UseNoExecStack = false;
2576 const char *MipsTargetFeature = nullptr;
2577 StringRef ImplicitIt;
2578 for (const Arg *A :
2579 Args.filtered(Ids: options::OPT_Wa_COMMA, Ids: options::OPT_Xassembler,
2580 Ids: options::OPT_mimplicit_it_EQ)) {
2581 A->claim();
2582
2583 if (A->getOption().getID() == options::OPT_mimplicit_it_EQ) {
2584 switch (C.getDefaultToolChain().getArch()) {
2585 case llvm::Triple::arm:
2586 case llvm::Triple::armeb:
2587 case llvm::Triple::thumb:
2588 case llvm::Triple::thumbeb:
2589 // Only store the value; the last value set takes effect.
2590 ImplicitIt = A->getValue();
2591 if (!CheckARMImplicitITArg(Value: ImplicitIt))
2592 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
2593 << A->getSpelling() << ImplicitIt;
2594 continue;
2595 default:
2596 break;
2597 }
2598 }
2599
2600 for (StringRef Value : A->getValues()) {
2601 if (TakeNextArg) {
2602 CmdArgs.push_back(Elt: Value.data());
2603 TakeNextArg = false;
2604 continue;
2605 }
2606
2607 if (C.getDefaultToolChain().getTriple().isOSBinFormatCOFF() &&
2608 Value == "-mbig-obj")
2609 continue; // LLVM handles bigobj automatically
2610
2611 switch (C.getDefaultToolChain().getArch()) {
2612 default:
2613 break;
2614 case llvm::Triple::x86:
2615 case llvm::Triple::x86_64:
2616 if (Value == "-msse2avx") {
2617 CmdArgs.push_back(Elt: "-msse2avx");
2618 continue;
2619 }
2620 break;
2621 case llvm::Triple::wasm32:
2622 case llvm::Triple::wasm64:
2623 if (Value == "--no-type-check") {
2624 CmdArgs.push_back(Elt: "-mno-type-check");
2625 continue;
2626 }
2627 break;
2628 case llvm::Triple::thumb:
2629 case llvm::Triple::thumbeb:
2630 case llvm::Triple::arm:
2631 case llvm::Triple::armeb:
2632 if (Value.starts_with(Prefix: "-mimplicit-it=")) {
2633 // Only store the value; the last value set takes effect.
2634 ImplicitIt = Value.split(Separator: "=").second;
2635 if (CheckARMImplicitITArg(Value: ImplicitIt))
2636 continue;
2637 }
2638 if (Value == "-mthumb")
2639 // -mthumb has already been processed in ComputeLLVMTriple()
2640 // recognize but skip over here.
2641 continue;
2642 break;
2643 case llvm::Triple::mips:
2644 case llvm::Triple::mipsel:
2645 case llvm::Triple::mips64:
2646 case llvm::Triple::mips64el:
2647 if (Value == "--trap") {
2648 CmdArgs.push_back(Elt: "-target-feature");
2649 CmdArgs.push_back(Elt: "+use-tcc-in-div");
2650 continue;
2651 }
2652 if (Value == "--break") {
2653 CmdArgs.push_back(Elt: "-target-feature");
2654 CmdArgs.push_back(Elt: "-use-tcc-in-div");
2655 continue;
2656 }
2657 if (Value.starts_with(Prefix: "-msoft-float")) {
2658 CmdArgs.push_back(Elt: "-target-feature");
2659 CmdArgs.push_back(Elt: "+soft-float");
2660 continue;
2661 }
2662 if (Value.starts_with(Prefix: "-mhard-float")) {
2663 CmdArgs.push_back(Elt: "-target-feature");
2664 CmdArgs.push_back(Elt: "-soft-float");
2665 continue;
2666 }
2667
2668 MipsTargetFeature = llvm::StringSwitch<const char *>(Value)
2669 .Case(S: "-mips1", Value: "+mips1")
2670 .Case(S: "-mips2", Value: "+mips2")
2671 .Case(S: "-mips3", Value: "+mips3")
2672 .Case(S: "-mips4", Value: "+mips4")
2673 .Case(S: "-mips5", Value: "+mips5")
2674 .Case(S: "-mips32", Value: "+mips32")
2675 .Case(S: "-mips32r2", Value: "+mips32r2")
2676 .Case(S: "-mips32r3", Value: "+mips32r3")
2677 .Case(S: "-mips32r5", Value: "+mips32r5")
2678 .Case(S: "-mips32r6", Value: "+mips32r6")
2679 .Case(S: "-mips64", Value: "+mips64")
2680 .Case(S: "-mips64r2", Value: "+mips64r2")
2681 .Case(S: "-mips64r3", Value: "+mips64r3")
2682 .Case(S: "-mips64r5", Value: "+mips64r5")
2683 .Case(S: "-mips64r6", Value: "+mips64r6")
2684 .Default(Value: nullptr);
2685 if (MipsTargetFeature)
2686 continue;
2687 }
2688
2689 if (Value == "-force_cpusubtype_ALL") {
2690 // Do nothing, this is the default and we don't support anything else.
2691 } else if (Value == "-L") {
2692 CmdArgs.push_back(Elt: "-msave-temp-labels");
2693 } else if (Value == "--fatal-warnings") {
2694 CmdArgs.push_back(Elt: "-massembler-fatal-warnings");
2695 } else if (Value == "--no-warn" || Value == "-W") {
2696 CmdArgs.push_back(Elt: "-massembler-no-warn");
2697 } else if (Value == "--noexecstack") {
2698 UseNoExecStack = true;
2699 } else if (Value.starts_with(Prefix: "-compress-debug-sections") ||
2700 Value.starts_with(Prefix: "--compress-debug-sections") ||
2701 Value == "-nocompress-debug-sections" ||
2702 Value == "--nocompress-debug-sections") {
2703 CmdArgs.push_back(Elt: Value.data());
2704 } else if (Value == "--crel") {
2705 Crel = true;
2706 } else if (Value == "--no-crel") {
2707 Crel = false;
2708 } else if (Value == "--allow-experimental-crel") {
2709 ExperimentalCrel = true;
2710 } else if (Value == "-mrelax-relocations=yes" ||
2711 Value == "--mrelax-relocations=yes") {
2712 UseRelaxRelocations = true;
2713 } else if (Value == "-mrelax-relocations=no" ||
2714 Value == "--mrelax-relocations=no") {
2715 UseRelaxRelocations = false;
2716 } else if (Value.starts_with(Prefix: "-I")) {
2717 CmdArgs.push_back(Elt: Value.data());
2718 // We need to consume the next argument if the current arg is a plain
2719 // -I. The next arg will be the include directory.
2720 if (Value == "-I")
2721 TakeNextArg = true;
2722 } else if (Value.starts_with(Prefix: "-gdwarf-")) {
2723 // "-gdwarf-N" options are not cc1as options.
2724 unsigned DwarfVersion = DwarfVersionNum(ArgValue: Value);
2725 if (DwarfVersion == 0) { // Send it onward, and let cc1as complain.
2726 CmdArgs.push_back(Elt: Value.data());
2727 } else {
2728 RenderDebugEnablingArgs(Args, CmdArgs,
2729 DebugInfoKind: llvm::codegenoptions::DebugInfoConstructor,
2730 DwarfVersion, DebuggerTuning: llvm::DebuggerKind::Default);
2731 }
2732 } else if (Value.starts_with(Prefix: "-mcpu") || Value.starts_with(Prefix: "-mfpu") ||
2733 Value.starts_with(Prefix: "-mhwdiv") || Value.starts_with(Prefix: "-march")) {
2734 // Do nothing, we'll validate it later.
2735 } else if (Value == "-defsym" || Value == "--defsym") {
2736 if (A->getNumValues() != 2) {
2737 D.Diag(DiagID: diag::err_drv_defsym_invalid_format) << Value;
2738 break;
2739 }
2740 const char *S = A->getValue(N: 1);
2741 auto Pair = StringRef(S).split(Separator: '=');
2742 auto Sym = Pair.first;
2743 auto SVal = Pair.second;
2744
2745 if (Sym.empty() || SVal.empty()) {
2746 D.Diag(DiagID: diag::err_drv_defsym_invalid_format) << S;
2747 break;
2748 }
2749 int64_t IVal;
2750 if (SVal.getAsInteger(Radix: 0, Result&: IVal)) {
2751 D.Diag(DiagID: diag::err_drv_defsym_invalid_symval) << SVal;
2752 break;
2753 }
2754 CmdArgs.push_back(Elt: "--defsym");
2755 TakeNextArg = true;
2756 } else if (Value == "-fdebug-compilation-dir") {
2757 CmdArgs.push_back(Elt: "-fdebug-compilation-dir");
2758 TakeNextArg = true;
2759 } else if (Value.consume_front(Prefix: "-fdebug-compilation-dir=")) {
2760 // The flag is a -Wa / -Xassembler argument and Options doesn't
2761 // parse the argument, so this isn't automatically aliased to
2762 // -fdebug-compilation-dir (without '=') here.
2763 CmdArgs.push_back(Elt: "-fdebug-compilation-dir");
2764 CmdArgs.push_back(Elt: Value.data());
2765 } else if (Value == "--version") {
2766 D.PrintVersion(C, OS&: llvm::outs());
2767 } else {
2768 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
2769 << A->getSpelling() << Value;
2770 }
2771 }
2772 }
2773 if (ImplicitIt.size())
2774 AddARMImplicitITArgs(Args, CmdArgs, Value: ImplicitIt);
2775 if (Crel) {
2776 if (!ExperimentalCrel)
2777 D.Diag(DiagID: diag::err_drv_experimental_crel);
2778 if (Triple.isOSBinFormatELF() && !Triple.isMIPS()) {
2779 CmdArgs.push_back(Elt: "--crel");
2780 } else {
2781 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
2782 << "-Wa,--crel" << D.getTargetTriple();
2783 }
2784 }
2785 if (!UseRelaxRelocations)
2786 CmdArgs.push_back(Elt: "-mrelax-relocations=no");
2787 if (UseNoExecStack)
2788 CmdArgs.push_back(Elt: "-mnoexecstack");
2789 if (MipsTargetFeature != nullptr) {
2790 CmdArgs.push_back(Elt: "-target-feature");
2791 CmdArgs.push_back(Elt: MipsTargetFeature);
2792 }
2793
2794 // forward -fembed-bitcode to assmebler
2795 if (C.getDriver().embedBitcodeEnabled() ||
2796 C.getDriver().embedBitcodeMarkerOnly())
2797 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fembed_bitcode_EQ);
2798
2799 if (const char *AsSecureLogFile = getenv(name: "AS_SECURE_LOG_FILE")) {
2800 CmdArgs.push_back(Elt: "-as-secure-log-file");
2801 CmdArgs.push_back(Elt: Args.MakeArgString(Str: AsSecureLogFile));
2802 }
2803}
2804
2805static std::string ComplexRangeKindToStr(LangOptions::ComplexRangeKind Range) {
2806 switch (Range) {
2807 case LangOptions::ComplexRangeKind::CX_Full:
2808 return "full";
2809 break;
2810 case LangOptions::ComplexRangeKind::CX_Basic:
2811 return "basic";
2812 break;
2813 case LangOptions::ComplexRangeKind::CX_Improved:
2814 return "improved";
2815 break;
2816 case LangOptions::ComplexRangeKind::CX_Promoted:
2817 return "promoted";
2818 break;
2819 default:
2820 return "";
2821 }
2822}
2823
2824static std::string ComplexArithmeticStr(LangOptions::ComplexRangeKind Range) {
2825 return (Range == LangOptions::ComplexRangeKind::CX_None)
2826 ? ""
2827 : "-fcomplex-arithmetic=" + ComplexRangeKindToStr(Range);
2828}
2829
2830static void EmitComplexRangeDiag(const Driver &D, std::string str1,
2831 std::string str2) {
2832 if ((str1.compare(str: str2) != 0) && !str2.empty() && !str1.empty()) {
2833 D.Diag(DiagID: clang::diag::warn_drv_overriding_option) << str1 << str2;
2834 }
2835}
2836
2837static std::string
2838RenderComplexRangeOption(LangOptions::ComplexRangeKind Range) {
2839 std::string ComplexRangeStr = ComplexRangeKindToStr(Range);
2840 if (!ComplexRangeStr.empty())
2841 return "-complex-range=" + ComplexRangeStr;
2842 return ComplexRangeStr;
2843}
2844
2845static void RenderFloatingPointOptions(const ToolChain &TC, const Driver &D,
2846 bool OFastEnabled, const ArgList &Args,
2847 ArgStringList &CmdArgs,
2848 const JobAction &JA) {
2849 // Handle various floating point optimization flags, mapping them to the
2850 // appropriate LLVM code generation flags. This is complicated by several
2851 // "umbrella" flags, so we do this by stepping through the flags incrementally
2852 // adjusting what we think is enabled/disabled, then at the end setting the
2853 // LLVM flags based on the final state.
2854 bool HonorINFs = true;
2855 bool HonorNaNs = true;
2856 bool ApproxFunc = false;
2857 // -fmath-errno is the default on some platforms, e.g. BSD-derived OSes.
2858 bool MathErrno = TC.IsMathErrnoDefault();
2859 bool AssociativeMath = false;
2860 bool ReciprocalMath = false;
2861 bool SignedZeros = true;
2862 bool TrappingMath = false; // Implemented via -ffp-exception-behavior
2863 bool TrappingMathPresent = false; // Is trapping-math in args, and not
2864 // overriden by ffp-exception-behavior?
2865 bool RoundingFPMath = false;
2866 // -ffp-model values: strict, fast, precise
2867 StringRef FPModel = "";
2868 // -ffp-exception-behavior options: strict, maytrap, ignore
2869 StringRef FPExceptionBehavior = "";
2870 // -ffp-eval-method options: double, extended, source
2871 StringRef FPEvalMethod = "";
2872 llvm::DenormalMode DenormalFPMath =
2873 TC.getDefaultDenormalModeForType(DriverArgs: Args, JA);
2874 llvm::DenormalMode DenormalFP32Math =
2875 TC.getDefaultDenormalModeForType(DriverArgs: Args, JA, FPType: &llvm::APFloat::IEEEsingle());
2876
2877 // CUDA and HIP don't rely on the frontend to pass an ffp-contract option.
2878 // If one wasn't given by the user, don't pass it here.
2879 StringRef FPContract;
2880 StringRef LastSeenFfpContractOption;
2881 bool SeenUnsafeMathModeOption = false;
2882 if (!JA.isDeviceOffloading(OKind: Action::OFK_Cuda) &&
2883 !JA.isOffloading(OKind: Action::OFK_HIP))
2884 FPContract = "on";
2885 bool StrictFPModel = false;
2886 StringRef Float16ExcessPrecision = "";
2887 StringRef BFloat16ExcessPrecision = "";
2888 LangOptions::ComplexRangeKind Range = LangOptions::ComplexRangeKind::CX_None;
2889 std::string ComplexRangeStr = "";
2890 std::string GccRangeComplexOption = "";
2891
2892 // Lambda to set fast-math options. This is also used by -ffp-model=fast
2893 auto applyFastMath = [&]() {
2894 HonorINFs = false;
2895 HonorNaNs = false;
2896 MathErrno = false;
2897 AssociativeMath = true;
2898 ReciprocalMath = true;
2899 ApproxFunc = true;
2900 SignedZeros = false;
2901 TrappingMath = false;
2902 RoundingFPMath = false;
2903 FPExceptionBehavior = "";
2904 // If fast-math is set then set the fp-contract mode to fast.
2905 FPContract = "fast";
2906 // ffast-math enables basic range rules for complex multiplication and
2907 // division.
2908 // Warn if user expects to perform full implementation of complex
2909 // multiplication or division in the presence of nan or ninf flags.
2910 if (Range == LangOptions::ComplexRangeKind::CX_Full ||
2911 Range == LangOptions::ComplexRangeKind::CX_Improved ||
2912 Range == LangOptions::ComplexRangeKind::CX_Promoted)
2913 EmitComplexRangeDiag(
2914 D, str1: ComplexArithmeticStr(Range),
2915 str2: !GccRangeComplexOption.empty()
2916 ? GccRangeComplexOption
2917 : ComplexArithmeticStr(Range: LangOptions::ComplexRangeKind::CX_Basic));
2918 Range = LangOptions::ComplexRangeKind::CX_Basic;
2919 SeenUnsafeMathModeOption = true;
2920 };
2921
2922 if (const Arg *A = Args.getLastArg(Ids: options::OPT_flimited_precision_EQ)) {
2923 CmdArgs.push_back(Elt: "-mlimit-float-precision");
2924 CmdArgs.push_back(Elt: A->getValue());
2925 }
2926
2927 for (const Arg *A : Args) {
2928 switch (A->getOption().getID()) {
2929 // If this isn't an FP option skip the claim below
2930 default: continue;
2931
2932 case options::OPT_fcx_limited_range:
2933 if (GccRangeComplexOption.empty()) {
2934 if (Range != LangOptions::ComplexRangeKind::CX_Basic)
2935 EmitComplexRangeDiag(D, str1: RenderComplexRangeOption(Range),
2936 str2: "-fcx-limited-range");
2937 } else {
2938 if (GccRangeComplexOption != "-fno-cx-limited-range")
2939 EmitComplexRangeDiag(D, str1: GccRangeComplexOption, str2: "-fcx-limited-range");
2940 }
2941 GccRangeComplexOption = "-fcx-limited-range";
2942 Range = LangOptions::ComplexRangeKind::CX_Basic;
2943 break;
2944 case options::OPT_fno_cx_limited_range:
2945 if (GccRangeComplexOption.empty()) {
2946 EmitComplexRangeDiag(D, str1: RenderComplexRangeOption(Range),
2947 str2: "-fno-cx-limited-range");
2948 } else {
2949 if (GccRangeComplexOption.compare(s: "-fcx-limited-range") != 0 &&
2950 GccRangeComplexOption.compare(s: "-fno-cx-fortran-rules") != 0)
2951 EmitComplexRangeDiag(D, str1: GccRangeComplexOption,
2952 str2: "-fno-cx-limited-range");
2953 }
2954 GccRangeComplexOption = "-fno-cx-limited-range";
2955 Range = LangOptions::ComplexRangeKind::CX_Full;
2956 break;
2957 case options::OPT_fcx_fortran_rules:
2958 if (GccRangeComplexOption.empty())
2959 EmitComplexRangeDiag(D, str1: RenderComplexRangeOption(Range),
2960 str2: "-fcx-fortran-rules");
2961 else
2962 EmitComplexRangeDiag(D, str1: GccRangeComplexOption, str2: "-fcx-fortran-rules");
2963 GccRangeComplexOption = "-fcx-fortran-rules";
2964 Range = LangOptions::ComplexRangeKind::CX_Improved;
2965 break;
2966 case options::OPT_fno_cx_fortran_rules:
2967 if (GccRangeComplexOption.empty()) {
2968 EmitComplexRangeDiag(D, str1: RenderComplexRangeOption(Range),
2969 str2: "-fno-cx-fortran-rules");
2970 } else {
2971 if (GccRangeComplexOption != "-fno-cx-limited-range")
2972 EmitComplexRangeDiag(D, str1: GccRangeComplexOption,
2973 str2: "-fno-cx-fortran-rules");
2974 }
2975 GccRangeComplexOption = "-fno-cx-fortran-rules";
2976 Range = LangOptions::ComplexRangeKind::CX_Full;
2977 break;
2978 case options::OPT_fcomplex_arithmetic_EQ: {
2979 LangOptions::ComplexRangeKind RangeVal;
2980 StringRef Val = A->getValue();
2981 if (Val == "full")
2982 RangeVal = LangOptions::ComplexRangeKind::CX_Full;
2983 else if (Val == "improved")
2984 RangeVal = LangOptions::ComplexRangeKind::CX_Improved;
2985 else if (Val == "promoted")
2986 RangeVal = LangOptions::ComplexRangeKind::CX_Promoted;
2987 else if (Val == "basic")
2988 RangeVal = LangOptions::ComplexRangeKind::CX_Basic;
2989 else {
2990 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
2991 << A->getSpelling() << Val;
2992 break;
2993 }
2994 if (!GccRangeComplexOption.empty()) {
2995 if (GccRangeComplexOption.compare(s: "-fcx-limited-range") != 0) {
2996 if (GccRangeComplexOption.compare(s: "-fcx-fortran-rules") != 0) {
2997 if (RangeVal != LangOptions::ComplexRangeKind::CX_Improved)
2998 EmitComplexRangeDiag(D, str1: GccRangeComplexOption,
2999 str2: ComplexArithmeticStr(Range: RangeVal));
3000 } else {
3001 EmitComplexRangeDiag(D, str1: GccRangeComplexOption,
3002 str2: ComplexArithmeticStr(Range: RangeVal));
3003 }
3004 } else {
3005 if (RangeVal != LangOptions::ComplexRangeKind::CX_Basic)
3006 EmitComplexRangeDiag(D, str1: GccRangeComplexOption,
3007 str2: ComplexArithmeticStr(Range: RangeVal));
3008 }
3009 }
3010 Range = RangeVal;
3011 break;
3012 }
3013 case options::OPT_ffp_model_EQ: {
3014 // If -ffp-model= is seen, reset to fno-fast-math
3015 HonorINFs = true;
3016 HonorNaNs = true;
3017 ApproxFunc = false;
3018 // Turning *off* -ffast-math restores the toolchain default.
3019 MathErrno = TC.IsMathErrnoDefault();
3020 AssociativeMath = false;
3021 ReciprocalMath = false;
3022 SignedZeros = true;
3023 FPContract = "on";
3024
3025 StringRef Val = A->getValue();
3026 if (OFastEnabled && Val != "fast") {
3027 // Only -ffp-model=fast is compatible with OFast, ignore.
3028 D.Diag(DiagID: clang::diag::warn_drv_overriding_option)
3029 << Args.MakeArgString(Str: "-ffp-model=" + Val) << "-Ofast";
3030 break;
3031 }
3032 StrictFPModel = false;
3033 if (!FPModel.empty() && FPModel != Val)
3034 D.Diag(DiagID: clang::diag::warn_drv_overriding_option)
3035 << Args.MakeArgString(Str: "-ffp-model=" + FPModel)
3036 << Args.MakeArgString(Str: "-ffp-model=" + Val);
3037 if (Val == "fast") {
3038 FPModel = Val;
3039 applyFastMath();
3040 } else if (Val == "precise") {
3041 FPModel = Val;
3042 FPContract = "on";
3043 } else if (Val == "strict") {
3044 StrictFPModel = true;
3045 FPExceptionBehavior = "strict";
3046 FPModel = Val;
3047 FPContract = "off";
3048 TrappingMath = true;
3049 RoundingFPMath = true;
3050 } else
3051 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
3052 << A->getSpelling() << Val;
3053 break;
3054 }
3055
3056 // Options controlling individual features
3057 case options::OPT_fhonor_infinities: HonorINFs = true; break;
3058 case options::OPT_fno_honor_infinities: HonorINFs = false; break;
3059 case options::OPT_fhonor_nans: HonorNaNs = true; break;
3060 case options::OPT_fno_honor_nans: HonorNaNs = false; break;
3061 case options::OPT_fapprox_func: ApproxFunc = true; break;
3062 case options::OPT_fno_approx_func: ApproxFunc = false; break;
3063 case options::OPT_fmath_errno: MathErrno = true; break;
3064 case options::OPT_fno_math_errno: MathErrno = false; break;
3065 case options::OPT_fassociative_math: AssociativeMath = true; break;
3066 case options::OPT_fno_associative_math: AssociativeMath = false; break;
3067 case options::OPT_freciprocal_math: ReciprocalMath = true; break;
3068 case options::OPT_fno_reciprocal_math: ReciprocalMath = false; break;
3069 case options::OPT_fsigned_zeros: SignedZeros = true; break;
3070 case options::OPT_fno_signed_zeros: SignedZeros = false; break;
3071 case options::OPT_ftrapping_math:
3072 if (!TrappingMathPresent && !FPExceptionBehavior.empty() &&
3073 FPExceptionBehavior != "strict")
3074 // Warn that previous value of option is overridden.
3075 D.Diag(DiagID: clang::diag::warn_drv_overriding_option)
3076 << Args.MakeArgString(Str: "-ffp-exception-behavior=" +
3077 FPExceptionBehavior)
3078 << "-ftrapping-math";
3079 TrappingMath = true;
3080 TrappingMathPresent = true;
3081 FPExceptionBehavior = "strict";
3082 break;
3083 case options::OPT_fno_trapping_math:
3084 if (!TrappingMathPresent && !FPExceptionBehavior.empty() &&
3085 FPExceptionBehavior != "ignore")
3086 // Warn that previous value of option is overridden.
3087 D.Diag(DiagID: clang::diag::warn_drv_overriding_option)
3088 << Args.MakeArgString(Str: "-ffp-exception-behavior=" +
3089 FPExceptionBehavior)
3090 << "-fno-trapping-math";
3091 TrappingMath = false;
3092 TrappingMathPresent = true;
3093 FPExceptionBehavior = "ignore";
3094 break;
3095
3096 case options::OPT_frounding_math:
3097 RoundingFPMath = true;
3098 break;
3099
3100 case options::OPT_fno_rounding_math:
3101 RoundingFPMath = false;
3102 break;
3103
3104 case options::OPT_fdenormal_fp_math_EQ:
3105 DenormalFPMath = llvm::parseDenormalFPAttribute(Str: A->getValue());
3106 DenormalFP32Math = DenormalFPMath;
3107 if (!DenormalFPMath.isValid()) {
3108 D.Diag(DiagID: diag::err_drv_invalid_value)
3109 << A->getAsString(Args) << A->getValue();
3110 }
3111 break;
3112
3113 case options::OPT_fdenormal_fp_math_f32_EQ:
3114 DenormalFP32Math = llvm::parseDenormalFPAttribute(Str: A->getValue());
3115 if (!DenormalFP32Math.isValid()) {
3116 D.Diag(DiagID: diag::err_drv_invalid_value)
3117 << A->getAsString(Args) << A->getValue();
3118 }
3119 break;
3120
3121 // Validate and pass through -ffp-contract option.
3122 case options::OPT_ffp_contract: {
3123 StringRef Val = A->getValue();
3124 if (Val == "fast" || Val == "on" || Val == "off" ||
3125 Val == "fast-honor-pragmas") {
3126 FPContract = Val;
3127 LastSeenFfpContractOption = Val;
3128 } else
3129 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
3130 << A->getSpelling() << Val;
3131 break;
3132 }
3133
3134 // Validate and pass through -ffp-exception-behavior option.
3135 case options::OPT_ffp_exception_behavior_EQ: {
3136 StringRef Val = A->getValue();
3137 if (!TrappingMathPresent && !FPExceptionBehavior.empty() &&
3138 FPExceptionBehavior != Val)
3139 // Warn that previous value of option is overridden.
3140 D.Diag(DiagID: clang::diag::warn_drv_overriding_option)
3141 << Args.MakeArgString(Str: "-ffp-exception-behavior=" +
3142 FPExceptionBehavior)
3143 << Args.MakeArgString(Str: "-ffp-exception-behavior=" + Val);
3144 TrappingMath = TrappingMathPresent = false;
3145 if (Val == "ignore" || Val == "maytrap")
3146 FPExceptionBehavior = Val;
3147 else if (Val == "strict") {
3148 FPExceptionBehavior = Val;
3149 TrappingMath = TrappingMathPresent = true;
3150 } else
3151 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
3152 << A->getSpelling() << Val;
3153 break;
3154 }
3155
3156 // Validate and pass through -ffp-eval-method option.
3157 case options::OPT_ffp_eval_method_EQ: {
3158 StringRef Val = A->getValue();
3159 if (Val == "double" || Val == "extended" || Val == "source")
3160 FPEvalMethod = Val;
3161 else
3162 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
3163 << A->getSpelling() << Val;
3164 break;
3165 }
3166
3167 case options::OPT_fexcess_precision_EQ: {
3168 StringRef Val = A->getValue();
3169 const llvm::Triple::ArchType Arch = TC.getArch();
3170 if (Arch == llvm::Triple::x86 || Arch == llvm::Triple::x86_64) {
3171 if (Val == "standard" || Val == "fast")
3172 Float16ExcessPrecision = Val;
3173 // To make it GCC compatible, allow the value of "16" which
3174 // means disable excess precision, the same meaning than clang's
3175 // equivalent value "none".
3176 else if (Val == "16")
3177 Float16ExcessPrecision = "none";
3178 else
3179 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
3180 << A->getSpelling() << Val;
3181 } else {
3182 if (!(Val == "standard" || Val == "fast"))
3183 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
3184 << A->getSpelling() << Val;
3185 }
3186 BFloat16ExcessPrecision = Float16ExcessPrecision;
3187 break;
3188 }
3189 case options::OPT_ffinite_math_only:
3190 HonorINFs = false;
3191 HonorNaNs = false;
3192 break;
3193 case options::OPT_fno_finite_math_only:
3194 HonorINFs = true;
3195 HonorNaNs = true;
3196 break;
3197
3198 case options::OPT_funsafe_math_optimizations:
3199 AssociativeMath = true;
3200 ReciprocalMath = true;
3201 SignedZeros = false;
3202 ApproxFunc = true;
3203 TrappingMath = false;
3204 FPExceptionBehavior = "";
3205 FPContract = "fast";
3206 SeenUnsafeMathModeOption = true;
3207 break;
3208 case options::OPT_fno_unsafe_math_optimizations:
3209 AssociativeMath = false;
3210 ReciprocalMath = false;
3211 SignedZeros = true;
3212 ApproxFunc = false;
3213
3214 if (!JA.isDeviceOffloading(OKind: Action::OFK_Cuda) &&
3215 !JA.isOffloading(OKind: Action::OFK_HIP)) {
3216 if (LastSeenFfpContractOption != "") {
3217 FPContract = LastSeenFfpContractOption;
3218 } else if (SeenUnsafeMathModeOption)
3219 FPContract = "on";
3220 }
3221 break;
3222
3223 case options::OPT_Ofast:
3224 // If -Ofast is the optimization level, then -ffast-math should be enabled
3225 if (!OFastEnabled)
3226 continue;
3227 [[fallthrough]];
3228 case options::OPT_ffast_math: {
3229 applyFastMath();
3230 break;
3231 }
3232 case options::OPT_fno_fast_math:
3233 HonorINFs = true;
3234 HonorNaNs = true;
3235 // Turning on -ffast-math (with either flag) removes the need for
3236 // MathErrno. However, turning *off* -ffast-math merely restores the
3237 // toolchain default (which may be false).
3238 MathErrno = TC.IsMathErrnoDefault();
3239 AssociativeMath = false;
3240 ReciprocalMath = false;
3241 ApproxFunc = false;
3242 SignedZeros = true;
3243 // -fno_fast_math restores default fpcontract handling
3244 if (!JA.isDeviceOffloading(OKind: Action::OFK_Cuda) &&
3245 !JA.isOffloading(OKind: Action::OFK_HIP)) {
3246 if (LastSeenFfpContractOption != "") {
3247 FPContract = LastSeenFfpContractOption;
3248 } else if (SeenUnsafeMathModeOption)
3249 FPContract = "on";
3250 }
3251 break;
3252 }
3253 // The StrictFPModel local variable is needed to report warnings
3254 // in the way we intend. If -ffp-model=strict has been used, we
3255 // want to report a warning for the next option encountered that
3256 // takes us out of the settings described by fp-model=strict, but
3257 // we don't want to continue issuing warnings for other conflicting
3258 // options after that.
3259 if (StrictFPModel) {
3260 // If -ffp-model=strict has been specified on command line but
3261 // subsequent options conflict then emit warning diagnostic.
3262 if (HonorINFs && HonorNaNs && !AssociativeMath && !ReciprocalMath &&
3263 SignedZeros && TrappingMath && RoundingFPMath && !ApproxFunc &&
3264 FPContract == "off")
3265 // OK: Current Arg doesn't conflict with -ffp-model=strict
3266 ;
3267 else {
3268 StrictFPModel = false;
3269 FPModel = "";
3270 auto RHS = (A->getNumValues() == 0)
3271 ? A->getSpelling()
3272 : Args.MakeArgString(Str: A->getSpelling() + A->getValue());
3273 if (RHS != "-ffp-model=strict")
3274 D.Diag(DiagID: clang::diag::warn_drv_overriding_option)
3275 << "-ffp-model=strict" << RHS;
3276 }
3277 }
3278
3279 // If we handled this option claim it
3280 A->claim();
3281 }
3282
3283 if (!HonorINFs)
3284 CmdArgs.push_back(Elt: "-menable-no-infs");
3285
3286 if (!HonorNaNs)
3287 CmdArgs.push_back(Elt: "-menable-no-nans");
3288
3289 if (ApproxFunc)
3290 CmdArgs.push_back(Elt: "-fapprox-func");
3291
3292 if (MathErrno)
3293 CmdArgs.push_back(Elt: "-fmath-errno");
3294
3295 if (AssociativeMath && ReciprocalMath && !SignedZeros && ApproxFunc &&
3296 !TrappingMath)
3297 CmdArgs.push_back(Elt: "-funsafe-math-optimizations");
3298
3299 if (!SignedZeros)
3300 CmdArgs.push_back(Elt: "-fno-signed-zeros");
3301
3302 if (AssociativeMath && !SignedZeros && !TrappingMath)
3303 CmdArgs.push_back(Elt: "-mreassociate");
3304
3305 if (ReciprocalMath)
3306 CmdArgs.push_back(Elt: "-freciprocal-math");
3307
3308 if (TrappingMath) {
3309 // FP Exception Behavior is also set to strict
3310 assert(FPExceptionBehavior == "strict");
3311 }
3312
3313 // The default is IEEE.
3314 if (DenormalFPMath != llvm::DenormalMode::getIEEE()) {
3315 llvm::SmallString<64> DenormFlag;
3316 llvm::raw_svector_ostream ArgStr(DenormFlag);
3317 ArgStr << "-fdenormal-fp-math=" << DenormalFPMath;
3318 CmdArgs.push_back(Elt: Args.MakeArgString(Str: ArgStr.str()));
3319 }
3320
3321 // Add f32 specific denormal mode flag if it's different.
3322 if (DenormalFP32Math != DenormalFPMath) {
3323 llvm::SmallString<64> DenormFlag;
3324 llvm::raw_svector_ostream ArgStr(DenormFlag);
3325 ArgStr << "-fdenormal-fp-math-f32=" << DenormalFP32Math;
3326 CmdArgs.push_back(Elt: Args.MakeArgString(Str: ArgStr.str()));
3327 }
3328
3329 if (!FPContract.empty())
3330 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-ffp-contract=" + FPContract));
3331
3332 if (RoundingFPMath)
3333 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-frounding-math"));
3334 else
3335 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-fno-rounding-math"));
3336
3337 if (!FPExceptionBehavior.empty())
3338 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-ffp-exception-behavior=" +
3339 FPExceptionBehavior));
3340
3341 if (!FPEvalMethod.empty())
3342 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-ffp-eval-method=" + FPEvalMethod));
3343
3344 if (!Float16ExcessPrecision.empty())
3345 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-ffloat16-excess-precision=" +
3346 Float16ExcessPrecision));
3347 if (!BFloat16ExcessPrecision.empty())
3348 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-fbfloat16-excess-precision=" +
3349 BFloat16ExcessPrecision));
3350
3351 ParseMRecip(D, Args, OutStrings&: CmdArgs);
3352
3353 // -ffast-math enables the __FAST_MATH__ preprocessor macro, but check for the
3354 // individual features enabled by -ffast-math instead of the option itself as
3355 // that's consistent with gcc's behaviour.
3356 if (!HonorINFs && !HonorNaNs && !MathErrno && AssociativeMath && ApproxFunc &&
3357 ReciprocalMath && !SignedZeros && !TrappingMath && !RoundingFPMath) {
3358 CmdArgs.push_back(Elt: "-ffast-math");
3359 if (FPModel == "fast") {
3360 if (FPContract == "fast")
3361 // All set, do nothing.
3362 ;
3363 else if (FPContract.empty())
3364 // Enable -ffp-contract=fast
3365 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-ffp-contract=fast"));
3366 else
3367 D.Diag(DiagID: clang::diag::warn_drv_overriding_option)
3368 << "-ffp-model=fast"
3369 << Args.MakeArgString(Str: "-ffp-contract=" + FPContract);
3370 }
3371 }
3372
3373 // Handle __FINITE_MATH_ONLY__ similarly.
3374 if (!HonorINFs && !HonorNaNs)
3375 CmdArgs.push_back(Elt: "-ffinite-math-only");
3376
3377 if (const Arg *A = Args.getLastArg(Ids: options::OPT_mfpmath_EQ)) {
3378 CmdArgs.push_back(Elt: "-mfpmath");
3379 CmdArgs.push_back(Elt: A->getValue());
3380 }
3381
3382 // Disable a codegen optimization for floating-point casts.
3383 if (Args.hasFlag(Pos: options::OPT_fno_strict_float_cast_overflow,
3384 Neg: options::OPT_fstrict_float_cast_overflow, Default: false))
3385 CmdArgs.push_back(Elt: "-fno-strict-float-cast-overflow");
3386
3387 if (Range != LangOptions::ComplexRangeKind::CX_None)
3388 ComplexRangeStr = RenderComplexRangeOption(Range);
3389 if (!ComplexRangeStr.empty()) {
3390 CmdArgs.push_back(Elt: Args.MakeArgString(Str: ComplexRangeStr));
3391 if (Args.hasArg(Ids: options::OPT_fcomplex_arithmetic_EQ))
3392 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-fcomplex-arithmetic=" +
3393 ComplexRangeKindToStr(Range)));
3394 }
3395 if (Args.hasArg(Ids: options::OPT_fcx_limited_range))
3396 CmdArgs.push_back(Elt: "-fcx-limited-range");
3397 if (Args.hasArg(Ids: options::OPT_fcx_fortran_rules))
3398 CmdArgs.push_back(Elt: "-fcx-fortran-rules");
3399 if (Args.hasArg(Ids: options::OPT_fno_cx_limited_range))
3400 CmdArgs.push_back(Elt: "-fno-cx-limited-range");
3401 if (Args.hasArg(Ids: options::OPT_fno_cx_fortran_rules))
3402 CmdArgs.push_back(Elt: "-fno-cx-fortran-rules");
3403}
3404
3405static void RenderAnalyzerOptions(const ArgList &Args, ArgStringList &CmdArgs,
3406 const llvm::Triple &Triple,
3407 const InputInfo &Input) {
3408 // Add default argument set.
3409 if (!Args.hasArg(Ids: options::OPT__analyzer_no_default_checks)) {
3410 CmdArgs.push_back(Elt: "-analyzer-checker=core");
3411 CmdArgs.push_back(Elt: "-analyzer-checker=apiModeling");
3412
3413 if (!Triple.isWindowsMSVCEnvironment()) {
3414 CmdArgs.push_back(Elt: "-analyzer-checker=unix");
3415 } else {
3416 // Enable "unix" checkers that also work on Windows.
3417 CmdArgs.push_back(Elt: "-analyzer-checker=unix.API");
3418 CmdArgs.push_back(Elt: "-analyzer-checker=unix.Malloc");
3419 CmdArgs.push_back(Elt: "-analyzer-checker=unix.MallocSizeof");
3420 CmdArgs.push_back(Elt: "-analyzer-checker=unix.MismatchedDeallocator");
3421 CmdArgs.push_back(Elt: "-analyzer-checker=unix.cstring.BadSizeArg");
3422 CmdArgs.push_back(Elt: "-analyzer-checker=unix.cstring.NullArg");
3423 }
3424
3425 // Disable some unix checkers for PS4/PS5.
3426 if (Triple.isPS()) {
3427 CmdArgs.push_back(Elt: "-analyzer-disable-checker=unix.API");
3428 CmdArgs.push_back(Elt: "-analyzer-disable-checker=unix.Vfork");
3429 }
3430
3431 if (Triple.isOSDarwin()) {
3432 CmdArgs.push_back(Elt: "-analyzer-checker=osx");
3433 CmdArgs.push_back(
3434 Elt: "-analyzer-checker=security.insecureAPI.decodeValueOfObjCType");
3435 }
3436 else if (Triple.isOSFuchsia())
3437 CmdArgs.push_back(Elt: "-analyzer-checker=fuchsia");
3438
3439 CmdArgs.push_back(Elt: "-analyzer-checker=deadcode");
3440
3441 if (types::isCXX(Id: Input.getType()))
3442 CmdArgs.push_back(Elt: "-analyzer-checker=cplusplus");
3443
3444 if (!Triple.isPS()) {
3445 CmdArgs.push_back(Elt: "-analyzer-checker=security.insecureAPI.UncheckedReturn");
3446 CmdArgs.push_back(Elt: "-analyzer-checker=security.insecureAPI.getpw");
3447 CmdArgs.push_back(Elt: "-analyzer-checker=security.insecureAPI.gets");
3448 CmdArgs.push_back(Elt: "-analyzer-checker=security.insecureAPI.mktemp");
3449 CmdArgs.push_back(Elt: "-analyzer-checker=security.insecureAPI.mkstemp");
3450 CmdArgs.push_back(Elt: "-analyzer-checker=security.insecureAPI.vfork");
3451 }
3452
3453 // Default nullability checks.
3454 CmdArgs.push_back(Elt: "-analyzer-checker=nullability.NullPassedToNonnull");
3455 CmdArgs.push_back(Elt: "-analyzer-checker=nullability.NullReturnedFromNonnull");
3456 }
3457
3458 // Set the output format. The default is plist, for (lame) historical reasons.
3459 CmdArgs.push_back(Elt: "-analyzer-output");
3460 if (Arg *A = Args.getLastArg(Ids: options::OPT__analyzer_output))
3461 CmdArgs.push_back(Elt: A->getValue());
3462 else
3463 CmdArgs.push_back(Elt: "plist");
3464
3465 // Disable the presentation of standard compiler warnings when using
3466 // --analyze. We only want to show static analyzer diagnostics or frontend
3467 // errors.
3468 CmdArgs.push_back(Elt: "-w");
3469
3470 // Add -Xanalyzer arguments when running as analyzer.
3471 Args.AddAllArgValues(Output&: CmdArgs, Id0: options::OPT_Xanalyzer);
3472}
3473
3474static bool isValidSymbolName(StringRef S) {
3475 if (S.empty())
3476 return false;
3477
3478 if (std::isdigit(S[0]))
3479 return false;
3480
3481 return llvm::all_of(Range&: S, P: [](char C) { return std::isalnum(C) || C == '_'; });
3482}
3483
3484static void RenderSSPOptions(const Driver &D, const ToolChain &TC,
3485 const ArgList &Args, ArgStringList &CmdArgs,
3486 bool KernelOrKext) {
3487 const llvm::Triple &EffectiveTriple = TC.getEffectiveTriple();
3488
3489 // NVPTX doesn't support stack protectors; from the compiler's perspective, it
3490 // doesn't even have a stack!
3491 if (EffectiveTriple.isNVPTX())
3492 return;
3493
3494 // -stack-protector=0 is default.
3495 LangOptions::StackProtectorMode StackProtectorLevel = LangOptions::SSPOff;
3496 LangOptions::StackProtectorMode DefaultStackProtectorLevel =
3497 TC.GetDefaultStackProtectorLevel(KernelOrKext);
3498
3499 if (Arg *A = Args.getLastArg(Ids: options::OPT_fno_stack_protector,
3500 Ids: options::OPT_fstack_protector_all,
3501 Ids: options::OPT_fstack_protector_strong,
3502 Ids: options::OPT_fstack_protector)) {
3503 if (A->getOption().matches(ID: options::OPT_fstack_protector))
3504 StackProtectorLevel =
3505 std::max<>(a: LangOptions::SSPOn, b: DefaultStackProtectorLevel);
3506 else if (A->getOption().matches(ID: options::OPT_fstack_protector_strong))
3507 StackProtectorLevel = LangOptions::SSPStrong;
3508 else if (A->getOption().matches(ID: options::OPT_fstack_protector_all))
3509 StackProtectorLevel = LangOptions::SSPReq;
3510
3511 if (EffectiveTriple.isBPF() && StackProtectorLevel != LangOptions::SSPOff) {
3512 D.Diag(DiagID: diag::warn_drv_unsupported_option_for_target)
3513 << A->getSpelling() << EffectiveTriple.getTriple();
3514 StackProtectorLevel = DefaultStackProtectorLevel;
3515 }
3516 } else {
3517 StackProtectorLevel = DefaultStackProtectorLevel;
3518 }
3519
3520 if (StackProtectorLevel) {
3521 CmdArgs.push_back(Elt: "-stack-protector");
3522 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Twine(StackProtectorLevel)));
3523 }
3524
3525 // --param ssp-buffer-size=
3526 for (const Arg *A : Args.filtered(Ids: options::OPT__param)) {
3527 StringRef Str(A->getValue());
3528 if (Str.starts_with(Prefix: "ssp-buffer-size=")) {
3529 if (StackProtectorLevel) {
3530 CmdArgs.push_back(Elt: "-stack-protector-buffer-size");
3531 // FIXME: Verify the argument is a valid integer.
3532 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Str.drop_front(N: 16)));
3533 }
3534 A->claim();
3535 }
3536 }
3537
3538 const std::string &TripleStr = EffectiveTriple.getTriple();
3539 if (Arg *A = Args.getLastArg(Ids: options::OPT_mstack_protector_guard_EQ)) {
3540 StringRef Value = A->getValue();
3541 if (!EffectiveTriple.isX86() && !EffectiveTriple.isAArch64() &&
3542 !EffectiveTriple.isARM() && !EffectiveTriple.isThumb())
3543 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
3544 << A->getAsString(Args) << TripleStr;
3545 if ((EffectiveTriple.isX86() || EffectiveTriple.isARM() ||
3546 EffectiveTriple.isThumb()) &&
3547 Value != "tls" && Value != "global") {
3548 D.Diag(DiagID: diag::err_drv_invalid_value_with_suggestion)
3549 << A->getOption().getName() << Value << "tls global";
3550 return;
3551 }
3552 if ((EffectiveTriple.isARM() || EffectiveTriple.isThumb()) &&
3553 Value == "tls") {
3554 if (!Args.hasArg(Ids: options::OPT_mstack_protector_guard_offset_EQ)) {
3555 D.Diag(DiagID: diag::err_drv_ssp_missing_offset_argument)
3556 << A->getAsString(Args);
3557 return;
3558 }
3559 // Check whether the target subarch supports the hardware TLS register
3560 if (!arm::isHardTPSupported(Triple: EffectiveTriple)) {
3561 D.Diag(DiagID: diag::err_target_unsupported_tp_hard)
3562 << EffectiveTriple.getArchName();
3563 return;
3564 }
3565 // Check whether the user asked for something other than -mtp=cp15
3566 if (Arg *A = Args.getLastArg(Ids: options::OPT_mtp_mode_EQ)) {
3567 StringRef Value = A->getValue();
3568 if (Value != "cp15") {
3569 D.Diag(DiagID: diag::err_drv_argument_not_allowed_with)
3570 << A->getAsString(Args) << "-mstack-protector-guard=tls";
3571 return;
3572 }
3573 }
3574 CmdArgs.push_back(Elt: "-target-feature");
3575 CmdArgs.push_back(Elt: "+read-tp-tpidruro");
3576 }
3577 if (EffectiveTriple.isAArch64() && Value != "sysreg" && Value != "global") {
3578 D.Diag(DiagID: diag::err_drv_invalid_value_with_suggestion)
3579 << A->getOption().getName() << Value << "sysreg global";
3580 return;
3581 }
3582 A->render(Args, Output&: CmdArgs);
3583 }
3584
3585 if (Arg *A = Args.getLastArg(Ids: options::OPT_mstack_protector_guard_offset_EQ)) {
3586 StringRef Value = A->getValue();
3587 if (!EffectiveTriple.isX86() && !EffectiveTriple.isAArch64() &&
3588 !EffectiveTriple.isARM() && !EffectiveTriple.isThumb())
3589 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
3590 << A->getAsString(Args) << TripleStr;
3591 int Offset;
3592 if (Value.getAsInteger(Radix: 10, Result&: Offset)) {
3593 D.Diag(DiagID: diag::err_drv_invalid_value) << A->getOption().getName() << Value;
3594 return;
3595 }
3596 if ((EffectiveTriple.isARM() || EffectiveTriple.isThumb()) &&
3597 (Offset < 0 || Offset > 0xfffff)) {
3598 D.Diag(DiagID: diag::err_drv_invalid_int_value)
3599 << A->getOption().getName() << Value;
3600 return;
3601 }
3602 A->render(Args, Output&: CmdArgs);
3603 }
3604
3605 if (Arg *A = Args.getLastArg(Ids: options::OPT_mstack_protector_guard_reg_EQ)) {
3606 StringRef Value = A->getValue();
3607 if (!EffectiveTriple.isX86() && !EffectiveTriple.isAArch64())
3608 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
3609 << A->getAsString(Args) << TripleStr;
3610 if (EffectiveTriple.isX86() && (Value != "fs" && Value != "gs")) {
3611 D.Diag(DiagID: diag::err_drv_invalid_value_with_suggestion)
3612 << A->getOption().getName() << Value << "fs gs";
3613 return;
3614 }
3615 if (EffectiveTriple.isAArch64() && Value != "sp_el0") {
3616 D.Diag(DiagID: diag::err_drv_invalid_value) << A->getOption().getName() << Value;
3617 return;
3618 }
3619 A->render(Args, Output&: CmdArgs);
3620 }
3621
3622 if (Arg *A = Args.getLastArg(Ids: options::OPT_mstack_protector_guard_symbol_EQ)) {
3623 StringRef Value = A->getValue();
3624 if (!isValidSymbolName(S: Value)) {
3625 D.Diag(DiagID: diag::err_drv_argument_only_allowed_with)
3626 << A->getOption().getName() << "legal symbol name";
3627 return;
3628 }
3629 A->render(Args, Output&: CmdArgs);
3630 }
3631}
3632
3633static void RenderSCPOptions(const ToolChain &TC, const ArgList &Args,
3634 ArgStringList &CmdArgs) {
3635 const llvm::Triple &EffectiveTriple = TC.getEffectiveTriple();
3636
3637 if (!EffectiveTriple.isOSFreeBSD() && !EffectiveTriple.isOSLinux())
3638 return;
3639
3640 if (!EffectiveTriple.isX86() && !EffectiveTriple.isSystemZ() &&
3641 !EffectiveTriple.isPPC64() && !EffectiveTriple.isAArch64())
3642 return;
3643
3644 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fstack_clash_protection,
3645 Neg: options::OPT_fno_stack_clash_protection);
3646}
3647
3648static void RenderTrivialAutoVarInitOptions(const Driver &D,
3649 const ToolChain &TC,
3650 const ArgList &Args,
3651 ArgStringList &CmdArgs) {
3652 auto DefaultTrivialAutoVarInit = TC.GetDefaultTrivialAutoVarInit();
3653 StringRef TrivialAutoVarInit = "";
3654
3655 for (const Arg *A : Args) {
3656 switch (A->getOption().getID()) {
3657 default:
3658 continue;
3659 case options::OPT_ftrivial_auto_var_init: {
3660 A->claim();
3661 StringRef Val = A->getValue();
3662 if (Val == "uninitialized" || Val == "zero" || Val == "pattern")
3663 TrivialAutoVarInit = Val;
3664 else
3665 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
3666 << A->getSpelling() << Val;
3667 break;
3668 }
3669 }
3670 }
3671
3672 if (TrivialAutoVarInit.empty())
3673 switch (DefaultTrivialAutoVarInit) {
3674 case LangOptions::TrivialAutoVarInitKind::Uninitialized:
3675 break;
3676 case LangOptions::TrivialAutoVarInitKind::Pattern:
3677 TrivialAutoVarInit = "pattern";
3678 break;
3679 case LangOptions::TrivialAutoVarInitKind::Zero:
3680 TrivialAutoVarInit = "zero";
3681 break;
3682 }
3683
3684 if (!TrivialAutoVarInit.empty()) {
3685 CmdArgs.push_back(
3686 Elt: Args.MakeArgString(Str: "-ftrivial-auto-var-init=" + TrivialAutoVarInit));
3687 }
3688
3689 if (Arg *A =
3690 Args.getLastArg(Ids: options::OPT_ftrivial_auto_var_init_stop_after)) {
3691 if (!Args.hasArg(Ids: options::OPT_ftrivial_auto_var_init) ||
3692 StringRef(
3693 Args.getLastArg(Ids: options::OPT_ftrivial_auto_var_init)->getValue()) ==
3694 "uninitialized")
3695 D.Diag(DiagID: diag::err_drv_trivial_auto_var_init_stop_after_missing_dependency);
3696 A->claim();
3697 StringRef Val = A->getValue();
3698 if (std::stoi(str: Val.str()) <= 0)
3699 D.Diag(DiagID: diag::err_drv_trivial_auto_var_init_stop_after_invalid_value);
3700 CmdArgs.push_back(
3701 Elt: Args.MakeArgString(Str: "-ftrivial-auto-var-init-stop-after=" + Val));
3702 }
3703
3704 if (Arg *A = Args.getLastArg(Ids: options::OPT_ftrivial_auto_var_init_max_size)) {
3705 if (!Args.hasArg(Ids: options::OPT_ftrivial_auto_var_init) ||
3706 StringRef(
3707 Args.getLastArg(Ids: options::OPT_ftrivial_auto_var_init)->getValue()) ==
3708 "uninitialized")
3709 D.Diag(DiagID: diag::err_drv_trivial_auto_var_init_max_size_missing_dependency);
3710 A->claim();
3711 StringRef Val = A->getValue();
3712 if (std::stoi(str: Val.str()) <= 0)
3713 D.Diag(DiagID: diag::err_drv_trivial_auto_var_init_max_size_invalid_value);
3714 CmdArgs.push_back(
3715 Elt: Args.MakeArgString(Str: "-ftrivial-auto-var-init-max-size=" + Val));
3716 }
3717}
3718
3719static void RenderOpenCLOptions(const ArgList &Args, ArgStringList &CmdArgs,
3720 types::ID InputType) {
3721 // cl-denorms-are-zero is not forwarded. It is translated into a generic flag
3722 // for denormal flushing handling based on the target.
3723 const unsigned ForwardedArguments[] = {
3724 options::OPT_cl_opt_disable,
3725 options::OPT_cl_strict_aliasing,
3726 options::OPT_cl_single_precision_constant,
3727 options::OPT_cl_finite_math_only,
3728 options::OPT_cl_kernel_arg_info,
3729 options::OPT_cl_unsafe_math_optimizations,
3730 options::OPT_cl_fast_relaxed_math,
3731 options::OPT_cl_mad_enable,
3732 options::OPT_cl_no_signed_zeros,
3733 options::OPT_cl_fp32_correctly_rounded_divide_sqrt,
3734 options::OPT_cl_uniform_work_group_size
3735 };
3736
3737 if (Arg *A = Args.getLastArg(Ids: options::OPT_cl_std_EQ)) {
3738 std::string CLStdStr = std::string("-cl-std=") + A->getValue();
3739 CmdArgs.push_back(Elt: Args.MakeArgString(Str: CLStdStr));
3740 } else if (Arg *A = Args.getLastArg(Ids: options::OPT_cl_ext_EQ)) {
3741 std::string CLExtStr = std::string("-cl-ext=") + A->getValue();
3742 CmdArgs.push_back(Elt: Args.MakeArgString(Str: CLExtStr));
3743 }
3744
3745 for (const auto &Arg : ForwardedArguments)
3746 if (const auto *A = Args.getLastArg(Ids: Arg))
3747 CmdArgs.push_back(Elt: Args.MakeArgString(Str: A->getOption().getPrefixedName()));
3748
3749 // Only add the default headers if we are compiling OpenCL sources.
3750 if ((types::isOpenCL(Id: InputType) ||
3751 (Args.hasArg(Ids: options::OPT_cl_std_EQ) && types::isSrcFile(Id: InputType))) &&
3752 !Args.hasArg(Ids: options::OPT_cl_no_stdinc)) {
3753 CmdArgs.push_back(Elt: "-finclude-default-header");
3754 CmdArgs.push_back(Elt: "-fdeclare-opencl-builtins");
3755 }
3756}
3757
3758static void RenderHLSLOptions(const ArgList &Args, ArgStringList &CmdArgs,
3759 types::ID InputType) {
3760 const unsigned ForwardedArguments[] = {options::OPT_dxil_validator_version,
3761 options::OPT_D,
3762 options::OPT_I,
3763 options::OPT_O,
3764 options::OPT_emit_llvm,
3765 options::OPT_emit_obj,
3766 options::OPT_disable_llvm_passes,
3767 options::OPT_fnative_half_type,
3768 options::OPT_hlsl_entrypoint};
3769 if (!types::isHLSL(Id: InputType))
3770 return;
3771 for (const auto &Arg : ForwardedArguments)
3772 if (const auto *A = Args.getLastArg(Ids: Arg))
3773 A->renderAsInput(Args, Output&: CmdArgs);
3774 // Add the default headers if dxc_no_stdinc is not set.
3775 if (!Args.hasArg(Ids: options::OPT_dxc_no_stdinc) &&
3776 !Args.hasArg(Ids: options::OPT_nostdinc))
3777 CmdArgs.push_back(Elt: "-finclude-default-header");
3778}
3779
3780static void RenderOpenACCOptions(const Driver &D, const ArgList &Args,
3781 ArgStringList &CmdArgs, types::ID InputType) {
3782 if (!Args.hasArg(Ids: options::OPT_fopenacc))
3783 return;
3784
3785 CmdArgs.push_back(Elt: "-fopenacc");
3786
3787 if (Arg *A = Args.getLastArg(Ids: options::OPT_openacc_macro_override)) {
3788 StringRef Value = A->getValue();
3789 int Version;
3790 if (!Value.getAsInteger(Radix: 10, Result&: Version))
3791 A->renderAsInput(Args, Output&: CmdArgs);
3792 else
3793 D.Diag(DiagID: diag::err_drv_clang_unsupported) << Value;
3794 }
3795}
3796
3797static void RenderARCMigrateToolOptions(const Driver &D, const ArgList &Args,
3798 ArgStringList &CmdArgs) {
3799 bool ARCMTEnabled = false;
3800 if (!Args.hasArg(Ids: options::OPT_fno_objc_arc, Ids: options::OPT_fobjc_arc)) {
3801 if (const Arg *A = Args.getLastArg(Ids: options::OPT_ccc_arcmt_check,
3802 Ids: options::OPT_ccc_arcmt_modify,
3803 Ids: options::OPT_ccc_arcmt_migrate)) {
3804 ARCMTEnabled = true;
3805 switch (A->getOption().getID()) {
3806 default: llvm_unreachable("missed a case");
3807 case options::OPT_ccc_arcmt_check:
3808 CmdArgs.push_back(Elt: "-arcmt-action=check");
3809 break;
3810 case options::OPT_ccc_arcmt_modify:
3811 CmdArgs.push_back(Elt: "-arcmt-action=modify");
3812 break;
3813 case options::OPT_ccc_arcmt_migrate:
3814 CmdArgs.push_back(Elt: "-arcmt-action=migrate");
3815 CmdArgs.push_back(Elt: "-mt-migrate-directory");
3816 CmdArgs.push_back(Elt: A->getValue());
3817
3818 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_arcmt_migrate_report_output);
3819 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_arcmt_migrate_emit_arc_errors);
3820 break;
3821 }
3822 }
3823 } else {
3824 Args.ClaimAllArgs(Id0: options::OPT_ccc_arcmt_check);
3825 Args.ClaimAllArgs(Id0: options::OPT_ccc_arcmt_modify);
3826 Args.ClaimAllArgs(Id0: options::OPT_ccc_arcmt_migrate);
3827 }
3828
3829 if (const Arg *A = Args.getLastArg(Ids: options::OPT_ccc_objcmt_migrate)) {
3830 if (ARCMTEnabled)
3831 D.Diag(DiagID: diag::err_drv_argument_not_allowed_with)
3832 << A->getAsString(Args) << "-ccc-arcmt-migrate";
3833
3834 CmdArgs.push_back(Elt: "-mt-migrate-directory");
3835 CmdArgs.push_back(Elt: A->getValue());
3836
3837 if (!Args.hasArg(Ids: options::OPT_objcmt_migrate_literals,
3838 Ids: options::OPT_objcmt_migrate_subscripting,
3839 Ids: options::OPT_objcmt_migrate_property)) {
3840 // None specified, means enable them all.
3841 CmdArgs.push_back(Elt: "-objcmt-migrate-literals");
3842 CmdArgs.push_back(Elt: "-objcmt-migrate-subscripting");
3843 CmdArgs.push_back(Elt: "-objcmt-migrate-property");
3844 } else {
3845 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_migrate_literals);
3846 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_migrate_subscripting);
3847 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_migrate_property);
3848 }
3849 } else {
3850 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_migrate_literals);
3851 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_migrate_subscripting);
3852 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_migrate_property);
3853 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_migrate_all);
3854 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_migrate_readonly_property);
3855 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_migrate_readwrite_property);
3856 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_migrate_property_dot_syntax);
3857 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_migrate_annotation);
3858 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_migrate_instancetype);
3859 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_migrate_nsmacros);
3860 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_migrate_protocol_conformance);
3861 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_atomic_property);
3862 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_returns_innerpointer_property);
3863 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_ns_nonatomic_iosonly);
3864 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_migrate_designated_init);
3865 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_objcmt_allowlist_dir_path);
3866 }
3867}
3868
3869static void RenderBuiltinOptions(const ToolChain &TC, const llvm::Triple &T,
3870 const ArgList &Args, ArgStringList &CmdArgs) {
3871 // -fbuiltin is default unless -mkernel is used.
3872 bool UseBuiltins =
3873 Args.hasFlag(Pos: options::OPT_fbuiltin, Neg: options::OPT_fno_builtin,
3874 Default: !Args.hasArg(Ids: options::OPT_mkernel));
3875 if (!UseBuiltins)
3876 CmdArgs.push_back(Elt: "-fno-builtin");
3877
3878 // -ffreestanding implies -fno-builtin.
3879 if (Args.hasArg(Ids: options::OPT_ffreestanding))
3880 UseBuiltins = false;
3881
3882 // Process the -fno-builtin-* options.
3883 for (const Arg *A : Args.filtered(Ids: options::OPT_fno_builtin_)) {
3884 A->claim();
3885
3886 // If -fno-builtin is specified, then there's no need to pass the option to
3887 // the frontend.
3888 if (UseBuiltins)
3889 A->render(Args, Output&: CmdArgs);
3890 }
3891
3892 // le32-specific flags:
3893 // -fno-math-builtin: clang should not convert math builtins to intrinsics
3894 // by default.
3895 if (TC.getArch() == llvm::Triple::le32)
3896 CmdArgs.push_back(Elt: "-fno-math-builtin");
3897}
3898
3899bool Driver::getDefaultModuleCachePath(SmallVectorImpl<char> &Result) {
3900 if (const char *Str = std::getenv(name: "CLANG_MODULE_CACHE_PATH")) {
3901 Twine Path{Str};
3902 Path.toVector(Out&: Result);
3903 return Path.getSingleStringRef() != "";
3904 }
3905 if (llvm::sys::path::cache_directory(result&: Result)) {
3906 llvm::sys::path::append(path&: Result, a: "clang");
3907 llvm::sys::path::append(path&: Result, a: "ModuleCache");
3908 return true;
3909 }
3910 return false;
3911}
3912
3913llvm::SmallString<256>
3914clang::driver::tools::getCXX20NamedModuleOutputPath(const ArgList &Args,
3915 const char *BaseInput) {
3916 if (Arg *ModuleOutputEQ = Args.getLastArg(Ids: options::OPT_fmodule_output_EQ))
3917 return StringRef(ModuleOutputEQ->getValue());
3918
3919 SmallString<256> OutputPath;
3920 if (Arg *FinalOutput = Args.getLastArg(Ids: options::OPT_o);
3921 FinalOutput && Args.hasArg(Ids: options::OPT_c))
3922 OutputPath = FinalOutput->getValue();
3923 else
3924 OutputPath = BaseInput;
3925
3926 const char *Extension = types::getTypeTempSuffix(Id: types::TY_ModuleFile);
3927 llvm::sys::path::replace_extension(path&: OutputPath, extension: Extension);
3928 return OutputPath;
3929}
3930
3931static bool RenderModulesOptions(Compilation &C, const Driver &D,
3932 const ArgList &Args, const InputInfo &Input,
3933 const InputInfo &Output, bool HaveStd20,
3934 ArgStringList &CmdArgs) {
3935 bool IsCXX = types::isCXX(Id: Input.getType());
3936 bool HaveStdCXXModules = IsCXX && HaveStd20;
3937 bool HaveModules = HaveStdCXXModules;
3938
3939 // -fmodules enables the use of precompiled modules (off by default).
3940 // Users can pass -fno-cxx-modules to turn off modules support for
3941 // C++/Objective-C++ programs.
3942 bool HaveClangModules = false;
3943 if (Args.hasFlag(Pos: options::OPT_fmodules, Neg: options::OPT_fno_modules, Default: false)) {
3944 bool AllowedInCXX = Args.hasFlag(Pos: options::OPT_fcxx_modules,
3945 Neg: options::OPT_fno_cxx_modules, Default: true);
3946 if (AllowedInCXX || !IsCXX) {
3947 CmdArgs.push_back(Elt: "-fmodules");
3948 HaveClangModules = true;
3949 }
3950 }
3951
3952 HaveModules |= HaveClangModules;
3953
3954 // -fmodule-maps enables implicit reading of module map files. By default,
3955 // this is enabled if we are using Clang's flavor of precompiled modules.
3956 if (Args.hasFlag(Pos: options::OPT_fimplicit_module_maps,
3957 Neg: options::OPT_fno_implicit_module_maps, Default: HaveClangModules))
3958 CmdArgs.push_back(Elt: "-fimplicit-module-maps");
3959
3960 // -fmodules-decluse checks that modules used are declared so (off by default)
3961 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fmodules_decluse,
3962 Neg: options::OPT_fno_modules_decluse);
3963
3964 // -fmodules-strict-decluse is like -fmodule-decluse, but also checks that
3965 // all #included headers are part of modules.
3966 if (Args.hasFlag(Pos: options::OPT_fmodules_strict_decluse,
3967 Neg: options::OPT_fno_modules_strict_decluse, Default: false))
3968 CmdArgs.push_back(Elt: "-fmodules-strict-decluse");
3969
3970 // -fno-implicit-modules turns off implicitly compiling modules on demand.
3971 bool ImplicitModules = false;
3972 if (!Args.hasFlag(Pos: options::OPT_fimplicit_modules,
3973 Neg: options::OPT_fno_implicit_modules, Default: HaveClangModules)) {
3974 if (HaveModules)
3975 CmdArgs.push_back(Elt: "-fno-implicit-modules");
3976 } else if (HaveModules) {
3977 ImplicitModules = true;
3978 // -fmodule-cache-path specifies where our implicitly-built module files
3979 // should be written.
3980 SmallString<128> Path;
3981 if (Arg *A = Args.getLastArg(Ids: options::OPT_fmodules_cache_path))
3982 Path = A->getValue();
3983
3984 bool HasPath = true;
3985 if (C.isForDiagnostics()) {
3986 // When generating crash reports, we want to emit the modules along with
3987 // the reproduction sources, so we ignore any provided module path.
3988 Path = Output.getFilename();
3989 llvm::sys::path::replace_extension(path&: Path, extension: ".cache");
3990 llvm::sys::path::append(path&: Path, a: "modules");
3991 } else if (Path.empty()) {
3992 // No module path was provided: use the default.
3993 HasPath = Driver::getDefaultModuleCachePath(Result&: Path);
3994 }
3995
3996 // `HasPath` will only be false if getDefaultModuleCachePath() fails.
3997 // That being said, that failure is unlikely and not caching is harmless.
3998 if (HasPath) {
3999 const char Arg[] = "-fmodules-cache-path=";
4000 Path.insert(I: Path.begin(), From: Arg, To: Arg + strlen(s: Arg));
4001 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Path));
4002 }
4003 }
4004
4005 if (HaveModules) {
4006 if (Args.hasFlag(Pos: options::OPT_fprebuilt_implicit_modules,
4007 Neg: options::OPT_fno_prebuilt_implicit_modules, Default: false))
4008 CmdArgs.push_back(Elt: "-fprebuilt-implicit-modules");
4009 if (Args.hasFlag(Pos: options::OPT_fmodules_validate_input_files_content,
4010 Neg: options::OPT_fno_modules_validate_input_files_content,
4011 Default: false))
4012 CmdArgs.push_back(Elt: "-fvalidate-ast-input-files-content");
4013 }
4014
4015 // -fmodule-name specifies the module that is currently being built (or
4016 // used for header checking by -fmodule-maps).
4017 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fmodule_name_EQ);
4018
4019 // -fmodule-map-file can be used to specify files containing module
4020 // definitions.
4021 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_fmodule_map_file);
4022
4023 // -fbuiltin-module-map can be used to load the clang
4024 // builtin headers modulemap file.
4025 if (Args.hasArg(Ids: options::OPT_fbuiltin_module_map)) {
4026 SmallString<128> BuiltinModuleMap(D.ResourceDir);
4027 llvm::sys::path::append(path&: BuiltinModuleMap, a: "include");
4028 llvm::sys::path::append(path&: BuiltinModuleMap, a: "module.modulemap");
4029 if (llvm::sys::fs::exists(Path: BuiltinModuleMap))
4030 CmdArgs.push_back(
4031 Elt: Args.MakeArgString(Str: "-fmodule-map-file=" + BuiltinModuleMap));
4032 }
4033
4034 // The -fmodule-file=<name>=<file> form specifies the mapping of module
4035 // names to precompiled module files (the module is loaded only if used).
4036 // The -fmodule-file=<file> form can be used to unconditionally load
4037 // precompiled module files (whether used or not).
4038 if (HaveModules || Input.getType() == clang::driver::types::TY_ModuleFile) {
4039 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_fmodule_file);
4040
4041 // -fprebuilt-module-path specifies where to load the prebuilt module files.
4042 for (const Arg *A : Args.filtered(Ids: options::OPT_fprebuilt_module_path)) {
4043 CmdArgs.push_back(Elt: Args.MakeArgString(
4044 Str: std::string("-fprebuilt-module-path=") + A->getValue()));
4045 A->claim();
4046 }
4047 } else
4048 Args.ClaimAllArgs(Id0: options::OPT_fmodule_file);
4049
4050 // When building modules and generating crashdumps, we need to dump a module
4051 // dependency VFS alongside the output.
4052 if (HaveClangModules && C.isForDiagnostics()) {
4053 SmallString<128> VFSDir(Output.getFilename());
4054 llvm::sys::path::replace_extension(path&: VFSDir, extension: ".cache");
4055 // Add the cache directory as a temp so the crash diagnostics pick it up.
4056 C.addTempFile(Name: Args.MakeArgString(Str: VFSDir));
4057
4058 llvm::sys::path::append(path&: VFSDir, a: "vfs");
4059 CmdArgs.push_back(Elt: "-module-dependency-dir");
4060 CmdArgs.push_back(Elt: Args.MakeArgString(Str: VFSDir));
4061 }
4062
4063 if (HaveClangModules)
4064 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fmodules_user_build_path);
4065
4066 // Pass through all -fmodules-ignore-macro arguments.
4067 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_fmodules_ignore_macro);
4068 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fmodules_prune_interval);
4069 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fmodules_prune_after);
4070
4071 if (HaveClangModules) {
4072 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fbuild_session_timestamp);
4073
4074 if (Arg *A = Args.getLastArg(Ids: options::OPT_fbuild_session_file)) {
4075 if (Args.hasArg(Ids: options::OPT_fbuild_session_timestamp))
4076 D.Diag(DiagID: diag::err_drv_argument_not_allowed_with)
4077 << A->getAsString(Args) << "-fbuild-session-timestamp";
4078
4079 llvm::sys::fs::file_status Status;
4080 if (llvm::sys::fs::status(path: A->getValue(), result&: Status))
4081 D.Diag(DiagID: diag::err_drv_no_such_file) << A->getValue();
4082 CmdArgs.push_back(Elt: Args.MakeArgString(
4083 Str: "-fbuild-session-timestamp=" +
4084 Twine((uint64_t)std::chrono::duration_cast<std::chrono::seconds>(
4085 d: Status.getLastModificationTime().time_since_epoch())
4086 .count())));
4087 }
4088
4089 if (Args.getLastArg(
4090 Ids: options::OPT_fmodules_validate_once_per_build_session)) {
4091 if (!Args.getLastArg(Ids: options::OPT_fbuild_session_timestamp,
4092 Ids: options::OPT_fbuild_session_file))
4093 D.Diag(DiagID: diag::err_drv_modules_validate_once_requires_timestamp);
4094
4095 Args.AddLastArg(Output&: CmdArgs,
4096 Ids: options::OPT_fmodules_validate_once_per_build_session);
4097 }
4098
4099 if (Args.hasFlag(Pos: options::OPT_fmodules_validate_system_headers,
4100 Neg: options::OPT_fno_modules_validate_system_headers,
4101 Default: ImplicitModules))
4102 CmdArgs.push_back(Elt: "-fmodules-validate-system-headers");
4103
4104 Args.AddLastArg(Output&: CmdArgs,
4105 Ids: options::OPT_fmodules_disable_diagnostic_validation);
4106 } else {
4107 Args.ClaimAllArgs(Id0: options::OPT_fbuild_session_timestamp);
4108 Args.ClaimAllArgs(Id0: options::OPT_fbuild_session_file);
4109 Args.ClaimAllArgs(Id0: options::OPT_fmodules_validate_once_per_build_session);
4110 Args.ClaimAllArgs(Id0: options::OPT_fmodules_validate_system_headers);
4111 Args.ClaimAllArgs(Id0: options::OPT_fno_modules_validate_system_headers);
4112 Args.ClaimAllArgs(Id0: options::OPT_fmodules_disable_diagnostic_validation);
4113 }
4114
4115 // FIXME: We provisionally don't check ODR violations for decls in the global
4116 // module fragment.
4117 CmdArgs.push_back(Elt: "-fskip-odr-check-in-gmf");
4118
4119 if (Args.hasArg(Ids: options::OPT_modules_reduced_bmi) &&
4120 (Input.getType() == driver::types::TY_CXXModule ||
4121 Input.getType() == driver::types::TY_PP_CXXModule)) {
4122 CmdArgs.push_back(Elt: "-fexperimental-modules-reduced-bmi");
4123
4124 if (Args.hasArg(Ids: options::OPT_fmodule_output_EQ))
4125 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fmodule_output_EQ);
4126 else
4127 CmdArgs.push_back(Elt: Args.MakeArgString(
4128 Str: "-fmodule-output=" +
4129 getCXX20NamedModuleOutputPath(Args, BaseInput: Input.getBaseInput())));
4130 }
4131
4132 // Noop if we see '-fexperimental-modules-reduced-bmi' with other translation
4133 // units than module units. This is more user friendly to allow end uers to
4134 // enable this feature without asking for help from build systems.
4135 Args.ClaimAllArgs(Id0: options::OPT_modules_reduced_bmi);
4136
4137 // We need to include the case the input file is a module file here.
4138 // Since the default compilation model for C++ module interface unit will
4139 // create temporary module file and compile the temporary module file
4140 // to get the object file. Then the `-fmodule-output` flag will be
4141 // brought to the second compilation process. So we have to claim it for
4142 // the case too.
4143 if (Input.getType() == driver::types::TY_CXXModule ||
4144 Input.getType() == driver::types::TY_PP_CXXModule ||
4145 Input.getType() == driver::types::TY_ModuleFile) {
4146 Args.ClaimAllArgs(Id0: options::OPT_fmodule_output);
4147 Args.ClaimAllArgs(Id0: options::OPT_fmodule_output_EQ);
4148 }
4149
4150 return HaveModules;
4151}
4152
4153static void RenderCharacterOptions(const ArgList &Args, const llvm::Triple &T,
4154 ArgStringList &CmdArgs) {
4155 // -fsigned-char is default.
4156 if (const Arg *A = Args.getLastArg(Ids: options::OPT_fsigned_char,
4157 Ids: options::OPT_fno_signed_char,
4158 Ids: options::OPT_funsigned_char,
4159 Ids: options::OPT_fno_unsigned_char)) {
4160 if (A->getOption().matches(ID: options::OPT_funsigned_char) ||
4161 A->getOption().matches(ID: options::OPT_fno_signed_char)) {
4162 CmdArgs.push_back(Elt: "-fno-signed-char");
4163 }
4164 } else if (!isSignedCharDefault(Triple: T)) {
4165 CmdArgs.push_back(Elt: "-fno-signed-char");
4166 }
4167
4168 // The default depends on the language standard.
4169 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fchar8__t, Ids: options::OPT_fno_char8__t);
4170
4171 if (const Arg *A = Args.getLastArg(Ids: options::OPT_fshort_wchar,
4172 Ids: options::OPT_fno_short_wchar)) {
4173 if (A->getOption().matches(ID: options::OPT_fshort_wchar)) {
4174 CmdArgs.push_back(Elt: "-fwchar-type=short");
4175 CmdArgs.push_back(Elt: "-fno-signed-wchar");
4176 } else {
4177 bool IsARM = T.isARM() || T.isThumb() || T.isAArch64();
4178 CmdArgs.push_back(Elt: "-fwchar-type=int");
4179 if (T.isOSzOS() ||
4180 (IsARM && !(T.isOSWindows() || T.isOSNetBSD() || T.isOSOpenBSD())))
4181 CmdArgs.push_back(Elt: "-fno-signed-wchar");
4182 else
4183 CmdArgs.push_back(Elt: "-fsigned-wchar");
4184 }
4185 } else if (T.isOSzOS())
4186 CmdArgs.push_back(Elt: "-fno-signed-wchar");
4187}
4188
4189static void RenderObjCOptions(const ToolChain &TC, const Driver &D,
4190 const llvm::Triple &T, const ArgList &Args,
4191 ObjCRuntime &Runtime, bool InferCovariantReturns,
4192 const InputInfo &Input, ArgStringList &CmdArgs) {
4193 const llvm::Triple::ArchType Arch = TC.getArch();
4194
4195 // -fobjc-dispatch-method is only relevant with the nonfragile-abi, and legacy
4196 // is the default. Except for deployment target of 10.5, next runtime is
4197 // always legacy dispatch and -fno-objc-legacy-dispatch gets ignored silently.
4198 if (Runtime.isNonFragile()) {
4199 if (!Args.hasFlag(Pos: options::OPT_fobjc_legacy_dispatch,
4200 Neg: options::OPT_fno_objc_legacy_dispatch,
4201 Default: Runtime.isLegacyDispatchDefaultForArch(Arch))) {
4202 if (TC.UseObjCMixedDispatch())
4203 CmdArgs.push_back(Elt: "-fobjc-dispatch-method=mixed");
4204 else
4205 CmdArgs.push_back(Elt: "-fobjc-dispatch-method=non-legacy");
4206 }
4207 }
4208
4209 // When ObjectiveC legacy runtime is in effect on MacOSX, turn on the option
4210 // to do Array/Dictionary subscripting by default.
4211 if (Arch == llvm::Triple::x86 && T.isMacOSX() &&
4212 Runtime.getKind() == ObjCRuntime::FragileMacOSX && Runtime.isNeXTFamily())
4213 CmdArgs.push_back(Elt: "-fobjc-subscripting-legacy-runtime");
4214
4215 // Allow -fno-objc-arr to trump -fobjc-arr/-fobjc-arc.
4216 // NOTE: This logic is duplicated in ToolChains.cpp.
4217 if (isObjCAutoRefCount(Args)) {
4218 TC.CheckObjCARC();
4219
4220 CmdArgs.push_back(Elt: "-fobjc-arc");
4221
4222 // FIXME: It seems like this entire block, and several around it should be
4223 // wrapped in isObjC, but for now we just use it here as this is where it
4224 // was being used previously.
4225 if (types::isCXX(Id: Input.getType()) && types::isObjC(Id: Input.getType())) {
4226 if (TC.GetCXXStdlibType(Args) == ToolChain::CST_Libcxx)
4227 CmdArgs.push_back(Elt: "-fobjc-arc-cxxlib=libc++");
4228 else
4229 CmdArgs.push_back(Elt: "-fobjc-arc-cxxlib=libstdc++");
4230 }
4231
4232 // Allow the user to enable full exceptions code emission.
4233 // We default off for Objective-C, on for Objective-C++.
4234 if (Args.hasFlag(Pos: options::OPT_fobjc_arc_exceptions,
4235 Neg: options::OPT_fno_objc_arc_exceptions,
4236 /*Default=*/types::isCXX(Id: Input.getType())))
4237 CmdArgs.push_back(Elt: "-fobjc-arc-exceptions");
4238 }
4239
4240 // Silence warning for full exception code emission options when explicitly
4241 // set to use no ARC.
4242 if (Args.hasArg(Ids: options::OPT_fno_objc_arc)) {
4243 Args.ClaimAllArgs(Id0: options::OPT_fobjc_arc_exceptions);
4244 Args.ClaimAllArgs(Id0: options::OPT_fno_objc_arc_exceptions);
4245 }
4246
4247 // Allow the user to control whether messages can be converted to runtime
4248 // functions.
4249 if (types::isObjC(Id: Input.getType())) {
4250 auto *Arg = Args.getLastArg(
4251 Ids: options::OPT_fobjc_convert_messages_to_runtime_calls,
4252 Ids: options::OPT_fno_objc_convert_messages_to_runtime_calls);
4253 if (Arg &&
4254 Arg->getOption().matches(
4255 ID: options::OPT_fno_objc_convert_messages_to_runtime_calls))
4256 CmdArgs.push_back(Elt: "-fno-objc-convert-messages-to-runtime-calls");
4257 }
4258
4259 // -fobjc-infer-related-result-type is the default, except in the Objective-C
4260 // rewriter.
4261 if (InferCovariantReturns)
4262 CmdArgs.push_back(Elt: "-fno-objc-infer-related-result-type");
4263
4264 // Pass down -fobjc-weak or -fno-objc-weak if present.
4265 if (types::isObjC(Id: Input.getType())) {
4266 auto WeakArg =
4267 Args.getLastArg(Ids: options::OPT_fobjc_weak, Ids: options::OPT_fno_objc_weak);
4268 if (!WeakArg) {
4269 // nothing to do
4270 } else if (!Runtime.allowsWeak()) {
4271 if (WeakArg->getOption().matches(ID: options::OPT_fobjc_weak))
4272 D.Diag(DiagID: diag::err_objc_weak_unsupported);
4273 } else {
4274 WeakArg->render(Args, Output&: CmdArgs);
4275 }
4276 }
4277
4278 if (Args.hasArg(Ids: options::OPT_fobjc_disable_direct_methods_for_testing))
4279 CmdArgs.push_back(Elt: "-fobjc-disable-direct-methods-for-testing");
4280}
4281
4282static void RenderDiagnosticsOptions(const Driver &D, const ArgList &Args,
4283 ArgStringList &CmdArgs) {
4284 bool CaretDefault = true;
4285 bool ColumnDefault = true;
4286
4287 if (const Arg *A = Args.getLastArg(Ids: options::OPT__SLASH_diagnostics_classic,
4288 Ids: options::OPT__SLASH_diagnostics_column,
4289 Ids: options::OPT__SLASH_diagnostics_caret)) {
4290 switch (A->getOption().getID()) {
4291 case options::OPT__SLASH_diagnostics_caret:
4292 CaretDefault = true;
4293 ColumnDefault = true;
4294 break;
4295 case options::OPT__SLASH_diagnostics_column:
4296 CaretDefault = false;
4297 ColumnDefault = true;
4298 break;
4299 case options::OPT__SLASH_diagnostics_classic:
4300 CaretDefault = false;
4301 ColumnDefault = false;
4302 break;
4303 }
4304 }
4305
4306 // -fcaret-diagnostics is default.
4307 if (!Args.hasFlag(Pos: options::OPT_fcaret_diagnostics,
4308 Neg: options::OPT_fno_caret_diagnostics, Default: CaretDefault))
4309 CmdArgs.push_back(Elt: "-fno-caret-diagnostics");
4310
4311 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fdiagnostics_fixit_info,
4312 Neg: options::OPT_fno_diagnostics_fixit_info);
4313 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fdiagnostics_show_option,
4314 Neg: options::OPT_fno_diagnostics_show_option);
4315
4316 if (const Arg *A =
4317 Args.getLastArg(Ids: options::OPT_fdiagnostics_show_category_EQ)) {
4318 CmdArgs.push_back(Elt: "-fdiagnostics-show-category");
4319 CmdArgs.push_back(Elt: A->getValue());
4320 }
4321
4322 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fdiagnostics_show_hotness,
4323 Neg: options::OPT_fno_diagnostics_show_hotness);
4324
4325 if (const Arg *A =
4326 Args.getLastArg(Ids: options::OPT_fdiagnostics_hotness_threshold_EQ)) {
4327 std::string Opt =
4328 std::string("-fdiagnostics-hotness-threshold=") + A->getValue();
4329 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Opt));
4330 }
4331
4332 if (const Arg *A =
4333 Args.getLastArg(Ids: options::OPT_fdiagnostics_misexpect_tolerance_EQ)) {
4334 std::string Opt =
4335 std::string("-fdiagnostics-misexpect-tolerance=") + A->getValue();
4336 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Opt));
4337 }
4338
4339 if (const Arg *A = Args.getLastArg(Ids: options::OPT_fdiagnostics_format_EQ)) {
4340 CmdArgs.push_back(Elt: "-fdiagnostics-format");
4341 CmdArgs.push_back(Elt: A->getValue());
4342 if (StringRef(A->getValue()) == "sarif" ||
4343 StringRef(A->getValue()) == "SARIF")
4344 D.Diag(DiagID: diag::warn_drv_sarif_format_unstable);
4345 }
4346
4347 if (const Arg *A = Args.getLastArg(
4348 Ids: options::OPT_fdiagnostics_show_note_include_stack,
4349 Ids: options::OPT_fno_diagnostics_show_note_include_stack)) {
4350 const Option &O = A->getOption();
4351 if (O.matches(ID: options::OPT_fdiagnostics_show_note_include_stack))
4352 CmdArgs.push_back(Elt: "-fdiagnostics-show-note-include-stack");
4353 else
4354 CmdArgs.push_back(Elt: "-fno-diagnostics-show-note-include-stack");
4355 }
4356
4357 // Color diagnostics are parsed by the driver directly from argv and later
4358 // re-parsed to construct this job; claim any possible color diagnostic here
4359 // to avoid warn_drv_unused_argument and diagnose bad
4360 // OPT_fdiagnostics_color_EQ values.
4361 Args.getLastArg(Ids: options::OPT_fcolor_diagnostics,
4362 Ids: options::OPT_fno_color_diagnostics);
4363 if (const Arg *A = Args.getLastArg(Ids: options::OPT_fdiagnostics_color_EQ)) {
4364 StringRef Value(A->getValue());
4365 if (Value != "always" && Value != "never" && Value != "auto")
4366 D.Diag(DiagID: diag::err_drv_invalid_argument_to_option)
4367 << Value << A->getOption().getName();
4368 }
4369
4370 if (D.getDiags().getDiagnosticOptions().ShowColors)
4371 CmdArgs.push_back(Elt: "-fcolor-diagnostics");
4372
4373 if (Args.hasArg(Ids: options::OPT_fansi_escape_codes))
4374 CmdArgs.push_back(Elt: "-fansi-escape-codes");
4375
4376 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fshow_source_location,
4377 Neg: options::OPT_fno_show_source_location);
4378
4379 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fdiagnostics_show_line_numbers,
4380 Neg: options::OPT_fno_diagnostics_show_line_numbers);
4381
4382 if (Args.hasArg(Ids: options::OPT_fdiagnostics_absolute_paths))
4383 CmdArgs.push_back(Elt: "-fdiagnostics-absolute-paths");
4384
4385 if (!Args.hasFlag(Pos: options::OPT_fshow_column, Neg: options::OPT_fno_show_column,
4386 Default: ColumnDefault))
4387 CmdArgs.push_back(Elt: "-fno-show-column");
4388
4389 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fspell_checking,
4390 Neg: options::OPT_fno_spell_checking);
4391}
4392
4393DwarfFissionKind tools::getDebugFissionKind(const Driver &D,
4394 const ArgList &Args, Arg *&Arg) {
4395 Arg = Args.getLastArg(Ids: options::OPT_gsplit_dwarf, Ids: options::OPT_gsplit_dwarf_EQ,
4396 Ids: options::OPT_gno_split_dwarf);
4397 if (!Arg || Arg->getOption().matches(ID: options::OPT_gno_split_dwarf))
4398 return DwarfFissionKind::None;
4399
4400 if (Arg->getOption().matches(ID: options::OPT_gsplit_dwarf))
4401 return DwarfFissionKind::Split;
4402
4403 StringRef Value = Arg->getValue();
4404 if (Value == "split")
4405 return DwarfFissionKind::Split;
4406 if (Value == "single")
4407 return DwarfFissionKind::Single;
4408
4409 D.Diag(DiagID: diag::err_drv_unsupported_option_argument)
4410 << Arg->getSpelling() << Arg->getValue();
4411 return DwarfFissionKind::None;
4412}
4413
4414static void renderDwarfFormat(const Driver &D, const llvm::Triple &T,
4415 const ArgList &Args, ArgStringList &CmdArgs,
4416 unsigned DwarfVersion) {
4417 auto *DwarfFormatArg =
4418 Args.getLastArg(Ids: options::OPT_gdwarf64, Ids: options::OPT_gdwarf32);
4419 if (!DwarfFormatArg)
4420 return;
4421
4422 if (DwarfFormatArg->getOption().matches(ID: options::OPT_gdwarf64)) {
4423 if (DwarfVersion < 3)
4424 D.Diag(DiagID: diag::err_drv_argument_only_allowed_with)
4425 << DwarfFormatArg->getAsString(Args) << "DWARFv3 or greater";
4426 else if (!T.isArch64Bit())
4427 D.Diag(DiagID: diag::err_drv_argument_only_allowed_with)
4428 << DwarfFormatArg->getAsString(Args) << "64 bit architecture";
4429 else if (!T.isOSBinFormatELF())
4430 D.Diag(DiagID: diag::err_drv_argument_only_allowed_with)
4431 << DwarfFormatArg->getAsString(Args) << "ELF platforms";
4432 }
4433
4434 DwarfFormatArg->render(Args, Output&: CmdArgs);
4435}
4436
4437static void
4438renderDebugOptions(const ToolChain &TC, const Driver &D, const llvm::Triple &T,
4439 const ArgList &Args, bool IRInput, ArgStringList &CmdArgs,
4440 const InputInfo &Output,
4441 llvm::codegenoptions::DebugInfoKind &DebugInfoKind,
4442 DwarfFissionKind &DwarfFission) {
4443 if (Args.hasFlag(Pos: options::OPT_fdebug_info_for_profiling,
4444 Neg: options::OPT_fno_debug_info_for_profiling, Default: false) &&
4445 checkDebugInfoOption(
4446 A: Args.getLastArg(Ids: options::OPT_fdebug_info_for_profiling), Args, D, TC))
4447 CmdArgs.push_back(Elt: "-fdebug-info-for-profiling");
4448
4449 // The 'g' groups options involve a somewhat intricate sequence of decisions
4450 // about what to pass from the driver to the frontend, but by the time they
4451 // reach cc1 they've been factored into three well-defined orthogonal choices:
4452 // * what level of debug info to generate
4453 // * what dwarf version to write
4454 // * what debugger tuning to use
4455 // This avoids having to monkey around further in cc1 other than to disable
4456 // codeview if not running in a Windows environment. Perhaps even that
4457 // decision should be made in the driver as well though.
4458 llvm::DebuggerKind DebuggerTuning = TC.getDefaultDebuggerTuning();
4459
4460 bool SplitDWARFInlining =
4461 Args.hasFlag(Pos: options::OPT_fsplit_dwarf_inlining,
4462 Neg: options::OPT_fno_split_dwarf_inlining, Default: false);
4463
4464 // Normally -gsplit-dwarf is only useful with -gN. For IR input, Clang does
4465 // object file generation and no IR generation, -gN should not be needed. So
4466 // allow -gsplit-dwarf with either -gN or IR input.
4467 if (IRInput || Args.hasArg(Ids: options::OPT_g_Group)) {
4468 Arg *SplitDWARFArg;
4469 DwarfFission = getDebugFissionKind(D, Args, Arg&: SplitDWARFArg);
4470 if (DwarfFission != DwarfFissionKind::None &&
4471 !checkDebugInfoOption(A: SplitDWARFArg, Args, D, TC)) {
4472 DwarfFission = DwarfFissionKind::None;
4473 SplitDWARFInlining = false;
4474 }
4475 }
4476 if (const Arg *A = Args.getLastArg(Ids: options::OPT_g_Group)) {
4477 DebugInfoKind = llvm::codegenoptions::DebugInfoConstructor;
4478
4479 // If the last option explicitly specified a debug-info level, use it.
4480 if (checkDebugInfoOption(A, Args, D, TC) &&
4481 A->getOption().matches(ID: options::OPT_gN_Group)) {
4482 DebugInfoKind = debugLevelToInfoKind(A: *A);
4483 // For -g0 or -gline-tables-only, drop -gsplit-dwarf. This gets a bit more
4484 // complicated if you've disabled inline info in the skeleton CUs
4485 // (SplitDWARFInlining) - then there's value in composing split-dwarf and
4486 // line-tables-only, so let those compose naturally in that case.
4487 if (DebugInfoKind == llvm::codegenoptions::NoDebugInfo ||
4488 DebugInfoKind == llvm::codegenoptions::DebugDirectivesOnly ||
4489 (DebugInfoKind == llvm::codegenoptions::DebugLineTablesOnly &&
4490 SplitDWARFInlining))
4491 DwarfFission = DwarfFissionKind::None;
4492 }
4493 }
4494
4495 // If a debugger tuning argument appeared, remember it.
4496 bool HasDebuggerTuning = false;
4497 if (const Arg *A =
4498 Args.getLastArg(Ids: options::OPT_gTune_Group, Ids: options::OPT_ggdbN_Group)) {
4499 HasDebuggerTuning = true;
4500 if (checkDebugInfoOption(A, Args, D, TC)) {
4501 if (A->getOption().matches(ID: options::OPT_glldb))
4502 DebuggerTuning = llvm::DebuggerKind::LLDB;
4503 else if (A->getOption().matches(ID: options::OPT_gsce))
4504 DebuggerTuning = llvm::DebuggerKind::SCE;
4505 else if (A->getOption().matches(ID: options::OPT_gdbx))
4506 DebuggerTuning = llvm::DebuggerKind::DBX;
4507 else
4508 DebuggerTuning = llvm::DebuggerKind::GDB;
4509 }
4510 }
4511
4512 // If a -gdwarf argument appeared, remember it.
4513 bool EmitDwarf = false;
4514 if (const Arg *A = getDwarfNArg(Args))
4515 EmitDwarf = checkDebugInfoOption(A, Args, D, TC);
4516
4517 bool EmitCodeView = false;
4518 if (const Arg *A = Args.getLastArg(Ids: options::OPT_gcodeview))
4519 EmitCodeView = checkDebugInfoOption(A, Args, D, TC);
4520
4521 // If the user asked for debug info but did not explicitly specify -gcodeview
4522 // or -gdwarf, ask the toolchain for the default format.
4523 if (!EmitCodeView && !EmitDwarf &&
4524 DebugInfoKind != llvm::codegenoptions::NoDebugInfo) {
4525 switch (TC.getDefaultDebugFormat()) {
4526 case llvm::codegenoptions::DIF_CodeView:
4527 EmitCodeView = true;
4528 break;
4529 case llvm::codegenoptions::DIF_DWARF:
4530 EmitDwarf = true;
4531 break;
4532 }
4533 }
4534
4535 unsigned RequestedDWARFVersion = 0; // DWARF version requested by the user
4536 unsigned EffectiveDWARFVersion = 0; // DWARF version TC can generate. It may
4537 // be lower than what the user wanted.
4538 if (EmitDwarf) {
4539 RequestedDWARFVersion = getDwarfVersion(TC, Args);
4540 // Clamp effective DWARF version to the max supported by the toolchain.
4541 EffectiveDWARFVersion =
4542 std::min(a: RequestedDWARFVersion, b: TC.getMaxDwarfVersion());
4543 } else {
4544 Args.ClaimAllArgs(Id0: options::OPT_fdebug_default_version);
4545 }
4546
4547 // -gline-directives-only supported only for the DWARF debug info.
4548 if (RequestedDWARFVersion == 0 &&
4549 DebugInfoKind == llvm::codegenoptions::DebugDirectivesOnly)
4550 DebugInfoKind = llvm::codegenoptions::NoDebugInfo;
4551
4552 // strict DWARF is set to false by default. But for DBX, we need it to be set
4553 // as true by default.
4554 if (const Arg *A = Args.getLastArg(Ids: options::OPT_gstrict_dwarf))
4555 (void)checkDebugInfoOption(A, Args, D, TC);
4556 if (Args.hasFlag(Pos: options::OPT_gstrict_dwarf, Neg: options::OPT_gno_strict_dwarf,
4557 Default: DebuggerTuning == llvm::DebuggerKind::DBX))
4558 CmdArgs.push_back(Elt: "-gstrict-dwarf");
4559
4560 // And we handle flag -grecord-gcc-switches later with DWARFDebugFlags.
4561 Args.ClaimAllArgs(Id0: options::OPT_g_flags_Group);
4562
4563 // Column info is included by default for everything except SCE and
4564 // CodeView. Clang doesn't track end columns, just starting columns, which,
4565 // in theory, is fine for CodeView (and PDB). In practice, however, the
4566 // Microsoft debuggers don't handle missing end columns well, and the AIX
4567 // debugger DBX also doesn't handle the columns well, so it's better not to
4568 // include any column info.
4569 if (const Arg *A = Args.getLastArg(Ids: options::OPT_gcolumn_info))
4570 (void)checkDebugInfoOption(A, Args, D, TC);
4571 if (!Args.hasFlag(Pos: options::OPT_gcolumn_info, Neg: options::OPT_gno_column_info,
4572 Default: !EmitCodeView &&
4573 (DebuggerTuning != llvm::DebuggerKind::SCE &&
4574 DebuggerTuning != llvm::DebuggerKind::DBX)))
4575 CmdArgs.push_back(Elt: "-gno-column-info");
4576
4577 // FIXME: Move backend command line options to the module.
4578 if (Args.hasFlag(Pos: options::OPT_gmodules, Neg: options::OPT_gno_modules, Default: false)) {
4579 // If -gline-tables-only or -gline-directives-only is the last option it
4580 // wins.
4581 if (checkDebugInfoOption(A: Args.getLastArg(Ids: options::OPT_gmodules), Args, D,
4582 TC)) {
4583 if (DebugInfoKind != llvm::codegenoptions::DebugLineTablesOnly &&
4584 DebugInfoKind != llvm::codegenoptions::DebugDirectivesOnly) {
4585 DebugInfoKind = llvm::codegenoptions::DebugInfoConstructor;
4586 CmdArgs.push_back(Elt: "-dwarf-ext-refs");
4587 CmdArgs.push_back(Elt: "-fmodule-format=obj");
4588 }
4589 }
4590 }
4591
4592 if (T.isOSBinFormatELF() && SplitDWARFInlining)
4593 CmdArgs.push_back(Elt: "-fsplit-dwarf-inlining");
4594
4595 // After we've dealt with all combinations of things that could
4596 // make DebugInfoKind be other than None or DebugLineTablesOnly,
4597 // figure out if we need to "upgrade" it to standalone debug info.
4598 // We parse these two '-f' options whether or not they will be used,
4599 // to claim them even if you wrote "-fstandalone-debug -gline-tables-only"
4600 bool NeedFullDebug = Args.hasFlag(
4601 Pos: options::OPT_fstandalone_debug, Neg: options::OPT_fno_standalone_debug,
4602 Default: DebuggerTuning == llvm::DebuggerKind::LLDB ||
4603 TC.GetDefaultStandaloneDebug());
4604 if (const Arg *A = Args.getLastArg(Ids: options::OPT_fstandalone_debug))
4605 (void)checkDebugInfoOption(A, Args, D, TC);
4606
4607 if (DebugInfoKind == llvm::codegenoptions::LimitedDebugInfo ||
4608 DebugInfoKind == llvm::codegenoptions::DebugInfoConstructor) {
4609 if (Args.hasFlag(Pos: options::OPT_fno_eliminate_unused_debug_types,
4610 Neg: options::OPT_feliminate_unused_debug_types, Default: false))
4611 DebugInfoKind = llvm::codegenoptions::UnusedTypeInfo;
4612 else if (NeedFullDebug)
4613 DebugInfoKind = llvm::codegenoptions::FullDebugInfo;
4614 }
4615
4616 if (Args.hasFlag(Pos: options::OPT_gembed_source, Neg: options::OPT_gno_embed_source,
4617 Default: false)) {
4618 // Source embedding is a vendor extension to DWARF v5. By now we have
4619 // checked if a DWARF version was stated explicitly, and have otherwise
4620 // fallen back to the target default, so if this is still not at least 5
4621 // we emit an error.
4622 const Arg *A = Args.getLastArg(Ids: options::OPT_gembed_source);
4623 if (RequestedDWARFVersion < 5)
4624 D.Diag(DiagID: diag::err_drv_argument_only_allowed_with)
4625 << A->getAsString(Args) << "-gdwarf-5";
4626 else if (EffectiveDWARFVersion < 5)
4627 // The toolchain has reduced allowed dwarf version, so we can't enable
4628 // -gembed-source.
4629 D.Diag(DiagID: diag::warn_drv_dwarf_version_limited_by_target)
4630 << A->getAsString(Args) << TC.getTripleString() << 5
4631 << EffectiveDWARFVersion;
4632 else if (checkDebugInfoOption(A, Args, D, TC))
4633 CmdArgs.push_back(Elt: "-gembed-source");
4634 }
4635
4636 if (EmitCodeView) {
4637 CmdArgs.push_back(Elt: "-gcodeview");
4638
4639 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_gcodeview_ghash,
4640 Neg: options::OPT_gno_codeview_ghash);
4641
4642 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_gcodeview_command_line,
4643 Neg: options::OPT_gno_codeview_command_line);
4644 }
4645
4646 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_ginline_line_tables,
4647 Neg: options::OPT_gno_inline_line_tables);
4648
4649 // When emitting remarks, we need at least debug lines in the output.
4650 if (willEmitRemarks(Args) &&
4651 DebugInfoKind <= llvm::codegenoptions::DebugDirectivesOnly)
4652 DebugInfoKind = llvm::codegenoptions::DebugLineTablesOnly;
4653
4654 // Adjust the debug info kind for the given toolchain.
4655 TC.adjustDebugInfoKind(DebugInfoKind, Args);
4656
4657 // On AIX, the debugger tuning option can be omitted if it is not explicitly
4658 // set.
4659 RenderDebugEnablingArgs(Args, CmdArgs, DebugInfoKind, DwarfVersion: EffectiveDWARFVersion,
4660 DebuggerTuning: T.isOSAIX() && !HasDebuggerTuning
4661 ? llvm::DebuggerKind::Default
4662 : DebuggerTuning);
4663
4664 // -fdebug-macro turns on macro debug info generation.
4665 if (Args.hasFlag(Pos: options::OPT_fdebug_macro, Neg: options::OPT_fno_debug_macro,
4666 Default: false))
4667 if (checkDebugInfoOption(A: Args.getLastArg(Ids: options::OPT_fdebug_macro), Args,
4668 D, TC))
4669 CmdArgs.push_back(Elt: "-debug-info-macro");
4670
4671 // -ggnu-pubnames turns on gnu style pubnames in the backend.
4672 const auto *PubnamesArg =
4673 Args.getLastArg(Ids: options::OPT_ggnu_pubnames, Ids: options::OPT_gno_gnu_pubnames,
4674 Ids: options::OPT_gpubnames, Ids: options::OPT_gno_pubnames);
4675 if (DwarfFission != DwarfFissionKind::None ||
4676 (PubnamesArg && checkDebugInfoOption(A: PubnamesArg, Args, D, TC))) {
4677 const bool OptionSet =
4678 (PubnamesArg &&
4679 (PubnamesArg->getOption().matches(ID: options::OPT_gpubnames) ||
4680 PubnamesArg->getOption().matches(ID: options::OPT_ggnu_pubnames)));
4681 if ((DebuggerTuning != llvm::DebuggerKind::LLDB || OptionSet) &&
4682 (!PubnamesArg ||
4683 (!PubnamesArg->getOption().matches(ID: options::OPT_gno_gnu_pubnames) &&
4684 !PubnamesArg->getOption().matches(ID: options::OPT_gno_pubnames))))
4685 CmdArgs.push_back(Elt: PubnamesArg && PubnamesArg->getOption().matches(
4686 ID: options::OPT_gpubnames)
4687 ? "-gpubnames"
4688 : "-ggnu-pubnames");
4689 }
4690 const auto *SimpleTemplateNamesArg =
4691 Args.getLastArg(Ids: options::OPT_gsimple_template_names,
4692 Ids: options::OPT_gno_simple_template_names);
4693 bool ForwardTemplateParams = DebuggerTuning == llvm::DebuggerKind::SCE;
4694 if (SimpleTemplateNamesArg &&
4695 checkDebugInfoOption(A: SimpleTemplateNamesArg, Args, D, TC)) {
4696 const auto &Opt = SimpleTemplateNamesArg->getOption();
4697 if (Opt.matches(ID: options::OPT_gsimple_template_names)) {
4698 ForwardTemplateParams = true;
4699 CmdArgs.push_back(Elt: "-gsimple-template-names=simple");
4700 }
4701 }
4702
4703 // Emit DW_TAG_template_alias for template aliases? True by default for SCE.
4704 bool UseDebugTemplateAlias =
4705 DebuggerTuning == llvm::DebuggerKind::SCE && RequestedDWARFVersion >= 4;
4706 if (const auto *DebugTemplateAlias = Args.getLastArg(
4707 Ids: options::OPT_gtemplate_alias, Ids: options::OPT_gno_template_alias)) {
4708 // DW_TAG_template_alias is only supported from DWARFv5 but if a user
4709 // asks for it we should let them have it (if the target supports it).
4710 if (checkDebugInfoOption(A: DebugTemplateAlias, Args, D, TC)) {
4711 const auto &Opt = DebugTemplateAlias->getOption();
4712 UseDebugTemplateAlias = Opt.matches(ID: options::OPT_gtemplate_alias);
4713 }
4714 }
4715 if (UseDebugTemplateAlias)
4716 CmdArgs.push_back(Elt: "-gtemplate-alias");
4717
4718 if (const Arg *A = Args.getLastArg(Ids: options::OPT_gsrc_hash_EQ)) {
4719 StringRef v = A->getValue();
4720 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-gsrc-hash=" + v));
4721 }
4722
4723 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fdebug_ranges_base_address,
4724 Neg: options::OPT_fno_debug_ranges_base_address);
4725
4726 // -gdwarf-aranges turns on the emission of the aranges section in the
4727 // backend.
4728 // Always enabled for SCE tuning.
4729 bool NeedAranges = DebuggerTuning == llvm::DebuggerKind::SCE;
4730 if (const Arg *A = Args.getLastArg(Ids: options::OPT_gdwarf_aranges))
4731 NeedAranges = checkDebugInfoOption(A, Args, D, TC) || NeedAranges;
4732 if (NeedAranges) {
4733 CmdArgs.push_back(Elt: "-mllvm");
4734 CmdArgs.push_back(Elt: "-generate-arange-section");
4735 }
4736
4737 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fforce_dwarf_frame,
4738 Neg: options::OPT_fno_force_dwarf_frame);
4739
4740 bool EnableTypeUnits = false;
4741 if (Args.hasFlag(Pos: options::OPT_fdebug_types_section,
4742 Neg: options::OPT_fno_debug_types_section, Default: false)) {
4743 if (!(T.isOSBinFormatELF() || T.isOSBinFormatWasm())) {
4744 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
4745 << Args.getLastArg(Ids: options::OPT_fdebug_types_section)
4746 ->getAsString(Args)
4747 << T.getTriple();
4748 } else if (checkDebugInfoOption(
4749 A: Args.getLastArg(Ids: options::OPT_fdebug_types_section), Args, D,
4750 TC)) {
4751 EnableTypeUnits = true;
4752 CmdArgs.push_back(Elt: "-mllvm");
4753 CmdArgs.push_back(Elt: "-generate-type-units");
4754 }
4755 }
4756
4757 if (const Arg *A =
4758 Args.getLastArg(Ids: options::OPT_gomit_unreferenced_methods,
4759 Ids: options::OPT_gno_omit_unreferenced_methods))
4760 (void)checkDebugInfoOption(A, Args, D, TC);
4761 if (Args.hasFlag(Pos: options::OPT_gomit_unreferenced_methods,
4762 Neg: options::OPT_gno_omit_unreferenced_methods, Default: false) &&
4763 (DebugInfoKind == llvm::codegenoptions::DebugInfoConstructor ||
4764 DebugInfoKind == llvm::codegenoptions::LimitedDebugInfo) &&
4765 !EnableTypeUnits) {
4766 CmdArgs.push_back(Elt: "-gomit-unreferenced-methods");
4767 }
4768
4769 // To avoid join/split of directory+filename, the integrated assembler prefers
4770 // the directory form of .file on all DWARF versions. GNU as doesn't allow the
4771 // form before DWARF v5.
4772 if (!Args.hasFlag(Pos: options::OPT_fdwarf_directory_asm,
4773 Neg: options::OPT_fno_dwarf_directory_asm,
4774 Default: TC.useIntegratedAs() || EffectiveDWARFVersion >= 5))
4775 CmdArgs.push_back(Elt: "-fno-dwarf-directory-asm");
4776
4777 // Decide how to render forward declarations of template instantiations.
4778 // SCE wants full descriptions, others just get them in the name.
4779 if (ForwardTemplateParams)
4780 CmdArgs.push_back(Elt: "-debug-forward-template-params");
4781
4782 // Do we need to explicitly import anonymous namespaces into the parent
4783 // scope?
4784 if (DebuggerTuning == llvm::DebuggerKind::SCE)
4785 CmdArgs.push_back(Elt: "-dwarf-explicit-import");
4786
4787 renderDwarfFormat(D, T, Args, CmdArgs, DwarfVersion: EffectiveDWARFVersion);
4788 RenderDebugInfoCompressionArgs(Args, CmdArgs, D, TC);
4789
4790 // This controls whether or not we perform JustMyCode instrumentation.
4791 if (Args.hasFlag(Pos: options::OPT_fjmc, Neg: options::OPT_fno_jmc, Default: false)) {
4792 if (TC.getTriple().isOSBinFormatELF() || D.IsCLMode()) {
4793 if (DebugInfoKind >= llvm::codegenoptions::DebugInfoConstructor)
4794 CmdArgs.push_back(Elt: "-fjmc");
4795 else if (D.IsCLMode())
4796 D.Diag(DiagID: clang::diag::warn_drv_jmc_requires_debuginfo) << "/JMC"
4797 << "'/Zi', '/Z7'";
4798 else
4799 D.Diag(DiagID: clang::diag::warn_drv_jmc_requires_debuginfo) << "-fjmc"
4800 << "-g";
4801 } else {
4802 D.Diag(DiagID: clang::diag::warn_drv_fjmc_for_elf_only);
4803 }
4804 }
4805
4806 // Add in -fdebug-compilation-dir if necessary.
4807 const char *DebugCompilationDir =
4808 addDebugCompDirArg(Args, CmdArgs, VFS: D.getVFS());
4809
4810 addDebugPrefixMapArg(D, TC, Args, CmdArgs);
4811
4812 // Add the output path to the object file for CodeView debug infos.
4813 if (EmitCodeView && Output.isFilename())
4814 addDebugObjectName(Args, CmdArgs, DebugCompilationDir,
4815 OutputFileName: Output.getFilename());
4816}
4817
4818static void ProcessVSRuntimeLibrary(const ToolChain &TC, const ArgList &Args,
4819 ArgStringList &CmdArgs) {
4820 unsigned RTOptionID = options::OPT__SLASH_MT;
4821
4822 if (Args.hasArg(Ids: options::OPT__SLASH_LDd))
4823 // The /LDd option implies /MTd. The dependent lib part can be overridden,
4824 // but defining _DEBUG is sticky.
4825 RTOptionID = options::OPT__SLASH_MTd;
4826
4827 if (Arg *A = Args.getLastArg(Ids: options::OPT__SLASH_M_Group))
4828 RTOptionID = A->getOption().getID();
4829
4830 if (Arg *A = Args.getLastArg(Ids: options::OPT_fms_runtime_lib_EQ)) {
4831 RTOptionID = llvm::StringSwitch<unsigned>(A->getValue())
4832 .Case(S: "static", Value: options::OPT__SLASH_MT)
4833 .Case(S: "static_dbg", Value: options::OPT__SLASH_MTd)
4834 .Case(S: "dll", Value: options::OPT__SLASH_MD)
4835 .Case(S: "dll_dbg", Value: options::OPT__SLASH_MDd)
4836 .Default(Value: options::OPT__SLASH_MT);
4837 }
4838
4839 StringRef FlagForCRT;
4840 switch (RTOptionID) {
4841 case options::OPT__SLASH_MD:
4842 if (Args.hasArg(Ids: options::OPT__SLASH_LDd))
4843 CmdArgs.push_back(Elt: "-D_DEBUG");
4844 CmdArgs.push_back(Elt: "-D_MT");
4845 CmdArgs.push_back(Elt: "-D_DLL");
4846 FlagForCRT = "--dependent-lib=msvcrt";
4847 break;
4848 case options::OPT__SLASH_MDd:
4849 CmdArgs.push_back(Elt: "-D_DEBUG");
4850 CmdArgs.push_back(Elt: "-D_MT");
4851 CmdArgs.push_back(Elt: "-D_DLL");
4852 FlagForCRT = "--dependent-lib=msvcrtd";
4853 break;
4854 case options::OPT__SLASH_MT:
4855 if (Args.hasArg(Ids: options::OPT__SLASH_LDd))
4856 CmdArgs.push_back(Elt: "-D_DEBUG");
4857 CmdArgs.push_back(Elt: "-D_MT");
4858 CmdArgs.push_back(Elt: "-flto-visibility-public-std");
4859 FlagForCRT = "--dependent-lib=libcmt";
4860 break;
4861 case options::OPT__SLASH_MTd:
4862 CmdArgs.push_back(Elt: "-D_DEBUG");
4863 CmdArgs.push_back(Elt: "-D_MT");
4864 CmdArgs.push_back(Elt: "-flto-visibility-public-std");
4865 FlagForCRT = "--dependent-lib=libcmtd";
4866 break;
4867 default:
4868 llvm_unreachable("Unexpected option ID.");
4869 }
4870
4871 if (Args.hasArg(Ids: options::OPT_fms_omit_default_lib)) {
4872 CmdArgs.push_back(Elt: "-D_VC_NODEFAULTLIB");
4873 } else {
4874 CmdArgs.push_back(Elt: FlagForCRT.data());
4875
4876 // This provides POSIX compatibility (maps 'open' to '_open'), which most
4877 // users want. The /Za flag to cl.exe turns this off, but it's not
4878 // implemented in clang.
4879 CmdArgs.push_back(Elt: "--dependent-lib=oldnames");
4880 }
4881
4882 // All Arm64EC object files implicitly add softintrin.lib. This is necessary
4883 // even if the file doesn't actually refer to any of the routines because
4884 // the CRT itself has incomplete dependency markings.
4885 if (TC.getTriple().isWindowsArm64EC())
4886 CmdArgs.push_back(Elt: "--dependent-lib=softintrin");
4887}
4888
4889void Clang::ConstructJob(Compilation &C, const JobAction &JA,
4890 const InputInfo &Output, const InputInfoList &Inputs,
4891 const ArgList &Args, const char *LinkingOutput) const {
4892 const auto &TC = getToolChain();
4893 const llvm::Triple &RawTriple = TC.getTriple();
4894 const llvm::Triple &Triple = TC.getEffectiveTriple();
4895 const std::string &TripleStr = Triple.getTriple();
4896
4897 bool KernelOrKext =
4898 Args.hasArg(Ids: options::OPT_mkernel, Ids: options::OPT_fapple_kext);
4899 const Driver &D = TC.getDriver();
4900 ArgStringList CmdArgs;
4901
4902 assert(Inputs.size() >= 1 && "Must have at least one input.");
4903 // CUDA/HIP compilation may have multiple inputs (source file + results of
4904 // device-side compilations). OpenMP device jobs also take the host IR as a
4905 // second input. Module precompilation accepts a list of header files to
4906 // include as part of the module. API extraction accepts a list of header
4907 // files whose API information is emitted in the output. All other jobs are
4908 // expected to have exactly one input.
4909 bool IsCuda = JA.isOffloading(OKind: Action::OFK_Cuda);
4910 bool IsCudaDevice = JA.isDeviceOffloading(OKind: Action::OFK_Cuda);
4911 bool IsHIP = JA.isOffloading(OKind: Action::OFK_HIP);
4912 bool IsHIPDevice = JA.isDeviceOffloading(OKind: Action::OFK_HIP);
4913 bool IsOpenMPDevice = JA.isDeviceOffloading(OKind: Action::OFK_OpenMP);
4914 bool IsExtractAPI = isa<ExtractAPIJobAction>(Val: JA);
4915 bool IsDeviceOffloadAction = !(JA.isDeviceOffloading(OKind: Action::OFK_None) ||
4916 JA.isDeviceOffloading(OKind: Action::OFK_Host));
4917 bool IsHostOffloadingAction =
4918 JA.isHostOffloading(OKind: Action::OFK_OpenMP) ||
4919 (JA.isHostOffloading(OKind: C.getActiveOffloadKinds()) &&
4920 Args.hasFlag(Pos: options::OPT_offload_new_driver,
4921 Neg: options::OPT_no_offload_new_driver, Default: false));
4922
4923 bool IsRDCMode =
4924 Args.hasFlag(Pos: options::OPT_fgpu_rdc, Neg: options::OPT_fno_gpu_rdc, Default: false);
4925 bool IsUsingLTO = D.isUsingLTO(IsOffload: IsDeviceOffloadAction);
4926 auto LTOMode = D.getLTOMode(IsOffload: IsDeviceOffloadAction);
4927
4928 // Extract API doesn't have a main input file, so invent a fake one as a
4929 // placeholder.
4930 InputInfo ExtractAPIPlaceholderInput(Inputs[0].getType(), "extract-api",
4931 "extract-api");
4932
4933 const InputInfo &Input =
4934 IsExtractAPI ? ExtractAPIPlaceholderInput : Inputs[0];
4935
4936 InputInfoList ExtractAPIInputs;
4937 InputInfoList HostOffloadingInputs;
4938 const InputInfo *CudaDeviceInput = nullptr;
4939 const InputInfo *OpenMPDeviceInput = nullptr;
4940 for (const InputInfo &I : Inputs) {
4941 if (&I == &Input || I.getType() == types::TY_Nothing) {
4942 // This is the primary input or contains nothing.
4943 } else if (IsExtractAPI) {
4944 auto ExpectedInputType = ExtractAPIPlaceholderInput.getType();
4945 if (I.getType() != ExpectedInputType) {
4946 D.Diag(DiagID: diag::err_drv_extract_api_wrong_kind)
4947 << I.getFilename() << types::getTypeName(Id: I.getType())
4948 << types::getTypeName(Id: ExpectedInputType);
4949 }
4950 ExtractAPIInputs.push_back(Elt: I);
4951 } else if (IsHostOffloadingAction) {
4952 HostOffloadingInputs.push_back(Elt: I);
4953 } else if ((IsCuda || IsHIP) && !CudaDeviceInput) {
4954 CudaDeviceInput = &I;
4955 } else if (IsOpenMPDevice && !OpenMPDeviceInput) {
4956 OpenMPDeviceInput = &I;
4957 } else {
4958 llvm_unreachable("unexpectedly given multiple inputs");
4959 }
4960 }
4961
4962 const llvm::Triple *AuxTriple =
4963 (IsCuda || IsHIP) ? TC.getAuxTriple() : nullptr;
4964 bool IsWindowsMSVC = RawTriple.isWindowsMSVCEnvironment();
4965 bool IsIAMCU = RawTriple.isOSIAMCU();
4966
4967 // Adjust IsWindowsXYZ for CUDA/HIP compilations. Even when compiling in
4968 // device mode (i.e., getToolchain().getTriple() is NVPTX/AMDGCN, not
4969 // Windows), we need to pass Windows-specific flags to cc1.
4970 if (IsCuda || IsHIP)
4971 IsWindowsMSVC |= AuxTriple && AuxTriple->isWindowsMSVCEnvironment();
4972
4973 // C++ is not supported for IAMCU.
4974 if (IsIAMCU && types::isCXX(Id: Input.getType()))
4975 D.Diag(DiagID: diag::err_drv_clang_unsupported) << "C++ for IAMCU";
4976
4977 // Invoke ourselves in -cc1 mode.
4978 //
4979 // FIXME: Implement custom jobs for internal actions.
4980 CmdArgs.push_back(Elt: "-cc1");
4981
4982 // Add the "effective" target triple.
4983 CmdArgs.push_back(Elt: "-triple");
4984 CmdArgs.push_back(Elt: Args.MakeArgString(Str: TripleStr));
4985
4986 if (const Arg *MJ = Args.getLastArg(Ids: options::OPT_MJ)) {
4987 DumpCompilationDatabase(C, Filename: MJ->getValue(), Target: TripleStr, Output, Input, Args);
4988 Args.ClaimAllArgs(Id0: options::OPT_MJ);
4989 } else if (const Arg *GenCDBFragment =
4990 Args.getLastArg(Ids: options::OPT_gen_cdb_fragment_path)) {
4991 DumpCompilationDatabaseFragmentToDir(Dir: GenCDBFragment->getValue(), C,
4992 Target: TripleStr, Output, Input, Args);
4993 Args.ClaimAllArgs(Id0: options::OPT_gen_cdb_fragment_path);
4994 }
4995
4996 if (IsCuda || IsHIP) {
4997 // We have to pass the triple of the host if compiling for a CUDA/HIP device
4998 // and vice-versa.
4999 std::string NormalizedTriple;
5000 if (JA.isDeviceOffloading(OKind: Action::OFK_Cuda) ||
5001 JA.isDeviceOffloading(OKind: Action::OFK_HIP))
5002 NormalizedTriple = C.getSingleOffloadToolChain<Action::OFK_Host>()
5003 ->getTriple()
5004 .normalize();
5005 else {
5006 // Host-side compilation.
5007 NormalizedTriple =
5008 (IsCuda ? C.getSingleOffloadToolChain<Action::OFK_Cuda>()
5009 : C.getSingleOffloadToolChain<Action::OFK_HIP>())
5010 ->getTriple()
5011 .normalize();
5012 if (IsCuda) {
5013 // We need to figure out which CUDA version we're compiling for, as that
5014 // determines how we load and launch GPU kernels.
5015 auto *CTC = static_cast<const toolchains::CudaToolChain *>(
5016 C.getSingleOffloadToolChain<Action::OFK_Cuda>());
5017 assert(CTC && "Expected valid CUDA Toolchain.");
5018 if (CTC && CTC->CudaInstallation.version() != CudaVersion::UNKNOWN)
5019 CmdArgs.push_back(Elt: Args.MakeArgString(
5020 Str: Twine("-target-sdk-version=") +
5021 CudaVersionToString(V: CTC->CudaInstallation.version())));
5022 // Unsized function arguments used for variadics were introduced in
5023 // CUDA-9.0. We still do not support generating code that actually uses
5024 // variadic arguments yet, but we do need to allow parsing them as
5025 // recent CUDA headers rely on that.
5026 // https://github.com/llvm/llvm-project/issues/58410
5027 if (CTC->CudaInstallation.version() >= CudaVersion::CUDA_90)
5028 CmdArgs.push_back(Elt: "-fcuda-allow-variadic-functions");
5029 }
5030 }
5031 CmdArgs.push_back(Elt: "-aux-triple");
5032 CmdArgs.push_back(Elt: Args.MakeArgString(Str: NormalizedTriple));
5033
5034 if (JA.isDeviceOffloading(OKind: Action::OFK_HIP) &&
5035 (getToolChain().getTriple().isAMDGPU() ||
5036 (getToolChain().getTriple().isSPIRV() &&
5037 getToolChain().getTriple().getVendor() == llvm::Triple::AMD))) {
5038 // Device side compilation printf
5039 if (Args.getLastArg(Ids: options::OPT_mprintf_kind_EQ)) {
5040 CmdArgs.push_back(Elt: Args.MakeArgString(
5041 Str: "-mprintf-kind=" +
5042 Args.getLastArgValue(Id: options::OPT_mprintf_kind_EQ)));
5043 // Force compiler error on invalid conversion specifiers
5044 CmdArgs.push_back(
5045 Elt: Args.MakeArgString(Str: "-Werror=format-invalid-specifier"));
5046 }
5047 }
5048 }
5049
5050 // Unconditionally claim the printf option now to avoid unused diagnostic.
5051 if (const Arg *PF = Args.getLastArg(Ids: options::OPT_mprintf_kind_EQ))
5052 PF->claim();
5053
5054 if (Args.hasFlag(Pos: options::OPT_fsycl, Neg: options::OPT_fno_sycl, Default: false)) {
5055 CmdArgs.push_back(Elt: "-fsycl-is-device");
5056
5057 if (Arg *A = Args.getLastArg(Ids: options::OPT_sycl_std_EQ)) {
5058 A->render(Args, Output&: CmdArgs);
5059 } else {
5060 // Ensure the default version in SYCL mode is 2020.
5061 CmdArgs.push_back(Elt: "-sycl-std=2020");
5062 }
5063 }
5064
5065 if (IsOpenMPDevice) {
5066 // We have to pass the triple of the host if compiling for an OpenMP device.
5067 std::string NormalizedTriple =
5068 C.getSingleOffloadToolChain<Action::OFK_Host>()
5069 ->getTriple()
5070 .normalize();
5071 CmdArgs.push_back(Elt: "-aux-triple");
5072 CmdArgs.push_back(Elt: Args.MakeArgString(Str: NormalizedTriple));
5073 }
5074
5075 if (Triple.isOSWindows() && (Triple.getArch() == llvm::Triple::arm ||
5076 Triple.getArch() == llvm::Triple::thumb)) {
5077 unsigned Offset = Triple.getArch() == llvm::Triple::arm ? 4 : 6;
5078 unsigned Version = 0;
5079 bool Failure =
5080 Triple.getArchName().substr(Start: Offset).consumeInteger(Radix: 10, Result&: Version);
5081 if (Failure || Version < 7)
5082 D.Diag(DiagID: diag::err_target_unsupported_arch) << Triple.getArchName()
5083 << TripleStr;
5084 }
5085
5086 // Push all default warning arguments that are specific to
5087 // the given target. These come before user provided warning options
5088 // are provided.
5089 TC.addClangWarningOptions(CC1Args&: CmdArgs);
5090
5091 // FIXME: Subclass ToolChain for SPIR and move this to addClangWarningOptions.
5092 if (Triple.isSPIR() || Triple.isSPIRV())
5093 CmdArgs.push_back(Elt: "-Wspir-compat");
5094
5095 // Select the appropriate action.
5096 RewriteKind rewriteKind = RK_None;
5097
5098 bool UnifiedLTO = false;
5099 if (IsUsingLTO) {
5100 UnifiedLTO = Args.hasFlag(Pos: options::OPT_funified_lto,
5101 Neg: options::OPT_fno_unified_lto, Default: Triple.isPS());
5102 if (UnifiedLTO)
5103 CmdArgs.push_back(Elt: "-funified-lto");
5104 }
5105
5106 // If CollectArgsForIntegratedAssembler() isn't called below, claim the args
5107 // it claims when not running an assembler. Otherwise, clang would emit
5108 // "argument unused" warnings for assembler flags when e.g. adding "-E" to
5109 // flags while debugging something. That'd be somewhat inconvenient, and it's
5110 // also inconsistent with most other flags -- we don't warn on
5111 // -ffunction-sections not being used in -E mode either for example, even
5112 // though it's not really used either.
5113 if (!isa<AssembleJobAction>(Val: JA)) {
5114 // The args claimed here should match the args used in
5115 // CollectArgsForIntegratedAssembler().
5116 if (TC.useIntegratedAs()) {
5117 Args.ClaimAllArgs(Id0: options::OPT_mrelax_all);
5118 Args.ClaimAllArgs(Id0: options::OPT_mno_relax_all);
5119 Args.ClaimAllArgs(Id0: options::OPT_mincremental_linker_compatible);
5120 Args.ClaimAllArgs(Id0: options::OPT_mno_incremental_linker_compatible);
5121 switch (C.getDefaultToolChain().getArch()) {
5122 case llvm::Triple::arm:
5123 case llvm::Triple::armeb:
5124 case llvm::Triple::thumb:
5125 case llvm::Triple::thumbeb:
5126 Args.ClaimAllArgs(Id0: options::OPT_mimplicit_it_EQ);
5127 break;
5128 default:
5129 break;
5130 }
5131 }
5132 Args.ClaimAllArgs(Id0: options::OPT_Wa_COMMA);
5133 Args.ClaimAllArgs(Id0: options::OPT_Xassembler);
5134 Args.ClaimAllArgs(Id0: options::OPT_femit_dwarf_unwind_EQ);
5135 }
5136
5137 if (isa<AnalyzeJobAction>(Val: JA)) {
5138 assert(JA.getType() == types::TY_Plist && "Invalid output type.");
5139 CmdArgs.push_back(Elt: "-analyze");
5140 } else if (isa<MigrateJobAction>(Val: JA)) {
5141 CmdArgs.push_back(Elt: "-migrate");
5142 } else if (isa<PreprocessJobAction>(Val: JA)) {
5143 if (Output.getType() == types::TY_Dependencies)
5144 CmdArgs.push_back(Elt: "-Eonly");
5145 else {
5146 CmdArgs.push_back(Elt: "-E");
5147 if (Args.hasArg(Ids: options::OPT_rewrite_objc) &&
5148 !Args.hasArg(Ids: options::OPT_g_Group))
5149 CmdArgs.push_back(Elt: "-P");
5150 else if (JA.getType() == types::TY_PP_CXXHeaderUnit)
5151 CmdArgs.push_back(Elt: "-fdirectives-only");
5152 }
5153 } else if (isa<AssembleJobAction>(Val: JA)) {
5154 CmdArgs.push_back(Elt: "-emit-obj");
5155
5156 CollectArgsForIntegratedAssembler(C, Args, CmdArgs, D);
5157
5158 // Also ignore explicit -force_cpusubtype_ALL option.
5159 (void)Args.hasArg(Ids: options::OPT_force__cpusubtype__ALL);
5160 } else if (isa<PrecompileJobAction>(Val: JA)) {
5161 if (JA.getType() == types::TY_Nothing)
5162 CmdArgs.push_back(Elt: "-fsyntax-only");
5163 else if (JA.getType() == types::TY_ModuleFile)
5164 CmdArgs.push_back(Elt: "-emit-module-interface");
5165 else if (JA.getType() == types::TY_HeaderUnit)
5166 CmdArgs.push_back(Elt: "-emit-header-unit");
5167 else
5168 CmdArgs.push_back(Elt: "-emit-pch");
5169 } else if (isa<VerifyPCHJobAction>(Val: JA)) {
5170 CmdArgs.push_back(Elt: "-verify-pch");
5171 } else if (isa<ExtractAPIJobAction>(Val: JA)) {
5172 assert(JA.getType() == types::TY_API_INFO &&
5173 "Extract API actions must generate a API information.");
5174 CmdArgs.push_back(Elt: "-extract-api");
5175
5176 if (Arg *PrettySGFArg = Args.getLastArg(Ids: options::OPT_emit_pretty_sgf))
5177 PrettySGFArg->render(Args, Output&: CmdArgs);
5178
5179 Arg *SymbolGraphDirArg = Args.getLastArg(Ids: options::OPT_symbol_graph_dir_EQ);
5180
5181 if (Arg *ProductNameArg = Args.getLastArg(Ids: options::OPT_product_name_EQ))
5182 ProductNameArg->render(Args, Output&: CmdArgs);
5183 if (Arg *ExtractAPIIgnoresFileArg =
5184 Args.getLastArg(Ids: options::OPT_extract_api_ignores_EQ))
5185 ExtractAPIIgnoresFileArg->render(Args, Output&: CmdArgs);
5186 if (Arg *EmitExtensionSymbolGraphs =
5187 Args.getLastArg(Ids: options::OPT_emit_extension_symbol_graphs)) {
5188 if (!SymbolGraphDirArg)
5189 D.Diag(DiagID: diag::err_drv_missing_symbol_graph_dir);
5190
5191 EmitExtensionSymbolGraphs->render(Args, Output&: CmdArgs);
5192 }
5193 if (SymbolGraphDirArg)
5194 SymbolGraphDirArg->render(Args, Output&: CmdArgs);
5195 } else {
5196 assert((isa<CompileJobAction>(JA) || isa<BackendJobAction>(JA)) &&
5197 "Invalid action for clang tool.");
5198 if (JA.getType() == types::TY_Nothing) {
5199 CmdArgs.push_back(Elt: "-fsyntax-only");
5200 } else if (JA.getType() == types::TY_LLVM_IR ||
5201 JA.getType() == types::TY_LTO_IR) {
5202 CmdArgs.push_back(Elt: "-emit-llvm");
5203 } else if (JA.getType() == types::TY_LLVM_BC ||
5204 JA.getType() == types::TY_LTO_BC) {
5205 // Emit textual llvm IR for AMDGPU offloading for -emit-llvm -S
5206 if (Triple.isAMDGCN() && IsOpenMPDevice && Args.hasArg(Ids: options::OPT_S) &&
5207 Args.hasArg(Ids: options::OPT_emit_llvm)) {
5208 CmdArgs.push_back(Elt: "-emit-llvm");
5209 } else {
5210 CmdArgs.push_back(Elt: "-emit-llvm-bc");
5211 }
5212 } else if (JA.getType() == types::TY_IFS ||
5213 JA.getType() == types::TY_IFS_CPP) {
5214 StringRef ArgStr =
5215 Args.hasArg(Ids: options::OPT_interface_stub_version_EQ)
5216 ? Args.getLastArgValue(Id: options::OPT_interface_stub_version_EQ)
5217 : "ifs-v1";
5218 CmdArgs.push_back(Elt: "-emit-interface-stubs");
5219 CmdArgs.push_back(
5220 Elt: Args.MakeArgString(Str: Twine("-interface-stub-version=") + ArgStr.str()));
5221 } else if (JA.getType() == types::TY_PP_Asm) {
5222 CmdArgs.push_back(Elt: "-S");
5223 } else if (JA.getType() == types::TY_AST) {
5224 CmdArgs.push_back(Elt: "-emit-pch");
5225 } else if (JA.getType() == types::TY_ModuleFile) {
5226 CmdArgs.push_back(Elt: "-module-file-info");
5227 } else if (JA.getType() == types::TY_RewrittenObjC) {
5228 CmdArgs.push_back(Elt: "-rewrite-objc");
5229 rewriteKind = RK_NonFragile;
5230 } else if (JA.getType() == types::TY_RewrittenLegacyObjC) {
5231 CmdArgs.push_back(Elt: "-rewrite-objc");
5232 rewriteKind = RK_Fragile;
5233 } else {
5234 assert(JA.getType() == types::TY_PP_Asm && "Unexpected output type!");
5235 }
5236
5237 // Preserve use-list order by default when emitting bitcode, so that
5238 // loading the bitcode up in 'opt' or 'llc' and running passes gives the
5239 // same result as running passes here. For LTO, we don't need to preserve
5240 // the use-list order, since serialization to bitcode is part of the flow.
5241 if (JA.getType() == types::TY_LLVM_BC)
5242 CmdArgs.push_back(Elt: "-emit-llvm-uselists");
5243
5244 if (IsUsingLTO) {
5245 if (IsDeviceOffloadAction && !JA.isDeviceOffloading(OKind: Action::OFK_OpenMP) &&
5246 !Args.hasFlag(Pos: options::OPT_offload_new_driver,
5247 Neg: options::OPT_no_offload_new_driver, Default: false) &&
5248 !Triple.isAMDGPU()) {
5249 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
5250 << Args.getLastArg(Ids: options::OPT_foffload_lto,
5251 Ids: options::OPT_foffload_lto_EQ)
5252 ->getAsString(Args)
5253 << Triple.getTriple();
5254 } else if (Triple.isNVPTX() && !IsRDCMode &&
5255 JA.isDeviceOffloading(OKind: Action::OFK_Cuda)) {
5256 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_language_mode)
5257 << Args.getLastArg(Ids: options::OPT_foffload_lto,
5258 Ids: options::OPT_foffload_lto_EQ)
5259 ->getAsString(Args)
5260 << "-fno-gpu-rdc";
5261 } else {
5262 assert(LTOMode == LTOK_Full || LTOMode == LTOK_Thin);
5263 CmdArgs.push_back(Elt: Args.MakeArgString(
5264 Str: Twine("-flto=") + (LTOMode == LTOK_Thin ? "thin" : "full")));
5265 // PS4 uses the legacy LTO API, which does not support some of the
5266 // features enabled by -flto-unit.
5267 if (!RawTriple.isPS4() ||
5268 (D.getLTOMode() == LTOK_Full) || !UnifiedLTO)
5269 CmdArgs.push_back(Elt: "-flto-unit");
5270 }
5271 }
5272 }
5273
5274 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_dumpdir);
5275
5276 if (const Arg *A = Args.getLastArg(Ids: options::OPT_fthinlto_index_EQ)) {
5277 if (!types::isLLVMIR(Id: Input.getType()))
5278 D.Diag(DiagID: diag::err_drv_arg_requires_bitcode_input) << A->getAsString(Args);
5279 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fthinlto_index_EQ);
5280 }
5281
5282 if (Triple.isPPC())
5283 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_mregnames,
5284 Neg: options::OPT_mno_regnames);
5285
5286 if (Args.getLastArg(Ids: options::OPT_fthin_link_bitcode_EQ))
5287 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fthin_link_bitcode_EQ);
5288
5289 if (Args.getLastArg(Ids: options::OPT_save_temps_EQ))
5290 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_save_temps_EQ);
5291
5292 auto *MemProfArg = Args.getLastArg(Ids: options::OPT_fmemory_profile,
5293 Ids: options::OPT_fmemory_profile_EQ,
5294 Ids: options::OPT_fno_memory_profile);
5295 if (MemProfArg &&
5296 !MemProfArg->getOption().matches(ID: options::OPT_fno_memory_profile))
5297 MemProfArg->render(Args, Output&: CmdArgs);
5298
5299 if (auto *MemProfUseArg =
5300 Args.getLastArg(Ids: options::OPT_fmemory_profile_use_EQ)) {
5301 if (MemProfArg)
5302 D.Diag(DiagID: diag::err_drv_argument_not_allowed_with)
5303 << MemProfUseArg->getAsString(Args) << MemProfArg->getAsString(Args);
5304 if (auto *PGOInstrArg = Args.getLastArg(Ids: options::OPT_fprofile_generate,
5305 Ids: options::OPT_fprofile_generate_EQ))
5306 D.Diag(DiagID: diag::err_drv_argument_not_allowed_with)
5307 << MemProfUseArg->getAsString(Args) << PGOInstrArg->getAsString(Args);
5308 MemProfUseArg->render(Args, Output&: CmdArgs);
5309 }
5310
5311 // Embed-bitcode option.
5312 // Only white-listed flags below are allowed to be embedded.
5313 if (C.getDriver().embedBitcodeInObject() && !IsUsingLTO &&
5314 (isa<BackendJobAction>(Val: JA) || isa<AssembleJobAction>(Val: JA))) {
5315 // Add flags implied by -fembed-bitcode.
5316 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fembed_bitcode_EQ);
5317 // Disable all llvm IR level optimizations.
5318 CmdArgs.push_back(Elt: "-disable-llvm-passes");
5319
5320 // Render target options.
5321 TC.addClangTargetOptions(DriverArgs: Args, CC1Args&: CmdArgs, DeviceOffloadKind: JA.getOffloadingDeviceKind());
5322
5323 // reject options that shouldn't be supported in bitcode
5324 // also reject kernel/kext
5325 static const constexpr unsigned kBitcodeOptionIgnorelist[] = {
5326 options::OPT_mkernel,
5327 options::OPT_fapple_kext,
5328 options::OPT_ffunction_sections,
5329 options::OPT_fno_function_sections,
5330 options::OPT_fdata_sections,
5331 options::OPT_fno_data_sections,
5332 options::OPT_fbasic_block_sections_EQ,
5333 options::OPT_funique_internal_linkage_names,
5334 options::OPT_fno_unique_internal_linkage_names,
5335 options::OPT_funique_section_names,
5336 options::OPT_fno_unique_section_names,
5337 options::OPT_funique_basic_block_section_names,
5338 options::OPT_fno_unique_basic_block_section_names,
5339 options::OPT_mrestrict_it,
5340 options::OPT_mno_restrict_it,
5341 options::OPT_mstackrealign,
5342 options::OPT_mno_stackrealign,
5343 options::OPT_mstack_alignment,
5344 options::OPT_mcmodel_EQ,
5345 options::OPT_mlong_calls,
5346 options::OPT_mno_long_calls,
5347 options::OPT_ggnu_pubnames,
5348 options::OPT_gdwarf_aranges,
5349 options::OPT_fdebug_types_section,
5350 options::OPT_fno_debug_types_section,
5351 options::OPT_fdwarf_directory_asm,
5352 options::OPT_fno_dwarf_directory_asm,
5353 options::OPT_mrelax_all,
5354 options::OPT_mno_relax_all,
5355 options::OPT_ftrap_function_EQ,
5356 options::OPT_ffixed_r9,
5357 options::OPT_mfix_cortex_a53_835769,
5358 options::OPT_mno_fix_cortex_a53_835769,
5359 options::OPT_ffixed_x18,
5360 options::OPT_mglobal_merge,
5361 options::OPT_mno_global_merge,
5362 options::OPT_mred_zone,
5363 options::OPT_mno_red_zone,
5364 options::OPT_Wa_COMMA,
5365 options::OPT_Xassembler,
5366 options::OPT_mllvm,
5367 };
5368 for (const auto &A : Args)
5369 if (llvm::is_contained(Range: kBitcodeOptionIgnorelist, Element: A->getOption().getID()))
5370 D.Diag(DiagID: diag::err_drv_unsupported_embed_bitcode) << A->getSpelling();
5371
5372 // Render the CodeGen options that need to be passed.
5373 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_foptimize_sibling_calls,
5374 Neg: options::OPT_fno_optimize_sibling_calls);
5375
5376 RenderFloatingPointOptions(TC, D, OFastEnabled: isOptimizationLevelFast(Args), Args,
5377 CmdArgs, JA);
5378
5379 // Render ABI arguments
5380 switch (TC.getArch()) {
5381 default: break;
5382 case llvm::Triple::arm:
5383 case llvm::Triple::armeb:
5384 case llvm::Triple::thumbeb:
5385 RenderARMABI(D, Triple, Args, CmdArgs);
5386 break;
5387 case llvm::Triple::aarch64:
5388 case llvm::Triple::aarch64_32:
5389 case llvm::Triple::aarch64_be:
5390 RenderAArch64ABI(Triple, Args, CmdArgs);
5391 break;
5392 }
5393
5394 // Optimization level for CodeGen.
5395 if (const Arg *A = Args.getLastArg(Ids: options::OPT_O_Group)) {
5396 if (A->getOption().matches(ID: options::OPT_O4)) {
5397 CmdArgs.push_back(Elt: "-O3");
5398 D.Diag(DiagID: diag::warn_O4_is_O3);
5399 } else {
5400 A->render(Args, Output&: CmdArgs);
5401 }
5402 }
5403
5404 // Input/Output file.
5405 if (Output.getType() == types::TY_Dependencies) {
5406 // Handled with other dependency code.
5407 } else if (Output.isFilename()) {
5408 CmdArgs.push_back(Elt: "-o");
5409 CmdArgs.push_back(Elt: Output.getFilename());
5410 } else {
5411 assert(Output.isNothing() && "Input output.");
5412 }
5413
5414 for (const auto &II : Inputs) {
5415 addDashXForInput(Args, Input: II, CmdArgs);
5416 if (II.isFilename())
5417 CmdArgs.push_back(Elt: II.getFilename());
5418 else
5419 II.getInputArg().renderAsInput(Args, Output&: CmdArgs);
5420 }
5421
5422 C.addCommand(C: std::make_unique<Command>(
5423 args: JA, args: *this, args: ResponseFileSupport::AtFileUTF8(), args: D.getClangProgramPath(),
5424 args&: CmdArgs, args: Inputs, args: Output, args: D.getPrependArg()));
5425 return;
5426 }
5427
5428 if (C.getDriver().embedBitcodeMarkerOnly() && !IsUsingLTO)
5429 CmdArgs.push_back(Elt: "-fembed-bitcode=marker");
5430
5431 // We normally speed up the clang process a bit by skipping destructors at
5432 // exit, but when we're generating diagnostics we can rely on some of the
5433 // cleanup.
5434 if (!C.isForDiagnostics())
5435 CmdArgs.push_back(Elt: "-disable-free");
5436 CmdArgs.push_back(Elt: "-clear-ast-before-backend");
5437
5438#ifdef NDEBUG
5439 const bool IsAssertBuild = false;
5440#else
5441 const bool IsAssertBuild = true;
5442#endif
5443
5444 // Disable the verification pass in asserts builds unless otherwise specified.
5445 if (Args.hasFlag(Pos: options::OPT_fno_verify_intermediate_code,
5446 Neg: options::OPT_fverify_intermediate_code, Default: !IsAssertBuild)) {
5447 CmdArgs.push_back(Elt: "-disable-llvm-verifier");
5448 }
5449
5450 // Discard value names in assert builds unless otherwise specified.
5451 if (Args.hasFlag(Pos: options::OPT_fdiscard_value_names,
5452 Neg: options::OPT_fno_discard_value_names, Default: !IsAssertBuild)) {
5453 if (Args.hasArg(Ids: options::OPT_fdiscard_value_names) &&
5454 llvm::any_of(Range: Inputs, P: [](const clang::driver::InputInfo &II) {
5455 return types::isLLVMIR(Id: II.getType());
5456 })) {
5457 D.Diag(DiagID: diag::warn_ignoring_fdiscard_for_bitcode);
5458 }
5459 CmdArgs.push_back(Elt: "-discard-value-names");
5460 }
5461
5462 // Set the main file name, so that debug info works even with
5463 // -save-temps.
5464 CmdArgs.push_back(Elt: "-main-file-name");
5465 CmdArgs.push_back(Elt: getBaseInputName(Args, Input));
5466
5467 // Some flags which affect the language (via preprocessor
5468 // defines).
5469 if (Args.hasArg(Ids: options::OPT_static))
5470 CmdArgs.push_back(Elt: "-static-define");
5471
5472 if (Args.hasArg(Ids: options::OPT_municode))
5473 CmdArgs.push_back(Elt: "-DUNICODE");
5474
5475 if (isa<AnalyzeJobAction>(Val: JA))
5476 RenderAnalyzerOptions(Args, CmdArgs, Triple, Input);
5477
5478 if (isa<AnalyzeJobAction>(Val: JA) ||
5479 (isa<PreprocessJobAction>(Val: JA) && Args.hasArg(Ids: options::OPT__analyze)))
5480 CmdArgs.push_back(Elt: "-setup-static-analyzer");
5481
5482 // Enable compatilibily mode to avoid analyzer-config related errors.
5483 // Since we can't access frontend flags through hasArg, let's manually iterate
5484 // through them.
5485 bool FoundAnalyzerConfig = false;
5486 for (auto *Arg : Args.filtered(Ids: options::OPT_Xclang))
5487 if (StringRef(Arg->getValue()) == "-analyzer-config") {
5488 FoundAnalyzerConfig = true;
5489 break;
5490 }
5491 if (!FoundAnalyzerConfig)
5492 for (auto *Arg : Args.filtered(Ids: options::OPT_Xanalyzer))
5493 if (StringRef(Arg->getValue()) == "-analyzer-config") {
5494 FoundAnalyzerConfig = true;
5495 break;
5496 }
5497 if (FoundAnalyzerConfig)
5498 CmdArgs.push_back(Elt: "-analyzer-config-compatibility-mode=true");
5499
5500 CheckCodeGenerationOptions(D, Args);
5501
5502 unsigned FunctionAlignment = ParseFunctionAlignment(TC, Args);
5503 assert(FunctionAlignment <= 31 && "function alignment will be truncated!");
5504 if (FunctionAlignment) {
5505 CmdArgs.push_back(Elt: "-function-alignment");
5506 CmdArgs.push_back(Elt: Args.MakeArgString(Str: std::to_string(val: FunctionAlignment)));
5507 }
5508
5509 // We support -falign-loops=N where N is a power of 2. GCC supports more
5510 // forms.
5511 if (const Arg *A = Args.getLastArg(Ids: options::OPT_falign_loops_EQ)) {
5512 unsigned Value = 0;
5513 if (StringRef(A->getValue()).getAsInteger(Radix: 10, Result&: Value) || Value > 65536)
5514 TC.getDriver().Diag(DiagID: diag::err_drv_invalid_int_value)
5515 << A->getAsString(Args) << A->getValue();
5516 else if (Value & (Value - 1))
5517 TC.getDriver().Diag(DiagID: diag::err_drv_alignment_not_power_of_two)
5518 << A->getAsString(Args) << A->getValue();
5519 // Treat =0 as unspecified (use the target preference).
5520 if (Value)
5521 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-falign-loops=" +
5522 Twine(std::min(a: Value, b: 65536u))));
5523 }
5524
5525 if (Triple.isOSzOS()) {
5526 // On z/OS some of the system header feature macros need to
5527 // be defined to enable most cross platform projects to build
5528 // successfully. Ths include the libc++ library. A
5529 // complicating factor is that users can define these
5530 // macros to the same or different values. We need to add
5531 // the definition for these macros to the compilation command
5532 // if the user hasn't already defined them.
5533
5534 auto findMacroDefinition = [&](const std::string &Macro) {
5535 auto MacroDefs = Args.getAllArgValues(Id: options::OPT_D);
5536 return llvm::any_of(Range&: MacroDefs, P: [&](const std::string &M) {
5537 return M == Macro || M.find(str: Macro + '=') != std::string::npos;
5538 });
5539 };
5540
5541 // _UNIX03_WITHDRAWN is required for libcxx & porting.
5542 if (!findMacroDefinition("_UNIX03_WITHDRAWN"))
5543 CmdArgs.push_back(Elt: "-D_UNIX03_WITHDRAWN");
5544 // _OPEN_DEFAULT is required for XL compat
5545 if (!findMacroDefinition("_OPEN_DEFAULT"))
5546 CmdArgs.push_back(Elt: "-D_OPEN_DEFAULT");
5547 if (D.CCCIsCXX() || types::isCXX(Id: Input.getType())) {
5548 // _XOPEN_SOURCE=600 is required for libcxx.
5549 if (!findMacroDefinition("_XOPEN_SOURCE"))
5550 CmdArgs.push_back(Elt: "-D_XOPEN_SOURCE=600");
5551 }
5552 }
5553
5554 llvm::Reloc::Model RelocationModel;
5555 unsigned PICLevel;
5556 bool IsPIE;
5557 std::tie(args&: RelocationModel, args&: PICLevel, args&: IsPIE) = ParsePICArgs(ToolChain: TC, Args);
5558 Arg *LastPICDataRelArg =
5559 Args.getLastArg(Ids: options::OPT_mno_pic_data_is_text_relative,
5560 Ids: options::OPT_mpic_data_is_text_relative);
5561 bool NoPICDataIsTextRelative = false;
5562 if (LastPICDataRelArg) {
5563 if (LastPICDataRelArg->getOption().matches(
5564 ID: options::OPT_mno_pic_data_is_text_relative)) {
5565 NoPICDataIsTextRelative = true;
5566 if (!PICLevel)
5567 D.Diag(DiagID: diag::err_drv_argument_only_allowed_with)
5568 << "-mno-pic-data-is-text-relative"
5569 << "-fpic/-fpie";
5570 }
5571 if (!Triple.isSystemZ())
5572 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
5573 << (NoPICDataIsTextRelative ? "-mno-pic-data-is-text-relative"
5574 : "-mpic-data-is-text-relative")
5575 << RawTriple.str();
5576 }
5577
5578 bool IsROPI = RelocationModel == llvm::Reloc::ROPI ||
5579 RelocationModel == llvm::Reloc::ROPI_RWPI;
5580 bool IsRWPI = RelocationModel == llvm::Reloc::RWPI ||
5581 RelocationModel == llvm::Reloc::ROPI_RWPI;
5582
5583 if (Args.hasArg(Ids: options::OPT_mcmse) &&
5584 !Args.hasArg(Ids: options::OPT_fallow_unsupported)) {
5585 if (IsROPI)
5586 D.Diag(DiagID: diag::err_cmse_pi_are_incompatible) << IsROPI;
5587 if (IsRWPI)
5588 D.Diag(DiagID: diag::err_cmse_pi_are_incompatible) << !IsRWPI;
5589 }
5590
5591 if (IsROPI && types::isCXX(Id: Input.getType()) &&
5592 !Args.hasArg(Ids: options::OPT_fallow_unsupported))
5593 D.Diag(DiagID: diag::err_drv_ropi_incompatible_with_cxx);
5594
5595 const char *RMName = RelocationModelName(Model: RelocationModel);
5596 if (RMName) {
5597 CmdArgs.push_back(Elt: "-mrelocation-model");
5598 CmdArgs.push_back(Elt: RMName);
5599 }
5600 if (PICLevel > 0) {
5601 CmdArgs.push_back(Elt: "-pic-level");
5602 CmdArgs.push_back(Elt: PICLevel == 1 ? "1" : "2");
5603 if (IsPIE)
5604 CmdArgs.push_back(Elt: "-pic-is-pie");
5605 if (NoPICDataIsTextRelative)
5606 CmdArgs.push_back(Elt: "-mcmodel=medium");
5607 }
5608
5609 if (RelocationModel == llvm::Reloc::ROPI ||
5610 RelocationModel == llvm::Reloc::ROPI_RWPI)
5611 CmdArgs.push_back(Elt: "-fropi");
5612 if (RelocationModel == llvm::Reloc::RWPI ||
5613 RelocationModel == llvm::Reloc::ROPI_RWPI)
5614 CmdArgs.push_back(Elt: "-frwpi");
5615
5616 if (Arg *A = Args.getLastArg(Ids: options::OPT_meabi)) {
5617 CmdArgs.push_back(Elt: "-meabi");
5618 CmdArgs.push_back(Elt: A->getValue());
5619 }
5620
5621 // -fsemantic-interposition is forwarded to CC1: set the
5622 // "SemanticInterposition" metadata to 1 (make some linkages interposable) and
5623 // make default visibility external linkage definitions dso_preemptable.
5624 //
5625 // -fno-semantic-interposition: if the target supports .Lfoo$local local
5626 // aliases (make default visibility external linkage definitions dso_local).
5627 // This is the CC1 default for ELF to match COFF/Mach-O.
5628 //
5629 // Otherwise use Clang's traditional behavior: like
5630 // -fno-semantic-interposition but local aliases are not used. So references
5631 // can be interposed if not optimized out.
5632 if (Triple.isOSBinFormatELF()) {
5633 Arg *A = Args.getLastArg(Ids: options::OPT_fsemantic_interposition,
5634 Ids: options::OPT_fno_semantic_interposition);
5635 if (RelocationModel != llvm::Reloc::Static && !IsPIE) {
5636 // The supported targets need to call AsmPrinter::getSymbolPreferLocal.
5637 bool SupportsLocalAlias =
5638 Triple.isAArch64() || Triple.isRISCV() || Triple.isX86();
5639 if (!A)
5640 CmdArgs.push_back(Elt: "-fhalf-no-semantic-interposition");
5641 else if (A->getOption().matches(ID: options::OPT_fsemantic_interposition))
5642 A->render(Args, Output&: CmdArgs);
5643 else if (!SupportsLocalAlias)
5644 CmdArgs.push_back(Elt: "-fhalf-no-semantic-interposition");
5645 }
5646 }
5647
5648 {
5649 std::string Model;
5650 if (Arg *A = Args.getLastArg(Ids: options::OPT_mthread_model)) {
5651 if (!TC.isThreadModelSupported(Model: A->getValue()))
5652 D.Diag(DiagID: diag::err_drv_invalid_thread_model_for_target)
5653 << A->getValue() << A->getAsString(Args);
5654 Model = A->getValue();
5655 } else
5656 Model = TC.getThreadModel();
5657 if (Model != "posix") {
5658 CmdArgs.push_back(Elt: "-mthread-model");
5659 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Model));
5660 }
5661 }
5662
5663 if (Arg *A = Args.getLastArg(Ids: options::OPT_fveclib)) {
5664 StringRef Name = A->getValue();
5665 if (Name == "SVML") {
5666 if (Triple.getArch() != llvm::Triple::x86 &&
5667 Triple.getArch() != llvm::Triple::x86_64)
5668 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
5669 << Name << Triple.getArchName();
5670 } else if (Name == "LIBMVEC-X86") {
5671 if (Triple.getArch() != llvm::Triple::x86 &&
5672 Triple.getArch() != llvm::Triple::x86_64)
5673 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
5674 << Name << Triple.getArchName();
5675 } else if (Name == "SLEEF" || Name == "ArmPL") {
5676 if (Triple.getArch() != llvm::Triple::aarch64 &&
5677 Triple.getArch() != llvm::Triple::aarch64_be)
5678 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
5679 << Name << Triple.getArchName();
5680 }
5681 A->render(Args, Output&: CmdArgs);
5682 }
5683
5684 if (Args.hasFlag(Pos: options::OPT_fmerge_all_constants,
5685 Neg: options::OPT_fno_merge_all_constants, Default: false))
5686 CmdArgs.push_back(Elt: "-fmerge-all-constants");
5687
5688 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fdelete_null_pointer_checks,
5689 Neg: options::OPT_fno_delete_null_pointer_checks);
5690
5691 // LLVM Code Generator Options.
5692
5693 if (Arg *A = Args.getLastArg(Ids: options::OPT_mabi_EQ_quadword_atomics)) {
5694 if (!Triple.isOSAIX() || Triple.isPPC32())
5695 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
5696 << A->getSpelling() << RawTriple.str();
5697 CmdArgs.push_back(Elt: "-mabi=quadword-atomics");
5698 }
5699
5700 if (Arg *A = Args.getLastArg(Ids: options::OPT_mlong_double_128)) {
5701 // Emit the unsupported option error until the Clang's library integration
5702 // support for 128-bit long double is available for AIX.
5703 if (Triple.isOSAIX())
5704 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
5705 << A->getSpelling() << RawTriple.str();
5706 }
5707
5708 if (Arg *A = Args.getLastArg(Ids: options::OPT_Wframe_larger_than_EQ)) {
5709 StringRef V = A->getValue(), V1 = V;
5710 unsigned Size;
5711 if (V1.consumeInteger(Radix: 10, Result&: Size) || !V1.empty())
5712 D.Diag(DiagID: diag::err_drv_invalid_argument_to_option)
5713 << V << A->getOption().getName();
5714 else
5715 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-fwarn-stack-size=" + V));
5716 }
5717
5718 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fjump_tables,
5719 Neg: options::OPT_fno_jump_tables);
5720 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fprofile_sample_accurate,
5721 Neg: options::OPT_fno_profile_sample_accurate);
5722 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fpreserve_as_comments,
5723 Neg: options::OPT_fno_preserve_as_comments);
5724
5725 if (Arg *A = Args.getLastArg(Ids: options::OPT_mregparm_EQ)) {
5726 CmdArgs.push_back(Elt: "-mregparm");
5727 CmdArgs.push_back(Elt: A->getValue());
5728 }
5729
5730 if (Arg *A = Args.getLastArg(Ids: options::OPT_maix_struct_return,
5731 Ids: options::OPT_msvr4_struct_return)) {
5732 if (!TC.getTriple().isPPC32()) {
5733 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
5734 << A->getSpelling() << RawTriple.str();
5735 } else if (A->getOption().matches(ID: options::OPT_maix_struct_return)) {
5736 CmdArgs.push_back(Elt: "-maix-struct-return");
5737 } else {
5738 assert(A->getOption().matches(options::OPT_msvr4_struct_return));
5739 CmdArgs.push_back(Elt: "-msvr4-struct-return");
5740 }
5741 }
5742
5743 if (Arg *A = Args.getLastArg(Ids: options::OPT_fpcc_struct_return,
5744 Ids: options::OPT_freg_struct_return)) {
5745 if (TC.getArch() != llvm::Triple::x86) {
5746 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
5747 << A->getSpelling() << RawTriple.str();
5748 } else if (A->getOption().matches(ID: options::OPT_fpcc_struct_return)) {
5749 CmdArgs.push_back(Elt: "-fpcc-struct-return");
5750 } else {
5751 assert(A->getOption().matches(options::OPT_freg_struct_return));
5752 CmdArgs.push_back(Elt: "-freg-struct-return");
5753 }
5754 }
5755
5756 if (Args.hasFlag(Pos: options::OPT_mrtd, Neg: options::OPT_mno_rtd, Default: false)) {
5757 if (Triple.getArch() == llvm::Triple::m68k)
5758 CmdArgs.push_back(Elt: "-fdefault-calling-conv=rtdcall");
5759 else
5760 CmdArgs.push_back(Elt: "-fdefault-calling-conv=stdcall");
5761 }
5762
5763 if (Args.hasArg(Ids: options::OPT_fenable_matrix)) {
5764 // enable-matrix is needed by both the LangOpts and by LLVM.
5765 CmdArgs.push_back(Elt: "-fenable-matrix");
5766 CmdArgs.push_back(Elt: "-mllvm");
5767 CmdArgs.push_back(Elt: "-enable-matrix");
5768 }
5769
5770 CodeGenOptions::FramePointerKind FPKeepKind =
5771 getFramePointerKind(Args, Triple: RawTriple);
5772 const char *FPKeepKindStr = nullptr;
5773 switch (FPKeepKind) {
5774 case CodeGenOptions::FramePointerKind::None:
5775 FPKeepKindStr = "-mframe-pointer=none";
5776 break;
5777 case CodeGenOptions::FramePointerKind::Reserved:
5778 FPKeepKindStr = "-mframe-pointer=reserved";
5779 break;
5780 case CodeGenOptions::FramePointerKind::NonLeaf:
5781 FPKeepKindStr = "-mframe-pointer=non-leaf";
5782 break;
5783 case CodeGenOptions::FramePointerKind::All:
5784 FPKeepKindStr = "-mframe-pointer=all";
5785 break;
5786 }
5787 assert(FPKeepKindStr && "unknown FramePointerKind");
5788 CmdArgs.push_back(Elt: FPKeepKindStr);
5789
5790 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fzero_initialized_in_bss,
5791 Neg: options::OPT_fno_zero_initialized_in_bss);
5792
5793 bool OFastEnabled = isOptimizationLevelFast(Args);
5794 if (OFastEnabled)
5795 D.Diag(DiagID: diag::warn_drv_deprecated_arg_ofast);
5796 // If -Ofast is the optimization level, then -fstrict-aliasing should be
5797 // enabled. This alias option is being used to simplify the hasFlag logic.
5798 OptSpecifier StrictAliasingAliasOption =
5799 OFastEnabled ? options::OPT_Ofast : options::OPT_fstrict_aliasing;
5800 // We turn strict aliasing off by default if we're Windows MSVC since MSVC
5801 // doesn't do any TBAA.
5802 if (!Args.hasFlag(Pos: options::OPT_fstrict_aliasing, PosAlias: StrictAliasingAliasOption,
5803 Neg: options::OPT_fno_strict_aliasing, Default: !IsWindowsMSVC))
5804 CmdArgs.push_back(Elt: "-relaxed-aliasing");
5805 if (Args.hasFlag(Pos: options::OPT_fpointer_tbaa, Neg: options::OPT_fno_pointer_tbaa,
5806 Default: false))
5807 CmdArgs.push_back(Elt: "-pointer-tbaa");
5808 if (!Args.hasFlag(Pos: options::OPT_fstruct_path_tbaa,
5809 Neg: options::OPT_fno_struct_path_tbaa, Default: true))
5810 CmdArgs.push_back(Elt: "-no-struct-path-tbaa");
5811 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fstrict_enums,
5812 Neg: options::OPT_fno_strict_enums);
5813 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fstrict_return,
5814 Neg: options::OPT_fno_strict_return);
5815 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fallow_editor_placeholders,
5816 Neg: options::OPT_fno_allow_editor_placeholders);
5817 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fstrict_vtable_pointers,
5818 Neg: options::OPT_fno_strict_vtable_pointers);
5819 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fforce_emit_vtables,
5820 Neg: options::OPT_fno_force_emit_vtables);
5821 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_foptimize_sibling_calls,
5822 Neg: options::OPT_fno_optimize_sibling_calls);
5823 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fescaping_block_tail_calls,
5824 Neg: options::OPT_fno_escaping_block_tail_calls);
5825
5826 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_ffine_grained_bitfield_accesses,
5827 Ids: options::OPT_fno_fine_grained_bitfield_accesses);
5828
5829 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fexperimental_relative_cxx_abi_vtables,
5830 Ids: options::OPT_fno_experimental_relative_cxx_abi_vtables);
5831
5832 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fexperimental_omit_vtable_rtti,
5833 Ids: options::OPT_fno_experimental_omit_vtable_rtti);
5834
5835 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fdisable_block_signature_string,
5836 Ids: options::OPT_fno_disable_block_signature_string);
5837
5838 // Handle segmented stacks.
5839 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fsplit_stack,
5840 Neg: options::OPT_fno_split_stack);
5841
5842 // -fprotect-parens=0 is default.
5843 if (Args.hasFlag(Pos: options::OPT_fprotect_parens,
5844 Neg: options::OPT_fno_protect_parens, Default: false))
5845 CmdArgs.push_back(Elt: "-fprotect-parens");
5846
5847 RenderFloatingPointOptions(TC, D, OFastEnabled, Args, CmdArgs, JA);
5848
5849 if (Arg *A = Args.getLastArg(Ids: options::OPT_fextend_args_EQ)) {
5850 const llvm::Triple::ArchType Arch = TC.getArch();
5851 if (Arch == llvm::Triple::x86 || Arch == llvm::Triple::x86_64) {
5852 StringRef V = A->getValue();
5853 if (V == "64")
5854 CmdArgs.push_back(Elt: "-fextend-arguments=64");
5855 else if (V != "32")
5856 D.Diag(DiagID: diag::err_drv_invalid_argument_to_option)
5857 << A->getValue() << A->getOption().getName();
5858 } else
5859 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
5860 << A->getOption().getName() << TripleStr;
5861 }
5862
5863 if (Arg *A = Args.getLastArg(Ids: options::OPT_mdouble_EQ)) {
5864 if (TC.getArch() == llvm::Triple::avr)
5865 A->render(Args, Output&: CmdArgs);
5866 else
5867 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
5868 << A->getAsString(Args) << TripleStr;
5869 }
5870
5871 if (Arg *A = Args.getLastArg(Ids: options::OPT_LongDouble_Group)) {
5872 if (TC.getTriple().isX86())
5873 A->render(Args, Output&: CmdArgs);
5874 else if (TC.getTriple().isPPC() &&
5875 (A->getOption().getID() != options::OPT_mlong_double_80))
5876 A->render(Args, Output&: CmdArgs);
5877 else
5878 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
5879 << A->getAsString(Args) << TripleStr;
5880 }
5881
5882 // Decide whether to use verbose asm. Verbose assembly is the default on
5883 // toolchains which have the integrated assembler on by default.
5884 bool IsIntegratedAssemblerDefault = TC.IsIntegratedAssemblerDefault();
5885 if (!Args.hasFlag(Pos: options::OPT_fverbose_asm, Neg: options::OPT_fno_verbose_asm,
5886 Default: IsIntegratedAssemblerDefault))
5887 CmdArgs.push_back(Elt: "-fno-verbose-asm");
5888
5889 // Parse 'none' or '$major.$minor'. Disallow -fbinutils-version=0 because we
5890 // use that to indicate the MC default in the backend.
5891 if (Arg *A = Args.getLastArg(Ids: options::OPT_fbinutils_version_EQ)) {
5892 StringRef V = A->getValue();
5893 unsigned Num;
5894 if (V == "none")
5895 A->render(Args, Output&: CmdArgs);
5896 else if (!V.consumeInteger(Radix: 10, Result&: Num) && Num > 0 &&
5897 (V.empty() || (V.consume_front(Prefix: ".") &&
5898 !V.consumeInteger(Radix: 10, Result&: Num) && V.empty())))
5899 A->render(Args, Output&: CmdArgs);
5900 else
5901 D.Diag(DiagID: diag::err_drv_invalid_argument_to_option)
5902 << A->getValue() << A->getOption().getName();
5903 }
5904
5905 // If toolchain choose to use MCAsmParser for inline asm don't pass the
5906 // option to disable integrated-as explicitly.
5907 if (!TC.useIntegratedAs() && !TC.parseInlineAsmUsingAsmParser())
5908 CmdArgs.push_back(Elt: "-no-integrated-as");
5909
5910 if (Args.hasArg(Ids: options::OPT_fdebug_pass_structure)) {
5911 CmdArgs.push_back(Elt: "-mdebug-pass");
5912 CmdArgs.push_back(Elt: "Structure");
5913 }
5914 if (Args.hasArg(Ids: options::OPT_fdebug_pass_arguments)) {
5915 CmdArgs.push_back(Elt: "-mdebug-pass");
5916 CmdArgs.push_back(Elt: "Arguments");
5917 }
5918
5919 // Enable -mconstructor-aliases except on darwin, where we have to work around
5920 // a linker bug (see https://openradar.appspot.com/7198997), and CUDA device
5921 // code, where aliases aren't supported.
5922 if (!RawTriple.isOSDarwin() && !RawTriple.isNVPTX())
5923 CmdArgs.push_back(Elt: "-mconstructor-aliases");
5924
5925 // Darwin's kernel doesn't support guard variables; just die if we
5926 // try to use them.
5927 if (KernelOrKext && RawTriple.isOSDarwin())
5928 CmdArgs.push_back(Elt: "-fforbid-guard-variables");
5929
5930 if (Args.hasFlag(Pos: options::OPT_mms_bitfields, Neg: options::OPT_mno_ms_bitfields,
5931 Default: Triple.isWindowsGNUEnvironment())) {
5932 CmdArgs.push_back(Elt: "-mms-bitfields");
5933 }
5934
5935 if (Triple.isWindowsGNUEnvironment()) {
5936 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fauto_import,
5937 Neg: options::OPT_fno_auto_import);
5938 }
5939
5940 if (Args.hasFlag(Pos: options::OPT_fms_volatile, Neg: options::OPT_fno_ms_volatile,
5941 Default: Triple.isX86() && D.IsCLMode()))
5942 CmdArgs.push_back(Elt: "-fms-volatile");
5943
5944 // Non-PIC code defaults to -fdirect-access-external-data while PIC code
5945 // defaults to -fno-direct-access-external-data. Pass the option if different
5946 // from the default.
5947 if (Arg *A = Args.getLastArg(Ids: options::OPT_fdirect_access_external_data,
5948 Ids: options::OPT_fno_direct_access_external_data)) {
5949 if (A->getOption().matches(ID: options::OPT_fdirect_access_external_data) !=
5950 (PICLevel == 0))
5951 A->render(Args, Output&: CmdArgs);
5952 } else if (PICLevel == 0 && Triple.isLoongArch()) {
5953 // Some targets default to -fno-direct-access-external-data even for
5954 // -fno-pic.
5955 CmdArgs.push_back(Elt: "-fno-direct-access-external-data");
5956 }
5957
5958 if (Args.hasFlag(Pos: options::OPT_fno_plt, Neg: options::OPT_fplt, Default: false)) {
5959 CmdArgs.push_back(Elt: "-fno-plt");
5960 }
5961
5962 // -fhosted is default.
5963 // TODO: Audit uses of KernelOrKext and see where it'd be more appropriate to
5964 // use Freestanding.
5965 bool Freestanding =
5966 Args.hasFlag(Pos: options::OPT_ffreestanding, Neg: options::OPT_fhosted, Default: false) ||
5967 KernelOrKext;
5968 if (Freestanding)
5969 CmdArgs.push_back(Elt: "-ffreestanding");
5970
5971 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fno_knr_functions);
5972
5973 // This is a coarse approximation of what llvm-gcc actually does, both
5974 // -fasynchronous-unwind-tables and -fnon-call-exceptions interact in more
5975 // complicated ways.
5976 auto SanitizeArgs = TC.getSanitizerArgs(JobArgs: Args);
5977
5978 bool IsAsyncUnwindTablesDefault =
5979 TC.getDefaultUnwindTableLevel(Args) == ToolChain::UnwindTableLevel::Asynchronous;
5980 bool IsSyncUnwindTablesDefault =
5981 TC.getDefaultUnwindTableLevel(Args) == ToolChain::UnwindTableLevel::Synchronous;
5982
5983 bool AsyncUnwindTables = Args.hasFlag(
5984 Pos: options::OPT_fasynchronous_unwind_tables,
5985 Neg: options::OPT_fno_asynchronous_unwind_tables,
5986 Default: (IsAsyncUnwindTablesDefault || SanitizeArgs.needsUnwindTables()) &&
5987 !Freestanding);
5988 bool UnwindTables =
5989 Args.hasFlag(Pos: options::OPT_funwind_tables, Neg: options::OPT_fno_unwind_tables,
5990 Default: IsSyncUnwindTablesDefault && !Freestanding);
5991 if (AsyncUnwindTables)
5992 CmdArgs.push_back(Elt: "-funwind-tables=2");
5993 else if (UnwindTables)
5994 CmdArgs.push_back(Elt: "-funwind-tables=1");
5995
5996 // Prepare `-aux-target-cpu` and `-aux-target-feature` unless
5997 // `--gpu-use-aux-triple-only` is specified.
5998 if (!Args.getLastArg(Ids: options::OPT_gpu_use_aux_triple_only) &&
5999 (IsCudaDevice || IsHIPDevice)) {
6000 const ArgList &HostArgs =
6001 C.getArgsForToolChain(TC: nullptr, BoundArch: StringRef(), DeviceOffloadKind: Action::OFK_None);
6002 std::string HostCPU =
6003 getCPUName(D, Args: HostArgs, T: *TC.getAuxTriple(), /*FromAs*/ false);
6004 if (!HostCPU.empty()) {
6005 CmdArgs.push_back(Elt: "-aux-target-cpu");
6006 CmdArgs.push_back(Elt: Args.MakeArgString(Str: HostCPU));
6007 }
6008 getTargetFeatures(D, Triple: *TC.getAuxTriple(), Args: HostArgs, CmdArgs,
6009 /*ForAS*/ false, /*IsAux*/ true);
6010 }
6011
6012 TC.addClangTargetOptions(DriverArgs: Args, CC1Args&: CmdArgs, DeviceOffloadKind: JA.getOffloadingDeviceKind());
6013
6014 addMCModel(D, Args, Triple, RelocationModel, CmdArgs);
6015
6016 if (Arg *A = Args.getLastArg(Ids: options::OPT_mtls_size_EQ)) {
6017 StringRef Value = A->getValue();
6018 unsigned TLSSize = 0;
6019 Value.getAsInteger(Radix: 10, Result&: TLSSize);
6020 if (!Triple.isAArch64() || !Triple.isOSBinFormatELF())
6021 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
6022 << A->getOption().getName() << TripleStr;
6023 if (TLSSize != 12 && TLSSize != 24 && TLSSize != 32 && TLSSize != 48)
6024 D.Diag(DiagID: diag::err_drv_invalid_int_value)
6025 << A->getOption().getName() << Value;
6026 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_mtls_size_EQ);
6027 }
6028
6029 if (isTLSDESCEnabled(TC, Args))
6030 CmdArgs.push_back(Elt: "-enable-tlsdesc");
6031
6032 // Add the target cpu
6033 std::string CPU = getCPUName(D, Args, T: Triple, /*FromAs*/ false);
6034 if (!CPU.empty()) {
6035 CmdArgs.push_back(Elt: "-target-cpu");
6036 CmdArgs.push_back(Elt: Args.MakeArgString(Str: CPU));
6037 }
6038
6039 RenderTargetOptions(EffectiveTriple: Triple, Args, KernelOrKext, CmdArgs);
6040
6041 // Add clang-cl arguments.
6042 types::ID InputType = Input.getType();
6043 if (D.IsCLMode())
6044 AddClangCLArgs(Args, InputType, CmdArgs);
6045
6046 llvm::codegenoptions::DebugInfoKind DebugInfoKind =
6047 llvm::codegenoptions::NoDebugInfo;
6048 DwarfFissionKind DwarfFission = DwarfFissionKind::None;
6049 renderDebugOptions(TC, D, T: RawTriple, Args, IRInput: types::isLLVMIR(Id: InputType),
6050 CmdArgs, Output, DebugInfoKind, DwarfFission);
6051
6052 // Add the split debug info name to the command lines here so we
6053 // can propagate it to the backend.
6054 bool SplitDWARF = (DwarfFission != DwarfFissionKind::None) &&
6055 (TC.getTriple().isOSBinFormatELF() ||
6056 TC.getTriple().isOSBinFormatWasm() ||
6057 TC.getTriple().isOSBinFormatCOFF()) &&
6058 (isa<AssembleJobAction>(Val: JA) || isa<CompileJobAction>(Val: JA) ||
6059 isa<BackendJobAction>(Val: JA));
6060 if (SplitDWARF) {
6061 const char *SplitDWARFOut = SplitDebugName(JA, Args, Input, Output);
6062 CmdArgs.push_back(Elt: "-split-dwarf-file");
6063 CmdArgs.push_back(Elt: SplitDWARFOut);
6064 if (DwarfFission == DwarfFissionKind::Split) {
6065 CmdArgs.push_back(Elt: "-split-dwarf-output");
6066 CmdArgs.push_back(Elt: SplitDWARFOut);
6067 }
6068 }
6069
6070 // Pass the linker version in use.
6071 if (Arg *A = Args.getLastArg(Ids: options::OPT_mlinker_version_EQ)) {
6072 CmdArgs.push_back(Elt: "-target-linker-version");
6073 CmdArgs.push_back(Elt: A->getValue());
6074 }
6075
6076 // Explicitly error on some things we know we don't support and can't just
6077 // ignore.
6078 if (!Args.hasArg(Ids: options::OPT_fallow_unsupported)) {
6079 Arg *Unsupported;
6080 if (types::isCXX(Id: InputType) && RawTriple.isOSDarwin() &&
6081 TC.getArch() == llvm::Triple::x86) {
6082 if ((Unsupported = Args.getLastArg(Ids: options::OPT_fapple_kext)) ||
6083 (Unsupported = Args.getLastArg(Ids: options::OPT_mkernel)))
6084 D.Diag(DiagID: diag::err_drv_clang_unsupported_opt_cxx_darwin_i386)
6085 << Unsupported->getOption().getName();
6086 }
6087 // The faltivec option has been superseded by the maltivec option.
6088 if ((Unsupported = Args.getLastArg(Ids: options::OPT_faltivec)))
6089 D.Diag(DiagID: diag::err_drv_clang_unsupported_opt_faltivec)
6090 << Unsupported->getOption().getName()
6091 << "please use -maltivec and include altivec.h explicitly";
6092 if ((Unsupported = Args.getLastArg(Ids: options::OPT_fno_altivec)))
6093 D.Diag(DiagID: diag::err_drv_clang_unsupported_opt_faltivec)
6094 << Unsupported->getOption().getName() << "please use -mno-altivec";
6095 }
6096
6097 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_v);
6098
6099 if (Args.getLastArg(Ids: options::OPT_H)) {
6100 CmdArgs.push_back(Elt: "-H");
6101 CmdArgs.push_back(Elt: "-sys-header-deps");
6102 }
6103 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_fshow_skipped_includes);
6104
6105 if (D.CCPrintHeadersFormat && !D.CCGenDiagnostics) {
6106 CmdArgs.push_back(Elt: "-header-include-file");
6107 CmdArgs.push_back(Elt: !D.CCPrintHeadersFilename.empty()
6108 ? D.CCPrintHeadersFilename.c_str()
6109 : "-");
6110 CmdArgs.push_back(Elt: "-sys-header-deps");
6111 CmdArgs.push_back(Elt: Args.MakeArgString(
6112 Str: "-header-include-format=" +
6113 std::string(headerIncludeFormatKindToString(K: D.CCPrintHeadersFormat))));
6114 CmdArgs.push_back(
6115 Elt: Args.MakeArgString(Str: "-header-include-filtering=" +
6116 std::string(headerIncludeFilteringKindToString(
6117 K: D.CCPrintHeadersFiltering))));
6118 }
6119 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_P);
6120 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_print_ivar_layout);
6121
6122 if (D.CCLogDiagnostics && !D.CCGenDiagnostics) {
6123 CmdArgs.push_back(Elt: "-diagnostic-log-file");
6124 CmdArgs.push_back(Elt: !D.CCLogDiagnosticsFilename.empty()
6125 ? D.CCLogDiagnosticsFilename.c_str()
6126 : "-");
6127 }
6128
6129 // Give the gen diagnostics more chances to succeed, by avoiding intentional
6130 // crashes.
6131 if (D.CCGenDiagnostics)
6132 CmdArgs.push_back(Elt: "-disable-pragma-debug-crash");
6133
6134 // Allow backend to put its diagnostic files in the same place as frontend
6135 // crash diagnostics files.
6136 if (Args.hasArg(Ids: options::OPT_fcrash_diagnostics_dir)) {
6137 StringRef Dir = Args.getLastArgValue(Id: options::OPT_fcrash_diagnostics_dir);
6138 CmdArgs.push_back(Elt: "-mllvm");
6139 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-crash-diagnostics-dir=" + Dir));
6140 }
6141
6142 bool UseSeparateSections = isUseSeparateSections(Triple);
6143
6144 if (Args.hasFlag(Pos: options::OPT_ffunction_sections,
6145 Neg: options::OPT_fno_function_sections, Default: UseSeparateSections)) {
6146 CmdArgs.push_back(Elt: "-ffunction-sections");
6147 }
6148
6149 if (Arg *A = Args.getLastArg(Ids: options::OPT_fbasic_block_address_map,
6150 Ids: options::OPT_fno_basic_block_address_map)) {
6151 if ((Triple.isX86() || Triple.isAArch64()) && Triple.isOSBinFormatELF()) {
6152 if (A->getOption().matches(ID: options::OPT_fbasic_block_address_map))
6153 A->render(Args, Output&: CmdArgs);
6154 } else {
6155 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
6156 << A->getAsString(Args) << TripleStr;
6157 }
6158 }
6159
6160 if (Arg *A = Args.getLastArg(Ids: options::OPT_fbasic_block_sections_EQ)) {
6161 StringRef Val = A->getValue();
6162 if (Triple.isX86() && Triple.isOSBinFormatELF()) {
6163 if (Val != "all" && Val != "labels" && Val != "none" &&
6164 !Val.starts_with(Prefix: "list="))
6165 D.Diag(DiagID: diag::err_drv_invalid_value)
6166 << A->getAsString(Args) << A->getValue();
6167 else
6168 A->render(Args, Output&: CmdArgs);
6169 } else if (Triple.isAArch64() && Triple.isOSBinFormatELF()) {
6170 // "all" is not supported on AArch64 since branch relaxation creates new
6171 // basic blocks for some cross-section branches.
6172 if (Val != "labels" && Val != "none" && !Val.starts_with(Prefix: "list="))
6173 D.Diag(DiagID: diag::err_drv_invalid_value)
6174 << A->getAsString(Args) << A->getValue();
6175 else
6176 A->render(Args, Output&: CmdArgs);
6177 } else if (Triple.isNVPTX()) {
6178 // Do not pass the option to the GPU compilation. We still want it enabled
6179 // for the host-side compilation, so seeing it here is not an error.
6180 } else if (Val != "none") {
6181 // =none is allowed everywhere. It's useful for overriding the option
6182 // and is the same as not specifying the option.
6183 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
6184 << A->getAsString(Args) << TripleStr;
6185 }
6186 }
6187
6188 bool HasDefaultDataSections = Triple.isOSBinFormatXCOFF();
6189 if (Args.hasFlag(Pos: options::OPT_fdata_sections, Neg: options::OPT_fno_data_sections,
6190 Default: UseSeparateSections || HasDefaultDataSections)) {
6191 CmdArgs.push_back(Elt: "-fdata-sections");
6192 }
6193
6194 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_funique_section_names,
6195 Neg: options::OPT_fno_unique_section_names);
6196 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fseparate_named_sections,
6197 Neg: options::OPT_fno_separate_named_sections);
6198 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_funique_internal_linkage_names,
6199 Neg: options::OPT_fno_unique_internal_linkage_names);
6200 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_funique_basic_block_section_names,
6201 Neg: options::OPT_fno_unique_basic_block_section_names);
6202 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fconvergent_functions,
6203 Neg: options::OPT_fno_convergent_functions);
6204
6205 if (Arg *A = Args.getLastArg(Ids: options::OPT_fsplit_machine_functions,
6206 Ids: options::OPT_fno_split_machine_functions)) {
6207 if (!A->getOption().matches(ID: options::OPT_fno_split_machine_functions)) {
6208 // This codegen pass is only available on x86 and AArch64 ELF targets.
6209 if ((Triple.isX86() || Triple.isAArch64()) && Triple.isOSBinFormatELF())
6210 A->render(Args, Output&: CmdArgs);
6211 else
6212 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
6213 << A->getAsString(Args) << TripleStr;
6214 }
6215 }
6216
6217 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_finstrument_functions,
6218 Ids: options::OPT_finstrument_functions_after_inlining,
6219 Ids: options::OPT_finstrument_function_entry_bare);
6220
6221 // NVPTX/AMDGCN doesn't support PGO or coverage. There's no runtime support
6222 // for sampling, overhead of call arc collection is way too high and there's
6223 // no way to collect the output.
6224 if (!Triple.isNVPTX() && !Triple.isAMDGCN())
6225 addPGOAndCoverageFlags(TC, C, JA, Output, Args, SanArgs&: SanitizeArgs, CmdArgs);
6226
6227 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fclang_abi_compat_EQ);
6228
6229 if (getLastProfileSampleUseArg(Args) &&
6230 Args.hasArg(Ids: options::OPT_fsample_profile_use_profi)) {
6231 CmdArgs.push_back(Elt: "-mllvm");
6232 CmdArgs.push_back(Elt: "-sample-profile-use-profi");
6233 }
6234
6235 // Add runtime flag for PS4/PS5 when PGO, coverage, or sanitizers are enabled.
6236 if (RawTriple.isPS() &&
6237 !Args.hasArg(Ids: options::OPT_nostdlib, Ids: options::OPT_nodefaultlibs)) {
6238 PScpu::addProfileRTArgs(TC, Args, CmdArgs);
6239 PScpu::addSanitizerArgs(TC, Args, CmdArgs);
6240 }
6241
6242 // Pass options for controlling the default header search paths.
6243 if (Args.hasArg(Ids: options::OPT_nostdinc)) {
6244 CmdArgs.push_back(Elt: "-nostdsysteminc");
6245 CmdArgs.push_back(Elt: "-nobuiltininc");
6246 } else {
6247 if (Args.hasArg(Ids: options::OPT_nostdlibinc))
6248 CmdArgs.push_back(Elt: "-nostdsysteminc");
6249 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_nostdincxx);
6250 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_nobuiltininc);
6251 }
6252
6253 // Pass the path to compiler resource files.
6254 CmdArgs.push_back(Elt: "-resource-dir");
6255 CmdArgs.push_back(Elt: D.ResourceDir.c_str());
6256
6257 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_working_directory);
6258
6259 RenderARCMigrateToolOptions(D, Args, CmdArgs);
6260
6261 // Add preprocessing options like -I, -D, etc. if we are using the
6262 // preprocessor.
6263 //
6264 // FIXME: Support -fpreprocessed
6265 if (types::getPreprocessedType(Id: InputType) != types::TY_INVALID)
6266 AddPreprocessingOptions(C, JA, D, Args, CmdArgs, Output, Inputs);
6267
6268 // Don't warn about "clang -c -DPIC -fPIC test.i" because libtool.m4 assumes
6269 // that "The compiler can only warn and ignore the option if not recognized".
6270 // When building with ccache, it will pass -D options to clang even on
6271 // preprocessed inputs and configure concludes that -fPIC is not supported.
6272 Args.ClaimAllArgs(Id0: options::OPT_D);
6273
6274 // Manually translate -O4 to -O3; let clang reject others.
6275 if (Arg *A = Args.getLastArg(Ids: options::OPT_O_Group)) {
6276 if (A->getOption().matches(ID: options::OPT_O4)) {
6277 CmdArgs.push_back(Elt: "-O3");
6278 D.Diag(DiagID: diag::warn_O4_is_O3);
6279 } else {
6280 A->render(Args, Output&: CmdArgs);
6281 }
6282 }
6283
6284 // Warn about ignored options to clang.
6285 for (const Arg *A :
6286 Args.filtered(Ids: options::OPT_clang_ignored_gcc_optimization_f_Group)) {
6287 D.Diag(DiagID: diag::warn_ignored_gcc_optimization) << A->getAsString(Args);
6288 A->claim();
6289 }
6290
6291 for (const Arg *A :
6292 Args.filtered(Ids: options::OPT_clang_ignored_legacy_options_Group)) {
6293 D.Diag(DiagID: diag::warn_ignored_clang_option) << A->getAsString(Args);
6294 A->claim();
6295 }
6296
6297 claimNoWarnArgs(Args);
6298
6299 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_R_Group);
6300
6301 for (const Arg *A :
6302 Args.filtered(Ids: options::OPT_W_Group, Ids: options::OPT__SLASH_wd)) {
6303 A->claim();
6304 if (A->getOption().getID() == options::OPT__SLASH_wd) {
6305 unsigned WarningNumber;
6306 if (StringRef(A->getValue()).getAsInteger(Radix: 10, Result&: WarningNumber)) {
6307 D.Diag(DiagID: diag::err_drv_invalid_int_value)
6308 << A->getAsString(Args) << A->getValue();
6309 continue;
6310 }
6311
6312 if (auto Group = diagGroupFromCLWarningID(WarningNumber)) {
6313 CmdArgs.push_back(Elt: Args.MakeArgString(
6314 Str: "-Wno-" + DiagnosticIDs::getWarningOptionForGroup(*Group)));
6315 }
6316 continue;
6317 }
6318 A->render(Args, Output&: CmdArgs);
6319 }
6320
6321 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_Wsystem_headers_in_module_EQ);
6322
6323 if (Args.hasFlag(Pos: options::OPT_pedantic, Neg: options::OPT_no_pedantic, Default: false))
6324 CmdArgs.push_back(Elt: "-pedantic");
6325 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_pedantic_errors);
6326 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_w);
6327
6328 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_ffixed_point,
6329 Neg: options::OPT_fno_fixed_point);
6330
6331 if (Arg *A = Args.getLastArg(Ids: options::OPT_fcxx_abi_EQ))
6332 A->render(Args, Output&: CmdArgs);
6333
6334 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fexperimental_relative_cxx_abi_vtables,
6335 Ids: options::OPT_fno_experimental_relative_cxx_abi_vtables);
6336
6337 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fexperimental_omit_vtable_rtti,
6338 Ids: options::OPT_fno_experimental_omit_vtable_rtti);
6339
6340 if (Arg *A = Args.getLastArg(Ids: options::OPT_ffuchsia_api_level_EQ))
6341 A->render(Args, Output&: CmdArgs);
6342
6343 // Handle -{std, ansi, trigraphs} -- take the last of -{std, ansi}
6344 // (-ansi is equivalent to -std=c89 or -std=c++98).
6345 //
6346 // If a std is supplied, only add -trigraphs if it follows the
6347 // option.
6348 bool ImplyVCPPCVer = false;
6349 bool ImplyVCPPCXXVer = false;
6350 const Arg *Std = Args.getLastArg(Ids: options::OPT_std_EQ, Ids: options::OPT_ansi);
6351 if (Std) {
6352 if (Std->getOption().matches(ID: options::OPT_ansi))
6353 if (types::isCXX(Id: InputType))
6354 CmdArgs.push_back(Elt: "-std=c++98");
6355 else
6356 CmdArgs.push_back(Elt: "-std=c89");
6357 else
6358 Std->render(Args, Output&: CmdArgs);
6359
6360 // If -f(no-)trigraphs appears after the language standard flag, honor it.
6361 if (Arg *A = Args.getLastArg(Ids: options::OPT_std_EQ, Ids: options::OPT_ansi,
6362 Ids: options::OPT_ftrigraphs,
6363 Ids: options::OPT_fno_trigraphs))
6364 if (A != Std)
6365 A->render(Args, Output&: CmdArgs);
6366 } else {
6367 // Honor -std-default.
6368 //
6369 // FIXME: Clang doesn't correctly handle -std= when the input language
6370 // doesn't match. For the time being just ignore this for C++ inputs;
6371 // eventually we want to do all the standard defaulting here instead of
6372 // splitting it between the driver and clang -cc1.
6373 if (!types::isCXX(Id: InputType)) {
6374 if (!Args.hasArg(Ids: options::OPT__SLASH_std)) {
6375 Args.AddAllArgsTranslated(Output&: CmdArgs, Id0: options::OPT_std_default_EQ, Translation: "-std=",
6376 /*Joined=*/true);
6377 } else
6378 ImplyVCPPCVer = true;
6379 }
6380 else if (IsWindowsMSVC)
6381 ImplyVCPPCXXVer = true;
6382
6383 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_ftrigraphs,
6384 Ids: options::OPT_fno_trigraphs);
6385 }
6386
6387 // GCC's behavior for -Wwrite-strings is a bit strange:
6388 // * In C, this "warning flag" changes the types of string literals from
6389 // 'char[N]' to 'const char[N]', and thus triggers an unrelated warning
6390 // for the discarded qualifier.
6391 // * In C++, this is just a normal warning flag.
6392 //
6393 // Implementing this warning correctly in C is hard, so we follow GCC's
6394 // behavior for now. FIXME: Directly diagnose uses of a string literal as
6395 // a non-const char* in C, rather than using this crude hack.
6396 if (!types::isCXX(Id: InputType)) {
6397 // FIXME: This should behave just like a warning flag, and thus should also
6398 // respect -Weverything, -Wno-everything, -Werror=write-strings, and so on.
6399 Arg *WriteStrings =
6400 Args.getLastArg(Ids: options::OPT_Wwrite_strings,
6401 Ids: options::OPT_Wno_write_strings, Ids: options::OPT_w);
6402 if (WriteStrings &&
6403 WriteStrings->getOption().matches(ID: options::OPT_Wwrite_strings))
6404 CmdArgs.push_back(Elt: "-fconst-strings");
6405 }
6406
6407 // GCC provides a macro definition '__DEPRECATED' when -Wdeprecated is active
6408 // during C++ compilation, which it is by default. GCC keeps this define even
6409 // in the presence of '-w', match this behavior bug-for-bug.
6410 if (types::isCXX(Id: InputType) &&
6411 Args.hasFlag(Pos: options::OPT_Wdeprecated, Neg: options::OPT_Wno_deprecated,
6412 Default: true)) {
6413 CmdArgs.push_back(Elt: "-fdeprecated-macro");
6414 }
6415
6416 // Translate GCC's misnamer '-fasm' arguments to '-fgnu-keywords'.
6417 if (Arg *Asm = Args.getLastArg(Ids: options::OPT_fasm, Ids: options::OPT_fno_asm)) {
6418 if (Asm->getOption().matches(ID: options::OPT_fasm))
6419 CmdArgs.push_back(Elt: "-fgnu-keywords");
6420 else
6421 CmdArgs.push_back(Elt: "-fno-gnu-keywords");
6422 }
6423
6424 if (!ShouldEnableAutolink(Args, TC, JA))
6425 CmdArgs.push_back(Elt: "-fno-autolink");
6426
6427 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_ftemplate_depth_EQ);
6428 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_foperator_arrow_depth_EQ);
6429 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fconstexpr_depth_EQ);
6430 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fconstexpr_steps_EQ);
6431
6432 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fexperimental_library);
6433
6434 if (Args.hasArg(Ids: options::OPT_fexperimental_new_constant_interpreter))
6435 CmdArgs.push_back(Elt: "-fexperimental-new-constant-interpreter");
6436
6437 if (Arg *A = Args.getLastArg(Ids: options::OPT_fbracket_depth_EQ)) {
6438 CmdArgs.push_back(Elt: "-fbracket-depth");
6439 CmdArgs.push_back(Elt: A->getValue());
6440 }
6441
6442 if (Arg *A = Args.getLastArg(Ids: options::OPT_Wlarge_by_value_copy_EQ,
6443 Ids: options::OPT_Wlarge_by_value_copy_def)) {
6444 if (A->getNumValues()) {
6445 StringRef bytes = A->getValue();
6446 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-Wlarge-by-value-copy=" + bytes));
6447 } else
6448 CmdArgs.push_back(Elt: "-Wlarge-by-value-copy=64"); // default value
6449 }
6450
6451 if (Args.hasArg(Ids: options::OPT_relocatable_pch))
6452 CmdArgs.push_back(Elt: "-relocatable-pch");
6453
6454 if (const Arg *A = Args.getLastArg(Ids: options::OPT_fcf_runtime_abi_EQ)) {
6455 static const char *kCFABIs[] = {
6456 "standalone", "objc", "swift", "swift-5.0", "swift-4.2", "swift-4.1",
6457 };
6458
6459 if (!llvm::is_contained(Range&: kCFABIs, Element: StringRef(A->getValue())))
6460 D.Diag(DiagID: diag::err_drv_invalid_cf_runtime_abi) << A->getValue();
6461 else
6462 A->render(Args, Output&: CmdArgs);
6463 }
6464
6465 if (Arg *A = Args.getLastArg(Ids: options::OPT_fconstant_string_class_EQ)) {
6466 CmdArgs.push_back(Elt: "-fconstant-string-class");
6467 CmdArgs.push_back(Elt: A->getValue());
6468 }
6469
6470 if (Arg *A = Args.getLastArg(Ids: options::OPT_ftabstop_EQ)) {
6471 CmdArgs.push_back(Elt: "-ftabstop");
6472 CmdArgs.push_back(Elt: A->getValue());
6473 }
6474
6475 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fstack_size_section,
6476 Neg: options::OPT_fno_stack_size_section);
6477
6478 if (Args.hasArg(Ids: options::OPT_fstack_usage)) {
6479 CmdArgs.push_back(Elt: "-stack-usage-file");
6480
6481 if (Arg *OutputOpt = Args.getLastArg(Ids: options::OPT_o)) {
6482 SmallString<128> OutputFilename(OutputOpt->getValue());
6483 llvm::sys::path::replace_extension(path&: OutputFilename, extension: "su");
6484 CmdArgs.push_back(Elt: Args.MakeArgString(Str: OutputFilename));
6485 } else
6486 CmdArgs.push_back(
6487 Elt: Args.MakeArgString(Str: Twine(getBaseInputStem(Args, Inputs)) + ".su"));
6488 }
6489
6490 CmdArgs.push_back(Elt: "-ferror-limit");
6491 if (Arg *A = Args.getLastArg(Ids: options::OPT_ferror_limit_EQ))
6492 CmdArgs.push_back(Elt: A->getValue());
6493 else
6494 CmdArgs.push_back(Elt: "19");
6495
6496 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fconstexpr_backtrace_limit_EQ);
6497 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fmacro_backtrace_limit_EQ);
6498 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_ftemplate_backtrace_limit_EQ);
6499 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fspell_checking_limit_EQ);
6500 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fcaret_diagnostics_max_lines_EQ);
6501
6502 // Pass -fmessage-length=.
6503 unsigned MessageLength = 0;
6504 if (Arg *A = Args.getLastArg(Ids: options::OPT_fmessage_length_EQ)) {
6505 StringRef V(A->getValue());
6506 if (V.getAsInteger(Radix: 0, Result&: MessageLength))
6507 D.Diag(DiagID: diag::err_drv_invalid_argument_to_option)
6508 << V << A->getOption().getName();
6509 } else {
6510 // If -fmessage-length=N was not specified, determine whether this is a
6511 // terminal and, if so, implicitly define -fmessage-length appropriately.
6512 MessageLength = llvm::sys::Process::StandardErrColumns();
6513 }
6514 if (MessageLength != 0)
6515 CmdArgs.push_back(
6516 Elt: Args.MakeArgString(Str: "-fmessage-length=" + Twine(MessageLength)));
6517
6518 if (Arg *A = Args.getLastArg(Ids: options::OPT_frandomize_layout_seed_EQ))
6519 CmdArgs.push_back(
6520 Elt: Args.MakeArgString(Str: "-frandomize-layout-seed=" + Twine(A->getValue(N: 0))));
6521
6522 if (Arg *A = Args.getLastArg(Ids: options::OPT_frandomize_layout_seed_file_EQ))
6523 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-frandomize-layout-seed-file=" +
6524 Twine(A->getValue(N: 0))));
6525
6526 // -fvisibility= and -fvisibility-ms-compat are of a piece.
6527 if (const Arg *A = Args.getLastArg(Ids: options::OPT_fvisibility_EQ,
6528 Ids: options::OPT_fvisibility_ms_compat)) {
6529 if (A->getOption().matches(ID: options::OPT_fvisibility_EQ)) {
6530 A->render(Args, Output&: CmdArgs);
6531 } else {
6532 assert(A->getOption().matches(options::OPT_fvisibility_ms_compat));
6533 CmdArgs.push_back(Elt: "-fvisibility=hidden");
6534 CmdArgs.push_back(Elt: "-ftype-visibility=default");
6535 }
6536 } else if (IsOpenMPDevice) {
6537 // When compiling for the OpenMP device we want protected visibility by
6538 // default. This prevents the device from accidentally preempting code on
6539 // the host, makes the system more robust, and improves performance.
6540 CmdArgs.push_back(Elt: "-fvisibility=protected");
6541 }
6542
6543 // PS4/PS5 process these options in addClangTargetOptions.
6544 if (!RawTriple.isPS()) {
6545 if (const Arg *A =
6546 Args.getLastArg(Ids: options::OPT_fvisibility_from_dllstorageclass,
6547 Ids: options::OPT_fno_visibility_from_dllstorageclass)) {
6548 if (A->getOption().matches(
6549 ID: options::OPT_fvisibility_from_dllstorageclass)) {
6550 CmdArgs.push_back(Elt: "-fvisibility-from-dllstorageclass");
6551 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fvisibility_dllexport_EQ);
6552 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fvisibility_nodllstorageclass_EQ);
6553 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fvisibility_externs_dllimport_EQ);
6554 Args.AddLastArg(Output&: CmdArgs,
6555 Ids: options::OPT_fvisibility_externs_nodllstorageclass_EQ);
6556 }
6557 }
6558 }
6559
6560 if (Args.hasFlag(Pos: options::OPT_fvisibility_inlines_hidden,
6561 Neg: options::OPT_fno_visibility_inlines_hidden, Default: false))
6562 CmdArgs.push_back(Elt: "-fvisibility-inlines-hidden");
6563
6564 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fvisibility_inlines_hidden_static_local_var,
6565 Ids: options::OPT_fno_visibility_inlines_hidden_static_local_var);
6566
6567 // -fvisibility-global-new-delete-hidden is a deprecated spelling of
6568 // -fvisibility-global-new-delete=force-hidden.
6569 if (const Arg *A =
6570 Args.getLastArg(Ids: options::OPT_fvisibility_global_new_delete_hidden)) {
6571 D.Diag(DiagID: diag::warn_drv_deprecated_arg)
6572 << A->getAsString(Args) << /*hasReplacement=*/true
6573 << "-fvisibility-global-new-delete=force-hidden";
6574 }
6575
6576 if (const Arg *A =
6577 Args.getLastArg(Ids: options::OPT_fvisibility_global_new_delete_EQ,
6578 Ids: options::OPT_fvisibility_global_new_delete_hidden)) {
6579 if (A->getOption().matches(ID: options::OPT_fvisibility_global_new_delete_EQ)) {
6580 A->render(Args, Output&: CmdArgs);
6581 } else {
6582 assert(A->getOption().matches(
6583 options::OPT_fvisibility_global_new_delete_hidden));
6584 CmdArgs.push_back(Elt: "-fvisibility-global-new-delete=force-hidden");
6585 }
6586 }
6587
6588 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_ftlsmodel_EQ);
6589
6590 if (Args.hasFlag(Pos: options::OPT_fnew_infallible,
6591 Neg: options::OPT_fno_new_infallible, Default: false))
6592 CmdArgs.push_back(Elt: "-fnew-infallible");
6593
6594 if (Args.hasFlag(Pos: options::OPT_fno_operator_names,
6595 Neg: options::OPT_foperator_names, Default: false))
6596 CmdArgs.push_back(Elt: "-fno-operator-names");
6597
6598 // Forward -f (flag) options which we can pass directly.
6599 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_femit_all_decls);
6600 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fheinous_gnu_extensions);
6601 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fdigraphs, Ids: options::OPT_fno_digraphs);
6602 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fzero_call_used_regs_EQ);
6603 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fraw_string_literals,
6604 Ids: options::OPT_fno_raw_string_literals);
6605
6606 if (Args.hasFlag(Pos: options::OPT_femulated_tls, Neg: options::OPT_fno_emulated_tls,
6607 Default: Triple.hasDefaultEmulatedTLS()))
6608 CmdArgs.push_back(Elt: "-femulated-tls");
6609
6610 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fcheck_new,
6611 Neg: options::OPT_fno_check_new);
6612
6613 if (Arg *A = Args.getLastArg(Ids: options::OPT_fzero_call_used_regs_EQ)) {
6614 // FIXME: There's no reason for this to be restricted to X86. The backend
6615 // code needs to be changed to include the appropriate function calls
6616 // automatically.
6617 if (!Triple.isX86() && !Triple.isAArch64())
6618 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
6619 << A->getAsString(Args) << TripleStr;
6620 }
6621
6622 // AltiVec-like language extensions aren't relevant for assembling.
6623 if (!isa<PreprocessJobAction>(Val: JA) || Output.getType() != types::TY_PP_Asm)
6624 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fzvector);
6625
6626 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fdiagnostics_show_template_tree);
6627 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fno_elide_type);
6628
6629 // Forward flags for OpenMP. We don't do this if the current action is an
6630 // device offloading action other than OpenMP.
6631 if (Args.hasFlag(Pos: options::OPT_fopenmp, PosAlias: options::OPT_fopenmp_EQ,
6632 Neg: options::OPT_fno_openmp, Default: false) &&
6633 (JA.isDeviceOffloading(OKind: Action::OFK_None) ||
6634 JA.isDeviceOffloading(OKind: Action::OFK_OpenMP))) {
6635 switch (D.getOpenMPRuntime(Args)) {
6636 case Driver::OMPRT_OMP:
6637 case Driver::OMPRT_IOMP5:
6638 // Clang can generate useful OpenMP code for these two runtime libraries.
6639 CmdArgs.push_back(Elt: "-fopenmp");
6640
6641 // If no option regarding the use of TLS in OpenMP codegeneration is
6642 // given, decide a default based on the target. Otherwise rely on the
6643 // options and pass the right information to the frontend.
6644 if (!Args.hasFlag(Pos: options::OPT_fopenmp_use_tls,
6645 Neg: options::OPT_fnoopenmp_use_tls, /*Default=*/true))
6646 CmdArgs.push_back(Elt: "-fnoopenmp-use-tls");
6647 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fopenmp_simd,
6648 Ids: options::OPT_fno_openmp_simd);
6649 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_fopenmp_enable_irbuilder);
6650 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_fopenmp_version_EQ);
6651 if (!Args.hasFlag(Pos: options::OPT_fopenmp_extensions,
6652 Neg: options::OPT_fno_openmp_extensions, /*Default=*/true))
6653 CmdArgs.push_back(Elt: "-fno-openmp-extensions");
6654 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_fopenmp_cuda_number_of_sm_EQ);
6655 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_fopenmp_cuda_blocks_per_sm_EQ);
6656 Args.AddAllArgs(Output&: CmdArgs,
6657 Id0: options::OPT_fopenmp_cuda_teams_reduction_recs_num_EQ);
6658 if (Args.hasFlag(Pos: options::OPT_fopenmp_optimistic_collapse,
6659 Neg: options::OPT_fno_openmp_optimistic_collapse,
6660 /*Default=*/false))
6661 CmdArgs.push_back(Elt: "-fopenmp-optimistic-collapse");
6662
6663 // When in OpenMP offloading mode with NVPTX target, forward
6664 // cuda-mode flag
6665 if (Args.hasFlag(Pos: options::OPT_fopenmp_cuda_mode,
6666 Neg: options::OPT_fno_openmp_cuda_mode, /*Default=*/false))
6667 CmdArgs.push_back(Elt: "-fopenmp-cuda-mode");
6668
6669 // When in OpenMP offloading mode, enable debugging on the device.
6670 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_fopenmp_target_debug_EQ);
6671 if (Args.hasFlag(Pos: options::OPT_fopenmp_target_debug,
6672 Neg: options::OPT_fno_openmp_target_debug, /*Default=*/false))
6673 CmdArgs.push_back(Elt: "-fopenmp-target-debug");
6674
6675 // When in OpenMP offloading mode, forward assumptions information about
6676 // thread and team counts in the device.
6677 if (Args.hasFlag(Pos: options::OPT_fopenmp_assume_teams_oversubscription,
6678 Neg: options::OPT_fno_openmp_assume_teams_oversubscription,
6679 /*Default=*/false))
6680 CmdArgs.push_back(Elt: "-fopenmp-assume-teams-oversubscription");
6681 if (Args.hasFlag(Pos: options::OPT_fopenmp_assume_threads_oversubscription,
6682 Neg: options::OPT_fno_openmp_assume_threads_oversubscription,
6683 /*Default=*/false))
6684 CmdArgs.push_back(Elt: "-fopenmp-assume-threads-oversubscription");
6685 if (Args.hasArg(Ids: options::OPT_fopenmp_assume_no_thread_state))
6686 CmdArgs.push_back(Elt: "-fopenmp-assume-no-thread-state");
6687 if (Args.hasArg(Ids: options::OPT_fopenmp_assume_no_nested_parallelism))
6688 CmdArgs.push_back(Elt: "-fopenmp-assume-no-nested-parallelism");
6689 if (Args.hasArg(Ids: options::OPT_fopenmp_offload_mandatory))
6690 CmdArgs.push_back(Elt: "-fopenmp-offload-mandatory");
6691 if (Args.hasArg(Ids: options::OPT_fopenmp_force_usm))
6692 CmdArgs.push_back(Elt: "-fopenmp-force-usm");
6693 break;
6694 default:
6695 // By default, if Clang doesn't know how to generate useful OpenMP code
6696 // for a specific runtime library, we just don't pass the '-fopenmp' flag
6697 // down to the actual compilation.
6698 // FIXME: It would be better to have a mode which *only* omits IR
6699 // generation based on the OpenMP support so that we get consistent
6700 // semantic analysis, etc.
6701 break;
6702 }
6703 } else {
6704 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fopenmp_simd,
6705 Ids: options::OPT_fno_openmp_simd);
6706 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_fopenmp_version_EQ);
6707 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fopenmp_extensions,
6708 Neg: options::OPT_fno_openmp_extensions);
6709 }
6710
6711 // Forward the new driver to change offloading code generation.
6712 if (Args.hasFlag(Pos: options::OPT_offload_new_driver,
6713 Neg: options::OPT_no_offload_new_driver, Default: false))
6714 CmdArgs.push_back(Elt: "--offload-new-driver");
6715
6716 SanitizeArgs.addArgs(TC, Args, CmdArgs, InputType);
6717
6718 const XRayArgs &XRay = TC.getXRayArgs();
6719 XRay.addArgs(TC, Args, CmdArgs, InputType);
6720
6721 for (const auto &Filename :
6722 Args.getAllArgValues(Id: options::OPT_fprofile_list_EQ)) {
6723 if (D.getVFS().exists(Path: Filename))
6724 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-fprofile-list=" + Filename));
6725 else
6726 D.Diag(DiagID: clang::diag::err_drv_no_such_file) << Filename;
6727 }
6728
6729 if (Arg *A = Args.getLastArg(Ids: options::OPT_fpatchable_function_entry_EQ)) {
6730 StringRef S0 = A->getValue(), S = S0;
6731 unsigned Size, Offset = 0;
6732 if (!Triple.isAArch64() && !Triple.isLoongArch() && !Triple.isRISCV() &&
6733 !Triple.isX86() &&
6734 !(!Triple.isOSAIX() && (Triple.getArch() == llvm::Triple::ppc ||
6735 Triple.getArch() == llvm::Triple::ppc64)))
6736 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
6737 << A->getAsString(Args) << TripleStr;
6738 else if (S.consumeInteger(Radix: 10, Result&: Size) ||
6739 (!S.empty() && (!S.consume_front(Prefix: ",") ||
6740 S.consumeInteger(Radix: 10, Result&: Offset) || !S.empty())))
6741 D.Diag(DiagID: diag::err_drv_invalid_argument_to_option)
6742 << S0 << A->getOption().getName();
6743 else if (Size < Offset)
6744 D.Diag(DiagID: diag::err_drv_unsupported_fpatchable_function_entry_argument);
6745 else {
6746 CmdArgs.push_back(Elt: Args.MakeArgString(Str: A->getSpelling() + Twine(Size)));
6747 CmdArgs.push_back(Elt: Args.MakeArgString(
6748 Str: "-fpatchable-function-entry-offset=" + Twine(Offset)));
6749 }
6750 }
6751
6752 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fms_hotpatch);
6753
6754 if (TC.SupportsProfiling()) {
6755 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_pg);
6756
6757 llvm::Triple::ArchType Arch = TC.getArch();
6758 if (Arg *A = Args.getLastArg(Ids: options::OPT_mfentry)) {
6759 if (Arch == llvm::Triple::systemz || TC.getTriple().isX86())
6760 A->render(Args, Output&: CmdArgs);
6761 else
6762 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
6763 << A->getAsString(Args) << TripleStr;
6764 }
6765 if (Arg *A = Args.getLastArg(Ids: options::OPT_mnop_mcount)) {
6766 if (Arch == llvm::Triple::systemz)
6767 A->render(Args, Output&: CmdArgs);
6768 else
6769 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
6770 << A->getAsString(Args) << TripleStr;
6771 }
6772 if (Arg *A = Args.getLastArg(Ids: options::OPT_mrecord_mcount)) {
6773 if (Arch == llvm::Triple::systemz)
6774 A->render(Args, Output&: CmdArgs);
6775 else
6776 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
6777 << A->getAsString(Args) << TripleStr;
6778 }
6779 }
6780
6781 if (Arg *A = Args.getLastArgNoClaim(Ids: options::OPT_pg)) {
6782 if (TC.getTriple().isOSzOS()) {
6783 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
6784 << A->getAsString(Args) << TripleStr;
6785 }
6786 }
6787 if (Arg *A = Args.getLastArgNoClaim(Ids: options::OPT_p)) {
6788 if (!(TC.getTriple().isOSAIX() || TC.getTriple().isOSOpenBSD())) {
6789 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
6790 << A->getAsString(Args) << TripleStr;
6791 }
6792 }
6793 if (Arg *A = Args.getLastArgNoClaim(Ids: options::OPT_p, Ids: options::OPT_pg)) {
6794 if (A->getOption().matches(ID: options::OPT_p)) {
6795 A->claim();
6796 if (TC.getTriple().isOSAIX() && !Args.hasArgNoClaim(Ids: options::OPT_pg))
6797 CmdArgs.push_back(Elt: "-pg");
6798 }
6799 }
6800
6801 // Reject AIX-specific link options on other targets.
6802 if (!TC.getTriple().isOSAIX()) {
6803 for (const Arg *A : Args.filtered(Ids: options::OPT_b, Ids: options::OPT_K,
6804 Ids: options::OPT_mxcoff_build_id_EQ)) {
6805 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
6806 << A->getSpelling() << TripleStr;
6807 }
6808 }
6809
6810 if (Args.getLastArg(Ids: options::OPT_fapple_kext) ||
6811 (Args.hasArg(Ids: options::OPT_mkernel) && types::isCXX(Id: InputType)))
6812 CmdArgs.push_back(Elt: "-fapple-kext");
6813
6814 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_altivec_src_compat);
6815 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_flax_vector_conversions_EQ);
6816 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fobjc_sender_dependent_dispatch);
6817 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fdiagnostics_print_source_range_info);
6818 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fdiagnostics_parseable_fixits);
6819 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_ftime_report);
6820 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_ftime_report_EQ);
6821 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_ftrapv);
6822 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_malign_double);
6823 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fno_temp_file);
6824
6825 if (const char *Name = C.getTimeTraceFile(JA: &JA)) {
6826 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-ftime-trace=" + Twine(Name)));
6827 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_ftime_trace_granularity_EQ);
6828 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_ftime_trace_verbose);
6829 }
6830
6831 if (Arg *A = Args.getLastArg(Ids: options::OPT_ftrapv_handler_EQ)) {
6832 CmdArgs.push_back(Elt: "-ftrapv-handler");
6833 CmdArgs.push_back(Elt: A->getValue());
6834 }
6835
6836 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_ftrap_function_EQ);
6837
6838 // -fno-strict-overflow implies -fwrapv if it isn't disabled, but
6839 // -fstrict-overflow won't turn off an explicitly enabled -fwrapv.
6840 if (Arg *A = Args.getLastArg(Ids: options::OPT_fwrapv, Ids: options::OPT_fno_wrapv)) {
6841 if (A->getOption().matches(ID: options::OPT_fwrapv))
6842 CmdArgs.push_back(Elt: "-fwrapv");
6843 } else if (Arg *A = Args.getLastArg(Ids: options::OPT_fstrict_overflow,
6844 Ids: options::OPT_fno_strict_overflow)) {
6845 if (A->getOption().matches(ID: options::OPT_fno_strict_overflow))
6846 CmdArgs.push_back(Elt: "-fwrapv");
6847 }
6848
6849 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_ffinite_loops,
6850 Ids: options::OPT_fno_finite_loops);
6851
6852 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fwritable_strings);
6853 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_funroll_loops,
6854 Ids: options::OPT_fno_unroll_loops);
6855
6856 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fstrict_flex_arrays_EQ);
6857
6858 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_pthread);
6859
6860 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_mspeculative_load_hardening,
6861 Neg: options::OPT_mno_speculative_load_hardening);
6862
6863 RenderSSPOptions(D, TC, Args, CmdArgs, KernelOrKext);
6864 RenderSCPOptions(TC, Args, CmdArgs);
6865 RenderTrivialAutoVarInitOptions(D, TC, Args, CmdArgs);
6866
6867 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fswift_async_fp_EQ);
6868
6869 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_mstackrealign,
6870 Neg: options::OPT_mno_stackrealign);
6871
6872 if (Args.hasArg(Ids: options::OPT_mstack_alignment)) {
6873 StringRef alignment = Args.getLastArgValue(Id: options::OPT_mstack_alignment);
6874 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-mstack-alignment=" + alignment));
6875 }
6876
6877 if (Args.hasArg(Ids: options::OPT_mstack_probe_size)) {
6878 StringRef Size = Args.getLastArgValue(Id: options::OPT_mstack_probe_size);
6879
6880 if (!Size.empty())
6881 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-mstack-probe-size=" + Size));
6882 else
6883 CmdArgs.push_back(Elt: "-mstack-probe-size=0");
6884 }
6885
6886 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_mstack_arg_probe,
6887 Neg: options::OPT_mno_stack_arg_probe);
6888
6889 if (Arg *A = Args.getLastArg(Ids: options::OPT_mrestrict_it,
6890 Ids: options::OPT_mno_restrict_it)) {
6891 if (A->getOption().matches(ID: options::OPT_mrestrict_it)) {
6892 CmdArgs.push_back(Elt: "-mllvm");
6893 CmdArgs.push_back(Elt: "-arm-restrict-it");
6894 } else {
6895 CmdArgs.push_back(Elt: "-mllvm");
6896 CmdArgs.push_back(Elt: "-arm-default-it");
6897 }
6898 }
6899
6900 // Forward -cl options to -cc1
6901 RenderOpenCLOptions(Args, CmdArgs, InputType);
6902
6903 // Forward hlsl options to -cc1
6904 RenderHLSLOptions(Args, CmdArgs, InputType);
6905
6906 // Forward OpenACC options to -cc1
6907 RenderOpenACCOptions(D, Args, CmdArgs, InputType);
6908
6909 if (IsHIP) {
6910 if (Args.hasFlag(Pos: options::OPT_fhip_new_launch_api,
6911 Neg: options::OPT_fno_hip_new_launch_api, Default: true))
6912 CmdArgs.push_back(Elt: "-fhip-new-launch-api");
6913 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fgpu_allow_device_init,
6914 Neg: options::OPT_fno_gpu_allow_device_init);
6915 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_hipstdpar);
6916 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_hipstdpar_interpose_alloc);
6917 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fhip_kernel_arg_name,
6918 Neg: options::OPT_fno_hip_kernel_arg_name);
6919 }
6920
6921 if (IsCuda || IsHIP) {
6922 if (IsRDCMode)
6923 CmdArgs.push_back(Elt: "-fgpu-rdc");
6924 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fgpu_defer_diag,
6925 Neg: options::OPT_fno_gpu_defer_diag);
6926 if (Args.hasFlag(Pos: options::OPT_fgpu_exclude_wrong_side_overloads,
6927 Neg: options::OPT_fno_gpu_exclude_wrong_side_overloads,
6928 Default: false)) {
6929 CmdArgs.push_back(Elt: "-fgpu-exclude-wrong-side-overloads");
6930 CmdArgs.push_back(Elt: "-fgpu-defer-diag");
6931 }
6932 }
6933
6934 // Forward -nogpulib to -cc1.
6935 if (Args.hasArg(Ids: options::OPT_nogpulib))
6936 CmdArgs.push_back(Elt: "-nogpulib");
6937
6938 if (Arg *A = Args.getLastArg(Ids: options::OPT_fcf_protection_EQ)) {
6939 CmdArgs.push_back(
6940 Elt: Args.MakeArgString(Str: Twine("-fcf-protection=") + A->getValue()));
6941 }
6942
6943 if (Arg *A = Args.getLastArg(Ids: options::OPT_mfunction_return_EQ))
6944 CmdArgs.push_back(
6945 Elt: Args.MakeArgString(Str: Twine("-mfunction-return=") + A->getValue()));
6946
6947 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_mindirect_branch_cs_prefix);
6948
6949 // Forward -f options with positive and negative forms; we translate these by
6950 // hand. Do not propagate PGO options to the GPU-side compilations as the
6951 // profile info is for the host-side compilation only.
6952 if (!(IsCudaDevice || IsHIPDevice)) {
6953 if (Arg *A = getLastProfileSampleUseArg(Args)) {
6954 auto *PGOArg = Args.getLastArg(
6955 Ids: options::OPT_fprofile_generate, Ids: options::OPT_fprofile_generate_EQ,
6956 Ids: options::OPT_fcs_profile_generate,
6957 Ids: options::OPT_fcs_profile_generate_EQ, Ids: options::OPT_fprofile_use,
6958 Ids: options::OPT_fprofile_use_EQ);
6959 if (PGOArg)
6960 D.Diag(DiagID: diag::err_drv_argument_not_allowed_with)
6961 << "SampleUse with PGO options";
6962
6963 StringRef fname = A->getValue();
6964 if (!llvm::sys::fs::exists(Path: fname))
6965 D.Diag(DiagID: diag::err_drv_no_such_file) << fname;
6966 else
6967 A->render(Args, Output&: CmdArgs);
6968 }
6969 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fprofile_remapping_file_EQ);
6970
6971 if (Args.hasFlag(Pos: options::OPT_fpseudo_probe_for_profiling,
6972 Neg: options::OPT_fno_pseudo_probe_for_profiling, Default: false)) {
6973 CmdArgs.push_back(Elt: "-fpseudo-probe-for-profiling");
6974 // Enforce -funique-internal-linkage-names if it's not explicitly turned
6975 // off.
6976 if (Args.hasFlag(Pos: options::OPT_funique_internal_linkage_names,
6977 Neg: options::OPT_fno_unique_internal_linkage_names, Default: true))
6978 CmdArgs.push_back(Elt: "-funique-internal-linkage-names");
6979 }
6980 }
6981 RenderBuiltinOptions(TC, T: RawTriple, Args, CmdArgs);
6982
6983 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fassume_sane_operator_new,
6984 Neg: options::OPT_fno_assume_sane_operator_new);
6985
6986 if (Args.hasFlag(Pos: options::OPT_fapinotes, Neg: options::OPT_fno_apinotes, Default: false))
6987 CmdArgs.push_back(Elt: "-fapinotes");
6988 if (Args.hasFlag(Pos: options::OPT_fapinotes_modules,
6989 Neg: options::OPT_fno_apinotes_modules, Default: false))
6990 CmdArgs.push_back(Elt: "-fapinotes-modules");
6991 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fapinotes_swift_version);
6992
6993 // -fblocks=0 is default.
6994 if (Args.hasFlag(Pos: options::OPT_fblocks, Neg: options::OPT_fno_blocks,
6995 Default: TC.IsBlocksDefault()) ||
6996 (Args.hasArg(Ids: options::OPT_fgnu_runtime) &&
6997 Args.hasArg(Ids: options::OPT_fobjc_nonfragile_abi) &&
6998 !Args.hasArg(Ids: options::OPT_fno_blocks))) {
6999 CmdArgs.push_back(Elt: "-fblocks");
7000
7001 if (!Args.hasArg(Ids: options::OPT_fgnu_runtime) && !TC.hasBlocksRuntime())
7002 CmdArgs.push_back(Elt: "-fblocks-runtime-optional");
7003 }
7004
7005 // -fencode-extended-block-signature=1 is default.
7006 if (TC.IsEncodeExtendedBlockSignatureDefault())
7007 CmdArgs.push_back(Elt: "-fencode-extended-block-signature");
7008
7009 if (Args.hasFlag(Pos: options::OPT_fcoro_aligned_allocation,
7010 Neg: options::OPT_fno_coro_aligned_allocation, Default: false) &&
7011 types::isCXX(Id: InputType))
7012 CmdArgs.push_back(Elt: "-fcoro-aligned-allocation");
7013
7014 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fdouble_square_bracket_attributes,
7015 Ids: options::OPT_fno_double_square_bracket_attributes);
7016
7017 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_faccess_control,
7018 Neg: options::OPT_fno_access_control);
7019 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_felide_constructors,
7020 Neg: options::OPT_fno_elide_constructors);
7021
7022 ToolChain::RTTIMode RTTIMode = TC.getRTTIMode();
7023
7024 if (KernelOrKext || (types::isCXX(Id: InputType) &&
7025 (RTTIMode == ToolChain::RM_Disabled)))
7026 CmdArgs.push_back(Elt: "-fno-rtti");
7027
7028 // -fshort-enums=0 is default for all architectures except Hexagon and z/OS.
7029 if (Args.hasFlag(Pos: options::OPT_fshort_enums, Neg: options::OPT_fno_short_enums,
7030 Default: TC.getArch() == llvm::Triple::hexagon || Triple.isOSzOS()))
7031 CmdArgs.push_back(Elt: "-fshort-enums");
7032
7033 RenderCharacterOptions(Args, T: AuxTriple ? *AuxTriple : RawTriple, CmdArgs);
7034
7035 // -fuse-cxa-atexit is default.
7036 if (!Args.hasFlag(
7037 Pos: options::OPT_fuse_cxa_atexit, Neg: options::OPT_fno_use_cxa_atexit,
7038 Default: !RawTriple.isOSAIX() && !RawTriple.isOSWindows() &&
7039 ((RawTriple.getVendor() != llvm::Triple::MipsTechnologies) ||
7040 RawTriple.hasEnvironment())) ||
7041 KernelOrKext)
7042 CmdArgs.push_back(Elt: "-fno-use-cxa-atexit");
7043
7044 if (Args.hasFlag(Pos: options::OPT_fregister_global_dtors_with_atexit,
7045 Neg: options::OPT_fno_register_global_dtors_with_atexit,
7046 Default: RawTriple.isOSDarwin() && !KernelOrKext))
7047 CmdArgs.push_back(Elt: "-fregister-global-dtors-with-atexit");
7048
7049 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fuse_line_directives,
7050 Neg: options::OPT_fno_use_line_directives);
7051
7052 // -fno-minimize-whitespace is default.
7053 if (Args.hasFlag(Pos: options::OPT_fminimize_whitespace,
7054 Neg: options::OPT_fno_minimize_whitespace, Default: false)) {
7055 types::ID InputType = Inputs[0].getType();
7056 if (!isDerivedFromC(Id: InputType))
7057 D.Diag(DiagID: diag::err_drv_opt_unsupported_input_type)
7058 << "-fminimize-whitespace" << types::getTypeName(Id: InputType);
7059 CmdArgs.push_back(Elt: "-fminimize-whitespace");
7060 }
7061
7062 // -fno-keep-system-includes is default.
7063 if (Args.hasFlag(Pos: options::OPT_fkeep_system_includes,
7064 Neg: options::OPT_fno_keep_system_includes, Default: false)) {
7065 types::ID InputType = Inputs[0].getType();
7066 if (!isDerivedFromC(Id: InputType))
7067 D.Diag(DiagID: diag::err_drv_opt_unsupported_input_type)
7068 << "-fkeep-system-includes" << types::getTypeName(Id: InputType);
7069 CmdArgs.push_back(Elt: "-fkeep-system-includes");
7070 }
7071
7072 // -fms-extensions=0 is default.
7073 if (Args.hasFlag(Pos: options::OPT_fms_extensions, Neg: options::OPT_fno_ms_extensions,
7074 Default: IsWindowsMSVC))
7075 CmdArgs.push_back(Elt: "-fms-extensions");
7076
7077 // -fms-compatibility=0 is default.
7078 bool IsMSVCCompat = Args.hasFlag(
7079 Pos: options::OPT_fms_compatibility, Neg: options::OPT_fno_ms_compatibility,
7080 Default: (IsWindowsMSVC && Args.hasFlag(Pos: options::OPT_fms_extensions,
7081 Neg: options::OPT_fno_ms_extensions, Default: true)));
7082 if (IsMSVCCompat) {
7083 CmdArgs.push_back(Elt: "-fms-compatibility");
7084 if (!types::isCXX(Id: Input.getType()) &&
7085 Args.hasArg(Ids: options::OPT_fms_define_stdc))
7086 CmdArgs.push_back(Elt: "-fms-define-stdc");
7087 }
7088
7089 if (Triple.isWindowsMSVCEnvironment() && !D.IsCLMode() &&
7090 Args.hasArg(Ids: options::OPT_fms_runtime_lib_EQ))
7091 ProcessVSRuntimeLibrary(TC: getToolChain(), Args, CmdArgs);
7092
7093 // Handle -fgcc-version, if present.
7094 VersionTuple GNUCVer;
7095 if (Arg *A = Args.getLastArg(Ids: options::OPT_fgnuc_version_EQ)) {
7096 // Check that the version has 1 to 3 components and the minor and patch
7097 // versions fit in two decimal digits.
7098 StringRef Val = A->getValue();
7099 Val = Val.empty() ? "0" : Val; // Treat "" as 0 or disable.
7100 bool Invalid = GNUCVer.tryParse(string: Val);
7101 unsigned Minor = GNUCVer.getMinor().value_or(u: 0);
7102 unsigned Patch = GNUCVer.getSubminor().value_or(u: 0);
7103 if (Invalid || GNUCVer.getBuild() || Minor >= 100 || Patch >= 100) {
7104 D.Diag(DiagID: diag::err_drv_invalid_value)
7105 << A->getAsString(Args) << A->getValue();
7106 }
7107 } else if (!IsMSVCCompat) {
7108 // Imitate GCC 4.2.1 by default if -fms-compatibility is not in effect.
7109 GNUCVer = VersionTuple(4, 2, 1);
7110 }
7111 if (!GNUCVer.empty()) {
7112 CmdArgs.push_back(
7113 Elt: Args.MakeArgString(Str: "-fgnuc-version=" + GNUCVer.getAsString()));
7114 }
7115
7116 VersionTuple MSVT = TC.computeMSVCVersion(D: &D, Args);
7117 if (!MSVT.empty())
7118 CmdArgs.push_back(
7119 Elt: Args.MakeArgString(Str: "-fms-compatibility-version=" + MSVT.getAsString()));
7120
7121 bool IsMSVC2015Compatible = MSVT.getMajor() >= 19;
7122 if (ImplyVCPPCVer) {
7123 StringRef LanguageStandard;
7124 if (const Arg *StdArg = Args.getLastArg(Ids: options::OPT__SLASH_std)) {
7125 Std = StdArg;
7126 LanguageStandard = llvm::StringSwitch<StringRef>(StdArg->getValue())
7127 .Case(S: "c11", Value: "-std=c11")
7128 .Case(S: "c17", Value: "-std=c17")
7129 .Default(Value: "");
7130 if (LanguageStandard.empty())
7131 D.Diag(DiagID: clang::diag::warn_drv_unused_argument)
7132 << StdArg->getAsString(Args);
7133 }
7134 CmdArgs.push_back(Elt: LanguageStandard.data());
7135 }
7136 if (ImplyVCPPCXXVer) {
7137 StringRef LanguageStandard;
7138 if (const Arg *StdArg = Args.getLastArg(Ids: options::OPT__SLASH_std)) {
7139 Std = StdArg;
7140 LanguageStandard = llvm::StringSwitch<StringRef>(StdArg->getValue())
7141 .Case(S: "c++14", Value: "-std=c++14")
7142 .Case(S: "c++17", Value: "-std=c++17")
7143 .Case(S: "c++20", Value: "-std=c++20")
7144 // TODO add c++23 and c++26 when MSVC supports it.
7145 .Case(S: "c++latest", Value: "-std=c++26")
7146 .Default(Value: "");
7147 if (LanguageStandard.empty())
7148 D.Diag(DiagID: clang::diag::warn_drv_unused_argument)
7149 << StdArg->getAsString(Args);
7150 }
7151
7152 if (LanguageStandard.empty()) {
7153 if (IsMSVC2015Compatible)
7154 LanguageStandard = "-std=c++14";
7155 else
7156 LanguageStandard = "-std=c++11";
7157 }
7158
7159 CmdArgs.push_back(Elt: LanguageStandard.data());
7160 }
7161
7162 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fborland_extensions,
7163 Neg: options::OPT_fno_borland_extensions);
7164
7165 // -fno-declspec is default, except for PS4/PS5.
7166 if (Args.hasFlag(Pos: options::OPT_fdeclspec, Neg: options::OPT_fno_declspec,
7167 Default: RawTriple.isPS()))
7168 CmdArgs.push_back(Elt: "-fdeclspec");
7169 else if (Args.hasArg(Ids: options::OPT_fno_declspec))
7170 CmdArgs.push_back(Elt: "-fno-declspec"); // Explicitly disabling __declspec.
7171
7172 // -fthreadsafe-static is default, except for MSVC compatibility versions less
7173 // than 19.
7174 if (!Args.hasFlag(Pos: options::OPT_fthreadsafe_statics,
7175 Neg: options::OPT_fno_threadsafe_statics,
7176 Default: !types::isOpenCL(Id: InputType) &&
7177 (!IsWindowsMSVC || IsMSVC2015Compatible)))
7178 CmdArgs.push_back(Elt: "-fno-threadsafe-statics");
7179
7180 // Add -fno-assumptions, if it was specified.
7181 if (!Args.hasFlag(Pos: options::OPT_fassumptions, Neg: options::OPT_fno_assumptions,
7182 Default: true))
7183 CmdArgs.push_back(Elt: "-fno-assumptions");
7184
7185 // -fgnu-keywords default varies depending on language; only pass if
7186 // specified.
7187 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fgnu_keywords,
7188 Ids: options::OPT_fno_gnu_keywords);
7189
7190 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fgnu89_inline,
7191 Neg: options::OPT_fno_gnu89_inline);
7192
7193 const Arg *InlineArg = Args.getLastArg(Ids: options::OPT_finline_functions,
7194 Ids: options::OPT_finline_hint_functions,
7195 Ids: options::OPT_fno_inline_functions);
7196 if (Arg *A = Args.getLastArg(Ids: options::OPT_finline, Ids: options::OPT_fno_inline)) {
7197 if (A->getOption().matches(ID: options::OPT_fno_inline))
7198 A->render(Args, Output&: CmdArgs);
7199 } else if (InlineArg) {
7200 InlineArg->render(Args, Output&: CmdArgs);
7201 }
7202
7203 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_finline_max_stacksize_EQ);
7204
7205 // FIXME: Find a better way to determine whether we are in C++20.
7206 bool HaveCxx20 =
7207 Std &&
7208 (Std->containsValue(Value: "c++2a") || Std->containsValue(Value: "gnu++2a") ||
7209 Std->containsValue(Value: "c++20") || Std->containsValue(Value: "gnu++20") ||
7210 Std->containsValue(Value: "c++2b") || Std->containsValue(Value: "gnu++2b") ||
7211 Std->containsValue(Value: "c++23") || Std->containsValue(Value: "gnu++23") ||
7212 Std->containsValue(Value: "c++2c") || Std->containsValue(Value: "gnu++2c") ||
7213 Std->containsValue(Value: "c++26") || Std->containsValue(Value: "gnu++26") ||
7214 Std->containsValue(Value: "c++latest") || Std->containsValue(Value: "gnu++latest"));
7215 bool HaveModules =
7216 RenderModulesOptions(C, D, Args, Input, Output, HaveStd20: HaveCxx20, CmdArgs);
7217
7218 // -fdelayed-template-parsing is default when targeting MSVC.
7219 // Many old Windows SDK versions require this to parse.
7220 //
7221 // According to
7222 // https://learn.microsoft.com/en-us/cpp/build/reference/permissive-standards-conformance?view=msvc-170,
7223 // MSVC actually defaults to -fno-delayed-template-parsing (/Zc:twoPhase-
7224 // with MSVC CLI) if using C++20. So we match the behavior with MSVC here to
7225 // not enable -fdelayed-template-parsing by default after C++20.
7226 //
7227 // FIXME: Given -fdelayed-template-parsing is a source of bugs, we should be
7228 // able to disable this by default at some point.
7229 if (Args.hasFlag(Pos: options::OPT_fdelayed_template_parsing,
7230 Neg: options::OPT_fno_delayed_template_parsing,
7231 Default: IsWindowsMSVC && !HaveCxx20)) {
7232 if (HaveCxx20)
7233 D.Diag(DiagID: clang::diag::warn_drv_delayed_template_parsing_after_cxx20);
7234
7235 CmdArgs.push_back(Elt: "-fdelayed-template-parsing");
7236 }
7237
7238 if (Args.hasFlag(Pos: options::OPT_fpch_validate_input_files_content,
7239 Neg: options::OPT_fno_pch_validate_input_files_content, Default: false))
7240 CmdArgs.push_back(Elt: "-fvalidate-ast-input-files-content");
7241 if (Args.hasFlag(Pos: options::OPT_fpch_instantiate_templates,
7242 Neg: options::OPT_fno_pch_instantiate_templates, Default: false))
7243 CmdArgs.push_back(Elt: "-fpch-instantiate-templates");
7244 if (Args.hasFlag(Pos: options::OPT_fpch_codegen, Neg: options::OPT_fno_pch_codegen,
7245 Default: false))
7246 CmdArgs.push_back(Elt: "-fmodules-codegen");
7247 if (Args.hasFlag(Pos: options::OPT_fpch_debuginfo, Neg: options::OPT_fno_pch_debuginfo,
7248 Default: false))
7249 CmdArgs.push_back(Elt: "-fmodules-debuginfo");
7250
7251 ObjCRuntime Runtime = AddObjCRuntimeArgs(args: Args, inputs: Inputs, cmdArgs&: CmdArgs, rewrite: rewriteKind);
7252 RenderObjCOptions(TC, D, T: RawTriple, Args, Runtime, InferCovariantReturns: rewriteKind != RK_None,
7253 Input, CmdArgs);
7254
7255 if (types::isObjC(Id: Input.getType()) &&
7256 Args.hasFlag(Pos: options::OPT_fobjc_encode_cxx_class_template_spec,
7257 Neg: options::OPT_fno_objc_encode_cxx_class_template_spec,
7258 Default: !Runtime.isNeXTFamily()))
7259 CmdArgs.push_back(Elt: "-fobjc-encode-cxx-class-template-spec");
7260
7261 if (Args.hasFlag(Pos: options::OPT_fapplication_extension,
7262 Neg: options::OPT_fno_application_extension, Default: false))
7263 CmdArgs.push_back(Elt: "-fapplication-extension");
7264
7265 // Handle GCC-style exception args.
7266 bool EH = false;
7267 if (!C.getDriver().IsCLMode())
7268 EH = addExceptionArgs(Args, InputType, TC, KernelOrKext, objcRuntime: Runtime, CmdArgs);
7269
7270 // Handle exception personalities
7271 Arg *A = Args.getLastArg(
7272 Ids: options::OPT_fsjlj_exceptions, Ids: options::OPT_fseh_exceptions,
7273 Ids: options::OPT_fdwarf_exceptions, Ids: options::OPT_fwasm_exceptions);
7274 if (A) {
7275 const Option &Opt = A->getOption();
7276 if (Opt.matches(ID: options::OPT_fsjlj_exceptions))
7277 CmdArgs.push_back(Elt: "-exception-model=sjlj");
7278 if (Opt.matches(ID: options::OPT_fseh_exceptions))
7279 CmdArgs.push_back(Elt: "-exception-model=seh");
7280 if (Opt.matches(ID: options::OPT_fdwarf_exceptions))
7281 CmdArgs.push_back(Elt: "-exception-model=dwarf");
7282 if (Opt.matches(ID: options::OPT_fwasm_exceptions))
7283 CmdArgs.push_back(Elt: "-exception-model=wasm");
7284 } else {
7285 switch (TC.GetExceptionModel(Args)) {
7286 default:
7287 break;
7288 case llvm::ExceptionHandling::DwarfCFI:
7289 CmdArgs.push_back(Elt: "-exception-model=dwarf");
7290 break;
7291 case llvm::ExceptionHandling::SjLj:
7292 CmdArgs.push_back(Elt: "-exception-model=sjlj");
7293 break;
7294 case llvm::ExceptionHandling::WinEH:
7295 CmdArgs.push_back(Elt: "-exception-model=seh");
7296 break;
7297 }
7298 }
7299
7300 // C++ "sane" operator new.
7301 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fassume_sane_operator_new,
7302 Neg: options::OPT_fno_assume_sane_operator_new);
7303
7304 // -fassume-unique-vtables is on by default.
7305 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fassume_unique_vtables,
7306 Neg: options::OPT_fno_assume_unique_vtables);
7307
7308 // -frelaxed-template-template-args is deprecated.
7309 if (Arg *A =
7310 Args.getLastArg(Ids: options::OPT_frelaxed_template_template_args,
7311 Ids: options::OPT_fno_relaxed_template_template_args)) {
7312 if (A->getOption().matches(
7313 ID: options::OPT_fno_relaxed_template_template_args)) {
7314 D.Diag(DiagID: diag::warn_drv_deprecated_arg_no_relaxed_template_template_args);
7315 CmdArgs.push_back(Elt: "-fno-relaxed-template-template-args");
7316 } else {
7317 D.Diag(DiagID: diag::warn_drv_deprecated_arg)
7318 << A->getAsString(Args) << /*hasReplacement=*/false;
7319 }
7320 }
7321
7322 // -fsized-deallocation is on by default in C++14 onwards and otherwise off
7323 // by default.
7324 Args.addLastArg(Output&: CmdArgs, Ids: options::OPT_fsized_deallocation,
7325 Ids: options::OPT_fno_sized_deallocation);
7326
7327 // -faligned-allocation is on by default in C++17 onwards and otherwise off
7328 // by default.
7329 if (Arg *A = Args.getLastArg(Ids: options::OPT_faligned_allocation,
7330 Ids: options::OPT_fno_aligned_allocation,
7331 Ids: options::OPT_faligned_new_EQ)) {
7332 if (A->getOption().matches(ID: options::OPT_fno_aligned_allocation))
7333 CmdArgs.push_back(Elt: "-fno-aligned-allocation");
7334 else
7335 CmdArgs.push_back(Elt: "-faligned-allocation");
7336 }
7337
7338 // The default new alignment can be specified using a dedicated option or via
7339 // a GCC-compatible option that also turns on aligned allocation.
7340 if (Arg *A = Args.getLastArg(Ids: options::OPT_fnew_alignment_EQ,
7341 Ids: options::OPT_faligned_new_EQ))
7342 CmdArgs.push_back(
7343 Elt: Args.MakeArgString(Str: Twine("-fnew-alignment=") + A->getValue()));
7344
7345 // -fconstant-cfstrings is default, and may be subject to argument translation
7346 // on Darwin.
7347 if (!Args.hasFlag(Pos: options::OPT_fconstant_cfstrings,
7348 Neg: options::OPT_fno_constant_cfstrings, Default: true) ||
7349 !Args.hasFlag(Pos: options::OPT_mconstant_cfstrings,
7350 Neg: options::OPT_mno_constant_cfstrings, Default: true))
7351 CmdArgs.push_back(Elt: "-fno-constant-cfstrings");
7352
7353 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fpascal_strings,
7354 Neg: options::OPT_fno_pascal_strings);
7355
7356 // Honor -fpack-struct= and -fpack-struct, if given. Note that
7357 // -fno-pack-struct doesn't apply to -fpack-struct=.
7358 if (Arg *A = Args.getLastArg(Ids: options::OPT_fpack_struct_EQ)) {
7359 std::string PackStructStr = "-fpack-struct=";
7360 PackStructStr += A->getValue();
7361 CmdArgs.push_back(Elt: Args.MakeArgString(Str: PackStructStr));
7362 } else if (Args.hasFlag(Pos: options::OPT_fpack_struct,
7363 Neg: options::OPT_fno_pack_struct, Default: false)) {
7364 CmdArgs.push_back(Elt: "-fpack-struct=1");
7365 }
7366
7367 // Handle -fmax-type-align=N and -fno-type-align
7368 bool SkipMaxTypeAlign = Args.hasArg(Ids: options::OPT_fno_max_type_align);
7369 if (Arg *A = Args.getLastArg(Ids: options::OPT_fmax_type_align_EQ)) {
7370 if (!SkipMaxTypeAlign) {
7371 std::string MaxTypeAlignStr = "-fmax-type-align=";
7372 MaxTypeAlignStr += A->getValue();
7373 CmdArgs.push_back(Elt: Args.MakeArgString(Str: MaxTypeAlignStr));
7374 }
7375 } else if (RawTriple.isOSDarwin()) {
7376 if (!SkipMaxTypeAlign) {
7377 std::string MaxTypeAlignStr = "-fmax-type-align=16";
7378 CmdArgs.push_back(Elt: Args.MakeArgString(Str: MaxTypeAlignStr));
7379 }
7380 }
7381
7382 if (!Args.hasFlag(Pos: options::OPT_Qy, Neg: options::OPT_Qn, Default: true))
7383 CmdArgs.push_back(Elt: "-Qn");
7384
7385 // -fno-common is the default, set -fcommon only when that flag is set.
7386 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fcommon, Neg: options::OPT_fno_common);
7387
7388 // -fsigned-bitfields is default, and clang doesn't yet support
7389 // -funsigned-bitfields.
7390 if (!Args.hasFlag(Pos: options::OPT_fsigned_bitfields,
7391 Neg: options::OPT_funsigned_bitfields, Default: true))
7392 D.Diag(DiagID: diag::warn_drv_clang_unsupported)
7393 << Args.getLastArg(Ids: options::OPT_funsigned_bitfields)->getAsString(Args);
7394
7395 // -fsigned-bitfields is default, and clang doesn't support -fno-for-scope.
7396 if (!Args.hasFlag(Pos: options::OPT_ffor_scope, Neg: options::OPT_fno_for_scope, Default: true))
7397 D.Diag(DiagID: diag::err_drv_clang_unsupported)
7398 << Args.getLastArg(Ids: options::OPT_fno_for_scope)->getAsString(Args);
7399
7400 // -finput_charset=UTF-8 is default. Reject others
7401 if (Arg *inputCharset = Args.getLastArg(Ids: options::OPT_finput_charset_EQ)) {
7402 StringRef value = inputCharset->getValue();
7403 if (!value.equals_insensitive(RHS: "utf-8"))
7404 D.Diag(DiagID: diag::err_drv_invalid_value) << inputCharset->getAsString(Args)
7405 << value;
7406 }
7407
7408 // -fexec_charset=UTF-8 is default. Reject others
7409 if (Arg *execCharset = Args.getLastArg(Ids: options::OPT_fexec_charset_EQ)) {
7410 StringRef value = execCharset->getValue();
7411 if (!value.equals_insensitive(RHS: "utf-8"))
7412 D.Diag(DiagID: diag::err_drv_invalid_value) << execCharset->getAsString(Args)
7413 << value;
7414 }
7415
7416 RenderDiagnosticsOptions(D, Args, CmdArgs);
7417
7418 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fasm_blocks,
7419 Neg: options::OPT_fno_asm_blocks);
7420
7421 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fgnu_inline_asm,
7422 Neg: options::OPT_fno_gnu_inline_asm);
7423
7424 // Enable vectorization per default according to the optimization level
7425 // selected. For optimization levels that want vectorization we use the alias
7426 // option to simplify the hasFlag logic.
7427 bool EnableVec = shouldEnableVectorizerAtOLevel(Args, isSlpVec: false);
7428 OptSpecifier VectorizeAliasOption =
7429 EnableVec ? options::OPT_O_Group : options::OPT_fvectorize;
7430 if (Args.hasFlag(Pos: options::OPT_fvectorize, PosAlias: VectorizeAliasOption,
7431 Neg: options::OPT_fno_vectorize, Default: EnableVec))
7432 CmdArgs.push_back(Elt: "-vectorize-loops");
7433
7434 // -fslp-vectorize is enabled based on the optimization level selected.
7435 bool EnableSLPVec = shouldEnableVectorizerAtOLevel(Args, isSlpVec: true);
7436 OptSpecifier SLPVectAliasOption =
7437 EnableSLPVec ? options::OPT_O_Group : options::OPT_fslp_vectorize;
7438 if (Args.hasFlag(Pos: options::OPT_fslp_vectorize, PosAlias: SLPVectAliasOption,
7439 Neg: options::OPT_fno_slp_vectorize, Default: EnableSLPVec))
7440 CmdArgs.push_back(Elt: "-vectorize-slp");
7441
7442 ParseMPreferVectorWidth(D, Args, CmdArgs);
7443
7444 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fshow_overloads_EQ);
7445 Args.AddLastArg(Output&: CmdArgs,
7446 Ids: options::OPT_fsanitize_undefined_strip_path_components_EQ);
7447
7448 // -fdollars-in-identifiers default varies depending on platform and
7449 // language; only pass if specified.
7450 if (Arg *A = Args.getLastArg(Ids: options::OPT_fdollars_in_identifiers,
7451 Ids: options::OPT_fno_dollars_in_identifiers)) {
7452 if (A->getOption().matches(ID: options::OPT_fdollars_in_identifiers))
7453 CmdArgs.push_back(Elt: "-fdollars-in-identifiers");
7454 else
7455 CmdArgs.push_back(Elt: "-fno-dollars-in-identifiers");
7456 }
7457
7458 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fapple_pragma_pack,
7459 Neg: options::OPT_fno_apple_pragma_pack);
7460
7461 // Remarks can be enabled with any of the `-f.*optimization-record.*` flags.
7462 if (willEmitRemarks(Args) && checkRemarksOptions(D, Args, Triple))
7463 renderRemarksOptions(Args, CmdArgs, Triple, Input, Output, JA);
7464
7465 bool RewriteImports = Args.hasFlag(Pos: options::OPT_frewrite_imports,
7466 Neg: options::OPT_fno_rewrite_imports, Default: false);
7467 if (RewriteImports)
7468 CmdArgs.push_back(Elt: "-frewrite-imports");
7469
7470 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fdirectives_only,
7471 Neg: options::OPT_fno_directives_only);
7472
7473 // Enable rewrite includes if the user's asked for it or if we're generating
7474 // diagnostics.
7475 // TODO: Once -module-dependency-dir works with -frewrite-includes it'd be
7476 // nice to enable this when doing a crashdump for modules as well.
7477 if (Args.hasFlag(Pos: options::OPT_frewrite_includes,
7478 Neg: options::OPT_fno_rewrite_includes, Default: false) ||
7479 (C.isForDiagnostics() && !HaveModules))
7480 CmdArgs.push_back(Elt: "-frewrite-includes");
7481
7482 // Only allow -traditional or -traditional-cpp outside in preprocessing modes.
7483 if (Arg *A = Args.getLastArg(Ids: options::OPT_traditional,
7484 Ids: options::OPT_traditional_cpp)) {
7485 if (isa<PreprocessJobAction>(Val: JA))
7486 CmdArgs.push_back(Elt: "-traditional-cpp");
7487 else
7488 D.Diag(DiagID: diag::err_drv_clang_unsupported) << A->getAsString(Args);
7489 }
7490
7491 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_dM);
7492 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_dD);
7493 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_dI);
7494
7495 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fmax_tokens_EQ);
7496
7497 // Handle serialized diagnostics.
7498 if (Arg *A = Args.getLastArg(Ids: options::OPT__serialize_diags)) {
7499 CmdArgs.push_back(Elt: "-serialize-diagnostic-file");
7500 CmdArgs.push_back(Elt: Args.MakeArgString(Str: A->getValue()));
7501 }
7502
7503 if (Args.hasArg(Ids: options::OPT_fretain_comments_from_system_headers))
7504 CmdArgs.push_back(Elt: "-fretain-comments-from-system-headers");
7505
7506 // Forward -fcomment-block-commands to -cc1.
7507 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_fcomment_block_commands);
7508 // Forward -fparse-all-comments to -cc1.
7509 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_fparse_all_comments);
7510
7511 // Turn -fplugin=name.so into -load name.so
7512 for (const Arg *A : Args.filtered(Ids: options::OPT_fplugin_EQ)) {
7513 CmdArgs.push_back(Elt: "-load");
7514 CmdArgs.push_back(Elt: A->getValue());
7515 A->claim();
7516 }
7517
7518 // Turn -fplugin-arg-pluginname-key=value into
7519 // -plugin-arg-pluginname key=value
7520 // GCC has an actual plugin_argument struct with key/value pairs that it
7521 // passes to its plugins, but we don't, so just pass it on as-is.
7522 //
7523 // The syntax for -fplugin-arg- is ambiguous if both plugin name and
7524 // argument key are allowed to contain dashes. GCC therefore only
7525 // allows dashes in the key. We do the same.
7526 for (const Arg *A : Args.filtered(Ids: options::OPT_fplugin_arg)) {
7527 auto ArgValue = StringRef(A->getValue());
7528 auto FirstDashIndex = ArgValue.find(C: '-');
7529 StringRef PluginName = ArgValue.substr(Start: 0, N: FirstDashIndex);
7530 StringRef Arg = ArgValue.substr(Start: FirstDashIndex + 1);
7531
7532 A->claim();
7533 if (FirstDashIndex == StringRef::npos || Arg.empty()) {
7534 if (PluginName.empty()) {
7535 D.Diag(DiagID: diag::warn_drv_missing_plugin_name) << A->getAsString(Args);
7536 } else {
7537 D.Diag(DiagID: diag::warn_drv_missing_plugin_arg)
7538 << PluginName << A->getAsString(Args);
7539 }
7540 continue;
7541 }
7542
7543 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Twine("-plugin-arg-") + PluginName));
7544 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Arg));
7545 }
7546
7547 // Forward -fpass-plugin=name.so to -cc1.
7548 for (const Arg *A : Args.filtered(Ids: options::OPT_fpass_plugin_EQ)) {
7549 CmdArgs.push_back(
7550 Elt: Args.MakeArgString(Str: Twine("-fpass-plugin=") + A->getValue()));
7551 A->claim();
7552 }
7553
7554 // Forward --vfsoverlay to -cc1.
7555 for (const Arg *A : Args.filtered(Ids: options::OPT_vfsoverlay)) {
7556 CmdArgs.push_back(Elt: "--vfsoverlay");
7557 CmdArgs.push_back(Elt: A->getValue());
7558 A->claim();
7559 }
7560
7561 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fsafe_buffer_usage_suggestions,
7562 Neg: options::OPT_fno_safe_buffer_usage_suggestions);
7563
7564 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fexperimental_late_parse_attributes,
7565 Neg: options::OPT_fno_experimental_late_parse_attributes);
7566
7567 // Setup statistics file output.
7568 SmallString<128> StatsFile = getStatsFileName(Args, Output, Input, D);
7569 if (!StatsFile.empty()) {
7570 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Twine("-stats-file=") + StatsFile));
7571 if (D.CCPrintInternalStats)
7572 CmdArgs.push_back(Elt: "-stats-file-append");
7573 }
7574
7575 // Forward -Xclang arguments to -cc1, and -mllvm arguments to the LLVM option
7576 // parser.
7577 for (auto Arg : Args.filtered(Ids: options::OPT_Xclang)) {
7578 Arg->claim();
7579 // -finclude-default-header flag is for preprocessor,
7580 // do not pass it to other cc1 commands when save-temps is enabled
7581 if (C.getDriver().isSaveTempsEnabled() &&
7582 !isa<PreprocessJobAction>(Val: JA)) {
7583 if (StringRef(Arg->getValue()) == "-finclude-default-header")
7584 continue;
7585 }
7586 CmdArgs.push_back(Elt: Arg->getValue());
7587 }
7588 for (const Arg *A : Args.filtered(Ids: options::OPT_mllvm)) {
7589 A->claim();
7590
7591 // We translate this by hand to the -cc1 argument, since nightly test uses
7592 // it and developers have been trained to spell it with -mllvm. Both
7593 // spellings are now deprecated and should be removed.
7594 if (StringRef(A->getValue(N: 0)) == "-disable-llvm-optzns") {
7595 CmdArgs.push_back(Elt: "-disable-llvm-optzns");
7596 } else {
7597 A->render(Args, Output&: CmdArgs);
7598 }
7599 }
7600
7601 // With -save-temps, we want to save the unoptimized bitcode output from the
7602 // CompileJobAction, use -disable-llvm-passes to get pristine IR generated
7603 // by the frontend.
7604 // When -fembed-bitcode is enabled, optimized bitcode is emitted because it
7605 // has slightly different breakdown between stages.
7606 // FIXME: -fembed-bitcode -save-temps will save optimized bitcode instead of
7607 // pristine IR generated by the frontend. Ideally, a new compile action should
7608 // be added so both IR can be captured.
7609 if ((C.getDriver().isSaveTempsEnabled() ||
7610 JA.isHostOffloading(OKind: Action::OFK_OpenMP)) &&
7611 !(C.getDriver().embedBitcodeInObject() && !IsUsingLTO) &&
7612 isa<CompileJobAction>(Val: JA))
7613 CmdArgs.push_back(Elt: "-disable-llvm-passes");
7614
7615 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_undef);
7616
7617 const char *Exec = D.getClangProgramPath();
7618
7619 // Optionally embed the -cc1 level arguments into the debug info or a
7620 // section, for build analysis.
7621 // Also record command line arguments into the debug info if
7622 // -grecord-gcc-switches options is set on.
7623 // By default, -gno-record-gcc-switches is set on and no recording.
7624 auto GRecordSwitches =
7625 Args.hasFlag(Pos: options::OPT_grecord_command_line,
7626 Neg: options::OPT_gno_record_command_line, Default: false);
7627 auto FRecordSwitches =
7628 Args.hasFlag(Pos: options::OPT_frecord_command_line,
7629 Neg: options::OPT_fno_record_command_line, Default: false);
7630 if (FRecordSwitches && !Triple.isOSBinFormatELF() &&
7631 !Triple.isOSBinFormatXCOFF() && !Triple.isOSBinFormatMachO())
7632 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
7633 << Args.getLastArg(Ids: options::OPT_frecord_command_line)->getAsString(Args)
7634 << TripleStr;
7635 if (TC.UseDwarfDebugFlags() || GRecordSwitches || FRecordSwitches) {
7636 ArgStringList OriginalArgs;
7637 for (const auto &Arg : Args)
7638 Arg->render(Args, Output&: OriginalArgs);
7639
7640 SmallString<256> Flags;
7641 EscapeSpacesAndBackslashes(Arg: Exec, Res&: Flags);
7642 for (const char *OriginalArg : OriginalArgs) {
7643 SmallString<128> EscapedArg;
7644 EscapeSpacesAndBackslashes(Arg: OriginalArg, Res&: EscapedArg);
7645 Flags += " ";
7646 Flags += EscapedArg;
7647 }
7648 auto FlagsArgString = Args.MakeArgString(Str: Flags);
7649 if (TC.UseDwarfDebugFlags() || GRecordSwitches) {
7650 CmdArgs.push_back(Elt: "-dwarf-debug-flags");
7651 CmdArgs.push_back(Elt: FlagsArgString);
7652 }
7653 if (FRecordSwitches) {
7654 CmdArgs.push_back(Elt: "-record-command-line");
7655 CmdArgs.push_back(Elt: FlagsArgString);
7656 }
7657 }
7658
7659 // Host-side offloading compilation receives all device-side outputs. Include
7660 // them in the host compilation depending on the target. If the host inputs
7661 // are not empty we use the new-driver scheme, otherwise use the old scheme.
7662 if ((IsCuda || IsHIP) && CudaDeviceInput) {
7663 CmdArgs.push_back(Elt: "-fcuda-include-gpubinary");
7664 CmdArgs.push_back(Elt: CudaDeviceInput->getFilename());
7665 } else if (!HostOffloadingInputs.empty()) {
7666 if ((IsCuda || IsHIP) && !IsRDCMode) {
7667 assert(HostOffloadingInputs.size() == 1 && "Only one input expected");
7668 CmdArgs.push_back(Elt: "-fcuda-include-gpubinary");
7669 CmdArgs.push_back(Elt: HostOffloadingInputs.front().getFilename());
7670 } else {
7671 for (const InputInfo Input : HostOffloadingInputs)
7672 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-fembed-offload-object=" +
7673 TC.getInputFilename(Input)));
7674 }
7675 }
7676
7677 if (IsCuda) {
7678 if (Args.hasFlag(Pos: options::OPT_fcuda_short_ptr,
7679 Neg: options::OPT_fno_cuda_short_ptr, Default: false))
7680 CmdArgs.push_back(Elt: "-fcuda-short-ptr");
7681 }
7682
7683 if (IsCuda || IsHIP) {
7684 // Determine the original source input.
7685 const Action *SourceAction = &JA;
7686 while (SourceAction->getKind() != Action::InputClass) {
7687 assert(!SourceAction->getInputs().empty() && "unexpected root action!");
7688 SourceAction = SourceAction->getInputs()[0];
7689 }
7690 auto CUID = cast<InputAction>(Val: SourceAction)->getId();
7691 if (!CUID.empty())
7692 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Twine("-cuid=") + Twine(CUID)));
7693
7694 // -ffast-math turns on -fgpu-approx-transcendentals implicitly, but will
7695 // be overriden by -fno-gpu-approx-transcendentals.
7696 bool UseApproxTranscendentals = Args.hasFlag(
7697 Pos: options::OPT_ffast_math, Neg: options::OPT_fno_fast_math, Default: false);
7698 if (Args.hasFlag(Pos: options::OPT_fgpu_approx_transcendentals,
7699 Neg: options::OPT_fno_gpu_approx_transcendentals,
7700 Default: UseApproxTranscendentals))
7701 CmdArgs.push_back(Elt: "-fgpu-approx-transcendentals");
7702 } else {
7703 Args.claimAllArgs(Ids: options::OPT_fgpu_approx_transcendentals,
7704 Ids: options::OPT_fno_gpu_approx_transcendentals);
7705 }
7706
7707 if (IsHIP) {
7708 CmdArgs.push_back(Elt: "-fcuda-allow-variadic-functions");
7709 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_fgpu_default_stream_EQ);
7710 }
7711
7712 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_foffload_uniform_block,
7713 Ids: options::OPT_fno_offload_uniform_block);
7714
7715 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_foffload_implicit_host_device_templates,
7716 Ids: options::OPT_fno_offload_implicit_host_device_templates);
7717
7718 if (IsCudaDevice || IsHIPDevice) {
7719 StringRef InlineThresh =
7720 Args.getLastArgValue(Id: options::OPT_fgpu_inline_threshold_EQ);
7721 if (!InlineThresh.empty()) {
7722 std::string ArgStr =
7723 std::string("-inline-threshold=") + InlineThresh.str();
7724 CmdArgs.append(IL: {"-mllvm", Args.MakeArgStringRef(Str: ArgStr)});
7725 }
7726 }
7727
7728 if (IsHIPDevice)
7729 Args.addOptOutFlag(Output&: CmdArgs,
7730 Pos: options::OPT_fhip_fp32_correctly_rounded_divide_sqrt,
7731 Neg: options::OPT_fno_hip_fp32_correctly_rounded_divide_sqrt);
7732
7733 // OpenMP offloading device jobs take the argument -fopenmp-host-ir-file-path
7734 // to specify the result of the compile phase on the host, so the meaningful
7735 // device declarations can be identified. Also, -fopenmp-is-target-device is
7736 // passed along to tell the frontend that it is generating code for a device,
7737 // so that only the relevant declarations are emitted.
7738 if (IsOpenMPDevice) {
7739 CmdArgs.push_back(Elt: "-fopenmp-is-target-device");
7740 if (OpenMPDeviceInput) {
7741 CmdArgs.push_back(Elt: "-fopenmp-host-ir-file-path");
7742 CmdArgs.push_back(Elt: Args.MakeArgString(Str: OpenMPDeviceInput->getFilename()));
7743 }
7744 }
7745
7746 if (Triple.isAMDGPU()) {
7747 handleAMDGPUCodeObjectVersionOptions(D, Args, CmdArgs);
7748
7749 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_munsafe_fp_atomics,
7750 Neg: options::OPT_mno_unsafe_fp_atomics);
7751 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_mamdgpu_ieee,
7752 Neg: options::OPT_mno_amdgpu_ieee);
7753 }
7754
7755 // For all the host OpenMP offloading compile jobs we need to pass the targets
7756 // information using -fopenmp-targets= option.
7757 if (JA.isHostOffloading(OKind: Action::OFK_OpenMP)) {
7758 SmallString<128> Targets("-fopenmp-targets=");
7759
7760 SmallVector<std::string, 4> Triples;
7761 auto TCRange = C.getOffloadToolChains<Action::OFK_OpenMP>();
7762 std::transform(first: TCRange.first, last: TCRange.second, result: std::back_inserter(x&: Triples),
7763 unary_op: [](auto TC) { return TC.second->getTripleString(); });
7764 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Targets + llvm::join(R&: Triples, Separator: ",")));
7765 }
7766
7767 bool VirtualFunctionElimination =
7768 Args.hasFlag(Pos: options::OPT_fvirtual_function_elimination,
7769 Neg: options::OPT_fno_virtual_function_elimination, Default: false);
7770 if (VirtualFunctionElimination) {
7771 // VFE requires full LTO (currently, this might be relaxed to allow ThinLTO
7772 // in the future).
7773 if (LTOMode != LTOK_Full)
7774 D.Diag(DiagID: diag::err_drv_argument_only_allowed_with)
7775 << "-fvirtual-function-elimination"
7776 << "-flto=full";
7777
7778 CmdArgs.push_back(Elt: "-fvirtual-function-elimination");
7779 }
7780
7781 // VFE requires whole-program-vtables, and enables it by default.
7782 bool WholeProgramVTables = Args.hasFlag(
7783 Pos: options::OPT_fwhole_program_vtables,
7784 Neg: options::OPT_fno_whole_program_vtables, Default: VirtualFunctionElimination);
7785 if (VirtualFunctionElimination && !WholeProgramVTables) {
7786 D.Diag(DiagID: diag::err_drv_argument_not_allowed_with)
7787 << "-fno-whole-program-vtables"
7788 << "-fvirtual-function-elimination";
7789 }
7790
7791 if (WholeProgramVTables) {
7792 // PS4 uses the legacy LTO API, which does not support this feature in
7793 // ThinLTO mode.
7794 bool IsPS4 = getToolChain().getTriple().isPS4();
7795
7796 // Check if we passed LTO options but they were suppressed because this is a
7797 // device offloading action, or we passed device offload LTO options which
7798 // were suppressed because this is not the device offload action.
7799 // Check if we are using PS4 in regular LTO mode.
7800 // Otherwise, issue an error.
7801 if ((!IsUsingLTO && !D.isUsingLTO(IsOffload: !IsDeviceOffloadAction)) ||
7802 (IsPS4 && !UnifiedLTO && (D.getLTOMode() != LTOK_Full)))
7803 D.Diag(DiagID: diag::err_drv_argument_only_allowed_with)
7804 << "-fwhole-program-vtables"
7805 << ((IsPS4 && !UnifiedLTO) ? "-flto=full" : "-flto");
7806
7807 // Propagate -fwhole-program-vtables if this is an LTO compile.
7808 if (IsUsingLTO)
7809 CmdArgs.push_back(Elt: "-fwhole-program-vtables");
7810 }
7811
7812 bool DefaultsSplitLTOUnit =
7813 ((WholeProgramVTables || SanitizeArgs.needsLTO()) &&
7814 (LTOMode == LTOK_Full || TC.canSplitThinLTOUnit())) ||
7815 (!Triple.isPS4() && UnifiedLTO);
7816 bool SplitLTOUnit =
7817 Args.hasFlag(Pos: options::OPT_fsplit_lto_unit,
7818 Neg: options::OPT_fno_split_lto_unit, Default: DefaultsSplitLTOUnit);
7819 if (SanitizeArgs.needsLTO() && !SplitLTOUnit)
7820 D.Diag(DiagID: diag::err_drv_argument_not_allowed_with) << "-fno-split-lto-unit"
7821 << "-fsanitize=cfi";
7822 if (SplitLTOUnit)
7823 CmdArgs.push_back(Elt: "-fsplit-lto-unit");
7824
7825 if (Arg *A = Args.getLastArg(Ids: options::OPT_ffat_lto_objects,
7826 Ids: options::OPT_fno_fat_lto_objects)) {
7827 if (IsUsingLTO && A->getOption().matches(ID: options::OPT_ffat_lto_objects)) {
7828 assert(LTOMode == LTOK_Full || LTOMode == LTOK_Thin);
7829 if (!Triple.isOSBinFormatELF()) {
7830 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
7831 << A->getAsString(Args) << TC.getTripleString();
7832 }
7833 CmdArgs.push_back(Elt: Args.MakeArgString(
7834 Str: Twine("-flto=") + (LTOMode == LTOK_Thin ? "thin" : "full")));
7835 CmdArgs.push_back(Elt: "-flto-unit");
7836 CmdArgs.push_back(Elt: "-ffat-lto-objects");
7837 A->render(Args, Output&: CmdArgs);
7838 }
7839 }
7840
7841 if (Arg *A = Args.getLastArg(Ids: options::OPT_fglobal_isel,
7842 Ids: options::OPT_fno_global_isel)) {
7843 CmdArgs.push_back(Elt: "-mllvm");
7844 if (A->getOption().matches(ID: options::OPT_fglobal_isel)) {
7845 CmdArgs.push_back(Elt: "-global-isel=1");
7846
7847 // GISel is on by default on AArch64 -O0, so don't bother adding
7848 // the fallback remarks for it. Other combinations will add a warning of
7849 // some kind.
7850 bool IsArchSupported = Triple.getArch() == llvm::Triple::aarch64;
7851 bool IsOptLevelSupported = false;
7852
7853 Arg *A = Args.getLastArg(Ids: options::OPT_O_Group);
7854 if (Triple.getArch() == llvm::Triple::aarch64) {
7855 if (!A || A->getOption().matches(ID: options::OPT_O0))
7856 IsOptLevelSupported = true;
7857 }
7858 if (!IsArchSupported || !IsOptLevelSupported) {
7859 CmdArgs.push_back(Elt: "-mllvm");
7860 CmdArgs.push_back(Elt: "-global-isel-abort=2");
7861
7862 if (!IsArchSupported)
7863 D.Diag(DiagID: diag::warn_drv_global_isel_incomplete) << Triple.getArchName();
7864 else
7865 D.Diag(DiagID: diag::warn_drv_global_isel_incomplete_opt);
7866 }
7867 } else {
7868 CmdArgs.push_back(Elt: "-global-isel=0");
7869 }
7870 }
7871
7872 if (Args.hasArg(Ids: options::OPT_forder_file_instrumentation)) {
7873 CmdArgs.push_back(Elt: "-forder-file-instrumentation");
7874 // Enable order file instrumentation when ThinLTO is not on. When ThinLTO is
7875 // on, we need to pass these flags as linker flags and that will be handled
7876 // outside of the compiler.
7877 if (!IsUsingLTO) {
7878 CmdArgs.push_back(Elt: "-mllvm");
7879 CmdArgs.push_back(Elt: "-enable-order-file-instrumentation");
7880 }
7881 }
7882
7883 if (Arg *A = Args.getLastArg(Ids: options::OPT_fforce_enable_int128,
7884 Ids: options::OPT_fno_force_enable_int128)) {
7885 if (A->getOption().matches(ID: options::OPT_fforce_enable_int128))
7886 CmdArgs.push_back(Elt: "-fforce-enable-int128");
7887 }
7888
7889 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fkeep_static_consts,
7890 Neg: options::OPT_fno_keep_static_consts);
7891 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fkeep_persistent_storage_variables,
7892 Neg: options::OPT_fno_keep_persistent_storage_variables);
7893 Args.addOptInFlag(Output&: CmdArgs, Pos: options::OPT_fcomplete_member_pointers,
7894 Neg: options::OPT_fno_complete_member_pointers);
7895 Args.addOptOutFlag(Output&: CmdArgs, Pos: options::OPT_fcxx_static_destructors,
7896 Neg: options::OPT_fno_cxx_static_destructors);
7897
7898 addMachineOutlinerArgs(D, Args, CmdArgs, Triple, /*IsLTO=*/false);
7899
7900 addOutlineAtomicsArgs(D, TC: getToolChain(), Args, CmdArgs, Triple);
7901
7902 if (Triple.isAArch64() &&
7903 (Args.hasArg(Ids: options::OPT_mno_fmv) ||
7904 (Triple.isAndroid() && Triple.isAndroidVersionLT(Major: 23)) ||
7905 getToolChain().GetRuntimeLibType(Args) != ToolChain::RLT_CompilerRT)) {
7906 // Disable Function Multiversioning on AArch64 target.
7907 CmdArgs.push_back(Elt: "-target-feature");
7908 CmdArgs.push_back(Elt: "-fmv");
7909 }
7910
7911 if (Args.hasFlag(Pos: options::OPT_faddrsig, Neg: options::OPT_fno_addrsig,
7912 Default: (TC.getTriple().isOSBinFormatELF() ||
7913 TC.getTriple().isOSBinFormatCOFF()) &&
7914 !TC.getTriple().isPS4() && !TC.getTriple().isVE() &&
7915 !TC.getTriple().isOSNetBSD() &&
7916 !Distro(D.getVFS(), TC.getTriple()).IsGentoo() &&
7917 !TC.getTriple().isAndroid() && TC.useIntegratedAs()))
7918 CmdArgs.push_back(Elt: "-faddrsig");
7919
7920 if ((Triple.isOSBinFormatELF() || Triple.isOSBinFormatMachO()) &&
7921 (EH || UnwindTables || AsyncUnwindTables ||
7922 DebugInfoKind != llvm::codegenoptions::NoDebugInfo))
7923 CmdArgs.push_back(Elt: "-D__GCC_HAVE_DWARF2_CFI_ASM=1");
7924
7925 if (Arg *A = Args.getLastArg(Ids: options::OPT_fsymbol_partition_EQ)) {
7926 std::string Str = A->getAsString(Args);
7927 if (!TC.getTriple().isOSBinFormatELF())
7928 D.Diag(DiagID: diag::err_drv_unsupported_opt_for_target)
7929 << Str << TC.getTripleString();
7930 CmdArgs.push_back(Elt: Args.MakeArgString(Str));
7931 }
7932
7933 // Add the "-o out -x type src.c" flags last. This is done primarily to make
7934 // the -cc1 command easier to edit when reproducing compiler crashes.
7935 if (Output.getType() == types::TY_Dependencies) {
7936 // Handled with other dependency code.
7937 } else if (Output.isFilename()) {
7938 if (Output.getType() == clang::driver::types::TY_IFS_CPP ||
7939 Output.getType() == clang::driver::types::TY_IFS) {
7940 SmallString<128> OutputFilename(Output.getFilename());
7941 llvm::sys::path::replace_extension(path&: OutputFilename, extension: "ifs");
7942 CmdArgs.push_back(Elt: "-o");
7943 CmdArgs.push_back(Elt: Args.MakeArgString(Str: OutputFilename));
7944 } else {
7945 CmdArgs.push_back(Elt: "-o");
7946 CmdArgs.push_back(Elt: Output.getFilename());
7947 }
7948 } else {
7949 assert(Output.isNothing() && "Invalid output.");
7950 }
7951
7952 addDashXForInput(Args, Input, CmdArgs);
7953
7954 ArrayRef<InputInfo> FrontendInputs = Input;
7955 if (IsExtractAPI)
7956 FrontendInputs = ExtractAPIInputs;
7957 else if (Input.isNothing())
7958 FrontendInputs = {};
7959
7960 for (const InputInfo &Input : FrontendInputs) {
7961 if (Input.isFilename())
7962 CmdArgs.push_back(Elt: Input.getFilename());
7963 else
7964 Input.getInputArg().renderAsInput(Args, Output&: CmdArgs);
7965 }
7966
7967 if (D.CC1Main && !D.CCGenDiagnostics) {
7968 // Invoke the CC1 directly in this process
7969 C.addCommand(C: std::make_unique<CC1Command>(
7970 args: JA, args: *this, args: ResponseFileSupport::AtFileUTF8(), args&: Exec, args&: CmdArgs, args: Inputs,
7971 args: Output, args: D.getPrependArg()));
7972 } else {
7973 C.addCommand(C: std::make_unique<Command>(
7974 args: JA, args: *this, args: ResponseFileSupport::AtFileUTF8(), args&: Exec, args&: CmdArgs, args: Inputs,
7975 args: Output, args: D.getPrependArg()));
7976 }
7977
7978 // Make the compile command echo its inputs for /showFilenames.
7979 if (Output.getType() == types::TY_Object &&
7980 Args.hasFlag(Pos: options::OPT__SLASH_showFilenames,
7981 Neg: options::OPT__SLASH_showFilenames_, Default: false)) {
7982 C.getJobs().getJobs().back()->PrintInputFilenames = true;
7983 }
7984
7985 if (Arg *A = Args.getLastArg(Ids: options::OPT_pg))
7986 if (FPKeepKind == CodeGenOptions::FramePointerKind::None &&
7987 !Args.hasArg(Ids: options::OPT_mfentry))
7988 D.Diag(DiagID: diag::err_drv_argument_not_allowed_with) << "-fomit-frame-pointer"
7989 << A->getAsString(Args);
7990
7991 // Claim some arguments which clang supports automatically.
7992
7993 // -fpch-preprocess is used with gcc to add a special marker in the output to
7994 // include the PCH file.
7995 Args.ClaimAllArgs(Id0: options::OPT_fpch_preprocess);
7996
7997 // Claim some arguments which clang doesn't support, but we don't
7998 // care to warn the user about.
7999 Args.ClaimAllArgs(Id0: options::OPT_clang_ignored_f_Group);
8000 Args.ClaimAllArgs(Id0: options::OPT_clang_ignored_m_Group);
8001
8002 // Disable warnings for clang -E -emit-llvm foo.c
8003 Args.ClaimAllArgs(Id0: options::OPT_emit_llvm);
8004}
8005
8006Clang::Clang(const ToolChain &TC, bool HasIntegratedBackend)
8007 // CAUTION! The first constructor argument ("clang") is not arbitrary,
8008 // as it is for other tools. Some operations on a Tool actually test
8009 // whether that tool is Clang based on the Tool's Name as a string.
8010 : Tool("clang", "clang frontend", TC), HasBackend(HasIntegratedBackend) {}
8011
8012Clang::~Clang() {}
8013
8014/// Add options related to the Objective-C runtime/ABI.
8015///
8016/// Returns true if the runtime is non-fragile.
8017ObjCRuntime Clang::AddObjCRuntimeArgs(const ArgList &args,
8018 const InputInfoList &inputs,
8019 ArgStringList &cmdArgs,
8020 RewriteKind rewriteKind) const {
8021 // Look for the controlling runtime option.
8022 Arg *runtimeArg =
8023 args.getLastArg(Ids: options::OPT_fnext_runtime, Ids: options::OPT_fgnu_runtime,
8024 Ids: options::OPT_fobjc_runtime_EQ);
8025
8026 // Just forward -fobjc-runtime= to the frontend. This supercedes
8027 // options about fragility.
8028 if (runtimeArg &&
8029 runtimeArg->getOption().matches(ID: options::OPT_fobjc_runtime_EQ)) {
8030 ObjCRuntime runtime;
8031 StringRef value = runtimeArg->getValue();
8032 if (runtime.tryParse(input: value)) {
8033 getToolChain().getDriver().Diag(DiagID: diag::err_drv_unknown_objc_runtime)
8034 << value;
8035 }
8036 if ((runtime.getKind() == ObjCRuntime::GNUstep) &&
8037 (runtime.getVersion() >= VersionTuple(2, 0)))
8038 if (!getToolChain().getTriple().isOSBinFormatELF() &&
8039 !getToolChain().getTriple().isOSBinFormatCOFF()) {
8040 getToolChain().getDriver().Diag(
8041 DiagID: diag::err_drv_gnustep_objc_runtime_incompatible_binary)
8042 << runtime.getVersion().getMajor();
8043 }
8044
8045 runtimeArg->render(Args: args, Output&: cmdArgs);
8046 return runtime;
8047 }
8048
8049 // Otherwise, we'll need the ABI "version". Version numbers are
8050 // slightly confusing for historical reasons:
8051 // 1 - Traditional "fragile" ABI
8052 // 2 - Non-fragile ABI, version 1
8053 // 3 - Non-fragile ABI, version 2
8054 unsigned objcABIVersion = 1;
8055 // If -fobjc-abi-version= is present, use that to set the version.
8056 if (Arg *abiArg = args.getLastArg(Ids: options::OPT_fobjc_abi_version_EQ)) {
8057 StringRef value = abiArg->getValue();
8058 if (value == "1")
8059 objcABIVersion = 1;
8060 else if (value == "2")
8061 objcABIVersion = 2;
8062 else if (value == "3")
8063 objcABIVersion = 3;
8064 else
8065 getToolChain().getDriver().Diag(DiagID: diag::err_drv_clang_unsupported) << value;
8066 } else {
8067 // Otherwise, determine if we are using the non-fragile ABI.
8068 bool nonFragileABIIsDefault =
8069 (rewriteKind == RK_NonFragile ||
8070 (rewriteKind == RK_None &&
8071 getToolChain().IsObjCNonFragileABIDefault()));
8072 if (args.hasFlag(Pos: options::OPT_fobjc_nonfragile_abi,
8073 Neg: options::OPT_fno_objc_nonfragile_abi,
8074 Default: nonFragileABIIsDefault)) {
8075// Determine the non-fragile ABI version to use.
8076#ifdef DISABLE_DEFAULT_NONFRAGILEABI_TWO
8077 unsigned nonFragileABIVersion = 1;
8078#else
8079 unsigned nonFragileABIVersion = 2;
8080#endif
8081
8082 if (Arg *abiArg =
8083 args.getLastArg(Ids: options::OPT_fobjc_nonfragile_abi_version_EQ)) {
8084 StringRef value = abiArg->getValue();
8085 if (value == "1")
8086 nonFragileABIVersion = 1;
8087 else if (value == "2")
8088 nonFragileABIVersion = 2;
8089 else
8090 getToolChain().getDriver().Diag(DiagID: diag::err_drv_clang_unsupported)
8091 << value;
8092 }
8093
8094 objcABIVersion = 1 + nonFragileABIVersion;
8095 } else {
8096 objcABIVersion = 1;
8097 }
8098 }
8099
8100 // We don't actually care about the ABI version other than whether
8101 // it's non-fragile.
8102 bool isNonFragile = objcABIVersion != 1;
8103
8104 // If we have no runtime argument, ask the toolchain for its default runtime.
8105 // However, the rewriter only really supports the Mac runtime, so assume that.
8106 ObjCRuntime runtime;
8107 if (!runtimeArg) {
8108 switch (rewriteKind) {
8109 case RK_None:
8110 runtime = getToolChain().getDefaultObjCRuntime(isNonFragile);
8111 break;
8112 case RK_Fragile:
8113 runtime = ObjCRuntime(ObjCRuntime::FragileMacOSX, VersionTuple());
8114 break;
8115 case RK_NonFragile:
8116 runtime = ObjCRuntime(ObjCRuntime::MacOSX, VersionTuple());
8117 break;
8118 }
8119
8120 // -fnext-runtime
8121 } else if (runtimeArg->getOption().matches(ID: options::OPT_fnext_runtime)) {
8122 // On Darwin, make this use the default behavior for the toolchain.
8123 if (getToolChain().getTriple().isOSDarwin()) {
8124 runtime = getToolChain().getDefaultObjCRuntime(isNonFragile);
8125
8126 // Otherwise, build for a generic macosx port.
8127 } else {
8128 runtime = ObjCRuntime(ObjCRuntime::MacOSX, VersionTuple());
8129 }
8130
8131 // -fgnu-runtime
8132 } else {
8133 assert(runtimeArg->getOption().matches(options::OPT_fgnu_runtime));
8134 // Legacy behaviour is to target the gnustep runtime if we are in
8135 // non-fragile mode or the GCC runtime in fragile mode.
8136 if (isNonFragile)
8137 runtime = ObjCRuntime(ObjCRuntime::GNUstep, VersionTuple(2, 0));
8138 else
8139 runtime = ObjCRuntime(ObjCRuntime::GCC, VersionTuple());
8140 }
8141
8142 if (llvm::any_of(Range: inputs, P: [](const InputInfo &input) {
8143 return types::isObjC(Id: input.getType());
8144 }))
8145 cmdArgs.push_back(
8146 Elt: args.MakeArgString(Str: "-fobjc-runtime=" + runtime.getAsString()));
8147 return runtime;
8148}
8149
8150static bool maybeConsumeDash(const std::string &EH, size_t &I) {
8151 bool HaveDash = (I + 1 < EH.size() && EH[I + 1] == '-');
8152 I += HaveDash;
8153 return !HaveDash;
8154}
8155
8156namespace {
8157struct EHFlags {
8158 bool Synch = false;
8159 bool Asynch = false;
8160 bool NoUnwindC = false;
8161};
8162} // end anonymous namespace
8163
8164/// /EH controls whether to run destructor cleanups when exceptions are
8165/// thrown. There are three modifiers:
8166/// - s: Cleanup after "synchronous" exceptions, aka C++ exceptions.
8167/// - a: Cleanup after "asynchronous" exceptions, aka structured exceptions.
8168/// The 'a' modifier is unimplemented and fundamentally hard in LLVM IR.
8169/// - c: Assume that extern "C" functions are implicitly nounwind.
8170/// The default is /EHs-c-, meaning cleanups are disabled.
8171static EHFlags parseClangCLEHFlags(const Driver &D, const ArgList &Args,
8172 bool isWindowsMSVC) {
8173 EHFlags EH;
8174
8175 std::vector<std::string> EHArgs =
8176 Args.getAllArgValues(Id: options::OPT__SLASH_EH);
8177 for (const auto &EHVal : EHArgs) {
8178 for (size_t I = 0, E = EHVal.size(); I != E; ++I) {
8179 switch (EHVal[I]) {
8180 case 'a':
8181 EH.Asynch = maybeConsumeDash(EH: EHVal, I);
8182 if (EH.Asynch) {
8183 // Async exceptions are Windows MSVC only.
8184 if (!isWindowsMSVC) {
8185 EH.Asynch = false;
8186 D.Diag(DiagID: clang::diag::warn_drv_unused_argument) << "/EHa" << EHVal;
8187 continue;
8188 }
8189 EH.Synch = false;
8190 }
8191 continue;
8192 case 'c':
8193 EH.NoUnwindC = maybeConsumeDash(EH: EHVal, I);
8194 continue;
8195 case 's':
8196 EH.Synch = maybeConsumeDash(EH: EHVal, I);
8197 if (EH.Synch)
8198 EH.Asynch = false;
8199 continue;
8200 default:
8201 break;
8202 }
8203 D.Diag(DiagID: clang::diag::err_drv_invalid_value) << "/EH" << EHVal;
8204 break;
8205 }
8206 }
8207 // The /GX, /GX- flags are only processed if there are not /EH flags.
8208 // The default is that /GX is not specified.
8209 if (EHArgs.empty() &&
8210 Args.hasFlag(Pos: options::OPT__SLASH_GX, Neg: options::OPT__SLASH_GX_,
8211 /*Default=*/false)) {
8212 EH.Synch = true;
8213 EH.NoUnwindC = true;
8214 }
8215
8216 if (Args.hasArg(Ids: options::OPT__SLASH_kernel)) {
8217 EH.Synch = false;
8218 EH.NoUnwindC = false;
8219 EH.Asynch = false;
8220 }
8221
8222 return EH;
8223}
8224
8225void Clang::AddClangCLArgs(const ArgList &Args, types::ID InputType,
8226 ArgStringList &CmdArgs) const {
8227 bool isNVPTX = getToolChain().getTriple().isNVPTX();
8228
8229 ProcessVSRuntimeLibrary(TC: getToolChain(), Args, CmdArgs);
8230
8231 if (Arg *ShowIncludes =
8232 Args.getLastArg(Ids: options::OPT__SLASH_showIncludes,
8233 Ids: options::OPT__SLASH_showIncludes_user)) {
8234 CmdArgs.push_back(Elt: "--show-includes");
8235 if (ShowIncludes->getOption().matches(ID: options::OPT__SLASH_showIncludes))
8236 CmdArgs.push_back(Elt: "-sys-header-deps");
8237 }
8238
8239 // This controls whether or not we emit RTTI data for polymorphic types.
8240 if (Args.hasFlag(Pos: options::OPT__SLASH_GR_, Neg: options::OPT__SLASH_GR,
8241 /*Default=*/false))
8242 CmdArgs.push_back(Elt: "-fno-rtti-data");
8243
8244 // This controls whether or not we emit stack-protector instrumentation.
8245 // In MSVC, Buffer Security Check (/GS) is on by default.
8246 if (!isNVPTX && Args.hasFlag(Pos: options::OPT__SLASH_GS, Neg: options::OPT__SLASH_GS_,
8247 /*Default=*/true)) {
8248 CmdArgs.push_back(Elt: "-stack-protector");
8249 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Twine(LangOptions::SSPStrong)));
8250 }
8251
8252 const Driver &D = getToolChain().getDriver();
8253
8254 bool IsWindowsMSVC = getToolChain().getTriple().isWindowsMSVCEnvironment();
8255 EHFlags EH = parseClangCLEHFlags(D, Args, isWindowsMSVC: IsWindowsMSVC);
8256 if (!isNVPTX && (EH.Synch || EH.Asynch)) {
8257 if (types::isCXX(Id: InputType))
8258 CmdArgs.push_back(Elt: "-fcxx-exceptions");
8259 CmdArgs.push_back(Elt: "-fexceptions");
8260 if (EH.Asynch)
8261 CmdArgs.push_back(Elt: "-fasync-exceptions");
8262 }
8263 if (types::isCXX(Id: InputType) && EH.Synch && EH.NoUnwindC)
8264 CmdArgs.push_back(Elt: "-fexternc-nounwind");
8265
8266 // /EP should expand to -E -P.
8267 if (Args.hasArg(Ids: options::OPT__SLASH_EP)) {
8268 CmdArgs.push_back(Elt: "-E");
8269 CmdArgs.push_back(Elt: "-P");
8270 }
8271
8272 if (Args.hasFlag(Pos: options::OPT__SLASH_Zc_dllexportInlines_,
8273 Neg: options::OPT__SLASH_Zc_dllexportInlines,
8274 Default: false)) {
8275 CmdArgs.push_back(Elt: "-fno-dllexport-inlines");
8276 }
8277
8278 if (Args.hasFlag(Pos: options::OPT__SLASH_Zc_wchar_t_,
8279 Neg: options::OPT__SLASH_Zc_wchar_t, Default: false)) {
8280 CmdArgs.push_back(Elt: "-fno-wchar");
8281 }
8282
8283 if (Args.hasArg(Ids: options::OPT__SLASH_kernel)) {
8284 llvm::Triple::ArchType Arch = getToolChain().getArch();
8285 std::vector<std::string> Values =
8286 Args.getAllArgValues(Id: options::OPT__SLASH_arch);
8287 if (!Values.empty()) {
8288 llvm::SmallSet<std::string, 4> SupportedArches;
8289 if (Arch == llvm::Triple::x86)
8290 SupportedArches.insert(V: "IA32");
8291
8292 for (auto &V : Values)
8293 if (!SupportedArches.contains(V))
8294 D.Diag(DiagID: diag::err_drv_argument_not_allowed_with)
8295 << std::string("/arch:").append(str: V) << "/kernel";
8296 }
8297
8298 CmdArgs.push_back(Elt: "-fno-rtti");
8299 if (Args.hasFlag(Pos: options::OPT__SLASH_GR, Neg: options::OPT__SLASH_GR_, Default: false))
8300 D.Diag(DiagID: diag::err_drv_argument_not_allowed_with) << "/GR"
8301 << "/kernel";
8302 }
8303
8304 Arg *MostGeneralArg = Args.getLastArg(Ids: options::OPT__SLASH_vmg);
8305 Arg *BestCaseArg = Args.getLastArg(Ids: options::OPT__SLASH_vmb);
8306 if (MostGeneralArg && BestCaseArg)
8307 D.Diag(DiagID: clang::diag::err_drv_argument_not_allowed_with)
8308 << MostGeneralArg->getAsString(Args) << BestCaseArg->getAsString(Args);
8309
8310 if (MostGeneralArg) {
8311 Arg *SingleArg = Args.getLastArg(Ids: options::OPT__SLASH_vms);
8312 Arg *MultipleArg = Args.getLastArg(Ids: options::OPT__SLASH_vmm);
8313 Arg *VirtualArg = Args.getLastArg(Ids: options::OPT__SLASH_vmv);
8314
8315 Arg *FirstConflict = SingleArg ? SingleArg : MultipleArg;
8316 Arg *SecondConflict = VirtualArg ? VirtualArg : MultipleArg;
8317 if (FirstConflict && SecondConflict && FirstConflict != SecondConflict)
8318 D.Diag(DiagID: clang::diag::err_drv_argument_not_allowed_with)
8319 << FirstConflict->getAsString(Args)
8320 << SecondConflict->getAsString(Args);
8321
8322 if (SingleArg)
8323 CmdArgs.push_back(Elt: "-fms-memptr-rep=single");
8324 else if (MultipleArg)
8325 CmdArgs.push_back(Elt: "-fms-memptr-rep=multiple");
8326 else
8327 CmdArgs.push_back(Elt: "-fms-memptr-rep=virtual");
8328 }
8329
8330 if (Args.hasArg(Ids: options::OPT_regcall4))
8331 CmdArgs.push_back(Elt: "-regcall4");
8332
8333 // Parse the default calling convention options.
8334 if (Arg *CCArg =
8335 Args.getLastArg(Ids: options::OPT__SLASH_Gd, Ids: options::OPT__SLASH_Gr,
8336 Ids: options::OPT__SLASH_Gz, Ids: options::OPT__SLASH_Gv,
8337 Ids: options::OPT__SLASH_Gregcall)) {
8338 unsigned DCCOptId = CCArg->getOption().getID();
8339 const char *DCCFlag = nullptr;
8340 bool ArchSupported = !isNVPTX;
8341 llvm::Triple::ArchType Arch = getToolChain().getArch();
8342 switch (DCCOptId) {
8343 case options::OPT__SLASH_Gd:
8344 DCCFlag = "-fdefault-calling-conv=cdecl";
8345 break;
8346 case options::OPT__SLASH_Gr:
8347 ArchSupported = Arch == llvm::Triple::x86;
8348 DCCFlag = "-fdefault-calling-conv=fastcall";
8349 break;
8350 case options::OPT__SLASH_Gz:
8351 ArchSupported = Arch == llvm::Triple::x86;
8352 DCCFlag = "-fdefault-calling-conv=stdcall";
8353 break;
8354 case options::OPT__SLASH_Gv:
8355 ArchSupported = Arch == llvm::Triple::x86 || Arch == llvm::Triple::x86_64;
8356 DCCFlag = "-fdefault-calling-conv=vectorcall";
8357 break;
8358 case options::OPT__SLASH_Gregcall:
8359 ArchSupported = Arch == llvm::Triple::x86 || Arch == llvm::Triple::x86_64;
8360 DCCFlag = "-fdefault-calling-conv=regcall";
8361 break;
8362 }
8363
8364 // MSVC doesn't warn if /Gr or /Gz is used on x64, so we don't either.
8365 if (ArchSupported && DCCFlag)
8366 CmdArgs.push_back(Elt: DCCFlag);
8367 }
8368
8369 if (Args.hasArg(Ids: options::OPT__SLASH_Gregcall4))
8370 CmdArgs.push_back(Elt: "-regcall4");
8371
8372 Args.AddLastArg(Output&: CmdArgs, Ids: options::OPT_vtordisp_mode_EQ);
8373
8374 if (!Args.hasArg(Ids: options::OPT_fdiagnostics_format_EQ)) {
8375 CmdArgs.push_back(Elt: "-fdiagnostics-format");
8376 CmdArgs.push_back(Elt: "msvc");
8377 }
8378
8379 if (Args.hasArg(Ids: options::OPT__SLASH_kernel))
8380 CmdArgs.push_back(Elt: "-fms-kernel");
8381
8382 for (const Arg *A : Args.filtered(Ids: options::OPT__SLASH_guard)) {
8383 StringRef GuardArgs = A->getValue();
8384 // The only valid options are "cf", "cf,nochecks", "cf-", "ehcont" and
8385 // "ehcont-".
8386 if (GuardArgs.equals_insensitive(RHS: "cf")) {
8387 // Emit CFG instrumentation and the table of address-taken functions.
8388 CmdArgs.push_back(Elt: "-cfguard");
8389 } else if (GuardArgs.equals_insensitive(RHS: "cf,nochecks")) {
8390 // Emit only the table of address-taken functions.
8391 CmdArgs.push_back(Elt: "-cfguard-no-checks");
8392 } else if (GuardArgs.equals_insensitive(RHS: "ehcont")) {
8393 // Emit EH continuation table.
8394 CmdArgs.push_back(Elt: "-ehcontguard");
8395 } else if (GuardArgs.equals_insensitive(RHS: "cf-") ||
8396 GuardArgs.equals_insensitive(RHS: "ehcont-")) {
8397 // Do nothing, but we might want to emit a security warning in future.
8398 } else {
8399 D.Diag(DiagID: diag::err_drv_invalid_value) << A->getSpelling() << GuardArgs;
8400 }
8401 A->claim();
8402 }
8403}
8404
8405const char *Clang::getBaseInputName(const ArgList &Args,
8406 const InputInfo &Input) {
8407 return Args.MakeArgString(Str: llvm::sys::path::filename(path: Input.getBaseInput()));
8408}
8409
8410const char *Clang::getBaseInputStem(const ArgList &Args,
8411 const InputInfoList &Inputs) {
8412 const char *Str = getBaseInputName(Args, Input: Inputs[0]);
8413
8414 if (const char *End = strrchr(s: Str, c: '.'))
8415 return Args.MakeArgString(Str: std::string(Str, End));
8416
8417 return Str;
8418}
8419
8420const char *Clang::getDependencyFileName(const ArgList &Args,
8421 const InputInfoList &Inputs) {
8422 // FIXME: Think about this more.
8423
8424 if (Arg *OutputOpt = Args.getLastArg(Ids: options::OPT_o)) {
8425 SmallString<128> OutputFilename(OutputOpt->getValue());
8426 llvm::sys::path::replace_extension(path&: OutputFilename, extension: llvm::Twine('d'));
8427 return Args.MakeArgString(Str: OutputFilename);
8428 }
8429
8430 return Args.MakeArgString(Str: Twine(getBaseInputStem(Args, Inputs)) + ".d");
8431}
8432
8433// Begin ClangAs
8434
8435void ClangAs::AddMIPSTargetArgs(const ArgList &Args,
8436 ArgStringList &CmdArgs) const {
8437 StringRef CPUName;
8438 StringRef ABIName;
8439 const llvm::Triple &Triple = getToolChain().getTriple();
8440 mips::getMipsCPUAndABI(Args, Triple, CPUName, ABIName);
8441
8442 CmdArgs.push_back(Elt: "-target-abi");
8443 CmdArgs.push_back(Elt: ABIName.data());
8444}
8445
8446void ClangAs::AddX86TargetArgs(const ArgList &Args,
8447 ArgStringList &CmdArgs) const {
8448 addX86AlignBranchArgs(D: getToolChain().getDriver(), Args, CmdArgs,
8449 /*IsLTO=*/false);
8450
8451 if (Arg *A = Args.getLastArg(Ids: options::OPT_masm_EQ)) {
8452 StringRef Value = A->getValue();
8453 if (Value == "intel" || Value == "att") {
8454 CmdArgs.push_back(Elt: "-mllvm");
8455 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-x86-asm-syntax=" + Value));
8456 } else {
8457 getToolChain().getDriver().Diag(DiagID: diag::err_drv_unsupported_option_argument)
8458 << A->getSpelling() << Value;
8459 }
8460 }
8461}
8462
8463void ClangAs::AddLoongArchTargetArgs(const ArgList &Args,
8464 ArgStringList &CmdArgs) const {
8465 CmdArgs.push_back(Elt: "-target-abi");
8466 CmdArgs.push_back(Elt: loongarch::getLoongArchABI(D: getToolChain().getDriver(), Args,
8467 Triple: getToolChain().getTriple())
8468 .data());
8469}
8470
8471void ClangAs::AddRISCVTargetArgs(const ArgList &Args,
8472 ArgStringList &CmdArgs) const {
8473 const llvm::Triple &Triple = getToolChain().getTriple();
8474 StringRef ABIName = riscv::getRISCVABI(Args, Triple);
8475
8476 CmdArgs.push_back(Elt: "-target-abi");
8477 CmdArgs.push_back(Elt: ABIName.data());
8478
8479 if (Args.hasFlag(Pos: options::OPT_mdefault_build_attributes,
8480 Neg: options::OPT_mno_default_build_attributes, Default: true)) {
8481 CmdArgs.push_back(Elt: "-mllvm");
8482 CmdArgs.push_back(Elt: "-riscv-add-build-attributes");
8483 }
8484}
8485
8486void ClangAs::ConstructJob(Compilation &C, const JobAction &JA,
8487 const InputInfo &Output, const InputInfoList &Inputs,
8488 const ArgList &Args,
8489 const char *LinkingOutput) const {
8490 ArgStringList CmdArgs;
8491
8492 assert(Inputs.size() == 1 && "Unexpected number of inputs.");
8493 const InputInfo &Input = Inputs[0];
8494
8495 const llvm::Triple &Triple = getToolChain().getEffectiveTriple();
8496 const std::string &TripleStr = Triple.getTriple();
8497 const auto &D = getToolChain().getDriver();
8498
8499 // Don't warn about "clang -w -c foo.s"
8500 Args.ClaimAllArgs(Id0: options::OPT_w);
8501 // and "clang -emit-llvm -c foo.s"
8502 Args.ClaimAllArgs(Id0: options::OPT_emit_llvm);
8503
8504 claimNoWarnArgs(Args);
8505
8506 // Invoke ourselves in -cc1as mode.
8507 //
8508 // FIXME: Implement custom jobs for internal actions.
8509 CmdArgs.push_back(Elt: "-cc1as");
8510
8511 // Add the "effective" target triple.
8512 CmdArgs.push_back(Elt: "-triple");
8513 CmdArgs.push_back(Elt: Args.MakeArgString(Str: TripleStr));
8514
8515 getToolChain().addClangCC1ASTargetOptions(Args, CC1ASArgs&: CmdArgs);
8516
8517 // Set the output mode, we currently only expect to be used as a real
8518 // assembler.
8519 CmdArgs.push_back(Elt: "-filetype");
8520 CmdArgs.push_back(Elt: "obj");
8521
8522 // Set the main file name, so that debug info works even with
8523 // -save-temps or preprocessed assembly.
8524 CmdArgs.push_back(Elt: "-main-file-name");
8525 CmdArgs.push_back(Elt: Clang::getBaseInputName(Args, Input));
8526
8527 // Add the target cpu
8528 std::string CPU = getCPUName(D, Args, T: Triple, /*FromAs*/ true);
8529 if (!CPU.empty()) {
8530 CmdArgs.push_back(Elt: "-target-cpu");
8531 CmdArgs.push_back(Elt: Args.MakeArgString(Str: CPU));
8532 }
8533
8534 // Add the target features
8535 getTargetFeatures(D, Triple, Args, CmdArgs, ForAS: true);
8536
8537 // Ignore explicit -force_cpusubtype_ALL option.
8538 (void)Args.hasArg(Ids: options::OPT_force__cpusubtype__ALL);
8539
8540 // Pass along any -I options so we get proper .include search paths.
8541 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_I_Group);
8542
8543 // Pass along any --embed-dir or similar options so we get proper embed paths.
8544 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_embed_dir_EQ);
8545
8546 // Determine the original source input.
8547 auto FindSource = [](const Action *S) -> const Action * {
8548 while (S->getKind() != Action::InputClass) {
8549 assert(!S->getInputs().empty() && "unexpected root action!");
8550 S = S->getInputs()[0];
8551 }
8552 return S;
8553 };
8554 const Action *SourceAction = FindSource(&JA);
8555
8556 // Forward -g and handle debug info related flags, assuming we are dealing
8557 // with an actual assembly file.
8558 bool WantDebug = false;
8559 Args.ClaimAllArgs(Id0: options::OPT_g_Group);
8560 if (Arg *A = Args.getLastArg(Ids: options::OPT_g_Group))
8561 WantDebug = !A->getOption().matches(ID: options::OPT_g0) &&
8562 !A->getOption().matches(ID: options::OPT_ggdb0);
8563
8564 // If a -gdwarf argument appeared, remember it.
8565 bool EmitDwarf = false;
8566 if (const Arg *A = getDwarfNArg(Args))
8567 EmitDwarf = checkDebugInfoOption(A, Args, D, TC: getToolChain());
8568
8569 bool EmitCodeView = false;
8570 if (const Arg *A = Args.getLastArg(Ids: options::OPT_gcodeview))
8571 EmitCodeView = checkDebugInfoOption(A, Args, D, TC: getToolChain());
8572
8573 // If the user asked for debug info but did not explicitly specify -gcodeview
8574 // or -gdwarf, ask the toolchain for the default format.
8575 if (!EmitCodeView && !EmitDwarf && WantDebug) {
8576 switch (getToolChain().getDefaultDebugFormat()) {
8577 case llvm::codegenoptions::DIF_CodeView:
8578 EmitCodeView = true;
8579 break;
8580 case llvm::codegenoptions::DIF_DWARF:
8581 EmitDwarf = true;
8582 break;
8583 }
8584 }
8585
8586 // If the arguments don't imply DWARF, don't emit any debug info here.
8587 if (!EmitDwarf)
8588 WantDebug = false;
8589
8590 llvm::codegenoptions::DebugInfoKind DebugInfoKind =
8591 llvm::codegenoptions::NoDebugInfo;
8592
8593 // Add the -fdebug-compilation-dir flag if needed.
8594 const char *DebugCompilationDir =
8595 addDebugCompDirArg(Args, CmdArgs, VFS: C.getDriver().getVFS());
8596
8597 if (SourceAction->getType() == types::TY_Asm ||
8598 SourceAction->getType() == types::TY_PP_Asm) {
8599 // You might think that it would be ok to set DebugInfoKind outside of
8600 // the guard for source type, however there is a test which asserts
8601 // that some assembler invocation receives no -debug-info-kind,
8602 // and it's not clear whether that test is just overly restrictive.
8603 DebugInfoKind = (WantDebug ? llvm::codegenoptions::DebugInfoConstructor
8604 : llvm::codegenoptions::NoDebugInfo);
8605
8606 addDebugPrefixMapArg(D: getToolChain().getDriver(), TC: getToolChain(), Args,
8607 CmdArgs);
8608
8609 // Set the AT_producer to the clang version when using the integrated
8610 // assembler on assembly source files.
8611 CmdArgs.push_back(Elt: "-dwarf-debug-producer");
8612 CmdArgs.push_back(Elt: Args.MakeArgString(Str: getClangFullVersion()));
8613
8614 // And pass along -I options
8615 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_I);
8616 }
8617 const unsigned DwarfVersion = getDwarfVersion(TC: getToolChain(), Args);
8618 RenderDebugEnablingArgs(Args, CmdArgs, DebugInfoKind, DwarfVersion,
8619 DebuggerTuning: llvm::DebuggerKind::Default);
8620 renderDwarfFormat(D, T: Triple, Args, CmdArgs, DwarfVersion);
8621 RenderDebugInfoCompressionArgs(Args, CmdArgs, D, TC: getToolChain());
8622
8623 // Handle -fPIC et al -- the relocation-model affects the assembler
8624 // for some targets.
8625 llvm::Reloc::Model RelocationModel;
8626 unsigned PICLevel;
8627 bool IsPIE;
8628 std::tie(args&: RelocationModel, args&: PICLevel, args&: IsPIE) =
8629 ParsePICArgs(ToolChain: getToolChain(), Args);
8630
8631 const char *RMName = RelocationModelName(Model: RelocationModel);
8632 if (RMName) {
8633 CmdArgs.push_back(Elt: "-mrelocation-model");
8634 CmdArgs.push_back(Elt: RMName);
8635 }
8636
8637 // Optionally embed the -cc1as level arguments into the debug info, for build
8638 // analysis.
8639 if (getToolChain().UseDwarfDebugFlags()) {
8640 ArgStringList OriginalArgs;
8641 for (const auto &Arg : Args)
8642 Arg->render(Args, Output&: OriginalArgs);
8643
8644 SmallString<256> Flags;
8645 const char *Exec = getToolChain().getDriver().getClangProgramPath();
8646 EscapeSpacesAndBackslashes(Arg: Exec, Res&: Flags);
8647 for (const char *OriginalArg : OriginalArgs) {
8648 SmallString<128> EscapedArg;
8649 EscapeSpacesAndBackslashes(Arg: OriginalArg, Res&: EscapedArg);
8650 Flags += " ";
8651 Flags += EscapedArg;
8652 }
8653 CmdArgs.push_back(Elt: "-dwarf-debug-flags");
8654 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Flags));
8655 }
8656
8657 // FIXME: Add -static support, once we have it.
8658
8659 // Add target specific flags.
8660 switch (getToolChain().getArch()) {
8661 default:
8662 break;
8663
8664 case llvm::Triple::mips:
8665 case llvm::Triple::mipsel:
8666 case llvm::Triple::mips64:
8667 case llvm::Triple::mips64el:
8668 AddMIPSTargetArgs(Args, CmdArgs);
8669 break;
8670
8671 case llvm::Triple::x86:
8672 case llvm::Triple::x86_64:
8673 AddX86TargetArgs(Args, CmdArgs);
8674 break;
8675
8676 case llvm::Triple::arm:
8677 case llvm::Triple::armeb:
8678 case llvm::Triple::thumb:
8679 case llvm::Triple::thumbeb:
8680 // This isn't in AddARMTargetArgs because we want to do this for assembly
8681 // only, not C/C++.
8682 if (Args.hasFlag(Pos: options::OPT_mdefault_build_attributes,
8683 Neg: options::OPT_mno_default_build_attributes, Default: true)) {
8684 CmdArgs.push_back(Elt: "-mllvm");
8685 CmdArgs.push_back(Elt: "-arm-add-build-attributes");
8686 }
8687 break;
8688
8689 case llvm::Triple::aarch64:
8690 case llvm::Triple::aarch64_32:
8691 case llvm::Triple::aarch64_be:
8692 if (Args.hasArg(Ids: options::OPT_mmark_bti_property)) {
8693 CmdArgs.push_back(Elt: "-mllvm");
8694 CmdArgs.push_back(Elt: "-aarch64-mark-bti-property");
8695 }
8696 break;
8697
8698 case llvm::Triple::loongarch32:
8699 case llvm::Triple::loongarch64:
8700 AddLoongArchTargetArgs(Args, CmdArgs);
8701 break;
8702
8703 case llvm::Triple::riscv32:
8704 case llvm::Triple::riscv64:
8705 AddRISCVTargetArgs(Args, CmdArgs);
8706 break;
8707
8708 case llvm::Triple::hexagon:
8709 if (Args.hasFlag(Pos: options::OPT_mdefault_build_attributes,
8710 Neg: options::OPT_mno_default_build_attributes, Default: true)) {
8711 CmdArgs.push_back(Elt: "-mllvm");
8712 CmdArgs.push_back(Elt: "-hexagon-add-build-attributes");
8713 }
8714 break;
8715 }
8716
8717 // Consume all the warning flags. Usually this would be handled more
8718 // gracefully by -cc1 (warning about unknown warning flags, etc) but -cc1as
8719 // doesn't handle that so rather than warning about unused flags that are
8720 // actually used, we'll lie by omission instead.
8721 // FIXME: Stop lying and consume only the appropriate driver flags
8722 Args.ClaimAllArgs(Id0: options::OPT_W_Group);
8723
8724 CollectArgsForIntegratedAssembler(C, Args, CmdArgs,
8725 D: getToolChain().getDriver());
8726
8727 Args.AddAllArgs(Output&: CmdArgs, Id0: options::OPT_mllvm);
8728
8729 if (DebugInfoKind > llvm::codegenoptions::NoDebugInfo && Output.isFilename())
8730 addDebugObjectName(Args, CmdArgs, DebugCompilationDir,
8731 OutputFileName: Output.getFilename());
8732
8733 // Fixup any previous commands that use -object-file-name because when we
8734 // generated them, the final .obj name wasn't yet known.
8735 for (Command &J : C.getJobs()) {
8736 if (SourceAction != FindSource(&J.getSource()))
8737 continue;
8738 auto &JArgs = J.getArguments();
8739 for (unsigned I = 0; I < JArgs.size(); ++I) {
8740 if (StringRef(JArgs[I]).starts_with(Prefix: "-object-file-name=") &&
8741 Output.isFilename()) {
8742 ArgStringList NewArgs(JArgs.begin(), JArgs.begin() + I);
8743 addDebugObjectName(Args, CmdArgs&: NewArgs, DebugCompilationDir,
8744 OutputFileName: Output.getFilename());
8745 NewArgs.append(in_start: JArgs.begin() + I + 1, in_end: JArgs.end());
8746 J.replaceArguments(List: NewArgs);
8747 break;
8748 }
8749 }
8750 }
8751
8752 assert(Output.isFilename() && "Unexpected lipo output.");
8753 CmdArgs.push_back(Elt: "-o");
8754 CmdArgs.push_back(Elt: Output.getFilename());
8755
8756 const llvm::Triple &T = getToolChain().getTriple();
8757 Arg *A;
8758 if (getDebugFissionKind(D, Args, Arg&: A) == DwarfFissionKind::Split &&
8759 T.isOSBinFormatELF()) {
8760 CmdArgs.push_back(Elt: "-split-dwarf-output");
8761 CmdArgs.push_back(Elt: SplitDebugName(JA, Args, Input, Output));
8762 }
8763
8764 if (Triple.isAMDGPU())
8765 handleAMDGPUCodeObjectVersionOptions(D, Args, CmdArgs, /*IsCC1As=*/true);
8766
8767 assert(Input.isFilename() && "Invalid input.");
8768 CmdArgs.push_back(Elt: Input.getFilename());
8769
8770 const char *Exec = getToolChain().getDriver().getClangProgramPath();
8771 if (D.CC1Main && !D.CCGenDiagnostics) {
8772 // Invoke cc1as directly in this process.
8773 C.addCommand(C: std::make_unique<CC1Command>(
8774 args: JA, args: *this, args: ResponseFileSupport::AtFileUTF8(), args&: Exec, args&: CmdArgs, args: Inputs,
8775 args: Output, args: D.getPrependArg()));
8776 } else {
8777 C.addCommand(C: std::make_unique<Command>(
8778 args: JA, args: *this, args: ResponseFileSupport::AtFileUTF8(), args&: Exec, args&: CmdArgs, args: Inputs,
8779 args: Output, args: D.getPrependArg()));
8780 }
8781}
8782
8783// Begin OffloadBundler
8784void OffloadBundler::ConstructJob(Compilation &C, const JobAction &JA,
8785 const InputInfo &Output,
8786 const InputInfoList &Inputs,
8787 const llvm::opt::ArgList &TCArgs,
8788 const char *LinkingOutput) const {
8789 // The version with only one output is expected to refer to a bundling job.
8790 assert(isa<OffloadBundlingJobAction>(JA) && "Expecting bundling job!");
8791
8792 // The bundling command looks like this:
8793 // clang-offload-bundler -type=bc
8794 // -targets=host-triple,openmp-triple1,openmp-triple2
8795 // -output=output_file
8796 // -input=unbundle_file_host
8797 // -input=unbundle_file_tgt1
8798 // -input=unbundle_file_tgt2
8799
8800 ArgStringList CmdArgs;
8801
8802 // Get the type.
8803 CmdArgs.push_back(Elt: TCArgs.MakeArgString(
8804 Str: Twine("-type=") + types::getTypeTempSuffix(Id: Output.getType())));
8805
8806 assert(JA.getInputs().size() == Inputs.size() &&
8807 "Not have inputs for all dependence actions??");
8808
8809 // Get the targets.
8810 SmallString<128> Triples;
8811 Triples += "-targets=";
8812 for (unsigned I = 0; I < Inputs.size(); ++I) {
8813 if (I)
8814 Triples += ',';
8815
8816 // Find ToolChain for this input.
8817 Action::OffloadKind CurKind = Action::OFK_Host;
8818 const ToolChain *CurTC = &getToolChain();
8819 const Action *CurDep = JA.getInputs()[I];
8820
8821 if (const auto *OA = dyn_cast<OffloadAction>(Val: CurDep)) {
8822 CurTC = nullptr;
8823 OA->doOnEachDependence(Work: [&](Action *A, const ToolChain *TC, const char *) {
8824 assert(CurTC == nullptr && "Expected one dependence!");
8825 CurKind = A->getOffloadingDeviceKind();
8826 CurTC = TC;
8827 });
8828 }
8829 Triples += Action::GetOffloadKindName(Kind: CurKind);
8830 Triples += '-';
8831 Triples += CurTC->getTriple().normalize();
8832 if ((CurKind == Action::OFK_HIP || CurKind == Action::OFK_Cuda) &&
8833 !StringRef(CurDep->getOffloadingArch()).empty()) {
8834 Triples += '-';
8835 Triples += CurDep->getOffloadingArch();
8836 }
8837
8838 // TODO: Replace parsing of -march flag. Can be done by storing GPUArch
8839 // with each toolchain.
8840 StringRef GPUArchName;
8841 if (CurKind == Action::OFK_OpenMP) {
8842 // Extract GPUArch from -march argument in TC argument list.
8843 for (unsigned ArgIndex = 0; ArgIndex < TCArgs.size(); ArgIndex++) {
8844 auto ArchStr = StringRef(TCArgs.getArgString(Index: ArgIndex));
8845 auto Arch = ArchStr.starts_with_insensitive(Prefix: "-march=");
8846 if (Arch) {
8847 GPUArchName = ArchStr.substr(Start: 7);
8848 Triples += "-";
8849 break;
8850 }
8851 }
8852 Triples += GPUArchName.str();
8853 }
8854 }
8855 CmdArgs.push_back(Elt: TCArgs.MakeArgString(Str: Triples));
8856
8857 // Get bundled file command.
8858 CmdArgs.push_back(
8859 Elt: TCArgs.MakeArgString(Str: Twine("-output=") + Output.getFilename()));
8860
8861 // Get unbundled files command.
8862 for (unsigned I = 0; I < Inputs.size(); ++I) {
8863 SmallString<128> UB;
8864 UB += "-input=";
8865
8866 // Find ToolChain for this input.
8867 const ToolChain *CurTC = &getToolChain();
8868 if (const auto *OA = dyn_cast<OffloadAction>(Val: JA.getInputs()[I])) {
8869 CurTC = nullptr;
8870 OA->doOnEachDependence(Work: [&](Action *, const ToolChain *TC, const char *) {
8871 assert(CurTC == nullptr && "Expected one dependence!");
8872 CurTC = TC;
8873 });
8874 UB += C.addTempFile(
8875 Name: C.getArgs().MakeArgString(Str: CurTC->getInputFilename(Input: Inputs[I])));
8876 } else {
8877 UB += CurTC->getInputFilename(Input: Inputs[I]);
8878 }
8879 CmdArgs.push_back(Elt: TCArgs.MakeArgString(Str: UB));
8880 }
8881 addOffloadCompressArgs(TCArgs, CmdArgs);
8882 // All the inputs are encoded as commands.
8883 C.addCommand(C: std::make_unique<Command>(
8884 args: JA, args: *this, args: ResponseFileSupport::None(),
8885 args: TCArgs.MakeArgString(Str: getToolChain().GetProgramPath(Name: getShortName())),
8886 args&: CmdArgs, args: std::nullopt, args: Output));
8887}
8888
8889void OffloadBundler::ConstructJobMultipleOutputs(
8890 Compilation &C, const JobAction &JA, const InputInfoList &Outputs,
8891 const InputInfoList &Inputs, const llvm::opt::ArgList &TCArgs,
8892 const char *LinkingOutput) const {
8893 // The version with multiple outputs is expected to refer to a unbundling job.
8894 auto &UA = cast<OffloadUnbundlingJobAction>(Val: JA);
8895
8896 // The unbundling command looks like this:
8897 // clang-offload-bundler -type=bc
8898 // -targets=host-triple,openmp-triple1,openmp-triple2
8899 // -input=input_file
8900 // -output=unbundle_file_host
8901 // -output=unbundle_file_tgt1
8902 // -output=unbundle_file_tgt2
8903 // -unbundle
8904
8905 ArgStringList CmdArgs;
8906
8907 assert(Inputs.size() == 1 && "Expecting to unbundle a single file!");
8908 InputInfo Input = Inputs.front();
8909
8910 // Get the type.
8911 CmdArgs.push_back(Elt: TCArgs.MakeArgString(
8912 Str: Twine("-type=") + types::getTypeTempSuffix(Id: Input.getType())));
8913
8914 // Get the targets.
8915 SmallString<128> Triples;
8916 Triples += "-targets=";
8917 auto DepInfo = UA.getDependentActionsInfo();
8918 for (unsigned I = 0; I < DepInfo.size(); ++I) {
8919 if (I)
8920 Triples += ',';
8921
8922 auto &Dep = DepInfo[I];
8923 Triples += Action::GetOffloadKindName(Kind: Dep.DependentOffloadKind);
8924 Triples += '-';
8925 Triples += Dep.DependentToolChain->getTriple().normalize();
8926 if ((Dep.DependentOffloadKind == Action::OFK_HIP ||
8927 Dep.DependentOffloadKind == Action::OFK_Cuda) &&
8928 !Dep.DependentBoundArch.empty()) {
8929 Triples += '-';
8930 Triples += Dep.DependentBoundArch;
8931 }
8932 // TODO: Replace parsing of -march flag. Can be done by storing GPUArch
8933 // with each toolchain.
8934 StringRef GPUArchName;
8935 if (Dep.DependentOffloadKind == Action::OFK_OpenMP) {
8936 // Extract GPUArch from -march argument in TC argument list.
8937 for (unsigned ArgIndex = 0; ArgIndex < TCArgs.size(); ArgIndex++) {
8938 StringRef ArchStr = StringRef(TCArgs.getArgString(Index: ArgIndex));
8939 auto Arch = ArchStr.starts_with_insensitive(Prefix: "-march=");
8940 if (Arch) {
8941 GPUArchName = ArchStr.substr(Start: 7);
8942 Triples += "-";
8943 break;
8944 }
8945 }
8946 Triples += GPUArchName.str();
8947 }
8948 }
8949
8950 CmdArgs.push_back(Elt: TCArgs.MakeArgString(Str: Triples));
8951
8952 // Get bundled file command.
8953 CmdArgs.push_back(
8954 Elt: TCArgs.MakeArgString(Str: Twine("-input=") + Input.getFilename()));
8955
8956 // Get unbundled files command.
8957 for (unsigned I = 0; I < Outputs.size(); ++I) {
8958 SmallString<128> UB;
8959 UB += "-output=";
8960 UB += DepInfo[I].DependentToolChain->getInputFilename(Input: Outputs[I]);
8961 CmdArgs.push_back(Elt: TCArgs.MakeArgString(Str: UB));
8962 }
8963 CmdArgs.push_back(Elt: "-unbundle");
8964 CmdArgs.push_back(Elt: "-allow-missing-bundles");
8965 if (TCArgs.hasArg(Ids: options::OPT_v))
8966 CmdArgs.push_back(Elt: "-verbose");
8967
8968 // All the inputs are encoded as commands.
8969 C.addCommand(C: std::make_unique<Command>(
8970 args: JA, args: *this, args: ResponseFileSupport::None(),
8971 args: TCArgs.MakeArgString(Str: getToolChain().GetProgramPath(Name: getShortName())),
8972 args&: CmdArgs, args: std::nullopt, args: Outputs));
8973}
8974
8975void OffloadPackager::ConstructJob(Compilation &C, const JobAction &JA,
8976 const InputInfo &Output,
8977 const InputInfoList &Inputs,
8978 const llvm::opt::ArgList &Args,
8979 const char *LinkingOutput) const {
8980 ArgStringList CmdArgs;
8981
8982 // Add the output file name.
8983 assert(Output.isFilename() && "Invalid output.");
8984 CmdArgs.push_back(Elt: "-o");
8985 CmdArgs.push_back(Elt: Output.getFilename());
8986
8987 // Create the inputs to bundle the needed metadata.
8988 for (const InputInfo &Input : Inputs) {
8989 const Action *OffloadAction = Input.getAction();
8990 const ToolChain *TC = OffloadAction->getOffloadingToolChain();
8991 const ArgList &TCArgs =
8992 C.getArgsForToolChain(TC, BoundArch: OffloadAction->getOffloadingArch(),
8993 DeviceOffloadKind: OffloadAction->getOffloadingDeviceKind());
8994 StringRef File = C.getArgs().MakeArgString(Str: TC->getInputFilename(Input));
8995 StringRef Arch = OffloadAction->getOffloadingArch()
8996 ? OffloadAction->getOffloadingArch()
8997 : TCArgs.getLastArgValue(Id: options::OPT_march_EQ);
8998 StringRef Kind =
8999 Action::GetOffloadKindName(Kind: OffloadAction->getOffloadingDeviceKind());
9000
9001 ArgStringList Features;
9002 SmallVector<StringRef> FeatureArgs;
9003 getTargetFeatures(D: TC->getDriver(), Triple: TC->getTriple(), Args: TCArgs, CmdArgs&: Features,
9004 ForAS: false);
9005 llvm::copy_if(Range&: Features, Out: std::back_inserter(x&: FeatureArgs),
9006 P: [](StringRef Arg) { return !Arg.starts_with(Prefix: "-target"); });
9007
9008 if (TC->getTriple().isAMDGPU()) {
9009 for (StringRef Feature : llvm::split(Str: Arch.split(Separator: ':').second, Separator: ':')) {
9010 FeatureArgs.emplace_back(
9011 Args: Args.MakeArgString(Str: Feature.take_back() + Feature.drop_back()));
9012 }
9013 }
9014
9015 // TODO: We need to pass in the full target-id and handle it properly in the
9016 // linker wrapper.
9017 SmallVector<std::string> Parts{
9018 "file=" + File.str(),
9019 "triple=" + TC->getTripleString(),
9020 "arch=" + Arch.str(),
9021 "kind=" + Kind.str(),
9022 };
9023
9024 if (TC->getDriver().isUsingLTO(/* IsOffload */ true) ||
9025 TC->getTriple().isAMDGPU())
9026 for (StringRef Feature : FeatureArgs)
9027 Parts.emplace_back(Args: "feature=" + Feature.str());
9028
9029 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "--image=" + llvm::join(R&: Parts, Separator: ",")));
9030 }
9031
9032 C.addCommand(C: std::make_unique<Command>(
9033 args: JA, args: *this, args: ResponseFileSupport::None(),
9034 args: Args.MakeArgString(Str: getToolChain().GetProgramPath(Name: getShortName())),
9035 args&: CmdArgs, args: Inputs, args: Output));
9036}
9037
9038void LinkerWrapper::ConstructJob(Compilation &C, const JobAction &JA,
9039 const InputInfo &Output,
9040 const InputInfoList &Inputs,
9041 const ArgList &Args,
9042 const char *LinkingOutput) const {
9043 const Driver &D = getToolChain().getDriver();
9044 const llvm::Triple TheTriple = getToolChain().getTriple();
9045 ArgStringList CmdArgs;
9046
9047 // Pass the CUDA path to the linker wrapper tool.
9048 for (Action::OffloadKind Kind : {Action::OFK_Cuda, Action::OFK_OpenMP}) {
9049 auto TCRange = C.getOffloadToolChains(Kind);
9050 for (auto &I : llvm::make_range(x: TCRange.first, y: TCRange.second)) {
9051 const ToolChain *TC = I.second;
9052 if (TC->getTriple().isNVPTX()) {
9053 CudaInstallationDetector CudaInstallation(D, TheTriple, Args);
9054 if (CudaInstallation.isValid())
9055 CmdArgs.push_back(Elt: Args.MakeArgString(
9056 Str: "--cuda-path=" + CudaInstallation.getInstallPath()));
9057 break;
9058 }
9059 }
9060 }
9061
9062 // Pass in the optimization level to use for LTO.
9063 if (const Arg *A = Args.getLastArg(Ids: options::OPT_O_Group)) {
9064 StringRef OOpt;
9065 if (A->getOption().matches(ID: options::OPT_O4) ||
9066 A->getOption().matches(ID: options::OPT_Ofast))
9067 OOpt = "3";
9068 else if (A->getOption().matches(ID: options::OPT_O)) {
9069 OOpt = A->getValue();
9070 if (OOpt == "g")
9071 OOpt = "1";
9072 else if (OOpt == "s" || OOpt == "z")
9073 OOpt = "2";
9074 } else if (A->getOption().matches(ID: options::OPT_O0))
9075 OOpt = "0";
9076 if (!OOpt.empty())
9077 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Twine("--opt-level=O") + OOpt));
9078 }
9079
9080 CmdArgs.push_back(
9081 Elt: Args.MakeArgString(Str: "--host-triple=" + TheTriple.getTriple()));
9082 if (Args.hasArg(Ids: options::OPT_v))
9083 CmdArgs.push_back(Elt: "--wrapper-verbose");
9084
9085 if (const Arg *A = Args.getLastArg(Ids: options::OPT_g_Group)) {
9086 if (!A->getOption().matches(ID: options::OPT_g0))
9087 CmdArgs.push_back(Elt: "--device-debug");
9088 }
9089
9090 // code-object-version=X needs to be passed to clang-linker-wrapper to ensure
9091 // that it is used by lld.
9092 if (const Arg *A = Args.getLastArg(Ids: options::OPT_mcode_object_version_EQ)) {
9093 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "-mllvm"));
9094 CmdArgs.push_back(Elt: Args.MakeArgString(
9095 Str: Twine("--amdhsa-code-object-version=") + A->getValue()));
9096 }
9097
9098 for (const auto &A : Args.getAllArgValues(Id: options::OPT_Xcuda_ptxas))
9099 CmdArgs.push_back(Elt: Args.MakeArgString(Str: "--ptxas-arg=" + A));
9100
9101 // Forward remarks passes to the LLVM backend in the wrapper.
9102 if (const Arg *A = Args.getLastArg(Ids: options::OPT_Rpass_EQ))
9103 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Twine("--offload-opt=-pass-remarks=") +
9104 A->getValue()));
9105 if (const Arg *A = Args.getLastArg(Ids: options::OPT_Rpass_missed_EQ))
9106 CmdArgs.push_back(Elt: Args.MakeArgString(
9107 Str: Twine("--offload-opt=-pass-remarks-missed=") + A->getValue()));
9108 if (const Arg *A = Args.getLastArg(Ids: options::OPT_Rpass_analysis_EQ))
9109 CmdArgs.push_back(Elt: Args.MakeArgString(
9110 Str: Twine("--offload-opt=-pass-remarks-analysis=") + A->getValue()));
9111 if (Args.getLastArg(Ids: options::OPT_save_temps_EQ))
9112 CmdArgs.push_back(Elt: "--save-temps");
9113
9114 // Construct the link job so we can wrap around it.
9115 Linker->ConstructJob(C, JA, Output, Inputs, TCArgs: Args, LinkingOutput);
9116 const auto &LinkCommand = C.getJobs().getJobs().back();
9117
9118 // Forward -Xoffload-linker<-triple> arguments to the device link job.
9119 for (Arg *A : Args.filtered(Ids: options::OPT_Xoffload_linker)) {
9120 StringRef Val = A->getValue(N: 0);
9121 if (Val.empty())
9122 CmdArgs.push_back(
9123 Elt: Args.MakeArgString(Str: Twine("--device-linker=") + A->getValue(N: 1)));
9124 else
9125 CmdArgs.push_back(Elt: Args.MakeArgString(
9126 Str: "--device-linker=" +
9127 ToolChain::getOpenMPTriple(TripleStr: Val.drop_front()).getTriple() + "=" +
9128 A->getValue(N: 1)));
9129 }
9130 Args.ClaimAllArgs(Id0: options::OPT_Xoffload_linker);
9131
9132 // Embed bitcode instead of an object in JIT mode.
9133 if (Args.hasFlag(Pos: options::OPT_fopenmp_target_jit,
9134 Neg: options::OPT_fno_openmp_target_jit, Default: false))
9135 CmdArgs.push_back(Elt: "--embed-bitcode");
9136
9137 // Forward `-mllvm` arguments to the LLVM invocations if present.
9138 for (Arg *A : Args.filtered(Ids: options::OPT_mllvm)) {
9139 CmdArgs.push_back(Elt: "-mllvm");
9140 CmdArgs.push_back(Elt: A->getValue());
9141 A->claim();
9142 }
9143
9144 // Add the linker arguments to be forwarded by the wrapper.
9145 CmdArgs.push_back(Elt: Args.MakeArgString(Str: Twine("--linker-path=") +
9146 LinkCommand->getExecutable()));
9147 for (const char *LinkArg : LinkCommand->getArguments())
9148 CmdArgs.push_back(Elt: LinkArg);
9149
9150 addOffloadCompressArgs(TCArgs: Args, CmdArgs);
9151
9152 const char *Exec =
9153 Args.MakeArgString(Str: getToolChain().GetProgramPath(Name: "clang-linker-wrapper"));
9154
9155 // Replace the executable and arguments of the link job with the
9156 // wrapper.
9157 LinkCommand->replaceExecutable(Exe: Exec);
9158 LinkCommand->replaceArguments(List: CmdArgs);
9159}
9160