53#define DEBUG_TYPE "loop-peel"
56STATISTIC(NumPeeledEnd,
"Number of loops peeled from end");
61 cl::desc(
"Set the unroll peeling count, for testing purposes"));
65 cl::desc(
"Allows loops to be peeled when the dynamic "
66 "trip count is known to be low."));
71 cl::desc(
"Allows loop nests to be peeled."));
75 cl::desc(
"Max average trip count which will cause loop peeling."));
79 cl::desc(
"Force a peel count regardless of profiling information."));
84 "Disable advance peeling. Issues for convergent targets (D134803)."));
88 cl::desc(
"Enable peeling to convert Phi nodes into IVs"));
98 if (!L->isLoopSimplifyForm())
104 L->getUniqueNonLatchExitBlocks(Exits);
198 PhiAnalyzer(
const Loop &L,
unsigned MaxIterations,
bool PeelForIV);
202 std::optional<unsigned> calculateIterationsToPeel();
205 enum class PeelCounterType {
210 using PeelCounterValue = std::pair<unsigned, PeelCounterType>;
211 using PeelCounter = std::optional<PeelCounterValue>;
212 const PeelCounter Unknown = std::nullopt;
215 PeelCounter addOne(PeelCounter PC)
const {
218 auto [Val, Ty] = *PC;
219 return (Val + 1 <= MaxIterations) ? PeelCounter({Val + 1, Ty}) : Unknown;
223 PeelCounter makeZero(PeelCounterType Ty)
const {
224 return PeelCounter({0, Ty});
229 PeelCounter calculate(
const Value &);
233 PeelCounter mergeTwoCounters(
const Instruction &CmpOrBinaryOp,
234 const PeelCounterValue &
LHS,
235 const PeelCounterValue &
RHS)
const;
239 bool isInductionPHI(
const PHINode *Phi)
const;
242 const unsigned MaxIterations;
243 const bool PeelForIV;
246 SmallDenseMap<const Value *, PeelCounter> IterationsToInvarianceOrInduction;
249PhiAnalyzer::PhiAnalyzer(
const Loop &L,
unsigned MaxIterations,
bool PeelForIV)
250 :
L(
L), MaxIterations(MaxIterations), PeelForIV(PeelForIV) {
252 assert(MaxIterations > 0 &&
"no peeling is allowed?");
259bool PhiAnalyzer::isInductionPHI(
const PHINode *Phi)
const {
262 if (Latch ==
nullptr)
265 Value *Cur =
Phi->getIncomingValueForBlock(Latch);
266 SmallPtrSet<Value *, 4> Visited;
267 bool VisitBinOp =
false;
277 if (!Visited.
insert(Cur).second)
281 if (!
I || !
L.contains(
I))
285 Cur = Cast->getOperand(0);
287 if (BinOp->getOpcode() != Instruction::Add &&
288 BinOp->getOpcode() != Instruction::Sub)
294 Cur = BinOp->getOperand(0);
310PhiAnalyzer::PeelCounter
311PhiAnalyzer::mergeTwoCounters(
const Instruction &CmpOrBinaryOp,
312 const PeelCounterValue &
LHS,
313 const PeelCounterValue &
RHS)
const {
314 auto &[LVal, LTy] =
LHS;
315 auto &[RVal, RTy] =
RHS;
316 unsigned NewVal = std::max(LVal, RVal);
318 if (LTy == PeelCounterType::Induction || RTy == PeelCounterType::Induction) {
320 if (BinOp->getOpcode() == Instruction::Add ||
321 BinOp->getOpcode() == Instruction::Sub)
322 return PeelCounter({NewVal, PeelCounterType::Induction});
326 return PeelCounter({NewVal, PeelCounterType::Invariant});
343PhiAnalyzer::PeelCounter PhiAnalyzer::calculate(
const Value &V) {
348 IterationsToInvarianceOrInduction.try_emplace(&V,
Unknown);
352 if (
L.isLoopInvariant(&V))
354 return (IterationsToInvarianceOrInduction[&V] =
355 makeZero(PeelCounterType::Invariant));
357 if (
Phi->getParent() !=
L.getHeader()) {
360 "unexpected value saved");
365 if (PeelForIV && isInductionPHI(Phi))
366 return (IterationsToInvarianceOrInduction[&V] =
367 makeZero(PeelCounterType::Induction));
370 Value *Input =
Phi->getIncomingValueForBlock(
L.getLoopLatch());
371 PeelCounter Iterations = calculate(*Input);
372 assert(IterationsToInvarianceOrInduction[Input] == Iterations &&
373 "unexpected value saved");
374 return (IterationsToInvarianceOrInduction[Phi] = addOne(Iterations));
379 PeelCounter
LHS = calculate(*
I->getOperand(0));
382 PeelCounter
RHS = calculate(*
I->getOperand(1));
385 return (IterationsToInvarianceOrInduction[
I] =
386 mergeTwoCounters(*
I, *
LHS, *
RHS));
390 return (IterationsToInvarianceOrInduction[
I] =
391 calculate(*
I->getOperand(0)));
397 "unexpected value saved");
401std::optional<unsigned> PhiAnalyzer::calculateIterationsToPeel() {
402 unsigned Iterations = 0;
403 for (
auto &
PHI :
L.getHeader()->phis()) {
404 PeelCounter ToInvarianceOrInduction = calculate(
PHI);
405 if (ToInvarianceOrInduction !=
Unknown) {
406 unsigned Val = ToInvarianceOrInduction->first;
407 assert(Val <= MaxIterations &&
"bad result in phi analysis");
408 Iterations = std::max(Iterations, Val);
409 if (Iterations == MaxIterations)
413 assert((Iterations <= MaxIterations) &&
"bad result in phi analysis");
414 return Iterations ? std::optional<unsigned>(Iterations) : std::nullopt;
428 if (L.getExitingBlock())
434 L.getUniqueNonLatchExitBlocks(Exits);
452 if (
I.mayWriteToMemory() &&
464 Value *Ptr = LI->getPointerOperand();
465 if (DT.
dominates(BB, Latch) && L.isLoopInvariant(Ptr) &&
472 L.getExitingBlocks(ExitingBlocks);
496 return Latch && Latch == L.getExitingBlock() &&
522 L.getLoopPredecessor()->getTerminator()))
548static std::pair<unsigned, unsigned>
551 assert(L.isLoopSimplifyForm() &&
"Loop needs to be in loop simplify form");
552 unsigned DesiredPeelCount = 0;
553 unsigned DesiredPeelCountLast = 0;
559 std::min((
unsigned)SC->getAPInt().getLimitedValue() - 1, MaxPeelCount);
564 auto PeelWhilePredicateIsKnown =
565 [&](
unsigned &PeelCount,
const SCEV *&IterVal,
const SCEV *BoundSCEV,
567 while (PeelCount < MaxPeelCount &&
576 const unsigned MaxDepth = 4;
577 std::function<void(
Value *,
unsigned)> ComputePeelCount =
578 [&](
Value *Condition,
unsigned Depth) ->
void {
582 Value *LeftVal, *RightVal;
585 ComputePeelCount(LeftVal,
Depth + 1);
586 ComputePeelCount(RightVal,
Depth + 1);
624 unsigned NewPeelCount = DesiredPeelCount;
636 if (!PeelWhilePredicateIsKnown(NewPeelCount, IterVal, RightSCEV, Step,
639 DesiredPeelCountLast = 1;
652 if (NewPeelCount >= MaxPeelCount)
657 DesiredPeelCount = std::max(DesiredPeelCount, NewPeelCount);
658 DesiredPeelCountLast = std::max(DesiredPeelCountLast, NewPeelCount);
662 if (!
MinMax->getType()->isIntegerTy())
665 const SCEV *BoundSCEV, *IterSCEV;
666 if (L.isLoopInvariant(
LHS)) {
669 }
else if (L.isLoopInvariant(
RHS)) {
676 if (!AddRec || !AddRec->isAffine() || AddRec->getLoop() != &L)
678 const SCEV *Step = AddRec->getStepRecurrence(SE);
679 bool IsSigned =
MinMax->isSigned();
690 if (!(IsSigned ? AddRec->hasNoSignedWrap() : AddRec->hasNoUnsignedWrap()))
692 unsigned NewPeelCount = DesiredPeelCount;
693 const SCEV *IterVal = AddRec->evaluateAtIteration(
694 SE.
getConstant(AddRec->getType(), NewPeelCount), SE);
695 if (!PeelWhilePredicateIsKnown(NewPeelCount, IterVal, BoundSCEV, Step,
698 DesiredPeelCountLast = 1;
701 DesiredPeelCount = NewPeelCount;
707 ComputePeelCount(
SI->getCondition(), 0);
709 ComputePeelCountMinMax(
MinMax);
717 if (L.getLoopLatch() == BB)
720 ComputePeelCount(BI->getCondition(), 0);
723 return {DesiredPeelCount, DesiredPeelCountLast};
736 if (!LatchBR || !L->isLoopExiting(Latch))
741 "At least one edge out of the latch must go to the header");
744 L->getUniqueNonLatchExitBlocks(ExitBlocks);
757 assert(LoopSize > 0 &&
"Zero loop size is not allowed!");
776 <<
" iterations.\n");
787 if (2 * LoopSize > Threshold)
790 unsigned AlreadyPeeled = 0;
792 AlreadyPeeled = *Peeled;
799 MaxPeelCount = std::min(MaxPeelCount, Threshold / LoopSize - 1);
803 unsigned DesiredPeelCount = TargetPeelCount;
810 if (MaxPeelCount > DesiredPeelCount) {
813 .calculateIterationsToPeel();
815 DesiredPeelCount = std::max(DesiredPeelCount, *NumPeels);
818 const auto &[CountToEliminateCmps, CountToEliminateCmpsLast] =
820 DesiredPeelCount = std::max(DesiredPeelCount, CountToEliminateCmps);
822 if (DesiredPeelCount == 0)
825 if (DesiredPeelCount > 0) {
826 DesiredPeelCount = std::min(DesiredPeelCount, MaxPeelCount);
828 assert(DesiredPeelCount > 0 &&
"Wrong loop size estimation?");
831 <<
" iteration(s) to turn"
832 <<
" some Phis into invariants or inductions.\n");
840 if (CountToEliminateCmpsLast > 0) {
841 unsigned DesiredPeelCountLast =
842 std::min(CountToEliminateCmpsLast, MaxPeelCount);
844 assert(DesiredPeelCountLast > 0 &&
"Wrong loop size estimation?");
847 <<
" iteration(s) to turn"
848 <<
" some Phis into invariants.\n");
869 if (L->getHeader()->getParent()->hasProfileData()) {
873 if (!EstimatedTripCount)
877 << *EstimatedTripCount <<
"\n");
879 if (*EstimatedTripCount + AlreadyPeeled <= MaxPeelCount) {
880 unsigned PeelCount = *EstimatedTripCount;
881 LLVM_DEBUG(
dbgs() <<
"Peeling first " << PeelCount <<
" iterations.\n");
885 LLVM_DEBUG(
dbgs() <<
"Already peel count: " << AlreadyPeeled <<
"\n");
890 << (Threshold / LoopSize - 1) <<
"\n");
906 Loop *L,
unsigned IterNumber,
bool PeelLast,
BasicBlock *InsertTop,
915 BasicBlock *PreHeader = L->getLoopPreheader();
920 Loop *ParentLoop = L->getParentLoop();
952 std::string Ext = (
Twine(
"Peel") +
Twine(IterNumber)).str();
954 Header->getContext(), Ext);
959 for (
Loop *ChildLoop : *L) {
960 cloneLoop(ChildLoop, ParentLoop, VMap, LI,
nullptr);
975 assert(IterNumber == 0 &&
"Only peeling a single iteration implemented.");
977 LatchTerm->setSuccessor(0, InsertBot);
978 LatchTerm->setSuccessor(1, InsertBot);
984 for (
unsigned idx = 0, e = LatchTerm->getNumSuccessors(); idx < e; ++idx) {
985 if (LatchTerm->getSuccessor(idx) == Header) {
986 LatchTerm->setSuccessor(idx, InsertBot);
1023 if (IterNumber == 0) {
1028 if (LatchInst && L->contains(LatchInst))
1029 VMap[&*
I] = LVMap[LatchInst];
1031 VMap[&*
I] = LatchVal;
1041 for (
auto Edge : ExitEdges)
1043 Value *LatchVal =
PHI.getIncomingValueForBlock(Edge.first);
1045 if (LatchInst && L->contains(LatchInst))
1046 LatchVal = VMap[LatchVal];
1053 for (
auto KV : VMap)
1054 LVMap[KV.first] = KV.second;
1057TargetTransformInfo::PeelingPreferences
1060 std::optional<bool> UserAllowPeeling,
1061 std::optional<bool> UserAllowProfileBasedPeeling,
1062 bool UnrollingSpecficValues) {
1073 TTI.getPeelingPreferences(L, SE, PP);
1076 if (UnrollingSpecficValues) {
1086 if (UserAllowPeeling)
1088 if (UserAllowProfileBasedPeeling)
1106 assert(PeelCount > 0 &&
"Attempt to peel out zero iterations?");
1107 assert(
canPeel(L) &&
"Attempt to peel a loop which is not peelable?");
1109 "when peeling the last iteration, the loop must be supported and can "
1110 "only peel a single iteration");
1116 BasicBlock *PreHeader = L->getLoopPreheader();
1119 L->getExitEdges(ExitEdges);
1126 for (
auto *BB : L->blocks()) {
1127 auto *BBDomNode = DT.
getNode(BB);
1129 for (
auto *ChildDomNode : BBDomNode->children()) {
1130 auto *ChildBB = ChildDomNode->getBlock();
1131 if (!L->contains(ChildBB))
1139 for (
auto *ChildBB : ChildrenToUpdate)
1140 NonLoopBlocksIDom[ChildBB] = NewIDom;
1177 ExitValues[&
P] =
P.getIncomingValueForBlock(Latch);
1181 InsertTop =
SplitEdge(Latch, Exit, &DT, LI);
1184 InsertTop->
setName(Exit->getName() +
".peel.begin");
1185 InsertBot->
setName(Exit->getName() +
".peel.next");
1186 NewPreHeader =
nullptr;
1207 double Freq = 1 / ExitP.toDouble();
1211 assert(Freq >= 1.0 &&
"expected freq >= 1 due to initial iteration");
1212 double NewFreq = std::max(Freq - 1, 1.0);
1218 NewPreHeader =
SplitEdge(PreHeader, Header, &DT, LI);
1226 B.CreateICmpNE(BTCValue, ConstantInt::get(BTCValue->
getType(), 0));
1227 auto *BI =
B.CreateCondBr(
Cond, NewPreHeader, InsertTop);
1232 if (HasBranchWeights) {
1241 if (L->getExitBlock() == OrigLatchBr->getSuccessor(0))
1296 InsertTop =
SplitEdge(PreHeader, Header, &DT, LI);
1300 InsertTop->
setName(Header->getName() +
".peel.begin");
1301 InsertBot->
setName(Header->getName() +
".peel.next");
1315 for (
unsigned Iter = 0; Iter < PeelCount; ++Iter) {
1319 NewPreHeader ? PreHeader :
nullptr, ExitEdges, NewBlocks,
1320 LoopBlocks, VMap, LVMap, &DT, LI,
1321 LoopLocalNoAliasDeclScopes, *SE);
1336 cast<ICmpInst>(L->getLoopLatch()->getTerminator()->getOperand(0));
1339 1,
B.CreateSub(Cmp->getOperand(1),
1340 ConstantInt::get(Cmp->getOperand(1)->getType(), 1)));
1343 for (
auto BBIDom : NonLoopBlocksIDom)
1349#ifdef EXPENSIVE_CHECKS
1350 assert(DT.
verify(DominatorTree::VerificationLevel::Fast));
1356 LatchTermCopy->setMetadata(LLVMContext::MD_loop,
nullptr);
1358 InsertTop = InsertBot;
1360 InsertBot->
setName(Header->getName() +
".peel.next");
1362 F->splice(InsertTop->
getIterator(),
F, NewBlocks[0]->getIterator(),
1369 for (
const auto &[
P, E] : ExitValues) {
1371 if (ExitInst && L->contains(ExitInst))
1372 P->replaceAllUsesWith(&*VMap[ExitInst]);
1374 P->replaceAllUsesWith(E);
1375 P->eraseFromParent();
1383 Value *NewVal =
PHI->getIncomingValueForBlock(Latch);
1385 if (LatchInst && L->contains(LatchInst))
1386 NewVal = LVMap[LatchInst];
1388 PHI->setIncomingValueForBlock(NewPreHeader, NewVal);
1393 unsigned AlreadyPeeled = 0;
1395 AlreadyPeeled = *Peeled;
1396 unsigned TotalPeeled = AlreadyPeeled + PeelCount;
1417 unsigned EstimatedTripCountNew = *EstimatedTripCount;
1418 if (EstimatedTripCountNew < TotalPeeled)
1419 EstimatedTripCountNew = 0;
1421 EstimatedTripCountNew -= TotalPeeled;
1425 if (
Loop *ParentLoop = L->getParentLoop())
1432#ifdef EXPENSIVE_CHECKS
1434 assert(DT.
verify(DominatorTree::VerificationLevel::Fast));
1438 simplifyLoop(L, &DT, LI, SE, AC,
nullptr, PreserveLCSSA);
1441 NumPeeledEnd += PeelLast;
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
MachineBasicBlock MachineBasicBlock::iterator DebugLoc DL
static GCRegistry::Add< OcamlGC > B("ocaml", "ocaml 3.10-compatible GC")
This file defines the DenseMap class.
static bool shouldPeelLastIteration(Loop &L, CmpPredicate Pred, const SCEVAddRecExpr *LeftAR, const SCEV *RightSCEV, ScalarEvolution &SE, const TargetTransformInfo &TTI)
Returns true if the last iteration can be peeled off and the condition (Pred LeftAR,...
static bool violatesLegacyMultiExitLoopCheck(Loop *L)
This "heuristic" exactly matches implicit behavior which used to exist inside getLoopEstimatedTripCou...
static std::pair< unsigned, unsigned > countToEliminateCompares(Loop &L, unsigned MaxPeelCount, ScalarEvolution &SE, const TargetTransformInfo &TTI)
static void cloneLoopBlocks(Loop *L, unsigned IterNumber, bool PeelLast, BasicBlock *InsertTop, BasicBlock *InsertBot, BasicBlock *OrigPreHeader, SmallVectorImpl< std::pair< BasicBlock *, BasicBlock * > > &ExitEdges, SmallVectorImpl< BasicBlock * > &NewBlocks, LoopBlocksDFS &LoopBlocks, ValueToValueMapTy &VMap, ValueToValueMapTy &LVMap, DominatorTree *DT, LoopInfo *LI, ArrayRef< MDNode * > LoopLocalNoAliasDeclScopes, ScalarEvolution &SE)
Clones the body of the loop L, putting it between InsertTop and InsertBot.
static unsigned peelToTurnInvariantLoadsDereferenceable(Loop &L, DominatorTree &DT, AssumptionCache *AC)
This file implements a map that provides insertion order iteration.
This file contains the declarations for profiling metadata utility functions.
const SmallVectorImpl< MachineOperand > & Cond
This file defines the SmallVector class.
This file defines the 'Statistic' class, which is designed to be an easy way to expose various metric...
#define STATISTIC(VARNAME, DESC)
ArrayRef - Represent a constant reference to an array (0 or more elements consecutively in memory),...
A cache of @llvm.assume calls within a function.
LLVM Basic Block Representation.
LLVM_ABI InstListType::const_iterator getFirstNonPHIIt() const
Returns an iterator to the first instruction in this block that is not a PHINode instruction.
LLVM_ABI const CallInst * getTerminatingDeoptimizeCall() const
Returns the call instruction calling @llvm.experimental.deoptimize prior to the terminating return in...
InstListType::iterator iterator
Instruction iterators...
const Instruction * getTerminator() const LLVM_READONLY
Returns the terminator instruction; assumes that the block is well-formed.
static LLVM_ABI BranchProbability getBranchProbability(uint64_t Numerator, uint64_t Denominator)
Predicate
This enumeration lists the possible predicates for CmpInst subclasses.
@ ICMP_SLT
signed less than
@ ICMP_UGT
unsigned greater than
@ ICMP_SGT
signed greater than
@ ICMP_ULT
unsigned less than
Predicate getSwappedPredicate() const
For example, EQ->EQ, SLE->SGE, ULT->UGT, OEQ->OEQ, ULE->UGE, OLT->OGT, etc.
Predicate getInversePredicate() const
For example, EQ -> NE, UGT -> ULE, SLT -> SGE, OEQ -> UNE, UGT -> OLE, OLT -> UGE,...
An abstraction over a floating-point predicate, and a pack of an integer predicate with samesign info...
Conditional Branch instruction.
BasicBlock * getSuccessor(unsigned i) const
A parsed version of the target data layout string in and methods for querying it.
DomTreeNodeBase * getIDom() const
bool verify(VerificationLevel VL=VerificationLevel::Full) const
verify - checks if the tree is correct.
void changeImmediateDominator(DomTreeNodeBase< NodeT > *N, DomTreeNodeBase< NodeT > *NewIDom)
changeImmediateDominator - This method is used to update the dominator tree information when a node's...
DomTreeNodeBase< NodeT > * addNewBlock(NodeT *BB, NodeT *DomBB)
Add a new node to the dominator tree information.
DomTreeNodeBase< NodeT > * getNode(const NodeT *BB) const
getNode - return the (Post)DominatorTree node for the specified basic block.
Concrete subclass of DominatorTreeBase that is used to compute a normal dominator tree.
LLVM_ABI Instruction * findNearestCommonDominator(Instruction *I1, Instruction *I2) const
Find the nearest instruction I that dominates both I1 and I2, in the sense that a result produced bef...
LLVM_ABI bool dominates(const BasicBlock *BB, const Use &U) const
Return true if the (end of the) basic block BB dominates the use U.
static bool isEquality(Predicate P)
Return true if this predicate is either EQ or NE.
This provides a uniform API for creating instructions and inserting them into a basic block: either a...
LLVM_ABI InstListType::iterator eraseFromParent()
This method unlinks 'this' from the containing basic block and deletes it.
LLVM_ABI void setSuccessor(unsigned Idx, BasicBlock *BB)
Update the specified successor to point at the provided block.
void addBasicBlockToLoop(BlockT *NewBB, LoopInfoBase< BlockT, LoopT > &LI)
This method is used by other analyses to update loop information.
Store the result of a depth first search within basic blocks contained by a single loop.
RPOIterator beginRPO() const
Reverse iterate over the cached postorder blocks.
std::vector< BasicBlock * >::const_reverse_iterator RPOIterator
void perform(const LoopInfo *LI)
Traverse the loop blocks and store the DFS result.
RPOIterator endRPO() const
LoopT * getLoopFor(const BlockT *BB) const
Return the inner most loop that BB lives in.
Represents a single loop in the control flow graph.
This class implements a map that also provides access to all stored values in a deterministic order.
This class represents min/max intrinsics.
void addIncoming(Value *V, BasicBlock *BB)
Add an incoming value to the end of the PHI list.
Value * getIncomingValueForBlock(const BasicBlock *BB) const
This node represents a polynomial recurrence on the trip count of the specified loop.
LLVM_ABI const SCEV * evaluateAtIteration(const SCEV *It, ScalarEvolution &SE) const
Return the value of this chain of recurrences at the specified iteration number.
bool isAffine() const
Return true if this represents an expression A + B*x where A and B are loop invariant values.
const Loop * getLoop() const
SCEVUse getStepRecurrence(ScalarEvolution &SE) const
Constructs and returns the recurrence indicating how much this expression steps by.
This class represents a constant integer value.
This class uses information about analyze scalars to rewrite expressions in canonical form.
bool isHighCostExpansion(ArrayRef< const SCEV * > Exprs, Loop *L, unsigned Budget, const TargetTransformInfo *TTI, const Instruction *At)
Return true for expressions that can't be evaluated at runtime within given Budget.
LLVM_ABI Value * expandCodeFor(const SCEV *SH, Type *Ty, BasicBlock::iterator I)
Insert code to directly compute the specified SCEV expression into the program.
bool hasNoSelfWrap() const
This class represents an analyzed expression in the program.
LLVM_ABI Type * getType() const
Return the LLVM type of this SCEV expression.
static LLVM_ABI LoopGuards collect(const Loop *L, ScalarEvolution &SE)
Collect rewrite map for loop guards for loop L, together with flags indicating if NUW and NSW can be ...
The main scalar evolution driver.
const SCEV * getConstantMaxBackedgeTakenCount(const Loop *L)
When successful, this returns a SCEVConstant that is greater than or equal to (i.e.
LLVM_ABI bool isKnownNegative(const SCEV *S)
Test if the given expression is known to be negative.
LLVM_ABI bool isKnownNonZero(const SCEV *S)
Test if the given expression is known to be non-zero.
LLVM_ABI const SCEV * getBackedgeTakenCount(const Loop *L, ExitCountKind Kind=Exact)
If the specified loop has a predictable backedge-taken count, return it, otherwise return a SCEVCould...
LLVM_ABI const SCEV * getConstant(ConstantInt *V)
LLVM_ABI const SCEV * getSCEV(Value *V)
Return a SCEV expression for the full generality of the specified expression.
LLVM_ABI const SCEV * getMinusSCEV(SCEVUse LHS, SCEVUse RHS, SCEV::NoWrapFlags Flags=SCEV::FlagAnyWrap, unsigned Depth=0)
Return LHS-RHS.
const SCEV * getOne(Type *Ty)
Return a SCEV for the constant 1 of a specific type.
LLVM_ABI bool isLoopInvariant(const SCEV *S, const Loop *L)
Return true if the value of the given SCEV is unchanging in the specified loop.
LLVM_ABI bool isKnownPositive(const SCEV *S)
Test if the given expression is known to be positive.
LLVM_ABI void forgetTopmostLoop(const Loop *L)
LLVM_ABI void forgetBlockAndLoopDispositions(Value *V=nullptr)
Called when the client has changed the disposition of values in a loop or block.
LLVM_ABI void forgetLcssaPhiWithNewPredecessor(Loop *L, PHINode *V)
Forget LCSSA phi node V of loop L to which a new predecessor was added, such that it may no longer be...
LLVM_ABI std::optional< MonotonicPredicateType > getMonotonicPredicateType(const SCEVAddRecExpr *LHS, ICmpInst::Predicate Pred)
If, for all loop invariant X, the predicate "LHS `Pred` X" is monotonically increasing or decreasing,...
LLVM_ABI const SCEV * getAddExpr(SmallVectorImpl< SCEVUse > &Ops, SCEV::NoWrapFlags Flags=SCEV::FlagAnyWrap, unsigned Depth=0)
Get a canonical add expression, or something simpler if possible.
LLVM_ABI bool isKnownPredicate(CmpPredicate Pred, SCEVUse LHS, SCEVUse RHS)
Test if the given expression is known to satisfy the condition described by Pred, LHS,...
LLVM_ABI const SCEV * applyLoopGuards(const SCEV *Expr, const Loop *L)
Try to apply information from loop guards for L to Expr.
LLVM_ABI std::optional< bool > evaluatePredicate(CmpPredicate Pred, const SCEV *LHS, const SCEV *RHS)
Check whether the condition described by Pred, LHS, and RHS is true or false.
This class represents the LLVM 'select' instruction.
void insert_range(Range &&R)
std::pair< iterator, bool > insert(PtrType Ptr)
Inserts Ptr if and only if there is no element in the container equal to Ptr.
bool contains(ConstPtrType Ptr) const
SmallPtrSet - This class implements a set which is optimized for holding SmallSize or less elements.
This class consists of common code factored out of the SmallVector class to reduce code duplication b...
void push_back(const T &Elt)
This is a 'vector' (really, a variable-sized array), optimized for the case when the array is small.
Twine - A lightweight data structure for efficiently representing the concatenation of temporary valu...
bool isIntegerTy() const
True if this is an instance of IntegerType.
LLVM Value Representation.
Type * getType() const
All values are typed, get the type of this value.
LLVM_ABI void setName(const Twine &Name)
Change the name of the value.
LLVM_ABI StringRef getName() const
Return a constant reference to the value's name.
self_iterator getIterator()
@ BasicBlock
Various leaf nodes.
OneUse_match< SubPat > m_OneUse(const SubPat &SP)
BinaryOp_match< LHS, RHS, Instruction::And > m_And(const LHS &L, const RHS &R)
brc_match< Cond_t, bind_ty< BasicBlock >, bind_ty< BasicBlock > > m_Br(const Cond_t &C, BasicBlock *&T, BasicBlock *&F)
class_match< Value > m_Value()
Match an arbitrary value and ignore it.
CmpClass_match< LHS, RHS, ICmpInst > m_ICmp(CmpPredicate &Pred, const LHS &L, const RHS &R)
class_match< BasicBlock > m_BasicBlock()
Match an arbitrary basic block value and ignore it.
BinaryOp_match< LHS, RHS, Instruction::Or > m_Or(const LHS &L, const RHS &R)
cst_pred_ty< is_one > m_scev_One()
Match an integer 1.
specificloop_ty m_SpecificLoop(const Loop *L)
SCEVAffineAddRec_match< Op0_t, Op1_t, class_match< const Loop > > m_scev_AffineAddRec(const Op0_t &Op0, const Op1_t &Op1)
bool match(const SCEV *S, const Pattern &P)
class_match< const SCEV > m_SCEV()
initializer< Ty > init(const Ty &Val)
NodeAddr< PhiNode * > Phi
This is an optimization pass for GlobalISel generic memory operations.
LLVM_ABI bool simplifyLoop(Loop *L, DominatorTree *DT, LoopInfo *LI, ScalarEvolution *SE, AssumptionCache *AC, MemorySSAUpdater *MSSAU, bool PreserveLCSSA)
Simplify each loop in a loop nest recursively.
FunctionAddr VTableAddr Value
cl::opt< bool > ProfcheckDisableMetadataFixes
LLVM_ABI std::optional< unsigned > getLoopEstimatedTripCount(Loop *L, unsigned *EstimatedLoopInvocationWeight=nullptr)
Return either:
bool all_of(R &&range, UnaryPredicate P)
Provide wrappers to std::all_of which take ranges instead of having to pass begin/end explicitly.
static cl::opt< bool > DisableAdvancedPeeling("disable-advanced-peeling", cl::init(false), cl::Hidden, cl::desc("Disable advance peeling. Issues for convergent targets (D134803)."))
static cl::opt< bool > UnrollAllowPeeling("unroll-allow-peeling", cl::init(true), cl::Hidden, cl::desc("Allows loops to be peeled when the dynamic " "trip count is known to be low."))
LLVM_ABI bool IsBlockFollowedByDeoptOrUnreachable(const BasicBlock *BB)
Check if we can prove that all paths starting from this block converge to a block that either has a @...
static cl::opt< bool > EnablePeelingForIV("enable-peeling-for-iv", cl::init(false), cl::Hidden, cl::desc("Enable peeling to convert Phi nodes into IVs"))
LLVM_ABI BasicBlock * CloneBasicBlock(const BasicBlock *BB, ValueToValueMapTy &VMap, const Twine &NameSuffix="", Function *F=nullptr, ClonedCodeInfo *CodeInfo=nullptr, bool MapAtoms=true)
Return a copy of the specified basic block, but without embedding the block into a particular functio...
decltype(auto) dyn_cast(const From &Val)
dyn_cast<X> - Return the argument parameter cast to the specified type.
bool canPeel(const Loop *L)
bool canPeelLastIteration(const Loop &L, ScalarEvolution &SE)
Returns true if the last iteration of L can be peeled off.
LLVM_ABI void addStringMetadataToLoop(Loop *TheLoop, const char *MDString, unsigned V=0)
Set input string into loop metadata by keeping other values intact.
LLVM_ABI void setBranchWeights(Instruction &I, ArrayRef< uint32_t > Weights, bool IsExpected, bool ElideAllZero=false)
Create a new branch_weights metadata node and add or overwrite a prof metadata reference to instructi...
static const char * PeeledCountMetaData
DomTreeNodeBase< BasicBlock > DomTreeNode
bool any_of(R &&range, UnaryPredicate P)
Provide wrappers to std::any_of which take ranges instead of having to pass begin/end explicitly.
TargetTransformInfo::PeelingPreferences gatherPeelingPreferences(Loop *L, ScalarEvolution &SE, const TargetTransformInfo &TTI, std::optional< bool > UserAllowPeeling, std::optional< bool > UserAllowProfileBasedPeeling, bool UnrollingSpecficValues=false)
LLVM_ABI raw_ostream & dbgs()
dbgs() - This returns a reference to a raw_ostream for debugging messages.
void computePeelCount(Loop *L, unsigned LoopSize, TargetTransformInfo::PeelingPreferences &PP, unsigned TripCount, DominatorTree &DT, ScalarEvolution &SE, const TargetTransformInfo &TTI, AssumptionCache *AC=nullptr, unsigned Threshold=UINT_MAX)
LLVM_ABI cl::opt< unsigned > SCEVCheapExpansionBudget
BranchProbability getLoopProbability(Loop *L)
Based on branch weight metadata, return either:
static cl::opt< unsigned > UnrollForcePeelCount("unroll-force-peel-count", cl::init(0), cl::Hidden, cl::desc("Force a peel count regardless of profiling information."))
bool isa(const From &Val)
isa<X> - Return true if the parameter to the template is an instance of one of the template type argu...
void peelLoop(Loop *L, unsigned PeelCount, bool PeelLast, LoopInfo *LI, ScalarEvolution *SE, DominatorTree &DT, AssumptionCache *AC, bool PreserveLCSSA, ValueToValueMapTy &VMap)
VMap is the value-map that maps instructions from the original loop to instructions in the last peele...
LLVM_ABI std::optional< int > getOptionalIntLoopAttribute(const Loop *TheLoop, StringRef Name)
Find named metadata for a loop with an integer value.
bool setLoopProbability(Loop *L, BranchProbability P)
Set branch weight metadata for the latch of L to indicate that, at the end of any iteration,...
static cl::opt< bool > UnrollAllowLoopNestsPeeling("unroll-allow-loop-nests-peeling", cl::init(false), cl::Hidden, cl::desc("Allows loop nests to be peeled."))
LLVM_ABI BasicBlock * SplitBlock(BasicBlock *Old, BasicBlock::iterator SplitPt, DominatorTree *DT, LoopInfo *LI=nullptr, MemorySSAUpdater *MSSAU=nullptr, const Twine &BBName="")
Split the specified block at the specified instruction.
static cl::opt< unsigned > UnrollPeelMaxCount("unroll-peel-max-count", cl::init(7), cl::Hidden, cl::desc("Max average trip count which will cause loop peeling."))
LLVM_ABI void cloneAndAdaptNoAliasScopes(ArrayRef< MDNode * > NoAliasDeclScopes, ArrayRef< BasicBlock * > NewBlocks, LLVMContext &Context, StringRef Ext)
Clone the specified noalias decl scopes.
LLVM_ABI void remapInstructionsInBlocks(ArrayRef< BasicBlock * > Blocks, ValueToValueMapTy &VMap)
Remaps instructions in Blocks using the mapping in VMap.
ValueMap< const Value *, WeakTrackingVH > ValueToValueMapTy
LLVM_ABI bool isDereferenceablePointer(const Value *V, Type *Ty, const DataLayout &DL, const Instruction *CtxI=nullptr, AssumptionCache *AC=nullptr, const DominatorTree *DT=nullptr, const TargetLibraryInfo *TLI=nullptr)
Return true if this is always a dereferenceable pointer.
LLVM_ABI bool setLoopEstimatedTripCount(Loop *L, unsigned EstimatedTripCount, std::optional< unsigned > EstimatedLoopInvocationWeight=std::nullopt)
Set llvm.loop.estimated_trip_count with the value EstimatedTripCount in the loop metadata of L.
LLVM_ABI bool extractBranchWeights(const MDNode *ProfileData, SmallVectorImpl< uint32_t > &Weights)
Extract branch weights from MD_prof metadata.
decltype(auto) cast(const From &Val)
cast<X> - Return the argument parameter cast to the specified type.
LLVM_ABI void identifyNoAliasScopesToClone(ArrayRef< BasicBlock * > BBs, SmallVectorImpl< MDNode * > &NoAliasDeclScopes)
Find the 'llvm.experimental.noalias.scope.decl' intrinsics in the specified basic blocks and extract ...
LLVM_ABI BasicBlock * SplitEdge(BasicBlock *From, BasicBlock *To, DominatorTree *DT=nullptr, LoopInfo *LI=nullptr, MemorySSAUpdater *MSSAU=nullptr, const Twine &BBName="")
Split the edge connecting the specified blocks, and return the newly created basic block between From...
LLVM_ABI bool formLCSSA(Loop &L, const DominatorTree &DT, const LoopInfo *LI, ScalarEvolution *SE)
Put loop into LCSSA form.
static cl::opt< unsigned > UnrollPeelCount("unroll-peel-count", cl::Hidden, cl::desc("Set the unroll peeling count, for testing purposes"))
LLVM_ABI Loop * cloneLoop(Loop *L, Loop *PL, ValueToValueMapTy &VM, LoopInfo *LI, LPPassManager *LPM)
Recursively clone the specified loop and all of its children, mapping the blocks with the specified m...
void swap(llvm::BitVector &LHS, llvm::BitVector &RHS)
Implement std::swap in terms of BitVector swap.