Use a BumpPtrAllocator for Loop objects

Summary:
And now that we no longer have to explicitly free() the Loop instances, we can
(with more ease) use the destructor of LoopBase to do what LoopBase::clear() was
doing.

Reviewers: chandlerc

Subscribers: mehdi_amini, mcrosier, llvm-commits

Differential Revision: https://reviews.llvm.org/D38201

git-svn-id: https://llvm.org/svn/llvm-project/llvm/trunk@314375 91177308-0d34-0410-b5e6-96231b3b80d8
This commit is contained in:
Sanjoy Das 2017-09-28 02:45:42 +00:00
parent a420002dfe
commit e87cf87e45
23 changed files with 126 additions and 75 deletions

View File

@ -46,7 +46,9 @@
#include "llvm/IR/Instructions.h" #include "llvm/IR/Instructions.h"
#include "llvm/IR/PassManager.h" #include "llvm/IR/PassManager.h"
#include "llvm/Pass.h" #include "llvm/Pass.h"
#include "llvm/Support/Allocator.h"
#include <algorithm> #include <algorithm>
#include <utility>
namespace llvm { namespace llvm {
@ -74,25 +76,16 @@ template <class BlockT, class LoopT> class LoopBase {
SmallPtrSet<const BlockT *, 8> DenseBlockSet; SmallPtrSet<const BlockT *, 8> DenseBlockSet;
#if !defined(NDEBUG) || !LLVM_ENABLE_ABI_BREAKING_CHECKS
/// Indicator that this loop is no longer a valid loop. /// Indicator that this loop is no longer a valid loop.
bool IsInvalid = false; bool IsInvalid = false;
#endif
LoopBase(const LoopBase<BlockT, LoopT> &) = delete; LoopBase(const LoopBase<BlockT, LoopT> &) = delete;
const LoopBase<BlockT, LoopT> & const LoopBase<BlockT, LoopT> &
operator=(const LoopBase<BlockT, LoopT> &) = delete; operator=(const LoopBase<BlockT, LoopT> &) = delete;
void clear() {
IsInvalid = true;
SubLoops.clear();
Blocks.clear();
DenseBlockSet.clear();
ParentLoop = nullptr;
}
public: public:
/// This creates an empty loop.
LoopBase() : ParentLoop(nullptr) {}
/// Return the nesting level of this loop. An outer-most loop has depth 1, /// Return the nesting level of this loop. An outer-most loop has depth 1,
/// for consistency with loop depth values used for basic blocks, where depth /// for consistency with loop depth values used for basic blocks, where depth
/// 0 is used for blocks not inside any loops. /// 0 is used for blocks not inside any loops.
@ -172,8 +165,15 @@ public:
return Blocks.size(); return Blocks.size();
} }
/// Return true if this loop is no longer valid. #ifndef NDEBUG
/// Return true if this loop is no longer valid. The only valid use of this
/// helper is "assert(L.isInvalid())" or equivalent, since IsInvalid is set to
/// false by the destructor. In other words, if this accessor returns false,
/// the caller has already triggered UB by calling this accessor; and so it
/// can only be called in a context where a return value of false indicates a
/// programmer error.
bool isInvalid() const { return IsInvalid; } bool isInvalid() const { return IsInvalid; }
#endif
/// True if terminator in the block can branch to another block that is /// True if terminator in the block can branch to another block that is
/// outside of the current loop. /// outside of the current loop.
@ -370,6 +370,10 @@ public:
protected: protected:
friend class LoopInfoBase<BlockT, LoopT>; friend class LoopInfoBase<BlockT, LoopT>;
/// This creates an empty loop.
LoopBase() : ParentLoop(nullptr) {}
explicit LoopBase(BlockT *BB) : ParentLoop(nullptr) { explicit LoopBase(BlockT *BB) : ParentLoop(nullptr) {
Blocks.push_back(BB); Blocks.push_back(BB);
DenseBlockSet.insert(BB); DenseBlockSet.insert(BB);
@ -386,7 +390,13 @@ protected:
// non-public. // non-public.
~LoopBase() { ~LoopBase() {
for (auto *SubLoop : SubLoops) for (auto *SubLoop : SubLoops)
delete SubLoop; SubLoop->~LoopT();
IsInvalid = true;
SubLoops.clear();
Blocks.clear();
DenseBlockSet.clear();
ParentLoop = nullptr;
} }
}; };
@ -422,8 +432,6 @@ public:
explicit operator bool() const { return Start && End; } explicit operator bool() const { return Start && End; }
}; };
Loop() {}
/// Return true if the specified value is loop invariant. /// Return true if the specified value is loop invariant.
bool isLoopInvariant(const Value *V) const; bool isLoopInvariant(const Value *V) const;
@ -534,8 +542,6 @@ public:
LocRange getLocRange() const; LocRange getLocRange() const;
StringRef getName() const { StringRef getName() const {
if (isInvalid())
return "<invalidated loop>";
if (BasicBlock *Header = getHeader()) if (BasicBlock *Header = getHeader())
if (Header->hasName()) if (Header->hasName())
return Header->getName(); return Header->getName();
@ -543,6 +549,8 @@ public:
} }
private: private:
Loop() = default;
friend class LoopInfoBase<BasicBlock, Loop>; friend class LoopInfoBase<BasicBlock, Loop>;
friend class LoopBase<BasicBlock, Loop>; friend class LoopBase<BasicBlock, Loop>;
explicit Loop(BasicBlock *BB) : LoopBase<BasicBlock, Loop>(BB) {} explicit Loop(BasicBlock *BB) : LoopBase<BasicBlock, Loop>(BB) {}
@ -558,7 +566,7 @@ template <class BlockT, class LoopT> class LoopInfoBase {
// BBMap - Mapping of basic blocks to the inner most loop they occur in // BBMap - Mapping of basic blocks to the inner most loop they occur in
DenseMap<const BlockT *, LoopT *> BBMap; DenseMap<const BlockT *, LoopT *> BBMap;
std::vector<LoopT *> TopLevelLoops; std::vector<LoopT *> TopLevelLoops;
std::vector<LoopT *> RemovedLoops; BumpPtrAllocator LoopAllocator;
friend class LoopBase<BlockT, LoopT>; friend class LoopBase<BlockT, LoopT>;
friend class LoopInfo; friend class LoopInfo;
@ -572,7 +580,8 @@ public:
LoopInfoBase(LoopInfoBase &&Arg) LoopInfoBase(LoopInfoBase &&Arg)
: BBMap(std::move(Arg.BBMap)), : BBMap(std::move(Arg.BBMap)),
TopLevelLoops(std::move(Arg.TopLevelLoops)) { TopLevelLoops(std::move(Arg.TopLevelLoops)),
LoopAllocator(std::move(Arg.LoopAllocator)) {
// We have to clear the arguments top level loops as we've taken ownership. // We have to clear the arguments top level loops as we've taken ownership.
Arg.TopLevelLoops.clear(); Arg.TopLevelLoops.clear();
} }
@ -580,8 +589,10 @@ public:
BBMap = std::move(RHS.BBMap); BBMap = std::move(RHS.BBMap);
for (auto *L : TopLevelLoops) for (auto *L : TopLevelLoops)
delete L; L->~LoopT();
TopLevelLoops = std::move(RHS.TopLevelLoops); TopLevelLoops = std::move(RHS.TopLevelLoops);
LoopAllocator = std::move(RHS.LoopAllocator);
RHS.TopLevelLoops.clear(); RHS.TopLevelLoops.clear();
return *this; return *this;
} }
@ -590,11 +601,14 @@ public:
BBMap.clear(); BBMap.clear();
for (auto *L : TopLevelLoops) for (auto *L : TopLevelLoops)
delete L; L->~LoopT();
TopLevelLoops.clear(); TopLevelLoops.clear();
for (auto *L : RemovedLoops) LoopAllocator.Reset();
delete L; }
RemovedLoops.clear();
template <typename... ArgsTy> LoopT *AllocateLoop(ArgsTy &&... Args) {
LoopT *Storage = LoopAllocator.Allocate<LoopT>();
return new (Storage) LoopT(std::forward<ArgsTy>(Args)...);
} }
/// iterator/begin/end - The interface to the top-level loops in the current /// iterator/begin/end - The interface to the top-level loops in the current
@ -717,7 +731,15 @@ public:
void verify(const DominatorTreeBase<BlockT, false> &DomTree) const; void verify(const DominatorTreeBase<BlockT, false> &DomTree) const;
protected: protected:
static void clearLoop(LoopT &L) { L.clear(); } // Calls the destructor for \p L but keeps the memory for \p L around so that
// the pointer value does not get re-used.
void destroy(LoopT *L) {
L->~LoopT();
// Since LoopAllocator is a BumpPtrAllocator, this Deallocate only poisons
// \c L, but the pointer remains valid for non-dereferencing uses.
LoopAllocator.Deallocate(L, sizeof(LoopT));
}
}; };
// Implementation in LoopInfoImpl.h // Implementation in LoopInfoImpl.h

