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 "Arch/AArch64.h" 11 #include "Arch/ARM.h" 12 #include "Arch/Mips.h" 13 #include "Arch/PPC.h" 14 #include "Arch/RISCV.h" 15 #include "Arch/Sparc.h" 16 #include "Arch/SystemZ.h" 17 #include "Arch/X86.h" 18 #include "AMDGPU.h" 19 #include "CommonArgs.h" 20 #include "Hexagon.h" 21 #include "MSP430.h" 22 #include "InputInfo.h" 23 #include "PS4CPU.h" 24 #include "clang/Basic/CharInfo.h" 25 #include "clang/Basic/CodeGenOptions.h" 26 #include "clang/Basic/LangOptions.h" 27 #include "clang/Basic/ObjCRuntime.h" 28 #include "clang/Basic/Version.h" 29 #include "clang/Driver/Distro.h" 30 #include "clang/Driver/DriverDiagnostic.h" 31 #include "clang/Driver/Options.h" 32 #include "clang/Driver/SanitizerArgs.h" 33 #include "clang/Driver/XRayArgs.h" 34 #include "llvm/ADT/StringExtras.h" 35 #include "llvm/Config/llvm-config.h" 36 #include "llvm/Option/ArgList.h" 37 #include "llvm/Support/CodeGen.h" 38 #include "llvm/Support/Compression.h" 39 #include "llvm/Support/FileSystem.h" 40 #include "llvm/Support/Path.h" 41 #include "llvm/Support/Process.h" 42 #include "llvm/Support/TargetParser.h" 43 #include "llvm/Support/YAMLParser.h" 44 45 #ifdef LLVM_ON_UNIX 46 #include <unistd.h> // For getuid(). 47 #endif 48 49 using namespace clang::driver; 50 using namespace clang::driver::tools; 51 using namespace clang; 52 using namespace llvm::opt; 53 54 static void CheckPreprocessingOptions(const Driver &D, const ArgList &Args) { 55 if (Arg *A = 56 Args.getLastArg(clang::driver::options::OPT_C, options::OPT_CC)) { 57 if (!Args.hasArg(options::OPT_E) && !Args.hasArg(options::OPT__SLASH_P) && 58 !Args.hasArg(options::OPT__SLASH_EP) && !D.CCCIsCPP()) { 59 D.Diag(clang::diag::err_drv_argument_only_allowed_with) 60 << A->getBaseArg().getAsString(Args) 61 << (D.IsCLMode() ? "/E, /P or /EP" : "-E"); 62 } 63 } 64 } 65 66 static void CheckCodeGenerationOptions(const Driver &D, const ArgList &Args) { 67 // In gcc, only ARM checks this, but it seems reasonable to check universally. 68 if (Args.hasArg(options::OPT_static)) 69 if (const Arg *A = 70 Args.getLastArg(options::OPT_dynamic, options::OPT_mdynamic_no_pic)) 71 D.Diag(diag::err_drv_argument_not_allowed_with) << A->getAsString(Args) 72 << "-static"; 73 } 74 75 // Add backslashes to escape spaces and other backslashes. 76 // This is used for the space-separated argument list specified with 77 // the -dwarf-debug-flags option. 78 static void EscapeSpacesAndBackslashes(const char *Arg, 79 SmallVectorImpl<char> &Res) { 80 for (; *Arg; ++Arg) { 81 switch (*Arg) { 82 default: 83 break; 84 case ' ': 85 case '\\': 86 Res.push_back('\\'); 87 break; 88 } 89 Res.push_back(*Arg); 90 } 91 } 92 93 // Quote target names for inclusion in GNU Make dependency files. 94 // Only the characters '$', '#', ' ', '\t' are quoted. 95 static void QuoteTarget(StringRef Target, SmallVectorImpl<char> &Res) { 96 for (unsigned i = 0, e = Target.size(); i != e; ++i) { 97 switch (Target[i]) { 98 case ' ': 99 case '\t': 100 // Escape the preceding backslashes 101 for (int j = i - 1; j >= 0 && Target[j] == '\\'; --j) 102 Res.push_back('\\'); 103 104 // Escape the space/tab 105 Res.push_back('\\'); 106 break; 107 case '$': 108 Res.push_back('$'); 109 break; 110 case '#': 111 Res.push_back('\\'); 112 break; 113 default: 114 break; 115 } 116 117 Res.push_back(Target[i]); 118 } 119 } 120 121 /// Apply \a Work on the current tool chain \a RegularToolChain and any other 122 /// offloading tool chain that is associated with the current action \a JA. 123 static void 124 forAllAssociatedToolChains(Compilation &C, const JobAction &JA, 125 const ToolChain &RegularToolChain, 126 llvm::function_ref<void(const ToolChain &)> Work) { 127 // Apply Work on the current/regular tool chain. 128 Work(RegularToolChain); 129 130 // Apply Work on all the offloading tool chains associated with the current 131 // action. 132 if (JA.isHostOffloading(Action::OFK_Cuda)) 133 Work(*C.getSingleOffloadToolChain<Action::OFK_Cuda>()); 134 else if (JA.isDeviceOffloading(Action::OFK_Cuda)) 135 Work(*C.getSingleOffloadToolChain<Action::OFK_Host>()); 136 else if (JA.isHostOffloading(Action::OFK_HIP)) 137 Work(*C.getSingleOffloadToolChain<Action::OFK_HIP>()); 138 else if (JA.isDeviceOffloading(Action::OFK_HIP)) 139 Work(*C.getSingleOffloadToolChain<Action::OFK_Host>()); 140 141 if (JA.isHostOffloading(Action::OFK_OpenMP)) { 142 auto TCs = C.getOffloadToolChains<Action::OFK_OpenMP>(); 143 for (auto II = TCs.first, IE = TCs.second; II != IE; ++II) 144 Work(*II->second); 145 } else if (JA.isDeviceOffloading(Action::OFK_OpenMP)) 146 Work(*C.getSingleOffloadToolChain<Action::OFK_Host>()); 147 148 // 149 // TODO: Add support for other offloading programming models here. 150 // 151 } 152 153 /// This is a helper function for validating the optional refinement step 154 /// parameter in reciprocal argument strings. Return false if there is an error 155 /// parsing the refinement step. Otherwise, return true and set the Position 156 /// of the refinement step in the input string. 157 static bool getRefinementStep(StringRef In, const Driver &D, 158 const Arg &A, size_t &Position) { 159 const char RefinementStepToken = ':'; 160 Position = In.find(RefinementStepToken); 161 if (Position != StringRef::npos) { 162 StringRef Option = A.getOption().getName(); 163 StringRef RefStep = In.substr(Position + 1); 164 // Allow exactly one numeric character for the additional refinement 165 // step parameter. This is reasonable for all currently-supported 166 // operations and architectures because we would expect that a larger value 167 // of refinement steps would cause the estimate "optimization" to 168 // under-perform the native operation. Also, if the estimate does not 169 // converge quickly, it probably will not ever converge, so further 170 // refinement steps will not produce a better answer. 171 if (RefStep.size() != 1) { 172 D.Diag(diag::err_drv_invalid_value) << Option << RefStep; 173 return false; 174 } 175 char RefStepChar = RefStep[0]; 176 if (RefStepChar < '0' || RefStepChar > '9') { 177 D.Diag(diag::err_drv_invalid_value) << Option << RefStep; 178 return false; 179 } 180 } 181 return true; 182 } 183 184 /// The -mrecip flag requires processing of many optional parameters. 185 static void ParseMRecip(const Driver &D, const ArgList &Args, 186 ArgStringList &OutStrings) { 187 StringRef DisabledPrefixIn = "!"; 188 StringRef DisabledPrefixOut = "!"; 189 StringRef EnabledPrefixOut = ""; 190 StringRef Out = "-mrecip="; 191 192 Arg *A = Args.getLastArg(options::OPT_mrecip, options::OPT_mrecip_EQ); 193 if (!A) 194 return; 195 196 unsigned NumOptions = A->getNumValues(); 197 if (NumOptions == 0) { 198 // No option is the same as "all". 199 OutStrings.push_back(Args.MakeArgString(Out + "all")); 200 return; 201 } 202 203 // Pass through "all", "none", or "default" with an optional refinement step. 204 if (NumOptions == 1) { 205 StringRef Val = A->getValue(0); 206 size_t RefStepLoc; 207 if (!getRefinementStep(Val, D, *A, RefStepLoc)) 208 return; 209 StringRef ValBase = Val.slice(0, RefStepLoc); 210 if (ValBase == "all" || ValBase == "none" || ValBase == "default") { 211 OutStrings.push_back(Args.MakeArgString(Out + Val)); 212 return; 213 } 214 } 215 216 // Each reciprocal type may be enabled or disabled individually. 217 // Check each input value for validity, concatenate them all back together, 218 // and pass through. 219 220 llvm::StringMap<bool> OptionStrings; 221 OptionStrings.insert(std::make_pair("divd", false)); 222 OptionStrings.insert(std::make_pair("divf", false)); 223 OptionStrings.insert(std::make_pair("vec-divd", false)); 224 OptionStrings.insert(std::make_pair("vec-divf", false)); 225 OptionStrings.insert(std::make_pair("sqrtd", false)); 226 OptionStrings.insert(std::make_pair("sqrtf", false)); 227 OptionStrings.insert(std::make_pair("vec-sqrtd", false)); 228 OptionStrings.insert(std::make_pair("vec-sqrtf", false)); 229 230 for (unsigned i = 0; i != NumOptions; ++i) { 231 StringRef Val = A->getValue(i); 232 233 bool IsDisabled = Val.startswith(DisabledPrefixIn); 234 // Ignore the disablement token for string matching. 235 if (IsDisabled) 236 Val = Val.substr(1); 237 238 size_t RefStep; 239 if (!getRefinementStep(Val, D, *A, RefStep)) 240 return; 241 242 StringRef ValBase = Val.slice(0, RefStep); 243 llvm::StringMap<bool>::iterator OptionIter = OptionStrings.find(ValBase); 244 if (OptionIter == OptionStrings.end()) { 245 // Try again specifying float suffix. 246 OptionIter = OptionStrings.find(ValBase.str() + 'f'); 247 if (OptionIter == OptionStrings.end()) { 248 // The input name did not match any known option string. 249 D.Diag(diag::err_drv_unknown_argument) << Val; 250 return; 251 } 252 // The option was specified without a float or double suffix. 253 // Make sure that the double entry was not already specified. 254 // The float entry will be checked below. 255 if (OptionStrings[ValBase.str() + 'd']) { 256 D.Diag(diag::err_drv_invalid_value) << A->getOption().getName() << Val; 257 return; 258 } 259 } 260 261 if (OptionIter->second == true) { 262 // Duplicate option specified. 263 D.Diag(diag::err_drv_invalid_value) << A->getOption().getName() << Val; 264 return; 265 } 266 267 // Mark the matched option as found. Do not allow duplicate specifiers. 268 OptionIter->second = true; 269 270 // If the precision was not specified, also mark the double entry as found. 271 if (ValBase.back() != 'f' && ValBase.back() != 'd') 272 OptionStrings[ValBase.str() + 'd'] = true; 273 274 // Build the output string. 275 StringRef Prefix = IsDisabled ? DisabledPrefixOut : EnabledPrefixOut; 276 Out = Args.MakeArgString(Out + Prefix + Val); 277 if (i != NumOptions - 1) 278 Out = Args.MakeArgString(Out + ","); 279 } 280 281 OutStrings.push_back(Args.MakeArgString(Out)); 282 } 283 284 /// The -mprefer-vector-width option accepts either a positive integer 285 /// or the string "none". 286 static void ParseMPreferVectorWidth(const Driver &D, const ArgList &Args, 287 ArgStringList &CmdArgs) { 288 Arg *A = Args.getLastArg(options::OPT_mprefer_vector_width_EQ); 289 if (!A) 290 return; 291 292 StringRef Value = A->getValue(); 293 if (Value == "none") { 294 CmdArgs.push_back("-mprefer-vector-width=none"); 295 } else { 296 unsigned Width; 297 if (Value.getAsInteger(10, Width)) { 298 D.Diag(diag::err_drv_invalid_value) << A->getOption().getName() << Value; 299 return; 300 } 301 CmdArgs.push_back(Args.MakeArgString("-mprefer-vector-width=" + Value)); 302 } 303 } 304 305 static void getWebAssemblyTargetFeatures(const ArgList &Args, 306 std::vector<StringRef> &Features) { 307 handleTargetFeaturesGroup(Args, Features, options::OPT_m_wasm_Features_Group); 308 } 309 310 static void getTargetFeatures(const ToolChain &TC, const llvm::Triple &Triple, 311 const ArgList &Args, ArgStringList &CmdArgs, 312 bool ForAS) { 313 const Driver &D = TC.getDriver(); 314 std::vector<StringRef> Features; 315 switch (Triple.getArch()) { 316 default: 317 break; 318 case llvm::Triple::mips: 319 case llvm::Triple::mipsel: 320 case llvm::Triple::mips64: 321 case llvm::Triple::mips64el: 322 mips::getMIPSTargetFeatures(D, Triple, Args, Features); 323 break; 324 325 case llvm::Triple::arm: 326 case llvm::Triple::armeb: 327 case llvm::Triple::thumb: 328 case llvm::Triple::thumbeb: 329 arm::getARMTargetFeatures(TC, Triple, Args, CmdArgs, Features, ForAS); 330 break; 331 332 case llvm::Triple::ppc: 333 case llvm::Triple::ppc64: 334 case llvm::Triple::ppc64le: 335 ppc::getPPCTargetFeatures(D, Triple, Args, Features); 336 break; 337 case llvm::Triple::riscv32: 338 case llvm::Triple::riscv64: 339 riscv::getRISCVTargetFeatures(D, Triple, Args, Features); 340 break; 341 case llvm::Triple::systemz: 342 systemz::getSystemZTargetFeatures(Args, Features); 343 break; 344 case llvm::Triple::aarch64: 345 case llvm::Triple::aarch64_32: 346 case llvm::Triple::aarch64_be: 347 aarch64::getAArch64TargetFeatures(D, Triple, Args, Features); 348 break; 349 case llvm::Triple::x86: 350 case llvm::Triple::x86_64: 351 x86::getX86TargetFeatures(D, Triple, Args, Features); 352 break; 353 case llvm::Triple::hexagon: 354 hexagon::getHexagonTargetFeatures(D, Args, Features); 355 break; 356 case llvm::Triple::wasm32: 357 case llvm::Triple::wasm64: 358 getWebAssemblyTargetFeatures(Args, Features); 359 break; 360 case llvm::Triple::sparc: 361 case llvm::Triple::sparcel: 362 case llvm::Triple::sparcv9: 363 sparc::getSparcTargetFeatures(D, Args, Features); 364 break; 365 case llvm::Triple::r600: 366 case llvm::Triple::amdgcn: 367 amdgpu::getAMDGPUTargetFeatures(D, Args, Features); 368 break; 369 case llvm::Triple::msp430: 370 msp430::getMSP430TargetFeatures(D, Args, Features); 371 } 372 373 // Find the last of each feature. 374 llvm::StringMap<unsigned> LastOpt; 375 for (unsigned I = 0, N = Features.size(); I < N; ++I) { 376 StringRef Name = Features[I]; 377 assert(Name[0] == '-' || Name[0] == '+'); 378 LastOpt[Name.drop_front(1)] = I; 379 } 380 381 for (unsigned I = 0, N = Features.size(); I < N; ++I) { 382 // If this feature was overridden, ignore it. 383 StringRef Name = Features[I]; 384 llvm::StringMap<unsigned>::iterator LastI = LastOpt.find(Name.drop_front(1)); 385 assert(LastI != LastOpt.end()); 386 unsigned Last = LastI->second; 387 if (Last != I) 388 continue; 389 390 CmdArgs.push_back("-target-feature"); 391 CmdArgs.push_back(Name.data()); 392 } 393 } 394 395 static bool 396 shouldUseExceptionTablesForObjCExceptions(const ObjCRuntime &runtime, 397 const llvm::Triple &Triple) { 398 // We use the zero-cost exception tables for Objective-C if the non-fragile 399 // ABI is enabled or when compiling for x86_64 and ARM on Snow Leopard and 400 // later. 401 if (runtime.isNonFragile()) 402 return true; 403 404 if (!Triple.isMacOSX()) 405 return false; 406 407 return (!Triple.isMacOSXVersionLT(10, 5) && 408 (Triple.getArch() == llvm::Triple::x86_64 || 409 Triple.getArch() == llvm::Triple::arm)); 410 } 411 412 /// Adds exception related arguments to the driver command arguments. There's a 413 /// master flag, -fexceptions and also language specific flags to enable/disable 414 /// C++ and Objective-C exceptions. This makes it possible to for example 415 /// disable C++ exceptions but enable Objective-C exceptions. 416 static void addExceptionArgs(const ArgList &Args, types::ID InputType, 417 const ToolChain &TC, bool KernelOrKext, 418 const ObjCRuntime &objcRuntime, 419 ArgStringList &CmdArgs) { 420 const llvm::Triple &Triple = TC.getTriple(); 421 422 if (KernelOrKext) { 423 // -mkernel and -fapple-kext imply no exceptions, so claim exception related 424 // arguments now to avoid warnings about unused arguments. 425 Args.ClaimAllArgs(options::OPT_fexceptions); 426 Args.ClaimAllArgs(options::OPT_fno_exceptions); 427 Args.ClaimAllArgs(options::OPT_fobjc_exceptions); 428 Args.ClaimAllArgs(options::OPT_fno_objc_exceptions); 429 Args.ClaimAllArgs(options::OPT_fcxx_exceptions); 430 Args.ClaimAllArgs(options::OPT_fno_cxx_exceptions); 431 return; 432 } 433 434 // See if the user explicitly enabled exceptions. 435 bool EH = Args.hasFlag(options::OPT_fexceptions, options::OPT_fno_exceptions, 436 false); 437 438 // Obj-C exceptions are enabled by default, regardless of -fexceptions. This 439 // is not necessarily sensible, but follows GCC. 440 if (types::isObjC(InputType) && 441 Args.hasFlag(options::OPT_fobjc_exceptions, 442 options::OPT_fno_objc_exceptions, true)) { 443 CmdArgs.push_back("-fobjc-exceptions"); 444 445 EH |= shouldUseExceptionTablesForObjCExceptions(objcRuntime, Triple); 446 } 447 448 if (types::isCXX(InputType)) { 449 // Disable C++ EH by default on XCore and PS4. 450 bool CXXExceptionsEnabled = 451 Triple.getArch() != llvm::Triple::xcore && !Triple.isPS4CPU(); 452 Arg *ExceptionArg = Args.getLastArg( 453 options::OPT_fcxx_exceptions, options::OPT_fno_cxx_exceptions, 454 options::OPT_fexceptions, options::OPT_fno_exceptions); 455 if (ExceptionArg) 456 CXXExceptionsEnabled = 457 ExceptionArg->getOption().matches(options::OPT_fcxx_exceptions) || 458 ExceptionArg->getOption().matches(options::OPT_fexceptions); 459 460 if (CXXExceptionsEnabled) { 461 CmdArgs.push_back("-fcxx-exceptions"); 462 463 EH = true; 464 } 465 } 466 467 if (EH) 468 CmdArgs.push_back("-fexceptions"); 469 } 470 471 static bool ShouldEnableAutolink(const ArgList &Args, const ToolChain &TC, 472 const JobAction &JA) { 473 bool Default = true; 474 if (TC.getTriple().isOSDarwin()) { 475 // The native darwin assembler doesn't support the linker_option directives, 476 // so we disable them if we think the .s file will be passed to it. 477 Default = TC.useIntegratedAs(); 478 } 479 // The linker_option directives are intended for host compilation. 480 if (JA.isDeviceOffloading(Action::OFK_Cuda) || 481 JA.isDeviceOffloading(Action::OFK_HIP)) 482 Default = false; 483 return Args.hasFlag(options::OPT_fautolink, options::OPT_fno_autolink, 484 Default); 485 } 486 487 static bool ShouldDisableDwarfDirectory(const ArgList &Args, 488 const ToolChain &TC) { 489 bool UseDwarfDirectory = 490 Args.hasFlag(options::OPT_fdwarf_directory_asm, 491 options::OPT_fno_dwarf_directory_asm, TC.useIntegratedAs()); 492 return !UseDwarfDirectory; 493 } 494 495 // Convert an arg of the form "-gN" or "-ggdbN" or one of their aliases 496 // to the corresponding DebugInfoKind. 497 static codegenoptions::DebugInfoKind DebugLevelToInfoKind(const Arg &A) { 498 assert(A.getOption().matches(options::OPT_gN_Group) && 499 "Not a -g option that specifies a debug-info level"); 500 if (A.getOption().matches(options::OPT_g0) || 501 A.getOption().matches(options::OPT_ggdb0)) 502 return codegenoptions::NoDebugInfo; 503 if (A.getOption().matches(options::OPT_gline_tables_only) || 504 A.getOption().matches(options::OPT_ggdb1)) 505 return codegenoptions::DebugLineTablesOnly; 506 if (A.getOption().matches(options::OPT_gline_directives_only)) 507 return codegenoptions::DebugDirectivesOnly; 508 return codegenoptions::LimitedDebugInfo; 509 } 510 511 static bool mustUseNonLeafFramePointerForTarget(const llvm::Triple &Triple) { 512 switch (Triple.getArch()){ 513 default: 514 return false; 515 case llvm::Triple::arm: 516 case llvm::Triple::thumb: 517 // ARM Darwin targets require a frame pointer to be always present to aid 518 // offline debugging via backtraces. 519 return Triple.isOSDarwin(); 520 } 521 } 522 523 static bool useFramePointerForTargetByDefault(const ArgList &Args, 524 const llvm::Triple &Triple) { 525 if (Args.hasArg(options::OPT_pg)) 526 return true; 527 528 switch (Triple.getArch()) { 529 case llvm::Triple::xcore: 530 case llvm::Triple::wasm32: 531 case llvm::Triple::wasm64: 532 case llvm::Triple::msp430: 533 // XCore never wants frame pointers, regardless of OS. 534 // WebAssembly never wants frame pointers. 535 return false; 536 case llvm::Triple::ppc: 537 case llvm::Triple::ppc64: 538 case llvm::Triple::ppc64le: 539 case llvm::Triple::riscv32: 540 case llvm::Triple::riscv64: 541 case llvm::Triple::amdgcn: 542 case llvm::Triple::r600: 543 return !areOptimizationsEnabled(Args); 544 default: 545 break; 546 } 547 548 if (Triple.isOSNetBSD()) { 549 return !areOptimizationsEnabled(Args); 550 } 551 552 if (Triple.isOSLinux() || Triple.getOS() == llvm::Triple::CloudABI || 553 Triple.isOSHurd()) { 554 switch (Triple.getArch()) { 555 // Don't use a frame pointer on linux if optimizing for certain targets. 556 case llvm::Triple::mips64: 557 case llvm::Triple::mips64el: 558 case llvm::Triple::mips: 559 case llvm::Triple::mipsel: 560 case llvm::Triple::systemz: 561 case llvm::Triple::x86: 562 case llvm::Triple::x86_64: 563 return !areOptimizationsEnabled(Args); 564 default: 565 return true; 566 } 567 } 568 569 if (Triple.isOSWindows()) { 570 switch (Triple.getArch()) { 571 case llvm::Triple::x86: 572 return !areOptimizationsEnabled(Args); 573 case llvm::Triple::x86_64: 574 return Triple.isOSBinFormatMachO(); 575 case llvm::Triple::arm: 576 case llvm::Triple::thumb: 577 // Windows on ARM builds with FPO disabled to aid fast stack walking 578 return true; 579 default: 580 // All other supported Windows ISAs use xdata unwind information, so frame 581 // pointers are not generally useful. 582 return false; 583 } 584 } 585 586 return true; 587 } 588 589 static CodeGenOptions::FramePointerKind 590 getFramePointerKind(const ArgList &Args, const llvm::Triple &Triple) { 591 // We have 4 states: 592 // 593 // 00) leaf retained, non-leaf retained 594 // 01) leaf retained, non-leaf omitted (this is invalid) 595 // 10) leaf omitted, non-leaf retained 596 // (what -momit-leaf-frame-pointer was designed for) 597 // 11) leaf omitted, non-leaf omitted 598 // 599 // "omit" options taking precedence over "no-omit" options is the only way 600 // to make 3 valid states representable 601 Arg *A = Args.getLastArg(options::OPT_fomit_frame_pointer, 602 options::OPT_fno_omit_frame_pointer); 603 bool OmitFP = A && A->getOption().matches(options::OPT_fomit_frame_pointer); 604 bool NoOmitFP = 605 A && A->getOption().matches(options::OPT_fno_omit_frame_pointer); 606 bool KeepLeaf = Args.hasFlag(options::OPT_momit_leaf_frame_pointer, 607 options::OPT_mno_omit_leaf_frame_pointer, 608 Triple.isAArch64() || Triple.isPS4CPU()); 609 if (NoOmitFP || mustUseNonLeafFramePointerForTarget(Triple) || 610 (!OmitFP && useFramePointerForTargetByDefault(Args, Triple))) { 611 if (KeepLeaf) 612 return CodeGenOptions::FramePointerKind::NonLeaf; 613 return CodeGenOptions::FramePointerKind::All; 614 } 615 return CodeGenOptions::FramePointerKind::None; 616 } 617 618 /// Add a CC1 option to specify the debug compilation directory. 619 static void addDebugCompDirArg(const ArgList &Args, ArgStringList &CmdArgs, 620 const llvm::vfs::FileSystem &VFS) { 621 if (Arg *A = Args.getLastArg(options::OPT_fdebug_compilation_dir)) { 622 CmdArgs.push_back("-fdebug-compilation-dir"); 623 CmdArgs.push_back(A->getValue()); 624 } else if (llvm::ErrorOr<std::string> CWD = 625 VFS.getCurrentWorkingDirectory()) { 626 CmdArgs.push_back("-fdebug-compilation-dir"); 627 CmdArgs.push_back(Args.MakeArgString(*CWD)); 628 } 629 } 630 631 /// Add a CC1 and CC1AS option to specify the debug file path prefix map. 632 static void addDebugPrefixMapArg(const Driver &D, const ArgList &Args, ArgStringList &CmdArgs) { 633 for (const Arg *A : Args.filtered(options::OPT_ffile_prefix_map_EQ, 634 options::OPT_fdebug_prefix_map_EQ)) { 635 StringRef Map = A->getValue(); 636 if (Map.find('=') == StringRef::npos) 637 D.Diag(diag::err_drv_invalid_argument_to_option) 638 << Map << A->getOption().getName(); 639 else 640 CmdArgs.push_back(Args.MakeArgString("-fdebug-prefix-map=" + Map)); 641 A->claim(); 642 } 643 } 644 645 /// Add a CC1 and CC1AS option to specify the macro file path prefix map. 646 static void addMacroPrefixMapArg(const Driver &D, const ArgList &Args, 647 ArgStringList &CmdArgs) { 648 for (const Arg *A : Args.filtered(options::OPT_ffile_prefix_map_EQ, 649 options::OPT_fmacro_prefix_map_EQ)) { 650 StringRef Map = A->getValue(); 651 if (Map.find('=') == StringRef::npos) 652 D.Diag(diag::err_drv_invalid_argument_to_option) 653 << Map << A->getOption().getName(); 654 else 655 CmdArgs.push_back(Args.MakeArgString("-fmacro-prefix-map=" + Map)); 656 A->claim(); 657 } 658 } 659 660 /// Vectorize at all optimization levels greater than 1 except for -Oz. 661 /// For -Oz the loop vectorizer is disabled, while the slp vectorizer is 662 /// enabled. 663 static bool shouldEnableVectorizerAtOLevel(const ArgList &Args, bool isSlpVec) { 664 if (Arg *A = Args.getLastArg(options::OPT_O_Group)) { 665 if (A->getOption().matches(options::OPT_O4) || 666 A->getOption().matches(options::OPT_Ofast)) 667 return true; 668 669 if (A->getOption().matches(options::OPT_O0)) 670 return false; 671 672 assert(A->getOption().matches(options::OPT_O) && "Must have a -O flag"); 673 674 // Vectorize -Os. 675 StringRef S(A->getValue()); 676 if (S == "s") 677 return true; 678 679 // Don't vectorize -Oz, unless it's the slp vectorizer. 680 if (S == "z") 681 return isSlpVec; 682 683 unsigned OptLevel = 0; 684 if (S.getAsInteger(10, OptLevel)) 685 return false; 686 687 return OptLevel > 1; 688 } 689 690 return false; 691 } 692 693 /// Add -x lang to \p CmdArgs for \p Input. 694 static void addDashXForInput(const ArgList &Args, const InputInfo &Input, 695 ArgStringList &CmdArgs) { 696 // When using -verify-pch, we don't want to provide the type 697 // 'precompiled-header' if it was inferred from the file extension 698 if (Args.hasArg(options::OPT_verify_pch) && Input.getType() == types::TY_PCH) 699 return; 700 701 CmdArgs.push_back("-x"); 702 if (Args.hasArg(options::OPT_rewrite_objc)) 703 CmdArgs.push_back(types::getTypeName(types::TY_PP_ObjCXX)); 704 else { 705 // Map the driver type to the frontend type. This is mostly an identity 706 // mapping, except that the distinction between module interface units 707 // and other source files does not exist at the frontend layer. 708 const char *ClangType; 709 switch (Input.getType()) { 710 case types::TY_CXXModule: 711 ClangType = "c++"; 712 break; 713 case types::TY_PP_CXXModule: 714 ClangType = "c++-cpp-output"; 715 break; 716 default: 717 ClangType = types::getTypeName(Input.getType()); 718 break; 719 } 720 CmdArgs.push_back(ClangType); 721 } 722 } 723 724 static void appendUserToPath(SmallVectorImpl<char> &Result) { 725 #ifdef LLVM_ON_UNIX 726 const char *Username = getenv("LOGNAME"); 727 #else 728 const char *Username = getenv("USERNAME"); 729 #endif 730 if (Username) { 731 // Validate that LoginName can be used in a path, and get its length. 732 size_t Len = 0; 733 for (const char *P = Username; *P; ++P, ++Len) { 734 if (!clang::isAlphanumeric(*P) && *P != '_') { 735 Username = nullptr; 736 break; 737 } 738 } 739 740 if (Username && Len > 0) { 741 Result.append(Username, Username + Len); 742 return; 743 } 744 } 745 746 // Fallback to user id. 747 #ifdef LLVM_ON_UNIX 748 std::string UID = llvm::utostr(getuid()); 749 #else 750 // FIXME: Windows seems to have an 'SID' that might work. 751 std::string UID = "9999"; 752 #endif 753 Result.append(UID.begin(), UID.end()); 754 } 755 756 static void addPGOAndCoverageFlags(const ToolChain &TC, Compilation &C, 757 const Driver &D, const InputInfo &Output, 758 const ArgList &Args, 759 ArgStringList &CmdArgs) { 760 761 auto *PGOGenerateArg = Args.getLastArg(options::OPT_fprofile_generate, 762 options::OPT_fprofile_generate_EQ, 763 options::OPT_fno_profile_generate); 764 if (PGOGenerateArg && 765 PGOGenerateArg->getOption().matches(options::OPT_fno_profile_generate)) 766 PGOGenerateArg = nullptr; 767 768 auto *CSPGOGenerateArg = Args.getLastArg(options::OPT_fcs_profile_generate, 769 options::OPT_fcs_profile_generate_EQ, 770 options::OPT_fno_profile_generate); 771 if (CSPGOGenerateArg && 772 CSPGOGenerateArg->getOption().matches(options::OPT_fno_profile_generate)) 773 CSPGOGenerateArg = nullptr; 774 775 auto *ProfileGenerateArg = Args.getLastArg( 776 options::OPT_fprofile_instr_generate, 777 options::OPT_fprofile_instr_generate_EQ, 778 options::OPT_fno_profile_instr_generate); 779 if (ProfileGenerateArg && 780 ProfileGenerateArg->getOption().matches( 781 options::OPT_fno_profile_instr_generate)) 782 ProfileGenerateArg = nullptr; 783 784 if (PGOGenerateArg && ProfileGenerateArg) 785 D.Diag(diag::err_drv_argument_not_allowed_with) 786 << PGOGenerateArg->getSpelling() << ProfileGenerateArg->getSpelling(); 787 788 auto *ProfileUseArg = getLastProfileUseArg(Args); 789 790 if (PGOGenerateArg && ProfileUseArg) 791 D.Diag(diag::err_drv_argument_not_allowed_with) 792 << ProfileUseArg->getSpelling() << PGOGenerateArg->getSpelling(); 793 794 if (ProfileGenerateArg && ProfileUseArg) 795 D.Diag(diag::err_drv_argument_not_allowed_with) 796 << ProfileGenerateArg->getSpelling() << ProfileUseArg->getSpelling(); 797 798 if (CSPGOGenerateArg && PGOGenerateArg) 799 D.Diag(diag::err_drv_argument_not_allowed_with) 800 << CSPGOGenerateArg->getSpelling() << PGOGenerateArg->getSpelling(); 801 802 if (ProfileGenerateArg) { 803 if (ProfileGenerateArg->getOption().matches( 804 options::OPT_fprofile_instr_generate_EQ)) 805 CmdArgs.push_back(Args.MakeArgString(Twine("-fprofile-instrument-path=") + 806 ProfileGenerateArg->getValue())); 807 // The default is to use Clang Instrumentation. 808 CmdArgs.push_back("-fprofile-instrument=clang"); 809 if (TC.getTriple().isWindowsMSVCEnvironment()) { 810 // Add dependent lib for clang_rt.profile 811 CmdArgs.push_back(Args.MakeArgString("--dependent-lib=" + 812 TC.getCompilerRT(Args, "profile"))); 813 } 814 } 815 816 Arg *PGOGenArg = nullptr; 817 if (PGOGenerateArg) { 818 assert(!CSPGOGenerateArg); 819 PGOGenArg = PGOGenerateArg; 820 CmdArgs.push_back("-fprofile-instrument=llvm"); 821 } 822 if (CSPGOGenerateArg) { 823 assert(!PGOGenerateArg); 824 PGOGenArg = CSPGOGenerateArg; 825 CmdArgs.push_back("-fprofile-instrument=csllvm"); 826 } 827 if (PGOGenArg) { 828 if (TC.getTriple().isWindowsMSVCEnvironment()) { 829 CmdArgs.push_back(Args.MakeArgString("--dependent-lib=" + 830 TC.getCompilerRT(Args, "profile"))); 831 } 832 if (PGOGenArg->getOption().matches( 833 PGOGenerateArg ? options::OPT_fprofile_generate_EQ 834 : options::OPT_fcs_profile_generate_EQ)) { 835 SmallString<128> Path(PGOGenArg->getValue()); 836 llvm::sys::path::append(Path, "default_%m.profraw"); 837 CmdArgs.push_back( 838 Args.MakeArgString(Twine("-fprofile-instrument-path=") + Path)); 839 } 840 } 841 842 if (ProfileUseArg) { 843 if (ProfileUseArg->getOption().matches(options::OPT_fprofile_instr_use_EQ)) 844 CmdArgs.push_back(Args.MakeArgString( 845 Twine("-fprofile-instrument-use-path=") + ProfileUseArg->getValue())); 846 else if ((ProfileUseArg->getOption().matches( 847 options::OPT_fprofile_use_EQ) || 848 ProfileUseArg->getOption().matches( 849 options::OPT_fprofile_instr_use))) { 850 SmallString<128> Path( 851 ProfileUseArg->getNumValues() == 0 ? "" : ProfileUseArg->getValue()); 852 if (Path.empty() || llvm::sys::fs::is_directory(Path)) 853 llvm::sys::path::append(Path, "default.profdata"); 854 CmdArgs.push_back( 855 Args.MakeArgString(Twine("-fprofile-instrument-use-path=") + Path)); 856 } 857 } 858 859 bool EmitCovNotes = Args.hasArg(options::OPT_ftest_coverage) || 860 Args.hasArg(options::OPT_coverage); 861 bool EmitCovData = Args.hasFlag(options::OPT_fprofile_arcs, 862 options::OPT_fno_profile_arcs, false) || 863 Args.hasArg(options::OPT_coverage); 864 if (EmitCovNotes) 865 CmdArgs.push_back("-femit-coverage-notes"); 866 if (EmitCovData) 867 CmdArgs.push_back("-femit-coverage-data"); 868 869 if (Args.hasFlag(options::OPT_fcoverage_mapping, 870 options::OPT_fno_coverage_mapping, false)) { 871 if (!ProfileGenerateArg) 872 D.Diag(clang::diag::err_drv_argument_only_allowed_with) 873 << "-fcoverage-mapping" 874 << "-fprofile-instr-generate"; 875 876 CmdArgs.push_back("-fcoverage-mapping"); 877 } 878 879 if (Args.hasArg(options::OPT_fprofile_exclude_files_EQ)) { 880 auto *Arg = Args.getLastArg(options::OPT_fprofile_exclude_files_EQ); 881 if (!Args.hasArg(options::OPT_coverage)) 882 D.Diag(clang::diag::err_drv_argument_only_allowed_with) 883 << "-fprofile-exclude-files=" 884 << "--coverage"; 885 886 StringRef v = Arg->getValue(); 887 CmdArgs.push_back( 888 Args.MakeArgString(Twine("-fprofile-exclude-files=" + v))); 889 } 890 891 if (Args.hasArg(options::OPT_fprofile_filter_files_EQ)) { 892 auto *Arg = Args.getLastArg(options::OPT_fprofile_filter_files_EQ); 893 if (!Args.hasArg(options::OPT_coverage)) 894 D.Diag(clang::diag::err_drv_argument_only_allowed_with) 895 << "-fprofile-filter-files=" 896 << "--coverage"; 897 898 StringRef v = Arg->getValue(); 899 CmdArgs.push_back(Args.MakeArgString(Twine("-fprofile-filter-files=" + v))); 900 } 901 902 // Leave -fprofile-dir= an unused argument unless .gcda emission is 903 // enabled. To be polite, with '-fprofile-arcs -fno-profile-arcs' consider 904 // the flag used. There is no -fno-profile-dir, so the user has no 905 // targeted way to suppress the warning. 906 Arg *FProfileDir = nullptr; 907 if (Args.hasArg(options::OPT_fprofile_arcs) || 908 Args.hasArg(options::OPT_coverage)) 909 FProfileDir = Args.getLastArg(options::OPT_fprofile_dir); 910 911 // Put the .gcno and .gcda files (if needed) next to the object file or 912 // bitcode file in the case of LTO. 913 // FIXME: There should be a simpler way to find the object file for this 914 // input, and this code probably does the wrong thing for commands that 915 // compile and link all at once. 916 if ((Args.hasArg(options::OPT_c) || Args.hasArg(options::OPT_S)) && 917 (EmitCovNotes || EmitCovData) && Output.isFilename()) { 918 SmallString<128> OutputFilename; 919 if (Arg *FinalOutput = C.getArgs().getLastArg(options::OPT__SLASH_Fo)) 920 OutputFilename = FinalOutput->getValue(); 921 else if (Arg *FinalOutput = C.getArgs().getLastArg(options::OPT_o)) 922 OutputFilename = FinalOutput->getValue(); 923 else 924 OutputFilename = llvm::sys::path::filename(Output.getBaseInput()); 925 SmallString<128> CoverageFilename = OutputFilename; 926 if (llvm::sys::path::is_relative(CoverageFilename)) 927 (void)D.getVFS().makeAbsolute(CoverageFilename); 928 llvm::sys::path::replace_extension(CoverageFilename, "gcno"); 929 930 CmdArgs.push_back("-coverage-notes-file"); 931 CmdArgs.push_back(Args.MakeArgString(CoverageFilename)); 932 933 if (EmitCovData) { 934 if (FProfileDir) { 935 CoverageFilename = FProfileDir->getValue(); 936 llvm::sys::path::append(CoverageFilename, OutputFilename); 937 } 938 llvm::sys::path::replace_extension(CoverageFilename, "gcda"); 939 CmdArgs.push_back("-coverage-data-file"); 940 CmdArgs.push_back(Args.MakeArgString(CoverageFilename)); 941 } 942 } 943 } 944 945 /// Check whether the given input tree contains any compilation actions. 946 static bool ContainsCompileAction(const Action *A) { 947 if (isa<CompileJobAction>(A) || isa<BackendJobAction>(A)) 948 return true; 949 950 for (const auto &AI : A->inputs()) 951 if (ContainsCompileAction(AI)) 952 return true; 953 954 return false; 955 } 956 957 /// Check if -relax-all should be passed to the internal assembler. 958 /// This is done by default when compiling non-assembler source with -O0. 959 static bool UseRelaxAll(Compilation &C, const ArgList &Args) { 960 bool RelaxDefault = true; 961 962 if (Arg *A = Args.getLastArg(options::OPT_O_Group)) 963 RelaxDefault = A->getOption().matches(options::OPT_O0); 964 965 if (RelaxDefault) { 966 RelaxDefault = false; 967 for (const auto &Act : C.getActions()) { 968 if (ContainsCompileAction(Act)) { 969 RelaxDefault = true; 970 break; 971 } 972 } 973 } 974 975 return Args.hasFlag(options::OPT_mrelax_all, options::OPT_mno_relax_all, 976 RelaxDefault); 977 } 978 979 // Extract the integer N from a string spelled "-dwarf-N", returning 0 980 // on mismatch. The StringRef input (rather than an Arg) allows 981 // for use by the "-Xassembler" option parser. 982 static unsigned DwarfVersionNum(StringRef ArgValue) { 983 return llvm::StringSwitch<unsigned>(ArgValue) 984 .Case("-gdwarf-2", 2) 985 .Case("-gdwarf-3", 3) 986 .Case("-gdwarf-4", 4) 987 .Case("-gdwarf-5", 5) 988 .Default(0); 989 } 990 991 static void RenderDebugEnablingArgs(const ArgList &Args, ArgStringList &CmdArgs, 992 codegenoptions::DebugInfoKind DebugInfoKind, 993 unsigned DwarfVersion, 994 llvm::DebuggerKind DebuggerTuning) { 995 switch (DebugInfoKind) { 996 case codegenoptions::DebugDirectivesOnly: 997 CmdArgs.push_back("-debug-info-kind=line-directives-only"); 998 break; 999 case codegenoptions::DebugLineTablesOnly: 1000 CmdArgs.push_back("-debug-info-kind=line-tables-only"); 1001 break; 1002 case codegenoptions::DebugInfoConstructor: 1003 CmdArgs.push_back("-debug-info-kind=constructor"); 1004 break; 1005 case codegenoptions::LimitedDebugInfo: 1006 CmdArgs.push_back("-debug-info-kind=limited"); 1007 break; 1008 case codegenoptions::FullDebugInfo: 1009 CmdArgs.push_back("-debug-info-kind=standalone"); 1010 break; 1011 default: 1012 break; 1013 } 1014 if (DwarfVersion > 0) 1015 CmdArgs.push_back( 1016 Args.MakeArgString("-dwarf-version=" + Twine(DwarfVersion))); 1017 switch (DebuggerTuning) { 1018 case llvm::DebuggerKind::GDB: 1019 CmdArgs.push_back("-debugger-tuning=gdb"); 1020 break; 1021 case llvm::DebuggerKind::LLDB: 1022 CmdArgs.push_back("-debugger-tuning=lldb"); 1023 break; 1024 case llvm::DebuggerKind::SCE: 1025 CmdArgs.push_back("-debugger-tuning=sce"); 1026 break; 1027 default: 1028 break; 1029 } 1030 } 1031 1032 static bool checkDebugInfoOption(const Arg *A, const ArgList &Args, 1033 const Driver &D, const ToolChain &TC) { 1034 assert(A && "Expected non-nullptr argument."); 1035 if (TC.supportsDebugInfoOption(A)) 1036 return true; 1037 D.Diag(diag::warn_drv_unsupported_debug_info_opt_for_target) 1038 << A->getAsString(Args) << TC.getTripleString(); 1039 return false; 1040 } 1041 1042 static void RenderDebugInfoCompressionArgs(const ArgList &Args, 1043 ArgStringList &CmdArgs, 1044 const Driver &D, 1045 const ToolChain &TC) { 1046 const Arg *A = Args.getLastArg(options::OPT_gz, options::OPT_gz_EQ); 1047 if (!A) 1048 return; 1049 if (checkDebugInfoOption(A, Args, D, TC)) { 1050 if (A->getOption().getID() == options::OPT_gz) { 1051 if (llvm::zlib::isAvailable()) 1052 CmdArgs.push_back("--compress-debug-sections"); 1053 else 1054 D.Diag(diag::warn_debug_compression_unavailable); 1055 return; 1056 } 1057 1058 StringRef Value = A->getValue(); 1059 if (Value == "none") { 1060 CmdArgs.push_back("--compress-debug-sections=none"); 1061 } else if (Value == "zlib" || Value == "zlib-gnu") { 1062 if (llvm::zlib::isAvailable()) { 1063 CmdArgs.push_back( 1064 Args.MakeArgString("--compress-debug-sections=" + Twine(Value))); 1065 } else { 1066 D.Diag(diag::warn_debug_compression_unavailable); 1067 } 1068 } else { 1069 D.Diag(diag::err_drv_unsupported_option_argument) 1070 << A->getOption().getName() << Value; 1071 } 1072 } 1073 } 1074 1075 static const char *RelocationModelName(llvm::Reloc::Model Model) { 1076 switch (Model) { 1077 case llvm::Reloc::Static: 1078 return "static"; 1079 case llvm::Reloc::PIC_: 1080 return "pic"; 1081 case llvm::Reloc::DynamicNoPIC: 1082 return "dynamic-no-pic"; 1083 case llvm::Reloc::ROPI: 1084 return "ropi"; 1085 case llvm::Reloc::RWPI: 1086 return "rwpi"; 1087 case llvm::Reloc::ROPI_RWPI: 1088 return "ropi-rwpi"; 1089 } 1090 llvm_unreachable("Unknown Reloc::Model kind"); 1091 } 1092 1093 void Clang::AddPreprocessingOptions(Compilation &C, const JobAction &JA, 1094 const Driver &D, const ArgList &Args, 1095 ArgStringList &CmdArgs, 1096 const InputInfo &Output, 1097 const InputInfoList &Inputs) const { 1098 const bool IsIAMCU = getToolChain().getTriple().isOSIAMCU(); 1099 1100 CheckPreprocessingOptions(D, Args); 1101 1102 Args.AddLastArg(CmdArgs, options::OPT_C); 1103 Args.AddLastArg(CmdArgs, options::OPT_CC); 1104 1105 // Handle dependency file generation. 1106 Arg *ArgM = Args.getLastArg(options::OPT_MM); 1107 if (!ArgM) 1108 ArgM = Args.getLastArg(options::OPT_M); 1109 Arg *ArgMD = Args.getLastArg(options::OPT_MMD); 1110 if (!ArgMD) 1111 ArgMD = Args.getLastArg(options::OPT_MD); 1112 1113 // -M and -MM imply -w. 1114 if (ArgM) 1115 CmdArgs.push_back("-w"); 1116 else 1117 ArgM = ArgMD; 1118 1119 if (ArgM) { 1120 // Determine the output location. 1121 const char *DepFile; 1122 if (Arg *MF = Args.getLastArg(options::OPT_MF)) { 1123 DepFile = MF->getValue(); 1124 C.addFailureResultFile(DepFile, &JA); 1125 } else if (Output.getType() == types::TY_Dependencies) { 1126 DepFile = Output.getFilename(); 1127 } else if (!ArgMD) { 1128 DepFile = "-"; 1129 } else { 1130 DepFile = getDependencyFileName(Args, Inputs); 1131 C.addFailureResultFile(DepFile, &JA); 1132 } 1133 CmdArgs.push_back("-dependency-file"); 1134 CmdArgs.push_back(DepFile); 1135 1136 bool HasTarget = false; 1137 for (const Arg *A : Args.filtered(options::OPT_MT, options::OPT_MQ)) { 1138 HasTarget = true; 1139 A->claim(); 1140 if (A->getOption().matches(options::OPT_MT)) { 1141 A->render(Args, CmdArgs); 1142 } else { 1143 CmdArgs.push_back("-MT"); 1144 SmallString<128> Quoted; 1145 QuoteTarget(A->getValue(), Quoted); 1146 CmdArgs.push_back(Args.MakeArgString(Quoted)); 1147 } 1148 } 1149 1150 // Add a default target if one wasn't specified. 1151 if (!HasTarget) { 1152 const char *DepTarget; 1153 1154 // If user provided -o, that is the dependency target, except 1155 // when we are only generating a dependency file. 1156 Arg *OutputOpt = Args.getLastArg(options::OPT_o); 1157 if (OutputOpt && Output.getType() != types::TY_Dependencies) { 1158 DepTarget = OutputOpt->getValue(); 1159 } else { 1160 // Otherwise derive from the base input. 1161 // 1162 // FIXME: This should use the computed output file location. 1163 SmallString<128> P(Inputs[0].getBaseInput()); 1164 llvm::sys::path::replace_extension(P, "o"); 1165 DepTarget = Args.MakeArgString(llvm::sys::path::filename(P)); 1166 } 1167 1168 CmdArgs.push_back("-MT"); 1169 SmallString<128> Quoted; 1170 QuoteTarget(DepTarget, Quoted); 1171 CmdArgs.push_back(Args.MakeArgString(Quoted)); 1172 } 1173 1174 if (ArgM->getOption().matches(options::OPT_M) || 1175 ArgM->getOption().matches(options::OPT_MD)) 1176 CmdArgs.push_back("-sys-header-deps"); 1177 if ((isa<PrecompileJobAction>(JA) && 1178 !Args.hasArg(options::OPT_fno_module_file_deps)) || 1179 Args.hasArg(options::OPT_fmodule_file_deps)) 1180 CmdArgs.push_back("-module-file-deps"); 1181 } 1182 1183 if (Args.hasArg(options::OPT_MG)) { 1184 if (!ArgM || ArgM->getOption().matches(options::OPT_MD) || 1185 ArgM->getOption().matches(options::OPT_MMD)) 1186 D.Diag(diag::err_drv_mg_requires_m_or_mm); 1187 CmdArgs.push_back("-MG"); 1188 } 1189 1190 Args.AddLastArg(CmdArgs, options::OPT_MP); 1191 Args.AddLastArg(CmdArgs, options::OPT_MV); 1192 1193 // Add offload include arguments specific for CUDA. This must happen before 1194 // we -I or -include anything else, because we must pick up the CUDA headers 1195 // from the particular CUDA installation, rather than from e.g. 1196 // /usr/local/include. 1197 if (JA.isOffloading(Action::OFK_Cuda)) 1198 getToolChain().AddCudaIncludeArgs(Args, CmdArgs); 1199 1200 // If we are offloading to a target via OpenMP we need to include the 1201 // openmp_wrappers folder which contains alternative system headers. 1202 if (JA.isDeviceOffloading(Action::OFK_OpenMP) && 1203 getToolChain().getTriple().isNVPTX()){ 1204 if (!Args.hasArg(options::OPT_nobuiltininc)) { 1205 // Add openmp_wrappers/* to our system include path. This lets us wrap 1206 // standard library headers. 1207 SmallString<128> P(D.ResourceDir); 1208 llvm::sys::path::append(P, "include"); 1209 llvm::sys::path::append(P, "openmp_wrappers"); 1210 CmdArgs.push_back("-internal-isystem"); 1211 CmdArgs.push_back(Args.MakeArgString(P)); 1212 } 1213 1214 CmdArgs.push_back("-include"); 1215 CmdArgs.push_back("__clang_openmp_math_declares.h"); 1216 } 1217 1218 // Add -i* options, and automatically translate to 1219 // -include-pch/-include-pth for transparent PCH support. It's 1220 // wonky, but we include looking for .gch so we can support seamless 1221 // replacement into a build system already set up to be generating 1222 // .gch files. 1223 1224 if (getToolChain().getDriver().IsCLMode()) { 1225 const Arg *YcArg = Args.getLastArg(options::OPT__SLASH_Yc); 1226 const Arg *YuArg = Args.getLastArg(options::OPT__SLASH_Yu); 1227 if (YcArg && JA.getKind() >= Action::PrecompileJobClass && 1228 JA.getKind() <= Action::AssembleJobClass) { 1229 CmdArgs.push_back(Args.MakeArgString("-building-pch-with-obj")); 1230 } 1231 if (YcArg || YuArg) { 1232 StringRef ThroughHeader = YcArg ? YcArg->getValue() : YuArg->getValue(); 1233 if (!isa<PrecompileJobAction>(JA)) { 1234 CmdArgs.push_back("-include-pch"); 1235 CmdArgs.push_back(Args.MakeArgString(D.GetClPchPath( 1236 C, !ThroughHeader.empty() 1237 ? ThroughHeader 1238 : llvm::sys::path::filename(Inputs[0].getBaseInput())))); 1239 } 1240 1241 if (ThroughHeader.empty()) { 1242 CmdArgs.push_back(Args.MakeArgString( 1243 Twine("-pch-through-hdrstop-") + (YcArg ? "create" : "use"))); 1244 } else { 1245 CmdArgs.push_back( 1246 Args.MakeArgString(Twine("-pch-through-header=") + ThroughHeader)); 1247 } 1248 } 1249 } 1250 1251 bool RenderedImplicitInclude = false; 1252 for (const Arg *A : Args.filtered(options::OPT_clang_i_Group)) { 1253 if (A->getOption().matches(options::OPT_include)) { 1254 // Handling of gcc-style gch precompiled headers. 1255 bool IsFirstImplicitInclude = !RenderedImplicitInclude; 1256 RenderedImplicitInclude = true; 1257 1258 bool FoundPCH = false; 1259 SmallString<128> P(A->getValue()); 1260 // We want the files to have a name like foo.h.pch. Add a dummy extension 1261 // so that replace_extension does the right thing. 1262 P += ".dummy"; 1263 llvm::sys::path::replace_extension(P, "pch"); 1264 if (llvm::sys::fs::exists(P)) 1265 FoundPCH = true; 1266 1267 if (!FoundPCH) { 1268 llvm::sys::path::replace_extension(P, "gch"); 1269 if (llvm::sys::fs::exists(P)) { 1270 FoundPCH = true; 1271 } 1272 } 1273 1274 if (FoundPCH) { 1275 if (IsFirstImplicitInclude) { 1276 A->claim(); 1277 CmdArgs.push_back("-include-pch"); 1278 CmdArgs.push_back(Args.MakeArgString(P)); 1279 continue; 1280 } else { 1281 // Ignore the PCH if not first on command line and emit warning. 1282 D.Diag(diag::warn_drv_pch_not_first_include) << P 1283 << A->getAsString(Args); 1284 } 1285 } 1286 } else if (A->getOption().matches(options::OPT_isystem_after)) { 1287 // Handling of paths which must come late. These entries are handled by 1288 // the toolchain itself after the resource dir is inserted in the right 1289 // search order. 1290 // Do not claim the argument so that the use of the argument does not 1291 // silently go unnoticed on toolchains which do not honour the option. 1292 continue; 1293 } else if (A->getOption().matches(options::OPT_stdlibxx_isystem)) { 1294 // Translated to -internal-isystem by the driver, no need to pass to cc1. 1295 continue; 1296 } 1297 1298 // Not translated, render as usual. 1299 A->claim(); 1300 A->render(Args, CmdArgs); 1301 } 1302 1303 Args.AddAllArgs(CmdArgs, 1304 {options::OPT_D, options::OPT_U, options::OPT_I_Group, 1305 options::OPT_F, options::OPT_index_header_map}); 1306 1307 // Add -Wp, and -Xpreprocessor if using the preprocessor. 1308 1309 // FIXME: There is a very unfortunate problem here, some troubled 1310 // souls abuse -Wp, to pass preprocessor options in gcc syntax. To 1311 // really support that we would have to parse and then translate 1312 // those options. :( 1313 Args.AddAllArgValues(CmdArgs, options::OPT_Wp_COMMA, 1314 options::OPT_Xpreprocessor); 1315 1316 // -I- is a deprecated GCC feature, reject it. 1317 if (Arg *A = Args.getLastArg(options::OPT_I_)) 1318 D.Diag(diag::err_drv_I_dash_not_supported) << A->getAsString(Args); 1319 1320 // If we have a --sysroot, and don't have an explicit -isysroot flag, add an 1321 // -isysroot to the CC1 invocation. 1322 StringRef sysroot = C.getSysRoot(); 1323 if (sysroot != "") { 1324 if (!Args.hasArg(options::OPT_isysroot)) { 1325 CmdArgs.push_back("-isysroot"); 1326 CmdArgs.push_back(C.getArgs().MakeArgString(sysroot)); 1327 } 1328 } 1329 1330 // Parse additional include paths from environment variables. 1331 // FIXME: We should probably sink the logic for handling these from the 1332 // frontend into the driver. It will allow deleting 4 otherwise unused flags. 1333 // CPATH - included following the user specified includes (but prior to 1334 // builtin and standard includes). 1335 addDirectoryList(Args, CmdArgs, "-I", "CPATH"); 1336 // C_INCLUDE_PATH - system includes enabled when compiling C. 1337 addDirectoryList(Args, CmdArgs, "-c-isystem", "C_INCLUDE_PATH"); 1338 // CPLUS_INCLUDE_PATH - system includes enabled when compiling C++. 1339 addDirectoryList(Args, CmdArgs, "-cxx-isystem", "CPLUS_INCLUDE_PATH"); 1340 // OBJC_INCLUDE_PATH - system includes enabled when compiling ObjC. 1341 addDirectoryList(Args, CmdArgs, "-objc-isystem", "OBJC_INCLUDE_PATH"); 1342 // OBJCPLUS_INCLUDE_PATH - system includes enabled when compiling ObjC++. 1343 addDirectoryList(Args, CmdArgs, "-objcxx-isystem", "OBJCPLUS_INCLUDE_PATH"); 1344 1345 // While adding the include arguments, we also attempt to retrieve the 1346 // arguments of related offloading toolchains or arguments that are specific 1347 // of an offloading programming model. 1348 1349 // Add C++ include arguments, if needed. 1350 if (types::isCXX(Inputs[0].getType())) { 1351 bool HasStdlibxxIsystem = Args.hasArg(options::OPT_stdlibxx_isystem); 1352 forAllAssociatedToolChains( 1353 C, JA, getToolChain(), 1354 [&Args, &CmdArgs, HasStdlibxxIsystem](const ToolChain &TC) { 1355 HasStdlibxxIsystem ? TC.AddClangCXXStdlibIsystemArgs(Args, CmdArgs) 1356 : TC.AddClangCXXStdlibIncludeArgs(Args, CmdArgs); 1357 }); 1358 } 1359 1360 // Add system include arguments for all targets but IAMCU. 1361 if (!IsIAMCU) 1362 forAllAssociatedToolChains(C, JA, getToolChain(), 1363 [&Args, &CmdArgs](const ToolChain &TC) { 1364 TC.AddClangSystemIncludeArgs(Args, CmdArgs); 1365 }); 1366 else { 1367 // For IAMCU add special include arguments. 1368 getToolChain().AddIAMCUIncludeArgs(Args, CmdArgs); 1369 } 1370 1371 addMacroPrefixMapArg(D, Args, CmdArgs); 1372 } 1373 1374 // FIXME: Move to target hook. 1375 static bool isSignedCharDefault(const llvm::Triple &Triple) { 1376 switch (Triple.getArch()) { 1377 default: 1378 return true; 1379 1380 case llvm::Triple::aarch64: 1381 case llvm::Triple::aarch64_32: 1382 case llvm::Triple::aarch64_be: 1383 case llvm::Triple::arm: 1384 case llvm::Triple::armeb: 1385 case llvm::Triple::thumb: 1386 case llvm::Triple::thumbeb: 1387 if (Triple.isOSDarwin() || Triple.isOSWindows()) 1388 return true; 1389 return false; 1390 1391 case llvm::Triple::ppc: 1392 case llvm::Triple::ppc64: 1393 if (Triple.isOSDarwin()) 1394 return true; 1395 return false; 1396 1397 case llvm::Triple::hexagon: 1398 case llvm::Triple::ppc64le: 1399 case llvm::Triple::riscv32: 1400 case llvm::Triple::riscv64: 1401 case llvm::Triple::systemz: 1402 case llvm::Triple::xcore: 1403 return false; 1404 } 1405 } 1406 1407 static bool isNoCommonDefault(const llvm::Triple &Triple) { 1408 switch (Triple.getArch()) { 1409 default: 1410 if (Triple.isOSFuchsia()) 1411 return true; 1412 return false; 1413 1414 case llvm::Triple::xcore: 1415 case llvm::Triple::wasm32: 1416 case llvm::Triple::wasm64: 1417 return true; 1418 } 1419 } 1420 1421 static bool hasMultipleInvocations(const llvm::Triple &Triple, 1422 const ArgList &Args) { 1423 // Supported only on Darwin where we invoke the compiler multiple times 1424 // followed by an invocation to lipo. 1425 if (!Triple.isOSDarwin()) 1426 return false; 1427 // If more than one "-arch <arch>" is specified, we're targeting multiple 1428 // architectures resulting in a fat binary. 1429 return Args.getAllArgValues(options::OPT_arch).size() > 1; 1430 } 1431 1432 static bool checkRemarksOptions(const Driver &D, const ArgList &Args, 1433 const llvm::Triple &Triple) { 1434 // When enabling remarks, we need to error if: 1435 // * The remark file is specified but we're targeting multiple architectures, 1436 // which means more than one remark file is being generated. 1437 bool hasMultipleInvocations = ::hasMultipleInvocations(Triple, Args); 1438 bool hasExplicitOutputFile = 1439 Args.getLastArg(options::OPT_foptimization_record_file_EQ); 1440 if (hasMultipleInvocations && hasExplicitOutputFile) { 1441 D.Diag(diag::err_drv_invalid_output_with_multiple_archs) 1442 << "-foptimization-record-file"; 1443 return false; 1444 } 1445 return true; 1446 } 1447 1448 static void renderRemarksOptions(const ArgList &Args, ArgStringList &CmdArgs, 1449 const llvm::Triple &Triple, 1450 const InputInfo &Input, 1451 const InputInfo &Output, const JobAction &JA) { 1452 StringRef Format = "yaml"; 1453 if (const Arg *A = Args.getLastArg(options::OPT_fsave_optimization_record_EQ)) 1454 Format = A->getValue(); 1455 1456 CmdArgs.push_back("-opt-record-file"); 1457 1458 const Arg *A = Args.getLastArg(options::OPT_foptimization_record_file_EQ); 1459 if (A) { 1460 CmdArgs.push_back(A->getValue()); 1461 } else { 1462 bool hasMultipleArchs = 1463 Triple.isOSDarwin() && // Only supported on Darwin platforms. 1464 Args.getAllArgValues(options::OPT_arch).size() > 1; 1465 1466 SmallString<128> F; 1467 1468 if (Args.hasArg(options::OPT_c) || Args.hasArg(options::OPT_S)) { 1469 if (Arg *FinalOutput = Args.getLastArg(options::OPT_o)) 1470 F = FinalOutput->getValue(); 1471 } else { 1472 if (Format != "yaml" && // For YAML, keep the original behavior. 1473 Triple.isOSDarwin() && // Enable this only on darwin, since it's the only platform supporting .dSYM bundles. 1474 Output.isFilename()) 1475 F = Output.getFilename(); 1476 } 1477 1478 if (F.empty()) { 1479 // Use the input filename. 1480 F = llvm::sys::path::stem(Input.getBaseInput()); 1481 1482 // If we're compiling for an offload architecture (i.e. a CUDA device), 1483 // we need to make the file name for the device compilation different 1484 // from the host compilation. 1485 if (!JA.isDeviceOffloading(Action::OFK_None) && 1486 !JA.isDeviceOffloading(Action::OFK_Host)) { 1487 llvm::sys::path::replace_extension(F, ""); 1488 F += Action::GetOffloadingFileNamePrefix(JA.getOffloadingDeviceKind(), 1489 Triple.normalize()); 1490 F += "-"; 1491 F += JA.getOffloadingArch(); 1492 } 1493 } 1494 1495 // If we're having more than one "-arch", we should name the files 1496 // differently so that every cc1 invocation writes to a different file. 1497 // We're doing that by appending "-<arch>" with "<arch>" being the arch 1498 // name from the triple. 1499 if (hasMultipleArchs) { 1500 // First, remember the extension. 1501 SmallString<64> OldExtension = llvm::sys::path::extension(F); 1502 // then, remove it. 1503 llvm::sys::path::replace_extension(F, ""); 1504 // attach -<arch> to it. 1505 F += "-"; 1506 F += Triple.getArchName(); 1507 // put back the extension. 1508 llvm::sys::path::replace_extension(F, OldExtension); 1509 } 1510 1511 SmallString<32> Extension; 1512 Extension += "opt."; 1513 Extension += Format; 1514 1515 llvm::sys::path::replace_extension(F, Extension); 1516 CmdArgs.push_back(Args.MakeArgString(F)); 1517 } 1518 1519 if (const Arg *A = 1520 Args.getLastArg(options::OPT_foptimization_record_passes_EQ)) { 1521 CmdArgs.push_back("-opt-record-passes"); 1522 CmdArgs.push_back(A->getValue()); 1523 } 1524 1525 if (!Format.empty()) { 1526 CmdArgs.push_back("-opt-record-format"); 1527 CmdArgs.push_back(Format.data()); 1528 } 1529 } 1530 1531 namespace { 1532 void RenderARMABI(const llvm::Triple &Triple, const ArgList &Args, 1533 ArgStringList &CmdArgs) { 1534 // Select the ABI to use. 1535 // FIXME: Support -meabi. 1536 // FIXME: Parts of this are duplicated in the backend, unify this somehow. 1537 const char *ABIName = nullptr; 1538 if (Arg *A = Args.getLastArg(options::OPT_mabi_EQ)) { 1539 ABIName = A->getValue(); 1540 } else { 1541 std::string CPU = getCPUName(Args, Triple, /*FromAs*/ false); 1542 ABIName = llvm::ARM::computeDefaultTargetABI(Triple, CPU).data(); 1543 } 1544 1545 CmdArgs.push_back("-target-abi"); 1546 CmdArgs.push_back(ABIName); 1547 } 1548 } 1549 1550 void Clang::AddARMTargetArgs(const llvm::Triple &Triple, const ArgList &Args, 1551 ArgStringList &CmdArgs, bool KernelOrKext) const { 1552 RenderARMABI(Triple, Args, CmdArgs); 1553 1554 // Determine floating point ABI from the options & target defaults. 1555 arm::FloatABI ABI = arm::getARMFloatABI(getToolChain(), Args); 1556 if (ABI == arm::FloatABI::Soft) { 1557 // Floating point operations and argument passing are soft. 1558 // FIXME: This changes CPP defines, we need -target-soft-float. 1559 CmdArgs.push_back("-msoft-float"); 1560 CmdArgs.push_back("-mfloat-abi"); 1561 CmdArgs.push_back("soft"); 1562 } else if (ABI == arm::FloatABI::SoftFP) { 1563 // Floating point operations are hard, but argument passing is soft. 1564 CmdArgs.push_back("-mfloat-abi"); 1565 CmdArgs.push_back("soft"); 1566 } else { 1567 // Floating point operations and argument passing are hard. 1568 assert(ABI == arm::FloatABI::Hard && "Invalid float abi!"); 1569 CmdArgs.push_back("-mfloat-abi"); 1570 CmdArgs.push_back("hard"); 1571 } 1572 1573 // Forward the -mglobal-merge option for explicit control over the pass. 1574 if (Arg *A = Args.getLastArg(options::OPT_mglobal_merge, 1575 options::OPT_mno_global_merge)) { 1576 CmdArgs.push_back("-mllvm"); 1577 if (A->getOption().matches(options::OPT_mno_global_merge)) 1578 CmdArgs.push_back("-arm-global-merge=false"); 1579 else 1580 CmdArgs.push_back("-arm-global-merge=true"); 1581 } 1582 1583 if (!Args.hasFlag(options::OPT_mimplicit_float, 1584 options::OPT_mno_implicit_float, true)) 1585 CmdArgs.push_back("-no-implicit-float"); 1586 1587 if (Args.getLastArg(options::OPT_mcmse)) 1588 CmdArgs.push_back("-mcmse"); 1589 } 1590 1591 void Clang::RenderTargetOptions(const llvm::Triple &EffectiveTriple, 1592 const ArgList &Args, bool KernelOrKext, 1593 ArgStringList &CmdArgs) const { 1594 const ToolChain &TC = getToolChain(); 1595 1596 // Add the target features 1597 getTargetFeatures(TC, EffectiveTriple, Args, CmdArgs, false); 1598 1599 // Add target specific flags. 1600 switch (TC.getArch()) { 1601 default: 1602 break; 1603 1604 case llvm::Triple::arm: 1605 case llvm::Triple::armeb: 1606 case llvm::Triple::thumb: 1607 case llvm::Triple::thumbeb: 1608 // Use the effective triple, which takes into account the deployment target. 1609 AddARMTargetArgs(EffectiveTriple, Args, CmdArgs, KernelOrKext); 1610 CmdArgs.push_back("-fallow-half-arguments-and-returns"); 1611 break; 1612 1613 case llvm::Triple::aarch64: 1614 case llvm::Triple::aarch64_32: 1615 case llvm::Triple::aarch64_be: 1616 AddAArch64TargetArgs(Args, CmdArgs); 1617 CmdArgs.push_back("-fallow-half-arguments-and-returns"); 1618 break; 1619 1620 case llvm::Triple::mips: 1621 case llvm::Triple::mipsel: 1622 case llvm::Triple::mips64: 1623 case llvm::Triple::mips64el: 1624 AddMIPSTargetArgs(Args, CmdArgs); 1625 break; 1626 1627 case llvm::Triple::ppc: 1628 case llvm::Triple::ppc64: 1629 case llvm::Triple::ppc64le: 1630 AddPPCTargetArgs(Args, CmdArgs); 1631 break; 1632 1633 case llvm::Triple::riscv32: 1634 case llvm::Triple::riscv64: 1635 AddRISCVTargetArgs(Args, CmdArgs); 1636 break; 1637 1638 case llvm::Triple::sparc: 1639 case llvm::Triple::sparcel: 1640 case llvm::Triple::sparcv9: 1641 AddSparcTargetArgs(Args, CmdArgs); 1642 break; 1643 1644 case llvm::Triple::systemz: 1645 AddSystemZTargetArgs(Args, CmdArgs); 1646 break; 1647 1648 case llvm::Triple::x86: 1649 case llvm::Triple::x86_64: 1650 AddX86TargetArgs(Args, CmdArgs); 1651 break; 1652 1653 case llvm::Triple::lanai: 1654 AddLanaiTargetArgs(Args, CmdArgs); 1655 break; 1656 1657 case llvm::Triple::hexagon: 1658 AddHexagonTargetArgs(Args, CmdArgs); 1659 break; 1660 1661 case llvm::Triple::wasm32: 1662 case llvm::Triple::wasm64: 1663 AddWebAssemblyTargetArgs(Args, CmdArgs); 1664 break; 1665 } 1666 } 1667 1668 namespace { 1669 void RenderAArch64ABI(const llvm::Triple &Triple, const ArgList &Args, 1670 ArgStringList &CmdArgs) { 1671 const char *ABIName = nullptr; 1672 if (Arg *A = Args.getLastArg(options::OPT_mabi_EQ)) 1673 ABIName = A->getValue(); 1674 else if (Triple.isOSDarwin()) 1675 ABIName = "darwinpcs"; 1676 else 1677 ABIName = "aapcs"; 1678 1679 CmdArgs.push_back("-target-abi"); 1680 CmdArgs.push_back(ABIName); 1681 } 1682 } 1683 1684 void Clang::AddAArch64TargetArgs(const ArgList &Args, 1685 ArgStringList &CmdArgs) const { 1686 const llvm::Triple &Triple = getToolChain().getEffectiveTriple(); 1687 1688 if (!Args.hasFlag(options::OPT_mred_zone, options::OPT_mno_red_zone, true) || 1689 Args.hasArg(options::OPT_mkernel) || 1690 Args.hasArg(options::OPT_fapple_kext)) 1691 CmdArgs.push_back("-disable-red-zone"); 1692 1693 if (!Args.hasFlag(options::OPT_mimplicit_float, 1694 options::OPT_mno_implicit_float, true)) 1695 CmdArgs.push_back("-no-implicit-float"); 1696 1697 RenderAArch64ABI(Triple, Args, CmdArgs); 1698 1699 if (Arg *A = Args.getLastArg(options::OPT_mfix_cortex_a53_835769, 1700 options::OPT_mno_fix_cortex_a53_835769)) { 1701 CmdArgs.push_back("-mllvm"); 1702 if (A->getOption().matches(options::OPT_mfix_cortex_a53_835769)) 1703 CmdArgs.push_back("-aarch64-fix-cortex-a53-835769=1"); 1704 else 1705 CmdArgs.push_back("-aarch64-fix-cortex-a53-835769=0"); 1706 } else if (Triple.isAndroid()) { 1707 // Enabled A53 errata (835769) workaround by default on android 1708 CmdArgs.push_back("-mllvm"); 1709 CmdArgs.push_back("-aarch64-fix-cortex-a53-835769=1"); 1710 } 1711 1712 // Forward the -mglobal-merge option for explicit control over the pass. 1713 if (Arg *A = Args.getLastArg(options::OPT_mglobal_merge, 1714 options::OPT_mno_global_merge)) { 1715 CmdArgs.push_back("-mllvm"); 1716 if (A->getOption().matches(options::OPT_mno_global_merge)) 1717 CmdArgs.push_back("-aarch64-enable-global-merge=false"); 1718 else 1719 CmdArgs.push_back("-aarch64-enable-global-merge=true"); 1720 } 1721 1722 // Enable/disable return address signing and indirect branch targets. 1723 if (Arg *A = Args.getLastArg(options::OPT_msign_return_address_EQ, 1724 options::OPT_mbranch_protection_EQ)) { 1725 1726 const Driver &D = getToolChain().getDriver(); 1727 1728 StringRef Scope, Key; 1729 bool IndirectBranches; 1730 1731 if (A->getOption().matches(options::OPT_msign_return_address_EQ)) { 1732 Scope = A->getValue(); 1733 if (!Scope.equals("none") && !Scope.equals("non-leaf") && 1734 !Scope.equals("all")) 1735 D.Diag(diag::err_invalid_branch_protection) 1736 << Scope << A->getAsString(Args); 1737 Key = "a_key"; 1738 IndirectBranches = false; 1739 } else { 1740 StringRef Err; 1741 llvm::AArch64::ParsedBranchProtection PBP; 1742 if (!llvm::AArch64::parseBranchProtection(A->getValue(), PBP, Err)) 1743 D.Diag(diag::err_invalid_branch_protection) 1744 << Err << A->getAsString(Args); 1745 Scope = PBP.Scope; 1746 Key = PBP.Key; 1747 IndirectBranches = PBP.BranchTargetEnforcement; 1748 } 1749 1750 CmdArgs.push_back( 1751 Args.MakeArgString(Twine("-msign-return-address=") + Scope)); 1752 CmdArgs.push_back( 1753 Args.MakeArgString(Twine("-msign-return-address-key=") + Key)); 1754 if (IndirectBranches) 1755 CmdArgs.push_back("-mbranch-target-enforce"); 1756 } 1757 } 1758 1759 void Clang::AddMIPSTargetArgs(const ArgList &Args, 1760 ArgStringList &CmdArgs) const { 1761 const Driver &D = getToolChain().getDriver(); 1762 StringRef CPUName; 1763 StringRef ABIName; 1764 const llvm::Triple &Triple = getToolChain().getTriple(); 1765 mips::getMipsCPUAndABI(Args, Triple, CPUName, ABIName); 1766 1767 CmdArgs.push_back("-target-abi"); 1768 CmdArgs.push_back(ABIName.data()); 1769 1770 mips::FloatABI ABI = mips::getMipsFloatABI(D, Args, Triple); 1771 if (ABI == mips::FloatABI::Soft) { 1772 // Floating point operations and argument passing are soft. 1773 CmdArgs.push_back("-msoft-float"); 1774 CmdArgs.push_back("-mfloat-abi"); 1775 CmdArgs.push_back("soft"); 1776 } else { 1777 // Floating point operations and argument passing are hard. 1778 assert(ABI == mips::FloatABI::Hard && "Invalid float abi!"); 1779 CmdArgs.push_back("-mfloat-abi"); 1780 CmdArgs.push_back("hard"); 1781 } 1782 1783 if (Arg *A = Args.getLastArg(options::OPT_mldc1_sdc1, 1784 options::OPT_mno_ldc1_sdc1)) { 1785 if (A->getOption().matches(options::OPT_mno_ldc1_sdc1)) { 1786 CmdArgs.push_back("-mllvm"); 1787 CmdArgs.push_back("-mno-ldc1-sdc1"); 1788 } 1789 } 1790 1791 if (Arg *A = Args.getLastArg(options::OPT_mcheck_zero_division, 1792 options::OPT_mno_check_zero_division)) { 1793 if (A->getOption().matches(options::OPT_mno_check_zero_division)) { 1794 CmdArgs.push_back("-mllvm"); 1795 CmdArgs.push_back("-mno-check-zero-division"); 1796 } 1797 } 1798 1799 if (Arg *A = Args.getLastArg(options::OPT_G)) { 1800 StringRef v = A->getValue(); 1801 CmdArgs.push_back("-mllvm"); 1802 CmdArgs.push_back(Args.MakeArgString("-mips-ssection-threshold=" + v)); 1803 A->claim(); 1804 } 1805 1806 Arg *GPOpt = Args.getLastArg(options::OPT_mgpopt, options::OPT_mno_gpopt); 1807 Arg *ABICalls = 1808 Args.getLastArg(options::OPT_mabicalls, options::OPT_mno_abicalls); 1809 1810 // -mabicalls is the default for many MIPS environments, even with -fno-pic. 1811 // -mgpopt is the default for static, -fno-pic environments but these two 1812 // options conflict. We want to be certain that -mno-abicalls -mgpopt is 1813 // the only case where -mllvm -mgpopt is passed. 1814 // NOTE: We need a warning here or in the backend to warn when -mgpopt is 1815 // passed explicitly when compiling something with -mabicalls 1816 // (implictly) in affect. Currently the warning is in the backend. 1817 // 1818 // When the ABI in use is N64, we also need to determine the PIC mode that 1819 // is in use, as -fno-pic for N64 implies -mno-abicalls. 1820 bool NoABICalls = 1821 ABICalls && ABICalls->getOption().matches(options::OPT_mno_abicalls); 1822 1823 llvm::Reloc::Model RelocationModel; 1824 unsigned PICLevel; 1825 bool IsPIE; 1826 std::tie(RelocationModel, PICLevel, IsPIE) = 1827 ParsePICArgs(getToolChain(), Args); 1828 1829 NoABICalls = NoABICalls || 1830 (RelocationModel == llvm::Reloc::Static && ABIName == "n64"); 1831 1832 bool WantGPOpt = GPOpt && GPOpt->getOption().matches(options::OPT_mgpopt); 1833 // We quietly ignore -mno-gpopt as the backend defaults to -mno-gpopt. 1834 if (NoABICalls && (!GPOpt || WantGPOpt)) { 1835 CmdArgs.push_back("-mllvm"); 1836 CmdArgs.push_back("-mgpopt"); 1837 1838 Arg *LocalSData = Args.getLastArg(options::OPT_mlocal_sdata, 1839 options::OPT_mno_local_sdata); 1840 Arg *ExternSData = Args.getLastArg(options::OPT_mextern_sdata, 1841 options::OPT_mno_extern_sdata); 1842 Arg *EmbeddedData = Args.getLastArg(options::OPT_membedded_data, 1843 options::OPT_mno_embedded_data); 1844 if (LocalSData) { 1845 CmdArgs.push_back("-mllvm"); 1846 if (LocalSData->getOption().matches(options::OPT_mlocal_sdata)) { 1847 CmdArgs.push_back("-mlocal-sdata=1"); 1848 } else { 1849 CmdArgs.push_back("-mlocal-sdata=0"); 1850 } 1851 LocalSData->claim(); 1852 } 1853 1854 if (ExternSData) { 1855 CmdArgs.push_back("-mllvm"); 1856 if (ExternSData->getOption().matches(options::OPT_mextern_sdata)) { 1857 CmdArgs.push_back("-mextern-sdata=1"); 1858 } else { 1859 CmdArgs.push_back("-mextern-sdata=0"); 1860 } 1861 ExternSData->claim(); 1862 } 1863 1864 if (EmbeddedData) { 1865 CmdArgs.push_back("-mllvm"); 1866 if (EmbeddedData->getOption().matches(options::OPT_membedded_data)) { 1867 CmdArgs.push_back("-membedded-data=1"); 1868 } else { 1869 CmdArgs.push_back("-membedded-data=0"); 1870 } 1871 EmbeddedData->claim(); 1872 } 1873 1874 } else if ((!ABICalls || (!NoABICalls && ABICalls)) && WantGPOpt) 1875 D.Diag(diag::warn_drv_unsupported_gpopt) << (ABICalls ? 0 : 1); 1876 1877 if (GPOpt) 1878 GPOpt->claim(); 1879 1880 if (Arg *A = Args.getLastArg(options::OPT_mcompact_branches_EQ)) { 1881 StringRef Val = StringRef(A->getValue()); 1882 if (mips::hasCompactBranches(CPUName)) { 1883 if (Val == "never" || Val == "always" || Val == "optimal") { 1884 CmdArgs.push_back("-mllvm"); 1885 CmdArgs.push_back(Args.MakeArgString("-mips-compact-branches=" + Val)); 1886 } else 1887 D.Diag(diag::err_drv_unsupported_option_argument) 1888 << A->getOption().getName() << Val; 1889 } else 1890 D.Diag(diag::warn_target_unsupported_compact_branches) << CPUName; 1891 } 1892 1893 if (Arg *A = Args.getLastArg(options::OPT_mrelax_pic_calls, 1894 options::OPT_mno_relax_pic_calls)) { 1895 if (A->getOption().matches(options::OPT_mno_relax_pic_calls)) { 1896 CmdArgs.push_back("-mllvm"); 1897 CmdArgs.push_back("-mips-jalr-reloc=0"); 1898 } 1899 } 1900 } 1901 1902 void Clang::AddPPCTargetArgs(const ArgList &Args, 1903 ArgStringList &CmdArgs) const { 1904 // Select the ABI to use. 1905 const char *ABIName = nullptr; 1906 const llvm::Triple &T = getToolChain().getTriple(); 1907 if (T.isOSBinFormatELF()) { 1908 switch (getToolChain().getArch()) { 1909 case llvm::Triple::ppc64: { 1910 // When targeting a processor that supports QPX, or if QPX is 1911 // specifically enabled, default to using the ABI that supports QPX (so 1912 // long as it is not specifically disabled). 1913 bool HasQPX = false; 1914 if (Arg *A = Args.getLastArg(options::OPT_mcpu_EQ)) 1915 HasQPX = A->getValue() == StringRef("a2q"); 1916 HasQPX = Args.hasFlag(options::OPT_mqpx, options::OPT_mno_qpx, HasQPX); 1917 if (HasQPX) { 1918 ABIName = "elfv1-qpx"; 1919 break; 1920 } 1921 1922 if ((T.isOSFreeBSD() && T.getOSMajorVersion() >= 13) || 1923 T.isOSOpenBSD() || T.isMusl()) 1924 ABIName = "elfv2"; 1925 else 1926 ABIName = "elfv1"; 1927 break; 1928 } 1929 case llvm::Triple::ppc64le: 1930 ABIName = "elfv2"; 1931 break; 1932 default: 1933 break; 1934 } 1935 } 1936 1937 bool IEEELongDouble = false; 1938 for (const Arg *A : Args.filtered(options::OPT_mabi_EQ)) { 1939 StringRef V = A->getValue(); 1940 if (V == "ieeelongdouble") 1941 IEEELongDouble = true; 1942 else if (V == "ibmlongdouble") 1943 IEEELongDouble = false; 1944 else if (V != "altivec") 1945 // The ppc64 linux abis are all "altivec" abis by default. Accept and ignore 1946 // the option if given as we don't have backend support for any targets 1947 // that don't use the altivec abi. 1948 ABIName = A->getValue(); 1949 } 1950 if (IEEELongDouble) 1951 CmdArgs.push_back("-mabi=ieeelongdouble"); 1952 1953 ppc::FloatABI FloatABI = 1954 ppc::getPPCFloatABI(getToolChain().getDriver(), Args); 1955 1956 if (FloatABI == ppc::FloatABI::Soft) { 1957 // Floating point operations and argument passing are soft. 1958 CmdArgs.push_back("-msoft-float"); 1959 CmdArgs.push_back("-mfloat-abi"); 1960 CmdArgs.push_back("soft"); 1961 } else { 1962 // Floating point operations and argument passing are hard. 1963 assert(FloatABI == ppc::FloatABI::Hard && "Invalid float abi!"); 1964 CmdArgs.push_back("-mfloat-abi"); 1965 CmdArgs.push_back("hard"); 1966 } 1967 1968 if (ABIName) { 1969 CmdArgs.push_back("-target-abi"); 1970 CmdArgs.push_back(ABIName); 1971 } 1972 } 1973 1974 void Clang::AddRISCVTargetArgs(const ArgList &Args, 1975 ArgStringList &CmdArgs) const { 1976 const llvm::Triple &Triple = getToolChain().getTriple(); 1977 StringRef ABIName = riscv::getRISCVABI(Args, Triple); 1978 1979 CmdArgs.push_back("-target-abi"); 1980 CmdArgs.push_back(ABIName.data()); 1981 } 1982 1983 void Clang::AddSparcTargetArgs(const ArgList &Args, 1984 ArgStringList &CmdArgs) const { 1985 sparc::FloatABI FloatABI = 1986 sparc::getSparcFloatABI(getToolChain().getDriver(), Args); 1987 1988 if (FloatABI == sparc::FloatABI::Soft) { 1989 // Floating point operations and argument passing are soft. 1990 CmdArgs.push_back("-msoft-float"); 1991 CmdArgs.push_back("-mfloat-abi"); 1992 CmdArgs.push_back("soft"); 1993 } else { 1994 // Floating point operations and argument passing are hard. 1995 assert(FloatABI == sparc::FloatABI::Hard && "Invalid float abi!"); 1996 CmdArgs.push_back("-mfloat-abi"); 1997 CmdArgs.push_back("hard"); 1998 } 1999 } 2000 2001 void Clang::AddSystemZTargetArgs(const ArgList &Args, 2002 ArgStringList &CmdArgs) const { 2003 bool HasBackchain = Args.hasFlag(options::OPT_mbackchain, 2004 options::OPT_mno_backchain, false); 2005 bool HasPackedStack = Args.hasFlag(options::OPT_mpacked_stack, 2006 options::OPT_mno_packed_stack, false); 2007 if (HasBackchain && HasPackedStack) { 2008 const Driver &D = getToolChain().getDriver(); 2009 D.Diag(diag::err_drv_unsupported_opt) 2010 << Args.getLastArg(options::OPT_mpacked_stack)->getAsString(Args) + 2011 " " + Args.getLastArg(options::OPT_mbackchain)->getAsString(Args); 2012 } 2013 if (HasBackchain) 2014 CmdArgs.push_back("-mbackchain"); 2015 if (HasPackedStack) 2016 CmdArgs.push_back("-mpacked-stack"); 2017 } 2018 2019 static void addX86AlignBranchArgs(const Driver &D, const ArgList &Args, 2020 ArgStringList &CmdArgs) { 2021 if (Args.hasArg(options::OPT_mbranches_within_32B_boundaries)) { 2022 CmdArgs.push_back("-mllvm"); 2023 CmdArgs.push_back("-x86-branches-within-32B-boundaries"); 2024 } 2025 if (const Arg *A = Args.getLastArg(options::OPT_malign_branch_boundary_EQ)) { 2026 StringRef Value = A->getValue(); 2027 unsigned Boundary; 2028 if (Value.getAsInteger(10, Boundary) || Boundary < 16 || 2029 !llvm::isPowerOf2_64(Boundary)) { 2030 D.Diag(diag::err_drv_invalid_argument_to_option) 2031 << Value << A->getOption().getName(); 2032 } else { 2033 CmdArgs.push_back("-mllvm"); 2034 CmdArgs.push_back( 2035 Args.MakeArgString("-x86-align-branch-boundary=" + Twine(Boundary))); 2036 } 2037 } 2038 if (const Arg *A = Args.getLastArg(options::OPT_malign_branch_EQ)) { 2039 std::string AlignBranch; 2040 for (StringRef T : A->getValues()) { 2041 if (T != "fused" && T != "jcc" && T != "jmp" && T != "call" && 2042 T != "ret" && T != "indirect") 2043 D.Diag(diag::err_drv_invalid_malign_branch_EQ) 2044 << T << "fused, jcc, jmp, call, ret, indirect"; 2045 if (!AlignBranch.empty()) 2046 AlignBranch += '+'; 2047 AlignBranch += T; 2048 } 2049 CmdArgs.push_back("-mllvm"); 2050 CmdArgs.push_back(Args.MakeArgString("-x86-align-branch=" + AlignBranch)); 2051 } 2052 if (const Arg *A = 2053 Args.getLastArg(options::OPT_malign_branch_prefix_size_EQ)) { 2054 StringRef Value = A->getValue(); 2055 unsigned PrefixSize; 2056 if (Value.getAsInteger(10, PrefixSize) || PrefixSize > 5) { 2057 D.Diag(diag::err_drv_invalid_argument_to_option) 2058 << Value << A->getOption().getName(); 2059 } else { 2060 CmdArgs.push_back("-mllvm"); 2061 CmdArgs.push_back(Args.MakeArgString("-x86-align-branch-prefix-size=" + 2062 Twine(PrefixSize))); 2063 } 2064 } 2065 } 2066 2067 void Clang::AddX86TargetArgs(const ArgList &Args, 2068 ArgStringList &CmdArgs) const { 2069 const Driver &D = getToolChain().getDriver(); 2070 addX86AlignBranchArgs(D, Args, CmdArgs); 2071 2072 if (!Args.hasFlag(options::OPT_mred_zone, options::OPT_mno_red_zone, true) || 2073 Args.hasArg(options::OPT_mkernel) || 2074 Args.hasArg(options::OPT_fapple_kext)) 2075 CmdArgs.push_back("-disable-red-zone"); 2076 2077 if (!Args.hasFlag(options::OPT_mtls_direct_seg_refs, 2078 options::OPT_mno_tls_direct_seg_refs, true)) 2079 CmdArgs.push_back("-mno-tls-direct-seg-refs"); 2080 2081 // Default to avoid implicit floating-point for kernel/kext code, but allow 2082 // that to be overridden with -mno-soft-float. 2083 bool NoImplicitFloat = (Args.hasArg(options::OPT_mkernel) || 2084 Args.hasArg(options::OPT_fapple_kext)); 2085 if (Arg *A = Args.getLastArg( 2086 options::OPT_msoft_float, options::OPT_mno_soft_float, 2087 options::OPT_mimplicit_float, options::OPT_mno_implicit_float)) { 2088 const Option &O = A->getOption(); 2089 NoImplicitFloat = (O.matches(options::OPT_mno_implicit_float) || 2090 O.matches(options::OPT_msoft_float)); 2091 } 2092 if (NoImplicitFloat) 2093 CmdArgs.push_back("-no-implicit-float"); 2094 2095 if (Arg *A = Args.getLastArg(options::OPT_masm_EQ)) { 2096 StringRef Value = A->getValue(); 2097 if (Value == "intel" || Value == "att") { 2098 CmdArgs.push_back("-mllvm"); 2099 CmdArgs.push_back(Args.MakeArgString("-x86-asm-syntax=" + Value)); 2100 } else { 2101 D.Diag(diag::err_drv_unsupported_option_argument) 2102 << A->getOption().getName() << Value; 2103 } 2104 } else if (D.IsCLMode()) { 2105 CmdArgs.push_back("-mllvm"); 2106 CmdArgs.push_back("-x86-asm-syntax=intel"); 2107 } 2108 2109 // Set flags to support MCU ABI. 2110 if (Args.hasFlag(options::OPT_miamcu, options::OPT_mno_iamcu, false)) { 2111 CmdArgs.push_back("-mfloat-abi"); 2112 CmdArgs.push_back("soft"); 2113 CmdArgs.push_back("-mstack-alignment=4"); 2114 } 2115 } 2116 2117 void Clang::AddHexagonTargetArgs(const ArgList &Args, 2118 ArgStringList &CmdArgs) const { 2119 CmdArgs.push_back("-mqdsp6-compat"); 2120 CmdArgs.push_back("-Wreturn-type"); 2121 2122 if (auto G = toolchains::HexagonToolChain::getSmallDataThreshold(Args)) { 2123 CmdArgs.push_back("-mllvm"); 2124 CmdArgs.push_back(Args.MakeArgString("-hexagon-small-data-threshold=" + 2125 Twine(G.getValue()))); 2126 } 2127 2128 if (!Args.hasArg(options::OPT_fno_short_enums)) 2129 CmdArgs.push_back("-fshort-enums"); 2130 if (Args.getLastArg(options::OPT_mieee_rnd_near)) { 2131 CmdArgs.push_back("-mllvm"); 2132 CmdArgs.push_back("-enable-hexagon-ieee-rnd-near"); 2133 } 2134 CmdArgs.push_back("-mllvm"); 2135 CmdArgs.push_back("-machine-sink-split=0"); 2136 } 2137 2138 void Clang::AddLanaiTargetArgs(const ArgList &Args, 2139 ArgStringList &CmdArgs) const { 2140 if (Arg *A = Args.getLastArg(options::OPT_mcpu_EQ)) { 2141 StringRef CPUName = A->getValue(); 2142 2143 CmdArgs.push_back("-target-cpu"); 2144 CmdArgs.push_back(Args.MakeArgString(CPUName)); 2145 } 2146 if (Arg *A = Args.getLastArg(options::OPT_mregparm_EQ)) { 2147 StringRef Value = A->getValue(); 2148 // Only support mregparm=4 to support old usage. Report error for all other 2149 // cases. 2150 int Mregparm; 2151 if (Value.getAsInteger(10, Mregparm)) { 2152 if (Mregparm != 4) { 2153 getToolChain().getDriver().Diag( 2154 diag::err_drv_unsupported_option_argument) 2155 << A->getOption().getName() << Value; 2156 } 2157 } 2158 } 2159 } 2160 2161 void Clang::AddWebAssemblyTargetArgs(const ArgList &Args, 2162 ArgStringList &CmdArgs) const { 2163 // Default to "hidden" visibility. 2164 if (!Args.hasArg(options::OPT_fvisibility_EQ, 2165 options::OPT_fvisibility_ms_compat)) { 2166 CmdArgs.push_back("-fvisibility"); 2167 CmdArgs.push_back("hidden"); 2168 } 2169 } 2170 2171 void Clang::DumpCompilationDatabase(Compilation &C, StringRef Filename, 2172 StringRef Target, const InputInfo &Output, 2173 const InputInfo &Input, const ArgList &Args) const { 2174 // If this is a dry run, do not create the compilation database file. 2175 if (C.getArgs().hasArg(options::OPT__HASH_HASH_HASH)) 2176 return; 2177 2178 using llvm::yaml::escape; 2179 const Driver &D = getToolChain().getDriver(); 2180 2181 if (!CompilationDatabase) { 2182 std::error_code EC; 2183 auto File = std::make_unique<llvm::raw_fd_ostream>(Filename, EC, 2184 llvm::sys::fs::OF_Text); 2185 if (EC) { 2186 D.Diag(clang::diag::err_drv_compilationdatabase) << Filename 2187 << EC.message(); 2188 return; 2189 } 2190 CompilationDatabase = std::move(File); 2191 } 2192 auto &CDB = *CompilationDatabase; 2193 auto CWD = D.getVFS().getCurrentWorkingDirectory(); 2194 if (!CWD) 2195 CWD = "."; 2196 CDB << "{ \"directory\": \"" << escape(*CWD) << "\""; 2197 CDB << ", \"file\": \"" << escape(Input.getFilename()) << "\""; 2198 CDB << ", \"output\": \"" << escape(Output.getFilename()) << "\""; 2199 CDB << ", \"arguments\": [\"" << escape(D.ClangExecutable) << "\""; 2200 SmallString<128> Buf; 2201 Buf = "-x"; 2202 Buf += types::getTypeName(Input.getType()); 2203 CDB << ", \"" << escape(Buf) << "\""; 2204 if (!D.SysRoot.empty() && !Args.hasArg(options::OPT__sysroot_EQ)) { 2205 Buf = "--sysroot="; 2206 Buf += D.SysRoot; 2207 CDB << ", \"" << escape(Buf) << "\""; 2208 } 2209 CDB << ", \"" << escape(Input.getFilename()) << "\""; 2210 for (auto &A: Args) { 2211 auto &O = A->getOption(); 2212 // Skip language selection, which is positional. 2213 if (O.getID() == options::OPT_x) 2214 continue; 2215 // Skip writing dependency output and the compilation database itself. 2216 if (O.getGroup().isValid() && O.getGroup().getID() == options::OPT_M_Group) 2217 continue; 2218 if (O.getID() == options::OPT_gen_cdb_fragment_path) 2219 continue; 2220 // Skip inputs. 2221 if (O.getKind() == Option::InputClass) 2222 continue; 2223 // All other arguments are quoted and appended. 2224 ArgStringList ASL; 2225 A->render(Args, ASL); 2226 for (auto &it: ASL) 2227 CDB << ", \"" << escape(it) << "\""; 2228 } 2229 Buf = "--target="; 2230 Buf += Target; 2231 CDB << ", \"" << escape(Buf) << "\"]},\n"; 2232 } 2233 2234 void Clang::DumpCompilationDatabaseFragmentToDir( 2235 StringRef Dir, Compilation &C, StringRef Target, const InputInfo &Output, 2236 const InputInfo &Input, const llvm::opt::ArgList &Args) const { 2237 // If this is a dry run, do not create the compilation database file. 2238 if (C.getArgs().hasArg(options::OPT__HASH_HASH_HASH)) 2239 return; 2240 2241 if (CompilationDatabase) 2242 DumpCompilationDatabase(C, "", Target, Output, Input, Args); 2243 2244 SmallString<256> Path = Dir; 2245 const auto &Driver = C.getDriver(); 2246 Driver.getVFS().makeAbsolute(Path); 2247 auto Err = llvm::sys::fs::create_directory(Path, /*IgnoreExisting=*/true); 2248 if (Err) { 2249 Driver.Diag(diag::err_drv_compilationdatabase) << Dir << Err.message(); 2250 return; 2251 } 2252 2253 llvm::sys::path::append( 2254 Path, 2255 Twine(llvm::sys::path::filename(Input.getFilename())) + ".%%%%.json"); 2256 int FD; 2257 SmallString<256> TempPath; 2258 Err = llvm::sys::fs::createUniqueFile(Path, FD, TempPath); 2259 if (Err) { 2260 Driver.Diag(diag::err_drv_compilationdatabase) << Path << Err.message(); 2261 return; 2262 } 2263 CompilationDatabase = 2264 std::make_unique<llvm::raw_fd_ostream>(FD, /*shouldClose=*/true); 2265 DumpCompilationDatabase(C, "", Target, Output, Input, Args); 2266 } 2267 2268 static void CollectArgsForIntegratedAssembler(Compilation &C, 2269 const ArgList &Args, 2270 ArgStringList &CmdArgs, 2271 const Driver &D) { 2272 if (UseRelaxAll(C, Args)) 2273 CmdArgs.push_back("-mrelax-all"); 2274 2275 // Only default to -mincremental-linker-compatible if we think we are 2276 // targeting the MSVC linker. 2277 bool DefaultIncrementalLinkerCompatible = 2278 C.getDefaultToolChain().getTriple().isWindowsMSVCEnvironment(); 2279 if (Args.hasFlag(options::OPT_mincremental_linker_compatible, 2280 options::OPT_mno_incremental_linker_compatible, 2281 DefaultIncrementalLinkerCompatible)) 2282 CmdArgs.push_back("-mincremental-linker-compatible"); 2283 2284 switch (C.getDefaultToolChain().getArch()) { 2285 case llvm::Triple::arm: 2286 case llvm::Triple::armeb: 2287 case llvm::Triple::thumb: 2288 case llvm::Triple::thumbeb: 2289 if (Arg *A = Args.getLastArg(options::OPT_mimplicit_it_EQ)) { 2290 StringRef Value = A->getValue(); 2291 if (Value == "always" || Value == "never" || Value == "arm" || 2292 Value == "thumb") { 2293 CmdArgs.push_back("-mllvm"); 2294 CmdArgs.push_back(Args.MakeArgString("-arm-implicit-it=" + Value)); 2295 } else { 2296 D.Diag(diag::err_drv_unsupported_option_argument) 2297 << A->getOption().getName() << Value; 2298 } 2299 } 2300 break; 2301 default: 2302 break; 2303 } 2304 2305 // If you add more args here, also add them to the block below that 2306 // starts with "// If CollectArgsForIntegratedAssembler() isn't called below". 2307 2308 // When passing -I arguments to the assembler we sometimes need to 2309 // unconditionally take the next argument. For example, when parsing 2310 // '-Wa,-I -Wa,foo' we need to accept the -Wa,foo arg after seeing the 2311 // -Wa,-I arg and when parsing '-Wa,-I,foo' we need to accept the 'foo' 2312 // arg after parsing the '-I' arg. 2313 bool TakeNextArg = false; 2314 2315 bool UseRelaxRelocations = C.getDefaultToolChain().useRelaxRelocations(); 2316 bool UseNoExecStack = C.getDefaultToolChain().isNoExecStackDefault(); 2317 const char *MipsTargetFeature = nullptr; 2318 for (const Arg *A : 2319 Args.filtered(options::OPT_Wa_COMMA, options::OPT_Xassembler)) { 2320 A->claim(); 2321 2322 for (StringRef Value : A->getValues()) { 2323 if (TakeNextArg) { 2324 CmdArgs.push_back(Value.data()); 2325 TakeNextArg = false; 2326 continue; 2327 } 2328 2329 if (C.getDefaultToolChain().getTriple().isOSBinFormatCOFF() && 2330 Value == "-mbig-obj") 2331 continue; // LLVM handles bigobj automatically 2332 2333 switch (C.getDefaultToolChain().getArch()) { 2334 default: 2335 break; 2336 case llvm::Triple::thumb: 2337 case llvm::Triple::thumbeb: 2338 case llvm::Triple::arm: 2339 case llvm::Triple::armeb: 2340 if (Value == "-mthumb") 2341 // -mthumb has already been processed in ComputeLLVMTriple() 2342 // recognize but skip over here. 2343 continue; 2344 break; 2345 case llvm::Triple::mips: 2346 case llvm::Triple::mipsel: 2347 case llvm::Triple::mips64: 2348 case llvm::Triple::mips64el: 2349 if (Value == "--trap") { 2350 CmdArgs.push_back("-target-feature"); 2351 CmdArgs.push_back("+use-tcc-in-div"); 2352 continue; 2353 } 2354 if (Value == "--break") { 2355 CmdArgs.push_back("-target-feature"); 2356 CmdArgs.push_back("-use-tcc-in-div"); 2357 continue; 2358 } 2359 if (Value.startswith("-msoft-float")) { 2360 CmdArgs.push_back("-target-feature"); 2361 CmdArgs.push_back("+soft-float"); 2362 continue; 2363 } 2364 if (Value.startswith("-mhard-float")) { 2365 CmdArgs.push_back("-target-feature"); 2366 CmdArgs.push_back("-soft-float"); 2367 continue; 2368 } 2369 if (Value.startswith("-mfix-loongson2f-btb")) { 2370 CmdArgs.push_back("-mllvm"); 2371 CmdArgs.push_back("-fix-loongson2f-btb"); 2372 continue; 2373 } 2374 2375 MipsTargetFeature = llvm::StringSwitch<const char *>(Value) 2376 .Case("-mips1", "+mips1") 2377 .Case("-mips2", "+mips2") 2378 .Case("-mips3", "+mips3") 2379 .Case("-mips4", "+mips4") 2380 .Case("-mips5", "+mips5") 2381 .Case("-mips32", "+mips32") 2382 .Case("-mips32r2", "+mips32r2") 2383 .Case("-mips32r3", "+mips32r3") 2384 .Case("-mips32r5", "+mips32r5") 2385 .Case("-mips32r6", "+mips32r6") 2386 .Case("-mips64", "+mips64") 2387 .Case("-mips64r2", "+mips64r2") 2388 .Case("-mips64r3", "+mips64r3") 2389 .Case("-mips64r5", "+mips64r5") 2390 .Case("-mips64r6", "+mips64r6") 2391 .Default(nullptr); 2392 if (MipsTargetFeature) 2393 continue; 2394 } 2395 2396 if (Value == "-force_cpusubtype_ALL") { 2397 // Do nothing, this is the default and we don't support anything else. 2398 } else if (Value == "-L") { 2399 CmdArgs.push_back("-msave-temp-labels"); 2400 } else if (Value == "--fatal-warnings") { 2401 CmdArgs.push_back("-massembler-fatal-warnings"); 2402 } else if (Value == "--no-warn" || Value == "-W") { 2403 CmdArgs.push_back("-massembler-no-warn"); 2404 } else if (Value == "--noexecstack") { 2405 UseNoExecStack = true; 2406 } else if (Value.startswith("-compress-debug-sections") || 2407 Value.startswith("--compress-debug-sections") || 2408 Value == "-nocompress-debug-sections" || 2409 Value == "--nocompress-debug-sections") { 2410 CmdArgs.push_back(Value.data()); 2411 } else if (Value == "-mrelax-relocations=yes" || 2412 Value == "--mrelax-relocations=yes") { 2413 UseRelaxRelocations = true; 2414 } else if (Value == "-mrelax-relocations=no" || 2415 Value == "--mrelax-relocations=no") { 2416 UseRelaxRelocations = false; 2417 } else if (Value.startswith("-I")) { 2418 CmdArgs.push_back(Value.data()); 2419 // We need to consume the next argument if the current arg is a plain 2420 // -I. The next arg will be the include directory. 2421 if (Value == "-I") 2422 TakeNextArg = true; 2423 } else if (Value.startswith("-gdwarf-")) { 2424 // "-gdwarf-N" options are not cc1as options. 2425 unsigned DwarfVersion = DwarfVersionNum(Value); 2426 if (DwarfVersion == 0) { // Send it onward, and let cc1as complain. 2427 CmdArgs.push_back(Value.data()); 2428 } else { 2429 RenderDebugEnablingArgs(Args, CmdArgs, 2430 codegenoptions::LimitedDebugInfo, 2431 DwarfVersion, llvm::DebuggerKind::Default); 2432 } 2433 } else if (Value.startswith("-mcpu") || Value.startswith("-mfpu") || 2434 Value.startswith("-mhwdiv") || Value.startswith("-march")) { 2435 // Do nothing, we'll validate it later. 2436 } else if (Value == "-defsym") { 2437 if (A->getNumValues() != 2) { 2438 D.Diag(diag::err_drv_defsym_invalid_format) << Value; 2439 break; 2440 } 2441 const char *S = A->getValue(1); 2442 auto Pair = StringRef(S).split('='); 2443 auto Sym = Pair.first; 2444 auto SVal = Pair.second; 2445 2446 if (Sym.empty() || SVal.empty()) { 2447 D.Diag(diag::err_drv_defsym_invalid_format) << S; 2448 break; 2449 } 2450 int64_t IVal; 2451 if (SVal.getAsInteger(0, IVal)) { 2452 D.Diag(diag::err_drv_defsym_invalid_symval) << SVal; 2453 break; 2454 } 2455 CmdArgs.push_back(Value.data()); 2456 TakeNextArg = true; 2457 } else if (Value == "-fdebug-compilation-dir") { 2458 CmdArgs.push_back("-fdebug-compilation-dir"); 2459 TakeNextArg = true; 2460 } else if (Value.consume_front("-fdebug-compilation-dir=")) { 2461 // The flag is a -Wa / -Xassembler argument and Options doesn't 2462 // parse the argument, so this isn't automatically aliased to 2463 // -fdebug-compilation-dir (without '=') here. 2464 CmdArgs.push_back("-fdebug-compilation-dir"); 2465 CmdArgs.push_back(Value.data()); 2466 } else { 2467 D.Diag(diag::err_drv_unsupported_option_argument) 2468 << A->getOption().getName() << Value; 2469 } 2470 } 2471 } 2472 if (UseRelaxRelocations) 2473 CmdArgs.push_back("--mrelax-relocations"); 2474 if (UseNoExecStack) 2475 CmdArgs.push_back("-mnoexecstack"); 2476 if (MipsTargetFeature != nullptr) { 2477 CmdArgs.push_back("-target-feature"); 2478 CmdArgs.push_back(MipsTargetFeature); 2479 } 2480 2481 // forward -fembed-bitcode to assmebler 2482 if (C.getDriver().embedBitcodeEnabled() || 2483 C.getDriver().embedBitcodeMarkerOnly()) 2484 Args.AddLastArg(CmdArgs, options::OPT_fembed_bitcode_EQ); 2485 } 2486 2487 static void RenderFloatingPointOptions(const ToolChain &TC, const Driver &D, 2488 bool OFastEnabled, const ArgList &Args, 2489 ArgStringList &CmdArgs) { 2490 // Handle various floating point optimization flags, mapping them to the 2491 // appropriate LLVM code generation flags. This is complicated by several 2492 // "umbrella" flags, so we do this by stepping through the flags incrementally 2493 // adjusting what we think is enabled/disabled, then at the end setting the 2494 // LLVM flags based on the final state. 2495 bool HonorINFs = true; 2496 bool HonorNaNs = true; 2497 // -fmath-errno is the default on some platforms, e.g. BSD-derived OSes. 2498 bool MathErrno = TC.IsMathErrnoDefault(); 2499 bool AssociativeMath = false; 2500 bool ReciprocalMath = false; 2501 bool SignedZeros = true; 2502 bool TrappingMath = false; // Implemented via -ffp-exception-behavior 2503 bool TrappingMathPresent = false; // Is trapping-math in args, and not 2504 // overriden by ffp-exception-behavior? 2505 bool RoundingFPMath = false; 2506 bool RoundingMathPresent = false; // Is rounding-math in args? 2507 // -ffp-model values: strict, fast, precise 2508 StringRef FPModel = ""; 2509 // -ffp-exception-behavior options: strict, maytrap, ignore 2510 StringRef FPExceptionBehavior = ""; 2511 StringRef DenormalFPMath = ""; 2512 StringRef FPContract = ""; 2513 bool StrictFPModel = false; 2514 2515 if (const Arg *A = Args.getLastArg(options::OPT_flimited_precision_EQ)) { 2516 CmdArgs.push_back("-mlimit-float-precision"); 2517 CmdArgs.push_back(A->getValue()); 2518 } 2519 2520 for (const Arg *A : Args) { 2521 auto optID = A->getOption().getID(); 2522 bool PreciseFPModel = false; 2523 switch (optID) { 2524 default: 2525 break; 2526 case options::OPT_ffp_model_EQ: { 2527 // If -ffp-model= is seen, reset to fno-fast-math 2528 HonorINFs = true; 2529 HonorNaNs = true; 2530 // Turning *off* -ffast-math restores the toolchain default. 2531 MathErrno = TC.IsMathErrnoDefault(); 2532 AssociativeMath = false; 2533 ReciprocalMath = false; 2534 SignedZeros = true; 2535 // -fno_fast_math restores default denormal and fpcontract handling 2536 DenormalFPMath = ""; 2537 FPContract = ""; 2538 StringRef Val = A->getValue(); 2539 if (OFastEnabled && !Val.equals("fast")) { 2540 // Only -ffp-model=fast is compatible with OFast, ignore. 2541 D.Diag(clang::diag::warn_drv_overriding_flag_option) 2542 << Args.MakeArgString("-ffp-model=" + Val) 2543 << "-Ofast"; 2544 break; 2545 } 2546 StrictFPModel = false; 2547 PreciseFPModel = true; 2548 // ffp-model= is a Driver option, it is entirely rewritten into more 2549 // granular options before being passed into cc1. 2550 // Use the gcc option in the switch below. 2551 if (!FPModel.empty() && !FPModel.equals(Val)) { 2552 D.Diag(clang::diag::warn_drv_overriding_flag_option) 2553 << Args.MakeArgString("-ffp-model=" + FPModel) 2554 << Args.MakeArgString("-ffp-model=" + Val); 2555 FPContract = ""; 2556 } 2557 if (Val.equals("fast")) { 2558 optID = options::OPT_ffast_math; 2559 FPModel = Val; 2560 FPContract = "fast"; 2561 } else if (Val.equals("precise")) { 2562 optID = options::OPT_ffp_contract; 2563 FPModel = Val; 2564 FPContract = "fast"; 2565 PreciseFPModel = true; 2566 } else if (Val.equals("strict")) { 2567 StrictFPModel = true; 2568 optID = options::OPT_frounding_math; 2569 FPExceptionBehavior = "strict"; 2570 FPModel = Val; 2571 TrappingMath = true; 2572 } else 2573 D.Diag(diag::err_drv_unsupported_option_argument) 2574 << A->getOption().getName() << Val; 2575 break; 2576 } 2577 } 2578 2579 switch (optID) { 2580 // If this isn't an FP option skip the claim below 2581 default: continue; 2582 2583 // Options controlling individual features 2584 case options::OPT_fhonor_infinities: HonorINFs = true; break; 2585 case options::OPT_fno_honor_infinities: HonorINFs = false; break; 2586 case options::OPT_fhonor_nans: HonorNaNs = true; break; 2587 case options::OPT_fno_honor_nans: HonorNaNs = false; break; 2588 case options::OPT_fmath_errno: MathErrno = true; break; 2589 case options::OPT_fno_math_errno: MathErrno = false; break; 2590 case options::OPT_fassociative_math: AssociativeMath = true; break; 2591 case options::OPT_fno_associative_math: AssociativeMath = false; break; 2592 case options::OPT_freciprocal_math: ReciprocalMath = true; break; 2593 case options::OPT_fno_reciprocal_math: ReciprocalMath = false; break; 2594 case options::OPT_fsigned_zeros: SignedZeros = true; break; 2595 case options::OPT_fno_signed_zeros: SignedZeros = false; break; 2596 case options::OPT_ftrapping_math: 2597 if (!TrappingMathPresent && !FPExceptionBehavior.empty() && 2598 !FPExceptionBehavior.equals("strict")) 2599 // Warn that previous value of option is overridden. 2600 D.Diag(clang::diag::warn_drv_overriding_flag_option) 2601 << Args.MakeArgString("-ffp-exception-behavior=" + FPExceptionBehavior) 2602 << "-ftrapping-math"; 2603 TrappingMath = true; 2604 TrappingMathPresent = true; 2605 FPExceptionBehavior = "strict"; 2606 break; 2607 case options::OPT_fno_trapping_math: 2608 if (!TrappingMathPresent && !FPExceptionBehavior.empty() && 2609 !FPExceptionBehavior.equals("ignore")) 2610 // Warn that previous value of option is overridden. 2611 D.Diag(clang::diag::warn_drv_overriding_flag_option) 2612 << Args.MakeArgString("-ffp-exception-behavior=" + FPExceptionBehavior) 2613 << "-fno-trapping-math"; 2614 TrappingMath = false; 2615 TrappingMathPresent = true; 2616 FPExceptionBehavior = "ignore"; 2617 break; 2618 2619 case options::OPT_frounding_math: 2620 RoundingFPMath = true; 2621 RoundingMathPresent = true; 2622 break; 2623 2624 case options::OPT_fno_rounding_math: 2625 RoundingFPMath = false; 2626 RoundingMathPresent = false; 2627 break; 2628 2629 case options::OPT_fdenormal_fp_math_EQ: 2630 DenormalFPMath = A->getValue(); 2631 break; 2632 2633 // Validate and pass through -ffp-contract option. 2634 case options::OPT_ffp_contract: { 2635 StringRef Val = A->getValue(); 2636 if (PreciseFPModel) { 2637 // -ffp-model=precise enables ffp-contract=fast as a side effect 2638 // the FPContract value has already been set to a string literal 2639 // and the Val string isn't a pertinent value. 2640 ; 2641 } else if (Val.equals("fast") || Val.equals("on") || Val.equals("off")) 2642 FPContract = Val; 2643 else 2644 D.Diag(diag::err_drv_unsupported_option_argument) 2645 << A->getOption().getName() << Val; 2646 break; 2647 } 2648 2649 // Validate and pass through -ffp-model option. 2650 case options::OPT_ffp_model_EQ: 2651 // This should only occur in the error case 2652 // since the optID has been replaced by a more granular 2653 // floating point option. 2654 break; 2655 2656 // Validate and pass through -ffp-exception-behavior option. 2657 case options::OPT_ffp_exception_behavior_EQ: { 2658 StringRef Val = A->getValue(); 2659 if (!TrappingMathPresent && !FPExceptionBehavior.empty() && 2660 !FPExceptionBehavior.equals(Val)) 2661 // Warn that previous value of option is overridden. 2662 D.Diag(clang::diag::warn_drv_overriding_flag_option) 2663 << Args.MakeArgString("-ffp-exception-behavior=" + FPExceptionBehavior) 2664 << Args.MakeArgString("-ffp-exception-behavior=" + Val); 2665 TrappingMath = TrappingMathPresent = false; 2666 if (Val.equals("ignore") || Val.equals("maytrap")) 2667 FPExceptionBehavior = Val; 2668 else if (Val.equals("strict")) { 2669 FPExceptionBehavior = Val; 2670 TrappingMath = TrappingMathPresent = true; 2671 } else 2672 D.Diag(diag::err_drv_unsupported_option_argument) 2673 << A->getOption().getName() << Val; 2674 break; 2675 } 2676 2677 case options::OPT_ffinite_math_only: 2678 HonorINFs = false; 2679 HonorNaNs = false; 2680 break; 2681 case options::OPT_fno_finite_math_only: 2682 HonorINFs = true; 2683 HonorNaNs = true; 2684 break; 2685 2686 case options::OPT_funsafe_math_optimizations: 2687 AssociativeMath = true; 2688 ReciprocalMath = true; 2689 SignedZeros = false; 2690 TrappingMath = false; 2691 FPExceptionBehavior = ""; 2692 break; 2693 case options::OPT_fno_unsafe_math_optimizations: 2694 AssociativeMath = false; 2695 ReciprocalMath = false; 2696 SignedZeros = true; 2697 TrappingMath = true; 2698 FPExceptionBehavior = "strict"; 2699 // -fno_unsafe_math_optimizations restores default denormal handling 2700 DenormalFPMath = ""; 2701 break; 2702 2703 case options::OPT_Ofast: 2704 // If -Ofast is the optimization level, then -ffast-math should be enabled 2705 if (!OFastEnabled) 2706 continue; 2707 LLVM_FALLTHROUGH; 2708 case options::OPT_ffast_math: 2709 HonorINFs = false; 2710 HonorNaNs = false; 2711 MathErrno = false; 2712 AssociativeMath = true; 2713 ReciprocalMath = true; 2714 SignedZeros = false; 2715 TrappingMath = false; 2716 RoundingFPMath = false; 2717 // If fast-math is set then set the fp-contract mode to fast. 2718 FPContract = "fast"; 2719 break; 2720 case options::OPT_fno_fast_math: 2721 HonorINFs = true; 2722 HonorNaNs = true; 2723 // Turning on -ffast-math (with either flag) removes the need for 2724 // MathErrno. However, turning *off* -ffast-math merely restores the 2725 // toolchain default (which may be false). 2726 MathErrno = TC.IsMathErrnoDefault(); 2727 AssociativeMath = false; 2728 ReciprocalMath = false; 2729 SignedZeros = true; 2730 TrappingMath = false; 2731 RoundingFPMath = false; 2732 // -fno_fast_math restores default denormal and fpcontract handling 2733 DenormalFPMath = ""; 2734 FPContract = ""; 2735 break; 2736 } 2737 if (StrictFPModel) { 2738 // If -ffp-model=strict has been specified on command line but 2739 // subsequent options conflict then emit warning diagnostic. 2740 if (HonorINFs && HonorNaNs && 2741 !AssociativeMath && !ReciprocalMath && 2742 SignedZeros && TrappingMath && RoundingFPMath && 2743 DenormalFPMath.empty() && FPContract.empty()) 2744 // OK: Current Arg doesn't conflict with -ffp-model=strict 2745 ; 2746 else { 2747 StrictFPModel = false; 2748 FPModel = ""; 2749 D.Diag(clang::diag::warn_drv_overriding_flag_option) 2750 << "-ffp-model=strict" << 2751 ((A->getNumValues() == 0) ? A->getSpelling() 2752 : Args.MakeArgString(A->getSpelling() + A->getValue())); 2753 } 2754 } 2755 2756 // If we handled this option claim it 2757 A->claim(); 2758 } 2759 2760 if (!HonorINFs) 2761 CmdArgs.push_back("-menable-no-infs"); 2762 2763 if (!HonorNaNs) 2764 CmdArgs.push_back("-menable-no-nans"); 2765 2766 if (MathErrno) 2767 CmdArgs.push_back("-fmath-errno"); 2768 2769 if (!MathErrno && AssociativeMath && ReciprocalMath && !SignedZeros && 2770 !TrappingMath) 2771 CmdArgs.push_back("-menable-unsafe-fp-math"); 2772 2773 if (!SignedZeros) 2774 CmdArgs.push_back("-fno-signed-zeros"); 2775 2776 if (AssociativeMath && !SignedZeros && !TrappingMath) 2777 CmdArgs.push_back("-mreassociate"); 2778 2779 if (ReciprocalMath) 2780 CmdArgs.push_back("-freciprocal-math"); 2781 2782 if (TrappingMath) { 2783 // FP Exception Behavior is also set to strict 2784 assert(FPExceptionBehavior.equals("strict")); 2785 CmdArgs.push_back("-ftrapping-math"); 2786 } else if (TrappingMathPresent) 2787 CmdArgs.push_back("-fno-trapping-math"); 2788 2789 if (!DenormalFPMath.empty()) 2790 CmdArgs.push_back( 2791 Args.MakeArgString("-fdenormal-fp-math=" + DenormalFPMath)); 2792 2793 if (!FPContract.empty()) 2794 CmdArgs.push_back(Args.MakeArgString("-ffp-contract=" + FPContract)); 2795 2796 if (!RoundingFPMath) 2797 CmdArgs.push_back(Args.MakeArgString("-fno-rounding-math")); 2798 2799 if (RoundingFPMath && RoundingMathPresent) 2800 CmdArgs.push_back(Args.MakeArgString("-frounding-math")); 2801 2802 if (!FPExceptionBehavior.empty()) 2803 CmdArgs.push_back(Args.MakeArgString("-ffp-exception-behavior=" + 2804 FPExceptionBehavior)); 2805 2806 ParseMRecip(D, Args, CmdArgs); 2807 2808 // -ffast-math enables the __FAST_MATH__ preprocessor macro, but check for the 2809 // individual features enabled by -ffast-math instead of the option itself as 2810 // that's consistent with gcc's behaviour. 2811 if (!HonorINFs && !HonorNaNs && !MathErrno && AssociativeMath && 2812 ReciprocalMath && !SignedZeros && !TrappingMath && !RoundingFPMath) { 2813 CmdArgs.push_back("-ffast-math"); 2814 if (FPModel.equals("fast")) { 2815 if (FPContract.equals("fast")) 2816 // All set, do nothing. 2817 ; 2818 else if (FPContract.empty()) 2819 // Enable -ffp-contract=fast 2820 CmdArgs.push_back(Args.MakeArgString("-ffp-contract=fast")); 2821 else 2822 D.Diag(clang::diag::warn_drv_overriding_flag_option) 2823 << "-ffp-model=fast" 2824 << Args.MakeArgString("-ffp-contract=" + FPContract); 2825 } 2826 } 2827 2828 // Handle __FINITE_MATH_ONLY__ similarly. 2829 if (!HonorINFs && !HonorNaNs) 2830 CmdArgs.push_back("-ffinite-math-only"); 2831 2832 if (const Arg *A = Args.getLastArg(options::OPT_mfpmath_EQ)) { 2833 CmdArgs.push_back("-mfpmath"); 2834 CmdArgs.push_back(A->getValue()); 2835 } 2836 2837 // Disable a codegen optimization for floating-point casts. 2838 if (Args.hasFlag(options::OPT_fno_strict_float_cast_overflow, 2839 options::OPT_fstrict_float_cast_overflow, false)) 2840 CmdArgs.push_back("-fno-strict-float-cast-overflow"); 2841 } 2842 2843 static void RenderAnalyzerOptions(const ArgList &Args, ArgStringList &CmdArgs, 2844 const llvm::Triple &Triple, 2845 const InputInfo &Input) { 2846 // Enable region store model by default. 2847 CmdArgs.push_back("-analyzer-store=region"); 2848 2849 // Treat blocks as analysis entry points. 2850 CmdArgs.push_back("-analyzer-opt-analyze-nested-blocks"); 2851 2852 // Add default argument set. 2853 if (!Args.hasArg(options::OPT__analyzer_no_default_checks)) { 2854 CmdArgs.push_back("-analyzer-checker=core"); 2855 CmdArgs.push_back("-analyzer-checker=apiModeling"); 2856 2857 if (!Triple.isWindowsMSVCEnvironment()) { 2858 CmdArgs.push_back("-analyzer-checker=unix"); 2859 } else { 2860 // Enable "unix" checkers that also work on Windows. 2861 CmdArgs.push_back("-analyzer-checker=unix.API"); 2862 CmdArgs.push_back("-analyzer-checker=unix.Malloc"); 2863 CmdArgs.push_back("-analyzer-checker=unix.MallocSizeof"); 2864 CmdArgs.push_back("-analyzer-checker=unix.MismatchedDeallocator"); 2865 CmdArgs.push_back("-analyzer-checker=unix.cstring.BadSizeArg"); 2866 CmdArgs.push_back("-analyzer-checker=unix.cstring.NullArg"); 2867 } 2868 2869 // Disable some unix checkers for PS4. 2870 if (Triple.isPS4CPU()) { 2871 CmdArgs.push_back("-analyzer-disable-checker=unix.API"); 2872 CmdArgs.push_back("-analyzer-disable-checker=unix.Vfork"); 2873 } 2874 2875 if (Triple.isOSDarwin()) { 2876 CmdArgs.push_back("-analyzer-checker=osx"); 2877 CmdArgs.push_back( 2878 "-analyzer-checker=security.insecureAPI.decodeValueOfObjCType"); 2879 } 2880 else if (Triple.isOSFuchsia()) 2881 CmdArgs.push_back("-analyzer-checker=fuchsia"); 2882 2883 CmdArgs.push_back("-analyzer-checker=deadcode"); 2884 2885 if (types::isCXX(Input.getType())) 2886 CmdArgs.push_back("-analyzer-checker=cplusplus"); 2887 2888 if (!Triple.isPS4CPU()) { 2889 CmdArgs.push_back("-analyzer-checker=security.insecureAPI.UncheckedReturn"); 2890 CmdArgs.push_back("-analyzer-checker=security.insecureAPI.getpw"); 2891 CmdArgs.push_back("-analyzer-checker=security.insecureAPI.gets"); 2892 CmdArgs.push_back("-analyzer-checker=security.insecureAPI.mktemp"); 2893 CmdArgs.push_back("-analyzer-checker=security.insecureAPI.mkstemp"); 2894 CmdArgs.push_back("-analyzer-checker=security.insecureAPI.vfork"); 2895 } 2896 2897 // Default nullability checks. 2898 CmdArgs.push_back("-analyzer-checker=nullability.NullPassedToNonnull"); 2899 CmdArgs.push_back("-analyzer-checker=nullability.NullReturnedFromNonnull"); 2900 } 2901 2902 // Set the output format. The default is plist, for (lame) historical reasons. 2903 CmdArgs.push_back("-analyzer-output"); 2904 if (Arg *A = Args.getLastArg(options::OPT__analyzer_output)) 2905 CmdArgs.push_back(A->getValue()); 2906 else 2907 CmdArgs.push_back("plist"); 2908 2909 // Disable the presentation of standard compiler warnings when using 2910 // --analyze. We only want to show static analyzer diagnostics or frontend 2911 // errors. 2912 CmdArgs.push_back("-w"); 2913 2914 // Add -Xanalyzer arguments when running as analyzer. 2915 Args.AddAllArgValues(CmdArgs, options::OPT_Xanalyzer); 2916 } 2917 2918 static void RenderSSPOptions(const ToolChain &TC, const ArgList &Args, 2919 ArgStringList &CmdArgs, bool KernelOrKext) { 2920 const llvm::Triple &EffectiveTriple = TC.getEffectiveTriple(); 2921 2922 // NVPTX doesn't support stack protectors; from the compiler's perspective, it 2923 // doesn't even have a stack! 2924 if (EffectiveTriple.isNVPTX()) 2925 return; 2926 2927 // -stack-protector=0 is default. 2928 unsigned StackProtectorLevel = 0; 2929 unsigned DefaultStackProtectorLevel = 2930 TC.GetDefaultStackProtectorLevel(KernelOrKext); 2931 2932 if (Arg *A = Args.getLastArg(options::OPT_fno_stack_protector, 2933 options::OPT_fstack_protector_all, 2934 options::OPT_fstack_protector_strong, 2935 options::OPT_fstack_protector)) { 2936 if (A->getOption().matches(options::OPT_fstack_protector)) 2937 StackProtectorLevel = 2938 std::max<unsigned>(LangOptions::SSPOn, DefaultStackProtectorLevel); 2939 else if (A->getOption().matches(options::OPT_fstack_protector_strong)) 2940 StackProtectorLevel = LangOptions::SSPStrong; 2941 else if (A->getOption().matches(options::OPT_fstack_protector_all)) 2942 StackProtectorLevel = LangOptions::SSPReq; 2943 } else { 2944 StackProtectorLevel = DefaultStackProtectorLevel; 2945 } 2946 2947 if (StackProtectorLevel) { 2948 CmdArgs.push_back("-stack-protector"); 2949 CmdArgs.push_back(Args.MakeArgString(Twine(StackProtectorLevel))); 2950 } 2951 2952 // --param ssp-buffer-size= 2953 for (const Arg *A : Args.filtered(options::OPT__param)) { 2954 StringRef Str(A->getValue()); 2955 if (Str.startswith("ssp-buffer-size=")) { 2956 if (StackProtectorLevel) { 2957 CmdArgs.push_back("-stack-protector-buffer-size"); 2958 // FIXME: Verify the argument is a valid integer. 2959 CmdArgs.push_back(Args.MakeArgString(Str.drop_front(16))); 2960 } 2961 A->claim(); 2962 } 2963 } 2964 } 2965 2966 static void RenderTrivialAutoVarInitOptions(const Driver &D, 2967 const ToolChain &TC, 2968 const ArgList &Args, 2969 ArgStringList &CmdArgs) { 2970 auto DefaultTrivialAutoVarInit = TC.GetDefaultTrivialAutoVarInit(); 2971 StringRef TrivialAutoVarInit = ""; 2972 2973 for (const Arg *A : Args) { 2974 switch (A->getOption().getID()) { 2975 default: 2976 continue; 2977 case options::OPT_ftrivial_auto_var_init: { 2978 A->claim(); 2979 StringRef Val = A->getValue(); 2980 if (Val == "uninitialized" || Val == "zero" || Val == "pattern") 2981 TrivialAutoVarInit = Val; 2982 else 2983 D.Diag(diag::err_drv_unsupported_option_argument) 2984 << A->getOption().getName() << Val; 2985 break; 2986 } 2987 } 2988 } 2989 2990 if (TrivialAutoVarInit.empty()) 2991 switch (DefaultTrivialAutoVarInit) { 2992 case LangOptions::TrivialAutoVarInitKind::Uninitialized: 2993 break; 2994 case LangOptions::TrivialAutoVarInitKind::Pattern: 2995 TrivialAutoVarInit = "pattern"; 2996 break; 2997 case LangOptions::TrivialAutoVarInitKind::Zero: 2998 TrivialAutoVarInit = "zero"; 2999 break; 3000 } 3001 3002 if (!TrivialAutoVarInit.empty()) { 3003 if (TrivialAutoVarInit == "zero" && !Args.hasArg(options::OPT_enable_trivial_var_init_zero)) 3004 D.Diag(diag::err_drv_trivial_auto_var_init_zero_disabled); 3005 CmdArgs.push_back( 3006 Args.MakeArgString("-ftrivial-auto-var-init=" + TrivialAutoVarInit)); 3007 } 3008 } 3009 3010 static void RenderOpenCLOptions(const ArgList &Args, ArgStringList &CmdArgs) { 3011 const unsigned ForwardedArguments[] = { 3012 options::OPT_cl_opt_disable, 3013 options::OPT_cl_strict_aliasing, 3014 options::OPT_cl_single_precision_constant, 3015 options::OPT_cl_finite_math_only, 3016 options::OPT_cl_kernel_arg_info, 3017 options::OPT_cl_unsafe_math_optimizations, 3018 options::OPT_cl_fast_relaxed_math, 3019 options::OPT_cl_mad_enable, 3020 options::OPT_cl_no_signed_zeros, 3021 options::OPT_cl_denorms_are_zero, 3022 options::OPT_cl_fp32_correctly_rounded_divide_sqrt, 3023 options::OPT_cl_uniform_work_group_size 3024 }; 3025 3026 if (Arg *A = Args.getLastArg(options::OPT_cl_std_EQ)) { 3027 std::string CLStdStr = std::string("-cl-std=") + A->getValue(); 3028 CmdArgs.push_back(Args.MakeArgString(CLStdStr)); 3029 } 3030 3031 for (const auto &Arg : ForwardedArguments) 3032 if (const auto *A = Args.getLastArg(Arg)) 3033 CmdArgs.push_back(Args.MakeArgString(A->getOption().getPrefixedName())); 3034 } 3035 3036 static void RenderARCMigrateToolOptions(const Driver &D, const ArgList &Args, 3037 ArgStringList &CmdArgs) { 3038 bool ARCMTEnabled = false; 3039 if (!Args.hasArg(options::OPT_fno_objc_arc, options::OPT_fobjc_arc)) { 3040 if (const Arg *A = Args.getLastArg(options::OPT_ccc_arcmt_check, 3041 options::OPT_ccc_arcmt_modify, 3042 options::OPT_ccc_arcmt_migrate)) { 3043 ARCMTEnabled = true; 3044 switch (A->getOption().getID()) { 3045 default: llvm_unreachable("missed a case"); 3046 case options::OPT_ccc_arcmt_check: 3047 CmdArgs.push_back("-arcmt-check"); 3048 break; 3049 case options::OPT_ccc_arcmt_modify: 3050 CmdArgs.push_back("-arcmt-modify"); 3051 break; 3052 case options::OPT_ccc_arcmt_migrate: 3053 CmdArgs.push_back("-arcmt-migrate"); 3054 CmdArgs.push_back("-mt-migrate-directory"); 3055 CmdArgs.push_back(A->getValue()); 3056 3057 Args.AddLastArg(CmdArgs, options::OPT_arcmt_migrate_report_output); 3058 Args.AddLastArg(CmdArgs, options::OPT_arcmt_migrate_emit_arc_errors); 3059 break; 3060 } 3061 } 3062 } else { 3063 Args.ClaimAllArgs(options::OPT_ccc_arcmt_check); 3064 Args.ClaimAllArgs(options::OPT_ccc_arcmt_modify); 3065 Args.ClaimAllArgs(options::OPT_ccc_arcmt_migrate); 3066 } 3067 3068 if (const Arg *A = Args.getLastArg(options::OPT_ccc_objcmt_migrate)) { 3069 if (ARCMTEnabled) 3070 D.Diag(diag::err_drv_argument_not_allowed_with) 3071 << A->getAsString(Args) << "-ccc-arcmt-migrate"; 3072 3073 CmdArgs.push_back("-mt-migrate-directory"); 3074 CmdArgs.push_back(A->getValue()); 3075 3076 if (!Args.hasArg(options::OPT_objcmt_migrate_literals, 3077 options::OPT_objcmt_migrate_subscripting, 3078 options::OPT_objcmt_migrate_property)) { 3079 // None specified, means enable them all. 3080 CmdArgs.push_back("-objcmt-migrate-literals"); 3081 CmdArgs.push_back("-objcmt-migrate-subscripting"); 3082 CmdArgs.push_back("-objcmt-migrate-property"); 3083 } else { 3084 Args.AddLastArg(CmdArgs, options::OPT_objcmt_migrate_literals); 3085 Args.AddLastArg(CmdArgs, options::OPT_objcmt_migrate_subscripting); 3086 Args.AddLastArg(CmdArgs, options::OPT_objcmt_migrate_property); 3087 } 3088 } else { 3089 Args.AddLastArg(CmdArgs, options::OPT_objcmt_migrate_literals); 3090 Args.AddLastArg(CmdArgs, options::OPT_objcmt_migrate_subscripting); 3091 Args.AddLastArg(CmdArgs, options::OPT_objcmt_migrate_property); 3092 Args.AddLastArg(CmdArgs, options::OPT_objcmt_migrate_all); 3093 Args.AddLastArg(CmdArgs, options::OPT_objcmt_migrate_readonly_property); 3094 Args.AddLastArg(CmdArgs, options::OPT_objcmt_migrate_readwrite_property); 3095 Args.AddLastArg(CmdArgs, options::OPT_objcmt_migrate_property_dot_syntax); 3096 Args.AddLastArg(CmdArgs, options::OPT_objcmt_migrate_annotation); 3097 Args.AddLastArg(CmdArgs, options::OPT_objcmt_migrate_instancetype); 3098 Args.AddLastArg(CmdArgs, options::OPT_objcmt_migrate_nsmacros); 3099 Args.AddLastArg(CmdArgs, options::OPT_objcmt_migrate_protocol_conformance); 3100 Args.AddLastArg(CmdArgs, options::OPT_objcmt_atomic_property); 3101 Args.AddLastArg(CmdArgs, options::OPT_objcmt_returns_innerpointer_property); 3102 Args.AddLastArg(CmdArgs, options::OPT_objcmt_ns_nonatomic_iosonly); 3103 Args.AddLastArg(CmdArgs, options::OPT_objcmt_migrate_designated_init); 3104 Args.AddLastArg(CmdArgs, options::OPT_objcmt_whitelist_dir_path); 3105 } 3106 } 3107 3108 static void RenderBuiltinOptions(const ToolChain &TC, const llvm::Triple &T, 3109 const ArgList &Args, ArgStringList &CmdArgs) { 3110 // -fbuiltin is default unless -mkernel is used. 3111 bool UseBuiltins = 3112 Args.hasFlag(options::OPT_fbuiltin, options::OPT_fno_builtin, 3113 !Args.hasArg(options::OPT_mkernel)); 3114 if (!UseBuiltins) 3115 CmdArgs.push_back("-fno-builtin"); 3116 3117 // -ffreestanding implies -fno-builtin. 3118 if (Args.hasArg(options::OPT_ffreestanding)) 3119 UseBuiltins = false; 3120 3121 // Process the -fno-builtin-* options. 3122 for (const auto &Arg : Args) { 3123 const Option &O = Arg->getOption(); 3124 if (!O.matches(options::OPT_fno_builtin_)) 3125 continue; 3126 3127 Arg->claim(); 3128 3129 // If -fno-builtin is specified, then there's no need to pass the option to 3130 // the frontend. 3131 if (!UseBuiltins) 3132 continue; 3133 3134 StringRef FuncName = Arg->getValue(); 3135 CmdArgs.push_back(Args.MakeArgString("-fno-builtin-" + FuncName)); 3136 } 3137 3138 // le32-specific flags: 3139 // -fno-math-builtin: clang should not convert math builtins to intrinsics 3140 // by default. 3141 if (TC.getArch() == llvm::Triple::le32) 3142 CmdArgs.push_back("-fno-math-builtin"); 3143 } 3144 3145 void Driver::getDefaultModuleCachePath(SmallVectorImpl<char> &Result) { 3146 llvm::sys::path::system_temp_directory(/*erasedOnReboot=*/false, Result); 3147 llvm::sys::path::append(Result, "org.llvm.clang."); 3148 appendUserToPath(Result); 3149 llvm::sys::path::append(Result, "ModuleCache"); 3150 } 3151 3152 static void RenderModulesOptions(Compilation &C, const Driver &D, 3153 const ArgList &Args, const InputInfo &Input, 3154 const InputInfo &Output, 3155 ArgStringList &CmdArgs, bool &HaveModules) { 3156 // -fmodules enables the use of precompiled modules (off by default). 3157 // Users can pass -fno-cxx-modules to turn off modules support for 3158 // C++/Objective-C++ programs. 3159 bool HaveClangModules = false; 3160 if (Args.hasFlag(options::OPT_fmodules, options::OPT_fno_modules, false)) { 3161 bool AllowedInCXX = Args.hasFlag(options::OPT_fcxx_modules, 3162 options::OPT_fno_cxx_modules, true); 3163 if (AllowedInCXX || !types::isCXX(Input.getType())) { 3164 CmdArgs.push_back("-fmodules"); 3165 HaveClangModules = true; 3166 } 3167 } 3168 3169 HaveModules |= HaveClangModules; 3170 if (Args.hasArg(options::OPT_fmodules_ts)) { 3171 CmdArgs.push_back("-fmodules-ts"); 3172 HaveModules = true; 3173 } 3174 3175 // -fmodule-maps enables implicit reading of module map files. By default, 3176 // this is enabled if we are using Clang's flavor of precompiled modules. 3177 if (Args.hasFlag(options::OPT_fimplicit_module_maps, 3178 options::OPT_fno_implicit_module_maps, HaveClangModules)) 3179 CmdArgs.push_back("-fimplicit-module-maps"); 3180 3181 // -fmodules-decluse checks that modules used are declared so (off by default) 3182 if (Args.hasFlag(options::OPT_fmodules_decluse, 3183 options::OPT_fno_modules_decluse, false)) 3184 CmdArgs.push_back("-fmodules-decluse"); 3185 3186 // -fmodules-strict-decluse is like -fmodule-decluse, but also checks that 3187 // all #included headers are part of modules. 3188 if (Args.hasFlag(options::OPT_fmodules_strict_decluse, 3189 options::OPT_fno_modules_strict_decluse, false)) 3190 CmdArgs.push_back("-fmodules-strict-decluse"); 3191 3192 // -fno-implicit-modules turns off implicitly compiling modules on demand. 3193 bool ImplicitModules = false; 3194 if (!Args.hasFlag(options::OPT_fimplicit_modules, 3195 options::OPT_fno_implicit_modules, HaveClangModules)) { 3196 if (HaveModules) 3197 CmdArgs.push_back("-fno-implicit-modules"); 3198 } else if (HaveModules) { 3199 ImplicitModules = true; 3200 // -fmodule-cache-path specifies where our implicitly-built module files 3201 // should be written. 3202 SmallString<128> Path; 3203 if (Arg *A = Args.getLastArg(options::OPT_fmodules_cache_path)) 3204 Path = A->getValue(); 3205 3206 if (C.isForDiagnostics()) { 3207 // When generating crash reports, we want to emit the modules along with 3208 // the reproduction sources, so we ignore any provided module path. 3209 Path = Output.getFilename(); 3210 llvm::sys::path::replace_extension(Path, ".cache"); 3211 llvm::sys::path::append(Path, "modules"); 3212 } else if (Path.empty()) { 3213 // No module path was provided: use the default. 3214 Driver::getDefaultModuleCachePath(Path); 3215 } 3216 3217 const char Arg[] = "-fmodules-cache-path="; 3218 Path.insert(Path.begin(), Arg, Arg + strlen(Arg)); 3219 CmdArgs.push_back(Args.MakeArgString(Path)); 3220 } 3221 3222 if (HaveModules) { 3223 // -fprebuilt-module-path specifies where to load the prebuilt module files. 3224 for (const Arg *A : Args.filtered(options::OPT_fprebuilt_module_path)) { 3225 CmdArgs.push_back(Args.MakeArgString( 3226 std::string("-fprebuilt-module-path=") + A->getValue())); 3227 A->claim(); 3228 } 3229 if (Args.hasFlag(options::OPT_fmodules_validate_input_files_content, 3230 options::OPT_fno_modules_validate_input_files_content, 3231 false)) 3232 CmdArgs.push_back("-fvalidate-ast-input-files-content"); 3233 } 3234 3235 // -fmodule-name specifies the module that is currently being built (or 3236 // used for header checking by -fmodule-maps). 3237 Args.AddLastArg(CmdArgs, options::OPT_fmodule_name_EQ); 3238 3239 // -fmodule-map-file can be used to specify files containing module 3240 // definitions. 3241 Args.AddAllArgs(CmdArgs, options::OPT_fmodule_map_file); 3242 3243 // -fbuiltin-module-map can be used to load the clang 3244 // builtin headers modulemap file. 3245 if (Args.hasArg(options::OPT_fbuiltin_module_map)) { 3246 SmallString<128> BuiltinModuleMap(D.ResourceDir); 3247 llvm::sys::path::append(BuiltinModuleMap, "include"); 3248 llvm::sys::path::append(BuiltinModuleMap, "module.modulemap"); 3249 if (llvm::sys::fs::exists(BuiltinModuleMap)) 3250 CmdArgs.push_back( 3251 Args.MakeArgString("-fmodule-map-file=" + BuiltinModuleMap)); 3252 } 3253 3254 // The -fmodule-file=<name>=<file> form specifies the mapping of module 3255 // names to precompiled module files (the module is loaded only if used). 3256 // The -fmodule-file=<file> form can be used to unconditionally load 3257 // precompiled module files (whether used or not). 3258 if (HaveModules) 3259 Args.AddAllArgs(CmdArgs, options::OPT_fmodule_file); 3260 else 3261 Args.ClaimAllArgs(options::OPT_fmodule_file); 3262 3263 // When building modules and generating crashdumps, we need to dump a module 3264 // dependency VFS alongside the output. 3265 if (HaveClangModules && C.isForDiagnostics()) { 3266 SmallString<128> VFSDir(Output.getFilename()); 3267 llvm::sys::path::replace_extension(VFSDir, ".cache"); 3268 // Add the cache directory as a temp so the crash diagnostics pick it up. 3269 C.addTempFile(Args.MakeArgString(VFSDir)); 3270 3271 llvm::sys::path::append(VFSDir, "vfs"); 3272 CmdArgs.push_back("-module-dependency-dir"); 3273 CmdArgs.push_back(Args.MakeArgString(VFSDir)); 3274 } 3275 3276 if (HaveClangModules) 3277 Args.AddLastArg(CmdArgs, options::OPT_fmodules_user_build_path); 3278 3279 // Pass through all -fmodules-ignore-macro arguments. 3280 Args.AddAllArgs(CmdArgs, options::OPT_fmodules_ignore_macro); 3281 Args.AddLastArg(CmdArgs, options::OPT_fmodules_prune_interval); 3282 Args.AddLastArg(CmdArgs, options::OPT_fmodules_prune_after); 3283 3284 Args.AddLastArg(CmdArgs, options::OPT_fbuild_session_timestamp); 3285 3286 if (Arg *A = Args.getLastArg(options::OPT_fbuild_session_file)) { 3287 if (Args.hasArg(options::OPT_fbuild_session_timestamp)) 3288 D.Diag(diag::err_drv_argument_not_allowed_with) 3289 << A->getAsString(Args) << "-fbuild-session-timestamp"; 3290 3291 llvm::sys::fs::file_status Status; 3292 if (llvm::sys::fs::status(A->getValue(), Status)) 3293 D.Diag(diag::err_drv_no_such_file) << A->getValue(); 3294 CmdArgs.push_back( 3295 Args.MakeArgString("-fbuild-session-timestamp=" + 3296 Twine((uint64_t)Status.getLastModificationTime() 3297 .time_since_epoch() 3298 .count()))); 3299 } 3300 3301 if (Args.getLastArg(options::OPT_fmodules_validate_once_per_build_session)) { 3302 if (!Args.getLastArg(options::OPT_fbuild_session_timestamp, 3303 options::OPT_fbuild_session_file)) 3304 D.Diag(diag::err_drv_modules_validate_once_requires_timestamp); 3305 3306 Args.AddLastArg(CmdArgs, 3307 options::OPT_fmodules_validate_once_per_build_session); 3308 } 3309 3310 if (Args.hasFlag(options::OPT_fmodules_validate_system_headers, 3311 options::OPT_fno_modules_validate_system_headers, 3312 ImplicitModules)) 3313 CmdArgs.push_back("-fmodules-validate-system-headers"); 3314 3315 Args.AddLastArg(CmdArgs, options::OPT_fmodules_disable_diagnostic_validation); 3316 } 3317 3318 static void RenderCharacterOptions(const ArgList &Args, const llvm::Triple &T, 3319 ArgStringList &CmdArgs) { 3320 // -fsigned-char is default. 3321 if (const Arg *A = Args.getLastArg(options::OPT_fsigned_char, 3322 options::OPT_fno_signed_char, 3323 options::OPT_funsigned_char, 3324 options::OPT_fno_unsigned_char)) { 3325 if (A->getOption().matches(options::OPT_funsigned_char) || 3326 A->getOption().matches(options::OPT_fno_signed_char)) { 3327 CmdArgs.push_back("-fno-signed-char"); 3328 } 3329 } else if (!isSignedCharDefault(T)) { 3330 CmdArgs.push_back("-fno-signed-char"); 3331 } 3332 3333 // The default depends on the language standard. 3334 Args.AddLastArg(CmdArgs, options::OPT_fchar8__t, options::OPT_fno_char8__t); 3335 3336 if (const Arg *A = Args.getLastArg(options::OPT_fshort_wchar, 3337 options::OPT_fno_short_wchar)) { 3338 if (A->getOption().matches(options::OPT_fshort_wchar)) { 3339 CmdArgs.push_back("-fwchar-type=short"); 3340 CmdArgs.push_back("-fno-signed-wchar"); 3341 } else { 3342 bool IsARM = T.isARM() || T.isThumb() || T.isAArch64(); 3343 CmdArgs.push_back("-fwchar-type=int"); 3344 if (IsARM && !(T.isOSWindows() || T.isOSNetBSD() || 3345 T.isOSOpenBSD())) 3346 CmdArgs.push_back("-fno-signed-wchar"); 3347 else 3348 CmdArgs.push_back("-fsigned-wchar"); 3349 } 3350 } 3351 } 3352 3353 static void RenderObjCOptions(const ToolChain &TC, const Driver &D, 3354 const llvm::Triple &T, const ArgList &Args, 3355 ObjCRuntime &Runtime, bool InferCovariantReturns, 3356 const InputInfo &Input, ArgStringList &CmdArgs) { 3357 const llvm::Triple::ArchType Arch = TC.getArch(); 3358 3359 // -fobjc-dispatch-method is only relevant with the nonfragile-abi, and legacy 3360 // is the default. Except for deployment target of 10.5, next runtime is 3361 // always legacy dispatch and -fno-objc-legacy-dispatch gets ignored silently. 3362 if (Runtime.isNonFragile()) { 3363 if (!Args.hasFlag(options::OPT_fobjc_legacy_dispatch, 3364 options::OPT_fno_objc_legacy_dispatch, 3365 Runtime.isLegacyDispatchDefaultForArch(Arch))) { 3366 if (TC.UseObjCMixedDispatch()) 3367 CmdArgs.push_back("-fobjc-dispatch-method=mixed"); 3368 else 3369 CmdArgs.push_back("-fobjc-dispatch-method=non-legacy"); 3370 } 3371 } 3372 3373 // When ObjectiveC legacy runtime is in effect on MacOSX, turn on the option 3374 // to do Array/Dictionary subscripting by default. 3375 if (Arch == llvm::Triple::x86 && T.isMacOSX() && 3376 Runtime.getKind() == ObjCRuntime::FragileMacOSX && Runtime.isNeXTFamily()) 3377 CmdArgs.push_back("-fobjc-subscripting-legacy-runtime"); 3378 3379 // Allow -fno-objc-arr to trump -fobjc-arr/-fobjc-arc. 3380 // NOTE: This logic is duplicated in ToolChains.cpp. 3381 if (isObjCAutoRefCount(Args)) { 3382 TC.CheckObjCARC(); 3383 3384 CmdArgs.push_back("-fobjc-arc"); 3385 3386 // FIXME: It seems like this entire block, and several around it should be 3387 // wrapped in isObjC, but for now we just use it here as this is where it 3388 // was being used previously. 3389 if (types::isCXX(Input.getType()) && types::isObjC(Input.getType())) { 3390 if (TC.GetCXXStdlibType(Args) == ToolChain::CST_Libcxx) 3391 CmdArgs.push_back("-fobjc-arc-cxxlib=libc++"); 3392 else 3393 CmdArgs.push_back("-fobjc-arc-cxxlib=libstdc++"); 3394 } 3395 3396 // Allow the user to enable full exceptions code emission. 3397 // We default off for Objective-C, on for Objective-C++. 3398 if (Args.hasFlag(options::OPT_fobjc_arc_exceptions, 3399 options::OPT_fno_objc_arc_exceptions, 3400 /*Default=*/types::isCXX(Input.getType()))) 3401 CmdArgs.push_back("-fobjc-arc-exceptions"); 3402 } 3403 3404 // Silence warning for full exception code emission options when explicitly 3405 // set to use no ARC. 3406 if (Args.hasArg(options::OPT_fno_objc_arc)) { 3407 Args.ClaimAllArgs(options::OPT_fobjc_arc_exceptions); 3408 Args.ClaimAllArgs(options::OPT_fno_objc_arc_exceptions); 3409 } 3410 3411 // Allow the user to control whether messages can be converted to runtime 3412 // functions. 3413 if (types::isObjC(Input.getType())) { 3414 auto *Arg = Args.getLastArg( 3415 options::OPT_fobjc_convert_messages_to_runtime_calls, 3416 options::OPT_fno_objc_convert_messages_to_runtime_calls); 3417 if (Arg && 3418 Arg->getOption().matches( 3419 options::OPT_fno_objc_convert_messages_to_runtime_calls)) 3420 CmdArgs.push_back("-fno-objc-convert-messages-to-runtime-calls"); 3421 } 3422 3423 // -fobjc-infer-related-result-type is the default, except in the Objective-C 3424 // rewriter. 3425 if (InferCovariantReturns) 3426 CmdArgs.push_back("-fno-objc-infer-related-result-type"); 3427 3428 // Pass down -fobjc-weak or -fno-objc-weak if present. 3429 if (types::isObjC(Input.getType())) { 3430 auto WeakArg = 3431 Args.getLastArg(options::OPT_fobjc_weak, options::OPT_fno_objc_weak); 3432 if (!WeakArg) { 3433 // nothing to do 3434 } else if (!Runtime.allowsWeak()) { 3435 if (WeakArg->getOption().matches(options::OPT_fobjc_weak)) 3436 D.Diag(diag::err_objc_weak_unsupported); 3437 } else { 3438 WeakArg->render(Args, CmdArgs); 3439 } 3440 } 3441 } 3442 3443 static void RenderDiagnosticsOptions(const Driver &D, const ArgList &Args, 3444 ArgStringList &CmdArgs) { 3445 bool CaretDefault = true; 3446 bool ColumnDefault = true; 3447 3448 if (const Arg *A = Args.getLastArg(options::OPT__SLASH_diagnostics_classic, 3449 options::OPT__SLASH_diagnostics_column, 3450 options::OPT__SLASH_diagnostics_caret)) { 3451 switch (A->getOption().getID()) { 3452 case options::OPT__SLASH_diagnostics_caret: 3453 CaretDefault = true; 3454 ColumnDefault = true; 3455 break; 3456 case options::OPT__SLASH_diagnostics_column: 3457 CaretDefault = false; 3458 ColumnDefault = true; 3459 break; 3460 case options::OPT__SLASH_diagnostics_classic: 3461 CaretDefault = false; 3462 ColumnDefault = false; 3463 break; 3464 } 3465 } 3466 3467 // -fcaret-diagnostics is default. 3468 if (!Args.hasFlag(options::OPT_fcaret_diagnostics, 3469 options::OPT_fno_caret_diagnostics, CaretDefault)) 3470 CmdArgs.push_back("-fno-caret-diagnostics"); 3471 3472 // -fdiagnostics-fixit-info is default, only pass non-default. 3473 if (!Args.hasFlag(options::OPT_fdiagnostics_fixit_info, 3474 options::OPT_fno_diagnostics_fixit_info)) 3475 CmdArgs.push_back("-fno-diagnostics-fixit-info"); 3476 3477 // Enable -fdiagnostics-show-option by default. 3478 if (Args.hasFlag(options::OPT_fdiagnostics_show_option, 3479 options::OPT_fno_diagnostics_show_option)) 3480 CmdArgs.push_back("-fdiagnostics-show-option"); 3481 3482 if (const Arg *A = 3483 Args.getLastArg(options::OPT_fdiagnostics_show_category_EQ)) { 3484 CmdArgs.push_back("-fdiagnostics-show-category"); 3485 CmdArgs.push_back(A->getValue()); 3486 } 3487 3488 if (Args.hasFlag(options::OPT_fdiagnostics_show_hotness, 3489 options::OPT_fno_diagnostics_show_hotness, false)) 3490 CmdArgs.push_back("-fdiagnostics-show-hotness"); 3491 3492 if (const Arg *A = 3493 Args.getLastArg(options::OPT_fdiagnostics_hotness_threshold_EQ)) { 3494 std::string Opt = 3495 std::string("-fdiagnostics-hotness-threshold=") + A->getValue(); 3496 CmdArgs.push_back(Args.MakeArgString(Opt)); 3497 } 3498 3499 if (const Arg *A = Args.getLastArg(options::OPT_fdiagnostics_format_EQ)) { 3500 CmdArgs.push_back("-fdiagnostics-format"); 3501 CmdArgs.push_back(A->getValue()); 3502 } 3503 3504 if (const Arg *A = Args.getLastArg( 3505 options::OPT_fdiagnostics_show_note_include_stack, 3506 options::OPT_fno_diagnostics_show_note_include_stack)) { 3507 const Option &O = A->getOption(); 3508 if (O.matches(options::OPT_fdiagnostics_show_note_include_stack)) 3509 CmdArgs.push_back("-fdiagnostics-show-note-include-stack"); 3510 else 3511 CmdArgs.push_back("-fno-diagnostics-show-note-include-stack"); 3512 } 3513 3514 // Color diagnostics are parsed by the driver directly from argv and later 3515 // re-parsed to construct this job; claim any possible color diagnostic here 3516 // to avoid warn_drv_unused_argument and diagnose bad 3517 // OPT_fdiagnostics_color_EQ values. 3518 for (const Arg *A : Args) { 3519 const Option &O = A->getOption(); 3520 if (!O.matches(options::OPT_fcolor_diagnostics) && 3521 !O.matches(options::OPT_fdiagnostics_color) && 3522 !O.matches(options::OPT_fno_color_diagnostics) && 3523 !O.matches(options::OPT_fno_diagnostics_color) && 3524 !O.matches(options::OPT_fdiagnostics_color_EQ)) 3525 continue; 3526 3527 if (O.matches(options::OPT_fdiagnostics_color_EQ)) { 3528 StringRef Value(A->getValue()); 3529 if (Value != "always" && Value != "never" && Value != "auto") 3530 D.Diag(diag::err_drv_clang_unsupported) 3531 << ("-fdiagnostics-color=" + Value).str(); 3532 } 3533 A->claim(); 3534 } 3535 3536 if (D.getDiags().getDiagnosticOptions().ShowColors) 3537 CmdArgs.push_back("-fcolor-diagnostics"); 3538 3539 if (Args.hasArg(options::OPT_fansi_escape_codes)) 3540 CmdArgs.push_back("-fansi-escape-codes"); 3541 3542 if (!Args.hasFlag(options::OPT_fshow_source_location, 3543 options::OPT_fno_show_source_location)) 3544 CmdArgs.push_back("-fno-show-source-location"); 3545 3546 if (Args.hasArg(options::OPT_fdiagnostics_absolute_paths)) 3547 CmdArgs.push_back("-fdiagnostics-absolute-paths"); 3548 3549 if (!Args.hasFlag(options::OPT_fshow_column, options::OPT_fno_show_column, 3550 ColumnDefault)) 3551 CmdArgs.push_back("-fno-show-column"); 3552 3553 if (!Args.hasFlag(options::OPT_fspell_checking, 3554 options::OPT_fno_spell_checking)) 3555 CmdArgs.push_back("-fno-spell-checking"); 3556 } 3557 3558 enum class DwarfFissionKind { None, Split, Single }; 3559 3560 static DwarfFissionKind getDebugFissionKind(const Driver &D, 3561 const ArgList &Args, Arg *&Arg) { 3562 Arg = 3563 Args.getLastArg(options::OPT_gsplit_dwarf, options::OPT_gsplit_dwarf_EQ); 3564 if (!Arg) 3565 return DwarfFissionKind::None; 3566 3567 if (Arg->getOption().matches(options::OPT_gsplit_dwarf)) 3568 return DwarfFissionKind::Split; 3569 3570 StringRef Value = Arg->getValue(); 3571 if (Value == "split") 3572 return DwarfFissionKind::Split; 3573 if (Value == "single") 3574 return DwarfFissionKind::Single; 3575 3576 D.Diag(diag::err_drv_unsupported_option_argument) 3577 << Arg->getOption().getName() << Arg->getValue(); 3578 return DwarfFissionKind::None; 3579 } 3580 3581 static void RenderDebugOptions(const ToolChain &TC, const Driver &D, 3582 const llvm::Triple &T, const ArgList &Args, 3583 bool EmitCodeView, bool IsWindowsMSVC, 3584 ArgStringList &CmdArgs, 3585 codegenoptions::DebugInfoKind &DebugInfoKind, 3586 DwarfFissionKind &DwarfFission) { 3587 if (Args.hasFlag(options::OPT_fdebug_info_for_profiling, 3588 options::OPT_fno_debug_info_for_profiling, false) && 3589 checkDebugInfoOption( 3590 Args.getLastArg(options::OPT_fdebug_info_for_profiling), Args, D, TC)) 3591 CmdArgs.push_back("-fdebug-info-for-profiling"); 3592 3593 // The 'g' groups options involve a somewhat intricate sequence of decisions 3594 // about what to pass from the driver to the frontend, but by the time they 3595 // reach cc1 they've been factored into three well-defined orthogonal choices: 3596 // * what level of debug info to generate 3597 // * what dwarf version to write 3598 // * what debugger tuning to use 3599 // This avoids having to monkey around further in cc1 other than to disable 3600 // codeview if not running in a Windows environment. Perhaps even that 3601 // decision should be made in the driver as well though. 3602 llvm::DebuggerKind DebuggerTuning = TC.getDefaultDebuggerTuning(); 3603 3604 bool SplitDWARFInlining = 3605 Args.hasFlag(options::OPT_fsplit_dwarf_inlining, 3606 options::OPT_fno_split_dwarf_inlining, false); 3607 3608 Args.ClaimAllArgs(options::OPT_g_Group); 3609 3610 Arg* SplitDWARFArg; 3611 DwarfFission = getDebugFissionKind(D, Args, SplitDWARFArg); 3612 3613 if (DwarfFission != DwarfFissionKind::None && 3614 !checkDebugInfoOption(SplitDWARFArg, Args, D, TC)) { 3615 DwarfFission = DwarfFissionKind::None; 3616 SplitDWARFInlining = false; 3617 } 3618 3619 if (const Arg *A = 3620 Args.getLastArg(options::OPT_g_Group, options::OPT_gsplit_dwarf, 3621 options::OPT_gsplit_dwarf_EQ)) { 3622 DebugInfoKind = codegenoptions::LimitedDebugInfo; 3623 3624 // If the last option explicitly specified a debug-info level, use it. 3625 if (checkDebugInfoOption(A, Args, D, TC) && 3626 A->getOption().matches(options::OPT_gN_Group)) { 3627 DebugInfoKind = DebugLevelToInfoKind(*A); 3628 // For -g0 or -gline-tables-only, drop -gsplit-dwarf. This gets a bit more 3629 // complicated if you've disabled inline info in the skeleton CUs 3630 // (SplitDWARFInlining) - then there's value in composing split-dwarf and 3631 // line-tables-only, so let those compose naturally in that case. 3632 if (DebugInfoKind == codegenoptions::NoDebugInfo || 3633 DebugInfoKind == codegenoptions::DebugDirectivesOnly || 3634 (DebugInfoKind == codegenoptions::DebugLineTablesOnly && 3635 SplitDWARFInlining)) 3636 DwarfFission = DwarfFissionKind::None; 3637 } 3638 } 3639 3640 // If a debugger tuning argument appeared, remember it. 3641 if (const Arg *A = 3642 Args.getLastArg(options::OPT_gTune_Group, options::OPT_ggdbN_Group)) { 3643 if (checkDebugInfoOption(A, Args, D, TC)) { 3644 if (A->getOption().matches(options::OPT_glldb)) 3645 DebuggerTuning = llvm::DebuggerKind::LLDB; 3646 else if (A->getOption().matches(options::OPT_gsce)) 3647 DebuggerTuning = llvm::DebuggerKind::SCE; 3648 else 3649 DebuggerTuning = llvm::DebuggerKind::GDB; 3650 } 3651 } 3652 3653 // If a -gdwarf argument appeared, remember it. 3654 const Arg *GDwarfN = Args.getLastArg( 3655 options::OPT_gdwarf_2, options::OPT_gdwarf_3, options::OPT_gdwarf_4, 3656 options::OPT_gdwarf_5, options::OPT_gdwarf); 3657 bool EmitDwarf = false; 3658 if (GDwarfN) { 3659 if (checkDebugInfoOption(GDwarfN, Args, D, TC)) 3660 EmitDwarf = true; 3661 else 3662 GDwarfN = nullptr; 3663 } 3664 3665 if (const Arg *A = Args.getLastArg(options::OPT_gcodeview)) { 3666 if (checkDebugInfoOption(A, Args, D, TC)) 3667 EmitCodeView = true; 3668 } 3669 3670 // If the user asked for debug info but did not explicitly specify -gcodeview 3671 // or -gdwarf, ask the toolchain for the default format. 3672 if (!EmitCodeView && !EmitDwarf && 3673 DebugInfoKind != codegenoptions::NoDebugInfo) { 3674 switch (TC.getDefaultDebugFormat()) { 3675 case codegenoptions::DIF_CodeView: 3676 EmitCodeView = true; 3677 break; 3678 case codegenoptions::DIF_DWARF: 3679 EmitDwarf = true; 3680 break; 3681 } 3682 } 3683 3684 unsigned DWARFVersion = 0; 3685 unsigned DefaultDWARFVersion = ParseDebugDefaultVersion(TC, Args); 3686 if (EmitDwarf) { 3687 // Start with the platform default DWARF version 3688 DWARFVersion = TC.GetDefaultDwarfVersion(); 3689 assert(DWARFVersion && "toolchain default DWARF version must be nonzero"); 3690 3691 // If the user specified a default DWARF version, that takes precedence 3692 // over the platform default. 3693 if (DefaultDWARFVersion) 3694 DWARFVersion = DefaultDWARFVersion; 3695 3696 // Override with a user-specified DWARF version 3697 if (GDwarfN) 3698 if (auto ExplicitVersion = DwarfVersionNum(GDwarfN->getSpelling())) 3699 DWARFVersion = ExplicitVersion; 3700 } 3701 3702 // -gline-directives-only supported only for the DWARF debug info. 3703 if (DWARFVersion == 0 && DebugInfoKind == codegenoptions::DebugDirectivesOnly) 3704 DebugInfoKind = codegenoptions::NoDebugInfo; 3705 3706 // We ignore flag -gstrict-dwarf for now. 3707 // And we handle flag -grecord-gcc-switches later with DWARFDebugFlags. 3708 Args.ClaimAllArgs(options::OPT_g_flags_Group); 3709 3710 // Column info is included by default for everything except SCE and 3711 // CodeView. Clang doesn't track end columns, just starting columns, which, 3712 // in theory, is fine for CodeView (and PDB). In practice, however, the 3713 // Microsoft debuggers don't handle missing end columns well, so it's better 3714 // not to include any column info. 3715 if (const Arg *A = Args.getLastArg(options::OPT_gcolumn_info)) 3716 (void)checkDebugInfoOption(A, Args, D, TC); 3717 if (Args.hasFlag(options::OPT_gcolumn_info, options::OPT_gno_column_info, 3718 /*Default=*/!EmitCodeView && 3719 DebuggerTuning != llvm::DebuggerKind::SCE)) 3720 CmdArgs.push_back("-dwarf-column-info"); 3721 3722 // FIXME: Move backend command line options to the module. 3723 // If -gline-tables-only or -gline-directives-only is the last option it wins. 3724 if (const Arg *A = Args.getLastArg(options::OPT_gmodules)) 3725 if (checkDebugInfoOption(A, Args, D, TC)) { 3726 if (DebugInfoKind != codegenoptions::DebugLineTablesOnly && 3727 DebugInfoKind != codegenoptions::DebugDirectivesOnly) { 3728 DebugInfoKind = codegenoptions::LimitedDebugInfo; 3729 CmdArgs.push_back("-dwarf-ext-refs"); 3730 CmdArgs.push_back("-fmodule-format=obj"); 3731 } 3732 } 3733 3734 if (T.isOSBinFormatELF() && !SplitDWARFInlining) 3735 CmdArgs.push_back("-fno-split-dwarf-inlining"); 3736 3737 // After we've dealt with all combinations of things that could 3738 // make DebugInfoKind be other than None or DebugLineTablesOnly, 3739 // figure out if we need to "upgrade" it to standalone debug info. 3740 // We parse these two '-f' options whether or not they will be used, 3741 // to claim them even if you wrote "-fstandalone-debug -gline-tables-only" 3742 bool NeedFullDebug = Args.hasFlag( 3743 options::OPT_fstandalone_debug, options::OPT_fno_standalone_debug, 3744 DebuggerTuning == llvm::DebuggerKind::LLDB || 3745 TC.GetDefaultStandaloneDebug()); 3746 if (const Arg *A = Args.getLastArg(options::OPT_fstandalone_debug)) 3747 (void)checkDebugInfoOption(A, Args, D, TC); 3748 if (DebugInfoKind == codegenoptions::LimitedDebugInfo && NeedFullDebug) 3749 DebugInfoKind = codegenoptions::FullDebugInfo; 3750 3751 if (Args.hasFlag(options::OPT_gembed_source, options::OPT_gno_embed_source, 3752 false)) { 3753 // Source embedding is a vendor extension to DWARF v5. By now we have 3754 // checked if a DWARF version was stated explicitly, and have otherwise 3755 // fallen back to the target default, so if this is still not at least 5 3756 // we emit an error. 3757 const Arg *A = Args.getLastArg(options::OPT_gembed_source); 3758 if (DWARFVersion < 5) 3759 D.Diag(diag::err_drv_argument_only_allowed_with) 3760 << A->getAsString(Args) << "-gdwarf-5"; 3761 else if (checkDebugInfoOption(A, Args, D, TC)) 3762 CmdArgs.push_back("-gembed-source"); 3763 } 3764 3765 if (EmitCodeView) { 3766 CmdArgs.push_back("-gcodeview"); 3767 3768 // Emit codeview type hashes if requested. 3769 if (Args.hasFlag(options::OPT_gcodeview_ghash, 3770 options::OPT_gno_codeview_ghash, false)) { 3771 CmdArgs.push_back("-gcodeview-ghash"); 3772 } 3773 } 3774 3775 // Omit inline line tables if requested. 3776 if (Args.hasFlag(options::OPT_gno_inline_line_tables, 3777 options::OPT_ginline_line_tables, false)) { 3778 CmdArgs.push_back("-gno-inline-line-tables"); 3779 } 3780 3781 // Adjust the debug info kind for the given toolchain. 3782 TC.adjustDebugInfoKind(DebugInfoKind, Args); 3783 3784 // When emitting remarks, we need at least debug lines in the output. 3785 if (willEmitRemarks(Args) && 3786 DebugInfoKind <= codegenoptions::DebugDirectivesOnly) 3787 DebugInfoKind = codegenoptions::DebugLineTablesOnly; 3788 3789 RenderDebugEnablingArgs(Args, CmdArgs, DebugInfoKind, DWARFVersion, 3790 DebuggerTuning); 3791 3792 // -fdebug-macro turns on macro debug info generation. 3793 if (Args.hasFlag(options::OPT_fdebug_macro, options::OPT_fno_debug_macro, 3794 false)) 3795 if (checkDebugInfoOption(Args.getLastArg(options::OPT_fdebug_macro), Args, 3796 D, TC)) 3797 CmdArgs.push_back("-debug-info-macro"); 3798 3799 // -ggnu-pubnames turns on gnu style pubnames in the backend. 3800 const auto *PubnamesArg = 3801 Args.getLastArg(options::OPT_ggnu_pubnames, options::OPT_gno_gnu_pubnames, 3802 options::OPT_gpubnames, options::OPT_gno_pubnames); 3803 if (DwarfFission != DwarfFissionKind::None || 3804 (PubnamesArg && checkDebugInfoOption(PubnamesArg, Args, D, TC))) 3805 if (!PubnamesArg || 3806 (!PubnamesArg->getOption().matches(options::OPT_gno_gnu_pubnames) && 3807 !PubnamesArg->getOption().matches(options::OPT_gno_pubnames))) 3808 CmdArgs.push_back(PubnamesArg && PubnamesArg->getOption().matches( 3809 options::OPT_gpubnames) 3810 ? "-gpubnames" 3811 : "-ggnu-pubnames"); 3812 3813 if (Args.hasFlag(options::OPT_fdebug_ranges_base_address, 3814 options::OPT_fno_debug_ranges_base_address, false)) { 3815 CmdArgs.push_back("-fdebug-ranges-base-address"); 3816 } 3817 3818 // -gdwarf-aranges turns on the emission of the aranges section in the 3819 // backend. 3820 // Always enabled for SCE tuning. 3821 bool NeedAranges = DebuggerTuning == llvm::DebuggerKind::SCE; 3822 if (const Arg *A = Args.getLastArg(options::OPT_gdwarf_aranges)) 3823 NeedAranges = checkDebugInfoOption(A, Args, D, TC) || NeedAranges; 3824 if (NeedAranges) { 3825 CmdArgs.push_back("-mllvm"); 3826 CmdArgs.push_back("-generate-arange-section"); 3827 } 3828 3829 if (Args.hasFlag(options::OPT_fforce_dwarf_frame, 3830 options::OPT_fno_force_dwarf_frame, false)) 3831 CmdArgs.push_back("-fforce-dwarf-frame"); 3832 3833 if (Args.hasFlag(options::OPT_fdebug_types_section, 3834 options::OPT_fno_debug_types_section, false)) { 3835 if (!T.isOSBinFormatELF()) { 3836 D.Diag(diag::err_drv_unsupported_opt_for_target) 3837 << Args.getLastArg(options::OPT_fdebug_types_section) 3838 ->getAsString(Args) 3839 << T.getTriple(); 3840 } else if (checkDebugInfoOption( 3841 Args.getLastArg(options::OPT_fdebug_types_section), Args, D, 3842 TC)) { 3843 CmdArgs.push_back("-mllvm"); 3844 CmdArgs.push_back("-generate-type-units"); 3845 } 3846 } 3847 3848 // Decide how to render forward declarations of template instantiations. 3849 // SCE wants full descriptions, others just get them in the name. 3850 if (DebuggerTuning == llvm::DebuggerKind::SCE) 3851 CmdArgs.push_back("-debug-forward-template-params"); 3852 3853 // Do we need to explicitly import anonymous namespaces into the parent 3854 // scope? 3855 if (DebuggerTuning == llvm::DebuggerKind::SCE) 3856 CmdArgs.push_back("-dwarf-explicit-import"); 3857 3858 RenderDebugInfoCompressionArgs(Args, CmdArgs, D, TC); 3859 } 3860 3861 void Clang::ConstructJob(Compilation &C, const JobAction &JA, 3862 const InputInfo &Output, const InputInfoList &Inputs, 3863 const ArgList &Args, const char *LinkingOutput) const { 3864 const auto &TC = getToolChain(); 3865 const llvm::Triple &RawTriple = TC.getTriple(); 3866 const llvm::Triple &Triple = TC.getEffectiveTriple(); 3867 const std::string &TripleStr = Triple.getTriple(); 3868 3869 bool KernelOrKext = 3870 Args.hasArg(options::OPT_mkernel, options::OPT_fapple_kext); 3871 const Driver &D = TC.getDriver(); 3872 ArgStringList CmdArgs; 3873 3874 // Check number of inputs for sanity. We need at least one input. 3875 assert(Inputs.size() >= 1 && "Must have at least one input."); 3876 // CUDA/HIP compilation may have multiple inputs (source file + results of 3877 // device-side compilations). OpenMP device jobs also take the host IR as a 3878 // second input. Module precompilation accepts a list of header files to 3879 // include as part of the module. All other jobs are expected to have exactly 3880 // one input. 3881 bool IsCuda = JA.isOffloading(Action::OFK_Cuda); 3882 bool IsHIP = JA.isOffloading(Action::OFK_HIP); 3883 bool IsOpenMPDevice = JA.isDeviceOffloading(Action::OFK_OpenMP); 3884 bool IsHeaderModulePrecompile = isa<HeaderModulePrecompileJobAction>(JA); 3885 3886 // A header module compilation doesn't have a main input file, so invent a 3887 // fake one as a placeholder. 3888 const char *ModuleName = [&]{ 3889 auto *ModuleNameArg = Args.getLastArg(options::OPT_fmodule_name_EQ); 3890 return ModuleNameArg ? ModuleNameArg->getValue() : ""; 3891 }(); 3892 InputInfo HeaderModuleInput(Inputs[0].getType(), ModuleName, ModuleName); 3893 3894 const InputInfo &Input = 3895 IsHeaderModulePrecompile ? HeaderModuleInput : Inputs[0]; 3896 3897 InputInfoList ModuleHeaderInputs; 3898 const InputInfo *CudaDeviceInput = nullptr; 3899 const InputInfo *OpenMPDeviceInput = nullptr; 3900 for (const InputInfo &I : Inputs) { 3901 if (&I == &Input) { 3902 // This is the primary input. 3903 } else if (IsHeaderModulePrecompile && 3904 types::getPrecompiledType(I.getType()) == types::TY_PCH) { 3905 types::ID Expected = HeaderModuleInput.getType(); 3906 if (I.getType() != Expected) { 3907 D.Diag(diag::err_drv_module_header_wrong_kind) 3908 << I.getFilename() << types::getTypeName(I.getType()) 3909 << types::getTypeName(Expected); 3910 } 3911 ModuleHeaderInputs.push_back(I); 3912 } else if ((IsCuda || IsHIP) && !CudaDeviceInput) { 3913 CudaDeviceInput = &I; 3914 } else if (IsOpenMPDevice && !OpenMPDeviceInput) { 3915 OpenMPDeviceInput = &I; 3916 } else { 3917 llvm_unreachable("unexpectedly given multiple inputs"); 3918 } 3919 } 3920 3921 const llvm::Triple *AuxTriple = IsCuda ? TC.getAuxTriple() : nullptr; 3922 bool IsWindowsMSVC = RawTriple.isWindowsMSVCEnvironment(); 3923 bool IsIAMCU = RawTriple.isOSIAMCU(); 3924 3925 // Adjust IsWindowsXYZ for CUDA/HIP compilations. Even when compiling in 3926 // device mode (i.e., getToolchain().getTriple() is NVPTX/AMDGCN, not 3927 // Windows), we need to pass Windows-specific flags to cc1. 3928 if (IsCuda || IsHIP) 3929 IsWindowsMSVC |= AuxTriple && AuxTriple->isWindowsMSVCEnvironment(); 3930 3931 // C++ is not supported for IAMCU. 3932 if (IsIAMCU && types::isCXX(Input.getType())) 3933 D.Diag(diag::err_drv_clang_unsupported) << "C++ for IAMCU"; 3934 3935 // Invoke ourselves in -cc1 mode. 3936 // 3937 // FIXME: Implement custom jobs for internal actions. 3938 CmdArgs.push_back("-cc1"); 3939 3940 // Add the "effective" target triple. 3941 CmdArgs.push_back("-triple"); 3942 CmdArgs.push_back(Args.MakeArgString(TripleStr)); 3943 3944 if (const Arg *MJ = Args.getLastArg(options::OPT_MJ)) { 3945 DumpCompilationDatabase(C, MJ->getValue(), TripleStr, Output, Input, Args); 3946 Args.ClaimAllArgs(options::OPT_MJ); 3947 } else if (const Arg *GenCDBFragment = 3948 Args.getLastArg(options::OPT_gen_cdb_fragment_path)) { 3949 DumpCompilationDatabaseFragmentToDir(GenCDBFragment->getValue(), C, 3950 TripleStr, Output, Input, Args); 3951 Args.ClaimAllArgs(options::OPT_gen_cdb_fragment_path); 3952 } 3953 3954 if (IsCuda || IsHIP) { 3955 // We have to pass the triple of the host if compiling for a CUDA/HIP device 3956 // and vice-versa. 3957 std::string NormalizedTriple; 3958 if (JA.isDeviceOffloading(Action::OFK_Cuda) || 3959 JA.isDeviceOffloading(Action::OFK_HIP)) 3960 NormalizedTriple = C.getSingleOffloadToolChain<Action::OFK_Host>() 3961 ->getTriple() 3962 .normalize(); 3963 else { 3964 // Host-side compilation. 3965 NormalizedTriple = 3966 (IsCuda ? C.getSingleOffloadToolChain<Action::OFK_Cuda>() 3967 : C.getSingleOffloadToolChain<Action::OFK_HIP>()) 3968 ->getTriple() 3969 .normalize(); 3970 if (IsCuda) { 3971 // We need to figure out which CUDA version we're compiling for, as that 3972 // determines how we load and launch GPU kernels. 3973 auto *CTC = static_cast<const toolchains::CudaToolChain *>( 3974 C.getSingleOffloadToolChain<Action::OFK_Cuda>()); 3975 assert(CTC && "Expected valid CUDA Toolchain."); 3976 if (CTC && CTC->CudaInstallation.version() != CudaVersion::UNKNOWN) 3977 CmdArgs.push_back(Args.MakeArgString( 3978 Twine("-target-sdk-version=") + 3979 CudaVersionToString(CTC->CudaInstallation.version()))); 3980 } 3981 } 3982 CmdArgs.push_back("-aux-triple"); 3983 CmdArgs.push_back(Args.MakeArgString(NormalizedTriple)); 3984 } 3985 3986 if (IsOpenMPDevice) { 3987 // We have to pass the triple of the host if compiling for an OpenMP device. 3988 std::string NormalizedTriple = 3989 C.getSingleOffloadToolChain<Action::OFK_Host>() 3990 ->getTriple() 3991 .normalize(); 3992 CmdArgs.push_back("-aux-triple"); 3993 CmdArgs.push_back(Args.MakeArgString(NormalizedTriple)); 3994 } 3995 3996 if (Triple.isOSWindows() && (Triple.getArch() == llvm::Triple::arm || 3997 Triple.getArch() == llvm::Triple::thumb)) { 3998 unsigned Offset = Triple.getArch() == llvm::Triple::arm ? 4 : 6; 3999 unsigned Version; 4000 Triple.getArchName().substr(Offset).getAsInteger(10, Version); 4001 if (Version < 7) 4002 D.Diag(diag::err_target_unsupported_arch) << Triple.getArchName() 4003 << TripleStr; 4004 } 4005 4006 // Push all default warning arguments that are specific to 4007 // the given target. These come before user provided warning options 4008 // are provided. 4009 TC.addClangWarningOptions(CmdArgs); 4010 4011 // Select the appropriate action. 4012 RewriteKind rewriteKind = RK_None; 4013 4014 // If CollectArgsForIntegratedAssembler() isn't called below, claim the args 4015 // it claims when not running an assembler. Otherwise, clang would emit 4016 // "argument unused" warnings for assembler flags when e.g. adding "-E" to 4017 // flags while debugging something. That'd be somewhat inconvenient, and it's 4018 // also inconsistent with most other flags -- we don't warn on 4019 // -ffunction-sections not being used in -E mode either for example, even 4020 // though it's not really used either. 4021 if (!isa<AssembleJobAction>(JA)) { 4022 // The args claimed here should match the args used in 4023 // CollectArgsForIntegratedAssembler(). 4024 if (TC.useIntegratedAs()) { 4025 Args.ClaimAllArgs(options::OPT_mrelax_all); 4026 Args.ClaimAllArgs(options::OPT_mno_relax_all); 4027 Args.ClaimAllArgs(options::OPT_mincremental_linker_compatible); 4028 Args.ClaimAllArgs(options::OPT_mno_incremental_linker_compatible); 4029 switch (C.getDefaultToolChain().getArch()) { 4030 case llvm::Triple::arm: 4031 case llvm::Triple::armeb: 4032 case llvm::Triple::thumb: 4033 case llvm::Triple::thumbeb: 4034 Args.ClaimAllArgs(options::OPT_mimplicit_it_EQ); 4035 break; 4036 default: 4037 break; 4038 } 4039 } 4040 Args.ClaimAllArgs(options::OPT_Wa_COMMA); 4041 Args.ClaimAllArgs(options::OPT_Xassembler); 4042 } 4043 4044 if (isa<AnalyzeJobAction>(JA)) { 4045 assert(JA.getType() == types::TY_Plist && "Invalid output type."); 4046 CmdArgs.push_back("-analyze"); 4047 } else if (isa<MigrateJobAction>(JA)) { 4048 CmdArgs.push_back("-migrate"); 4049 } else if (isa<PreprocessJobAction>(JA)) { 4050 if (Output.getType() == types::TY_Dependencies) 4051 CmdArgs.push_back("-Eonly"); 4052 else { 4053 CmdArgs.push_back("-E"); 4054 if (Args.hasArg(options::OPT_rewrite_objc) && 4055 !Args.hasArg(options::OPT_g_Group)) 4056 CmdArgs.push_back("-P"); 4057 } 4058 } else if (isa<AssembleJobAction>(JA)) { 4059 CmdArgs.push_back("-emit-obj"); 4060 4061 CollectArgsForIntegratedAssembler(C, Args, CmdArgs, D); 4062 4063 // Also ignore explicit -force_cpusubtype_ALL option. 4064 (void)Args.hasArg(options::OPT_force__cpusubtype__ALL); 4065 } else if (isa<PrecompileJobAction>(JA)) { 4066 if (JA.getType() == types::TY_Nothing) 4067 CmdArgs.push_back("-fsyntax-only"); 4068 else if (JA.getType() == types::TY_ModuleFile) 4069 CmdArgs.push_back(IsHeaderModulePrecompile 4070 ? "-emit-header-module" 4071 : "-emit-module-interface"); 4072 else 4073 CmdArgs.push_back("-emit-pch"); 4074 } else if (isa<VerifyPCHJobAction>(JA)) { 4075 CmdArgs.push_back("-verify-pch"); 4076 } else { 4077 assert((isa<CompileJobAction>(JA) || isa<BackendJobAction>(JA)) && 4078 "Invalid action for clang tool."); 4079 if (JA.getType() == types::TY_Nothing) { 4080 CmdArgs.push_back("-fsyntax-only"); 4081 } else if (JA.getType() == types::TY_LLVM_IR || 4082 JA.getType() == types::TY_LTO_IR) { 4083 CmdArgs.push_back("-emit-llvm"); 4084 } else if (JA.getType() == types::TY_LLVM_BC || 4085 JA.getType() == types::TY_LTO_BC) { 4086 CmdArgs.push_back("-emit-llvm-bc"); 4087 } else if (JA.getType() == types::TY_IFS || 4088 JA.getType() == types::TY_IFS_CPP) { 4089 StringRef ArgStr = 4090 Args.hasArg(options::OPT_interface_stub_version_EQ) 4091 ? Args.getLastArgValue(options::OPT_interface_stub_version_EQ) 4092 : "experimental-ifs-v1"; 4093 CmdArgs.push_back("-emit-interface-stubs"); 4094 CmdArgs.push_back( 4095 Args.MakeArgString(Twine("-interface-stub-version=") + ArgStr.str())); 4096 } else if (JA.getType() == types::TY_PP_Asm) { 4097 CmdArgs.push_back("-S"); 4098 } else if (JA.getType() == types::TY_AST) { 4099 CmdArgs.push_back("-emit-pch"); 4100 } else if (JA.getType() == types::TY_ModuleFile) { 4101 CmdArgs.push_back("-module-file-info"); 4102 } else if (JA.getType() == types::TY_RewrittenObjC) { 4103 CmdArgs.push_back("-rewrite-objc"); 4104 rewriteKind = RK_NonFragile; 4105 } else if (JA.getType() == types::TY_RewrittenLegacyObjC) { 4106 CmdArgs.push_back("-rewrite-objc"); 4107 rewriteKind = RK_Fragile; 4108 } else { 4109 assert(JA.getType() == types::TY_PP_Asm && "Unexpected output type!"); 4110 } 4111 4112 // Preserve use-list order by default when emitting bitcode, so that 4113 // loading the bitcode up in 'opt' or 'llc' and running passes gives the 4114 // same result as running passes here. For LTO, we don't need to preserve 4115 // the use-list order, since serialization to bitcode is part of the flow. 4116 if (JA.getType() == types::TY_LLVM_BC) 4117 CmdArgs.push_back("-emit-llvm-uselists"); 4118 4119 // Device-side jobs do not support LTO. 4120 bool isDeviceOffloadAction = !(JA.isDeviceOffloading(Action::OFK_None) || 4121 JA.isDeviceOffloading(Action::OFK_Host)); 4122 4123 if (D.isUsingLTO() && !isDeviceOffloadAction) { 4124 Args.AddLastArg(CmdArgs, options::OPT_flto, options::OPT_flto_EQ); 4125 CmdArgs.push_back("-flto-unit"); 4126 } 4127 } 4128 4129 if (const Arg *A = Args.getLastArg(options::OPT_fthinlto_index_EQ)) { 4130 if (!types::isLLVMIR(Input.getType())) 4131 D.Diag(diag::err_drv_arg_requires_bitcode_input) << A->getAsString(Args); 4132 Args.AddLastArg(CmdArgs, options::OPT_fthinlto_index_EQ); 4133 } 4134 4135 if (Args.getLastArg(options::OPT_fthin_link_bitcode_EQ)) 4136 Args.AddLastArg(CmdArgs, options::OPT_fthin_link_bitcode_EQ); 4137 4138 if (Args.getLastArg(options::OPT_save_temps_EQ)) 4139 Args.AddLastArg(CmdArgs, options::OPT_save_temps_EQ); 4140 4141 // Embed-bitcode option. 4142 // Only white-listed flags below are allowed to be embedded. 4143 if (C.getDriver().embedBitcodeInObject() && !C.getDriver().isUsingLTO() && 4144 (isa<BackendJobAction>(JA) || isa<AssembleJobAction>(JA))) { 4145 // Add flags implied by -fembed-bitcode. 4146 Args.AddLastArg(CmdArgs, options::OPT_fembed_bitcode_EQ); 4147 // Disable all llvm IR level optimizations. 4148 CmdArgs.push_back("-disable-llvm-passes"); 4149 4150 // Render target options. 4151 TC.addClangTargetOptions(Args, CmdArgs, JA.getOffloadingDeviceKind()); 4152 4153 // reject options that shouldn't be supported in bitcode 4154 // also reject kernel/kext 4155 static const constexpr unsigned kBitcodeOptionBlacklist[] = { 4156 options::OPT_mkernel, 4157 options::OPT_fapple_kext, 4158 options::OPT_ffunction_sections, 4159 options::OPT_fno_function_sections, 4160 options::OPT_fdata_sections, 4161 options::OPT_fno_data_sections, 4162 options::OPT_funique_section_names, 4163 options::OPT_fno_unique_section_names, 4164 options::OPT_mrestrict_it, 4165 options::OPT_mno_restrict_it, 4166 options::OPT_mstackrealign, 4167 options::OPT_mno_stackrealign, 4168 options::OPT_mstack_alignment, 4169 options::OPT_mcmodel_EQ, 4170 options::OPT_mlong_calls, 4171 options::OPT_mno_long_calls, 4172 options::OPT_ggnu_pubnames, 4173 options::OPT_gdwarf_aranges, 4174 options::OPT_fdebug_types_section, 4175 options::OPT_fno_debug_types_section, 4176 options::OPT_fdwarf_directory_asm, 4177 options::OPT_fno_dwarf_directory_asm, 4178 options::OPT_mrelax_all, 4179 options::OPT_mno_relax_all, 4180 options::OPT_ftrap_function_EQ, 4181 options::OPT_ffixed_r9, 4182 options::OPT_mfix_cortex_a53_835769, 4183 options::OPT_mno_fix_cortex_a53_835769, 4184 options::OPT_ffixed_x18, 4185 options::OPT_mglobal_merge, 4186 options::OPT_mno_global_merge, 4187 options::OPT_mred_zone, 4188 options::OPT_mno_red_zone, 4189 options::OPT_Wa_COMMA, 4190 options::OPT_Xassembler, 4191 options::OPT_mllvm, 4192 }; 4193 for (const auto &A : Args) 4194 if (llvm::find(kBitcodeOptionBlacklist, A->getOption().getID()) != 4195 std::end(kBitcodeOptionBlacklist)) 4196 D.Diag(diag::err_drv_unsupported_embed_bitcode) << A->getSpelling(); 4197 4198 // Render the CodeGen options that need to be passed. 4199 if (!Args.hasFlag(options::OPT_foptimize_sibling_calls, 4200 options::OPT_fno_optimize_sibling_calls)) 4201 CmdArgs.push_back("-mdisable-tail-calls"); 4202 4203 RenderFloatingPointOptions(TC, D, isOptimizationLevelFast(Args), Args, 4204 CmdArgs); 4205 4206 // Render ABI arguments 4207 switch (TC.getArch()) { 4208 default: break; 4209 case llvm::Triple::arm: 4210 case llvm::Triple::armeb: 4211 case llvm::Triple::thumbeb: 4212 RenderARMABI(Triple, Args, CmdArgs); 4213 break; 4214 case llvm::Triple::aarch64: 4215 case llvm::Triple::aarch64_32: 4216 case llvm::Triple::aarch64_be: 4217 RenderAArch64ABI(Triple, Args, CmdArgs); 4218 break; 4219 } 4220 4221 // Optimization level for CodeGen. 4222 if (const Arg *A = Args.getLastArg(options::OPT_O_Group)) { 4223 if (A->getOption().matches(options::OPT_O4)) { 4224 CmdArgs.push_back("-O3"); 4225 D.Diag(diag::warn_O4_is_O3); 4226 } else { 4227 A->render(Args, CmdArgs); 4228 } 4229 } 4230 4231 // Input/Output file. 4232 if (Output.getType() == types::TY_Dependencies) { 4233 // Handled with other dependency code. 4234 } else if (Output.isFilename()) { 4235 CmdArgs.push_back("-o"); 4236 CmdArgs.push_back(Output.getFilename()); 4237 } else { 4238 assert(Output.isNothing() && "Input output."); 4239 } 4240 4241 for (const auto &II : Inputs) { 4242 addDashXForInput(Args, II, CmdArgs); 4243 if (II.isFilename()) 4244 CmdArgs.push_back(II.getFilename()); 4245 else 4246 II.getInputArg().renderAsInput(Args, CmdArgs); 4247 } 4248 4249 C.addCommand(std::make_unique<Command>(JA, *this, D.getClangProgramPath(), 4250 CmdArgs, Inputs)); 4251 return; 4252 } 4253 4254 if (C.getDriver().embedBitcodeMarkerOnly() && !C.getDriver().isUsingLTO()) 4255 CmdArgs.push_back("-fembed-bitcode=marker"); 4256 4257 // We normally speed up the clang process a bit by skipping destructors at 4258 // exit, but when we're generating diagnostics we can rely on some of the 4259 // cleanup. 4260 if (!C.isForDiagnostics()) 4261 CmdArgs.push_back("-disable-free"); 4262 4263 #ifdef NDEBUG 4264 const bool IsAssertBuild = false; 4265 #else 4266 const bool IsAssertBuild = true; 4267 #endif 4268 4269 // Disable the verification pass in -asserts builds. 4270 if (!IsAssertBuild) 4271 CmdArgs.push_back("-disable-llvm-verifier"); 4272 4273 // Discard value names in assert builds unless otherwise specified. 4274 if (Args.hasFlag(options::OPT_fdiscard_value_names, 4275 options::OPT_fno_discard_value_names, !IsAssertBuild)) { 4276 if (Args.hasArg(options::OPT_fdiscard_value_names) && 4277 (std::any_of(Inputs.begin(), Inputs.end(), 4278 [](const clang::driver::InputInfo &II) { 4279 return types::isLLVMIR(II.getType()); 4280 }))) { 4281 D.Diag(diag::warn_ignoring_fdiscard_for_bitcode); 4282 } 4283 CmdArgs.push_back("-discard-value-names"); 4284 } 4285 4286 // Set the main file name, so that debug info works even with 4287 // -save-temps. 4288 CmdArgs.push_back("-main-file-name"); 4289 CmdArgs.push_back(getBaseInputName(Args, Input)); 4290 4291 // Some flags which affect the language (via preprocessor 4292 // defines). 4293 if (Args.hasArg(options::OPT_static)) 4294 CmdArgs.push_back("-static-define"); 4295 4296 if (Args.hasArg(options::OPT_municode)) 4297 CmdArgs.push_back("-DUNICODE"); 4298 4299 if (isa<AnalyzeJobAction>(JA)) 4300 RenderAnalyzerOptions(Args, CmdArgs, Triple, Input); 4301 4302 if (isa<AnalyzeJobAction>(JA) || 4303 (isa<PreprocessJobAction>(JA) && Args.hasArg(options::OPT__analyze))) 4304 CmdArgs.push_back("-setup-static-analyzer"); 4305 4306 // Enable compatilibily mode to avoid analyzer-config related errors. 4307 // Since we can't access frontend flags through hasArg, let's manually iterate 4308 // through them. 4309 bool FoundAnalyzerConfig = false; 4310 for (auto Arg : Args.filtered(options::OPT_Xclang)) 4311 if (StringRef(Arg->getValue()) == "-analyzer-config") { 4312 FoundAnalyzerConfig = true; 4313 break; 4314 } 4315 if (!FoundAnalyzerConfig) 4316 for (auto Arg : Args.filtered(options::OPT_Xanalyzer)) 4317 if (StringRef(Arg->getValue()) == "-analyzer-config") { 4318 FoundAnalyzerConfig = true; 4319 break; 4320 } 4321 if (FoundAnalyzerConfig) 4322 CmdArgs.push_back("-analyzer-config-compatibility-mode=true"); 4323 4324 CheckCodeGenerationOptions(D, Args); 4325 4326 unsigned FunctionAlignment = ParseFunctionAlignment(TC, Args); 4327 assert(FunctionAlignment <= 31 && "function alignment will be truncated!"); 4328 if (FunctionAlignment) { 4329 CmdArgs.push_back("-function-alignment"); 4330 CmdArgs.push_back(Args.MakeArgString(std::to_string(FunctionAlignment))); 4331 } 4332 4333 llvm::Reloc::Model RelocationModel; 4334 unsigned PICLevel; 4335 bool IsPIE; 4336 std::tie(RelocationModel, PICLevel, IsPIE) = ParsePICArgs(TC, Args); 4337 4338 const char *RMName = RelocationModelName(RelocationModel); 4339 4340 if ((RelocationModel == llvm::Reloc::ROPI || 4341 RelocationModel == llvm::Reloc::ROPI_RWPI) && 4342 types::isCXX(Input.getType()) && 4343 !Args.hasArg(options::OPT_fallow_unsupported)) 4344 D.Diag(diag::err_drv_ropi_incompatible_with_cxx); 4345 4346 if (RMName) { 4347 CmdArgs.push_back("-mrelocation-model"); 4348 CmdArgs.push_back(RMName); 4349 } 4350 if (PICLevel > 0) { 4351 CmdArgs.push_back("-pic-level"); 4352 CmdArgs.push_back(PICLevel == 1 ? "1" : "2"); 4353 if (IsPIE) 4354 CmdArgs.push_back("-pic-is-pie"); 4355 } 4356 4357 if (RelocationModel == llvm::Reloc::ROPI || 4358 RelocationModel == llvm::Reloc::ROPI_RWPI) 4359 CmdArgs.push_back("-fropi"); 4360 if (RelocationModel == llvm::Reloc::RWPI || 4361 RelocationModel == llvm::Reloc::ROPI_RWPI) 4362 CmdArgs.push_back("-frwpi"); 4363 4364 if (Arg *A = Args.getLastArg(options::OPT_meabi)) { 4365 CmdArgs.push_back("-meabi"); 4366 CmdArgs.push_back(A->getValue()); 4367 } 4368 4369 CmdArgs.push_back("-mthread-model"); 4370 if (Arg *A = Args.getLastArg(options::OPT_mthread_model)) { 4371 if (!TC.isThreadModelSupported(A->getValue())) 4372 D.Diag(diag::err_drv_invalid_thread_model_for_target) 4373 << A->getValue() << A->getAsString(Args); 4374 CmdArgs.push_back(A->getValue()); 4375 } 4376 else 4377 CmdArgs.push_back(Args.MakeArgString(TC.getThreadModel())); 4378 4379 Args.AddLastArg(CmdArgs, options::OPT_fveclib); 4380 4381 if (Args.hasFlag(options::OPT_fmerge_all_constants, 4382 options::OPT_fno_merge_all_constants, false)) 4383 CmdArgs.push_back("-fmerge-all-constants"); 4384 4385 if (Args.hasFlag(options::OPT_fno_delete_null_pointer_checks, 4386 options::OPT_fdelete_null_pointer_checks, false)) 4387 CmdArgs.push_back("-fno-delete-null-pointer-checks"); 4388 4389 // LLVM Code Generator Options. 4390 4391 if (Args.hasArg(options::OPT_frewrite_map_file) || 4392 Args.hasArg(options::OPT_frewrite_map_file_EQ)) { 4393 for (const Arg *A : Args.filtered(options::OPT_frewrite_map_file, 4394 options::OPT_frewrite_map_file_EQ)) { 4395 StringRef Map = A->getValue(); 4396 if (!llvm::sys::fs::exists(Map)) { 4397 D.Diag(diag::err_drv_no_such_file) << Map; 4398 } else { 4399 CmdArgs.push_back("-frewrite-map-file"); 4400 CmdArgs.push_back(A->getValue()); 4401 A->claim(); 4402 } 4403 } 4404 } 4405 4406 if (Arg *A = Args.getLastArg(options::OPT_Wframe_larger_than_EQ)) { 4407 StringRef v = A->getValue(); 4408 CmdArgs.push_back("-mllvm"); 4409 CmdArgs.push_back(Args.MakeArgString("-warn-stack-size=" + v)); 4410 A->claim(); 4411 } 4412 4413 if (!Args.hasFlag(options::OPT_fjump_tables, options::OPT_fno_jump_tables, 4414 true)) 4415 CmdArgs.push_back("-fno-jump-tables"); 4416 4417 if (Args.hasFlag(options::OPT_fprofile_sample_accurate, 4418 options::OPT_fno_profile_sample_accurate, false)) 4419 CmdArgs.push_back("-fprofile-sample-accurate"); 4420 4421 if (!Args.hasFlag(options::OPT_fpreserve_as_comments, 4422 options::OPT_fno_preserve_as_comments, true)) 4423 CmdArgs.push_back("-fno-preserve-as-comments"); 4424 4425 if (Arg *A = Args.getLastArg(options::OPT_mregparm_EQ)) { 4426 CmdArgs.push_back("-mregparm"); 4427 CmdArgs.push_back(A->getValue()); 4428 } 4429 4430 if (Arg *A = Args.getLastArg(options::OPT_maix_struct_return, 4431 options::OPT_msvr4_struct_return)) { 4432 if (TC.getArch() != llvm::Triple::ppc) { 4433 D.Diag(diag::err_drv_unsupported_opt_for_target) 4434 << A->getSpelling() << RawTriple.str(); 4435 } else if (A->getOption().matches(options::OPT_maix_struct_return)) { 4436 CmdArgs.push_back("-maix-struct-return"); 4437 } else { 4438 assert(A->getOption().matches(options::OPT_msvr4_struct_return)); 4439 CmdArgs.push_back("-msvr4-struct-return"); 4440 } 4441 } 4442 4443 if (Arg *A = Args.getLastArg(options::OPT_fpcc_struct_return, 4444 options::OPT_freg_struct_return)) { 4445 if (TC.getArch() != llvm::Triple::x86) { 4446 D.Diag(diag::err_drv_unsupported_opt_for_target) 4447 << A->getSpelling() << RawTriple.str(); 4448 } else if (A->getOption().matches(options::OPT_fpcc_struct_return)) { 4449 CmdArgs.push_back("-fpcc-struct-return"); 4450 } else { 4451 assert(A->getOption().matches(options::OPT_freg_struct_return)); 4452 CmdArgs.push_back("-freg-struct-return"); 4453 } 4454 } 4455 4456 if (Args.hasFlag(options::OPT_mrtd, options::OPT_mno_rtd, false)) 4457 CmdArgs.push_back("-fdefault-calling-conv=stdcall"); 4458 4459 CodeGenOptions::FramePointerKind FPKeepKind = 4460 getFramePointerKind(Args, RawTriple); 4461 const char *FPKeepKindStr = nullptr; 4462 switch (FPKeepKind) { 4463 case CodeGenOptions::FramePointerKind::None: 4464 FPKeepKindStr = "-mframe-pointer=none"; 4465 break; 4466 case CodeGenOptions::FramePointerKind::NonLeaf: 4467 FPKeepKindStr = "-mframe-pointer=non-leaf"; 4468 break; 4469 case CodeGenOptions::FramePointerKind::All: 4470 FPKeepKindStr = "-mframe-pointer=all"; 4471 break; 4472 } 4473 assert(FPKeepKindStr && "unknown FramePointerKind"); 4474 CmdArgs.push_back(FPKeepKindStr); 4475 4476 if (!Args.hasFlag(options::OPT_fzero_initialized_in_bss, 4477 options::OPT_fno_zero_initialized_in_bss)) 4478 CmdArgs.push_back("-mno-zero-initialized-in-bss"); 4479 4480 bool OFastEnabled = isOptimizationLevelFast(Args); 4481 // If -Ofast is the optimization level, then -fstrict-aliasing should be 4482 // enabled. This alias option is being used to simplify the hasFlag logic. 4483 OptSpecifier StrictAliasingAliasOption = 4484 OFastEnabled ? options::OPT_Ofast : options::OPT_fstrict_aliasing; 4485 // We turn strict aliasing off by default if we're in CL mode, since MSVC 4486 // doesn't do any TBAA. 4487 bool StrictAliasingDefault = !D.IsCLMode(); 4488 // We also turn off strict aliasing on OpenBSD. 4489 if (getToolChain().getTriple().isOSOpenBSD()) 4490 StrictAliasingDefault = false; 4491 if (!Args.hasFlag(options::OPT_fstrict_aliasing, StrictAliasingAliasOption, 4492 options::OPT_fno_strict_aliasing, StrictAliasingDefault)) 4493 CmdArgs.push_back("-relaxed-aliasing"); 4494 if (!Args.hasFlag(options::OPT_fstruct_path_tbaa, 4495 options::OPT_fno_struct_path_tbaa)) 4496 CmdArgs.push_back("-no-struct-path-tbaa"); 4497 if (Args.hasFlag(options::OPT_fstrict_enums, options::OPT_fno_strict_enums, 4498 false)) 4499 CmdArgs.push_back("-fstrict-enums"); 4500 if (!Args.hasFlag(options::OPT_fstrict_return, options::OPT_fno_strict_return, 4501 true)) 4502 CmdArgs.push_back("-fno-strict-return"); 4503 if (Args.hasFlag(options::OPT_fallow_editor_placeholders, 4504 options::OPT_fno_allow_editor_placeholders, false)) 4505 CmdArgs.push_back("-fallow-editor-placeholders"); 4506 if (Args.hasFlag(options::OPT_fstrict_vtable_pointers, 4507 options::OPT_fno_strict_vtable_pointers, 4508 false)) 4509 CmdArgs.push_back("-fstrict-vtable-pointers"); 4510 if (Args.hasFlag(options::OPT_fforce_emit_vtables, 4511 options::OPT_fno_force_emit_vtables, 4512 false)) 4513 CmdArgs.push_back("-fforce-emit-vtables"); 4514 if (!Args.hasFlag(options::OPT_foptimize_sibling_calls, 4515 options::OPT_fno_optimize_sibling_calls)) 4516 CmdArgs.push_back("-mdisable-tail-calls"); 4517 if (Args.hasFlag(options::OPT_fno_escaping_block_tail_calls, 4518 options::OPT_fescaping_block_tail_calls, false)) 4519 CmdArgs.push_back("-fno-escaping-block-tail-calls"); 4520 4521 Args.AddLastArg(CmdArgs, options::OPT_ffine_grained_bitfield_accesses, 4522 options::OPT_fno_fine_grained_bitfield_accesses); 4523 4524 // Handle segmented stacks. 4525 if (Args.hasArg(options::OPT_fsplit_stack)) 4526 CmdArgs.push_back("-split-stacks"); 4527 4528 RenderFloatingPointOptions(TC, D, OFastEnabled, Args, CmdArgs); 4529 4530 if (Arg *A = Args.getLastArg(options::OPT_LongDouble_Group)) { 4531 if (TC.getTriple().isX86()) 4532 A->render(Args, CmdArgs); 4533 else if ((TC.getArch() == llvm::Triple::ppc || TC.getTriple().isPPC64()) && 4534 (A->getOption().getID() != options::OPT_mlong_double_80)) 4535 A->render(Args, CmdArgs); 4536 else 4537 D.Diag(diag::err_drv_unsupported_opt_for_target) 4538 << A->getAsString(Args) << TripleStr; 4539 } 4540 4541 // Decide whether to use verbose asm. Verbose assembly is the default on 4542 // toolchains which have the integrated assembler on by default. 4543 bool IsIntegratedAssemblerDefault = TC.IsIntegratedAssemblerDefault(); 4544 if (Args.hasFlag(options::OPT_fverbose_asm, options::OPT_fno_verbose_asm, 4545 IsIntegratedAssemblerDefault)) 4546 CmdArgs.push_back("-masm-verbose"); 4547 4548 if (!TC.useIntegratedAs()) 4549 CmdArgs.push_back("-no-integrated-as"); 4550 4551 if (Args.hasArg(options::OPT_fdebug_pass_structure)) { 4552 CmdArgs.push_back("-mdebug-pass"); 4553 CmdArgs.push_back("Structure"); 4554 } 4555 if (Args.hasArg(options::OPT_fdebug_pass_arguments)) { 4556 CmdArgs.push_back("-mdebug-pass"); 4557 CmdArgs.push_back("Arguments"); 4558 } 4559 4560 // Enable -mconstructor-aliases except on darwin, where we have to work around 4561 // a linker bug (see <rdar://problem/7651567>), and CUDA device code, where 4562 // aliases aren't supported. 4563 if (!RawTriple.isOSDarwin() && !RawTriple.isNVPTX()) 4564 CmdArgs.push_back("-mconstructor-aliases"); 4565 4566 // Darwin's kernel doesn't support guard variables; just die if we 4567 // try to use them. 4568 if (KernelOrKext && RawTriple.isOSDarwin()) 4569 CmdArgs.push_back("-fforbid-guard-variables"); 4570 4571 if (Args.hasFlag(options::OPT_mms_bitfields, options::OPT_mno_ms_bitfields, 4572 false)) { 4573 CmdArgs.push_back("-mms-bitfields"); 4574 } 4575 4576 if (Args.hasFlag(options::OPT_mpie_copy_relocations, 4577 options::OPT_mno_pie_copy_relocations, 4578 false)) { 4579 CmdArgs.push_back("-mpie-copy-relocations"); 4580 } 4581 4582 if (Args.hasFlag(options::OPT_fno_plt, options::OPT_fplt, false)) { 4583 CmdArgs.push_back("-fno-plt"); 4584 } 4585 4586 // -fhosted is default. 4587 // TODO: Audit uses of KernelOrKext and see where it'd be more appropriate to 4588 // use Freestanding. 4589 bool Freestanding = 4590 Args.hasFlag(options::OPT_ffreestanding, options::OPT_fhosted, false) || 4591 KernelOrKext; 4592 if (Freestanding) 4593 CmdArgs.push_back("-ffreestanding"); 4594 4595 // This is a coarse approximation of what llvm-gcc actually does, both 4596 // -fasynchronous-unwind-tables and -fnon-call-exceptions interact in more 4597 // complicated ways. 4598 bool AsynchronousUnwindTables = 4599 Args.hasFlag(options::OPT_fasynchronous_unwind_tables, 4600 options::OPT_fno_asynchronous_unwind_tables, 4601 (TC.IsUnwindTablesDefault(Args) || 4602 TC.getSanitizerArgs().needsUnwindTables()) && 4603 !Freestanding); 4604 if (Args.hasFlag(options::OPT_funwind_tables, options::OPT_fno_unwind_tables, 4605 AsynchronousUnwindTables)) 4606 CmdArgs.push_back("-munwind-tables"); 4607 4608 TC.addClangTargetOptions(Args, CmdArgs, JA.getOffloadingDeviceKind()); 4609 4610 // FIXME: Handle -mtune=. 4611 (void)Args.hasArg(options::OPT_mtune_EQ); 4612 4613 if (Arg *A = Args.getLastArg(options::OPT_mcmodel_EQ)) { 4614 CmdArgs.push_back("-mcode-model"); 4615 CmdArgs.push_back(A->getValue()); 4616 } 4617 4618 if (Arg *A = Args.getLastArg(options::OPT_mtls_size_EQ)) { 4619 StringRef Value = A->getValue(); 4620 unsigned TLSSize = 0; 4621 Value.getAsInteger(10, TLSSize); 4622 if (!Triple.isAArch64() || !Triple.isOSBinFormatELF()) 4623 D.Diag(diag::err_drv_unsupported_opt_for_target) 4624 << A->getOption().getName() << TripleStr; 4625 if (TLSSize != 12 && TLSSize != 24 && TLSSize != 32 && TLSSize != 48) 4626 D.Diag(diag::err_drv_invalid_int_value) 4627 << A->getOption().getName() << Value; 4628 Args.AddLastArg(CmdArgs, options::OPT_mtls_size_EQ); 4629 } 4630 4631 // Add the target cpu 4632 std::string CPU = getCPUName(Args, Triple, /*FromAs*/ false); 4633 if (!CPU.empty()) { 4634 CmdArgs.push_back("-target-cpu"); 4635 CmdArgs.push_back(Args.MakeArgString(CPU)); 4636 } 4637 4638 RenderTargetOptions(Triple, Args, KernelOrKext, CmdArgs); 4639 4640 // These two are potentially updated by AddClangCLArgs. 4641 codegenoptions::DebugInfoKind DebugInfoKind = codegenoptions::NoDebugInfo; 4642 bool EmitCodeView = false; 4643 4644 // Add clang-cl arguments. 4645 types::ID InputType = Input.getType(); 4646 if (D.IsCLMode()) 4647 AddClangCLArgs(Args, InputType, CmdArgs, &DebugInfoKind, &EmitCodeView); 4648 4649 DwarfFissionKind DwarfFission; 4650 RenderDebugOptions(TC, D, RawTriple, Args, EmitCodeView, IsWindowsMSVC, 4651 CmdArgs, DebugInfoKind, DwarfFission); 4652 4653 // Add the split debug info name to the command lines here so we 4654 // can propagate it to the backend. 4655 bool SplitDWARF = (DwarfFission != DwarfFissionKind::None) && 4656 TC.getTriple().isOSBinFormatELF() && 4657 (isa<AssembleJobAction>(JA) || isa<CompileJobAction>(JA) || 4658 isa<BackendJobAction>(JA)); 4659 if (SplitDWARF) { 4660 const char *SplitDWARFOut = SplitDebugName(Args, Input, Output); 4661 CmdArgs.push_back("-split-dwarf-file"); 4662 CmdArgs.push_back(SplitDWARFOut); 4663 if (DwarfFission == DwarfFissionKind::Split) { 4664 CmdArgs.push_back("-split-dwarf-output"); 4665 CmdArgs.push_back(SplitDWARFOut); 4666 } 4667 } 4668 4669 // Pass the linker version in use. 4670 if (Arg *A = Args.getLastArg(options::OPT_mlinker_version_EQ)) { 4671 CmdArgs.push_back("-target-linker-version"); 4672 CmdArgs.push_back(A->getValue()); 4673 } 4674 4675 // Explicitly error on some things we know we don't support and can't just 4676 // ignore. 4677 if (!Args.hasArg(options::OPT_fallow_unsupported)) { 4678 Arg *Unsupported; 4679 if (types::isCXX(InputType) && RawTriple.isOSDarwin() && 4680 TC.getArch() == llvm::Triple::x86) { 4681 if ((Unsupported = Args.getLastArg(options::OPT_fapple_kext)) || 4682 (Unsupported = Args.getLastArg(options::OPT_mkernel))) 4683 D.Diag(diag::err_drv_clang_unsupported_opt_cxx_darwin_i386) 4684 << Unsupported->getOption().getName(); 4685 } 4686 // The faltivec option has been superseded by the maltivec option. 4687 if ((Unsupported = Args.getLastArg(options::OPT_faltivec))) 4688 D.Diag(diag::err_drv_clang_unsupported_opt_faltivec) 4689 << Unsupported->getOption().getName() 4690 << "please use -maltivec and include altivec.h explicitly"; 4691 if ((Unsupported = Args.getLastArg(options::OPT_fno_altivec))) 4692 D.Diag(diag::err_drv_clang_unsupported_opt_faltivec) 4693 << Unsupported->getOption().getName() << "please use -mno-altivec"; 4694 } 4695 4696 Args.AddAllArgs(CmdArgs, options::OPT_v); 4697 Args.AddLastArg(CmdArgs, options::OPT_H); 4698 if (D.CCPrintHeaders && !D.CCGenDiagnostics) { 4699 CmdArgs.push_back("-header-include-file"); 4700 CmdArgs.push_back(D.CCPrintHeadersFilename ? D.CCPrintHeadersFilename 4701 : "-"); 4702 } 4703 Args.AddLastArg(CmdArgs, options::OPT_P); 4704 Args.AddLastArg(CmdArgs, options::OPT_print_ivar_layout); 4705 4706 if (D.CCLogDiagnostics && !D.CCGenDiagnostics) { 4707 CmdArgs.push_back("-diagnostic-log-file"); 4708 CmdArgs.push_back(D.CCLogDiagnosticsFilename ? D.CCLogDiagnosticsFilename 4709 : "-"); 4710 } 4711 4712 // Give the gen diagnostics more chances to succeed, by avoiding intentional 4713 // crashes. 4714 if (D.CCGenDiagnostics) 4715 CmdArgs.push_back("-disable-pragma-debug-crash"); 4716 4717 bool UseSeparateSections = isUseSeparateSections(Triple); 4718 4719 if (Args.hasFlag(options::OPT_ffunction_sections, 4720 options::OPT_fno_function_sections, UseSeparateSections)) { 4721 CmdArgs.push_back("-ffunction-sections"); 4722 } 4723 4724 if (Args.hasFlag(options::OPT_fdata_sections, options::OPT_fno_data_sections, 4725 UseSeparateSections)) { 4726 CmdArgs.push_back("-fdata-sections"); 4727 } 4728 4729 if (!Args.hasFlag(options::OPT_funique_section_names, 4730 options::OPT_fno_unique_section_names, true)) 4731 CmdArgs.push_back("-fno-unique-section-names"); 4732 4733 Args.AddLastArg(CmdArgs, options::OPT_finstrument_functions, 4734 options::OPT_finstrument_functions_after_inlining, 4735 options::OPT_finstrument_function_entry_bare); 4736 4737 // NVPTX doesn't support PGO or coverage. There's no runtime support for 4738 // sampling, overhead of call arc collection is way too high and there's no 4739 // way to collect the output. 4740 if (!Triple.isNVPTX()) 4741 addPGOAndCoverageFlags(TC, C, D, Output, Args, CmdArgs); 4742 4743 Args.AddLastArg(CmdArgs, options::OPT_fclang_abi_compat_EQ); 4744 4745 // Add runtime flag for PS4 when PGO, coverage, or sanitizers are enabled. 4746 if (RawTriple.isPS4CPU() && 4747 !Args.hasArg(options::OPT_nostdlib, options::OPT_nodefaultlibs)) { 4748 PS4cpu::addProfileRTArgs(TC, Args, CmdArgs); 4749 PS4cpu::addSanitizerArgs(TC, CmdArgs); 4750 } 4751 4752 // Pass options for controlling the default header search paths. 4753 if (Args.hasArg(options::OPT_nostdinc)) { 4754 CmdArgs.push_back("-nostdsysteminc"); 4755 CmdArgs.push_back("-nobuiltininc"); 4756 } else { 4757 if (Args.hasArg(options::OPT_nostdlibinc)) 4758 CmdArgs.push_back("-nostdsysteminc"); 4759 Args.AddLastArg(CmdArgs, options::OPT_nostdincxx); 4760 Args.AddLastArg(CmdArgs, options::OPT_nobuiltininc); 4761 } 4762 4763 // Pass the path to compiler resource files. 4764 CmdArgs.push_back("-resource-dir"); 4765 CmdArgs.push_back(D.ResourceDir.c_str()); 4766 4767 Args.AddLastArg(CmdArgs, options::OPT_working_directory); 4768 4769 RenderARCMigrateToolOptions(D, Args, CmdArgs); 4770 4771 // Add preprocessing options like -I, -D, etc. if we are using the 4772 // preprocessor. 4773 // 4774 // FIXME: Support -fpreprocessed 4775 if (types::getPreprocessedType(InputType) != types::TY_INVALID) 4776 AddPreprocessingOptions(C, JA, D, Args, CmdArgs, Output, Inputs); 4777 4778 // Don't warn about "clang -c -DPIC -fPIC test.i" because libtool.m4 assumes 4779 // that "The compiler can only warn and ignore the option if not recognized". 4780 // When building with ccache, it will pass -D options to clang even on 4781 // preprocessed inputs and configure concludes that -fPIC is not supported. 4782 Args.ClaimAllArgs(options::OPT_D); 4783 4784 // Manually translate -O4 to -O3; let clang reject others. 4785 if (Arg *A = Args.getLastArg(options::OPT_O_Group)) { 4786 if (A->getOption().matches(options::OPT_O4)) { 4787 CmdArgs.push_back("-O3"); 4788 D.Diag(diag::warn_O4_is_O3); 4789 } else { 4790 A->render(Args, CmdArgs); 4791 } 4792 } 4793 4794 // Warn about ignored options to clang. 4795 for (const Arg *A : 4796 Args.filtered(options::OPT_clang_ignored_gcc_optimization_f_Group)) { 4797 D.Diag(diag::warn_ignored_gcc_optimization) << A->getAsString(Args); 4798 A->claim(); 4799 } 4800 4801 for (const Arg *A : 4802 Args.filtered(options::OPT_clang_ignored_legacy_options_Group)) { 4803 D.Diag(diag::warn_ignored_clang_option) << A->getAsString(Args); 4804 A->claim(); 4805 } 4806 4807 claimNoWarnArgs(Args); 4808 4809 Args.AddAllArgs(CmdArgs, options::OPT_R_Group); 4810 4811 Args.AddAllArgs(CmdArgs, options::OPT_W_Group); 4812 if (Args.hasFlag(options::OPT_pedantic, options::OPT_no_pedantic, false)) 4813 CmdArgs.push_back("-pedantic"); 4814 Args.AddLastArg(CmdArgs, options::OPT_pedantic_errors); 4815 Args.AddLastArg(CmdArgs, options::OPT_w); 4816 4817 // Fixed point flags 4818 if (Args.hasFlag(options::OPT_ffixed_point, options::OPT_fno_fixed_point, 4819 /*Default=*/false)) 4820 Args.AddLastArg(CmdArgs, options::OPT_ffixed_point); 4821 4822 // Handle -{std, ansi, trigraphs} -- take the last of -{std, ansi} 4823 // (-ansi is equivalent to -std=c89 or -std=c++98). 4824 // 4825 // If a std is supplied, only add -trigraphs if it follows the 4826 // option. 4827 bool ImplyVCPPCXXVer = false; 4828 const Arg *Std = Args.getLastArg(options::OPT_std_EQ, options::OPT_ansi); 4829 if (Std) { 4830 if (Std->getOption().matches(options::OPT_ansi)) 4831 if (types::isCXX(InputType)) 4832 CmdArgs.push_back("-std=c++98"); 4833 else 4834 CmdArgs.push_back("-std=c89"); 4835 else 4836 Std->render(Args, CmdArgs); 4837 4838 // If -f(no-)trigraphs appears after the language standard flag, honor it. 4839 if (Arg *A = Args.getLastArg(options::OPT_std_EQ, options::OPT_ansi, 4840 options::OPT_ftrigraphs, 4841 options::OPT_fno_trigraphs)) 4842 if (A != Std) 4843 A->render(Args, CmdArgs); 4844 } else { 4845 // Honor -std-default. 4846 // 4847 // FIXME: Clang doesn't correctly handle -std= when the input language 4848 // doesn't match. For the time being just ignore this for C++ inputs; 4849 // eventually we want to do all the standard defaulting here instead of 4850 // splitting it between the driver and clang -cc1. 4851 if (!types::isCXX(InputType)) 4852 Args.AddAllArgsTranslated(CmdArgs, options::OPT_std_default_EQ, "-std=", 4853 /*Joined=*/true); 4854 else if (IsWindowsMSVC) 4855 ImplyVCPPCXXVer = true; 4856 4857 Args.AddLastArg(CmdArgs, options::OPT_ftrigraphs, 4858 options::OPT_fno_trigraphs); 4859 } 4860 4861 // GCC's behavior for -Wwrite-strings is a bit strange: 4862 // * In C, this "warning flag" changes the types of string literals from 4863 // 'char[N]' to 'const char[N]', and thus triggers an unrelated warning 4864 // for the discarded qualifier. 4865 // * In C++, this is just a normal warning flag. 4866 // 4867 // Implementing this warning correctly in C is hard, so we follow GCC's 4868 // behavior for now. FIXME: Directly diagnose uses of a string literal as 4869 // a non-const char* in C, rather than using this crude hack. 4870 if (!types::isCXX(InputType)) { 4871 // FIXME: This should behave just like a warning flag, and thus should also 4872 // respect -Weverything, -Wno-everything, -Werror=write-strings, and so on. 4873 Arg *WriteStrings = 4874 Args.getLastArg(options::OPT_Wwrite_strings, 4875 options::OPT_Wno_write_strings, options::OPT_w); 4876 if (WriteStrings && 4877 WriteStrings->getOption().matches(options::OPT_Wwrite_strings)) 4878 CmdArgs.push_back("-fconst-strings"); 4879 } 4880 4881 // GCC provides a macro definition '__DEPRECATED' when -Wdeprecated is active 4882 // during C++ compilation, which it is by default. GCC keeps this define even 4883 // in the presence of '-w', match this behavior bug-for-bug. 4884 if (types::isCXX(InputType) && 4885 Args.hasFlag(options::OPT_Wdeprecated, options::OPT_Wno_deprecated, 4886 true)) { 4887 CmdArgs.push_back("-fdeprecated-macro"); 4888 } 4889 4890 // Translate GCC's misnamer '-fasm' arguments to '-fgnu-keywords'. 4891 if (Arg *Asm = Args.getLastArg(options::OPT_fasm, options::OPT_fno_asm)) { 4892 if (Asm->getOption().matches(options::OPT_fasm)) 4893 CmdArgs.push_back("-fgnu-keywords"); 4894 else 4895 CmdArgs.push_back("-fno-gnu-keywords"); 4896 } 4897 4898 if (ShouldDisableDwarfDirectory(Args, TC)) 4899 CmdArgs.push_back("-fno-dwarf-directory-asm"); 4900 4901 if (!ShouldEnableAutolink(Args, TC, JA)) 4902 CmdArgs.push_back("-fno-autolink"); 4903 4904 // Add in -fdebug-compilation-dir if necessary. 4905 addDebugCompDirArg(Args, CmdArgs, D.getVFS()); 4906 4907 addDebugPrefixMapArg(D, Args, CmdArgs); 4908 4909 if (Arg *A = Args.getLastArg(options::OPT_ftemplate_depth_, 4910 options::OPT_ftemplate_depth_EQ)) { 4911 CmdArgs.push_back("-ftemplate-depth"); 4912 CmdArgs.push_back(A->getValue()); 4913 } 4914 4915 if (Arg *A = Args.getLastArg(options::OPT_foperator_arrow_depth_EQ)) { 4916 CmdArgs.push_back("-foperator-arrow-depth"); 4917 CmdArgs.push_back(A->getValue()); 4918 } 4919 4920 if (Arg *A = Args.getLastArg(options::OPT_fconstexpr_depth_EQ)) { 4921 CmdArgs.push_back("-fconstexpr-depth"); 4922 CmdArgs.push_back(A->getValue()); 4923 } 4924 4925 if (Arg *A = Args.getLastArg(options::OPT_fconstexpr_steps_EQ)) { 4926 CmdArgs.push_back("-fconstexpr-steps"); 4927 CmdArgs.push_back(A->getValue()); 4928 } 4929 4930 if (Args.hasArg(options::OPT_fexperimental_new_constant_interpreter)) 4931 CmdArgs.push_back("-fexperimental-new-constant-interpreter"); 4932 4933 if (Arg *A = Args.getLastArg(options::OPT_fbracket_depth_EQ)) { 4934 CmdArgs.push_back("-fbracket-depth"); 4935 CmdArgs.push_back(A->getValue()); 4936 } 4937 4938 if (Arg *A = Args.getLastArg(options::OPT_Wlarge_by_value_copy_EQ, 4939 options::OPT_Wlarge_by_value_copy_def)) { 4940 if (A->getNumValues()) { 4941 StringRef bytes = A->getValue(); 4942 CmdArgs.push_back(Args.MakeArgString("-Wlarge-by-value-copy=" + bytes)); 4943 } else 4944 CmdArgs.push_back("-Wlarge-by-value-copy=64"); // default value 4945 } 4946 4947 if (Args.hasArg(options::OPT_relocatable_pch)) 4948 CmdArgs.push_back("-relocatable-pch"); 4949 4950 if (const Arg *A = Args.getLastArg(options::OPT_fcf_runtime_abi_EQ)) { 4951 static const char *kCFABIs[] = { 4952 "standalone", "objc", "swift", "swift-5.0", "swift-4.2", "swift-4.1", 4953 }; 4954 4955 if (find(kCFABIs, StringRef(A->getValue())) == std::end(kCFABIs)) 4956 D.Diag(diag::err_drv_invalid_cf_runtime_abi) << A->getValue(); 4957 else 4958 A->render(Args, CmdArgs); 4959 } 4960 4961 if (Arg *A = Args.getLastArg(options::OPT_fconstant_string_class_EQ)) { 4962 CmdArgs.push_back("-fconstant-string-class"); 4963 CmdArgs.push_back(A->getValue()); 4964 } 4965 4966 if (Arg *A = Args.getLastArg(options::OPT_ftabstop_EQ)) { 4967 CmdArgs.push_back("-ftabstop"); 4968 CmdArgs.push_back(A->getValue()); 4969 } 4970 4971 if (Args.hasFlag(options::OPT_fstack_size_section, 4972 options::OPT_fno_stack_size_section, RawTriple.isPS4())) 4973 CmdArgs.push_back("-fstack-size-section"); 4974 4975 CmdArgs.push_back("-ferror-limit"); 4976 if (Arg *A = Args.getLastArg(options::OPT_ferror_limit_EQ)) 4977 CmdArgs.push_back(A->getValue()); 4978 else 4979 CmdArgs.push_back("19"); 4980 4981 if (Arg *A = Args.getLastArg(options::OPT_fmacro_backtrace_limit_EQ)) { 4982 CmdArgs.push_back("-fmacro-backtrace-limit"); 4983 CmdArgs.push_back(A->getValue()); 4984 } 4985 4986 if (Arg *A = Args.getLastArg(options::OPT_ftemplate_backtrace_limit_EQ)) { 4987 CmdArgs.push_back("-ftemplate-backtrace-limit"); 4988 CmdArgs.push_back(A->getValue()); 4989 } 4990 4991 if (Arg *A = Args.getLastArg(options::OPT_fconstexpr_backtrace_limit_EQ)) { 4992 CmdArgs.push_back("-fconstexpr-backtrace-limit"); 4993 CmdArgs.push_back(A->getValue()); 4994 } 4995 4996 if (Arg *A = Args.getLastArg(options::OPT_fspell_checking_limit_EQ)) { 4997 CmdArgs.push_back("-fspell-checking-limit"); 4998 CmdArgs.push_back(A->getValue()); 4999 } 5000 5001 // Pass -fmessage-length=. 5002 CmdArgs.push_back("-fmessage-length"); 5003 if (Arg *A = Args.getLastArg(options::OPT_fmessage_length_EQ)) { 5004 CmdArgs.push_back(A->getValue()); 5005 } else { 5006 // If -fmessage-length=N was not specified, determine whether this is a 5007 // terminal and, if so, implicitly define -fmessage-length appropriately. 5008 unsigned N = llvm::sys::Process::StandardErrColumns(); 5009 CmdArgs.push_back(Args.MakeArgString(Twine(N))); 5010 } 5011 5012 // -fvisibility= and -fvisibility-ms-compat are of a piece. 5013 if (const Arg *A = Args.getLastArg(options::OPT_fvisibility_EQ, 5014 options::OPT_fvisibility_ms_compat)) { 5015 if (A->getOption().matches(options::OPT_fvisibility_EQ)) { 5016 CmdArgs.push_back("-fvisibility"); 5017 CmdArgs.push_back(A->getValue()); 5018 } else { 5019 assert(A->getOption().matches(options::OPT_fvisibility_ms_compat)); 5020 CmdArgs.push_back("-fvisibility"); 5021 CmdArgs.push_back("hidden"); 5022 CmdArgs.push_back("-ftype-visibility"); 5023 CmdArgs.push_back("default"); 5024 } 5025 } 5026 5027 Args.AddLastArg(CmdArgs, options::OPT_fvisibility_inlines_hidden); 5028 Args.AddLastArg(CmdArgs, options::OPT_fvisibility_global_new_delete_hidden); 5029 5030 Args.AddLastArg(CmdArgs, options::OPT_ftlsmodel_EQ); 5031 5032 // Forward -f (flag) options which we can pass directly. 5033 Args.AddLastArg(CmdArgs, options::OPT_femit_all_decls); 5034 Args.AddLastArg(CmdArgs, options::OPT_fheinous_gnu_extensions); 5035 Args.AddLastArg(CmdArgs, options::OPT_fdigraphs, options::OPT_fno_digraphs); 5036 Args.AddLastArg(CmdArgs, options::OPT_fno_operator_names); 5037 Args.AddLastArg(CmdArgs, options::OPT_femulated_tls, 5038 options::OPT_fno_emulated_tls); 5039 Args.AddLastArg(CmdArgs, options::OPT_fkeep_static_consts); 5040 5041 // AltiVec-like language extensions aren't relevant for assembling. 5042 if (!isa<PreprocessJobAction>(JA) || Output.getType() != types::TY_PP_Asm) 5043 Args.AddLastArg(CmdArgs, options::OPT_fzvector); 5044 5045 Args.AddLastArg(CmdArgs, options::OPT_fdiagnostics_show_template_tree); 5046 Args.AddLastArg(CmdArgs, options::OPT_fno_elide_type); 5047 5048 // Forward flags for OpenMP. We don't do this if the current action is an 5049 // device offloading action other than OpenMP. 5050 if (Args.hasFlag(options::OPT_fopenmp, options::OPT_fopenmp_EQ, 5051 options::OPT_fno_openmp, false) && 5052 (JA.isDeviceOffloading(Action::OFK_None) || 5053 JA.isDeviceOffloading(Action::OFK_OpenMP))) { 5054 switch (D.getOpenMPRuntime(Args)) { 5055 case Driver::OMPRT_OMP: 5056 case Driver::OMPRT_IOMP5: 5057 // Clang can generate useful OpenMP code for these two runtime libraries. 5058 CmdArgs.push_back("-fopenmp"); 5059 5060 // If no option regarding the use of TLS in OpenMP codegeneration is 5061 // given, decide a default based on the target. Otherwise rely on the 5062 // options and pass the right information to the frontend. 5063 if (!Args.hasFlag(options::OPT_fopenmp_use_tls, 5064 options::OPT_fnoopenmp_use_tls, /*Default=*/true)) 5065 CmdArgs.push_back("-fnoopenmp-use-tls"); 5066 Args.AddLastArg(CmdArgs, options::OPT_fopenmp_simd, 5067 options::OPT_fno_openmp_simd); 5068 Args.AddAllArgs(CmdArgs, options::OPT_fopenmp_enable_irbuilder); 5069 Args.AddAllArgs(CmdArgs, options::OPT_fopenmp_version_EQ); 5070 Args.AddAllArgs(CmdArgs, options::OPT_fopenmp_cuda_number_of_sm_EQ); 5071 Args.AddAllArgs(CmdArgs, options::OPT_fopenmp_cuda_blocks_per_sm_EQ); 5072 Args.AddAllArgs(CmdArgs, 5073 options::OPT_fopenmp_cuda_teams_reduction_recs_num_EQ); 5074 if (Args.hasFlag(options::OPT_fopenmp_optimistic_collapse, 5075 options::OPT_fno_openmp_optimistic_collapse, 5076 /*Default=*/false)) 5077 CmdArgs.push_back("-fopenmp-optimistic-collapse"); 5078 5079 // When in OpenMP offloading mode with NVPTX target, forward 5080 // cuda-mode flag 5081 if (Args.hasFlag(options::OPT_fopenmp_cuda_mode, 5082 options::OPT_fno_openmp_cuda_mode, /*Default=*/false)) 5083 CmdArgs.push_back("-fopenmp-cuda-mode"); 5084 5085 // When in OpenMP offloading mode with NVPTX target, check if full runtime 5086 // is required. 5087 if (Args.hasFlag(options::OPT_fopenmp_cuda_force_full_runtime, 5088 options::OPT_fno_openmp_cuda_force_full_runtime, 5089 /*Default=*/false)) 5090 CmdArgs.push_back("-fopenmp-cuda-force-full-runtime"); 5091 break; 5092 default: 5093 // By default, if Clang doesn't know how to generate useful OpenMP code 5094 // for a specific runtime library, we just don't pass the '-fopenmp' flag 5095 // down to the actual compilation. 5096 // FIXME: It would be better to have a mode which *only* omits IR 5097 // generation based on the OpenMP support so that we get consistent 5098 // semantic analysis, etc. 5099 break; 5100 } 5101 } else { 5102 Args.AddLastArg(CmdArgs, options::OPT_fopenmp_simd, 5103 options::OPT_fno_openmp_simd); 5104 Args.AddAllArgs(CmdArgs, options::OPT_fopenmp_version_EQ); 5105 } 5106 5107 const SanitizerArgs &Sanitize = TC.getSanitizerArgs(); 5108 Sanitize.addArgs(TC, Args, CmdArgs, InputType); 5109 5110 const XRayArgs &XRay = TC.getXRayArgs(); 5111 XRay.addArgs(TC, Args, CmdArgs, InputType); 5112 5113 if (Arg *A = Args.getLastArg(options::OPT_fpatchable_function_entry_EQ)) { 5114 StringRef S0 = A->getValue(), S = S0; 5115 unsigned Size, Offset = 0; 5116 if (!Triple.isAArch64() && Triple.getArch() != llvm::Triple::x86 && 5117 Triple.getArch() != llvm::Triple::x86_64) 5118 D.Diag(diag::err_drv_unsupported_opt_for_target) 5119 << A->getAsString(Args) << TripleStr; 5120 else if (S.consumeInteger(10, Size) || 5121 (!S.empty() && (!S.consume_front(",") || 5122 S.consumeInteger(10, Offset) || !S.empty()))) 5123 D.Diag(diag::err_drv_invalid_argument_to_option) 5124 << S0 << A->getOption().getName(); 5125 else if (Size < Offset) 5126 D.Diag(diag::err_drv_unsupported_fpatchable_function_entry_argument); 5127 else { 5128 CmdArgs.push_back(Args.MakeArgString(A->getSpelling() + Twine(Size))); 5129 CmdArgs.push_back(Args.MakeArgString( 5130 "-fpatchable-function-entry-offset=" + Twine(Offset))); 5131 } 5132 } 5133 5134 if (TC.SupportsProfiling()) { 5135 Args.AddLastArg(CmdArgs, options::OPT_pg); 5136 5137 llvm::Triple::ArchType Arch = TC.getArch(); 5138 if (Arg *A = Args.getLastArg(options::OPT_mfentry)) { 5139 if (Arch == llvm::Triple::systemz || TC.getTriple().isX86()) 5140 A->render(Args, CmdArgs); 5141 else 5142 D.Diag(diag::err_drv_unsupported_opt_for_target) 5143 << A->getAsString(Args) << TripleStr; 5144 } 5145 if (Arg *A = Args.getLastArg(options::OPT_mnop_mcount)) { 5146 if (Arch == llvm::Triple::systemz) 5147 A->render(Args, CmdArgs); 5148 else 5149 D.Diag(diag::err_drv_unsupported_opt_for_target) 5150 << A->getAsString(Args) << TripleStr; 5151 } 5152 if (Arg *A = Args.getLastArg(options::OPT_mrecord_mcount)) { 5153 if (Arch == llvm::Triple::systemz) 5154 A->render(Args, CmdArgs); 5155 else 5156 D.Diag(diag::err_drv_unsupported_opt_for_target) 5157 << A->getAsString(Args) << TripleStr; 5158 } 5159 } 5160 5161 if (Args.getLastArg(options::OPT_fapple_kext) || 5162 (Args.hasArg(options::OPT_mkernel) && types::isCXX(InputType))) 5163 CmdArgs.push_back("-fapple-kext"); 5164 5165 Args.AddLastArg(CmdArgs, options::OPT_flax_vector_conversions_EQ); 5166 Args.AddLastArg(CmdArgs, options::OPT_fobjc_sender_dependent_dispatch); 5167 Args.AddLastArg(CmdArgs, options::OPT_fdiagnostics_print_source_range_info); 5168 Args.AddLastArg(CmdArgs, options::OPT_fdiagnostics_parseable_fixits); 5169 Args.AddLastArg(CmdArgs, options::OPT_ftime_report); 5170 Args.AddLastArg(CmdArgs, options::OPT_ftime_trace); 5171 Args.AddLastArg(CmdArgs, options::OPT_ftime_trace_granularity_EQ); 5172 Args.AddLastArg(CmdArgs, options::OPT_ftrapv); 5173 Args.AddLastArg(CmdArgs, options::OPT_malign_double); 5174 Args.AddLastArg(CmdArgs, options::OPT_fno_temp_file); 5175 5176 if (Arg *A = Args.getLastArg(options::OPT_ftrapv_handler_EQ)) { 5177 CmdArgs.push_back("-ftrapv-handler"); 5178 CmdArgs.push_back(A->getValue()); 5179 } 5180 5181 Args.AddLastArg(CmdArgs, options::OPT_ftrap_function_EQ); 5182 5183 // -fno-strict-overflow implies -fwrapv if it isn't disabled, but 5184 // -fstrict-overflow won't turn off an explicitly enabled -fwrapv. 5185 if (Arg *A = Args.getLastArg(options::OPT_fwrapv, options::OPT_fno_wrapv)) { 5186 if (A->getOption().matches(options::OPT_fwrapv)) 5187 CmdArgs.push_back("-fwrapv"); 5188 } else if (Arg *A = Args.getLastArg(options::OPT_fstrict_overflow, 5189 options::OPT_fno_strict_overflow)) { 5190 if (A->getOption().matches(options::OPT_fno_strict_overflow)) 5191 CmdArgs.push_back("-fwrapv"); 5192 } else if (getToolChain().getTriple().isOSOpenBSD()) 5193 CmdArgs.push_back("-fwrapv"); 5194 5195 if (Arg *A = Args.getLastArg(options::OPT_freroll_loops, 5196 options::OPT_fno_reroll_loops)) 5197 if (A->getOption().matches(options::OPT_freroll_loops)) 5198 CmdArgs.push_back("-freroll-loops"); 5199 5200 Args.AddLastArg(CmdArgs, options::OPT_fwritable_strings); 5201 Args.AddLastArg(CmdArgs, options::OPT_funroll_loops, 5202 options::OPT_fno_unroll_loops); 5203 5204 Args.AddLastArg(CmdArgs, options::OPT_pthread); 5205 5206 if (Args.hasFlag(options::OPT_mspeculative_load_hardening, options::OPT_mno_speculative_load_hardening, 5207 false)) 5208 CmdArgs.push_back(Args.MakeArgString("-mspeculative-load-hardening")); 5209 5210 RenderTrivialAutoVarInitOptions(D, TC, Args, CmdArgs); 5211 5212 // -ret-protector 5213 unsigned RetProtector = 1; 5214 if (Arg *A = Args.getLastArg(options::OPT_fno_ret_protector, 5215 options::OPT_fret_protector)) { 5216 if (A->getOption().matches(options::OPT_fno_ret_protector)) 5217 RetProtector = 0; 5218 else if (A->getOption().matches(options::OPT_fret_protector)) 5219 RetProtector = 1; 5220 } 5221 5222 if (RetProtector && 5223 ((getToolChain().getArch() == llvm::Triple::x86_64) || 5224 (getToolChain().getArch() == llvm::Triple::mips64) || 5225 (getToolChain().getArch() == llvm::Triple::mips64el) || 5226 (getToolChain().getArch() == llvm::Triple::ppc) || 5227 (getToolChain().getArch() == llvm::Triple::ppc64) || 5228 (getToolChain().getArch() == llvm::Triple::ppc64le) || 5229 (getToolChain().getArch() == llvm::Triple::aarch64)) && 5230 !Args.hasArg(options::OPT_fno_stack_protector) && 5231 !Args.hasArg(options::OPT_pg)) { 5232 CmdArgs.push_back(Args.MakeArgString("-D_RET_PROTECTOR")); 5233 CmdArgs.push_back(Args.MakeArgString("-ret-protector")); 5234 // Consume the stack protector arguments to prevent warning 5235 Args.getLastArg(options::OPT_fstack_protector_all, 5236 options::OPT_fstack_protector_strong, 5237 options::OPT_fstack_protector, 5238 options::OPT__param); // ssp-buffer-size 5239 } else { 5240 // If we're not using retguard, then do the usual stack protector 5241 RenderSSPOptions(getToolChain(), Args, CmdArgs, KernelOrKext); 5242 } 5243 5244 // -fixup-gadgets 5245 if (Arg *A = Args.getLastArg(options::OPT_fno_fixup_gadgets, 5246 options::OPT_ffixup_gadgets)) { 5247 CmdArgs.push_back(Args.MakeArgString(Twine("-mllvm"))); 5248 if (A->getOption().matches(options::OPT_fno_fixup_gadgets)) 5249 CmdArgs.push_back(Args.MakeArgString(Twine("-x86-fixup-gadgets=false"))); 5250 else if (A->getOption().matches(options::OPT_ffixup_gadgets)) 5251 CmdArgs.push_back(Args.MakeArgString(Twine("-x86-fixup-gadgets=true"))); 5252 } 5253 5254 // Translate -mstackrealign 5255 if (Args.hasFlag(options::OPT_mstackrealign, options::OPT_mno_stackrealign, 5256 false)) 5257 CmdArgs.push_back(Args.MakeArgString("-mstackrealign")); 5258 5259 if (Args.hasArg(options::OPT_mstack_alignment)) { 5260 StringRef alignment = Args.getLastArgValue(options::OPT_mstack_alignment); 5261 CmdArgs.push_back(Args.MakeArgString("-mstack-alignment=" + alignment)); 5262 } 5263 5264 if (Args.hasArg(options::OPT_mstack_probe_size)) { 5265 StringRef Size = Args.getLastArgValue(options::OPT_mstack_probe_size); 5266 5267 if (!Size.empty()) 5268 CmdArgs.push_back(Args.MakeArgString("-mstack-probe-size=" + Size)); 5269 else 5270 CmdArgs.push_back("-mstack-probe-size=0"); 5271 } 5272 5273 if (!Args.hasFlag(options::OPT_mstack_arg_probe, 5274 options::OPT_mno_stack_arg_probe, true)) 5275 CmdArgs.push_back(Args.MakeArgString("-mno-stack-arg-probe")); 5276 5277 if (Arg *A = Args.getLastArg(options::OPT_mrestrict_it, 5278 options::OPT_mno_restrict_it)) { 5279 if (A->getOption().matches(options::OPT_mrestrict_it)) { 5280 CmdArgs.push_back("-mllvm"); 5281 CmdArgs.push_back("-arm-restrict-it"); 5282 } else { 5283 CmdArgs.push_back("-mllvm"); 5284 CmdArgs.push_back("-arm-no-restrict-it"); 5285 } 5286 } else if (Triple.isOSWindows() && 5287 (Triple.getArch() == llvm::Triple::arm || 5288 Triple.getArch() == llvm::Triple::thumb)) { 5289 // Windows on ARM expects restricted IT blocks 5290 CmdArgs.push_back("-mllvm"); 5291 CmdArgs.push_back("-arm-restrict-it"); 5292 } 5293 5294 // Forward -cl options to -cc1 5295 RenderOpenCLOptions(Args, CmdArgs); 5296 5297 if (Args.hasFlag(options::OPT_fhip_new_launch_api, 5298 options::OPT_fno_hip_new_launch_api, false)) 5299 CmdArgs.push_back("-fhip-new-launch-api"); 5300 5301 if (Arg *A = Args.getLastArg(options::OPT_fcf_protection_EQ)) { 5302 CmdArgs.push_back( 5303 Args.MakeArgString(Twine("-fcf-protection=") + A->getValue())); 5304 } 5305 5306 // Forward -f options with positive and negative forms; we translate 5307 // these by hand. 5308 if (Arg *A = getLastProfileSampleUseArg(Args)) { 5309 auto *PGOArg = Args.getLastArg( 5310 options::OPT_fprofile_generate, options::OPT_fprofile_generate_EQ, 5311 options::OPT_fcs_profile_generate, options::OPT_fcs_profile_generate_EQ, 5312 options::OPT_fprofile_use, options::OPT_fprofile_use_EQ); 5313 if (PGOArg) 5314 D.Diag(diag::err_drv_argument_not_allowed_with) 5315 << "SampleUse with PGO options"; 5316 5317 StringRef fname = A->getValue(); 5318 if (!llvm::sys::fs::exists(fname)) 5319 D.Diag(diag::err_drv_no_such_file) << fname; 5320 else 5321 A->render(Args, CmdArgs); 5322 } 5323 Args.AddLastArg(CmdArgs, options::OPT_fprofile_remapping_file_EQ); 5324 5325 RenderBuiltinOptions(TC, RawTriple, Args, CmdArgs); 5326 5327 if (!Args.hasFlag(options::OPT_fassume_sane_operator_new, 5328 options::OPT_fno_assume_sane_operator_new)) 5329 CmdArgs.push_back("-fno-assume-sane-operator-new"); 5330 5331 // -fblocks=0 is default. 5332 if (Args.hasFlag(options::OPT_fblocks, options::OPT_fno_blocks, 5333 TC.IsBlocksDefault()) || 5334 (Args.hasArg(options::OPT_fgnu_runtime) && 5335 Args.hasArg(options::OPT_fobjc_nonfragile_abi) && 5336 !Args.hasArg(options::OPT_fno_blocks))) { 5337 CmdArgs.push_back("-fblocks"); 5338 5339 if (!Args.hasArg(options::OPT_fgnu_runtime) && !TC.hasBlocksRuntime()) 5340 CmdArgs.push_back("-fblocks-runtime-optional"); 5341 } 5342 5343 // -fencode-extended-block-signature=1 is default. 5344 if (TC.IsEncodeExtendedBlockSignatureDefault()) 5345 CmdArgs.push_back("-fencode-extended-block-signature"); 5346 5347 if (Args.hasFlag(options::OPT_fcoroutines_ts, options::OPT_fno_coroutines_ts, 5348 false) && 5349 types::isCXX(InputType)) { 5350 CmdArgs.push_back("-fcoroutines-ts"); 5351 } 5352 5353 Args.AddLastArg(CmdArgs, options::OPT_fdouble_square_bracket_attributes, 5354 options::OPT_fno_double_square_bracket_attributes); 5355 5356 // -faccess-control is default. 5357 if (Args.hasFlag(options::OPT_fno_access_control, 5358 options::OPT_faccess_control, false)) 5359 CmdArgs.push_back("-fno-access-control"); 5360 5361 // -felide-constructors is the default. 5362 if (Args.hasFlag(options::OPT_fno_elide_constructors, 5363 options::OPT_felide_constructors, false)) 5364 CmdArgs.push_back("-fno-elide-constructors"); 5365 5366 ToolChain::RTTIMode RTTIMode = TC.getRTTIMode(); 5367 5368 if (KernelOrKext || (types::isCXX(InputType) && 5369 (RTTIMode == ToolChain::RM_Disabled))) 5370 CmdArgs.push_back("-fno-rtti"); 5371 5372 // -fshort-enums=0 is default for all architectures except Hexagon. 5373 if (Args.hasFlag(options::OPT_fshort_enums, options::OPT_fno_short_enums, 5374 TC.getArch() == llvm::Triple::hexagon)) 5375 CmdArgs.push_back("-fshort-enums"); 5376 5377 RenderCharacterOptions(Args, AuxTriple ? *AuxTriple : RawTriple, CmdArgs); 5378 5379 // -fuse-cxa-atexit is default. 5380 if (!Args.hasFlag( 5381 options::OPT_fuse_cxa_atexit, options::OPT_fno_use_cxa_atexit, 5382 !RawTriple.isOSWindows() && 5383 TC.getArch() != llvm::Triple::xcore && 5384 ((RawTriple.getVendor() != llvm::Triple::MipsTechnologies) || 5385 RawTriple.hasEnvironment())) || 5386 KernelOrKext) 5387 CmdArgs.push_back("-fno-use-cxa-atexit"); 5388 5389 if (Args.hasFlag(options::OPT_fregister_global_dtors_with_atexit, 5390 options::OPT_fno_register_global_dtors_with_atexit, 5391 RawTriple.isOSDarwin() && !KernelOrKext)) 5392 CmdArgs.push_back("-fregister-global-dtors-with-atexit"); 5393 5394 // -fms-extensions=0 is default. 5395 if (Args.hasFlag(options::OPT_fms_extensions, options::OPT_fno_ms_extensions, 5396 IsWindowsMSVC)) 5397 CmdArgs.push_back("-fms-extensions"); 5398 5399 // -fno-use-line-directives is default. 5400 if (Args.hasFlag(options::OPT_fuse_line_directives, 5401 options::OPT_fno_use_line_directives, false)) 5402 CmdArgs.push_back("-fuse-line-directives"); 5403 5404 // -fms-compatibility=0 is default. 5405 bool IsMSVCCompat = Args.hasFlag( 5406 options::OPT_fms_compatibility, options::OPT_fno_ms_compatibility, 5407 (IsWindowsMSVC && Args.hasFlag(options::OPT_fms_extensions, 5408 options::OPT_fno_ms_extensions, true))); 5409 if (IsMSVCCompat) 5410 CmdArgs.push_back("-fms-compatibility"); 5411 5412 // Handle -fgcc-version, if present. 5413 VersionTuple GNUCVer; 5414 if (Arg *A = Args.getLastArg(options::OPT_fgnuc_version_EQ)) { 5415 // Check that the version has 1 to 3 components and the minor and patch 5416 // versions fit in two decimal digits. 5417 StringRef Val = A->getValue(); 5418 Val = Val.empty() ? "0" : Val; // Treat "" as 0 or disable. 5419 bool Invalid = GNUCVer.tryParse(Val); 5420 unsigned Minor = GNUCVer.getMinor().getValueOr(0); 5421 unsigned Patch = GNUCVer.getSubminor().getValueOr(0); 5422 if (Invalid || GNUCVer.getBuild() || Minor >= 100 || Patch >= 100) { 5423 D.Diag(diag::err_drv_invalid_value) 5424 << A->getAsString(Args) << A->getValue(); 5425 } 5426 } else if (!IsMSVCCompat) { 5427 // Imitate GCC 4.2.1 by default if -fms-compatibility is not in effect. 5428 GNUCVer = VersionTuple(4, 2, 1); 5429 } 5430 if (!GNUCVer.empty()) { 5431 CmdArgs.push_back( 5432 Args.MakeArgString("-fgnuc-version=" + GNUCVer.getAsString())); 5433 } 5434 5435 VersionTuple MSVT = TC.computeMSVCVersion(&D, Args); 5436 if (!MSVT.empty()) 5437 CmdArgs.push_back( 5438 Args.MakeArgString("-fms-compatibility-version=" + MSVT.getAsString())); 5439 5440 bool IsMSVC2015Compatible = MSVT.getMajor() >= 19; 5441 if (ImplyVCPPCXXVer) { 5442 StringRef LanguageStandard; 5443 if (const Arg *StdArg = Args.getLastArg(options::OPT__SLASH_std)) { 5444 Std = StdArg; 5445 LanguageStandard = llvm::StringSwitch<StringRef>(StdArg->getValue()) 5446 .Case("c++14", "-std=c++14") 5447 .Case("c++17", "-std=c++17") 5448 .Case("c++latest", "-std=c++2a") 5449 .Default(""); 5450 if (LanguageStandard.empty()) 5451 D.Diag(clang::diag::warn_drv_unused_argument) 5452 << StdArg->getAsString(Args); 5453 } 5454 5455 if (LanguageStandard.empty()) { 5456 if (IsMSVC2015Compatible) 5457 LanguageStandard = "-std=c++14"; 5458 else 5459 LanguageStandard = "-std=c++11"; 5460 } 5461 5462 CmdArgs.push_back(LanguageStandard.data()); 5463 } 5464 5465 // -fno-borland-extensions is default. 5466 if (Args.hasFlag(options::OPT_fborland_extensions, 5467 options::OPT_fno_borland_extensions, false)) 5468 CmdArgs.push_back("-fborland-extensions"); 5469 5470 // -fno-declspec is default, except for PS4. 5471 if (Args.hasFlag(options::OPT_fdeclspec, options::OPT_fno_declspec, 5472 RawTriple.isPS4())) 5473 CmdArgs.push_back("-fdeclspec"); 5474 else if (Args.hasArg(options::OPT_fno_declspec)) 5475 CmdArgs.push_back("-fno-declspec"); // Explicitly disabling __declspec. 5476 5477 // -fthreadsafe-static is default, except for MSVC compatibility versions less 5478 // than 19. 5479 if (!Args.hasFlag(options::OPT_fthreadsafe_statics, 5480 options::OPT_fno_threadsafe_statics, 5481 !IsWindowsMSVC || IsMSVC2015Compatible)) 5482 CmdArgs.push_back("-fno-threadsafe-statics"); 5483 5484 // -fno-delayed-template-parsing is default, except when targeting MSVC. 5485 // Many old Windows SDK versions require this to parse. 5486 // FIXME: MSVC introduced /Zc:twoPhase- to disable this behavior in their 5487 // compiler. We should be able to disable this by default at some point. 5488 if (Args.hasFlag(options::OPT_fdelayed_template_parsing, 5489 options::OPT_fno_delayed_template_parsing, IsWindowsMSVC)) 5490 CmdArgs.push_back("-fdelayed-template-parsing"); 5491 5492 // -fgnu-keywords default varies depending on language; only pass if 5493 // specified. 5494 Args.AddLastArg(CmdArgs, options::OPT_fgnu_keywords, 5495 options::OPT_fno_gnu_keywords); 5496 5497 if (Args.hasFlag(options::OPT_fgnu89_inline, options::OPT_fno_gnu89_inline, 5498 false)) 5499 CmdArgs.push_back("-fgnu89-inline"); 5500 5501 if (Args.hasArg(options::OPT_fno_inline)) 5502 CmdArgs.push_back("-fno-inline"); 5503 5504 Args.AddLastArg(CmdArgs, options::OPT_finline_functions, 5505 options::OPT_finline_hint_functions, 5506 options::OPT_fno_inline_functions); 5507 5508 // FIXME: Find a better way to determine whether the language has modules 5509 // support by default, or just assume that all languages do. 5510 bool HaveModules = 5511 Std && (Std->containsValue("c++2a") || Std->containsValue("c++latest")); 5512 RenderModulesOptions(C, D, Args, Input, Output, CmdArgs, HaveModules); 5513 5514 if (Args.hasFlag(options::OPT_fpch_validate_input_files_content, 5515 options::OPT_fno_pch_validate_input_files_content, false)) 5516 CmdArgs.push_back("-fvalidate-ast-input-files-content"); 5517 5518 Args.AddLastArg(CmdArgs, options::OPT_fexperimental_new_pass_manager, 5519 options::OPT_fno_experimental_new_pass_manager); 5520 5521 ObjCRuntime Runtime = AddObjCRuntimeArgs(Args, CmdArgs, rewriteKind); 5522 RenderObjCOptions(TC, D, RawTriple, Args, Runtime, rewriteKind != RK_None, 5523 Input, CmdArgs); 5524 5525 if (Args.hasFlag(options::OPT_fapplication_extension, 5526 options::OPT_fno_application_extension, false)) 5527 CmdArgs.push_back("-fapplication-extension"); 5528 5529 // Handle GCC-style exception args. 5530 if (!C.getDriver().IsCLMode()) 5531 addExceptionArgs(Args, InputType, TC, KernelOrKext, Runtime, CmdArgs); 5532 5533 // Handle exception personalities 5534 Arg *A = Args.getLastArg( 5535 options::OPT_fsjlj_exceptions, options::OPT_fseh_exceptions, 5536 options::OPT_fdwarf_exceptions, options::OPT_fwasm_exceptions); 5537 if (A) { 5538 const Option &Opt = A->getOption(); 5539 if (Opt.matches(options::OPT_fsjlj_exceptions)) 5540 CmdArgs.push_back("-fsjlj-exceptions"); 5541 if (Opt.matches(options::OPT_fseh_exceptions)) 5542 CmdArgs.push_back("-fseh-exceptions"); 5543 if (Opt.matches(options::OPT_fdwarf_exceptions)) 5544 CmdArgs.push_back("-fdwarf-exceptions"); 5545 if (Opt.matches(options::OPT_fwasm_exceptions)) 5546 CmdArgs.push_back("-fwasm-exceptions"); 5547 } else { 5548 switch (TC.GetExceptionModel(Args)) { 5549 default: 5550 break; 5551 case llvm::ExceptionHandling::DwarfCFI: 5552 CmdArgs.push_back("-fdwarf-exceptions"); 5553 break; 5554 case llvm::ExceptionHandling::SjLj: 5555 CmdArgs.push_back("-fsjlj-exceptions"); 5556 break; 5557 case llvm::ExceptionHandling::WinEH: 5558 CmdArgs.push_back("-fseh-exceptions"); 5559 break; 5560 } 5561 } 5562 5563 // C++ "sane" operator new. 5564 if (!Args.hasFlag(options::OPT_fassume_sane_operator_new, 5565 options::OPT_fno_assume_sane_operator_new)) 5566 CmdArgs.push_back("-fno-assume-sane-operator-new"); 5567 5568 // -frelaxed-template-template-args is off by default, as it is a severe 5569 // breaking change until a corresponding change to template partial ordering 5570 // is provided. 5571 if (Args.hasFlag(options::OPT_frelaxed_template_template_args, 5572 options::OPT_fno_relaxed_template_template_args, false)) 5573 CmdArgs.push_back("-frelaxed-template-template-args"); 5574 5575 // -fsized-deallocation is off by default, as it is an ABI-breaking change for 5576 // most platforms. 5577 if (Args.hasFlag(options::OPT_fsized_deallocation, 5578 options::OPT_fno_sized_deallocation, false)) 5579 CmdArgs.push_back("-fsized-deallocation"); 5580 5581 // -faligned-allocation is on by default in C++17 onwards and otherwise off 5582 // by default. 5583 if (Arg *A = Args.getLastArg(options::OPT_faligned_allocation, 5584 options::OPT_fno_aligned_allocation, 5585 options::OPT_faligned_new_EQ)) { 5586 if (A->getOption().matches(options::OPT_fno_aligned_allocation)) 5587 CmdArgs.push_back("-fno-aligned-allocation"); 5588 else 5589 CmdArgs.push_back("-faligned-allocation"); 5590 } 5591 5592 // The default new alignment can be specified using a dedicated option or via 5593 // a GCC-compatible option that also turns on aligned allocation. 5594 if (Arg *A = Args.getLastArg(options::OPT_fnew_alignment_EQ, 5595 options::OPT_faligned_new_EQ)) 5596 CmdArgs.push_back( 5597 Args.MakeArgString(Twine("-fnew-alignment=") + A->getValue())); 5598 5599 // -fconstant-cfstrings is default, and may be subject to argument translation 5600 // on Darwin. 5601 if (!Args.hasFlag(options::OPT_fconstant_cfstrings, 5602 options::OPT_fno_constant_cfstrings) || 5603 !Args.hasFlag(options::OPT_mconstant_cfstrings, 5604 options::OPT_mno_constant_cfstrings)) 5605 CmdArgs.push_back("-fno-constant-cfstrings"); 5606 5607 // -fno-pascal-strings is default, only pass non-default. 5608 if (Args.hasFlag(options::OPT_fpascal_strings, 5609 options::OPT_fno_pascal_strings, false)) 5610 CmdArgs.push_back("-fpascal-strings"); 5611 5612 // Honor -fpack-struct= and -fpack-struct, if given. Note that 5613 // -fno-pack-struct doesn't apply to -fpack-struct=. 5614 if (Arg *A = Args.getLastArg(options::OPT_fpack_struct_EQ)) { 5615 std::string PackStructStr = "-fpack-struct="; 5616 PackStructStr += A->getValue(); 5617 CmdArgs.push_back(Args.MakeArgString(PackStructStr)); 5618 } else if (Args.hasFlag(options::OPT_fpack_struct, 5619 options::OPT_fno_pack_struct, false)) { 5620 CmdArgs.push_back("-fpack-struct=1"); 5621 } 5622 5623 // Handle -fmax-type-align=N and -fno-type-align 5624 bool SkipMaxTypeAlign = Args.hasArg(options::OPT_fno_max_type_align); 5625 if (Arg *A = Args.getLastArg(options::OPT_fmax_type_align_EQ)) { 5626 if (!SkipMaxTypeAlign) { 5627 std::string MaxTypeAlignStr = "-fmax-type-align="; 5628 MaxTypeAlignStr += A->getValue(); 5629 CmdArgs.push_back(Args.MakeArgString(MaxTypeAlignStr)); 5630 } 5631 } else if (RawTriple.isOSDarwin()) { 5632 if (!SkipMaxTypeAlign) { 5633 std::string MaxTypeAlignStr = "-fmax-type-align=16"; 5634 CmdArgs.push_back(Args.MakeArgString(MaxTypeAlignStr)); 5635 } 5636 } 5637 5638 if (!Args.hasFlag(options::OPT_Qy, options::OPT_Qn, true)) 5639 CmdArgs.push_back("-Qn"); 5640 5641 // -fcommon is the default unless compiling kernel code or the target says so 5642 bool NoCommonDefault = KernelOrKext || isNoCommonDefault(RawTriple); 5643 if (!Args.hasFlag(options::OPT_fcommon, options::OPT_fno_common, 5644 !NoCommonDefault)) 5645 CmdArgs.push_back("-fno-common"); 5646 5647 // -fsigned-bitfields is default, and clang doesn't yet support 5648 // -funsigned-bitfields. 5649 if (!Args.hasFlag(options::OPT_fsigned_bitfields, 5650 options::OPT_funsigned_bitfields)) 5651 D.Diag(diag::warn_drv_clang_unsupported) 5652 << Args.getLastArg(options::OPT_funsigned_bitfields)->getAsString(Args); 5653 5654 // -fsigned-bitfields is default, and clang doesn't support -fno-for-scope. 5655 if (!Args.hasFlag(options::OPT_ffor_scope, options::OPT_fno_for_scope)) 5656 D.Diag(diag::err_drv_clang_unsupported) 5657 << Args.getLastArg(options::OPT_fno_for_scope)->getAsString(Args); 5658 5659 // -finput_charset=UTF-8 is default. Reject others 5660 if (Arg *inputCharset = Args.getLastArg(options::OPT_finput_charset_EQ)) { 5661 StringRef value = inputCharset->getValue(); 5662 if (!value.equals_lower("utf-8")) 5663 D.Diag(diag::err_drv_invalid_value) << inputCharset->getAsString(Args) 5664 << value; 5665 } 5666 5667 // -fexec_charset=UTF-8 is default. Reject others 5668 if (Arg *execCharset = Args.getLastArg(options::OPT_fexec_charset_EQ)) { 5669 StringRef value = execCharset->getValue(); 5670 if (!value.equals_lower("utf-8")) 5671 D.Diag(diag::err_drv_invalid_value) << execCharset->getAsString(Args) 5672 << value; 5673 } 5674 5675 RenderDiagnosticsOptions(D, Args, CmdArgs); 5676 5677 // -fno-asm-blocks is default. 5678 if (Args.hasFlag(options::OPT_fasm_blocks, options::OPT_fno_asm_blocks, 5679 false)) 5680 CmdArgs.push_back("-fasm-blocks"); 5681 5682 // -fgnu-inline-asm is default. 5683 if (!Args.hasFlag(options::OPT_fgnu_inline_asm, 5684 options::OPT_fno_gnu_inline_asm, true)) 5685 CmdArgs.push_back("-fno-gnu-inline-asm"); 5686 5687 // Enable vectorization per default according to the optimization level 5688 // selected. For optimization levels that want vectorization we use the alias 5689 // option to simplify the hasFlag logic. 5690 bool EnableVec = shouldEnableVectorizerAtOLevel(Args, false); 5691 OptSpecifier VectorizeAliasOption = 5692 EnableVec ? options::OPT_O_Group : options::OPT_fvectorize; 5693 if (Args.hasFlag(options::OPT_fvectorize, VectorizeAliasOption, 5694 options::OPT_fno_vectorize, EnableVec)) 5695 CmdArgs.push_back("-vectorize-loops"); 5696 5697 // -fslp-vectorize is enabled based on the optimization level selected. 5698 bool EnableSLPVec = shouldEnableVectorizerAtOLevel(Args, true); 5699 OptSpecifier SLPVectAliasOption = 5700 EnableSLPVec ? options::OPT_O_Group : options::OPT_fslp_vectorize; 5701 if (Args.hasFlag(options::OPT_fslp_vectorize, SLPVectAliasOption, 5702 options::OPT_fno_slp_vectorize, EnableSLPVec)) 5703 CmdArgs.push_back("-vectorize-slp"); 5704 5705 ParseMPreferVectorWidth(D, Args, CmdArgs); 5706 5707 Args.AddLastArg(CmdArgs, options::OPT_fshow_overloads_EQ); 5708 Args.AddLastArg(CmdArgs, 5709 options::OPT_fsanitize_undefined_strip_path_components_EQ); 5710 5711 // -fdollars-in-identifiers default varies depending on platform and 5712 // language; only pass if specified. 5713 if (Arg *A = Args.getLastArg(options::OPT_fdollars_in_identifiers, 5714 options::OPT_fno_dollars_in_identifiers)) { 5715 if (A->getOption().matches(options::OPT_fdollars_in_identifiers)) 5716 CmdArgs.push_back("-fdollars-in-identifiers"); 5717 else 5718 CmdArgs.push_back("-fno-dollars-in-identifiers"); 5719 } 5720 5721 // -funit-at-a-time is default, and we don't support -fno-unit-at-a-time for 5722 // practical purposes. 5723 if (Arg *A = Args.getLastArg(options::OPT_funit_at_a_time, 5724 options::OPT_fno_unit_at_a_time)) { 5725 if (A->getOption().matches(options::OPT_fno_unit_at_a_time)) 5726 D.Diag(diag::warn_drv_clang_unsupported) << A->getAsString(Args); 5727 } 5728 5729 if (Args.hasFlag(options::OPT_fapple_pragma_pack, 5730 options::OPT_fno_apple_pragma_pack, false)) 5731 CmdArgs.push_back("-fapple-pragma-pack"); 5732 5733 // Remarks can be enabled with any of the `-f.*optimization-record.*` flags. 5734 if (willEmitRemarks(Args) && checkRemarksOptions(D, Args, Triple)) 5735 renderRemarksOptions(Args, CmdArgs, Triple, Input, Output, JA); 5736 5737 bool RewriteImports = Args.hasFlag(options::OPT_frewrite_imports, 5738 options::OPT_fno_rewrite_imports, false); 5739 if (RewriteImports) 5740 CmdArgs.push_back("-frewrite-imports"); 5741 5742 // Disable some builtins on OpenBSD because they are just not 5743 // right... 5744 if (getToolChain().getTriple().isOSOpenBSD()) { 5745 CmdArgs.push_back("-fno-builtin-malloc"); 5746 CmdArgs.push_back("-fno-builtin-calloc"); 5747 CmdArgs.push_back("-fno-builtin-realloc"); 5748 CmdArgs.push_back("-fno-builtin-valloc"); 5749 CmdArgs.push_back("-fno-builtin-free"); 5750 CmdArgs.push_back("-fno-builtin-strdup"); 5751 CmdArgs.push_back("-fno-builtin-strndup"); 5752 } 5753 5754 // Enable rewrite includes if the user's asked for it or if we're generating 5755 // diagnostics. 5756 // TODO: Once -module-dependency-dir works with -frewrite-includes it'd be 5757 // nice to enable this when doing a crashdump for modules as well. 5758 if (Args.hasFlag(options::OPT_frewrite_includes, 5759 options::OPT_fno_rewrite_includes, false) || 5760 (C.isForDiagnostics() && !HaveModules)) 5761 CmdArgs.push_back("-frewrite-includes"); 5762 5763 // Only allow -traditional or -traditional-cpp outside in preprocessing modes. 5764 if (Arg *A = Args.getLastArg(options::OPT_traditional, 5765 options::OPT_traditional_cpp)) { 5766 if (isa<PreprocessJobAction>(JA)) 5767 CmdArgs.push_back("-traditional-cpp"); 5768 else 5769 D.Diag(diag::err_drv_clang_unsupported) << A->getAsString(Args); 5770 } 5771 5772 Args.AddLastArg(CmdArgs, options::OPT_dM); 5773 Args.AddLastArg(CmdArgs, options::OPT_dD); 5774 5775 // Handle serialized diagnostics. 5776 if (Arg *A = Args.getLastArg(options::OPT__serialize_diags)) { 5777 CmdArgs.push_back("-serialize-diagnostic-file"); 5778 CmdArgs.push_back(Args.MakeArgString(A->getValue())); 5779 } 5780 5781 if (Args.hasArg(options::OPT_fretain_comments_from_system_headers)) 5782 CmdArgs.push_back("-fretain-comments-from-system-headers"); 5783 5784 // Forward -fcomment-block-commands to -cc1. 5785 Args.AddAllArgs(CmdArgs, options::OPT_fcomment_block_commands); 5786 // Forward -fparse-all-comments to -cc1. 5787 Args.AddAllArgs(CmdArgs, options::OPT_fparse_all_comments); 5788 5789 // Turn -fplugin=name.so into -load name.so 5790 for (const Arg *A : Args.filtered(options::OPT_fplugin_EQ)) { 5791 CmdArgs.push_back("-load"); 5792 CmdArgs.push_back(A->getValue()); 5793 A->claim(); 5794 } 5795 5796 // Forward -fpass-plugin=name.so to -cc1. 5797 for (const Arg *A : Args.filtered(options::OPT_fpass_plugin_EQ)) { 5798 CmdArgs.push_back( 5799 Args.MakeArgString(Twine("-fpass-plugin=") + A->getValue())); 5800 A->claim(); 5801 } 5802 5803 // Setup statistics file output. 5804 SmallString<128> StatsFile = getStatsFileName(Args, Output, Input, D); 5805 if (!StatsFile.empty()) 5806 CmdArgs.push_back(Args.MakeArgString(Twine("-stats-file=") + StatsFile)); 5807 5808 // Forward -Xclang arguments to -cc1, and -mllvm arguments to the LLVM option 5809 // parser. 5810 // -finclude-default-header flag is for preprocessor, 5811 // do not pass it to other cc1 commands when save-temps is enabled 5812 if (C.getDriver().isSaveTempsEnabled() && 5813 !isa<PreprocessJobAction>(JA)) { 5814 for (auto Arg : Args.filtered(options::OPT_Xclang)) { 5815 Arg->claim(); 5816 if (StringRef(Arg->getValue()) != "-finclude-default-header") 5817 CmdArgs.push_back(Arg->getValue()); 5818 } 5819 } 5820 else { 5821 Args.AddAllArgValues(CmdArgs, options::OPT_Xclang); 5822 } 5823 for (const Arg *A : Args.filtered(options::OPT_mllvm)) { 5824 A->claim(); 5825 5826 // We translate this by hand to the -cc1 argument, since nightly test uses 5827 // it and developers have been trained to spell it with -mllvm. Both 5828 // spellings are now deprecated and should be removed. 5829 if (StringRef(A->getValue(0)) == "-disable-llvm-optzns") { 5830 CmdArgs.push_back("-disable-llvm-optzns"); 5831 } else { 5832 A->render(Args, CmdArgs); 5833 } 5834 } 5835 5836 // With -save-temps, we want to save the unoptimized bitcode output from the 5837 // CompileJobAction, use -disable-llvm-passes to get pristine IR generated 5838 // by the frontend. 5839 // When -fembed-bitcode is enabled, optimized bitcode is emitted because it 5840 // has slightly different breakdown between stages. 5841 // FIXME: -fembed-bitcode -save-temps will save optimized bitcode instead of 5842 // pristine IR generated by the frontend. Ideally, a new compile action should 5843 // be added so both IR can be captured. 5844 if (C.getDriver().isSaveTempsEnabled() && 5845 !(C.getDriver().embedBitcodeInObject() && !C.getDriver().isUsingLTO()) && 5846 isa<CompileJobAction>(JA)) 5847 CmdArgs.push_back("-disable-llvm-passes"); 5848 5849 Args.AddAllArgs(CmdArgs, options::OPT_undef); 5850 5851 const char *Exec = D.getClangProgramPath(); 5852 5853 // Optionally embed the -cc1 level arguments into the debug info or a 5854 // section, for build analysis. 5855 // Also record command line arguments into the debug info if 5856 // -grecord-gcc-switches options is set on. 5857 // By default, -gno-record-gcc-switches is set on and no recording. 5858 auto GRecordSwitches = 5859 Args.hasFlag(options::OPT_grecord_command_line, 5860 options::OPT_gno_record_command_line, false); 5861 auto FRecordSwitches = 5862 Args.hasFlag(options::OPT_frecord_command_line, 5863 options::OPT_fno_record_command_line, false); 5864 if (FRecordSwitches && !Triple.isOSBinFormatELF()) 5865 D.Diag(diag::err_drv_unsupported_opt_for_target) 5866 << Args.getLastArg(options::OPT_frecord_command_line)->getAsString(Args) 5867 << TripleStr; 5868 if (TC.UseDwarfDebugFlags() || GRecordSwitches || FRecordSwitches) { 5869 ArgStringList OriginalArgs; 5870 for (const auto &Arg : Args) 5871 Arg->render(Args, OriginalArgs); 5872 5873 SmallString<256> Flags; 5874 Flags += Exec; 5875 for (const char *OriginalArg : OriginalArgs) { 5876 SmallString<128> EscapedArg; 5877 EscapeSpacesAndBackslashes(OriginalArg, EscapedArg); 5878 Flags += " "; 5879 Flags += EscapedArg; 5880 } 5881 auto FlagsArgString = Args.MakeArgString(Flags); 5882 if (TC.UseDwarfDebugFlags() || GRecordSwitches) { 5883 CmdArgs.push_back("-dwarf-debug-flags"); 5884 CmdArgs.push_back(FlagsArgString); 5885 } 5886 if (FRecordSwitches) { 5887 CmdArgs.push_back("-record-command-line"); 5888 CmdArgs.push_back(FlagsArgString); 5889 } 5890 } 5891 5892 // Host-side cuda compilation receives all device-side outputs in a single 5893 // fatbin as Inputs[1]. Include the binary with -fcuda-include-gpubinary. 5894 if ((IsCuda || IsHIP) && CudaDeviceInput) { 5895 CmdArgs.push_back("-fcuda-include-gpubinary"); 5896 CmdArgs.push_back(CudaDeviceInput->getFilename()); 5897 if (Args.hasFlag(options::OPT_fgpu_rdc, options::OPT_fno_gpu_rdc, false)) 5898 CmdArgs.push_back("-fgpu-rdc"); 5899 } 5900 5901 if (IsCuda) { 5902 if (Args.hasFlag(options::OPT_fcuda_short_ptr, 5903 options::OPT_fno_cuda_short_ptr, false)) 5904 CmdArgs.push_back("-fcuda-short-ptr"); 5905 } 5906 5907 if (IsHIP) 5908 CmdArgs.push_back("-fcuda-allow-variadic-functions"); 5909 5910 // OpenMP offloading device jobs take the argument -fopenmp-host-ir-file-path 5911 // to specify the result of the compile phase on the host, so the meaningful 5912 // device declarations can be identified. Also, -fopenmp-is-device is passed 5913 // along to tell the frontend that it is generating code for a device, so that 5914 // only the relevant declarations are emitted. 5915 if (IsOpenMPDevice) { 5916 CmdArgs.push_back("-fopenmp-is-device"); 5917 if (OpenMPDeviceInput) { 5918 CmdArgs.push_back("-fopenmp-host-ir-file-path"); 5919 CmdArgs.push_back(Args.MakeArgString(OpenMPDeviceInput->getFilename())); 5920 } 5921 } 5922 5923 // For all the host OpenMP offloading compile jobs we need to pass the targets 5924 // information using -fopenmp-targets= option. 5925 if (JA.isHostOffloading(Action::OFK_OpenMP)) { 5926 SmallString<128> TargetInfo("-fopenmp-targets="); 5927 5928 Arg *Tgts = Args.getLastArg(options::OPT_fopenmp_targets_EQ); 5929 assert(Tgts && Tgts->getNumValues() && 5930 "OpenMP offloading has to have targets specified."); 5931 for (unsigned i = 0; i < Tgts->getNumValues(); ++i) { 5932 if (i) 5933 TargetInfo += ','; 5934 // We need to get the string from the triple because it may be not exactly 5935 // the same as the one we get directly from the arguments. 5936 llvm::Triple T(Tgts->getValue(i)); 5937 TargetInfo += T.getTriple(); 5938 } 5939 CmdArgs.push_back(Args.MakeArgString(TargetInfo.str())); 5940 } 5941 5942 bool VirtualFunctionElimination = 5943 Args.hasFlag(options::OPT_fvirtual_function_elimination, 5944 options::OPT_fno_virtual_function_elimination, false); 5945 if (VirtualFunctionElimination) { 5946 // VFE requires full LTO (currently, this might be relaxed to allow ThinLTO 5947 // in the future). 5948 if (D.getLTOMode() != LTOK_Full) 5949 D.Diag(diag::err_drv_argument_only_allowed_with) 5950 << "-fvirtual-function-elimination" 5951 << "-flto=full"; 5952 5953 CmdArgs.push_back("-fvirtual-function-elimination"); 5954 } 5955 5956 // VFE requires whole-program-vtables, and enables it by default. 5957 bool WholeProgramVTables = Args.hasFlag( 5958 options::OPT_fwhole_program_vtables, 5959 options::OPT_fno_whole_program_vtables, VirtualFunctionElimination); 5960 if (VirtualFunctionElimination && !WholeProgramVTables) { 5961 D.Diag(diag::err_drv_argument_not_allowed_with) 5962 << "-fno-whole-program-vtables" 5963 << "-fvirtual-function-elimination"; 5964 } 5965 5966 if (WholeProgramVTables) { 5967 if (!D.isUsingLTO()) 5968 D.Diag(diag::err_drv_argument_only_allowed_with) 5969 << "-fwhole-program-vtables" 5970 << "-flto"; 5971 CmdArgs.push_back("-fwhole-program-vtables"); 5972 } 5973 5974 bool DefaultsSplitLTOUnit = 5975 (WholeProgramVTables || Sanitize.needsLTO()) && 5976 (D.getLTOMode() == LTOK_Full || TC.canSplitThinLTOUnit()); 5977 bool SplitLTOUnit = 5978 Args.hasFlag(options::OPT_fsplit_lto_unit, 5979 options::OPT_fno_split_lto_unit, DefaultsSplitLTOUnit); 5980 if (Sanitize.needsLTO() && !SplitLTOUnit) 5981 D.Diag(diag::err_drv_argument_not_allowed_with) << "-fno-split-lto-unit" 5982 << "-fsanitize=cfi"; 5983 if (SplitLTOUnit) 5984 CmdArgs.push_back("-fsplit-lto-unit"); 5985 5986 if (Arg *A = Args.getLastArg(options::OPT_fexperimental_isel, 5987 options::OPT_fno_experimental_isel)) { 5988 CmdArgs.push_back("-mllvm"); 5989 if (A->getOption().matches(options::OPT_fexperimental_isel)) { 5990 CmdArgs.push_back("-global-isel=1"); 5991 5992 // GISel is on by default on AArch64 -O0, so don't bother adding 5993 // the fallback remarks for it. Other combinations will add a warning of 5994 // some kind. 5995 bool IsArchSupported = Triple.getArch() == llvm::Triple::aarch64; 5996 bool IsOptLevelSupported = false; 5997 5998 Arg *A = Args.getLastArg(options::OPT_O_Group); 5999 if (Triple.getArch() == llvm::Triple::aarch64) { 6000 if (!A || A->getOption().matches(options::OPT_O0)) 6001 IsOptLevelSupported = true; 6002 } 6003 if (!IsArchSupported || !IsOptLevelSupported) { 6004 CmdArgs.push_back("-mllvm"); 6005 CmdArgs.push_back("-global-isel-abort=2"); 6006 6007 if (!IsArchSupported) 6008 D.Diag(diag::warn_drv_experimental_isel_incomplete) << Triple.getArchName(); 6009 else 6010 D.Diag(diag::warn_drv_experimental_isel_incomplete_opt); 6011 } 6012 } else { 6013 CmdArgs.push_back("-global-isel=0"); 6014 } 6015 } 6016 6017 if (Args.hasArg(options::OPT_forder_file_instrumentation)) { 6018 CmdArgs.push_back("-forder-file-instrumentation"); 6019 // Enable order file instrumentation when ThinLTO is not on. When ThinLTO is 6020 // on, we need to pass these flags as linker flags and that will be handled 6021 // outside of the compiler. 6022 if (!D.isUsingLTO()) { 6023 CmdArgs.push_back("-mllvm"); 6024 CmdArgs.push_back("-enable-order-file-instrumentation"); 6025 } 6026 } 6027 6028 if (Arg *A = Args.getLastArg(options::OPT_fforce_enable_int128, 6029 options::OPT_fno_force_enable_int128)) { 6030 if (A->getOption().matches(options::OPT_fforce_enable_int128)) 6031 CmdArgs.push_back("-fforce-enable-int128"); 6032 } 6033 6034 if (Args.hasFlag(options::OPT_fcomplete_member_pointers, 6035 options::OPT_fno_complete_member_pointers, false)) 6036 CmdArgs.push_back("-fcomplete-member-pointers"); 6037 6038 if (!Args.hasFlag(options::OPT_fcxx_static_destructors, 6039 options::OPT_fno_cxx_static_destructors, true)) 6040 CmdArgs.push_back("-fno-c++-static-destructors"); 6041 6042 if (Arg *A = Args.getLastArg(options::OPT_moutline, 6043 options::OPT_mno_outline)) { 6044 if (A->getOption().matches(options::OPT_moutline)) { 6045 // We only support -moutline in AArch64 right now. If we're not compiling 6046 // for AArch64, emit a warning and ignore the flag. Otherwise, add the 6047 // proper mllvm flags. 6048 if (Triple.getArch() != llvm::Triple::aarch64 && 6049 Triple.getArch() != llvm::Triple::aarch64_32) { 6050 D.Diag(diag::warn_drv_moutline_unsupported_opt) << Triple.getArchName(); 6051 } else { 6052 CmdArgs.push_back("-mllvm"); 6053 CmdArgs.push_back("-enable-machine-outliner"); 6054 } 6055 } else { 6056 // Disable all outlining behaviour. 6057 CmdArgs.push_back("-mllvm"); 6058 CmdArgs.push_back("-enable-machine-outliner=never"); 6059 } 6060 } 6061 6062 if (Args.hasFlag(options::OPT_faddrsig, options::OPT_fno_addrsig, 6063 (TC.getTriple().isOSBinFormatELF() || 6064 TC.getTriple().isOSBinFormatCOFF()) && 6065 !TC.getTriple().isPS4() && 6066 !TC.getTriple().isOSNetBSD() && 6067 !Distro(D.getVFS(), TC.getTriple()).IsGentoo() && 6068 !TC.getTriple().isAndroid() && 6069 TC.useIntegratedAs())) 6070 CmdArgs.push_back("-faddrsig"); 6071 6072 if (Arg *A = Args.getLastArg(options::OPT_fsymbol_partition_EQ)) { 6073 std::string Str = A->getAsString(Args); 6074 if (!TC.getTriple().isOSBinFormatELF()) 6075 D.Diag(diag::err_drv_unsupported_opt_for_target) 6076 << Str << TC.getTripleString(); 6077 CmdArgs.push_back(Args.MakeArgString(Str)); 6078 } 6079 6080 // Add the "-o out -x type src.c" flags last. This is done primarily to make 6081 // the -cc1 command easier to edit when reproducing compiler crashes. 6082 if (Output.getType() == types::TY_Dependencies) { 6083 // Handled with other dependency code. 6084 } else if (Output.isFilename()) { 6085 if (Output.getType() == clang::driver::types::TY_IFS_CPP || 6086 Output.getType() == clang::driver::types::TY_IFS) { 6087 SmallString<128> OutputFilename(Output.getFilename()); 6088 llvm::sys::path::replace_extension(OutputFilename, "ifs"); 6089 CmdArgs.push_back("-o"); 6090 CmdArgs.push_back(Args.MakeArgString(OutputFilename)); 6091 } else { 6092 CmdArgs.push_back("-o"); 6093 CmdArgs.push_back(Output.getFilename()); 6094 } 6095 } else { 6096 assert(Output.isNothing() && "Invalid output."); 6097 } 6098 6099 addDashXForInput(Args, Input, CmdArgs); 6100 6101 ArrayRef<InputInfo> FrontendInputs = Input; 6102 if (IsHeaderModulePrecompile) 6103 FrontendInputs = ModuleHeaderInputs; 6104 else if (Input.isNothing()) 6105 FrontendInputs = {}; 6106 6107 for (const InputInfo &Input : FrontendInputs) { 6108 if (Input.isFilename()) 6109 CmdArgs.push_back(Input.getFilename()); 6110 else 6111 Input.getInputArg().renderAsInput(Args, CmdArgs); 6112 } 6113 6114 // Finally add the compile command to the compilation. 6115 if (Args.hasArg(options::OPT__SLASH_fallback) && 6116 Output.getType() == types::TY_Object && 6117 (InputType == types::TY_C || InputType == types::TY_CXX)) { 6118 auto CLCommand = 6119 getCLFallback()->GetCommand(C, JA, Output, Inputs, Args, LinkingOutput); 6120 C.addCommand(std::make_unique<FallbackCommand>( 6121 JA, *this, Exec, CmdArgs, Inputs, std::move(CLCommand))); 6122 } else if (Args.hasArg(options::OPT__SLASH_fallback) && 6123 isa<PrecompileJobAction>(JA)) { 6124 // In /fallback builds, run the main compilation even if the pch generation 6125 // fails, so that the main compilation's fallback to cl.exe runs. 6126 C.addCommand(std::make_unique<ForceSuccessCommand>(JA, *this, Exec, 6127 CmdArgs, Inputs)); 6128 } else if (D.CC1Main && !D.CCGenDiagnostics) { 6129 // Invoke the CC1 directly in this process 6130 C.addCommand( 6131 std::make_unique<CC1Command>(JA, *this, Exec, CmdArgs, Inputs)); 6132 } else { 6133 C.addCommand(std::make_unique<Command>(JA, *this, Exec, CmdArgs, Inputs)); 6134 } 6135 6136 // Make the compile command echo its inputs for /showFilenames. 6137 if (Output.getType() == types::TY_Object && 6138 Args.hasFlag(options::OPT__SLASH_showFilenames, 6139 options::OPT__SLASH_showFilenames_, false)) { 6140 C.getJobs().getJobs().back()->PrintInputFilenames = true; 6141 } 6142 6143 if (Arg *A = Args.getLastArg(options::OPT_pg)) 6144 if (FPKeepKind == CodeGenOptions::FramePointerKind::None) 6145 D.Diag(diag::err_drv_argument_not_allowed_with) << "-fomit-frame-pointer" 6146 << A->getAsString(Args); 6147 6148 // Claim some arguments which clang supports automatically. 6149 6150 // -fpch-preprocess is used with gcc to add a special marker in the output to 6151 // include the PCH file. 6152 Args.ClaimAllArgs(options::OPT_fpch_preprocess); 6153 6154 // Claim some arguments which clang doesn't support, but we don't 6155 // care to warn the user about. 6156 Args.ClaimAllArgs(options::OPT_clang_ignored_f_Group); 6157 Args.ClaimAllArgs(options::OPT_clang_ignored_m_Group); 6158 6159 // Disable warnings for clang -E -emit-llvm foo.c 6160 Args.ClaimAllArgs(options::OPT_emit_llvm); 6161 } 6162 6163 Clang::Clang(const ToolChain &TC) 6164 // CAUTION! The first constructor argument ("clang") is not arbitrary, 6165 // as it is for other tools. Some operations on a Tool actually test 6166 // whether that tool is Clang based on the Tool's Name as a string. 6167 : Tool("clang", "clang frontend", TC, RF_Full) {} 6168 6169 Clang::~Clang() {} 6170 6171 /// Add options related to the Objective-C runtime/ABI. 6172 /// 6173 /// Returns true if the runtime is non-fragile. 6174 ObjCRuntime Clang::AddObjCRuntimeArgs(const ArgList &args, 6175 ArgStringList &cmdArgs, 6176 RewriteKind rewriteKind) const { 6177 // Look for the controlling runtime option. 6178 Arg *runtimeArg = 6179 args.getLastArg(options::OPT_fnext_runtime, options::OPT_fgnu_runtime, 6180 options::OPT_fobjc_runtime_EQ); 6181 6182 // Just forward -fobjc-runtime= to the frontend. This supercedes 6183 // options about fragility. 6184 if (runtimeArg && 6185 runtimeArg->getOption().matches(options::OPT_fobjc_runtime_EQ)) { 6186 ObjCRuntime runtime; 6187 StringRef value = runtimeArg->getValue(); 6188 if (runtime.tryParse(value)) { 6189 getToolChain().getDriver().Diag(diag::err_drv_unknown_objc_runtime) 6190 << value; 6191 } 6192 if ((runtime.getKind() == ObjCRuntime::GNUstep) && 6193 (runtime.getVersion() >= VersionTuple(2, 0))) 6194 if (!getToolChain().getTriple().isOSBinFormatELF() && 6195 !getToolChain().getTriple().isOSBinFormatCOFF()) { 6196 getToolChain().getDriver().Diag( 6197 diag::err_drv_gnustep_objc_runtime_incompatible_binary) 6198 << runtime.getVersion().getMajor(); 6199 } 6200 6201 runtimeArg->render(args, cmdArgs); 6202 return runtime; 6203 } 6204 6205 // Otherwise, we'll need the ABI "version". Version numbers are 6206 // slightly confusing for historical reasons: 6207 // 1 - Traditional "fragile" ABI 6208 // 2 - Non-fragile ABI, version 1 6209 // 3 - Non-fragile ABI, version 2 6210 unsigned objcABIVersion = 1; 6211 // If -fobjc-abi-version= is present, use that to set the version. 6212 if (Arg *abiArg = args.getLastArg(options::OPT_fobjc_abi_version_EQ)) { 6213 StringRef value = abiArg->getValue(); 6214 if (value == "1") 6215 objcABIVersion = 1; 6216 else if (value == "2") 6217 objcABIVersion = 2; 6218 else if (value == "3") 6219 objcABIVersion = 3; 6220 else 6221 getToolChain().getDriver().Diag(diag::err_drv_clang_unsupported) << value; 6222 } else { 6223 // Otherwise, determine if we are using the non-fragile ABI. 6224 bool nonFragileABIIsDefault = 6225 (rewriteKind == RK_NonFragile || 6226 (rewriteKind == RK_None && 6227 getToolChain().IsObjCNonFragileABIDefault())); 6228 if (args.hasFlag(options::OPT_fobjc_nonfragile_abi, 6229 options::OPT_fno_objc_nonfragile_abi, 6230 nonFragileABIIsDefault)) { 6231 // Determine the non-fragile ABI version to use. 6232 #ifdef DISABLE_DEFAULT_NONFRAGILEABI_TWO 6233 unsigned nonFragileABIVersion = 1; 6234 #else 6235 unsigned nonFragileABIVersion = 2; 6236 #endif 6237 6238 if (Arg *abiArg = 6239 args.getLastArg(options::OPT_fobjc_nonfragile_abi_version_EQ)) { 6240 StringRef value = abiArg->getValue(); 6241 if (value == "1") 6242 nonFragileABIVersion = 1; 6243 else if (value == "2") 6244 nonFragileABIVersion = 2; 6245 else 6246 getToolChain().getDriver().Diag(diag::err_drv_clang_unsupported) 6247 << value; 6248 } 6249 6250 objcABIVersion = 1 + nonFragileABIVersion; 6251 } else { 6252 objcABIVersion = 1; 6253 } 6254 } 6255 6256 // We don't actually care about the ABI version other than whether 6257 // it's non-fragile. 6258 bool isNonFragile = objcABIVersion != 1; 6259 6260 // If we have no runtime argument, ask the toolchain for its default runtime. 6261 // However, the rewriter only really supports the Mac runtime, so assume that. 6262 ObjCRuntime runtime; 6263 if (!runtimeArg) { 6264 switch (rewriteKind) { 6265 case RK_None: 6266 runtime = getToolChain().getDefaultObjCRuntime(isNonFragile); 6267 break; 6268 case RK_Fragile: 6269 runtime = ObjCRuntime(ObjCRuntime::FragileMacOSX, VersionTuple()); 6270 break; 6271 case RK_NonFragile: 6272 runtime = ObjCRuntime(ObjCRuntime::MacOSX, VersionTuple()); 6273 break; 6274 } 6275 6276 // -fnext-runtime 6277 } else if (runtimeArg->getOption().matches(options::OPT_fnext_runtime)) { 6278 // On Darwin, make this use the default behavior for the toolchain. 6279 if (getToolChain().getTriple().isOSDarwin()) { 6280 runtime = getToolChain().getDefaultObjCRuntime(isNonFragile); 6281 6282 // Otherwise, build for a generic macosx port. 6283 } else { 6284 runtime = ObjCRuntime(ObjCRuntime::MacOSX, VersionTuple()); 6285 } 6286 6287 // -fgnu-runtime 6288 } else { 6289 assert(runtimeArg->getOption().matches(options::OPT_fgnu_runtime)); 6290 // Legacy behaviour is to target the gnustep runtime if we are in 6291 // non-fragile mode or the GCC runtime in fragile mode. 6292 if (isNonFragile) 6293 runtime = ObjCRuntime(ObjCRuntime::GNUstep, VersionTuple(2, 0)); 6294 else 6295 runtime = ObjCRuntime(ObjCRuntime::GCC, VersionTuple()); 6296 } 6297 6298 cmdArgs.push_back( 6299 args.MakeArgString("-fobjc-runtime=" + runtime.getAsString())); 6300 return runtime; 6301 } 6302 6303 static bool maybeConsumeDash(const std::string &EH, size_t &I) { 6304 bool HaveDash = (I + 1 < EH.size() && EH[I + 1] == '-'); 6305 I += HaveDash; 6306 return !HaveDash; 6307 } 6308 6309 namespace { 6310 struct EHFlags { 6311 bool Synch = false; 6312 bool Asynch = false; 6313 bool NoUnwindC = false; 6314 }; 6315 } // end anonymous namespace 6316 6317 /// /EH controls whether to run destructor cleanups when exceptions are 6318 /// thrown. There are three modifiers: 6319 /// - s: Cleanup after "synchronous" exceptions, aka C++ exceptions. 6320 /// - a: Cleanup after "asynchronous" exceptions, aka structured exceptions. 6321 /// The 'a' modifier is unimplemented and fundamentally hard in LLVM IR. 6322 /// - c: Assume that extern "C" functions are implicitly nounwind. 6323 /// The default is /EHs-c-, meaning cleanups are disabled. 6324 static EHFlags parseClangCLEHFlags(const Driver &D, const ArgList &Args) { 6325 EHFlags EH; 6326 6327 std::vector<std::string> EHArgs = 6328 Args.getAllArgValues(options::OPT__SLASH_EH); 6329 for (auto EHVal : EHArgs) { 6330 for (size_t I = 0, E = EHVal.size(); I != E; ++I) { 6331 switch (EHVal[I]) { 6332 case 'a': 6333 EH.Asynch = maybeConsumeDash(EHVal, I); 6334 if (EH.Asynch) 6335 EH.Synch = false; 6336 continue; 6337 case 'c': 6338 EH.NoUnwindC = maybeConsumeDash(EHVal, I); 6339 continue; 6340 case 's': 6341 EH.Synch = maybeConsumeDash(EHVal, I); 6342 if (EH.Synch) 6343 EH.Asynch = false; 6344 continue; 6345 default: 6346 break; 6347 } 6348 D.Diag(clang::diag::err_drv_invalid_value) << "/EH" << EHVal; 6349 break; 6350 } 6351 } 6352 // The /GX, /GX- flags are only processed if there are not /EH flags. 6353 // The default is that /GX is not specified. 6354 if (EHArgs.empty() && 6355 Args.hasFlag(options::OPT__SLASH_GX, options::OPT__SLASH_GX_, 6356 /*Default=*/false)) { 6357 EH.Synch = true; 6358 EH.NoUnwindC = true; 6359 } 6360 6361 return EH; 6362 } 6363 6364 void Clang::AddClangCLArgs(const ArgList &Args, types::ID InputType, 6365 ArgStringList &CmdArgs, 6366 codegenoptions::DebugInfoKind *DebugInfoKind, 6367 bool *EmitCodeView) const { 6368 unsigned RTOptionID = options::OPT__SLASH_MT; 6369 6370 if (Args.hasArg(options::OPT__SLASH_LDd)) 6371 // The /LDd option implies /MTd. The dependent lib part can be overridden, 6372 // but defining _DEBUG is sticky. 6373 RTOptionID = options::OPT__SLASH_MTd; 6374 6375 if (Arg *A = Args.getLastArg(options::OPT__SLASH_M_Group)) 6376 RTOptionID = A->getOption().getID(); 6377 6378 StringRef FlagForCRT; 6379 switch (RTOptionID) { 6380 case options::OPT__SLASH_MD: 6381 if (Args.hasArg(options::OPT__SLASH_LDd)) 6382 CmdArgs.push_back("-D_DEBUG"); 6383 CmdArgs.push_back("-D_MT"); 6384 CmdArgs.push_back("-D_DLL"); 6385 FlagForCRT = "--dependent-lib=msvcrt"; 6386 break; 6387 case options::OPT__SLASH_MDd: 6388 CmdArgs.push_back("-D_DEBUG"); 6389 CmdArgs.push_back("-D_MT"); 6390 CmdArgs.push_back("-D_DLL"); 6391 FlagForCRT = "--dependent-lib=msvcrtd"; 6392 break; 6393 case options::OPT__SLASH_MT: 6394 if (Args.hasArg(options::OPT__SLASH_LDd)) 6395 CmdArgs.push_back("-D_DEBUG"); 6396 CmdArgs.push_back("-D_MT"); 6397 CmdArgs.push_back("-flto-visibility-public-std"); 6398 FlagForCRT = "--dependent-lib=libcmt"; 6399 break; 6400 case options::OPT__SLASH_MTd: 6401 CmdArgs.push_back("-D_DEBUG"); 6402 CmdArgs.push_back("-D_MT"); 6403 CmdArgs.push_back("-flto-visibility-public-std"); 6404 FlagForCRT = "--dependent-lib=libcmtd"; 6405 break; 6406 default: 6407 llvm_unreachable("Unexpected option ID."); 6408 } 6409 6410 if (Args.hasArg(options::OPT__SLASH_Zl)) { 6411 CmdArgs.push_back("-D_VC_NODEFAULTLIB"); 6412 } else { 6413 CmdArgs.push_back(FlagForCRT.data()); 6414 6415 // This provides POSIX compatibility (maps 'open' to '_open'), which most 6416 // users want. The /Za flag to cl.exe turns this off, but it's not 6417 // implemented in clang. 6418 CmdArgs.push_back("--dependent-lib=oldnames"); 6419 } 6420 6421 Args.AddLastArg(CmdArgs, options::OPT_show_includes); 6422 6423 // This controls whether or not we emit RTTI data for polymorphic types. 6424 if (Args.hasFlag(options::OPT__SLASH_GR_, options::OPT__SLASH_GR, 6425 /*Default=*/false)) 6426 CmdArgs.push_back("-fno-rtti-data"); 6427 6428 // This controls whether or not we emit stack-protector instrumentation. 6429 // In MSVC, Buffer Security Check (/GS) is on by default. 6430 if (Args.hasFlag(options::OPT__SLASH_GS, options::OPT__SLASH_GS_, 6431 /*Default=*/true)) { 6432 CmdArgs.push_back("-stack-protector"); 6433 CmdArgs.push_back(Args.MakeArgString(Twine(LangOptions::SSPStrong))); 6434 } 6435 6436 // Emit CodeView if -Z7, -Zd, or -gline-tables-only are present. 6437 if (Arg *DebugInfoArg = 6438 Args.getLastArg(options::OPT__SLASH_Z7, options::OPT__SLASH_Zd, 6439 options::OPT_gline_tables_only)) { 6440 *EmitCodeView = true; 6441 if (DebugInfoArg->getOption().matches(options::OPT__SLASH_Z7)) 6442 *DebugInfoKind = codegenoptions::LimitedDebugInfo; 6443 else 6444 *DebugInfoKind = codegenoptions::DebugLineTablesOnly; 6445 } else { 6446 *EmitCodeView = false; 6447 } 6448 6449 const Driver &D = getToolChain().getDriver(); 6450 EHFlags EH = parseClangCLEHFlags(D, Args); 6451 if (EH.Synch || EH.Asynch) { 6452 if (types::isCXX(InputType)) 6453 CmdArgs.push_back("-fcxx-exceptions"); 6454 CmdArgs.push_back("-fexceptions"); 6455 } 6456 if (types::isCXX(InputType) && EH.Synch && EH.NoUnwindC) 6457 CmdArgs.push_back("-fexternc-nounwind"); 6458 6459 // /EP should expand to -E -P. 6460 if (Args.hasArg(options::OPT__SLASH_EP)) { 6461 CmdArgs.push_back("-E"); 6462 CmdArgs.push_back("-P"); 6463 } 6464 6465 unsigned VolatileOptionID; 6466 if (getToolChain().getTriple().isX86()) 6467 VolatileOptionID = options::OPT__SLASH_volatile_ms; 6468 else 6469 VolatileOptionID = options::OPT__SLASH_volatile_iso; 6470 6471 if (Arg *A = Args.getLastArg(options::OPT__SLASH_volatile_Group)) 6472 VolatileOptionID = A->getOption().getID(); 6473 6474 if (VolatileOptionID == options::OPT__SLASH_volatile_ms) 6475 CmdArgs.push_back("-fms-volatile"); 6476 6477 if (Args.hasFlag(options::OPT__SLASH_Zc_dllexportInlines_, 6478 options::OPT__SLASH_Zc_dllexportInlines, 6479 false)) { 6480 if (Args.hasArg(options::OPT__SLASH_fallback)) { 6481 D.Diag(clang::diag::err_drv_dllexport_inlines_and_fallback); 6482 } else { 6483 CmdArgs.push_back("-fno-dllexport-inlines"); 6484 } 6485 } 6486 6487 Arg *MostGeneralArg = Args.getLastArg(options::OPT__SLASH_vmg); 6488 Arg *BestCaseArg = Args.getLastArg(options::OPT__SLASH_vmb); 6489 if (MostGeneralArg && BestCaseArg) 6490 D.Diag(clang::diag::err_drv_argument_not_allowed_with) 6491 << MostGeneralArg->getAsString(Args) << BestCaseArg->getAsString(Args); 6492 6493 if (MostGeneralArg) { 6494 Arg *SingleArg = Args.getLastArg(options::OPT__SLASH_vms); 6495 Arg *MultipleArg = Args.getLastArg(options::OPT__SLASH_vmm); 6496 Arg *VirtualArg = Args.getLastArg(options::OPT__SLASH_vmv); 6497 6498 Arg *FirstConflict = SingleArg ? SingleArg : MultipleArg; 6499 Arg *SecondConflict = VirtualArg ? VirtualArg : MultipleArg; 6500 if (FirstConflict && SecondConflict && FirstConflict != SecondConflict) 6501 D.Diag(clang::diag::err_drv_argument_not_allowed_with) 6502 << FirstConflict->getAsString(Args) 6503 << SecondConflict->getAsString(Args); 6504 6505 if (SingleArg) 6506 CmdArgs.push_back("-fms-memptr-rep=single"); 6507 else if (MultipleArg) 6508 CmdArgs.push_back("-fms-memptr-rep=multiple"); 6509 else 6510 CmdArgs.push_back("-fms-memptr-rep=virtual"); 6511 } 6512 6513 // Parse the default calling convention options. 6514 if (Arg *CCArg = 6515 Args.getLastArg(options::OPT__SLASH_Gd, options::OPT__SLASH_Gr, 6516 options::OPT__SLASH_Gz, options::OPT__SLASH_Gv, 6517 options::OPT__SLASH_Gregcall)) { 6518 unsigned DCCOptId = CCArg->getOption().getID(); 6519 const char *DCCFlag = nullptr; 6520 bool ArchSupported = true; 6521 llvm::Triple::ArchType Arch = getToolChain().getArch(); 6522 switch (DCCOptId) { 6523 case options::OPT__SLASH_Gd: 6524 DCCFlag = "-fdefault-calling-conv=cdecl"; 6525 break; 6526 case options::OPT__SLASH_Gr: 6527 ArchSupported = Arch == llvm::Triple::x86; 6528 DCCFlag = "-fdefault-calling-conv=fastcall"; 6529 break; 6530 case options::OPT__SLASH_Gz: 6531 ArchSupported = Arch == llvm::Triple::x86; 6532 DCCFlag = "-fdefault-calling-conv=stdcall"; 6533 break; 6534 case options::OPT__SLASH_Gv: 6535 ArchSupported = Arch == llvm::Triple::x86 || Arch == llvm::Triple::x86_64; 6536 DCCFlag = "-fdefault-calling-conv=vectorcall"; 6537 break; 6538 case options::OPT__SLASH_Gregcall: 6539 ArchSupported = Arch == llvm::Triple::x86 || Arch == llvm::Triple::x86_64; 6540 DCCFlag = "-fdefault-calling-conv=regcall"; 6541 break; 6542 } 6543 6544 // MSVC doesn't warn if /Gr or /Gz is used on x64, so we don't either. 6545 if (ArchSupported && DCCFlag) 6546 CmdArgs.push_back(DCCFlag); 6547 } 6548 6549 Args.AddLastArg(CmdArgs, options::OPT_vtordisp_mode_EQ); 6550 6551 if (!Args.hasArg(options::OPT_fdiagnostics_format_EQ)) { 6552 CmdArgs.push_back("-fdiagnostics-format"); 6553 if (Args.hasArg(options::OPT__SLASH_fallback)) 6554 CmdArgs.push_back("msvc-fallback"); 6555 else 6556 CmdArgs.push_back("msvc"); 6557 } 6558 6559 if (Arg *A = Args.getLastArg(options::OPT__SLASH_guard)) { 6560 StringRef GuardArgs = A->getValue(); 6561 // The only valid options are "cf", "cf,nochecks", and "cf-". 6562 if (GuardArgs.equals_lower("cf")) { 6563 // Emit CFG instrumentation and the table of address-taken functions. 6564 CmdArgs.push_back("-cfguard"); 6565 } else if (GuardArgs.equals_lower("cf,nochecks")) { 6566 // Emit only the table of address-taken functions. 6567 CmdArgs.push_back("-cfguard-no-checks"); 6568 } else if (GuardArgs.equals_lower("cf-")) { 6569 // Do nothing, but we might want to emit a security warning in future. 6570 } else { 6571 D.Diag(diag::err_drv_invalid_value) << A->getSpelling() << GuardArgs; 6572 } 6573 } 6574 } 6575 6576 visualstudio::Compiler *Clang::getCLFallback() const { 6577 if (!CLFallback) 6578 CLFallback.reset(new visualstudio::Compiler(getToolChain())); 6579 return CLFallback.get(); 6580 } 6581 6582 6583 const char *Clang::getBaseInputName(const ArgList &Args, 6584 const InputInfo &Input) { 6585 return Args.MakeArgString(llvm::sys::path::filename(Input.getBaseInput())); 6586 } 6587 6588 const char *Clang::getBaseInputStem(const ArgList &Args, 6589 const InputInfoList &Inputs) { 6590 const char *Str = getBaseInputName(Args, Inputs[0]); 6591 6592 if (const char *End = strrchr(Str, '.')) 6593 return Args.MakeArgString(std::string(Str, End)); 6594 6595 return Str; 6596 } 6597 6598 const char *Clang::getDependencyFileName(const ArgList &Args, 6599 const InputInfoList &Inputs) { 6600 // FIXME: Think about this more. 6601 6602 if (Arg *OutputOpt = Args.getLastArg(options::OPT_o)) { 6603 SmallString<128> OutputFilename(OutputOpt->getValue()); 6604 llvm::sys::path::replace_extension(OutputFilename, llvm::Twine('d')); 6605 return Args.MakeArgString(OutputFilename); 6606 } 6607 6608 return Args.MakeArgString(Twine(getBaseInputStem(Args, Inputs)) + ".d"); 6609 } 6610 6611 // Begin ClangAs 6612 6613 void ClangAs::AddMIPSTargetArgs(const ArgList &Args, 6614 ArgStringList &CmdArgs) const { 6615 StringRef CPUName; 6616 StringRef ABIName; 6617 const llvm::Triple &Triple = getToolChain().getTriple(); 6618 mips::getMipsCPUAndABI(Args, Triple, CPUName, ABIName); 6619 6620 CmdArgs.push_back("-target-abi"); 6621 CmdArgs.push_back(ABIName.data()); 6622 } 6623 6624 void ClangAs::AddX86TargetArgs(const ArgList &Args, 6625 ArgStringList &CmdArgs) const { 6626 addX86AlignBranchArgs(getToolChain().getDriver(), Args, CmdArgs); 6627 6628 if (Arg *A = Args.getLastArg(options::OPT_masm_EQ)) { 6629 StringRef Value = A->getValue(); 6630 if (Value == "intel" || Value == "att") { 6631 CmdArgs.push_back("-mllvm"); 6632 CmdArgs.push_back(Args.MakeArgString("-x86-asm-syntax=" + Value)); 6633 } else { 6634 getToolChain().getDriver().Diag(diag::err_drv_unsupported_option_argument) 6635 << A->getOption().getName() << Value; 6636 } 6637 } 6638 } 6639 6640 void ClangAs::AddRISCVTargetArgs(const ArgList &Args, 6641 ArgStringList &CmdArgs) const { 6642 const llvm::Triple &Triple = getToolChain().getTriple(); 6643 StringRef ABIName = riscv::getRISCVABI(Args, Triple); 6644 6645 CmdArgs.push_back("-target-abi"); 6646 CmdArgs.push_back(ABIName.data()); 6647 } 6648 6649 void ClangAs::ConstructJob(Compilation &C, const JobAction &JA, 6650 const InputInfo &Output, const InputInfoList &Inputs, 6651 const ArgList &Args, 6652 const char *LinkingOutput) const { 6653 ArgStringList CmdArgs; 6654 6655 assert(Inputs.size() == 1 && "Unexpected number of inputs."); 6656 const InputInfo &Input = Inputs[0]; 6657 6658 const llvm::Triple &Triple = getToolChain().getEffectiveTriple(); 6659 const std::string &TripleStr = Triple.getTriple(); 6660 const auto &D = getToolChain().getDriver(); 6661 6662 // Don't warn about "clang -w -c foo.s" 6663 Args.ClaimAllArgs(options::OPT_w); 6664 // and "clang -emit-llvm -c foo.s" 6665 Args.ClaimAllArgs(options::OPT_emit_llvm); 6666 6667 claimNoWarnArgs(Args); 6668 6669 // Invoke ourselves in -cc1as mode. 6670 // 6671 // FIXME: Implement custom jobs for internal actions. 6672 CmdArgs.push_back("-cc1as"); 6673 6674 // Add the "effective" target triple. 6675 CmdArgs.push_back("-triple"); 6676 CmdArgs.push_back(Args.MakeArgString(TripleStr)); 6677 6678 // Set the output mode, we currently only expect to be used as a real 6679 // assembler. 6680 CmdArgs.push_back("-filetype"); 6681 CmdArgs.push_back("obj"); 6682 6683 // Set the main file name, so that debug info works even with 6684 // -save-temps or preprocessed assembly. 6685 CmdArgs.push_back("-main-file-name"); 6686 CmdArgs.push_back(Clang::getBaseInputName(Args, Input)); 6687 6688 // Add the target cpu 6689 std::string CPU = getCPUName(Args, Triple, /*FromAs*/ true); 6690 if (!CPU.empty()) { 6691 CmdArgs.push_back("-target-cpu"); 6692 CmdArgs.push_back(Args.MakeArgString(CPU)); 6693 } 6694 6695 // Add the target features 6696 getTargetFeatures(getToolChain(), Triple, Args, CmdArgs, true); 6697 6698 // Ignore explicit -force_cpusubtype_ALL option. 6699 (void)Args.hasArg(options::OPT_force__cpusubtype__ALL); 6700 6701 // Pass along any -I options so we get proper .include search paths. 6702 Args.AddAllArgs(CmdArgs, options::OPT_I_Group); 6703 6704 // Determine the original source input. 6705 const Action *SourceAction = &JA; 6706 while (SourceAction->getKind() != Action::InputClass) { 6707 assert(!SourceAction->getInputs().empty() && "unexpected root action!"); 6708 SourceAction = SourceAction->getInputs()[0]; 6709 } 6710 6711 // Forward -g and handle debug info related flags, assuming we are dealing 6712 // with an actual assembly file. 6713 bool WantDebug = false; 6714 unsigned DwarfVersion = 0; 6715 Args.ClaimAllArgs(options::OPT_g_Group); 6716 if (Arg *A = Args.getLastArg(options::OPT_g_Group)) { 6717 WantDebug = !A->getOption().matches(options::OPT_g0) && 6718 !A->getOption().matches(options::OPT_ggdb0); 6719 if (WantDebug) 6720 DwarfVersion = DwarfVersionNum(A->getSpelling()); 6721 } 6722 6723 unsigned DefaultDwarfVersion = ParseDebugDefaultVersion(getToolChain(), Args); 6724 if (DwarfVersion == 0) 6725 DwarfVersion = DefaultDwarfVersion; 6726 6727 if (DwarfVersion == 0) 6728 DwarfVersion = getToolChain().GetDefaultDwarfVersion(); 6729 6730 codegenoptions::DebugInfoKind DebugInfoKind = codegenoptions::NoDebugInfo; 6731 6732 if (SourceAction->getType() == types::TY_Asm || 6733 SourceAction->getType() == types::TY_PP_Asm) { 6734 // You might think that it would be ok to set DebugInfoKind outside of 6735 // the guard for source type, however there is a test which asserts 6736 // that some assembler invocation receives no -debug-info-kind, 6737 // and it's not clear whether that test is just overly restrictive. 6738 DebugInfoKind = (WantDebug ? codegenoptions::LimitedDebugInfo 6739 : codegenoptions::NoDebugInfo); 6740 // Add the -fdebug-compilation-dir flag if needed. 6741 addDebugCompDirArg(Args, CmdArgs, C.getDriver().getVFS()); 6742 6743 addDebugPrefixMapArg(getToolChain().getDriver(), Args, CmdArgs); 6744 6745 // Set the AT_producer to the clang version when using the integrated 6746 // assembler on assembly source files. 6747 CmdArgs.push_back("-dwarf-debug-producer"); 6748 CmdArgs.push_back(Args.MakeArgString(getClangFullVersion())); 6749 6750 // And pass along -I options 6751 Args.AddAllArgs(CmdArgs, options::OPT_I); 6752 } 6753 RenderDebugEnablingArgs(Args, CmdArgs, DebugInfoKind, DwarfVersion, 6754 llvm::DebuggerKind::Default); 6755 RenderDebugInfoCompressionArgs(Args, CmdArgs, D, getToolChain()); 6756 6757 6758 // Handle -fPIC et al -- the relocation-model affects the assembler 6759 // for some targets. 6760 llvm::Reloc::Model RelocationModel; 6761 unsigned PICLevel; 6762 bool IsPIE; 6763 std::tie(RelocationModel, PICLevel, IsPIE) = 6764 ParsePICArgs(getToolChain(), Args); 6765 6766 const char *RMName = RelocationModelName(RelocationModel); 6767 if (RMName) { 6768 CmdArgs.push_back("-mrelocation-model"); 6769 CmdArgs.push_back(RMName); 6770 } 6771 6772 // Optionally embed the -cc1as level arguments into the debug info, for build 6773 // analysis. 6774 if (getToolChain().UseDwarfDebugFlags()) { 6775 ArgStringList OriginalArgs; 6776 for (const auto &Arg : Args) 6777 Arg->render(Args, OriginalArgs); 6778 6779 SmallString<256> Flags; 6780 const char *Exec = getToolChain().getDriver().getClangProgramPath(); 6781 Flags += Exec; 6782 for (const char *OriginalArg : OriginalArgs) { 6783 SmallString<128> EscapedArg; 6784 EscapeSpacesAndBackslashes(OriginalArg, EscapedArg); 6785 Flags += " "; 6786 Flags += EscapedArg; 6787 } 6788 CmdArgs.push_back("-dwarf-debug-flags"); 6789 CmdArgs.push_back(Args.MakeArgString(Flags)); 6790 } 6791 6792 // FIXME: Add -static support, once we have it. 6793 6794 // Add target specific flags. 6795 switch (getToolChain().getArch()) { 6796 default: 6797 break; 6798 6799 case llvm::Triple::mips: 6800 case llvm::Triple::mipsel: 6801 case llvm::Triple::mips64: 6802 case llvm::Triple::mips64el: 6803 AddMIPSTargetArgs(Args, CmdArgs); 6804 break; 6805 6806 case llvm::Triple::x86: 6807 case llvm::Triple::x86_64: 6808 AddX86TargetArgs(Args, CmdArgs); 6809 break; 6810 6811 case llvm::Triple::arm: 6812 case llvm::Triple::armeb: 6813 case llvm::Triple::thumb: 6814 case llvm::Triple::thumbeb: 6815 // This isn't in AddARMTargetArgs because we want to do this for assembly 6816 // only, not C/C++. 6817 if (Args.hasFlag(options::OPT_mdefault_build_attributes, 6818 options::OPT_mno_default_build_attributes, true)) { 6819 CmdArgs.push_back("-mllvm"); 6820 CmdArgs.push_back("-arm-add-build-attributes"); 6821 } 6822 break; 6823 6824 case llvm::Triple::riscv32: 6825 case llvm::Triple::riscv64: 6826 AddRISCVTargetArgs(Args, CmdArgs); 6827 break; 6828 } 6829 6830 // Consume all the warning flags. Usually this would be handled more 6831 // gracefully by -cc1 (warning about unknown warning flags, etc) but -cc1as 6832 // doesn't handle that so rather than warning about unused flags that are 6833 // actually used, we'll lie by omission instead. 6834 // FIXME: Stop lying and consume only the appropriate driver flags 6835 Args.ClaimAllArgs(options::OPT_W_Group); 6836 6837 CollectArgsForIntegratedAssembler(C, Args, CmdArgs, 6838 getToolChain().getDriver()); 6839 6840 Args.AddAllArgs(CmdArgs, options::OPT_mllvm); 6841 6842 assert(Output.isFilename() && "Unexpected lipo output."); 6843 CmdArgs.push_back("-o"); 6844 CmdArgs.push_back(Output.getFilename()); 6845 6846 const llvm::Triple &T = getToolChain().getTriple(); 6847 Arg *A; 6848 if (getDebugFissionKind(D, Args, A) == DwarfFissionKind::Split && 6849 T.isOSBinFormatELF()) { 6850 CmdArgs.push_back("-split-dwarf-output"); 6851 CmdArgs.push_back(SplitDebugName(Args, Input, Output)); 6852 } 6853 6854 assert(Input.isFilename() && "Invalid input."); 6855 CmdArgs.push_back(Input.getFilename()); 6856 6857 const char *Exec = getToolChain().getDriver().getClangProgramPath(); 6858 C.addCommand(std::make_unique<Command>(JA, *this, Exec, CmdArgs, Inputs)); 6859 } 6860 6861 // Begin OffloadBundler 6862 6863 void OffloadBundler::ConstructJob(Compilation &C, const JobAction &JA, 6864 const InputInfo &Output, 6865 const InputInfoList &Inputs, 6866 const llvm::opt::ArgList &TCArgs, 6867 const char *LinkingOutput) const { 6868 // The version with only one output is expected to refer to a bundling job. 6869 assert(isa<OffloadBundlingJobAction>(JA) && "Expecting bundling job!"); 6870 6871 // The bundling command looks like this: 6872 // clang-offload-bundler -type=bc 6873 // -targets=host-triple,openmp-triple1,openmp-triple2 6874 // -outputs=input_file 6875 // -inputs=unbundle_file_host,unbundle_file_tgt1,unbundle_file_tgt2" 6876 6877 ArgStringList CmdArgs; 6878 6879 // Get the type. 6880 CmdArgs.push_back(TCArgs.MakeArgString( 6881 Twine("-type=") + types::getTypeTempSuffix(Output.getType()))); 6882 6883 assert(JA.getInputs().size() == Inputs.size() && 6884 "Not have inputs for all dependence actions??"); 6885 6886 // Get the targets. 6887 SmallString<128> Triples; 6888 Triples += "-targets="; 6889 for (unsigned I = 0; I < Inputs.size(); ++I) { 6890 if (I) 6891 Triples += ','; 6892 6893 // Find ToolChain for this input. 6894 Action::OffloadKind CurKind = Action::OFK_Host; 6895 const ToolChain *CurTC = &getToolChain(); 6896 const Action *CurDep = JA.getInputs()[I]; 6897 6898 if (const auto *OA = dyn_cast<OffloadAction>(CurDep)) { 6899 CurTC = nullptr; 6900 OA->doOnEachDependence([&](Action *A, const ToolChain *TC, const char *) { 6901 assert(CurTC == nullptr && "Expected one dependence!"); 6902 CurKind = A->getOffloadingDeviceKind(); 6903 CurTC = TC; 6904 }); 6905 } 6906 Triples += Action::GetOffloadKindName(CurKind); 6907 Triples += '-'; 6908 Triples += CurTC->getTriple().normalize(); 6909 if (CurKind == Action::OFK_HIP && CurDep->getOffloadingArch()) { 6910 Triples += '-'; 6911 Triples += CurDep->getOffloadingArch(); 6912 } 6913 } 6914 CmdArgs.push_back(TCArgs.MakeArgString(Triples)); 6915 6916 // Get bundled file command. 6917 CmdArgs.push_back( 6918 TCArgs.MakeArgString(Twine("-outputs=") + Output.getFilename())); 6919 6920 // Get unbundled files command. 6921 SmallString<128> UB; 6922 UB += "-inputs="; 6923 for (unsigned I = 0; I < Inputs.size(); ++I) { 6924 if (I) 6925 UB += ','; 6926 6927 // Find ToolChain for this input. 6928 const ToolChain *CurTC = &getToolChain(); 6929 if (const auto *OA = dyn_cast<OffloadAction>(JA.getInputs()[I])) { 6930 CurTC = nullptr; 6931 OA->doOnEachDependence([&](Action *, const ToolChain *TC, const char *) { 6932 assert(CurTC == nullptr && "Expected one dependence!"); 6933 CurTC = TC; 6934 }); 6935 } 6936 UB += CurTC->getInputFilename(Inputs[I]); 6937 } 6938 CmdArgs.push_back(TCArgs.MakeArgString(UB)); 6939 6940 // All the inputs are encoded as commands. 6941 C.addCommand(std::make_unique<Command>( 6942 JA, *this, 6943 TCArgs.MakeArgString(getToolChain().GetProgramPath(getShortName())), 6944 CmdArgs, None)); 6945 } 6946 6947 void OffloadBundler::ConstructJobMultipleOutputs( 6948 Compilation &C, const JobAction &JA, const InputInfoList &Outputs, 6949 const InputInfoList &Inputs, const llvm::opt::ArgList &TCArgs, 6950 const char *LinkingOutput) const { 6951 // The version with multiple outputs is expected to refer to a unbundling job. 6952 auto &UA = cast<OffloadUnbundlingJobAction>(JA); 6953 6954 // The unbundling command looks like this: 6955 // clang-offload-bundler -type=bc 6956 // -targets=host-triple,openmp-triple1,openmp-triple2 6957 // -inputs=input_file 6958 // -outputs=unbundle_file_host,unbundle_file_tgt1,unbundle_file_tgt2" 6959 // -unbundle 6960 6961 ArgStringList CmdArgs; 6962 6963 assert(Inputs.size() == 1 && "Expecting to unbundle a single file!"); 6964 InputInfo Input = Inputs.front(); 6965 6966 // Get the type. 6967 CmdArgs.push_back(TCArgs.MakeArgString( 6968 Twine("-type=") + types::getTypeTempSuffix(Input.getType()))); 6969 6970 // Get the targets. 6971 SmallString<128> Triples; 6972 Triples += "-targets="; 6973 auto DepInfo = UA.getDependentActionsInfo(); 6974 for (unsigned I = 0; I < DepInfo.size(); ++I) { 6975 if (I) 6976 Triples += ','; 6977 6978 auto &Dep = DepInfo[I]; 6979 Triples += Action::GetOffloadKindName(Dep.DependentOffloadKind); 6980 Triples += '-'; 6981 Triples += Dep.DependentToolChain->getTriple().normalize(); 6982 if (Dep.DependentOffloadKind == Action::OFK_HIP && 6983 !Dep.DependentBoundArch.empty()) { 6984 Triples += '-'; 6985 Triples += Dep.DependentBoundArch; 6986 } 6987 } 6988 6989 CmdArgs.push_back(TCArgs.MakeArgString(Triples)); 6990 6991 // Get bundled file command. 6992 CmdArgs.push_back( 6993 TCArgs.MakeArgString(Twine("-inputs=") + Input.getFilename())); 6994 6995 // Get unbundled files command. 6996 SmallString<128> UB; 6997 UB += "-outputs="; 6998 for (unsigned I = 0; I < Outputs.size(); ++I) { 6999 if (I) 7000 UB += ','; 7001 UB += DepInfo[I].DependentToolChain->getInputFilename(Outputs[I]); 7002 } 7003 CmdArgs.push_back(TCArgs.MakeArgString(UB)); 7004 CmdArgs.push_back("-unbundle"); 7005 7006 // All the inputs are encoded as commands. 7007 C.addCommand(std::make_unique<Command>( 7008 JA, *this, 7009 TCArgs.MakeArgString(getToolChain().GetProgramPath(getShortName())), 7010 CmdArgs, None)); 7011 } 7012 7013 void OffloadWrapper::ConstructJob(Compilation &C, const JobAction &JA, 7014 const InputInfo &Output, 7015 const InputInfoList &Inputs, 7016 const ArgList &Args, 7017 const char *LinkingOutput) const { 7018 ArgStringList CmdArgs; 7019 7020 const llvm::Triple &Triple = getToolChain().getEffectiveTriple(); 7021 7022 // Add the "effective" target triple. 7023 CmdArgs.push_back("-target"); 7024 CmdArgs.push_back(Args.MakeArgString(Triple.getTriple())); 7025 7026 // Add the output file name. 7027 assert(Output.isFilename() && "Invalid output."); 7028 CmdArgs.push_back("-o"); 7029 CmdArgs.push_back(Output.getFilename()); 7030 7031 // Add inputs. 7032 for (const InputInfo &I : Inputs) { 7033 assert(I.isFilename() && "Invalid input."); 7034 CmdArgs.push_back(I.getFilename()); 7035 } 7036 7037 C.addCommand(std::make_unique<Command>( 7038 JA, *this, 7039 Args.MakeArgString(getToolChain().GetProgramPath(getShortName())), 7040 CmdArgs, Inputs)); 7041 } 7042