diff options
113 files changed, 867 insertions, 375 deletions
| diff --git a/bolt/include/bolt/Core/BinaryFunction.h b/bolt/include/bolt/Core/BinaryFunction.h index 118d579..b215a15 100644 --- a/bolt/include/bolt/Core/BinaryFunction.h +++ b/bolt/include/bolt/Core/BinaryFunction.h @@ -620,13 +620,11 @@ private:    }    /// Return a label at a given \p Address in the function. If the label does -  /// not exist - create it. Assert if the \p Address does not belong to -  /// the function. If \p CreatePastEnd is true, then return the function -  /// end label when the \p Address points immediately past the last byte -  /// of the function. +  /// not exist - create it. +  ///    /// NOTE: the function always returns a local (temp) symbol, even if there's    ///       a global symbol that corresponds to an entry at this address. -  MCSymbol *getOrCreateLocalLabel(uint64_t Address, bool CreatePastEnd = false); +  MCSymbol *getOrCreateLocalLabel(uint64_t Address);    /// Register an data entry at a given \p Offset into the function.    void markDataAtOffset(uint64_t Offset) { diff --git a/bolt/lib/Core/BinaryFunction.cpp b/bolt/lib/Core/BinaryFunction.cpp index 776f4ae..84023ef 100644 --- a/bolt/lib/Core/BinaryFunction.cpp +++ b/bolt/lib/Core/BinaryFunction.cpp @@ -1035,13 +1035,9 @@ BinaryFunction::processIndirectBranch(MCInst &Instruction, unsigned Size,    return BranchType;  } -MCSymbol *BinaryFunction::getOrCreateLocalLabel(uint64_t Address, -                                                bool CreatePastEnd) { +MCSymbol *BinaryFunction::getOrCreateLocalLabel(uint64_t Address) {    const uint64_t Offset = Address - getAddress(); -  if ((Offset == getSize()) && CreatePastEnd) -    return getFunctionEndLabel(); -    auto LI = Labels.find(Offset);    if (LI != Labels.end())      return LI->second; @@ -1052,6 +1048,9 @@ MCSymbol *BinaryFunction::getOrCreateLocalLabel(uint64_t Address,        return IslandSym;    } +  if (Offset == getSize()) +    return getFunctionEndLabel(); +    MCSymbol *Label = BC.Ctx->createNamedTempSymbol();    Labels[Offset] = Label; @@ -1994,7 +1993,7 @@ void BinaryFunction::postProcessJumpTables() {        if (IsBuiltinUnreachable) {          BinaryFunction *TargetBF = BC.getBinaryFunctionAtAddress(EntryAddress);          MCSymbol *Label = TargetBF ? TargetBF->getSymbol() -                                   : getOrCreateLocalLabel(EntryAddress, true); +                                   : getOrCreateLocalLabel(EntryAddress);          JT.Entries.push_back(Label);          continue;        } @@ -2005,7 +2004,7 @@ void BinaryFunction::postProcessJumpTables() {            BC.getBinaryFunctionContainingAddress(EntryAddress);        MCSymbol *Label;        if (HasOneParent && TargetBF == this) { -        Label = getOrCreateLocalLabel(EntryAddress, true); +        Label = getOrCreateLocalLabel(EntryAddress);        } else {          const uint64_t Offset = EntryAddress - TargetBF->getAddress();          Label = Offset ? TargetBF->addEntryPointAtOffset(Offset) diff --git a/bolt/lib/Rewrite/RewriteInstance.cpp b/bolt/lib/Rewrite/RewriteInstance.cpp index 6fa66ab..77e5688 100644 --- a/bolt/lib/Rewrite/RewriteInstance.cpp +++ b/bolt/lib/Rewrite/RewriteInstance.cpp @@ -2949,9 +2949,7 @@ void RewriteInstance::handleRelocation(const SectionRef &RelocatedSection,            ReferencedSymbol =                ReferencedBF->addEntryPointAtOffset(RefFunctionOffset);          } else { -          ReferencedSymbol = -              ReferencedBF->getOrCreateLocalLabel(Address, -                                                  /*CreatePastEnd =*/true); +          ReferencedSymbol = ReferencedBF->getOrCreateLocalLabel(Address);            // If ContainingBF != nullptr, it equals ReferencedBF (see            // if-condition above) so we're handling a relocation from a function diff --git a/clang-tools-extra/clang-tidy/bugprone/UnsafeFunctionsCheck.cpp b/clang-tools-extra/clang-tidy/bugprone/UnsafeFunctionsCheck.cpp index 0399af2..61ccd26 100644 --- a/clang-tools-extra/clang-tidy/bugprone/UnsafeFunctionsCheck.cpp +++ b/clang-tools-extra/clang-tidy/bugprone/UnsafeFunctionsCheck.cpp @@ -49,7 +49,7 @@ static StringRef getReplacementFor(StringRef FunctionName,      // Try to find a better replacement from Annex K first.      StringRef AnnexKReplacementFunction =          StringSwitch<StringRef>(FunctionName) -            .Cases("asctime", "asctime_r", "asctime_s") +            .Cases({"asctime", "asctime_r"}, "asctime_s")              .Case("gets", "gets_s")              .Default({});      if (!AnnexKReplacementFunction.empty()) @@ -59,7 +59,7 @@ static StringRef getReplacementFor(StringRef FunctionName,    // FIXME: Some of these functions are available in C++ under "std::", and    // should be matched and suggested.    return StringSwitch<StringRef>(FunctionName) -      .Cases("asctime", "asctime_r", "strftime") +      .Cases({"asctime", "asctime_r"}, "strftime")        .Case("gets", "fgets")        .Case("rewind", "fseek")        .Case("setbuf", "setvbuf"); @@ -90,13 +90,13 @@ static StringRef getReplacementForAdditional(StringRef FunctionName,  /// safer alternative.  static StringRef getRationaleFor(StringRef FunctionName) {    return StringSwitch<StringRef>(FunctionName) -      .Cases("asctime", "asctime_r", "ctime", +      .Cases({"asctime", "asctime_r", "ctime"},               "is not bounds-checking and non-reentrant") -      .Cases("bcmp", "bcopy", "bzero", "is deprecated") -      .Cases("fopen", "freopen", "has no exclusive access to the opened file") +      .Cases({"bcmp", "bcopy", "bzero"}, "is deprecated") +      .Cases({"fopen", "freopen"}, "has no exclusive access to the opened file")        .Case("gets", "is insecure, was deprecated and removed in C11 and C++14")        .Case("getpw", "is dangerous as it may overflow the provided buffer") -      .Cases("rewind", "setbuf", "has no error detection") +      .Cases({"rewind", "setbuf"}, "has no error detection")        .Case("vfork", "is insecure as it can lead to denial of service "                       "situations in the parent process")        .Default("is not bounds-checking"); diff --git a/clang/lib/AST/CommentSema.cpp b/clang/lib/AST/CommentSema.cpp index 649fba9..27ff5ab 100644 --- a/clang/lib/AST/CommentSema.cpp +++ b/clang/lib/AST/CommentSema.cpp @@ -1061,8 +1061,8 @@ InlineCommandRenderKind Sema::getInlineCommandRenderKind(StringRef Name) const {    return llvm::StringSwitch<InlineCommandRenderKind>(Name)        .Case("b", InlineCommandRenderKind::Bold) -      .Cases("c", "p", InlineCommandRenderKind::Monospaced) -      .Cases("a", "e", "em", InlineCommandRenderKind::Emphasized) +      .Cases({"c", "p"}, InlineCommandRenderKind::Monospaced) +      .Cases({"a", "e", "em"}, InlineCommandRenderKind::Emphasized)        .Case("anchor", InlineCommandRenderKind::Anchor)        .Default(InlineCommandRenderKind::Normal);  } diff --git a/clang/lib/Basic/Targets/AArch64.cpp b/clang/lib/Basic/Targets/AArch64.cpp index c2d1bc1..a97e934 100644 --- a/clang/lib/Basic/Targets/AArch64.cpp +++ b/clang/lib/Basic/Targets/AArch64.cpp @@ -811,10 +811,10 @@ bool AArch64TargetInfo::validateCpuSupports(StringRef FeatureStr) const {  bool AArch64TargetInfo::hasFeature(StringRef Feature) const {    return llvm::StringSwitch<bool>(Feature) -      .Cases("aarch64", "arm64", "arm", true) +      .Cases({"aarch64", "arm64", "arm"}, true)        .Case("fmv", HasFMV)        .Case("fp", FPU & FPUMode) -      .Cases("neon", "simd", FPU & NeonMode) +      .Cases({"neon", "simd"}, FPU & NeonMode)        .Case("jscvt", HasJSCVT)        .Case("fcma", HasFCMA)        .Case("rng", HasRandGen) @@ -829,8 +829,8 @@ bool AArch64TargetInfo::hasFeature(StringRef Feature) const {        .Case("cssc", HasCSSC)        .Case("sha2", HasSHA2)        .Case("sha3", HasSHA3) -      .Cases("aes", "pmull", HasAES) -      .Cases("fp16", "fullfp16", HasFullFP16) +      .Cases({"aes", "pmull"}, HasAES) +      .Cases({"fp16", "fullfp16"}, HasFullFP16)        .Case("dit", HasDIT)        .Case("dpb", HasCCPP)        .Case("dpb2", HasCCDP) @@ -859,9 +859,9 @@ bool AArch64TargetInfo::hasFeature(StringRef Feature) const {        .Case("memtag", HasMTE)        .Case("sb", HasSB)        .Case("predres", HasPredRes) -      .Cases("ssbs", "ssbs2", HasSSBS) +      .Cases({"ssbs", "ssbs2"}, HasSSBS)        .Case("bti", HasBTI) -      .Cases("ls64", "ls64_v", "ls64_accdata", HasLS64) +      .Cases({"ls64", "ls64_v", "ls64_accdata"}, HasLS64)        .Case("wfxt", HasWFxT)        .Case("rcpc3", HasRCPC3)        .Case("fp8", HasFP8) diff --git a/clang/lib/Basic/Targets/PPC.h b/clang/lib/Basic/Targets/PPC.h index 9f3a4cd..846b240 100644 --- a/clang/lib/Basic/Targets/PPC.h +++ b/clang/lib/Basic/Targets/PPC.h @@ -122,41 +122,41 @@ public:                .Case("970", ArchDefineName | ArchDefinePwr4 | ArchDefinePpcgr |                                 ArchDefinePpcsq)                .Case("a2", ArchDefineA2) -              .Cases("power3", "pwr3", ArchDefinePpcgr) -              .Cases("power4", "pwr4", +              .Cases({"power3", "pwr3"}, ArchDefinePpcgr) +              .Cases({"power4", "pwr4"},                       ArchDefinePwr4 | ArchDefinePpcgr | ArchDefinePpcsq)                .Cases("power5", "pwr5",                       ArchDefinePwr5 | ArchDefinePwr4 | ArchDefinePpcgr |                           ArchDefinePpcsq) -              .Cases("power5x", "pwr5x", +              .Cases({"power5x", "pwr5x"},                       ArchDefinePwr5x | ArchDefinePwr5 | ArchDefinePwr4 |                           ArchDefinePpcgr | ArchDefinePpcsq) -              .Cases("power6", "pwr6", -                     ArchDefinePwr6 | ArchDefinePwr5x | ArchDefinePwr5 | -                         ArchDefinePwr4 | ArchDefinePpcgr | ArchDefinePpcsq) -              .Cases("power6x", "pwr6x", +              .Cases({"power6", "pwr6"}, ArchDefinePwr6 | ArchDefinePwr5x | +                                             ArchDefinePwr5 | ArchDefinePwr4 | +                                             ArchDefinePpcgr | ArchDefinePpcsq) +              .Cases({"power6x", "pwr6x"},                       ArchDefinePwr6x | ArchDefinePwr6 | ArchDefinePwr5x |                           ArchDefinePwr5 | ArchDefinePwr4 | ArchDefinePpcgr |                           ArchDefinePpcsq) -              .Cases("power7", "pwr7", -                     ArchDefinePwr7 | ArchDefinePwr6 | ArchDefinePwr5x | -                         ArchDefinePwr5 | ArchDefinePwr4 | ArchDefinePpcgr | -                         ArchDefinePpcsq) +              .Cases({"power7", "pwr7"}, ArchDefinePwr7 | ArchDefinePwr6 | +                                             ArchDefinePwr5x | ArchDefinePwr5 | +                                             ArchDefinePwr4 | ArchDefinePpcgr | +                                             ArchDefinePpcsq)                // powerpc64le automatically defaults to at least power8. -              .Cases("power8", "pwr8", "ppc64le", +              .Cases({"power8", "pwr8", "ppc64le"},                       ArchDefinePwr8 | ArchDefinePwr7 | ArchDefinePwr6 |                           ArchDefinePwr5x | ArchDefinePwr5 | ArchDefinePwr4 |                           ArchDefinePpcgr | ArchDefinePpcsq) -              .Cases("power9", "pwr9", +              .Cases({"power9", "pwr9"},                       ArchDefinePwr9 | ArchDefinePwr8 | ArchDefinePwr7 |                           ArchDefinePwr6 | ArchDefinePwr5x | ArchDefinePwr5 |                           ArchDefinePwr4 | ArchDefinePpcgr | ArchDefinePpcsq) -              .Cases("power10", "pwr10", +              .Cases({"power10", "pwr10"},                       ArchDefinePwr10 | ArchDefinePwr9 | ArchDefinePwr8 |                           ArchDefinePwr7 | ArchDefinePwr6 | ArchDefinePwr5x |                           ArchDefinePwr5 | ArchDefinePwr4 | ArchDefinePpcgr |                           ArchDefinePpcsq) -              .Cases("power11", "pwr11", +              .Cases({"power11", "pwr11"},                       ArchDefinePwr11 | ArchDefinePwr10 | ArchDefinePwr9 |                           ArchDefinePwr8 | ArchDefinePwr7 | ArchDefinePwr6 |                           ArchDefinePwr5x | ArchDefinePwr5 | ArchDefinePwr4 | diff --git a/clang/lib/Driver/ToolChains/Arch/Mips.cpp b/clang/lib/Driver/ToolChains/Arch/Mips.cpp index 227c6a0..6a6a4ee 100644 --- a/clang/lib/Driver/ToolChains/Arch/Mips.cpp +++ b/clang/lib/Driver/ToolChains/Arch/Mips.cpp @@ -502,8 +502,8 @@ bool mips::shouldUseFPXX(const ArgList &Args, const llvm::Triple &Triple,    if (Arg *A = Args.getLastArg(options::OPT_mmsa))      if (A->getOption().matches(options::OPT_mmsa))        UseFPXX = llvm::StringSwitch<bool>(CPUName) -                    .Cases("mips32r2", "mips32r3", "mips32r5", false) -                    .Cases("mips64r2", "mips64r3", "mips64r5", false) +                    .Cases({"mips32r2", "mips32r3", "mips32r5"}, false) +                    .Cases({"mips64r2", "mips64r3", "mips64r5"}, false)                      .Default(UseFPXX);    return UseFPXX; diff --git a/clang/lib/Driver/ToolChains/CommonArgs.cpp b/clang/lib/Driver/ToolChains/CommonArgs.cpp index 727af69..ec8dcdc 100644 --- a/clang/lib/Driver/ToolChains/CommonArgs.cpp +++ b/clang/lib/Driver/ToolChains/CommonArgs.cpp @@ -663,11 +663,11 @@ static std::string getAMDGPUTargetGPU(const llvm::Triple &T,    if (Arg *A = Args.getLastArg(options::OPT_mcpu_EQ)) {      auto GPUName = getProcessorFromTargetID(T, A->getValue());      return llvm::StringSwitch<std::string>(GPUName) -        .Cases("rv630", "rv635", "r600") -        .Cases("rv610", "rv620", "rs780", "rs880") +        .Cases({"rv630", "rv635"}, "r600") +        .Cases({"rv610", "rv620", "rs780"}, "rs880")          .Case("rv740", "rv770")          .Case("palm", "cedar") -        .Cases("sumo", "sumo2", "sumo") +        .Cases({"sumo", "sumo2"}, "sumo")          .Case("hemlock", "cypress")          .Case("aruba", "cayman")          .Default(GPUName.str()); diff --git a/clang/lib/Frontend/CompilerInvocation.cpp b/clang/lib/Frontend/CompilerInvocation.cpp index d2cb751..bd36eb4 100644 --- a/clang/lib/Frontend/CompilerInvocation.cpp +++ b/clang/lib/Frontend/CompilerInvocation.cpp @@ -3214,7 +3214,7 @@ static bool ParseFrontendArgs(FrontendOptions &Opts, ArgList &Args,        DashX = llvm::StringSwitch<InputKind>(XValue)                    .Case("cpp-output", InputKind(Language::C).getPreprocessed())                    .Case("assembler-with-cpp", Language::Asm) -                  .Cases("ast", "pcm", "precompiled-header", +                  .Cases({"ast", "pcm", "precompiled-header"},                           InputKind(Language::Unknown, InputKind::Precompiled))                    .Case("ir", Language::LLVM_IR)                    .Case("cir", Language::CIR) diff --git a/clang/lib/Lex/LiteralSupport.cpp b/clang/lib/Lex/LiteralSupport.cpp index 5b08d7f..1c06152 100644 --- a/clang/lib/Lex/LiteralSupport.cpp +++ b/clang/lib/Lex/LiteralSupport.cpp @@ -1283,10 +1283,10 @@ bool NumericLiteralParser::isValidUDSuffix(const LangOptions &LangOpts,    // Per tweaked N3660, "il", "i", and "if" are also used in the library.    // In C++2a "d" and "y" are used in the library.    return llvm::StringSwitch<bool>(Suffix) -      .Cases("h", "min", "s", true) -      .Cases("ms", "us", "ns", true) -      .Cases("il", "i", "if", true) -      .Cases("d", "y", LangOpts.CPlusPlus20) +      .Cases({"h", "min", "s"}, true) +      .Cases({"ms", "us", "ns"}, true) +      .Cases({"il", "i", "if"}, true) +      .Cases({"d", "y"}, LangOpts.CPlusPlus20)        .Default(false);  } diff --git a/clang/lib/StaticAnalyzer/Checkers/MacOSXAPIChecker.cpp b/clang/lib/StaticAnalyzer/Checkers/MacOSXAPIChecker.cpp index 40985f4..6439e6c 100644 --- a/clang/lib/StaticAnalyzer/Checkers/MacOSXAPIChecker.cpp +++ b/clang/lib/StaticAnalyzer/Checkers/MacOSXAPIChecker.cpp @@ -151,12 +151,10 @@ void MacOSXAPIChecker::checkPreStmt(const CallExpr *CE,      return;    SubChecker SC = -    llvm::StringSwitch<SubChecker>(Name) -      .Cases("dispatch_once", -             "_dispatch_once", -             "dispatch_once_f", -             &MacOSXAPIChecker::CheckDispatchOnce) -      .Default(nullptr); +      llvm::StringSwitch<SubChecker>(Name) +          .Cases({"dispatch_once", "_dispatch_once", "dispatch_once_f"}, +                 &MacOSXAPIChecker::CheckDispatchOnce) +          .Default(nullptr);    if (SC)      (this->*SC)(C, CE, Name); diff --git a/clang/test/Driver/config-file3.c b/clang/test/Driver/config-file3.c index f359e02..c9b26763 100644 --- a/clang/test/Driver/config-file3.c +++ b/clang/test/Driver/config-file3.c @@ -1,9 +1,5 @@  // Needs symlinks  // UNSUPPORTED: system-windows -// env -u is not supported on AIX. -// TODO(boomanaiden154): Remove this once we have switched over to lit's -// internal shell which does support env -u. -// UNSUPPORTED: target={{.*}}-zos{{.*}}, target={{.*}}-aix{{.*}}  // REQUIRES: x86-registered-target  // RUN: rm -rf %t && mkdir %t diff --git a/clang/test/Driver/config-zos.c b/clang/test/Driver/config-zos.c index a21753e..055c4c9 100644 --- a/clang/test/Driver/config-zos.c +++ b/clang/test/Driver/config-zos.c @@ -1,9 +1,5 @@  // Needs symlinks  // UNSUPPORTED: system-windows -// env -u is not supported on AIX. -// TODO(boomanaiden154): Remove this once we have switched over to lit's -// internal shell which does support env -u. -// UNSUPPORTED: target={{.*}}-zos{{.*}}, target={{.*}}-aix{{.*}}  // REQUIRES: systemz-registered-target  // RUN: rm -rf %t && mkdir %t diff --git a/clang/test/Driver/config-zos1.c b/clang/test/Driver/config-zos1.c index 9dd6f55..cf4f13b 100644 --- a/clang/test/Driver/config-zos1.c +++ b/clang/test/Driver/config-zos1.c @@ -1,8 +1,4 @@  // UNSUPPORTED: system-windows -// env -u is not supported on AIX. -// TODO(boomanaiden154): Remove this once we have switched over to lit's -// internal shell which does support env -u. -// UNSUPPORTED: target={{.*}}-zos{{.*}}, target={{.*}}-aix{{.*}}  // REQUIRES: systemz-registered-target  // RUN: export CLANG_CONFIG_PATH=%S/Inputs/config-zos diff --git a/clang/test/Modules/crash-vfs-path-symlink-component.m b/clang/test/Modules/crash-vfs-path-symlink-component.m index 45a6865..4cc4467 100644 --- a/clang/test/Modules/crash-vfs-path-symlink-component.m +++ b/clang/test/Modules/crash-vfs-path-symlink-component.m @@ -1,9 +1,5 @@  // Needs symlinks  // UNSUPPORTED: system-windows -// env -u is not supported on AIX. -// TODO(boomanaiden154): Remove this once we have switched over to lit's -// internal shell which does support env -u. -// UNSUPPORTED: target={{.*}}-zos{{.*}}, target={{.*}}-aix{{.*}}  // REQUIRES: crash-recovery  // FIXME: This XFAIL is cargo-culted from crash-report.c. Do we need it? diff --git a/clang/test/Modules/crash-vfs-path-traversal.m b/clang/test/Modules/crash-vfs-path-traversal.m index 8ab2475..680cda3 100644 --- a/clang/test/Modules/crash-vfs-path-traversal.m +++ b/clang/test/Modules/crash-vfs-path-traversal.m @@ -2,10 +2,6 @@  // UNSUPPORTED: ms-sdk, target={{.*-(ps4|ps5)}}  // Some assertions in this test use Linux style (/) file paths.  // UNSUPPORTED: system-windows -// env -u is not supported on AIX. -// TODO(boomanaiden154): Remove this once we have switched over to lit's -// internal shell which does support env -u. -// UNSUPPORTED: target={{.*}}-zos{{.*}}, target={{.*}}-aix{{.*}}  // FIXME: Canonicalizing paths to remove relative traversal components  // currenty fails a unittest on windows and is disable by default. diff --git a/clang/test/Modules/crash-vfs-relative-overlay.m b/clang/test/Modules/crash-vfs-relative-overlay.m index 048c65b..3684924 100644 --- a/clang/test/Modules/crash-vfs-relative-overlay.m +++ b/clang/test/Modules/crash-vfs-relative-overlay.m @@ -1,9 +1,5 @@  // UNSUPPORTED: system-windows  // REQUIRES: crash-recovery -// env -u is not supported on AIX. -// TODO(boomanaiden154): Remove this once we have switched over to lit's -// internal shell which does support env -u. -// UNSUPPORTED: target={{.*}}-zos{{.*}}, target={{.*}}-aix{{.*}}  // FIXME: This XFAIL is cargo-culted from crash-report.c. Do we need it?  // XFAIL: target={{.*-windows-gnu}} diff --git a/clang/unittests/Driver/MultilibBuilderTest.cpp b/clang/unittests/Driver/MultilibBuilderTest.cpp index 0c1e806..ebcbee7 100644 --- a/clang/unittests/Driver/MultilibBuilderTest.cpp +++ b/clang/unittests/Driver/MultilibBuilderTest.cpp @@ -61,7 +61,7 @@ TEST(MultilibBuilderTest, Construction3) {        MultilibBuilder().flag("-f1").flag("-f2").flag("-f3", /*Disallow=*/true);    for (const std::string &A : M.flags()) {      ASSERT_TRUE(llvm::StringSwitch<bool>(A) -                    .Cases("-f1", "-f2", "!f3", true) +                    .Cases({"-f1", "-f2", "!f3"}, true)                      .Default(false));    }  } diff --git a/clang/unittests/Driver/MultilibTest.cpp b/clang/unittests/Driver/MultilibTest.cpp index 4c11e6a..ebb8611 100644 --- a/clang/unittests/Driver/MultilibTest.cpp +++ b/clang/unittests/Driver/MultilibTest.cpp @@ -131,7 +131,7 @@ TEST(MultilibTest, Construction3) {                                              E = M.flags().end();         I != E; ++I) {      ASSERT_TRUE(llvm::StringSwitch<bool>(*I) -                    .Cases("+f1", "+f2", "-f3", true) +                    .Cases({"+f1", "+f2", "-f3"}, true)                      .Default(false));    }  } diff --git a/compiler-rt/CMakeLists.txt b/compiler-rt/CMakeLists.txt index 5931b60..a9e8899 100644 --- a/compiler-rt/CMakeLists.txt +++ b/compiler-rt/CMakeLists.txt @@ -315,7 +315,7 @@ include(config-ix)  # Setup Compiler Flags  #================================ -# fcf-protection is a gcc/clang option for CET support on Linux platforms. +# fcf-protection is a gcc/clang option for CET support on some ELF platforms.  # We need to handle MSVC CET option on Windows platforms.  if (NOT MSVC)    if (COMPILER_RT_ENABLE_CET AND NOT COMPILER_RT_HAS_FCF_PROTECTION_FLAG) diff --git a/compiler-rt/lib/builtins/assembly.h b/compiler-rt/lib/builtins/assembly.h index ac119af..368cbaf 100644 --- a/compiler-rt/lib/builtins/assembly.h +++ b/compiler-rt/lib/builtins/assembly.h @@ -14,7 +14,7 @@  #ifndef COMPILERRT_ASSEMBLY_H  #define COMPILERRT_ASSEMBLY_H -#if defined(__linux__) && defined(__CET__) +#ifdef __CET__  #if __has_include(<cet.h>)  #include <cet.h>  #endif diff --git a/libunwind/src/assembly.h b/libunwind/src/assembly.h index f8e83e1..f0fcd00 100644 --- a/libunwind/src/assembly.h +++ b/libunwind/src/assembly.h @@ -15,7 +15,7 @@  #ifndef UNWIND_ASSEMBLY_H  #define UNWIND_ASSEMBLY_H -#if defined(__linux__) && defined(__CET__) +#if defined(__CET__)  #include <cet.h>  #define _LIBUNWIND_CET_ENDBR _CET_ENDBR  #else diff --git a/libunwind/src/shadow_stack_unwind.h b/libunwind/src/shadow_stack_unwind.h index 1f229d8..b00ca2c 100644 --- a/libunwind/src/shadow_stack_unwind.h +++ b/libunwind/src/shadow_stack_unwind.h @@ -12,8 +12,8 @@  #include "libunwind.h" -// Currently, CET is implemented on Linux x86 platforms. -#if defined(_LIBUNWIND_TARGET_LINUX) && defined(__CET__) && defined(__SHSTK__) +// Currently, CET is implemented on some ELF x86 platforms. +#if defined(__CET__) && defined(__SHSTK__)  #define _LIBUNWIND_USE_CET 1  #endif diff --git a/lld/Common/DriverDispatcher.cpp b/lld/Common/DriverDispatcher.cpp index 7c5f1cd..0b71c08 100644 --- a/lld/Common/DriverDispatcher.cpp +++ b/lld/Common/DriverDispatcher.cpp @@ -30,10 +30,10 @@ static void err(const Twine &s) { llvm::errs() << s << "\n"; }  static Flavor getFlavor(StringRef s) {    return StringSwitch<Flavor>(s) -      .CasesLower("ld", "ld.lld", "gnu", Gnu) -      .CasesLower("wasm", "ld-wasm", Wasm) +      .CasesLower({"ld", "ld.lld", "gnu"}, Gnu) +      .CasesLower({"wasm", "ld-wasm"}, Wasm)        .CaseLower("link", WinLink) -      .CasesLower("ld64", "ld64.lld", "darwin", Darwin) +      .CasesLower({"ld64", "ld64.lld", "darwin"}, Darwin)        .Default(Invalid);  } diff --git a/lldb/cmake/modules/FindLuaAndSwig.cmake b/lldb/cmake/modules/FindLuaAndSwig.cmake index 33fadb2..c5df29e 100644 --- a/lldb/cmake/modules/FindLuaAndSwig.cmake +++ b/lldb/cmake/modules/FindLuaAndSwig.cmake @@ -34,6 +34,7 @@ else()                                      FOUND_VAR                                        LUAANDSWIG_FOUND                                      REQUIRED_VARS +                                      LUA_EXECUTABLE                                        LUA_LIBRARIES                                        LUA_INCLUDE_DIR                                        LUA_VERSION_MINOR diff --git a/lldb/source/Host/common/File.cpp b/lldb/source/Host/common/File.cpp index 1272f13..65b75bd 100644 --- a/lldb/source/Host/common/File.cpp +++ b/lldb/source/Host/common/File.cpp @@ -81,18 +81,17 @@ File::GetStreamOpenModeFromOptions(File::OpenOptions options) {  Expected<File::OpenOptions> File::GetOptionsFromMode(llvm::StringRef mode) {    OpenOptions opts =        llvm::StringSwitch<OpenOptions>(mode) -          .Cases("r", "rb", eOpenOptionReadOnly) -          .Cases("w", "wb", eOpenOptionWriteOnly) -          .Cases("a", "ab", -                 eOpenOptionWriteOnly | eOpenOptionAppend | -                 eOpenOptionCanCreate) -          .Cases("r+", "rb+", "r+b", eOpenOptionReadWrite) -          .Cases("w+", "wb+", "w+b", -                 eOpenOptionReadWrite | eOpenOptionCanCreate | -                 eOpenOptionTruncate) -          .Cases("a+", "ab+", "a+b", -                 eOpenOptionReadWrite | eOpenOptionAppend | -                     eOpenOptionCanCreate) +          .Cases({"r", "rb"}, eOpenOptionReadOnly) +          .Cases({"w", "wb"}, eOpenOptionWriteOnly) +          .Cases({"a", "ab"}, eOpenOptionWriteOnly | eOpenOptionAppend | +                                  eOpenOptionCanCreate) +          .Cases({"r+", "rb+", "r+b"}, eOpenOptionReadWrite) +          .Cases({"w+", "wb+", "w+b"}, eOpenOptionReadWrite | +                                           eOpenOptionCanCreate | +                                           eOpenOptionTruncate) +          .Cases({"a+", "ab+", "a+b"}, eOpenOptionReadWrite | +                                           eOpenOptionAppend | +                                           eOpenOptionCanCreate)            .Default(eOpenOptionInvalid);    if (opts != eOpenOptionInvalid)      return opts; diff --git a/lldb/source/Host/common/Socket.cpp b/lldb/source/Host/common/Socket.cpp index bc3d849..eb333f7 100644 --- a/lldb/source/Host/common/Socket.cpp +++ b/lldb/source/Host/common/Socket.cpp @@ -500,13 +500,13 @@ Socket::GetProtocolAndMode(llvm::StringRef scheme) {    return llvm::StringSwitch<std::optional<ProtocolModePair>>(scheme)        .Case("listen", ProtocolModePair{SocketProtocol::ProtocolTcp,                                         SocketMode::ModeAccept}) -      .Cases("accept", "unix-accept", +      .Cases({"accept", "unix-accept"},               ProtocolModePair{SocketProtocol::ProtocolUnixDomain,                                SocketMode::ModeAccept})        .Case("unix-abstract-accept",              ProtocolModePair{SocketProtocol::ProtocolUnixAbstract,                               SocketMode::ModeAccept}) -      .Cases("connect", "tcp-connect", "connection", +      .Cases({"connect", "tcp-connect", "connection"},               ProtocolModePair{SocketProtocol::ProtocolTcp,                                SocketMode::ModeConnect})        .Case("udp", ProtocolModePair{SocketProtocol::ProtocolTcp, diff --git a/lldb/test/API/lua_api/TestLuaAPI.py b/lldb/test/API/lua_api/TestLuaAPI.py index 4ac795d..e78ed9d 100644 --- a/lldb/test/API/lua_api/TestLuaAPI.py +++ b/lldb/test/API/lua_api/TestLuaAPI.py @@ -158,7 +158,9 @@ class TestLuaAPI(TestBase):          return tests      def test_lua_api(self): -        if "LUA_EXECUTABLE" not in os.environ or len(os.environ["LUA_EXECUTABLE"]) == 0: +        if "LUA_EXECUTABLE" not in os.environ or not os.path.exists( +            os.environ["LUA_EXECUTABLE"] +        ):              self.skipTest("Lua API tests could not find Lua executable.")              return          lua_executable = os.environ["LUA_EXECUTABLE"] diff --git a/llvm/docs/Reference.rst b/llvm/docs/Reference.rst index 9b1bf1b..212aefa 100644 --- a/llvm/docs/Reference.rst +++ b/llvm/docs/Reference.rst @@ -250,3 +250,7 @@ Additional Topics  :doc:`ContentAddressableStorage`     A reference guide for using LLVM's CAS library. + +:doc:`CIBestPractices` +   A list of guidelines and best practices to use when working on LLVM's +   CI systems. diff --git a/llvm/include/llvm/ADT/RadixTree.h b/llvm/include/llvm/ADT/RadixTree.h index a65acdd..9e2ab97 100644 --- a/llvm/include/llvm/ADT/RadixTree.h +++ b/llvm/include/llvm/ADT/RadixTree.h @@ -19,7 +19,6 @@  #include <cassert>  #include <cstddef>  #include <iterator> -#include <limits>  #include <list>  #include <utility>  #include <vector> diff --git a/llvm/include/llvm/ADT/ScopedHashTable.h b/llvm/include/llvm/ADT/ScopedHashTable.h index 78d4df7..97d1546 100644 --- a/llvm/include/llvm/ADT/ScopedHashTable.h +++ b/llvm/include/llvm/ADT/ScopedHashTable.h @@ -151,8 +151,8 @@ class ScopedHashTable : detail::AllocatorHolder<AllocatorTy> {    using AllocTy = detail::AllocatorHolder<AllocatorTy>;  public: -  /// ScopeTy - This is a helpful typedef that allows clients to get easy access -  /// to the name of the scope for this hash table. +  /// ScopeTy - A type alias for easy access to the name of the scope for this +  /// hash table.    using ScopeTy = ScopedHashTableScope<K, V, KInfo, AllocatorTy>;    using size_type = unsigned; diff --git a/llvm/include/llvm/ADT/StringSwitch.h b/llvm/include/llvm/ADT/StringSwitch.h index 2262b11..98685de 100644 --- a/llvm/include/llvm/ADT/StringSwitch.h +++ b/llvm/include/llvm/ADT/StringSwitch.h @@ -93,6 +93,7 @@ public:      return CasesImpl({S0, S1}, Value);    } +  [[deprecated("Pass cases in std::initializer_list instead")]]    StringSwitch &Cases(StringLiteral S0, StringLiteral S1, StringLiteral S2,                        T Value) {      return CasesImpl({S0, S1, S2}, Value); @@ -176,6 +177,7 @@ public:      return CasesLowerImpl({S0, S1}, Value);    } +  [[deprecated("Pass cases in std::initializer_list instead")]]    StringSwitch &CasesLower(StringLiteral S0, StringLiteral S1, StringLiteral S2,                             T Value) {      return CasesLowerImpl({S0, S1, S2}, Value); diff --git a/llvm/include/llvm/DebugInfo/DWARF/DWARFAbbreviationDeclaration.h b/llvm/include/llvm/DebugInfo/DWARF/DWARFAbbreviationDeclaration.h index 547d92c..451c438 100644 --- a/llvm/include/llvm/DebugInfo/DWARF/DWARFAbbreviationDeclaration.h +++ b/llvm/include/llvm/DebugInfo/DWARF/DWARFAbbreviationDeclaration.h @@ -102,9 +102,7 @@ public:    using attr_iterator_range =        iterator_range<AttributeSpecVector::const_iterator>; -  attr_iterator_range attributes() const { -    return attr_iterator_range(AttributeSpecs.begin(), AttributeSpecs.end()); -  } +  attr_iterator_range attributes() const { return AttributeSpecs; }    dwarf::Form getFormByIndex(uint32_t idx) const {      assert(idx < AttributeSpecs.size()); diff --git a/llvm/include/llvm/DebugInfo/DWARF/DWARFDebugFrame.h b/llvm/include/llvm/DebugInfo/DWARF/DWARFDebugFrame.h index 6518991..c1d9be7 100644 --- a/llvm/include/llvm/DebugInfo/DWARF/DWARFDebugFrame.h +++ b/llvm/include/llvm/DebugInfo/DWARF/DWARFDebugFrame.h @@ -226,9 +226,7 @@ public:    /// DWARF Frame entries accessors    iterator begin() const { return Entries.begin(); }    iterator end() const { return Entries.end(); } -  iterator_range<iterator> entries() const { -    return iterator_range<iterator>(Entries.begin(), Entries.end()); -  } +  iterator_range<iterator> entries() const { return Entries; }    uint64_t getEHFrameAddress() const { return EHFrameAddress; }  }; diff --git a/llvm/include/llvm/DebugInfo/DWARF/DWARFUnit.h b/llvm/include/llvm/DebugInfo/DWARF/DWARFUnit.h index 964ff8e..7f9bf12 100644 --- a/llvm/include/llvm/DebugInfo/DWARF/DWARFUnit.h +++ b/llvm/include/llvm/DebugInfo/DWARF/DWARFUnit.h @@ -563,7 +563,7 @@ public:    die_iterator_range dies() {      extractDIEsIfNeeded(false); -    return die_iterator_range(DieArray.begin(), DieArray.end()); +    return DieArray;    }    virtual void dump(raw_ostream &OS, DIDumpOptions DumpOpts) = 0; diff --git a/llvm/include/llvm/IR/DebugInfo.h b/llvm/include/llvm/IR/DebugInfo.h index 220e4c1..33e6df0 100644 --- a/llvm/include/llvm/IR/DebugInfo.h +++ b/llvm/include/llvm/IR/DebugInfo.h @@ -140,25 +140,17 @@ public:    using type_iterator = SmallVectorImpl<DIType *>::const_iterator;    using scope_iterator = SmallVectorImpl<DIScope *>::const_iterator; -  iterator_range<compile_unit_iterator> compile_units() const { -    return make_range(CUs.begin(), CUs.end()); -  } +  iterator_range<compile_unit_iterator> compile_units() const { return CUs; } -  iterator_range<subprogram_iterator> subprograms() const { -    return make_range(SPs.begin(), SPs.end()); -  } +  iterator_range<subprogram_iterator> subprograms() const { return SPs; }    iterator_range<global_variable_expression_iterator> global_variables() const { -    return make_range(GVs.begin(), GVs.end()); +    return GVs;    } -  iterator_range<type_iterator> types() const { -    return make_range(TYs.begin(), TYs.end()); -  } +  iterator_range<type_iterator> types() const { return TYs; } -  iterator_range<scope_iterator> scopes() const { -    return make_range(Scopes.begin(), Scopes.end()); -  } +  iterator_range<scope_iterator> scopes() const { return Scopes; }    unsigned compile_unit_count() const { return CUs.size(); }    unsigned global_variable_count() const { return GVs.size(); } diff --git a/llvm/include/llvm/Object/DXContainer.h b/llvm/include/llvm/Object/DXContainer.h index 5a5a4db..c5888b8 100644 --- a/llvm/include/llvm/Object/DXContainer.h +++ b/llvm/include/llvm/Object/DXContainer.h @@ -245,10 +245,10 @@ public:    uint32_t getStaticSamplersOffset() const { return StaticSamplersOffset; }    uint32_t getNumRootParameters() const { return ParametersHeaders.size(); }    llvm::iterator_range<param_header_iterator> param_headers() const { -    return llvm::make_range(ParametersHeaders.begin(), ParametersHeaders.end()); +    return ParametersHeaders;    }    llvm::iterator_range<samplers_iterator> samplers() const { -    return llvm::make_range(StaticSamplers.begin(), StaticSamplers.end()); +    return StaticSamplers;    }    uint32_t getFlags() const { return Flags; } diff --git a/llvm/include/llvm/Object/MachO.h b/llvm/include/llvm/Object/MachO.h index 3f4a21d..01e7c6b 100644 --- a/llvm/include/llvm/Object/MachO.h +++ b/llvm/include/llvm/Object/MachO.h @@ -121,9 +121,7 @@ private:    NodeList Stack;    bool Done = false; -  iterator_range<node_iterator> nodes() const { -    return make_range(Stack.begin(), Stack.end()); -  } +  iterator_range<node_iterator> nodes() const { return Stack; }  };  using export_iterator = content_iterator<ExportEntry>; diff --git a/llvm/include/llvm/Remarks/RemarkLinker.h b/llvm/include/llvm/Remarks/RemarkLinker.h index 67208f4..2d98f2d 100644 --- a/llvm/include/llvm/Remarks/RemarkLinker.h +++ b/llvm/include/llvm/Remarks/RemarkLinker.h @@ -101,9 +101,7 @@ public:    /// for (const Remark &R : RL.remarks() { [...] }    using iterator = pointee_iterator<decltype(Remarks)::const_iterator>; -  iterator_range<iterator> remarks() const { -    return {Remarks.begin(), Remarks.end()}; -  } +  iterator_range<iterator> remarks() const { return Remarks; }  };  /// Returns a buffer with the contents of the remarks section depending on the diff --git a/llvm/include/llvm/Support/DataExtractor.h b/llvm/include/llvm/Support/DataExtractor.h index 3792f53..f1710b9 100644 --- a/llvm/include/llvm/Support/DataExtractor.h +++ b/llvm/include/llvm/Support/DataExtractor.h @@ -19,12 +19,8 @@ namespace llvm {  /// An auxiliary type to facilitate extraction of 3-byte entities.  struct Uint24 {    uint8_t Bytes[3]; -  Uint24(uint8_t U) { -    Bytes[0] = Bytes[1] = Bytes[2] = U; -  } -  Uint24(uint8_t U0, uint8_t U1, uint8_t U2) { -    Bytes[0] = U0; Bytes[1] = U1; Bytes[2] = U2; -  } +  Uint24(uint8_t U) : Bytes{U, U, U} {} +  Uint24(uint8_t U0, uint8_t U1, uint8_t U2) : Bytes{U0, U1, U2} {}    uint32_t getAsUint32(bool IsLittleEndian) const {      int LoIx = IsLittleEndian ? 0 : 2;      return Bytes[LoIx] + (Bytes[1] << 8) + (Bytes[2-LoIx] << 16); diff --git a/llvm/include/llvm/TextAPI/SymbolSet.h b/llvm/include/llvm/TextAPI/SymbolSet.h index 22f4124..c97d7a1 100644 --- a/llvm/include/llvm/TextAPI/SymbolSet.h +++ b/llvm/include/llvm/TextAPI/SymbolSet.h @@ -139,18 +139,14 @@ public:        iterator_range<const_filtered_symbol_iterator>;    // Range that contains all symbols. -  const_symbol_range symbols() const { -    return {Symbols.begin(), Symbols.end()}; -  } +  const_symbol_range symbols() const { return Symbols; }    // Range that contains all defined and exported symbols.    const_filtered_symbol_range exports() const {      std::function<bool(const Symbol *)> fn = [](const Symbol *Symbol) {        return !Symbol->isUndefined() && !Symbol->isReexported();      }; -    return make_filter_range( -        make_range<const_symbol_iterator>({Symbols.begin()}, {Symbols.end()}), -        fn); +    return make_filter_range(symbols(), fn);    }    // Range that contains all reexported symbols. @@ -158,9 +154,7 @@ public:      std::function<bool(const Symbol *)> fn = [](const Symbol *Symbol) {        return Symbol->isReexported();      }; -    return make_filter_range( -        make_range<const_symbol_iterator>({Symbols.begin()}, {Symbols.end()}), -        fn); +    return make_filter_range(symbols(), fn);    }    // Range that contains all undefined and exported symbols. @@ -168,9 +162,7 @@ public:      std::function<bool(const Symbol *)> fn = [](const Symbol *Symbol) {        return Symbol->isUndefined();      }; -    return make_filter_range( -        make_range<const_symbol_iterator>({Symbols.begin()}, {Symbols.end()}), -        fn); +    return make_filter_range(symbols(), fn);    }    LLVM_ABI bool operator==(const SymbolSet &O) const; diff --git a/llvm/lib/Analysis/InstructionSimplify.cpp b/llvm/lib/Analysis/InstructionSimplify.cpp index 8da51d0..2a0a6a2 100644 --- a/llvm/lib/Analysis/InstructionSimplify.cpp +++ b/llvm/lib/Analysis/InstructionSimplify.cpp @@ -4866,6 +4866,89 @@ static Value *simplifySelectWithFCmp(Value *Cond, Value *T, Value *F,    return nullptr;  } +/// Look for the following pattern and simplify %to_fold to %identicalPhi. +/// Here %phi, %to_fold and %phi.next perform the same functionality as +/// %identicalPhi and hence the select instruction %to_fold can be folded +/// into %identicalPhi. +/// +/// BB1: +///   %identicalPhi = phi [ X, %BB0 ], [ %identicalPhi.next, %BB1 ] +///   %phi = phi [ X, %BB0 ], [ %phi.next, %BB1 ] +///   ... +///   %identicalPhi.next = select %cmp, %val, %identicalPhi +///                      (or select %cmp, %identicalPhi, %val) +///   %to_fold = select %cmp2, %identicalPhi, %phi +///   %phi.next = select %cmp, %val, %to_fold +///             (or select %cmp, %to_fold, %val) +/// +/// Prove that %phi and %identicalPhi are the same by induction: +/// +/// Base case: Both %phi and %identicalPhi are equal on entry to the loop. +/// Inductive case: +/// Suppose %phi and %identicalPhi are equal at iteration i. +/// We look at their values at iteration i+1 which are %phi.next and +/// %identicalPhi.next. They would have become different only when %cmp is +/// false and the corresponding values %to_fold and %identicalPhi differ +/// (similar reason for the other "or" case in the bracket). +/// +/// The only condition when %to_fold and %identicalPh could differ is when %cmp2 +/// is false and %to_fold is %phi, which contradicts our inductive hypothesis +/// that %phi and %identicalPhi are equal. Thus %phi and %identicalPhi are +/// always equal at iteration i+1. +bool isSelectWithIdenticalPHI(PHINode &PN, PHINode &IdenticalPN) { +  if (PN.getParent() != IdenticalPN.getParent()) +    return false; +  if (PN.getNumIncomingValues() != 2) +    return false; + +  // Check that only the backedge incoming value is different. +  unsigned DiffVals = 0; +  BasicBlock *DiffValBB = nullptr; +  for (unsigned i = 0; i < 2; i++) { +    BasicBlock *PredBB = PN.getIncomingBlock(i); +    if (PN.getIncomingValue(i) != +        IdenticalPN.getIncomingValueForBlock(PredBB)) { +      DiffVals++; +      DiffValBB = PredBB; +    } +  } +  if (DiffVals != 1) +    return false; +  // Now check that the backedge incoming values are two select +  // instructions with the same condition. Either their true +  // values are the same, or their false values are the same. +  auto *SI = dyn_cast<SelectInst>(PN.getIncomingValueForBlock(DiffValBB)); +  auto *IdenticalSI = +      dyn_cast<SelectInst>(IdenticalPN.getIncomingValueForBlock(DiffValBB)); +  if (!SI || !IdenticalSI) +    return false; +  if (SI->getCondition() != IdenticalSI->getCondition()) +    return false; + +  SelectInst *SIOtherVal = nullptr; +  Value *IdenticalSIOtherVal = nullptr; +  if (SI->getTrueValue() == IdenticalSI->getTrueValue()) { +    SIOtherVal = dyn_cast<SelectInst>(SI->getFalseValue()); +    IdenticalSIOtherVal = IdenticalSI->getFalseValue(); +  } else if (SI->getFalseValue() == IdenticalSI->getFalseValue()) { +    SIOtherVal = dyn_cast<SelectInst>(SI->getTrueValue()); +    IdenticalSIOtherVal = IdenticalSI->getTrueValue(); +  } else { +    return false; +  } + +  // Now check that the other values in select, i.e., %to_fold and +  // %identicalPhi, are essentially the same value. +  if (!SIOtherVal || IdenticalSIOtherVal != &IdenticalPN) +    return false; +  if (!(SIOtherVal->getTrueValue() == &IdenticalPN && +        SIOtherVal->getFalseValue() == &PN) && +      !(SIOtherVal->getTrueValue() == &PN && +        SIOtherVal->getFalseValue() == &IdenticalPN)) +    return false; +  return true; +} +  /// Given operands for a SelectInst, see if we can fold the result.  /// If not, this returns null.  static Value *simplifySelectInst(Value *Cond, Value *TrueVal, Value *FalseVal, @@ -5041,7 +5124,14 @@ static Value *simplifySelectInst(Value *Cond, Value *TrueVal, Value *FalseVal,    std::optional<bool> Imp = isImpliedByDomCondition(Cond, Q.CxtI, Q.DL);    if (Imp)      return *Imp ? TrueVal : FalseVal; - +  // Look for same PHIs in the true and false values. +  if (auto *TruePHI = dyn_cast<PHINode>(TrueVal)) +    if (auto *FalsePHI = dyn_cast<PHINode>(FalseVal)) { +      if (isSelectWithIdenticalPHI(*TruePHI, *FalsePHI)) +        return FalseVal; +      if (isSelectWithIdenticalPHI(*FalsePHI, *TruePHI)) +        return TrueVal; +    }    return nullptr;  } diff --git a/llvm/lib/CodeGen/TargetOptionsImpl.cpp b/llvm/lib/CodeGen/TargetOptionsImpl.cpp index 049efe8..c33bf8b 100644 --- a/llvm/lib/CodeGen/TargetOptionsImpl.cpp +++ b/llvm/lib/CodeGen/TargetOptionsImpl.cpp @@ -44,7 +44,7 @@ bool TargetOptions::FramePointerIsReserved(const MachineFunction &MF) const {      return false;    return StringSwitch<bool>(FPAttr.getValueAsString()) -      .Cases("all", "non-leaf", "reserved", true) +      .Cases({"all", "non-leaf", "reserved"}, true)        .Case("none", false);  } diff --git a/llvm/lib/IR/DebugProgramInstruction.cpp b/llvm/lib/IR/DebugProgramInstruction.cpp index 2b9b0f9..d9357bb 100644 --- a/llvm/lib/IR/DebugProgramInstruction.cpp +++ b/llvm/lib/IR/DebugProgramInstruction.cpp @@ -665,11 +665,11 @@ void DbgMarker::eraseFromParent() {  }  iterator_range<DbgRecord::self_iterator> DbgMarker::getDbgRecordRange() { -  return make_range(StoredDbgRecords.begin(), StoredDbgRecords.end()); +  return StoredDbgRecords;  }  iterator_range<DbgRecord::const_self_iterator>  DbgMarker::getDbgRecordRange() const { -  return make_range(StoredDbgRecords.begin(), StoredDbgRecords.end()); +  return StoredDbgRecords;  }  void DbgRecord::removeFromParent() { diff --git a/llvm/lib/MC/MCParser/AsmLexer.cpp b/llvm/lib/MC/MCParser/AsmLexer.cpp index 968ccf7..a6188f0 100644 --- a/llvm/lib/MC/MCParser/AsmLexer.cpp +++ b/llvm/lib/MC/MCParser/AsmLexer.cpp @@ -835,7 +835,14 @@ AsmToken AsmLexer::LexToken() {    }    if (isAtStartOfComment(TokStart)) { -    CurPtr += MAI.getCommentString().size() - 1; +    StringRef CommentString = MAI.getCommentString(); +    // For multi-char comment strings, advance CurPtr only if we matched the +    // full string. This stops us from accidentally eating the newline if the +    // current line ends in a single comment char. +    if (CommentString.size() > 1 && +        StringRef(TokStart, CommentString.size()) == CommentString) { +      CurPtr += CommentString.size() - 1; +    }      return LexLineComment();    } diff --git a/llvm/lib/MC/MCParser/MasmParser.cpp b/llvm/lib/MC/MCParser/MasmParser.cpp index d4901d9..8a8f111 100644 --- a/llvm/lib/MC/MCParser/MasmParser.cpp +++ b/llvm/lib/MC/MCParser/MasmParser.cpp @@ -5844,11 +5844,11 @@ bool MasmParser::lookUpField(const StructInfo &Structure, StringRef Member,  bool MasmParser::lookUpType(StringRef Name, AsmTypeInfo &Info) const {    unsigned Size = StringSwitch<unsigned>(Name) -                      .CasesLower("byte", "db", "sbyte", 1) -                      .CasesLower("word", "dw", "sword", 2) -                      .CasesLower("dword", "dd", "sdword", 4) -                      .CasesLower("fword", "df", 6) -                      .CasesLower("qword", "dq", "sqword", 8) +                      .CasesLower({"byte", "db", "sbyte"}, 1) +                      .CasesLower({"word", "dw", "sword"}, 2) +                      .CasesLower({"dword", "dd", "sdword"}, 4) +                      .CasesLower({"fword", "df"}, 6) +                      .CasesLower({"qword", "dq", "sqword"}, 8)                        .CaseLower("real4", 4)                        .CaseLower("real8", 8)                        .CaseLower("real10", 10) diff --git a/llvm/lib/Target/AMDGPU/AMDGPUTargetMachine.cpp b/llvm/lib/Target/AMDGPU/AMDGPUTargetMachine.cpp index 02c5390..6214f4d 100644 --- a/llvm/lib/Target/AMDGPU/AMDGPUTargetMachine.cpp +++ b/llvm/lib/Target/AMDGPU/AMDGPUTargetMachine.cpp @@ -740,7 +740,7 @@ static StringRef getGPUOrDefault(const Triple &TT, StringRef GPU) {    return "r600";  } -static Reloc::Model getEffectiveRelocModel(std::optional<Reloc::Model> RM) { +static Reloc::Model getEffectiveRelocModel() {    // The AMDGPU toolchain only supports generating shared objects, so we    // must always use PIC.    return Reloc::PIC_; @@ -754,8 +754,8 @@ AMDGPUTargetMachine::AMDGPUTargetMachine(const Target &T, const Triple &TT,                                           CodeGenOptLevel OptLevel)      : CodeGenTargetMachineImpl(            T, TT.computeDataLayout(), TT, getGPUOrDefault(TT, CPU), FS, Options, -          getEffectiveRelocModel(RM), -          getEffectiveCodeModel(CM, CodeModel::Small), OptLevel), +          getEffectiveRelocModel(), getEffectiveCodeModel(CM, CodeModel::Small), +          OptLevel),        TLOF(createTLOF(getTargetTriple())) {    initAsmInfo();    if (TT.isAMDGCN()) { diff --git a/llvm/lib/Target/ARM/ARMConstantPoolValue.h b/llvm/lib/Target/ARM/ARMConstantPoolValue.h index 261070a..e21b2c9 100644 --- a/llvm/lib/Target/ARM/ARMConstantPoolValue.h +++ b/llvm/lib/Target/ARM/ARMConstantPoolValue.h @@ -176,9 +176,7 @@ public:    using promoted_iterator = SmallPtrSet<const GlobalVariable *, 1>::iterator; -  iterator_range<promoted_iterator> promotedGlobals() { -    return iterator_range<promoted_iterator>(GVars.begin(), GVars.end()); -  } +  iterator_range<promoted_iterator> promotedGlobals() { return GVars; }    const Constant *getPromotedGlobalInit() const {      return CVal; diff --git a/llvm/lib/Target/LoongArch/LoongArchTargetMachine.cpp b/llvm/lib/Target/LoongArch/LoongArchTargetMachine.cpp index c5e26c1..9de4c9d 100644 --- a/llvm/lib/Target/LoongArch/LoongArchTargetMachine.cpp +++ b/llvm/lib/Target/LoongArch/LoongArchTargetMachine.cpp @@ -62,8 +62,7 @@ static cl::opt<bool>                            cl::desc("Enable the merge base offset pass"),                            cl::init(true), cl::Hidden); -static Reloc::Model getEffectiveRelocModel(const Triple &TT, -                                           std::optional<Reloc::Model> RM) { +static Reloc::Model getEffectiveRelocModel(std::optional<Reloc::Model> RM) {    return RM.value_or(Reloc::Static);  } @@ -92,7 +91,7 @@ LoongArchTargetMachine::LoongArchTargetMachine(      const TargetOptions &Options, std::optional<Reloc::Model> RM,      std::optional<CodeModel::Model> CM, CodeGenOptLevel OL, bool JIT)      : CodeGenTargetMachineImpl(T, TT.computeDataLayout(), TT, CPU, FS, Options, -                               getEffectiveRelocModel(TT, RM), +                               getEffectiveRelocModel(RM),                                 getEffectiveLoongArchCodeModel(TT, CM), OL),        TLOF(std::make_unique<TargetLoweringObjectFileELF>()) {    initAsmInfo(); diff --git a/llvm/lib/Target/M68k/M68kTargetMachine.cpp b/llvm/lib/Target/M68k/M68kTargetMachine.cpp index 847c27ba..f525d43 100644 --- a/llvm/lib/Target/M68k/M68kTargetMachine.cpp +++ b/llvm/lib/Target/M68k/M68kTargetMachine.cpp @@ -46,13 +46,9 @@ extern "C" LLVM_EXTERNAL_VISIBILITY void LLVMInitializeM68kTarget() {  namespace { -Reloc::Model getEffectiveRelocModel(const Triple &TT, -                                    std::optional<Reloc::Model> RM) { +Reloc::Model getEffectiveRelocModel(std::optional<Reloc::Model> RM) {    // If not defined we default to static -  if (!RM.has_value()) -    return Reloc::Static; - -  return *RM; +  return RM.value_or(Reloc::Static);  }  CodeModel::Model getEffectiveCodeModel(std::optional<CodeModel::Model> CM, @@ -73,7 +69,7 @@ M68kTargetMachine::M68kTargetMachine(const Target &T, const Triple &TT,                                       std::optional<CodeModel::Model> CM,                                       CodeGenOptLevel OL, bool JIT)      : CodeGenTargetMachineImpl(T, TT.computeDataLayout(), TT, CPU, FS, Options, -                               getEffectiveRelocModel(TT, RM), +                               getEffectiveRelocModel(RM),                                 ::getEffectiveCodeModel(CM, JIT), OL),        TLOF(std::make_unique<M68kELFTargetObjectFile>()),        Subtarget(TT, CPU, FS, *this) { diff --git a/llvm/lib/Target/RISCV/RISCVTargetMachine.cpp b/llvm/lib/Target/RISCV/RISCVTargetMachine.cpp index f81b1e12..ae54ff1 100644 --- a/llvm/lib/Target/RISCV/RISCVTargetMachine.cpp +++ b/llvm/lib/Target/RISCV/RISCVTargetMachine.cpp @@ -141,8 +141,7 @@ extern "C" LLVM_ABI LLVM_EXTERNAL_VISIBILITY void LLVMInitializeRISCVTarget() {    initializeRISCVAsmPrinterPass(*PR);  } -static Reloc::Model getEffectiveRelocModel(const Triple &TT, -                                           std::optional<Reloc::Model> RM) { +static Reloc::Model getEffectiveRelocModel(std::optional<Reloc::Model> RM) {    return RM.value_or(Reloc::Static);  } @@ -154,7 +153,7 @@ RISCVTargetMachine::RISCVTargetMachine(const Target &T, const Triple &TT,                                         CodeGenOptLevel OL, bool JIT)      : CodeGenTargetMachineImpl(            T, TT.computeDataLayout(Options.MCOptions.getABIName()), TT, CPU, FS, -          Options, getEffectiveRelocModel(TT, RM), +          Options, getEffectiveRelocModel(RM),            getEffectiveCodeModel(CM, CodeModel::Small), OL),        TLOF(std::make_unique<RISCVELFTargetObjectFile>()) {    initAsmInfo(); diff --git a/llvm/lib/Target/WebAssembly/WebAssemblyTargetMachine.cpp b/llvm/lib/Target/WebAssembly/WebAssemblyTargetMachine.cpp index a9c638c..621640c 100644 --- a/llvm/lib/Target/WebAssembly/WebAssemblyTargetMachine.cpp +++ b/llvm/lib/Target/WebAssembly/WebAssemblyTargetMachine.cpp @@ -127,16 +127,11 @@ LLVMInitializeWebAssemblyTarget() {  // WebAssembly Lowering public interface.  //===----------------------------------------------------------------------===// -static Reloc::Model getEffectiveRelocModel(std::optional<Reloc::Model> RM, -                                           const Triple &TT) { -  if (!RM) { -    // Default to static relocation model.  This should always be more optimial -    // than PIC since the static linker can determine all global addresses and -    // assume direct function calls. -    return Reloc::Static; -  } - -  return *RM; +static Reloc::Model getEffectiveRelocModel(std::optional<Reloc::Model> RM) { +  // Default to static relocation model.  This should always be more optimial +  // than PIC since the static linker can determine all global addresses and +  // assume direct function calls. +  return RM.value_or(Reloc::Static);  }  using WebAssembly::WasmEnableEH; @@ -197,7 +192,7 @@ WebAssemblyTargetMachine::WebAssemblyTargetMachine(      const TargetOptions &Options, std::optional<Reloc::Model> RM,      std::optional<CodeModel::Model> CM, CodeGenOptLevel OL, bool JIT)      : CodeGenTargetMachineImpl(T, TT.computeDataLayout(), TT, CPU, FS, Options, -                               getEffectiveRelocModel(RM, TT), +                               getEffectiveRelocModel(RM),                                 getEffectiveCodeModel(CM, CodeModel::Large), OL),        TLOF(new WebAssemblyTargetObjectFile()),        UsesMultivalueABI(Options.MCOptions.getABIName() == "experimental-mv") { diff --git a/llvm/lib/Target/X86/AsmParser/X86AsmParser.cpp b/llvm/lib/Target/X86/AsmParser/X86AsmParser.cpp index ac251fd..127ee67 100644 --- a/llvm/lib/Target/X86/AsmParser/X86AsmParser.cpp +++ b/llvm/lib/Target/X86/AsmParser/X86AsmParser.cpp @@ -3533,10 +3533,10 @@ bool X86AsmParser::parseInstruction(ParseInstructionInfo &Info, StringRef Name,    while (isLockRepeatNtPrefix(Name.lower())) {      unsigned Prefix =          StringSwitch<unsigned>(Name) -            .Cases("lock", "lock", X86::IP_HAS_LOCK) -            .Cases("rep", "repe", "repz", X86::IP_HAS_REPEAT) -            .Cases("repne", "repnz", X86::IP_HAS_REPEAT_NE) -            .Cases("notrack", "notrack", X86::IP_HAS_NOTRACK) +            .Case("lock", X86::IP_HAS_LOCK) +            .Cases({"rep", "repe", "repz"}, X86::IP_HAS_REPEAT) +            .Cases({"repne", "repnz"}, X86::IP_HAS_REPEAT_NE) +            .Case("notrack", X86::IP_HAS_NOTRACK)              .Default(X86::IP_NO_PREFIX); // Invalid prefix (impossible)      Flags |= Prefix;      if (getLexer().is(AsmToken::EndOfStatement)) { diff --git a/llvm/lib/Target/X86/X86DomainReassignment.cpp b/llvm/lib/Target/X86/X86DomainReassignment.cpp index 339e2f3..5d19011 100644 --- a/llvm/lib/Target/X86/X86DomainReassignment.cpp +++ b/llvm/lib/Target/X86/X86DomainReassignment.cpp @@ -324,9 +324,7 @@ public:    bool insertEdge(Register Reg) { return Edges.insert(Reg).second; }    using const_edge_iterator = DenseSet<Register>::const_iterator; -  iterator_range<const_edge_iterator> edges() const { -    return iterator_range<const_edge_iterator>(Edges.begin(), Edges.end()); -  } +  iterator_range<const_edge_iterator> edges() const { return Edges; }    void addInstruction(MachineInstr *I) {      Instrs.push_back(I); diff --git a/llvm/lib/Transforms/Vectorize/VPlanUtils.cpp b/llvm/lib/Transforms/Vectorize/VPlanUtils.cpp index fe66f13..4db92e7 100644 --- a/llvm/lib/Transforms/Vectorize/VPlanUtils.cpp +++ b/llvm/lib/Transforms/Vectorize/VPlanUtils.cpp @@ -89,6 +89,60 @@ const SCEV *vputils::getSCEVExprForVPValue(VPValue *V, ScalarEvolution &SE) {        .Default([&SE](const VPRecipeBase *) { return SE.getCouldNotCompute(); });  } +bool vputils::isSingleScalar(const VPValue *VPV) { +  auto PreservesUniformity = [](unsigned Opcode) -> bool { +    if (Instruction::isBinaryOp(Opcode) || Instruction::isCast(Opcode)) +      return true; +    switch (Opcode) { +    case Instruction::GetElementPtr: +    case Instruction::ICmp: +    case Instruction::FCmp: +    case Instruction::Select: +    case VPInstruction::Not: +    case VPInstruction::Broadcast: +    case VPInstruction::PtrAdd: +      return true; +    default: +      return false; +    } +  }; + +  // A live-in must be uniform across the scope of VPlan. +  if (VPV->isLiveIn()) +    return true; + +  if (auto *Rep = dyn_cast<VPReplicateRecipe>(VPV)) { +    const VPRegionBlock *RegionOfR = Rep->getRegion(); +    // Don't consider recipes in replicate regions as uniform yet; their first +    // lane cannot be accessed when executing the replicate region for other +    // lanes. +    if (RegionOfR && RegionOfR->isReplicator()) +      return false; +    return Rep->isSingleScalar() || (PreservesUniformity(Rep->getOpcode()) && +                                     all_of(Rep->operands(), isSingleScalar)); +  } +  if (isa<VPWidenGEPRecipe, VPDerivedIVRecipe, VPBlendRecipe, +          VPWidenSelectRecipe>(VPV)) +    return all_of(VPV->getDefiningRecipe()->operands(), isSingleScalar); +  if (auto *WidenR = dyn_cast<VPWidenRecipe>(VPV)) { +    return PreservesUniformity(WidenR->getOpcode()) && +           all_of(WidenR->operands(), isSingleScalar); +  } +  if (auto *VPI = dyn_cast<VPInstruction>(VPV)) +    return VPI->isSingleScalar() || VPI->isVectorToScalar() || +           (PreservesUniformity(VPI->getOpcode()) && +            all_of(VPI->operands(), isSingleScalar)); +  if (isa<VPPartialReductionRecipe>(VPV)) +    return false; +  if (isa<VPReductionRecipe>(VPV)) +    return true; +  if (auto *Expr = dyn_cast<VPExpressionRecipe>(VPV)) +    return Expr->isSingleScalar(); + +  // VPExpandSCEVRecipes must be placed in the entry and are always uniform. +  return isa<VPExpandSCEVRecipe>(VPV); +} +  bool vputils::isUniformAcrossVFsAndUFs(VPValue *V) {    // Live-ins are uniform.    if (V->isLiveIn()) diff --git a/llvm/lib/Transforms/Vectorize/VPlanUtils.h b/llvm/lib/Transforms/Vectorize/VPlanUtils.h index 840a5b9..37cd413 100644 --- a/llvm/lib/Transforms/Vectorize/VPlanUtils.h +++ b/llvm/lib/Transforms/Vectorize/VPlanUtils.h @@ -41,59 +41,7 @@ const SCEV *getSCEVExprForVPValue(VPValue *V, ScalarEvolution &SE);  /// Returns true if \p VPV is a single scalar, either because it produces the  /// same value for all lanes or only has its first lane used. -inline bool isSingleScalar(const VPValue *VPV) { -  auto PreservesUniformity = [](unsigned Opcode) -> bool { -    if (Instruction::isBinaryOp(Opcode) || Instruction::isCast(Opcode)) -      return true; -    switch (Opcode) { -    case Instruction::GetElementPtr: -    case Instruction::ICmp: -    case Instruction::FCmp: -    case Instruction::Select: -    case VPInstruction::Not: -    case VPInstruction::Broadcast: -    case VPInstruction::PtrAdd: -      return true; -    default: -      return false; -    } -  }; - -  // A live-in must be uniform across the scope of VPlan. -  if (VPV->isLiveIn()) -    return true; - -  if (auto *Rep = dyn_cast<VPReplicateRecipe>(VPV)) { -    const VPRegionBlock *RegionOfR = Rep->getRegion(); -    // Don't consider recipes in replicate regions as uniform yet; their first -    // lane cannot be accessed when executing the replicate region for other -    // lanes. -    if (RegionOfR && RegionOfR->isReplicator()) -      return false; -    return Rep->isSingleScalar() || (PreservesUniformity(Rep->getOpcode()) && -                                     all_of(Rep->operands(), isSingleScalar)); -  } -  if (isa<VPWidenGEPRecipe, VPDerivedIVRecipe, VPBlendRecipe, -          VPWidenSelectRecipe>(VPV)) -    return all_of(VPV->getDefiningRecipe()->operands(), isSingleScalar); -  if (auto *WidenR = dyn_cast<VPWidenRecipe>(VPV)) { -    return PreservesUniformity(WidenR->getOpcode()) && -           all_of(WidenR->operands(), isSingleScalar); -  } -  if (auto *VPI = dyn_cast<VPInstruction>(VPV)) -    return VPI->isSingleScalar() || VPI->isVectorToScalar() || -           (PreservesUniformity(VPI->getOpcode()) && -            all_of(VPI->operands(), isSingleScalar)); -  if (isa<VPPartialReductionRecipe>(VPV)) -    return false; -  if (isa<VPReductionRecipe>(VPV)) -    return true; -  if (auto *Expr = dyn_cast<VPExpressionRecipe>(VPV)) -    return Expr->isSingleScalar(); - -  // VPExpandSCEVRecipes must be placed in the entry and are alway uniform. -  return isa<VPExpandSCEVRecipe>(VPV); -} +bool isSingleScalar(const VPValue *VPV);  /// Return true if \p V is a header mask in \p Plan.  bool isHeaderMask(const VPValue *V, const VPlan &Plan); diff --git a/llvm/test/CodeGen/PowerPC/DisableHoistingDueToBlockHotnessProfileData.mir b/llvm/test/CodeGen/PowerPC/DisableHoistingDueToBlockHotnessProfileData.mir index 7d80c02..41f7599 100644 --- a/llvm/test/CodeGen/PowerPC/DisableHoistingDueToBlockHotnessProfileData.mir +++ b/llvm/test/CodeGen/PowerPC/DisableHoistingDueToBlockHotnessProfileData.mir @@ -70,7 +70,7 @@    ; Function Attrs: nounwind    declare void @llvm.stackprotector(ptr, ptr) #1 -  attributes #0 = { nounwind "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "min-legal-vector-width"="0" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "unsafe-fp-math"="false" "use-soft-float"="false" } +  attributes #0 = { nounwind "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "min-legal-vector-width"="0" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "use-soft-float"="false" }    attributes #1 = { nounwind }    !llvm.module.flags = !{!0, !1} diff --git a/llvm/test/CodeGen/PowerPC/NoCRFieldRedefWhenSpillingCRBIT.mir b/llvm/test/CodeGen/PowerPC/NoCRFieldRedefWhenSpillingCRBIT.mir index 60a399d..00ae719 100644 --- a/llvm/test/CodeGen/PowerPC/NoCRFieldRedefWhenSpillingCRBIT.mir +++ b/llvm/test/CodeGen/PowerPC/NoCRFieldRedefWhenSpillingCRBIT.mir @@ -36,7 +36,7 @@    ; Function Attrs: nounwind    declare void @llvm.stackprotector(ptr, ptr) #1 -  attributes #0 = { nounwind "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "min-legal-vector-width"="0" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } +  attributes #0 = { nounwind "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "min-legal-vector-width"="0" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" }    attributes #1 = { nounwind }    !llvm.ident = !{!0} diff --git a/llvm/test/CodeGen/PowerPC/aantidep-inline-asm-use.ll b/llvm/test/CodeGen/PowerPC/aantidep-inline-asm-use.ll index e61d51f..7e47129 100644 --- a/llvm/test/CodeGen/PowerPC/aantidep-inline-asm-use.ll +++ b/llvm/test/CodeGen/PowerPC/aantidep-inline-asm-use.ll @@ -298,7 +298,7 @@ _ZN10SubProcess12SafeSyscalls5fcntlEiil.exit:     ; preds = %_ZN10SubProcess12Sa  ; Function Attrs: nounwind argmemonly  declare void @llvm.memset.p0.i64(ptr nocapture, i8, i64, i1) #1 -attributes #0 = { nounwind "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="pwr8" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+power8-vector,+vsx" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="pwr8" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+power8-vector,+vsx" "use-soft-float"="false" }  attributes #1 = { nounwind argmemonly }  attributes #2 = { nounwind } diff --git a/llvm/test/CodeGen/PowerPC/addrfuncstr.ll b/llvm/test/CodeGen/PowerPC/addrfuncstr.ll index 1dbf420..473d669 100644 --- a/llvm/test/CodeGen/PowerPC/addrfuncstr.ll +++ b/llvm/test/CodeGen/PowerPC/addrfuncstr.ll @@ -23,5 +23,5 @@ declare i64 @fread(ptr, i64, i64, ptr) #1  ; CHECK: .section .data.rel.ro  ; CHECK: .quad fread -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "unsafe-fp-math"="false" "use-soft-float"="false" } -attributes #1 = { "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "use-soft-float"="false" } +attributes #1 = { "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "use-soft-float"="false" } diff --git a/llvm/test/CodeGen/PowerPC/asm-constraints.ll b/llvm/test/CodeGen/PowerPC/asm-constraints.ll index 9a37ba2..6c740e1 100644 --- a/llvm/test/CodeGen/PowerPC/asm-constraints.ll +++ b/llvm/test/CodeGen/PowerPC/asm-constraints.ll @@ -65,7 +65,7 @@ entry:  } -attributes #0 = { nounwind "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+power8-vector,+vsx" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+power8-vector,+vsx" "use-soft-float"="false" }  attributes #1 = { nounwind } diff --git a/llvm/test/CodeGen/PowerPC/asym-regclass-copy.ll b/llvm/test/CodeGen/PowerPC/asym-regclass-copy.ll index d6b398e..6871638 100644 --- a/llvm/test/CodeGen/PowerPC/asym-regclass-copy.ll +++ b/llvm/test/CodeGen/PowerPC/asym-regclass-copy.ll @@ -52,5 +52,5 @@ declare void @free(ptr nocapture) #0  declare i64 @strtol(ptr, ptr nocapture, i32 signext) #0 -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="non-leaf" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="non-leaf" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "use-soft-float"="false" }  attributes #1 = { nounwind } diff --git a/llvm/test/CodeGen/PowerPC/convert-rr-to-ri-instrs-R0-special-handling.mir b/llvm/test/CodeGen/PowerPC/convert-rr-to-ri-instrs-R0-special-handling.mir index fac09d2..f8d32cc 100644 --- a/llvm/test/CodeGen/PowerPC/convert-rr-to-ri-instrs-R0-special-handling.mir +++ b/llvm/test/CodeGen/PowerPC/convert-rr-to-ri-instrs-R0-special-handling.mir @@ -63,8 +63,8 @@      ret i64 %2    } -  attributes #0 = { norecurse nounwind readnone "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "unsafe-fp-math"="false" "use-soft-float"="false" } -  attributes #1 = { norecurse nounwind readonly "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "unsafe-fp-math"="false" "use-soft-float"="false" } +  attributes #0 = { norecurse nounwind readnone "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "use-soft-float"="false" } +  attributes #1 = { norecurse nounwind readonly "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "use-soft-float"="false" }    !llvm.module.flags = !{!0, !1}    !llvm.ident = !{!2} diff --git a/llvm/test/CodeGen/PowerPC/convert-rr-to-ri-instrs-out-of-range.mir b/llvm/test/CodeGen/PowerPC/convert-rr-to-ri-instrs-out-of-range.mir index 0b61455..72f9b02 100644 --- a/llvm/test/CodeGen/PowerPC/convert-rr-to-ri-instrs-out-of-range.mir +++ b/llvm/test/CodeGen/PowerPC/convert-rr-to-ri-instrs-out-of-range.mir @@ -187,7 +187,7 @@      ret i64 %cond    } -  attributes #0 = { norecurse nounwind readnone "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="pwr9" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+power9-vector,+vsx" "unsafe-fp-math"="false" "use-soft-float"="false" } +  attributes #0 = { norecurse nounwind readnone "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="pwr9" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+power9-vector,+vsx" "use-soft-float"="false" }    !llvm.module.flags = !{!0, !1}    !llvm.ident = !{!2} diff --git a/llvm/test/CodeGen/PowerPC/convert-rr-to-ri-instrs.mir b/llvm/test/CodeGen/PowerPC/convert-rr-to-ri-instrs.mir index 61c0da6..02a3f34 100644 --- a/llvm/test/CodeGen/PowerPC/convert-rr-to-ri-instrs.mir +++ b/llvm/test/CodeGen/PowerPC/convert-rr-to-ri-instrs.mir @@ -983,10 +983,10 @@      ret i64 %xor    } -  attributes #0 = { norecurse nounwind readnone "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="pwr9" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+power9-vector,+vsx" "unsafe-fp-math"="false" "use-soft-float"="false" } -  attributes #1 = { norecurse nounwind readonly "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="pwr9" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+power9-vector,+vsx" "unsafe-fp-math"="false" "use-soft-float"="false" } -  attributes #2 = { norecurse nounwind readonly "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="pwr9" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+power9-vector,-vsx" "unsafe-fp-math"="false" "use-soft-float"="false" } -  attributes #3 = { norecurse nounwind "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="pwr9" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+power9-vector,+vsx" "unsafe-fp-math"="false" "use-soft-float"="false" } +  attributes #0 = { norecurse nounwind readnone "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="pwr9" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+power9-vector,+vsx" "use-soft-float"="false" } +  attributes #1 = { norecurse nounwind readonly "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="pwr9" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+power9-vector,+vsx" "use-soft-float"="false" } +  attributes #2 = { norecurse nounwind readonly "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="pwr9" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+power9-vector,-vsx" "use-soft-float"="false" } +  attributes #3 = { norecurse nounwind "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="pwr9" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+power9-vector,+vsx" "use-soft-float"="false" }    !llvm.module.flags = !{!0, !1}    !llvm.ident = !{!2} diff --git a/llvm/test/CodeGen/PowerPC/cr-spills.ll b/llvm/test/CodeGen/PowerPC/cr-spills.ll index 6703de6..3488fac 100644 --- a/llvm/test/CodeGen/PowerPC/cr-spills.ll +++ b/llvm/test/CodeGen/PowerPC/cr-spills.ll @@ -400,5 +400,5 @@ for.end999:                                       ; preds = %for.inc997    ret void  } -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="non-leaf" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="non-leaf" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "use-soft-float"="false" }  attributes #1 = { nounwind } diff --git a/llvm/test/CodeGen/PowerPC/crypto_bifs.ll b/llvm/test/CodeGen/PowerPC/crypto_bifs.ll index f61c62f..9ae02c6 100644 --- a/llvm/test/CodeGen/PowerPC/crypto_bifs.ll +++ b/llvm/test/CodeGen/PowerPC/crypto_bifs.ll @@ -276,7 +276,7 @@ entry:  ; Function Attrs: nounwind readnone  declare <2 x i64> @llvm.ppc.altivec.crypto.vshasigmad(<2 x i64>, i32, i32) #1 -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "no-realign-stack" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "no-realign-stack" "stack-protector-buffer-size"="8" "use-soft-float"="false" }  attributes #1 = { nounwind readnone }  !llvm.ident = !{!0} diff --git a/llvm/test/CodeGen/PowerPC/ctr-cleanup.ll b/llvm/test/CodeGen/PowerPC/ctr-cleanup.ll index 9e13b6f..f7a7641 100644 --- a/llvm/test/CodeGen/PowerPC/ctr-cleanup.ll +++ b/llvm/test/CodeGen/PowerPC/ctr-cleanup.ll @@ -22,4 +22,4 @@ for.end:                                          ; preds = %for.body, %entry    ret void  } -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="non-leaf" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="non-leaf" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "use-soft-float"="false" } diff --git a/llvm/test/CodeGen/PowerPC/ctrloop-do-not-duplicate-mi.mir b/llvm/test/CodeGen/PowerPC/ctrloop-do-not-duplicate-mi.mir index 668e7fe..9230c31 100644 --- a/llvm/test/CodeGen/PowerPC/ctrloop-do-not-duplicate-mi.mir +++ b/llvm/test/CodeGen/PowerPC/ctrloop-do-not-duplicate-mi.mir @@ -5,7 +5,7 @@    target datalayout = "e-m:e-i64:64-n32:64-S128-v256:256:256-v512:512:512"    target triple = "powerpc64le-unknown-linux-gnu" -  define dso_local void @test() local_unnamed_addr #0 { +  define dso_local void @test() local_unnamed_addr {    test_entry:      %_val_domain_ = load i32, ptr undef, align 4      %_conv765 = sext i32 %_val_domain_ to i64 @@ -53,7 +53,6 @@    ; Function Attrs: nocallback noduplicate nofree nosync nounwind willreturn    declare i1 @llvm.loop.decrement.i64(i64) #2 -  attributes #0 = { "unsafe-fp-math"="true" }    attributes #1 = { nocallback nofree nosync nounwind readnone speculatable willreturn }    attributes #2 = { nocallback noduplicate nofree nosync nounwind willreturn } diff --git a/llvm/test/CodeGen/PowerPC/ctrloop-intrin.ll b/llvm/test/CodeGen/PowerPC/ctrloop-intrin.ll index 072cefa..c9a955fb 100644 --- a/llvm/test/CodeGen/PowerPC/ctrloop-intrin.ll +++ b/llvm/test/CodeGen/PowerPC/ctrloop-intrin.ll @@ -329,7 +329,7 @@ declare void @llvm.set.loop.iterations.i64(i64) #0  declare i1 @llvm.loop.decrement(i64) #0  attributes #0 = { nounwind } -attributes #1 = { nounwind "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #1 = { nounwind "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" }  attributes #2 = { nounwind }  attributes #3 = { nounwind } diff --git a/llvm/test/CodeGen/PowerPC/div-e-32.ll b/llvm/test/CodeGen/PowerPC/div-e-32.ll index fe64abb..1b39d45 100644 --- a/llvm/test/CodeGen/PowerPC/div-e-32.ll +++ b/llvm/test/CodeGen/PowerPC/div-e-32.ll @@ -23,7 +23,7 @@ entry:  ; Function Attrs: nounwind readnone  declare i32 @llvm.ppc.divweu(i32, i32) #1 -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" }  attributes #1 = { nounwind readnone }  !llvm.ident = !{!0} diff --git a/llvm/test/CodeGen/PowerPC/div-e-all.ll b/llvm/test/CodeGen/PowerPC/div-e-all.ll index 462086b..0728760 100644 --- a/llvm/test/CodeGen/PowerPC/div-e-all.ll +++ b/llvm/test/CodeGen/PowerPC/div-e-all.ll @@ -46,7 +46,7 @@ entry:  ; Function Attrs: nounwind readnone  declare i64 @llvm.ppc.divdeu(i64, i64) #1 -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" }  attributes #1 = { nounwind readnone }  !llvm.ident = !{!0} diff --git a/llvm/test/CodeGen/PowerPC/extra-toc-reg-deps.ll b/llvm/test/CodeGen/PowerPC/extra-toc-reg-deps.ll index 00d170f..9bc8b23 100644 --- a/llvm/test/CodeGen/PowerPC/extra-toc-reg-deps.ll +++ b/llvm/test/CodeGen/PowerPC/extra-toc-reg-deps.ll @@ -419,8 +419,8 @@ declare void @_ZN4Foam11regIOobjectD2Ev() #0  declare void @_ZN4Foam6reduceIiNS_5sumOpIiEEEEvRKNS_4ListINS_8UPstream11commsStructEEERT_RKT0_ii() #0 -attributes #0 = { "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } -attributes #1 = { inlinehint "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" } +attributes #1 = { inlinehint "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" }  !llvm.module.flags = !{!0} diff --git a/llvm/test/CodeGen/PowerPC/fma-mutate-duplicate-vreg.ll b/llvm/test/CodeGen/PowerPC/fma-mutate-duplicate-vreg.ll index a336fc7..2d34e83 100644 --- a/llvm/test/CodeGen/PowerPC/fma-mutate-duplicate-vreg.ll +++ b/llvm/test/CodeGen/PowerPC/fma-mutate-duplicate-vreg.ll @@ -33,4 +33,4 @@ define float @f(float %xf) #0 {    ret float %25  } -attributes #0 = { norecurse nounwind readnone "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="pwr8" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+power8-vector,+vsx" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { norecurse nounwind readnone "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="pwr8" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+power8-vector,+vsx" "use-soft-float"="false" } diff --git a/llvm/test/CodeGen/PowerPC/frameaddr.ll b/llvm/test/CodeGen/PowerPC/frameaddr.ll index 180f736..60eb086 100644 --- a/llvm/test/CodeGen/PowerPC/frameaddr.ll +++ b/llvm/test/CodeGen/PowerPC/frameaddr.ll @@ -236,7 +236,7 @@ declare void @use(ptr)  declare ptr @llvm.frameaddress(i32) #2 -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="non-leaf" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="non-leaf" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "use-soft-float"="false" }  attributes #1 = { noreturn nounwind }  attributes #2 = { nounwind readnone } -attributes #3 = { nounwind naked "less-precise-fpmad"="false" "frame-pointer"="non-leaf" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #3 = { nounwind naked "less-precise-fpmad"="false" "frame-pointer"="non-leaf" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "use-soft-float"="false" } diff --git a/llvm/test/CodeGen/PowerPC/glob-comp-aa-crash.ll b/llvm/test/CodeGen/PowerPC/glob-comp-aa-crash.ll index 4c0c713..2726e8f 100644 --- a/llvm/test/CodeGen/PowerPC/glob-comp-aa-crash.ll +++ b/llvm/test/CodeGen/PowerPC/glob-comp-aa-crash.ll @@ -120,9 +120,9 @@ declare void @_ZNSt3__15mutex4lockEv(ptr) #0  ; Function Attrs: nounwind  declare void @llvm.memset.p0.i64(ptr nocapture, i8, i64, i1) #3 -attributes #0 = { optsize "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } -attributes #1 = { nounwind optsize "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } -attributes #2 = { noreturn optsize "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { optsize "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" } +attributes #1 = { nounwind optsize "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" } +attributes #2 = { noreturn optsize "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" }  attributes #3 = { nounwind }  attributes #4 = { optsize }  attributes #5 = { nounwind optsize } diff --git a/llvm/test/CodeGen/PowerPC/ifcvt-forked-bug-2016-08-08.ll b/llvm/test/CodeGen/PowerPC/ifcvt-forked-bug-2016-08-08.ll index 64c60bf..b00840a 100644 --- a/llvm/test/CodeGen/PowerPC/ifcvt-forked-bug-2016-08-08.ll +++ b/llvm/test/CodeGen/PowerPC/ifcvt-forked-bug-2016-08-08.ll @@ -34,5 +34,5 @@ declare ptr @_ZN11__sanitizer21internal_start_threadEPFvPvES0_(ptr, ptr) local_u  declare hidden void @_ZN11__sanitizer16BackgroundThreadEPv(ptr nocapture readnone) #5 -attributes #0 = { nounwind uwtable "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+power8-vector,+vsx" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind uwtable "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+power8-vector,+vsx" "use-soft-float"="false" }  attributes #7 = { nobuiltin nounwind } diff --git a/llvm/test/CodeGen/PowerPC/isel-rc-nox0.ll b/llvm/test/CodeGen/PowerPC/isel-rc-nox0.ll index d4daf24..e07fc29 100644 --- a/llvm/test/CodeGen/PowerPC/isel-rc-nox0.ll +++ b/llvm/test/CodeGen/PowerPC/isel-rc-nox0.ll @@ -42,5 +42,5 @@ func_80.exit2978.i:                               ; preds = %for.inc44.i2977.i  ; Function Attrs: nounwind  declare void @llvm.memset.p0.i64(ptr nocapture, i8, i64, i1) #1 -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "ssp-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "ssp-buffer-size"="8" "use-soft-float"="false" }  attributes #1 = { nounwind } diff --git a/llvm/test/CodeGen/PowerPC/lxv-aligned-stack-slots.ll b/llvm/test/CodeGen/PowerPC/lxv-aligned-stack-slots.ll index 2d471a0..f005899 100644 --- a/llvm/test/CodeGen/PowerPC/lxv-aligned-stack-slots.ll +++ b/llvm/test/CodeGen/PowerPC/lxv-aligned-stack-slots.ll @@ -39,6 +39,6 @@ define void @aligned_slot() #0 {  ; Function Attrs: argmemonly nounwind  declare void @llvm.memcpy.p0.p0.i64(ptr nocapture writeonly, ptr nocapture readonly, i64, i1) #1 -attributes #0 = { nounwind "target-cpu"="pwr9" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+power9-vector,+vsx" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "target-cpu"="pwr9" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+power9-vector,+vsx" "use-soft-float"="false" }  attributes #1 = { argmemonly nounwind }  attributes #2 = { nounwind } diff --git a/llvm/test/CodeGen/PowerPC/mc-instrlat.ll b/llvm/test/CodeGen/PowerPC/mc-instrlat.ll index f807f4f..1ac5201 100644 --- a/llvm/test/CodeGen/PowerPC/mc-instrlat.ll +++ b/llvm/test/CodeGen/PowerPC/mc-instrlat.ll @@ -19,7 +19,7 @@ entry:  declare void @bar(double) #1 -attributes #0 = { nounwind "no-infs-fp-math"="true" "no-nans-fp-math"="true" "target-cpu"="ppc64" "target-features"="+altivec,-bpermd,-crypto,-direct-move,-extdiv,-power8-vector,-vsx" "unsafe-fp-math"="true" "use-soft-float"="false" } -attributes #1 = { "no-infs-fp-math"="true" "no-nans-fp-math"="true" "stack-protector-buffer-size"="8" "target-cpu"="ppc64" "target-features"="+altivec,-bpermd,-crypto,-direct-move,-extdiv,-power8-vector,-vsx" "unsafe-fp-math"="true" "use-soft-float"="false" } +attributes #0 = { nounwind "no-infs-fp-math"="true" "no-nans-fp-math"="true" "target-cpu"="ppc64" "target-features"="+altivec,-bpermd,-crypto,-direct-move,-extdiv,-power8-vector,-vsx" "use-soft-float"="false" } +attributes #1 = { "no-infs-fp-math"="true" "no-nans-fp-math"="true" "stack-protector-buffer-size"="8" "target-cpu"="ppc64" "target-features"="+altivec,-bpermd,-crypto,-direct-move,-extdiv,-power8-vector,-vsx" "use-soft-float"="false" }  attributes #2 = { nounwind } diff --git a/llvm/test/CodeGen/PowerPC/negctr.ll b/llvm/test/CodeGen/PowerPC/negctr.ll index 38664b0..e00a826 100644 --- a/llvm/test/CodeGen/PowerPC/negctr.ll +++ b/llvm/test/CodeGen/PowerPC/negctr.ll @@ -82,4 +82,4 @@ for.end:                                          ; preds = %for.body, %entry    ret void  } -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="non-leaf" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="non-leaf" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "use-soft-float"="false" } diff --git a/llvm/test/CodeGen/PowerPC/ppc-empty-fs.ll b/llvm/test/CodeGen/PowerPC/ppc-empty-fs.ll index 5c9bb12..66fa48e 100644 --- a/llvm/test/CodeGen/PowerPC/ppc-empty-fs.ll +++ b/llvm/test/CodeGen/PowerPC/ppc-empty-fs.ll @@ -21,7 +21,7 @@ entry:  ; Function Attrs: nounwind  declare void @llvm.memcpy.p0.p0.i64(ptr nocapture, ptr nocapture readonly, i64, i1) #1 -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "no-realign-stack" "stack-protector-buffer-size"="8" "target-features"="" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "no-realign-stack" "stack-protector-buffer-size"="8" "target-features"="" "use-soft-float"="false" }  attributes #1 = { nounwind }  !llvm.ident = !{!0} diff --git a/llvm/test/CodeGen/PowerPC/ppc32-lshrti3.ll b/llvm/test/CodeGen/PowerPC/ppc32-lshrti3.ll index c9e183c..4499ea2 100644 --- a/llvm/test/CodeGen/PowerPC/ppc32-lshrti3.ll +++ b/llvm/test/CodeGen/PowerPC/ppc32-lshrti3.ll @@ -32,7 +32,7 @@ while.end:                                        ; preds = %while.cond    ret i32 undef  } -attributes #0 = { nounwind uwtable "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind uwtable "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" }  !llvm.ident = !{!0} diff --git a/llvm/test/CodeGen/PowerPC/pr17168.ll b/llvm/test/CodeGen/PowerPC/pr17168.ll index 828bc2b..160e3b1 100644 --- a/llvm/test/CodeGen/PowerPC/pr17168.ll +++ b/llvm/test/CodeGen/PowerPC/pr17168.ll @@ -51,7 +51,7 @@ for.cond1816.preheader.for.inc1898_crit_edge:     ; preds = %for.cond1816.prehea  ; Function Attrs: nounwind readnone  declare void @llvm.dbg.value(metadata, i64, metadata, metadata) #1 -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" }  attributes #1 = { nounwind readnone }  !llvm.dbg.cu = !{!7} diff --git a/llvm/test/CodeGen/PowerPC/pr17354.ll b/llvm/test/CodeGen/PowerPC/pr17354.ll index 38b98dff..9079371 100644 --- a/llvm/test/CodeGen/PowerPC/pr17354.ll +++ b/llvm/test/CodeGen/PowerPC/pr17354.ll @@ -35,4 +35,4 @@ entry:    ret void  } -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" } diff --git a/llvm/test/CodeGen/PowerPC/pr18663-2.ll b/llvm/test/CodeGen/PowerPC/pr18663-2.ll index 64d767a..97ad5b3 100644 --- a/llvm/test/CodeGen/PowerPC/pr18663-2.ll +++ b/llvm/test/CodeGen/PowerPC/pr18663-2.ll @@ -147,7 +147,7 @@ ehcleanup142:                                     ; preds = %lpad19, %lpad.i.i.i    resume { ptr, i32 } undef  } -attributes #0 = { "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } -attributes #1 = { noreturn "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } -attributes #2 = { inlinehint "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" } +attributes #1 = { noreturn "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" } +attributes #2 = { inlinehint "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" } diff --git a/llvm/test/CodeGen/PowerPC/pr24546.ll b/llvm/test/CodeGen/PowerPC/pr24546.ll index 527139a..a84b2e8 100644 --- a/llvm/test/CodeGen/PowerPC/pr24546.ll +++ b/llvm/test/CodeGen/PowerPC/pr24546.ll @@ -47,8 +47,8 @@ declare double @pow(double, double) #0  ; Function Attrs: nounwind readnone  declare void @llvm.dbg.value(metadata, i64, metadata, metadata) #2 -attributes #0 = { nounwind "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+power8-vector,+vsx" "unsafe-fp-math"="false" "use-soft-float"="false" } -attributes #1 = { "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+power8-vector,+vsx" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+power8-vector,+vsx" "use-soft-float"="false" } +attributes #1 = { "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+power8-vector,+vsx" "use-soft-float"="false" }  attributes #2 = { nounwind readnone }  attributes #3 = { nounwind } diff --git a/llvm/test/CodeGen/PowerPC/pr27350.ll b/llvm/test/CodeGen/PowerPC/pr27350.ll index 1a68f2c..568d7cd 100644 --- a/llvm/test/CodeGen/PowerPC/pr27350.ll +++ b/llvm/test/CodeGen/PowerPC/pr27350.ll @@ -18,7 +18,7 @@ entry:  declare fastcc void @bar([2 x i64], [2 x i64]) unnamed_addr #1 align 2  attributes #0 = { argmemonly nounwind } -attributes #1 = { nounwind "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+power8-vector,+vsx" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #1 = { nounwind "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+power8-vector,+vsx" "use-soft-float"="false" }  attributes #2 = { nounwind }  !llvm.ident = !{!0} diff --git a/llvm/test/CodeGen/PowerPC/pr28130.ll b/llvm/test/CodeGen/PowerPC/pr28130.ll index 135c6aa..21e4f3d 100644 --- a/llvm/test/CodeGen/PowerPC/pr28130.ll +++ b/llvm/test/CodeGen/PowerPC/pr28130.ll @@ -63,4 +63,4 @@ bb:    ret void  } -attributes #0 = { nounwind "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="pwr8" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+power8-vector,+vsx" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="pwr8" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+power8-vector,+vsx" "use-soft-float"="false" } diff --git a/llvm/test/CodeGen/PowerPC/reloc-align.ll b/llvm/test/CodeGen/PowerPC/reloc-align.ll index 1640e3d..d1524e5 100644 --- a/llvm/test/CodeGen/PowerPC/reloc-align.ll +++ b/llvm/test/CodeGen/PowerPC/reloc-align.ll @@ -30,4 +30,4 @@ entry:    ret i32 %bf.cast  } -attributes #0 = { nounwind readonly "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind readonly "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "use-soft-float"="false" } diff --git a/llvm/test/CodeGen/PowerPC/rlwinm_rldicl_to_andi.mir b/llvm/test/CodeGen/PowerPC/rlwinm_rldicl_to_andi.mir index 584f2a9..d0bcaef 100644 --- a/llvm/test/CodeGen/PowerPC/rlwinm_rldicl_to_andi.mir +++ b/llvm/test/CodeGen/PowerPC/rlwinm_rldicl_to_andi.mir @@ -60,7 +60,7 @@      ret i64 %cond    } -  attributes #0 = { norecurse nounwind readnone "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "unsafe-fp-math"="false" "use-soft-float"="false" } +  attributes #0 = { norecurse nounwind readnone "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "use-soft-float"="false" }    !llvm.module.flags = !{!0, !1}    !llvm.ident = !{!2} diff --git a/llvm/test/CodeGen/PowerPC/setcr_bc.mir b/llvm/test/CodeGen/PowerPC/setcr_bc.mir index 76f9d5e..2823c0f 100644 --- a/llvm/test/CodeGen/PowerPC/setcr_bc.mir +++ b/llvm/test/CodeGen/PowerPC/setcr_bc.mir @@ -32,8 +32,8 @@      ret i32 %call2.i.sink    } -  attributes #0 = { "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "unsafe-fp-math"="false" "use-soft-float"="false" } -  attributes #1 = { "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "unsafe-fp-math"="false" "use-soft-float"="false" } +  attributes #0 = { "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "use-soft-float"="false" } +  attributes #1 = { "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "use-soft-float"="false" }  ...  --- diff --git a/llvm/test/CodeGen/PowerPC/setcr_bc2.mir b/llvm/test/CodeGen/PowerPC/setcr_bc2.mir index 433ea63..ca88ec7 100644 --- a/llvm/test/CodeGen/PowerPC/setcr_bc2.mir +++ b/llvm/test/CodeGen/PowerPC/setcr_bc2.mir @@ -32,8 +32,8 @@      ret i32 %call2.i.sink    } -  attributes #0 = { "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "unsafe-fp-math"="false" "use-soft-float"="false" } -  attributes #1 = { "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "unsafe-fp-math"="false" "use-soft-float"="false" } +  attributes #0 = { "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "use-soft-float"="false" } +  attributes #1 = { "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "use-soft-float"="false" }  ...  --- diff --git a/llvm/test/CodeGen/PowerPC/sink-down-more-instructions-1.mir b/llvm/test/CodeGen/PowerPC/sink-down-more-instructions-1.mir index ee16a8c..2ffca9c 100644 --- a/llvm/test/CodeGen/PowerPC/sink-down-more-instructions-1.mir +++ b/llvm/test/CodeGen/PowerPC/sink-down-more-instructions-1.mir @@ -155,7 +155,7 @@    ; Function Attrs: noduplicate nounwind    declare i1 @llvm.loop.decrement.i64(i64) #1 -  attributes #0 = { nofree norecurse nounwind "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "frame-pointer"="none" "less-precise-fpmad"="false" "min-legal-vector-width"="0" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="true" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector,-spe" "unsafe-fp-math"="false" "use-soft-float"="false" } +  attributes #0 = { nofree norecurse nounwind "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "frame-pointer"="none" "less-precise-fpmad"="false" "min-legal-vector-width"="0" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="true" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector,-spe" "use-soft-float"="false" }    attributes #1 = { noduplicate nounwind }    !llvm.module.flags = !{!0} diff --git a/llvm/test/CodeGen/PowerPC/sink-down-more-instructions-regpressure-high.mir b/llvm/test/CodeGen/PowerPC/sink-down-more-instructions-regpressure-high.mir index 4069fec..261ed55 100644 --- a/llvm/test/CodeGen/PowerPC/sink-down-more-instructions-regpressure-high.mir +++ b/llvm/test/CodeGen/PowerPC/sink-down-more-instructions-regpressure-high.mir @@ -239,7 +239,7 @@    ; Function Attrs: noduplicate nounwind    declare i1 @llvm.loop.decrement.i64(i64) #1 -  attributes #0 = { nofree norecurse nounwind "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "frame-pointer"="none" "less-precise-fpmad"="false" "min-legal-vector-width"="0" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="true" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector,-spe" "unsafe-fp-math"="false" "use-soft-float"="false" } +  attributes #0 = { nofree norecurse nounwind "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "frame-pointer"="none" "less-precise-fpmad"="false" "min-legal-vector-width"="0" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="true" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector,-spe" "use-soft-float"="false" }    attributes #1 = { noduplicate nounwind }    !llvm.module.flags = !{!0} diff --git a/llvm/test/CodeGen/PowerPC/sjlj.ll b/llvm/test/CodeGen/PowerPC/sjlj.ll index 88a6cfd..92b0c5c 100644 --- a/llvm/test/CodeGen/PowerPC/sjlj.ll +++ b/llvm/test/CodeGen/PowerPC/sjlj.ll @@ -171,7 +171,7 @@ declare ptr @llvm.stacksave() #3  declare i32 @llvm.eh.sjlj.setjmp(ptr) #3 -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="non-leaf" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="non-leaf" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "use-soft-float"="false" }  attributes #1 = { noreturn nounwind }  attributes #2 = { nounwind readnone }  attributes #3 = { nounwind } diff --git a/llvm/test/CodeGen/PowerPC/stwu-sched.ll b/llvm/test/CodeGen/PowerPC/stwu-sched.ll index 4cf07c3..29a5efc 100644 --- a/llvm/test/CodeGen/PowerPC/stwu-sched.ll +++ b/llvm/test/CodeGen/PowerPC/stwu-sched.ll @@ -58,7 +58,7 @@ define void @initCombList(ptr nocapture, i32 signext) local_unnamed_addr #0 {    ret void  } -attributes #0 = { norecurse nounwind writeonly "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "min-legal-vector-width"="0" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { norecurse nounwind writeonly "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "min-legal-vector-width"="0" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "use-soft-float"="false" }  !llvm.ident = !{!0} diff --git a/llvm/test/CodeGen/PowerPC/toc-load-sched-bug.ll b/llvm/test/CodeGen/PowerPC/toc-load-sched-bug.ll index 7418767..37fe763 100644 --- a/llvm/test/CodeGen/PowerPC/toc-load-sched-bug.ll +++ b/llvm/test/CodeGen/PowerPC/toc-load-sched-bug.ll @@ -475,13 +475,13 @@ declare void @_ZNSs4swapERSs(ptr, ptr dereferenceable(8)) #1  ; Function Attrs: nounwind  declare void @llvm.memset.p0.i64(ptr nocapture, i8, i64, i1) #3 -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } -attributes #1 = { "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } -attributes #2 = { inlinehint nounwind "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" } +attributes #1 = { "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" } +attributes #2 = { inlinehint nounwind "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" }  attributes #3 = { nounwind } -attributes #4 = { noreturn nounwind "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } -attributes #5 = { nounwind readonly "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } -attributes #6 = { nobuiltin nounwind "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #4 = { noreturn nounwind "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" } +attributes #5 = { nounwind readonly "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" } +attributes #6 = { nobuiltin nounwind "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "stack-protector-buffer-size"="8" "use-soft-float"="false" }  attributes #7 = { noreturn nounwind }  !llvm.ident = !{!0} diff --git a/llvm/test/CodeGen/PowerPC/unal4-std.ll b/llvm/test/CodeGen/PowerPC/unal4-std.ll index 04fd525..4a5fb39 100644 --- a/llvm/test/CodeGen/PowerPC/unal4-std.ll +++ b/llvm/test/CodeGen/PowerPC/unal4-std.ll @@ -34,4 +34,4 @@ if.end210:                                        ; preds = %entry  } -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="non-leaf" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="non-leaf" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "use-soft-float"="false" } diff --git a/llvm/test/CodeGen/PowerPC/uwtables.ll b/llvm/test/CodeGen/PowerPC/uwtables.ll index f9f35d9..3c3a108 100644 --- a/llvm/test/CodeGen/PowerPC/uwtables.ll +++ b/llvm/test/CodeGen/PowerPC/uwtables.ll @@ -46,5 +46,5 @@ declare i32 @__gxx_personality_v0(...)  declare void @__cxa_call_unexpected(ptr) local_unnamed_addr -attributes #0 = { noreturn nounwind "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { noreturn nounwind "correctly-rounded-divide-sqrt-fp-math"="false" "disable-tail-calls"="false" "less-precise-fpmad"="false" "frame-pointer"="none" "no-infs-fp-math"="false" "no-jump-tables"="false" "no-nans-fp-math"="false" "no-signed-zeros-fp-math"="false" "no-trapping-math"="false" "stack-protector-buffer-size"="8" "target-cpu"="ppc64le" "target-features"="+altivec,+bpermd,+crypto,+direct-move,+extdiv,+htm,+power8-vector,+vsx,-power9-vector" "use-soft-float"="false" } diff --git a/llvm/test/CodeGen/PowerPC/zero-not-run.ll b/llvm/test/CodeGen/PowerPC/zero-not-run.ll index 6d43191..3c26554 100644 --- a/llvm/test/CodeGen/PowerPC/zero-not-run.ll +++ b/llvm/test/CodeGen/PowerPC/zero-not-run.ll @@ -24,4 +24,4 @@ for.end731:                                       ; preds = %entry  ; Function Attrs: nounwind  declare i64 @safe_mod_func_uint64_t_u_u(i64, i64) #0 -attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "unsafe-fp-math"="false" "use-soft-float"="false" } +attributes #0 = { nounwind "less-precise-fpmad"="false" "frame-pointer"="all" "no-infs-fp-math"="false" "no-nans-fp-math"="false" "use-soft-float"="false" } diff --git a/llvm/test/MC/AsmParser/comments-x86-darwin-eol-dropped.s b/llvm/test/MC/AsmParser/comments-x86-darwin-eol-dropped.s new file mode 100644 index 0000000..662e598 --- /dev/null +++ b/llvm/test/MC/AsmParser/comments-x86-darwin-eol-dropped.s @@ -0,0 +1,10 @@ +// RUN: llvm-mc -triple i386-apple-darwin %s 2>&1 | FileCheck %s +.p2align 3 +// CHECK: .p2align 3 +test: +// CHECK-LABEL: test: +// CHECK: pushl %ebp +// CHECK: movl %esp, %ebp +# Check that the following line's comment # doesn't drop the movl after +   pushl %ebp # +   movl %esp, %ebp diff --git a/llvm/test/Transforms/InstCombine/select_with_identical_phi.ll b/llvm/test/Transforms/InstCombine/select_with_identical_phi.ll new file mode 100644 index 0000000..db4965b --- /dev/null +++ b/llvm/test/Transforms/InstCombine/select_with_identical_phi.ll @@ -0,0 +1,417 @@ +; NOTE: Assertions have been autogenerated by utils/update_test_checks.py +; RUN: opt < %s -S -passes=instcombine | FileCheck %s +@A = extern_weak global float, align 4 + +; %same.as.v1 is a select with two phis %v1 and %phi.to.remove as the true +; and false values, while %v1 and %phi.to.remove are actually the same. +; Fold the selection instruction %same.as.v1 to %v1. +define void @select_with_identical_phi(ptr %m, ptr %n, i32 %count) { +; CHECK-LABEL: @select_with_identical_phi( +; CHECK-NEXT:  entry: +; CHECK-NEXT:    br label [[FOR_BODY:%.*]] +; CHECK:       for.body: +; CHECK-NEXT:    [[V0:%.*]] = phi float [ 0x4415AF1D80000000, [[ENTRY:%.*]] ], [ [[V0_1:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[V1:%.*]] = phi float [ 0xC415AF1D80000000, [[ENTRY]] ], [ [[V1_1:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[I:%.*]] = phi i32 [ 0, [[ENTRY]] ], [ [[INC_I:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[Q:%.*]] = phi ptr [ [[M:%.*]], [[ENTRY]] ], [ [[Q_NEXT:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[C:%.*]] = phi ptr [ [[N:%.*]], [[ENTRY]] ], [ [[C_NEXT:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[Q_LOAD:%.*]] = load float, ptr [[Q]], align 4 +; CHECK-NEXT:    [[C_LOAD:%.*]] = load float, ptr [[C]], align 4 +; CHECK-NEXT:    [[SUB:%.*]] = fsub float [[Q_LOAD]], [[C_LOAD]] +; CHECK-NEXT:    [[CMP1:%.*]] = fcmp olt float [[SUB]], [[V0]] +; CHECK-NEXT:    [[V0_1]] = select i1 [[CMP1]], float [[SUB]], float [[V0]] +; CHECK-NEXT:    [[CMP2:%.*]] = fcmp ogt float [[SUB]], [[V1]] +; CHECK-NEXT:    [[V1_1]] = select i1 [[CMP2]], float [[SUB]], float [[V1]] +; CHECK-NEXT:    [[INC_I]] = add nuw nsw i32 [[I]], 1 +; CHECK-NEXT:    [[Q_NEXT]] = getelementptr inbounds nuw i8, ptr [[Q]], i64 4 +; CHECK-NEXT:    [[C_NEXT]] = getelementptr inbounds nuw i8, ptr [[C]], i64 4 +; CHECK-NEXT:    [[EXITCOND:%.*]] = icmp eq i32 [[INC_I]], [[COUNT:%.*]] +; CHECK-NEXT:    br i1 [[EXITCOND]], label [[EXIT:%.*]], label [[FOR_BODY]] +; CHECK:       exit: +; CHECK-NEXT:    store float [[V1_1]], ptr @A, align 4 +; CHECK-NEXT:    ret void +; +entry: +  br label %for.body + +for.body:                                    ; preds = %entry, %for.body +  %v0 = phi float [ 0x4415AF1D80000000, %entry ], [ %v0.1, %for.body ] +  %v1 = phi float [ 0xC415AF1D80000000, %entry ], [ %v1.1, %for.body ] +  %phi.to.remove = phi float [ 0xC415AF1D80000000, %entry ], [ %phi.to.remove.next, %for.body ] +  %i = phi i32 [ 0, %entry ], [ %inc.i, %for.body ] +  %q = phi ptr [ %m, %entry ], [ %q.next, %for.body ] +  %c = phi ptr [ %n, %entry ], [ %c.next, %for.body ] +  %q.load = load float, ptr %q +  %c.load = load float, ptr %c +  %sub = fsub float %q.load, %c.load +  %cmp1 = fcmp olt float %sub, %v0 +  %v0.1 = select i1 %cmp1, float %sub, float %v0 +  %same.as.v1 = select i1 %cmp1, float %v1, float %phi.to.remove +  %cmp2 = fcmp ogt float  %sub, %same.as.v1 +  %v1.1 = select i1 %cmp2, float %sub, float %v1 +  %phi.to.remove.next = select i1 %cmp2, float %sub, float %same.as.v1 +  %inc.i = add nuw nsw i32 %i, 1 +  %q.next = getelementptr inbounds i8, ptr %q, i64 4 +  %c.next = getelementptr inbounds i8, ptr %c, i64 4 +  %exitcond = icmp eq i32 %inc.i, %count +  br i1 %exitcond, label %exit, label %for.body + +exit: +  %vl.1.lcssa = phi float [ %v1.1, %for.body ] +  store float %vl.1.lcssa, ptr @A +  ret void +} + +; Reduced from select_with_identical_phi(). +; Check that %same.as.v1 can be folded. +define void @select_with_identical_phi_2(i1 %cmp1, i1 %cmp2, float %x) { +; CHECK-LABEL: @select_with_identical_phi_2( +; CHECK-NEXT:  entry: +; CHECK-NEXT:    br label [[FOR_BODY:%.*]] +; CHECK:       for.body: +; CHECK-NEXT:    [[V1:%.*]] = phi float [ 0xC415AF1D80000000, [[ENTRY:%.*]] ], [ [[V1_1:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[I:%.*]] = phi i32 [ 0, [[ENTRY]] ], [ [[INC_I:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[V1_1]] = select i1 [[CMP2:%.*]], float [[X:%.*]], float [[V1]] +; CHECK-NEXT:    [[INC_I]] = add nuw nsw i32 [[I]], 1 +; CHECK-NEXT:    [[EXITCOND:%.*]] = icmp eq i32 [[INC_I]], 100 +; CHECK-NEXT:    br i1 [[EXITCOND]], label [[EXIT:%.*]], label [[FOR_BODY]] +; CHECK:       exit: +; CHECK-NEXT:    store float [[V1_1]], ptr @A, align 4 +; CHECK-NEXT:    ret void +; +entry: +  br label %for.body + +for.body:                                    ; preds = %entry, %for.body +  %v1 = phi float [ 0xC415AF1D80000000, %entry ], [ %v1.1, %for.body ] +  %phi.to.remove = phi float [ 0xC415AF1D80000000, %entry ], [ %phi.to.remove.next, %for.body ] +  %i = phi i32 [ 0, %entry ], [ %inc.i, %for.body ] +  %same.as.v1 = select i1 %cmp1, float %v1, float %phi.to.remove +  %v1.1 = select i1 %cmp2, float %x, float %v1 +  %phi.to.remove.next = select i1 %cmp2, float %x, float %same.as.v1 +  %inc.i = add nuw nsw i32 %i, 1 +  %exitcond = icmp eq i32 %inc.i, 100 +  br i1 %exitcond, label %exit, label %for.body + +exit: +  %vl.1.lcssa = phi float [ %v1.1, %for.body ] +  store float %vl.1.lcssa, ptr @A +  ret void +} + +; The difference from select_with_identical_phi_2() is that the true and false values in +; %phi.to.remove.next and %v1.1 are swapped. +; Check that %same.as.v1 can be folded. +define void @select_with_identical_phi_3(i1 %cmp1, i1 %cmp2, float %x) { +; CHECK-LABEL: @select_with_identical_phi_3( +; CHECK-NEXT:  entry: +; CHECK-NEXT:    br label [[FOR_BODY:%.*]] +; CHECK:       for.body: +; CHECK-NEXT:    [[V1:%.*]] = phi float [ 0xC415AF1D80000000, [[ENTRY:%.*]] ], [ [[V1_1:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[I:%.*]] = phi i32 [ 0, [[ENTRY]] ], [ [[INC_I:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[V1_1]] = select i1 [[CMP2:%.*]], float [[V1]], float [[X:%.*]] +; CHECK-NEXT:    [[INC_I]] = add nuw nsw i32 [[I]], 1 +; CHECK-NEXT:    [[EXITCOND:%.*]] = icmp eq i32 [[INC_I]], 100 +; CHECK-NEXT:    br i1 [[EXITCOND]], label [[EXIT:%.*]], label [[FOR_BODY]] +; CHECK:       exit: +; CHECK-NEXT:    store float [[V1_1]], ptr @A, align 4 +; CHECK-NEXT:    ret void +; +entry: +  br label %for.body + +for.body:                                    ; preds = %entry, %for.body +  %v1 = phi float [ 0xC415AF1D80000000, %entry ], [ %v1.1, %for.body ] +  %phi.to.remove = phi float [ 0xC415AF1D80000000, %entry ], [ %phi.to.remove.next, %for.body ] +  %i = phi i32 [ 0, %entry ], [ %inc.i, %for.body ] +  %same.as.v1 = select i1 %cmp1, float %v1, float %phi.to.remove +  %v1.1 = select i1 %cmp2, float %v1, float %x +  %phi.to.remove.next = select i1 %cmp2, float %same.as.v1, float %x +  %inc.i = add nuw nsw i32 %i, 1 +  %exitcond = icmp eq i32 %inc.i, 100 +  br i1 %exitcond, label %exit, label %for.body + +exit: +  %vl.1.lcssa = phi float [ %v1.1, %for.body ] +  store float %vl.1.lcssa, ptr @A +  ret void +} + +; The difference from select_with_identical_phi_2() is that the true and false values in +; same.as.v1 are swapped. +; Check that %same.as.v1 can be folded. +define void @select_with_identical_phi_4(i1 %cmp1, i1 %cmp2, float %x) { +; CHECK-LABEL: @select_with_identical_phi_4( +; CHECK-NEXT:  entry: +; CHECK-NEXT:    br label [[FOR_BODY:%.*]] +; CHECK:       for.body: +; CHECK-NEXT:    [[V1:%.*]] = phi float [ 0xC415AF1D80000000, [[ENTRY:%.*]] ], [ [[V1_1:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[I:%.*]] = phi i32 [ 0, [[ENTRY]] ], [ [[INC_I:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[V1_1]] = select i1 [[CMP2:%.*]], float [[X:%.*]], float [[V1]] +; CHECK-NEXT:    [[INC_I]] = add nuw nsw i32 [[I]], 1 +; CHECK-NEXT:    [[EXITCOND:%.*]] = icmp eq i32 [[INC_I]], 100 +; CHECK-NEXT:    br i1 [[EXITCOND]], label [[EXIT:%.*]], label [[FOR_BODY]] +; CHECK:       exit: +; CHECK-NEXT:    store float [[V1_1]], ptr @A, align 4 +; CHECK-NEXT:    ret void +; +entry: +  br label %for.body + +for.body:                                    ; preds = %entry, %for.body +  %v1 = phi float [ 0xC415AF1D80000000, %entry ], [ %v1.1, %for.body ] +  %phi.to.remove = phi float [ 0xC415AF1D80000000, %entry ], [ %phi.to.remove.next, %for.body ] +  %i = phi i32 [ 0, %entry ], [ %inc.i, %for.body ] +  %same.as.v1 = select i1 %cmp1, float %phi.to.remove, float %v1 +  %v1.1 = select i1 %cmp2, float %x, float %v1 +  %phi.to.remove.next = select i1 %cmp2, float %x, float %same.as.v1 +  %inc.i = add nuw nsw i32 %i, 1 +  %exitcond = icmp eq i32 %inc.i, 100 +  br i1 %exitcond, label %exit, label %for.body + +exit: +  %vl.1.lcssa = phi float [ %v1.1, %for.body ] +  store float %vl.1.lcssa, ptr @A +  ret void +} + +; The difference from select_with_identical_phi() is that the true and false values in +; %same.as.v1, %phi.to.remove.next and %v1.1 are swapped. +; Check that %same.as.v1 can be folded. +define void @select_with_identical_phi_5(i1 %cmp1, i1 %cmp2, float %x) { +; CHECK-LABEL: @select_with_identical_phi_5( +; CHECK-NEXT:  entry: +; CHECK-NEXT:    br label [[FOR_BODY:%.*]] +; CHECK:       for.body: +; CHECK-NEXT:    [[V1:%.*]] = phi float [ 0xC415AF1D80000000, [[ENTRY:%.*]] ], [ [[V1_1:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[I:%.*]] = phi i32 [ 0, [[ENTRY]] ], [ [[INC_I:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[V1_1]] = select i1 [[CMP2:%.*]], float [[V1]], float [[X:%.*]] +; CHECK-NEXT:    [[INC_I]] = add nuw nsw i32 [[I]], 1 +; CHECK-NEXT:    [[EXITCOND:%.*]] = icmp eq i32 [[INC_I]], 100 +; CHECK-NEXT:    br i1 [[EXITCOND]], label [[EXIT:%.*]], label [[FOR_BODY]] +; CHECK:       exit: +; CHECK-NEXT:    store float [[V1_1]], ptr @A, align 4 +; CHECK-NEXT:    ret void +; +entry: +  br label %for.body + +for.body:                                    ; preds = %entry, %for.body +  %v1 = phi float [ 0xC415AF1D80000000, %entry ], [ %v1.1, %for.body ] +  %phi.to.remove = phi float [ 0xC415AF1D80000000, %entry ], [ %phi.to.remove.next, %for.body ] +  %i = phi i32 [ 0, %entry ], [ %inc.i, %for.body ] +  %same.as.v1 = select i1 %cmp1, float %phi.to.remove, float %v1 +  %v1.1 = select i1 %cmp2, float %v1, float %x +  %phi.to.remove.next = select i1 %cmp2, float %same.as.v1, float %x +  %inc.i = add nuw nsw i32 %i, 1 +  %exitcond = icmp eq i32 %inc.i, 100 +  br i1 %exitcond, label %exit, label %for.body + +exit: +  %vl.1.lcssa = phi float [ %v1.1, %for.body ] +  store float %vl.1.lcssa, ptr @A +  ret void +} + +; The difference from select_with_identical_phi_2() is that not all phis are sorted with +; the same order of incoming BBs. +; Check that %same.as.v1 can be folded. +define void @select_with_identical_phi_6(i1 %cmp1, i1 %cmp2, float %x) { +; CHECK-LABEL: @select_with_identical_phi_6( +; CHECK-NEXT:  entry: +; CHECK-NEXT:    br label [[FOR_BODY:%.*]] +; CHECK:       for.body: +; CHECK-NEXT:    [[V1:%.*]] = phi float [ 0xC415AF1D80000000, [[ENTRY:%.*]] ], [ [[V1_1:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[I:%.*]] = phi i32 [ 0, [[ENTRY]] ], [ [[INC_I:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[V1_1]] = select i1 [[CMP2:%.*]], float [[X:%.*]], float [[V1]] +; CHECK-NEXT:    [[INC_I]] = add nuw nsw i32 [[I]], 1 +; CHECK-NEXT:    [[EXITCOND:%.*]] = icmp eq i32 [[INC_I]], 100 +; CHECK-NEXT:    br i1 [[EXITCOND]], label [[EXIT:%.*]], label [[FOR_BODY]] +; CHECK:       exit: +; CHECK-NEXT:    store float [[V1_1]], ptr @A, align 4 +; CHECK-NEXT:    ret void +; +entry: +  br label %for.body + +for.body:                                    ; preds = %entry, %for.body +  %v1 = phi float [ 0xC415AF1D80000000, %entry ], [ %v1.1, %for.body ] +  %phi.to.remove = phi float [ %phi.to.remove.next, %for.body ], [ 0xC415AF1D80000000, %entry ] +  %i = phi i32 [ 0, %entry ], [ %inc.i, %for.body ] +  %same.as.v1 = select i1 %cmp1, float %v1, float %phi.to.remove +  %v1.1 = select i1 %cmp2, float %x, float %v1 +  %phi.to.remove.next = select i1 %cmp2, float %x, float %same.as.v1 +  %inc.i = add nuw nsw i32 %i, 1 +  %exitcond = icmp eq i32 %inc.i, 100 +  br i1 %exitcond, label %exit, label %for.body + +exit: +  %vl.1.lcssa = phi float [ %v1.1, %for.body ] +  store float %vl.1.lcssa, ptr @A +  ret void +} + +; %v1 and %phi.to.remove do not have the same start value. +; Cannot fold %same.as.v1. +define void @select_with_identical_phi_negative_1(i1 %cmp1, i1 %cmp2, float %x) { +; CHECK-LABEL: @select_with_identical_phi_negative_1( +; CHECK-NEXT:  entry: +; CHECK-NEXT:    br label [[FOR_BODY:%.*]] +; CHECK:       for.body: +; CHECK-NEXT:    [[V1:%.*]] = phi float [ 0x4415AF1D80000000, [[ENTRY:%.*]] ], [ [[V1_1:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[PHI_TO_REMOVE:%.*]] = phi float [ 0xC415AF1D80000000, [[ENTRY]] ], [ [[PHI_TO_REMOVE_NEXT:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[I:%.*]] = phi i32 [ 0, [[ENTRY]] ], [ [[INC_I:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[SAME_AS_V1:%.*]] = select i1 [[CMP1:%.*]], float [[V1]], float [[PHI_TO_REMOVE]] +; CHECK-NEXT:    [[V1_1]] = select i1 [[CMP2:%.*]], float [[X:%.*]], float [[V1]] +; CHECK-NEXT:    [[PHI_TO_REMOVE_NEXT]] = select i1 [[CMP2]], float [[X]], float [[SAME_AS_V1]] +; CHECK-NEXT:    [[INC_I]] = add nuw nsw i32 [[I]], 1 +; CHECK-NEXT:    [[EXITCOND:%.*]] = icmp eq i32 [[INC_I]], 100 +; CHECK-NEXT:    br i1 [[EXITCOND]], label [[EXIT:%.*]], label [[FOR_BODY]] +; CHECK:       exit: +; CHECK-NEXT:    store float [[V1_1]], ptr @A, align 4 +; CHECK-NEXT:    ret void +; +entry: +  br label %for.body + +for.body:                                    ; preds = %entry, %for.body +  %v1 = phi float [ 0x4415AF1D80000000, %entry ], [ %v1.1, %for.body ] +  %phi.to.remove = phi float [ 0xC415AF1D80000000, %entry ], [ %phi.to.remove.next, %for.body ] +  %i = phi i32 [ 0, %entry ], [ %inc.i, %for.body ] +  %same.as.v1 = select i1 %cmp1, float %v1, float %phi.to.remove +  %v1.1 = select i1 %cmp2, float %x, float %v1 +  %phi.to.remove.next = select i1 %cmp2, float %x, float %same.as.v1 +  %inc.i = add nuw nsw i32 %i, 1 +  %exitcond = icmp eq i32 %inc.i, 100 +  br i1 %exitcond, label %exit, label %for.body + +exit: +  %vl.1.lcssa = phi float [ %v1.1, %for.body ] +  store float %vl.1.lcssa, ptr @A +  ret void +} + +; %v1 and %phi.to.remove do not act as the same phi since %v1.1 and %phi.to.remove.next do not evolve the same. +; Cannot fold %same.as.v1. +define void @select_with_identical_phi_negative_2(i1 %cmp1, i1 %cmp2, float %x) { +; CHECK-LABEL: @select_with_identical_phi_negative_2( +; CHECK-NEXT:  entry: +; CHECK-NEXT:    br label [[FOR_BODY:%.*]] +; CHECK:       for.body: +; CHECK-NEXT:    [[V1:%.*]] = phi float [ 0xC415AF1D80000000, [[ENTRY:%.*]] ], [ [[V1_1:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[PHI_TO_REMOVE:%.*]] = phi float [ 0xC415AF1D80000000, [[ENTRY]] ], [ [[PHI_TO_REMOVE_NEXT:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[I:%.*]] = phi i32 [ 0, [[ENTRY]] ], [ [[INC_I:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[SAME_AS_V1:%.*]] = select i1 [[CMP1:%.*]], float [[V1]], float [[PHI_TO_REMOVE]] +; CHECK-NEXT:    [[V1_1]] = select i1 [[CMP2:%.*]], float [[V1]], float [[X:%.*]] +; CHECK-NEXT:    [[PHI_TO_REMOVE_NEXT]] = select i1 [[CMP2]], float [[X]], float [[SAME_AS_V1]] +; CHECK-NEXT:    [[INC_I]] = add nuw nsw i32 [[I]], 1 +; CHECK-NEXT:    [[EXITCOND:%.*]] = icmp eq i32 [[INC_I]], 100 +; CHECK-NEXT:    br i1 [[EXITCOND]], label [[EXIT:%.*]], label [[FOR_BODY]] +; CHECK:       exit: +; CHECK-NEXT:    store float [[V1_1]], ptr @A, align 4 +; CHECK-NEXT:    ret void +; +entry: +  br label %for.body + +for.body:                                    ; preds = %entry, %for.body +  %v1 = phi float [ 0xC415AF1D80000000, %entry ], [ %v1.1, %for.body ] +  %phi.to.remove = phi float [ 0xC415AF1D80000000, %entry ], [ %phi.to.remove.next, %for.body ] +  %i = phi i32 [ 0, %entry ], [ %inc.i, %for.body ] +  %same.as.v1 = select i1 %cmp1, float %v1, float %phi.to.remove +  %v1.1 = select i1 %cmp2, float %v1, float %x +  %phi.to.remove.next = select i1 %cmp2, float %x, float %same.as.v1 +  %inc.i = add nuw nsw i32 %i, 1 +  %exitcond = icmp eq i32 %inc.i, 100 +  br i1 %exitcond, label %exit, label %for.body + +exit: +  %vl.1.lcssa = phi float [ %v1.1, %for.body ] +  store float %vl.1.lcssa, ptr @A +  ret void +} + +; %v1 and %phi.to.remove do not act as the same phi since %v1.1 and %phi.to.remove.next do not +; have the same condition. +; Cannot fold %same.as.v1. +define void @select_with_identical_phi_negative_3(i1 %cmp1, i1 %cmp2, i1 %cmp3, float %x) { +; CHECK-LABEL: @select_with_identical_phi_negative_3( +; CHECK-NEXT:  entry: +; CHECK-NEXT:    br label [[FOR_BODY:%.*]] +; CHECK:       for.body: +; CHECK-NEXT:    [[V1:%.*]] = phi float [ 0xC415AF1D80000000, [[ENTRY:%.*]] ], [ [[V1_1:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[PHI_TO_REMOVE:%.*]] = phi float [ 0xC415AF1D80000000, [[ENTRY]] ], [ [[PHI_TO_REMOVE_NEXT:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[I:%.*]] = phi i32 [ 0, [[ENTRY]] ], [ [[INC_I:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[SAME_AS_V1:%.*]] = select i1 [[CMP1:%.*]], float [[V1]], float [[PHI_TO_REMOVE]] +; CHECK-NEXT:    [[V1_1]] = select i1 [[CMP3:%.*]], float [[V1]], float [[X:%.*]] +; CHECK-NEXT:    [[PHI_TO_REMOVE_NEXT]] = select i1 [[CMP2:%.*]], float [[X]], float [[SAME_AS_V1]] +; CHECK-NEXT:    [[INC_I]] = add nuw nsw i32 [[I]], 1 +; CHECK-NEXT:    [[EXITCOND:%.*]] = icmp eq i32 [[INC_I]], 100 +; CHECK-NEXT:    br i1 [[EXITCOND]], label [[EXIT:%.*]], label [[FOR_BODY]] +; CHECK:       exit: +; CHECK-NEXT:    store float [[V1_1]], ptr @A, align 4 +; CHECK-NEXT:    ret void +; +entry: +  br label %for.body + +for.body:                                    ; preds = %entry, %for.body +  %v1 = phi float [ 0xC415AF1D80000000, %entry ], [ %v1.1, %for.body ] +  %phi.to.remove = phi float [ 0xC415AF1D80000000, %entry ], [ %phi.to.remove.next, %for.body ] +  %i = phi i32 [ 0, %entry ], [ %inc.i, %for.body ] +  %same.as.v1 = select i1 %cmp1, float %v1, float %phi.to.remove +  %v1.1 = select i1 %cmp3, float %v1, float %x +  %phi.to.remove.next = select i1 %cmp2, float %x, float %same.as.v1 +  %inc.i = add nuw nsw i32 %i, 1 +  %exitcond = icmp eq i32 %inc.i, 100 +  br i1 %exitcond, label %exit, label %for.body + +exit: +  %vl.1.lcssa = phi float [ %v1.1, %for.body ] +  store float %vl.1.lcssa, ptr @A +  ret void +} + +; The true and false values of %same.as.v1 are not really the same phi. +; Cannot fold %same.as.v1. +define void @select_with_identical_phi_negative_4(i1 %cmp1, i1 %cmp2, float %x) { +; CHECK-LABEL: @select_with_identical_phi_negative_4( +; CHECK-NEXT:  entry: +; CHECK-NEXT:    br label [[FOR_BODY:%.*]] +; CHECK:       for.body: +; CHECK-NEXT:    [[V0:%.*]] = phi float [ 0x4415AF1D80000000, [[ENTRY:%.*]] ], [ [[V0_1:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[V1:%.*]] = phi float [ 0xC415AF1D80000000, [[ENTRY]] ], [ [[V1_1:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[PHI_TO_REMOVE:%.*]] = phi float [ 0xC415AF1D80000000, [[ENTRY]] ], [ [[PHI_TO_REMOVE_NEXT:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[I:%.*]] = phi i32 [ 0, [[ENTRY]] ], [ [[INC_I:%.*]], [[FOR_BODY]] ] +; CHECK-NEXT:    [[SAME_AS_V1:%.*]] = select i1 [[CMP1:%.*]], float [[V0]], float [[PHI_TO_REMOVE]] +; CHECK-NEXT:    [[V1_1]] = select i1 [[CMP2:%.*]], float [[X:%.*]], float [[V1]] +; CHECK-NEXT:    [[PHI_TO_REMOVE_NEXT]] = select i1 [[CMP2]], float [[X]], float [[SAME_AS_V1]] +; CHECK-NEXT:    [[V0_1]] = fadd float [[V0]], 1.000000e+00 +; CHECK-NEXT:    [[INC_I]] = add nuw nsw i32 [[I]], 1 +; CHECK-NEXT:    [[EXITCOND:%.*]] = icmp eq i32 [[INC_I]], 100 +; CHECK-NEXT:    br i1 [[EXITCOND]], label [[EXIT:%.*]], label [[FOR_BODY]] +; CHECK:       exit: +; CHECK-NEXT:    store float [[V1_1]], ptr @A, align 4 +; CHECK-NEXT:    ret void +; +entry: +  br label %for.body + +for.body:                                    ; preds = %entry, %for.body +  %v0 = phi float [ 0x4415AF1D80000000, %entry ], [ %v0.1, %for.body ] +  %v1 = phi float [ 0xC415AF1D80000000, %entry ], [ %v1.1, %for.body ] +  %phi.to.remove = phi float [ 0xC415AF1D80000000, %entry ], [ %phi.to.remove.next, %for.body ] +  %i = phi i32 [ 0, %entry ], [ %inc.i, %for.body ] +  %same.as.v1 = select i1 %cmp1, float %v0, float %phi.to.remove +  %v1.1 = select i1 %cmp2, float %x, float %v1 +  %phi.to.remove.next = select i1 %cmp2, float %x, float %same.as.v1 +  %v0.1 = fadd float %v0, 1.0 +  %inc.i = add nuw nsw i32 %i, 1 +  %exitcond = icmp eq i32 %inc.i, 100 +  br i1 %exitcond, label %exit, label %for.body + +exit: +  %vl.1.lcssa = phi float [ %v1.1, %for.body ] +  store float %vl.1.lcssa, ptr @A +  ret void +} diff --git a/llvm/tools/llvm-cov/llvm-cov.cpp b/llvm/tools/llvm-cov/llvm-cov.cpp index 5ada5578..52610eff 100644 --- a/llvm/tools/llvm-cov/llvm-cov.cpp +++ b/llvm/tools/llvm-cov/llvm-cov.cpp @@ -71,8 +71,8 @@ int main(int argc, const char **argv) {                              .Case("gcov", gcovMain)                              .Case("report", reportMain)                              .Case("show", showMain) -                            .Cases("-h", "-help", "--help", helpMain) -                            .Cases("-version", "--version", versionMain) +                            .Cases({"-h", "-help", "--help"}, helpMain) +                            .Cases({"-version", "--version"}, versionMain)                              .Default(nullptr);      if (Func) { diff --git a/llvm/unittests/ADT/StringSwitchTest.cpp b/llvm/unittests/ADT/StringSwitchTest.cpp index d88a0ff..c94feb5 100644 --- a/llvm/unittests/ADT/StringSwitchTest.cpp +++ b/llvm/unittests/ADT/StringSwitchTest.cpp @@ -157,7 +157,7 @@ TEST(StringSwitchTest, Cases) {    auto Translate = [](StringRef S) {      return llvm::StringSwitch<OSType>(S) -        .Cases(StringLiteral::withInnerNUL("wind\0ws"), "win32", "winnt", +        .Cases({StringLiteral::withInnerNUL("wind\0ws"), "win32", "winnt"},                 OSType::Windows)          .Cases({"linux", "unix", "*nix", "posix"}, OSType::Linux)          .Cases({"macos", "osx"}, OSType::MacOS) @@ -189,7 +189,7 @@ TEST(StringSwitchTest, CasesLower) {    auto Translate = [](StringRef S) {      return llvm::StringSwitch<OSType>(S) -        .CasesLower(StringLiteral::withInnerNUL("wind\0ws"), "win32", "winnt", +        .CasesLower({StringLiteral::withInnerNUL("wind\0ws"), "win32", "winnt"},                      OSType::Windows)          .CasesLower({"linux", "unix", "*nix", "posix"}, OSType::Linux)          .CasesLower({"macos", "osx"}, OSType::MacOS) diff --git a/llvm/utils/TableGen/Common/GlobalISel/GlobalISelMatchTable.h b/llvm/utils/TableGen/Common/GlobalISel/GlobalISelMatchTable.h index a310fc8..6477589 100644 --- a/llvm/utils/TableGen/Common/GlobalISel/GlobalISelMatchTable.h +++ b/llvm/utils/TableGen/Common/GlobalISel/GlobalISelMatchTable.h @@ -365,7 +365,7 @@ public:    /// has been already called. If any of the matchers are moved out, the group    /// becomes safe to destroy, but not safe to re-use for anything else.    iterator_range<std::vector<Matcher *>::iterator> matchers() { -    return make_range(Matchers.begin(), Matchers.end()); +    return Matchers;    }    size_t size() const { return Matchers.size(); }    bool empty() const { return Matchers.empty(); } @@ -704,9 +704,7 @@ public:      return make_range(PhysRegOperands.begin(), PhysRegOperands.end());    } -  iterator_range<MatchersTy::iterator> insnmatchers() { -    return make_range(Matchers.begin(), Matchers.end()); -  } +  iterator_range<MatchersTy::iterator> insnmatchers() { return Matchers; }    bool insnmatchers_empty() const { return Matchers.empty(); }    void insnmatchers_pop_front();  }; diff --git a/llvm/utils/TableGen/RegisterBankEmitter.cpp b/llvm/utils/TableGen/RegisterBankEmitter.cpp index e00b06c..61b0b66 100644 --- a/llvm/utils/TableGen/RegisterBankEmitter.cpp +++ b/llvm/utils/TableGen/RegisterBankEmitter.cpp @@ -102,7 +102,7 @@ public:    iterator_range<typename RegisterClassesTy::const_iterator>    register_classes() const { -    return llvm::make_range(RCs.begin(), RCs.end()); +    return RCs;    }  }; diff --git a/mlir/docs/Bindings/Python.md b/mlir/docs/Bindings/Python.md index 6f778b0..877ae51 100644 --- a/mlir/docs/Bindings/Python.md +++ b/mlir/docs/Bindings/Python.md @@ -9,7 +9,7 @@  ### Pre-requisites  *   A relatively recent Python3 installation -*   Installation of python dependencies as specified in +*   Installation of Python dependencies as specified in      `mlir/python/requirements.txt`  ### CMake variables @@ -27,8 +27,8 @@  ### Recommended development practices -It is recommended to use a python virtual environment. Many ways exist for this, -but the following is the simplest: +It is recommended to use a Python virtual environment. Many ways exist for this, +but one of the following is generally recommended:  ```shell  # Make sure your 'python' is what you expect. Note that on multi-python @@ -37,7 +37,22 @@ but the following is the simplest:  which python  python -m venv ~/.venv/mlirdev  source ~/.venv/mlirdev/bin/activate +``` + +Or, if you have uv installed on your system, you can also use the following commands +to create the same environment (targeting a Python 3.12 toolchain in this example): + +```shell +uv venv ~/.venv/mlirdev --seed -p 3.12 +source ~/.venv/mlirdev/bin/activate +``` + +You can change the Python version (`-p` flag) as needed - if you request any Python interpreter +not present on your system, uv will attempt to download it, unless the `--no-python-downloads` option is given. +For information on how to install uv, refer to the official documentation at +https://docs.astral.sh/uv/getting-started/installation/ +```shell  # Note that many LTS distros will bundle a version of pip itself that is too  # old to download all of the latest binaries for certain platforms.  # The pip version can be obtained with `python -m pip --version`, and for @@ -46,14 +61,16 @@ source ~/.venv/mlirdev/bin/activate  # It is recommended to upgrade pip:  python -m pip install --upgrade pip -  # Now the `python` command will resolve to your virtual environment and  # packages will be installed there.  python -m pip install -r mlir/python/requirements.txt +# In a uv-generated virtual environment, you can instead run: +uv pip install -r mlir/python/requirements.txt +  # Now run your build command with `cmake`, `ninja`, et al. -# Run mlir tests. For example, to run python bindings tests only using ninja: +# Run mlir tests. For example, to run Python bindings tests only using ninja:  ninja check-mlir-python  ``` @@ -65,7 +82,7 @@ the `PYTHONPATH`. Typically:  export PYTHONPATH=$(cd build && pwd)/tools/mlir/python_packages/mlir_core  ``` -Note that if you have installed (i.e. via `ninja install`, et al), then python +Note that if you have installed (i.e. via `ninja install`, et al), then Python  packages for all enabled projects will be in your install tree under  `python_packages/` (i.e. `python_packages/mlir_core`). Official distributions  are built with a more specialized setup. @@ -74,14 +91,14 @@ are built with a more specialized setup.  ### Use cases -There are likely two primary use cases for the MLIR python bindings: +There are likely two primary use cases for the MLIR Python bindings:  1.  Support users who expect that an installed version of LLVM/MLIR will yield      the ability to `import mlir` and use the API in a pure way out of the box.  1.  Downstream integrations will likely want to include parts of the API in      their private namespace or specially built libraries, probably mixing it -    with other python native bits. +    with other Python native bits.  ### Composable modules @@ -89,8 +106,8 @@ In order to support use case \#2, the Python bindings are organized into  composable modules that downstream integrators can include and re-export into  their own namespace if desired. This forces several design points: -*   Separate the construction/populating of a `py::module` from -    `PYBIND11_MODULE` global constructor. +*   Separate the construction/populating of a `nb::module` from +    `NB_MODULE` global constructor.  *   Introduce headers for C++-only wrapper classes as other related C++ modules      will need to interop with it. @@ -130,7 +147,7 @@ registration, etc.  ### Loader -LLVM/MLIR is a non-trivial python-native project that is likely to co-exist with +LLVM/MLIR is a non-trivial Python-native project that is likely to co-exist with  other non-trivial native extensions. As such, the native extension (i.e. the  `.so`/`.pyd`/`.dylib`) is exported as a notionally private top-level symbol  (`_mlir`), while a small set of Python code is provided in @@ -160,7 +177,7 @@ are) with non-RTTI polymorphic C++ code (the default compilation mode of LLVM).  ### Ownership in the Core IR  There are several top-level types in the core IR that are strongly owned by -their python-side reference: +their Python-side reference:  *   `PyContext` (`mlir.ir.Context`)  *   `PyModule` (`mlir.ir.Module`) @@ -219,23 +236,24 @@ Due to the validity and parenting accounting needs, `PyOperation` is the owner  for regions and blocks. Operations are also the only entities which are allowed to be in  a detached state. -**Note**: Multiple `PyOperation` objects (i.e., the Python objects themselves) can alias a single `mlir::Operation`.  -This means, for example, if you have `py_op1` and `py_op2` which wrap the same `mlir::Operation op`  +**Note**: Multiple `PyOperation` objects (i.e., the Python objects themselves) can alias a single `mlir::Operation`. +This means, for example, if you have `py_op1` and `py_op2` which wrap the same `mlir::Operation op`  and you somehow transform `op` (e.g., you run a pass on `op`) then walking the MLIR AST via either/or `py_op1`, `py_op2` -will reflect the same MLIR AST. This is perfectly safe and supported. What is not supported is invalidating any  -operation while there exist multiple Python objects wrapping that operation **and then manipulating those wrappers**.  -For example if `py_op1` and `py_op2` wrap the same operation under a root `py_op3` and then `py_op3` is  -transformed such that the operation referenced (by `py_op1`, `py_op2`) is erased. Then `py_op1`, `py_op2`  -become "undefined" in a sense; manipulating them in any way is "formally forbidden". Note, this also applies to  -`SymbolTable` mutation, which is considered a transformation of the root `SymbolTable`-supporting operation for the  -purposes of the discussion here. Metaphorically, one can think of this similarly to how STL container iterators are invalidated once the container itself is changed. The "best practices" recommendation is to structure your code such that  +will reflect the same MLIR AST. This is perfectly safe and supported. What is not supported is invalidating any +operation while there exist multiple Python objects wrapping that operation **and then manipulating those wrappers**. +For example if `py_op1` and `py_op2` wrap the same operation under a root `py_op3` and then `py_op3` is +transformed such that the operation referenced (by `py_op1`, `py_op2`) is erased. Then `py_op1`, `py_op2` +become "undefined" in a sense; manipulating them in any way is "formally forbidden". Note, this also applies to +`SymbolTable` mutation, which is considered a transformation of the root `SymbolTable`-supporting operation for the +purposes of the discussion here. Metaphorically, one can think of this similarly to how STL container iterators are invalidated +once the container itself is changed. The "best practices" recommendation is to structure your code such that  1. First, query/manipulate various Python wrapper objects `py_op1`, `py_op2`, `py_op3`, etc.;  2. Second, transform the AST/erase operations/etc. via a single root object;  3. Invalidate all queried nodes (e.g., using `op._set_invalid()`). -Ideally this should be done in a function body so that step (3) corresponds to the end of the function and there are no  -risks of Python wrapper objects leaking/living longer than necessary. In summary, you should scope your changes based on  +Ideally this should be done in a function body so that step (3) corresponds to the end of the function and there are no +risks of Python wrapper objects leaking/living longer than necessary. In summary, you should scope your changes based on  nesting i.e., change leaf nodes first before going up in hierarchy, and only in very rare cases query nested ops post  modifying a parent op. @@ -773,7 +791,7 @@ This allows to invoke op creation of an op with a `I32Attr` with  foo.Op(30)  ``` -The registration is based on the ODS name but registry is via pure python +The registration is based on the ODS name but registry is via pure Python  method. Only single custom builder is allowed to be registered per ODS attribute  type (e.g., I32Attr can have only one, which can correspond to multiple of the  underlying IntegerAttr type). @@ -795,13 +813,13 @@ either for practicality or to give the resulting library an appropriately  Generally favor converting trivial methods like `getContext()`, `getName()`,  `isEntryBlock()`, etc to read-only Python properties (i.e. `context`). It is -primarily a matter of calling `def_property_readonly` vs `def` in binding code, +primarily a matter of calling `def_prop_ro` vs `def` in binding code,  and makes things feel much nicer to the Python side.  For example, prefer:  ```c++ -m.def_property_readonly("context", ...) +m.def_prop_ro("context", ...)  ```  Over: @@ -914,7 +932,7 @@ def create_my_op():  The MLIR Python bindings integrate with the tablegen-based ODS system for  providing user-friendly wrappers around MLIR dialects and operations. There are  multiple parts to this integration, outlined below. Most details have been -elided: refer to the build rules and python sources under `mlir.dialects` for +elided: refer to the build rules and Python sources under `mlir.dialects` for  the canonical way to use this facility.  Users are responsible for providing a `{DIALECT_NAMESPACE}.py` (or an equivalent @@ -922,9 +940,9 @@ directory with `__init__.py` file) as the entrypoint.  ### Generating `_{DIALECT_NAMESPACE}_ops_gen.py` wrapper modules -Each dialect with a mapping to python requires that an appropriate +Each dialect with a mapping to Python requires that an appropriate  `_{DIALECT_NAMESPACE}_ops_gen.py` wrapper module is created. This is done by -invoking `mlir-tblgen` on a python-bindings specific tablegen wrapper that +invoking `mlir-tblgen` on a Python-bindings specific tablegen wrapper that  includes the boilerplate and actual dialect specific `td` file. An example, for  the `Func` (which is assigned the namespace `func` as a special case): @@ -954,7 +972,7 @@ from ._my_dialect_ops_gen import *  ### Extending the search path for wrapper modules -When the python bindings need to locate a wrapper module, they consult the +When the Python bindings need to locate a wrapper module, they consult the  `dialect_search_path` and use it to find an appropriately named module. For the  main repository, this search path is hard-coded to include the `mlir.dialects`  module, which is where wrappers are emitted by the above build rule. Out of tree @@ -1153,7 +1171,7 @@ subclasses can be defined using  [`include/mlir/Bindings/Python/PybindAdaptors.h`](https://github.com/llvm/llvm-project/blob/main/mlir/include/mlir/Bindings/Python/PybindAdaptors.h)  or  [`include/mlir/Bindings/Python/NanobindAdaptors.h`](https://github.com/llvm/llvm-project/blob/main/mlir/include/mlir/Bindings/Python/NanobindAdaptors.h) -utilities that mimic pybind11/nanobind API for defining functions and +utilities that mimic pybind11/nanobind APIs for defining functions and  properties. These bindings are to be included in a separate module. The  utilities also provide automatic casting between C API handles `MlirAttribute`  and `MlirType` and their Python counterparts so that the C API handles can be @@ -1176,11 +1194,11 @@ are available when the dialect is loaded from Python.  Dialect-specific passes can be made available to the pass manager in Python by  registering them with the context and relying on the API for pass pipeline  parsing from string descriptions. This can be achieved by creating a new -pybind11 module, defined in `lib/Bindings/Python/<Dialect>Passes.cpp`, that +nanobind module, defined in `lib/Bindings/Python/<Dialect>Passes.cpp`, that  calls the registration C API, which must be provided first. For passes defined  declaratively using Tablegen, `mlir-tblgen -gen-pass-capi-header` and  `-mlir-tblgen -gen-pass-capi-impl` automate the generation of C API. The -pybind11 module must be compiled into a separate “Python extension” library, +nanobind module must be compiled into a separate “Python extension” library,  which can be `import`ed  from the main dialect file, i.e.  `python/mlir/dialects/<dialect-namespace>.py` or  `python/mlir/dialects/<dialect-namespace>/__init__.py`, or from a separate diff --git a/mlir/include/mlir/Dialect/SparseTensor/IR/SparseTensor.h b/mlir/include/mlir/Dialect/SparseTensor/IR/SparseTensor.h index d0a3f01..43e48a6 100644 --- a/mlir/include/mlir/Dialect/SparseTensor/IR/SparseTensor.h +++ b/mlir/include/mlir/Dialect/SparseTensor/IR/SparseTensor.h @@ -158,16 +158,14 @@ namespace sparse_tensor {  /// Convenience method to abbreviate casting `getType()`.  template <typename T>  inline RankedTensorType getRankedTensorType(T &&t) { -  assert(static_cast<bool>(std::forward<T>(t)) && -         "getRankedTensorType got null argument"); +  assert(static_cast<bool>(t) && "getRankedTensorType got null argument");    return dyn_cast<RankedTensorType>(std::forward<T>(t).getType());  }  /// Convenience method to abbreviate casting `getType()`.  template <typename T>  inline MemRefType getMemRefType(T &&t) { -  assert(static_cast<bool>(std::forward<T>(t)) && -         "getMemRefType got null argument"); +  assert(static_cast<bool>(t) && "getMemRefType got null argument");    return cast<MemRefType>(std::forward<T>(t).getType());  } diff --git a/mlir/lib/Bindings/Python/IRCore.cpp b/mlir/lib/Bindings/Python/IRCore.cpp index 06d0256..cda4fe1 100644 --- a/mlir/lib/Bindings/Python/IRCore.cpp +++ b/mlir/lib/Bindings/Python/IRCore.cpp @@ -598,7 +598,7 @@ class PyOpOperand {  public:    PyOpOperand(MlirOpOperand opOperand) : opOperand(opOperand) {} -  PyOpView getOwner() { +  nb::typed<nb::object, PyOpView> getOwner() {      MlirOperation owner = mlirOpOperandGetOwner(opOperand);      PyMlirContextRef context =          PyMlirContext::forContext(mlirOperationGetContext(owner)); diff --git a/mlir/lib/Dialect/SparseTensor/Transforms/Utils/IterationGraphSorter.cpp b/mlir/lib/Dialect/SparseTensor/Transforms/Utils/IterationGraphSorter.cpp index 73e0f3d..f53d272 100644 --- a/mlir/lib/Dialect/SparseTensor/Transforms/Utils/IterationGraphSorter.cpp +++ b/mlir/lib/Dialect/SparseTensor/Transforms/Utils/IterationGraphSorter.cpp @@ -159,14 +159,22 @@ IterationGraphSorter::IterationGraphSorter(        loop2OutLvl(loop2OutLvl), iterTypes(std::move(iterTypes)),        strategy(strategy) {    // One map per tensor. -  assert(loop2InsLvl.size() == ins.size()); +  assert(this->loop2InsLvl.size() == this->ins.size());    // All the affine maps have the same number of dimensions (loops).    assert(llvm::all_equal(llvm::map_range( -      loop2InsLvl, [](AffineMap m) { return m.getNumDims(); }))); +      this->loop2InsLvl, [](AffineMap m) { return m.getNumDims(); })));    // The number of results of the map should match the rank of the tensor. -  assert(llvm::all_of(llvm::zip(loop2InsLvl, ins), [](auto mvPair) { +  assert(llvm::all_of(llvm::zip(this->loop2InsLvl, this->ins), [](auto mvPair) {      auto [m, v] = mvPair; -    return m.getNumResults() == cast<ShapedType>(v.getType()).getRank(); + +    // For ranked types the rank must match. +    // Simply return true for UnrankedTensorType +    if (auto shapedType = llvm::dyn_cast<ShapedType>(v.getType())) { +      return !shapedType.hasRank() || +             (m.getNumResults() == shapedType.getRank()); +    } +    // Non-shaped (scalar) types behave like rank-0. +    return m.getNumResults() == 0;    }));    itGraph.resize(getNumLoops(), std::vector<bool>(getNumLoops(), false)); diff --git a/mlir/test/python/ir/operation.py b/mlir/test/python/ir/operation.py index 1d4ede1..f5fa4da 100644 --- a/mlir/test/python/ir/operation.py +++ b/mlir/test/python/ir/operation.py @@ -1187,3 +1187,15 @@ def testOpWalk():          module.operation.walk(callback)      except RuntimeError:          print("Exception raised") + + +# CHECK-LABEL: TEST: testGetOwnerConcreteOpview +@run +def testGetOwnerConcreteOpview(): +    with Context() as ctx, Location.unknown(): +        module = Module.create() +        with InsertionPoint(module.body): +            a = arith.ConstantOp(value=42, result=IntegerType.get_signless(32)) +            r = arith.AddIOp(a, a, overflowFlags=arith.IntegerOverflowFlags.nsw) +            for u in a.result.uses: +                assert isinstance(u.owner, arith.AddIOp) | 