View File

@ -498,7 +498,7 @@ void LoopInfoBase<BlockT, LoopT>::analyze(const DomTreeBase<BlockT> &DomTree) {
} }
// Perform a backward CFG traversal to discover and map blocks in this loop. // Perform a backward CFG traversal to discover and map blocks in this loop.
if (!Backedges.empty()) { if (!Backedges.empty()) {
LoopT *L = new LoopT(Header); LoopT *L = AllocateLoop(Header);
discoverAndMapSubloop(L, ArrayRef<BlockT *>(Backedges), this, DomTree); discoverAndMapSubloop(L, ArrayRef<BlockT *>(Backedges), this, DomTree);
} }
} }

View File

@ -129,6 +129,9 @@ public:
// Add a new loop into the loop queue. // Add a new loop into the loop queue.
void addLoop(Loop &L); void addLoop(Loop &L);
// Mark \p L as deleted.
void markLoopAsDeleted(Loop &L);
//===--------------------------------------------------------------------===// //===--------------------------------------------------------------------===//
/// SimpleAnalysis - Provides simple interface to update analysis info /// SimpleAnalysis - Provides simple interface to update analysis info
/// maintained by various passes. Note, if required this interface can /// maintained by various passes. Note, if required this interface can
@ -152,6 +155,7 @@ private:
std::deque<Loop *> LQ; std::deque<Loop *> LQ;
LoopInfo *LI; LoopInfo *LI;
Loop *CurrentLoop; Loop *CurrentLoop;
bool CurrentLoopDeleted;
}; };
// This pass is required by the LCSSA transformation. It is used inside // This pass is required by the LCSSA transformation. It is used inside

View File

@ -44,8 +44,6 @@ extern template class LoopBase<MachineBasicBlock, MachineLoop>;
class MachineLoop : public LoopBase<MachineBasicBlock, MachineLoop> { class MachineLoop : public LoopBase<MachineBasicBlock, MachineLoop> {
public: public:
MachineLoop();
/// Return the "top" block in the loop, which is the first block in the linear /// Return the "top" block in the loop, which is the first block in the linear
/// layout, ignoring any parts of the loop not contiguous with the part that /// layout, ignoring any parts of the loop not contiguous with the part that
/// contains the header. /// contains the header.
@ -76,6 +74,8 @@ private:
explicit MachineLoop(MachineBasicBlock *MBB) explicit MachineLoop(MachineBasicBlock *MBB)
: LoopBase<MachineBasicBlock, MachineLoop>(MBB) {} : LoopBase<MachineBasicBlock, MachineLoop>(MBB) {}
MachineLoop() = default;
}; };
// Implementation in LoopInfoImpl.h // Implementation in LoopInfoImpl.h

View File

@ -654,9 +654,9 @@ public:
/// This doesn't invalidate, but instead simply deletes, the relevant results. /// This doesn't invalidate, but instead simply deletes, the relevant results.
/// It is useful when the IR is being removed and we want to clear out all the /// It is useful when the IR is being removed and we want to clear out all the
/// memory pinned for it. /// memory pinned for it.
void clear(IRUnitT &IR) { void clear(IRUnitT &IR, llvm::StringRef Name) {
if (DebugLogging) if (DebugLogging)
dbgs() << "Clearing all analysis results for: " << IR.getName() << "\n"; dbgs() << "Clearing all analysis results for: " << Name << "\n";
auto ResultsListI = AnalysisResultLists.find(&IR); auto ResultsListI = AnalysisResultLists.find(&IR);
if (ResultsListI == AnalysisResultLists.end()) if (ResultsListI == AnalysisResultLists.end())

View File

@ -269,6 +269,9 @@ public:
// Pull in base class overloads. // Pull in base class overloads.
using AllocatorBase<BumpPtrAllocatorImpl>::Allocate; using AllocatorBase<BumpPtrAllocatorImpl>::Allocate;
// Bump pointer allocators are expected to never free their storage; and
// clients expect pointers to remain valid for non-dereferencing uses even
// after deallocation.
void Deallocate(const void *Ptr, size_t Size) { void Deallocate(const void *Ptr, size_t Size) {
__asan_poison_memory_region(Ptr, Size); __asan_poison_memory_region(Ptr, Size);
} }

View File

@ -164,8 +164,8 @@ public:
/// If this is called for the current loop, in addition to clearing any /// If this is called for the current loop, in addition to clearing any
/// state, this routine will mark that the current loop should be skipped by /// state, this routine will mark that the current loop should be skipped by
/// the rest of the pass management infrastructure. /// the rest of the pass management infrastructure.
void markLoopAsDeleted(Loop &L) { void markLoopAsDeleted(Loop &L, llvm::StringRef Name) {
LAM.clear(L); LAM.clear(L, Name);
assert((&L == CurrentL || CurrentL->contains(&L)) && assert((&L == CurrentL || CurrentL->contains(&L)) &&
"Cannot delete a loop outside of the " "Cannot delete a loop outside of the "
"subloop tree currently being processed."); "subloop tree currently being processed.");

View File

@ -235,7 +235,7 @@ bool FunctionAnalysisManagerCGSCCProxy::Result::invalidate(
auto PAC = PA.getChecker<FunctionAnalysisManagerCGSCCProxy>(); auto PAC = PA.getChecker<FunctionAnalysisManagerCGSCCProxy>();
if (!PAC.preserved() && !PAC.preservedSet<AllAnalysesOn<LazyCallGraph::SCC>>()) { if (!PAC.preserved() && !PAC.preservedSet<AllAnalysesOn<LazyCallGraph::SCC>>()) {
for (LazyCallGraph::Node &N : C) for (LazyCallGraph::Node &N : C)
FAM->clear(N.getFunction()); FAM->clear(N.getFunction(), N.getFunction().getName());
return true; return true;
} }

View File

@ -57,7 +57,7 @@ bool LoopAnalysisManagerFunctionProxy::Result::invalidate(
// those results. Note that the order doesn't matter here as this will just // those results. Note that the order doesn't matter here as this will just
// directly destroy the results without calling methods on them. // directly destroy the results without calling methods on them.
for (Loop *L : PreOrderLoops) for (Loop *L : PreOrderLoops)
InnerAM->clear(*L); InnerAM->clear(*L, L->getName());
// We also need to null out the inner AM so that when the object gets // We also need to null out the inner AM so that when the object gets
// destroyed as invalid we don't try to clear the inner AM again. At that // destroyed as invalid we don't try to clear the inner AM again. At that

View File

@ -620,10 +620,8 @@ bool LoopInfo::invalidate(Function &F, const PreservedAnalyses &PA,
void LoopInfo::erase(Loop *Unloop) { void LoopInfo::erase(Loop *Unloop) {
assert(!Unloop->isInvalid() && "Loop has already been erased!"); assert(!Unloop->isInvalid() && "Loop has already been erased!");
RemovedLoops.push_back(Unloop);
auto InvalidateOnExit = auto InvalidateOnExit = make_scope_exit([&]() { destroy(Unloop); });
make_scope_exit([&]() { BaseT::clearLoop(*Unloop); });
// First handle the special case of no parent loop to simplify the algorithm. // First handle the special case of no parent loop to simplify the algorithm.
if (!Unloop->getParentLoop()) { if (!Unloop->getParentLoop()) {

View File

@ -140,6 +140,13 @@ void LPPassManager::getAnalysisUsage(AnalysisUsage &Info) const {
Info.setPreservesAll(); Info.setPreservesAll();
} }
void LPPassManager::markLoopAsDeleted(Loop &L) {
assert((&L == CurrentLoop || CurrentLoop->contains(&L)) &&
"Must not delete loop outside the current loop tree!");
if (&L == CurrentLoop)
CurrentLoopDeleted = true;
}
/// run - Execute all of the passes scheduled for execution. Keep track of /// run - Execute all of the passes scheduled for execution. Keep track of
/// whether any of the passes modifies the function, and if so, return true. /// whether any of the passes modifies the function, and if so, return true.
bool LPPassManager::runOnFunction(Function &F) { bool LPPassManager::runOnFunction(Function &F) {
@ -176,7 +183,7 @@ bool LPPassManager::runOnFunction(Function &F) {
// Walk Loops // Walk Loops
while (!LQ.empty()) { while (!LQ.empty()) {
bool LoopWasDeleted = false; CurrentLoopDeleted = false;
CurrentLoop = LQ.back(); CurrentLoop = LQ.back();
// Run all passes on the current Loop. // Run all passes on the current Loop.
@ -195,13 +202,14 @@ bool LPPassManager::runOnFunction(Function &F) {
Changed |= P->runOnLoop(CurrentLoop, *this); Changed |= P->runOnLoop(CurrentLoop, *this);
} }
LoopWasDeleted = CurrentLoop->isInvalid();
if (Changed) if (Changed)
dumpPassInfo(P, MODIFICATION_MSG, ON_LOOP_MSG, CurrentLoop->getName()); dumpPassInfo(P, MODIFICATION_MSG, ON_LOOP_MSG,
CurrentLoopDeleted ? "<deleted loop>"
: CurrentLoop->getName());
dumpPreservedSet(P); dumpPreservedSet(P);
if (LoopWasDeleted) { if (CurrentLoopDeleted) {
// Notify passes that the loop is being deleted. // Notify passes that the loop is being deleted.
deleteSimpleAnalysisLoop(CurrentLoop); deleteSimpleAnalysisLoop(CurrentLoop);
} else { } else {
@ -229,11 +237,12 @@ bool LPPassManager::runOnFunction(Function &F) {
removeNotPreservedAnalysis(P); removeNotPreservedAnalysis(P);
recordAvailableAnalysis(P); recordAvailableAnalysis(P);
removeDeadPasses(P, LoopWasDeleted ? "<deleted>" removeDeadPasses(P,
CurrentLoopDeleted ? "<deleted>"
: CurrentLoop->getHeader()->getName(), : CurrentLoop->getHeader()->getName(),
ON_LOOP_MSG); ON_LOOP_MSG);
if (LoopWasDeleted) if (CurrentLoopDeleted)
// Do not run other passes on this loop. // Do not run other passes on this loop.
break; break;
} }
@ -241,7 +250,7 @@ bool LPPassManager::runOnFunction(Function &F) {
// If the loop was deleted, release all the loop passes. This frees up // If the loop was deleted, release all the loop passes. This frees up
// some memory, and avoids trouble with the pass manager trying to call // some memory, and avoids trouble with the pass manager trying to call
// verifyAnalysis on them. // verifyAnalysis on them.
if (LoopWasDeleted) { if (CurrentLoopDeleted) {
for (unsigned Index = 0; Index < getNumContainedPasses(); ++Index) { for (unsigned Index = 0; Index < getNumContainedPasses(); ++Index) {
Pass *P = getContainedPass(Index); Pass *P = getContainedPass(Index);
freePass(P, "<deleted>", ON_LOOP_MSG); freePass(P, "<deleted>", ON_LOOP_MSG);
@ -359,4 +368,3 @@ bool LoopPass::skipLoop(const Loop *L) const {
char LCSSAVerificationPass::ID = 0; char LCSSAVerificationPass::ID = 0;
INITIALIZE_PASS(LCSSAVerificationPass, "lcssa-verification", "LCSSA Verifier", INITIALIZE_PASS(LCSSAVerificationPass, "lcssa-verification", "LCSSA Verifier",
false, false) false, false)

View File

@ -1044,8 +1044,8 @@ PreservedAnalyses InlinerPass::run(LazyCallGraph::SCC &InitialC,
FunctionAnalysisManager &FAM = FunctionAnalysisManager &FAM =
AM.getResult<FunctionAnalysisManagerCGSCCProxy>(DeadC, CG) AM.getResult<FunctionAnalysisManagerCGSCCProxy>(DeadC, CG)
.getManager(); .getManager();
FAM.clear(*DeadF); FAM.clear(*DeadF, DeadF->getName());
AM.clear(DeadC); AM.clear(DeadC, DeadC.getName());
auto &DeadRC = DeadC.getOuterRefSCC(); auto &DeadRC = DeadC.getOuterRefSCC();
CG.removeDeadFunction(*DeadF); CG.removeDeadFunction(*DeadF);

View File

@ -80,7 +80,7 @@ INITIALIZE_PASS(SingleLoopExtractor, "loop-extract-single",
// //
Pass *llvm::createLoopExtractorPass() { return new LoopExtractor(); } Pass *llvm::createLoopExtractorPass() { return new LoopExtractor(); }
bool LoopExtractor::runOnLoop(Loop *L, LPPassManager &) { bool LoopExtractor::runOnLoop(Loop *L, LPPassManager &LPM) {
if (skipLoop(L)) if (skipLoop(L))
return false; return false;
@ -143,6 +143,7 @@ bool LoopExtractor::runOnLoop(Loop *L, LPPassManager &) {
Changed = true; Changed = true;
// After extraction, the loop is replaced by a function call, so // After extraction, the loop is replaced by a function call, so
// we shouldn't try to run any more loop passes on it. // we shouldn't try to run any more loop passes on it.
LPM.markLoopAsDeleted(*L);
LI.erase(L); LI.erase(L);
} }
++NumExtracted; ++NumExtracted;

View File

@ -1386,7 +1386,7 @@ void LoopConstrainer::addToParentLoopIfNeeded(ArrayRef<BasicBlock *> BBs) {
Loop *LoopConstrainer::createClonedLoopStructure(Loop *Original, Loop *Parent, Loop *LoopConstrainer::createClonedLoopStructure(Loop *Original, Loop *Parent,
ValueToValueMapTy &VM) { ValueToValueMapTy &VM) {
Loop &New = *new Loop(); Loop &New = *LI.AllocateLoop();
if (Parent) if (Parent)
Parent->addChildLoop(&New); Parent->addChildLoop(&New);
else else

View File

@ -348,12 +348,13 @@ PreservedAnalyses LoopDeletionPass::run(Loop &L, LoopAnalysisManager &AM,
DEBUG(dbgs() << "Analyzing Loop for deletion: "); DEBUG(dbgs() << "Analyzing Loop for deletion: ");
DEBUG(L.dump()); DEBUG(L.dump());
std::string LoopName = L.getName();
auto Result = deleteLoopIfDead(&L, AR.DT, AR.SE, AR.LI); auto Result = deleteLoopIfDead(&L, AR.DT, AR.SE, AR.LI);
if (Result == LoopDeletionResult::Unmodified) if (Result == LoopDeletionResult::Unmodified)
return PreservedAnalyses::all(); return PreservedAnalyses::all();
if (Result == LoopDeletionResult::Deleted) if (Result == LoopDeletionResult::Deleted)
Updater.markLoopAsDeleted(L); Updater.markLoopAsDeleted(L, LoopName);
return getLoopPassPreservedAnalyses(); return getLoopPassPreservedAnalyses();
} }
@ -384,7 +385,7 @@ INITIALIZE_PASS_END(LoopDeletionLegacyPass, "loop-deletion",
Pass *llvm::createLoopDeletionPass() { return new LoopDeletionLegacyPass(); } Pass *llvm::createLoopDeletionPass() { return new LoopDeletionLegacyPass(); }
bool LoopDeletionLegacyPass::runOnLoop(Loop *L, LPPassManager &) { bool LoopDeletionLegacyPass::runOnLoop(Loop *L, LPPassManager &LPM) {
if (skipLoop(L)) if (skipLoop(L))
return false; return false;
DominatorTree &DT = getAnalysis<DominatorTreeWrapperPass>().getDomTree(); DominatorTree &DT = getAnalysis<DominatorTreeWrapperPass>().getDomTree();
@ -393,5 +394,11 @@ bool LoopDeletionLegacyPass::runOnLoop(Loop *L, LPPassManager &) {
DEBUG(dbgs() << "Analyzing Loop for deletion: "); DEBUG(dbgs() << "Analyzing Loop for deletion: ");
DEBUG(L->dump()); DEBUG(L->dump());
return deleteLoopIfDead(L, DT, SE, LI) != LoopDeletionResult::Unmodified;
LoopDeletionResult Result = deleteLoopIfDead(L, DT, SE, LI);
if (Result == LoopDeletionResult::Deleted)
LPM.markLoopAsDeleted(*L);
return Result != LoopDeletionResult::Unmodified;
} }

View File

@ -1087,7 +1087,7 @@ public:
Optional<bool> ProvidedUpperBound; Optional<bool> ProvidedUpperBound;
Optional<bool> ProvidedAllowPeeling; Optional<bool> ProvidedAllowPeeling;
bool runOnLoop(Loop *L, LPPassManager &) override { bool runOnLoop(Loop *L, LPPassManager &LPM) override {
if (skipLoop(L)) if (skipLoop(L))
return false; return false;
@ -1105,11 +1105,15 @@ public:
OptimizationRemarkEmitter ORE(&F); OptimizationRemarkEmitter ORE(&F);
bool PreserveLCSSA = mustPreserveAnalysisID(LCSSAID); bool PreserveLCSSA = mustPreserveAnalysisID(LCSSAID);
return tryToUnrollLoop(L, DT, LI, SE, TTI, AC, ORE, PreserveLCSSA, OptLevel, LoopUnrollResult Result = tryToUnrollLoop(
ProvidedCount, ProvidedThreshold, L, DT, LI, SE, TTI, AC, ORE, PreserveLCSSA, OptLevel, ProvidedCount,
ProvidedAllowPartial, ProvidedRuntime, ProvidedThreshold, ProvidedAllowPartial, ProvidedRuntime,
ProvidedUpperBound, ProvidedAllowPeeling) != ProvidedUpperBound, ProvidedAllowPeeling);
LoopUnrollResult::Unmodified;
if (Result == LoopUnrollResult::FullyUnrolled)
LPM.markLoopAsDeleted(*L);
return Result != LoopUnrollResult::Unmodified;
} }
/// This transformation requires natural loop information & requires that /// This transformation requires natural loop information & requires that
@ -1174,6 +1178,8 @@ PreservedAnalyses LoopFullUnrollPass::run(Loop &L, LoopAnalysisManager &AM,
else else
OldLoops.insert(AR.LI.begin(), AR.LI.end()); OldLoops.insert(AR.LI.begin(), AR.LI.end());
std::string LoopName = L.getName();
bool Changed = bool Changed =
tryToUnrollLoop(&L, AR.DT, &AR.LI, AR.SE, AR.TTI, AR.AC, *ORE, tryToUnrollLoop(&L, AR.DT, &AR.LI, AR.SE, AR.TTI, AR.AC, *ORE,
/*PreserveLCSSA*/ true, OptLevel, /*Count*/ None, /*PreserveLCSSA*/ true, OptLevel, /*Count*/ None,
@ -1223,7 +1229,7 @@ PreservedAnalyses LoopFullUnrollPass::run(Loop &L, LoopAnalysisManager &AM,
Updater.addSiblingLoops(SibLoops); Updater.addSiblingLoops(SibLoops);
if (!IsCurrentLoopValid) { if (!IsCurrentLoopValid) {
Updater.markLoopAsDeleted(L); Updater.markLoopAsDeleted(L, LoopName);
} else { } else {
// We can only walk child loops if the current loop remained valid. // We can only walk child loops if the current loop remained valid.
if (UnrollRevisitChildLoops) { if (UnrollRevisitChildLoops) {
@ -1310,6 +1316,7 @@ PreservedAnalyses LoopUnrollPass::run(Function &F,
// bloating it further. // bloating it further.
if (PSI && PSI->hasHugeWorkingSetSize()) if (PSI && PSI->hasHugeWorkingSetSize())
AllowPeeling = false; AllowPeeling = false;
std::string LoopName = L.getName();
LoopUnrollResult Result = LoopUnrollResult Result =
tryToUnrollLoop(&L, DT, &LI, SE, TTI, AC, ORE, tryToUnrollLoop(&L, DT, &LI, SE, TTI, AC, ORE,
/*PreserveLCSSA*/ true, OptLevel, /*Count*/ None, /*PreserveLCSSA*/ true, OptLevel, /*Count*/ None,
@ -1326,7 +1333,7 @@ PreservedAnalyses LoopUnrollPass::run(Function &F,
// Clear any cached analysis results for L if we removed it completely. // Clear any cached analysis results for L if we removed it completely.
if (LAM && Result == LoopUnrollResult::FullyUnrolled) if (LAM && Result == LoopUnrollResult::FullyUnrolled)
LAM->clear(L); LAM->clear(L, LoopName);
} }
if (!Changed) if (!Changed)

View File

@ -881,7 +881,7 @@ bool LoopUnswitch::UnswitchIfProfitable(Value *LoopCond, Constant *Val,
/// mapping the blocks with the specified map. /// mapping the blocks with the specified map.
static Loop *CloneLoop(Loop *L, Loop *PL, ValueToValueMapTy &VM, static Loop *CloneLoop(Loop *L, Loop *PL, ValueToValueMapTy &VM,
LoopInfo *LI, LPPassManager *LPM) { LoopInfo *LI, LPPassManager *LPM) {
Loop &New = *new Loop(); Loop &New = *LI->AllocateLoop();
if (PL) if (PL)
PL->addChildLoop(&New); PL->addChildLoop(&New);
else else

View File

@ -747,7 +747,7 @@ Loop *llvm::cloneLoopWithPreheader(BasicBlock *Before, BasicBlock *LoopDomBB,
Function *F = OrigLoop->getHeader()->getParent(); Function *F = OrigLoop->getHeader()->getParent();
Loop *ParentLoop = OrigLoop->getParentLoop(); Loop *ParentLoop = OrigLoop->getParentLoop();
Loop *NewLoop = new Loop(); Loop *NewLoop = LI->AllocateLoop();
if (ParentLoop) if (ParentLoop)
ParentLoop->addChildLoop(NewLoop); ParentLoop->addChildLoop(NewLoop);
else else

View File

@ -258,7 +258,7 @@ static Loop *separateNestedLoop(Loop *L, BasicBlock *Preheader,
placeSplitBlockCarefully(NewBB, OuterLoopPreds, L); placeSplitBlockCarefully(NewBB, OuterLoopPreds, L);
// Create the new outer loop. // Create the new outer loop.
Loop *NewOuter = new Loop(); Loop *NewOuter = LI->AllocateLoop();
// Change the parent loop to use the outer loop as its child now. // Change the parent loop to use the outer loop as its child now.
if (Loop *Parent = L->getParentLoop()) if (Loop *Parent = L->getParentLoop())

View File

@ -200,7 +200,7 @@ const Loop* llvm::addClonedBlockToLoopInfo(BasicBlock *OriginalBB,
assert(OriginalBB == OldLoop->getHeader() && assert(OriginalBB == OldLoop->getHeader() &&
"Header should be first in RPO"); "Header should be first in RPO");
NewLoop = new Loop(); NewLoop = LI->AllocateLoop();
Loop *NewLoopParent = NewLoops.lookup(OldLoop->getParentLoop()); Loop *NewLoopParent = NewLoops.lookup(OldLoop->getParentLoop());
if (NewLoopParent) if (NewLoopParent)

View File

@ -3456,7 +3456,7 @@ BasicBlock *InnerLoopVectorizer::createVectorizedLoopSkeleton() {
MiddleBlock->splitBasicBlock(MiddleBlock->getTerminator(), "scalar.ph"); MiddleBlock->splitBasicBlock(MiddleBlock->getTerminator(), "scalar.ph");
// Create and register the new vector loop. // Create and register the new vector loop.
Loop *Lp = new Loop(); Loop *Lp = LI->AllocateLoop();
Loop *ParentLoop = OrigLoop->getParentLoop(); Loop *ParentLoop = OrigLoop->getParentLoop();
// Insert the new loop into the loop nest and register the new basic blocks // Insert the new loop into the loop nest and register the new basic blocks

View File

@ -22,8 +22,8 @@
; CHECK: Running analysis: LoopAccessAnalysis on outer.header ; CHECK: Running analysis: LoopAccessAnalysis on outer.header
; CHECK: Finished Loop pass manager run. ; CHECK: Finished Loop pass manager run.
; CHECK: Running pass: LoopUnrollPass ; CHECK: Running pass: LoopUnrollPass
; CHECK: Clearing all analysis results for: <invalidated loop> ; CHECK: Clearing all analysis results for: inner2.header
; CHECK: Clearing all analysis results for: <invalidated loop> ; CHECK: Clearing all analysis results for: outer.header
; CHECK: Invalidating all non-preserved analyses for: test ; CHECK: Invalidating all non-preserved analyses for: test
; CHECK: Invalidating all non-preserved analyses for: inner1.header ; CHECK: Invalidating all non-preserved analyses for: inner1.header
; CHECK: Invalidating analysis: LoopAccessAnalysis on inner1.header ; CHECK: Invalidating analysis: LoopAccessAnalysis on inner1.header

View File

@ -946,7 +946,7 @@ TEST_F(LoopPassManagerTest, LoopChildInsertion) {
.WillOnce(Invoke([&](Loop &L, LoopAnalysisManager &AM, .WillOnce(Invoke([&](Loop &L, LoopAnalysisManager &AM,
LoopStandardAnalysisResults &AR, LoopStandardAnalysisResults &AR,
LPMUpdater &Updater) { LPMUpdater &Updater) {
auto *NewLoop = new Loop(); auto *NewLoop = AR.LI.AllocateLoop();
L.addChildLoop(NewLoop); L.addChildLoop(NewLoop);
auto *NewLoop010PHBB = auto *NewLoop010PHBB =
BasicBlock::Create(Context, "loop.0.1.0.ph", &F, &Loop02PHBB); BasicBlock::Create(Context, "loop.0.1.0.ph", &F, &Loop02PHBB);
@ -992,7 +992,7 @@ TEST_F(LoopPassManagerTest, LoopChildInsertion) {
.WillOnce(Invoke([&](Loop &L, LoopAnalysisManager &AM, .WillOnce(Invoke([&](Loop &L, LoopAnalysisManager &AM,
LoopStandardAnalysisResults &AR, LoopStandardAnalysisResults &AR,
LPMUpdater &Updater) { LPMUpdater &Updater) {
auto *NewLoop = new Loop(); auto *NewLoop = AR.LI.AllocateLoop();
L.addChildLoop(NewLoop); L.addChildLoop(NewLoop);
auto *NewLoop011PHBB = BasicBlock::Create(Context, "loop.0.1.1.ph", &F, NewLoop01LatchBB); auto *NewLoop011PHBB = BasicBlock::Create(Context, "loop.0.1.1.ph", &F, NewLoop01LatchBB);
auto *NewLoop011BB = BasicBlock::Create(Context, "loop.0.1.1", &F, NewLoop01LatchBB); auto *NewLoop011BB = BasicBlock::Create(Context, "loop.0.1.1", &F, NewLoop01LatchBB);
@ -1139,7 +1139,7 @@ TEST_F(LoopPassManagerTest, LoopPeerInsertion) {
.WillOnce(Invoke([&](Loop &L, LoopAnalysisManager &AM, .WillOnce(Invoke([&](Loop &L, LoopAnalysisManager &AM,
LoopStandardAnalysisResults &AR, LoopStandardAnalysisResults &AR,
LPMUpdater &Updater) { LPMUpdater &Updater) {
auto *NewLoop = new Loop(); auto *NewLoop = AR.LI.AllocateLoop();
L.getParentLoop()->addChildLoop(NewLoop); L.getParentLoop()->addChildLoop(NewLoop);
auto *NewLoop01PHBB = BasicBlock::Create(Context, "loop.0.1.ph", &F, &Loop02PHBB); auto *NewLoop01PHBB = BasicBlock::Create(Context, "loop.0.1.ph", &F, &Loop02PHBB);
auto *NewLoop01BB = BasicBlock::Create(Context, "loop.0.1", &F, &Loop02PHBB); auto *NewLoop01BB = BasicBlock::Create(Context, "loop.0.1", &F, &Loop02PHBB);
@ -1181,7 +1181,8 @@ TEST_F(LoopPassManagerTest, LoopPeerInsertion) {
.WillOnce(Invoke([&](Loop &L, LoopAnalysisManager &AM, .WillOnce(Invoke([&](Loop &L, LoopAnalysisManager &AM,
LoopStandardAnalysisResults &AR, LoopStandardAnalysisResults &AR,
LPMUpdater &Updater) { LPMUpdater &Updater) {
Loop *NewLoops[] = {new Loop(), new Loop(), new Loop()}; Loop *NewLoops[] = {AR.LI.AllocateLoop(), AR.LI.AllocateLoop(),
AR.LI.AllocateLoop()};
L.getParentLoop()->addChildLoop(NewLoops[0]); L.getParentLoop()->addChildLoop(NewLoops[0]);
L.getParentLoop()->addChildLoop(NewLoops[1]); L.getParentLoop()->addChildLoop(NewLoops[1]);
NewLoops[1]->addChildLoop(NewLoops[2]); NewLoops[1]->addChildLoop(NewLoops[2]);
@ -1260,7 +1261,7 @@ TEST_F(LoopPassManagerTest, LoopPeerInsertion) {
.WillOnce(Invoke([&](Loop &L, LoopAnalysisManager &AM, .WillOnce(Invoke([&](Loop &L, LoopAnalysisManager &AM,
LoopStandardAnalysisResults &AR, LoopStandardAnalysisResults &AR,
LPMUpdater &Updater) { LPMUpdater &Updater) {
auto *NewLoop = new Loop(); auto *NewLoop = AR.LI.AllocateLoop();
AR.LI.addTopLevelLoop(NewLoop); AR.LI.addTopLevelLoop(NewLoop);
auto *NewLoop1PHBB = BasicBlock::Create(Context, "loop.1.ph", &F, &Loop2BB); auto *NewLoop1PHBB = BasicBlock::Create(Context, "loop.1.ph", &F, &Loop2BB);
auto *NewLoop1BB = BasicBlock::Create(Context, "loop.1", &F, &Loop2BB); auto *NewLoop1BB = BasicBlock::Create(Context, "loop.1", &F, &Loop2BB);
@ -1378,7 +1379,7 @@ TEST_F(LoopPassManagerTest, LoopDeletion) {
LoopStandardAnalysisResults &AR, LPMUpdater &Updater) { LoopStandardAnalysisResults &AR, LPMUpdater &Updater) {
assert(L.empty() && "Can only delete leaf loops with this routine!"); assert(L.empty() && "Can only delete leaf loops with this routine!");
SmallVector<BasicBlock *, 4> LoopBBs(L.block_begin(), L.block_end()); SmallVector<BasicBlock *, 4> LoopBBs(L.block_begin(), L.block_end());
Updater.markLoopAsDeleted(L); Updater.markLoopAsDeleted(L, L.getName());
IDomBB.getTerminator()->replaceUsesOfWith(L.getHeader(), IDomBB.getTerminator()->replaceUsesOfWith(L.getHeader(),
L.getUniqueExitBlock()); L.getUniqueExitBlock());
for (BasicBlock *LoopBB : LoopBBs) { for (BasicBlock *LoopBB : LoopBBs) {
@ -1491,7 +1492,7 @@ TEST_F(LoopPassManagerTest, LoopDeletion) {
EraseLoop(L, Loop02PHBB, AR, Updater); EraseLoop(L, Loop02PHBB, AR, Updater);
// Now insert a new sibling loop. // Now insert a new sibling loop.
auto *NewSibling = new Loop; auto *NewSibling = AR.LI.AllocateLoop();
ParentL->addChildLoop(NewSibling); ParentL->addChildLoop(NewSibling);
NewLoop03PHBB = NewLoop03PHBB =
BasicBlock::Create(Context, "loop.0.3.ph", &F, &Loop0LatchBB); BasicBlock::Create(Context, "loop.0.3.ph", &F, &Loop0LatchBB);