LLVM 22.0.0git
CanonicalizeFreezeInLoops.cpp
Go to the documentation of this file.
1//==- CanonicalizeFreezeInLoops - Canonicalize freezes in a loop-*- C++ -*-===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8//
9// This pass canonicalizes freeze instructions in a loop by pushing them out to
10// the preheader.
11//
12// loop:
13// i = phi init, i.next
14// i.next = add nsw i, 1
15// i.next.fr = freeze i.next // push this out of this loop
16// use(i.next.fr)
17// br i1 (i.next <= N), loop, exit
18// =>
19// init.fr = freeze init
20// loop:
21// i = phi init.fr, i.next
22// i.next = add i, 1 // nsw is dropped here
23// use(i.next)
24// br i1 (i.next <= N), loop, exit
25//
26// Removing freezes from these chains help scalar evolution successfully analyze
27// expressions.
28//
29//===----------------------------------------------------------------------===//
30
33#include "llvm/ADT/STLExtras.h"
34#include "llvm/ADT/SetVector.h"
41#include "llvm/IR/Dominators.h"
43#include "llvm/Pass.h"
44#include "llvm/Support/Debug.h"
46
47using namespace llvm;
48
49#define DEBUG_TYPE "canon-freeze"
50
51namespace {
52
53class CanonicalizeFreezeInLoops : public LoopPass {
54public:
55 static char ID;
56
57 CanonicalizeFreezeInLoops();
58
59private:
60 bool runOnLoop(Loop *L, LPPassManager &LPM) override;
61 void getAnalysisUsage(AnalysisUsage &AU) const override;
62};
63
64class CanonicalizeFreezeInLoopsImpl {
65 Loop *L;
67 DominatorTree &DT;
68
69 // Can freeze instruction be pushed into operands of I?
70 // In order to do this, I should not create a poison after I's flags are
71 // stripped.
72 bool canHandleInst(const Instruction *I) {
73 auto Opc = I->getOpcode();
74 // If add/sub/mul, drop nsw/nuw flags.
75 return Opc == Instruction::Add || Opc == Instruction::Sub ||
76 Opc == Instruction::Mul;
77 }
78
79 void InsertFreezeAndForgetFromSCEV(Use &U);
80
81public:
82 CanonicalizeFreezeInLoopsImpl(Loop *L, ScalarEvolution &SE, DominatorTree &DT)
83 : L(L), SE(SE), DT(DT) {}
84 bool run();
85};
86
87struct FrozenIndPHIInfo {
88 // A freeze instruction that uses an induction phi
89 FreezeInst *FI = nullptr;
90 // The induction phi, step instruction, the operand idx of StepInst which is
91 // a step value
92 PHINode *PHI;
93 BinaryOperator *StepInst;
94 unsigned StepValIdx = 0;
95
96 FrozenIndPHIInfo(PHINode *PHI, BinaryOperator *StepInst)
97 : PHI(PHI), StepInst(StepInst) {}
98
99 bool operator==(const FrozenIndPHIInfo &Other) { return FI == Other.FI; }
100};
101
102} // namespace
103
104template <> struct llvm::DenseMapInfo<FrozenIndPHIInfo> {
105 static inline FrozenIndPHIInfo getEmptyKey() {
106 return FrozenIndPHIInfo(DenseMapInfo<PHINode *>::getEmptyKey(),
108 }
109
110 static inline FrozenIndPHIInfo getTombstoneKey() {
111 return FrozenIndPHIInfo(DenseMapInfo<PHINode *>::getTombstoneKey(),
113 }
114
115 static unsigned getHashValue(const FrozenIndPHIInfo &Val) {
117 };
118
119 static bool isEqual(const FrozenIndPHIInfo &LHS,
120 const FrozenIndPHIInfo &RHS) {
121 return LHS.FI == RHS.FI;
122 };
123};
124
125// Given U = (value, user), replace value with freeze(value), and let
126// SCEV forget user. The inserted freeze is placed in the preheader.
127void CanonicalizeFreezeInLoopsImpl::InsertFreezeAndForgetFromSCEV(Use &U) {
128 auto *PH = L->getLoopPreheader();
129
130 auto *UserI = cast<Instruction>(U.getUser());
131 auto *ValueToFr = U.get();
132 assert(L->contains(UserI->getParent()) &&
133 "Should not process an instruction that isn't inside the loop");
134 if (isGuaranteedNotToBeUndefOrPoison(ValueToFr, nullptr, UserI, &DT))
135 return;
136
137 LLVM_DEBUG(dbgs() << "canonfr: inserting freeze:\n");
138 LLVM_DEBUG(dbgs() << "\tUser: " << *U.getUser() << "\n");
139 LLVM_DEBUG(dbgs() << "\tOperand: " << *U.get() << "\n");
140
141 U.set(new FreezeInst(ValueToFr, ValueToFr->getName() + ".frozen",
142 PH->getTerminator()->getIterator()));
143
144 SE.forgetValue(UserI);
145}
146
147bool CanonicalizeFreezeInLoopsImpl::run() {
148 // The loop should be in LoopSimplify form.
149 if (!L->isLoopSimplifyForm())
150 return false;
151
152 SmallSetVector<FrozenIndPHIInfo, 4> Candidates;
153
154 for (auto &PHI : L->getHeader()->phis()) {
155 InductionDescriptor ID;
157 continue;
158
159 LLVM_DEBUG(dbgs() << "canonfr: PHI: " << PHI << "\n");
160 FrozenIndPHIInfo Info(&PHI, ID.getInductionBinOp());
161 if (!Info.StepInst || !canHandleInst(Info.StepInst)) {
162 // The stepping instruction has unknown form.
163 // Ignore this PHI.
164 continue;
165 }
166
167 Info.StepValIdx = Info.StepInst->getOperand(0) == &PHI;
168 Value *StepV = Info.StepInst->getOperand(Info.StepValIdx);
169 if (auto *StepI = dyn_cast<Instruction>(StepV)) {
170 if (L->contains(StepI->getParent())) {
171 // The step value is inside the loop. Freezing step value will introduce
172 // another freeze into the loop, so skip this PHI.
173 continue;
174 }
175 }
176
177 auto Visit = [&](User *U) {
178 if (auto *FI = dyn_cast<FreezeInst>(U)) {
179 LLVM_DEBUG(dbgs() << "canonfr: found: " << *FI << "\n");
180 Info.FI = FI;
181 Candidates.insert(Info);
182 }
183 };
184 for_each(PHI.users(), Visit);
185 for_each(Info.StepInst->users(), Visit);
186 }
187
188 if (Candidates.empty())
189 return false;
190
191 SmallPtrSet<PHINode *, 8> ProcessedPHIs;
192 for (const auto &Info : Candidates) {
193 PHINode *PHI = Info.PHI;
194 if (!ProcessedPHIs.insert(Info.PHI).second)
195 continue;
196
197 BinaryOperator *StepI = Info.StepInst;
198 assert(StepI && "Step instruction should have been found");
199
200 // Drop flags from the step instruction.
201 if (!isGuaranteedNotToBeUndefOrPoison(StepI, nullptr, StepI, &DT)) {
202 LLVM_DEBUG(dbgs() << "canonfr: drop flags: " << *StepI << "\n");
204 SE.forgetValue(StepI);
205 }
206
207 InsertFreezeAndForgetFromSCEV(StepI->getOperandUse(Info.StepValIdx));
208
209 unsigned OperandIdx =
210 PHI->getOperandNumForIncomingValue(PHI->getIncomingValue(0) == StepI);
211 InsertFreezeAndForgetFromSCEV(PHI->getOperandUse(OperandIdx));
212 }
213
214 // Finally, remove the old freeze instructions.
215 for (const auto &Item : Candidates) {
216 auto *FI = Item.FI;
217 LLVM_DEBUG(dbgs() << "canonfr: removing " << *FI << "\n");
218 SE.forgetValue(FI);
219 FI->replaceAllUsesWith(FI->getOperand(0));
220 FI->eraseFromParent();
221 }
222
223 return true;
224}
225
226CanonicalizeFreezeInLoops::CanonicalizeFreezeInLoops() : LoopPass(ID) {
228}
229
230void CanonicalizeFreezeInLoops::getAnalysisUsage(AnalysisUsage &AU) const {
239}
240
241bool CanonicalizeFreezeInLoops::runOnLoop(Loop *L, LPPassManager &) {
242 if (skipLoop(L))
243 return false;
244
245 auto &SE = getAnalysis<ScalarEvolutionWrapperPass>().getSE();
246 auto &DT = getAnalysis<DominatorTreeWrapperPass>().getDomTree();
247 return CanonicalizeFreezeInLoopsImpl(L, SE, DT).run();
248}
249
253 LPMUpdater &U) {
254 if (!CanonicalizeFreezeInLoopsImpl(&L, AR.SE, AR.DT).run())
255 return PreservedAnalyses::all();
256
258}
259
260INITIALIZE_PASS_BEGIN(CanonicalizeFreezeInLoops, "canon-freeze",
261 "Canonicalize Freeze Instructions in Loops", false, false)
264INITIALIZE_PASS_DEPENDENCY(LoopSimplify)
265INITIALIZE_PASS_END(CanonicalizeFreezeInLoops, "canon-freeze",
266 "Canonicalize Freeze Instructions in Loops", false, false)
267
269 return new CanonicalizeFreezeInLoops();
270}
271
272char CanonicalizeFreezeInLoops::ID = 0;
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
Rewrite undef for PHI
Analysis containing CSE Info
Definition CSEInfo.cpp:27
This file defines DenseMapInfo traits for DenseMap.
This header provides classes for managing per-loop analyses.
#define I(x, y, z)
Definition MD5.cpp:58
#define INITIALIZE_PASS_DEPENDENCY(depName)
Definition PassSupport.h:42
#define INITIALIZE_PASS_END(passName, arg, name, cfg, analysis)
Definition PassSupport.h:44
#define INITIALIZE_PASS_BEGIN(passName, arg, name, cfg, analysis)
Definition PassSupport.h:39
This file contains some templates that are useful if you are working with the STL at all.
This file implements a set that has insertion order iteration characteristics.
#define LLVM_DEBUG(...)
Definition Debug.h:114
Represent the analysis usage information of a pass.
LLVM_ABI AnalysisUsage & addRequiredID(const void *ID)
Definition Pass.cpp:284
AnalysisUsage & addPreservedID(const void *ID)
AnalysisUsage & addRequired()
AnalysisUsage & addPreserved()
Add the specified Pass class to the set of analyses preserved by this pass.
iterator_range< const_phi_iterator > phis() const
Returns a range that iterates over the phis in the basic block.
Definition BasicBlock.h:528
PreservedAnalyses run(Loop &L, LoopAnalysisManager &AM, LoopStandardAnalysisResults &AR, LPMUpdater &U)
Legacy analysis pass which computes a DominatorTree.
Definition Dominators.h:322
DominatorTree & getDomTree()
Definition Dominators.h:330
Concrete subclass of DominatorTreeBase that is used to compute a normal dominator tree.
Definition Dominators.h:165
This class represents a freeze function that returns random concrete value if an operand is either a ...
static LLVM_ABI bool isInductionPHI(PHINode *Phi, const Loop *L, ScalarEvolution *SE, InductionDescriptor &D, const SCEV *Expr=nullptr, SmallVectorImpl< Instruction * > *CastsToIgnore=nullptr)
Returns true if Phi is an induction in the loop L.
LLVM_ABI void dropPoisonGeneratingFlags()
Drops flags that may cause this instruction to evaluate to poison despite having non-poison inputs.
This class provides an interface for updating the loop pass manager based on mutations to the loop ne...
bool contains(const LoopT *L) const
Return true if the specified loop is contained within in this loop.
BlockT * getHeader() const
BlockT * getLoopPreheader() const
If there is a preheader for this loop, return it.
The legacy pass manager's analysis pass to compute loop information.
Definition LoopInfo.h:596
Represents a single loop in the control flow graph.
Definition LoopInfo.h:40
bool isLoopSimplifyForm() const
Return true if the Loop is in the form that the LoopSimplify form transforms loops to,...
Definition LoopInfo.cpp:480
static LLVM_ABI PassRegistry * getPassRegistry()
getPassRegistry - Access the global registry object, which is automatically initialized at applicatio...
Pass interface - Implemented by all 'passes'.
Definition Pass.h:99
A set of analyses that are preserved following a run of a transformation pass.
Definition Analysis.h:112
static PreservedAnalyses all()
Construct a special preserved set that preserves all passes.
Definition Analysis.h:118
The main scalar evolution driver.
LLVM_ABI void forgetValue(Value *V)
This method should be called by the client when it has changed a value in a way that may effect its v...
bool empty() const
Determine if the SetVector is empty or not.
Definition SetVector.h:99
bool insert(const value_type &X)
Insert a new element into the SetVector.
Definition SetVector.h:150
std::pair< iterator, bool > insert(PtrType Ptr)
Inserts Ptr if and only if there is no element in the container equal to Ptr.
A Use represents the edge between a Value definition and its users.
Definition Use.h:35
const Use & getOperandUse(unsigned i) const
Definition User.h:245
unsigned ID
LLVM IR allows to use arbitrary numbers as calling convention identifiers.
Definition CallingConv.h:24
@ User
could "use" a pointer
This is an optimization pass for GlobalISel generic memory operations.
FunctionAddr VTableAddr Value
Definition InstrProf.h:137
UnaryFunction for_each(R &&Range, UnaryFunction F)
Provide wrappers to std::for_each which take ranges instead of having to pass begin/end explicitly.
Definition STLExtras.h:1718
decltype(auto) dyn_cast(const From &Val)
dyn_cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:643
LLVM_ABI void initializeCanonicalizeFreezeInLoopsPass(PassRegistry &)
LLVM_ABI char & LoopSimplifyID
bool operator==(const AddressRangeValuePair &LHS, const AddressRangeValuePair &RHS)
AnalysisManager< Loop, LoopStandardAnalysisResults & > LoopAnalysisManager
The loop analysis manager.
LLVM_ABI raw_ostream & dbgs()
dbgs() - This returns a reference to a raw_ostream for debugging messages.
Definition Debug.cpp:207
@ Other
Any other memory.
Definition ModRef.h:68
LLVM_ABI bool isGuaranteedNotToBeUndefOrPoison(const Value *V, AssumptionCache *AC=nullptr, const Instruction *CtxI=nullptr, const DominatorTree *DT=nullptr, unsigned Depth=0)
Return true if this function can prove that V does not have undef bits and is never poison.
decltype(auto) cast(const From &Val)
cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:559
LLVM_ABI PreservedAnalyses getLoopPassPreservedAnalyses()
Returns the minimum set of Analyses that all loop passes must preserve.
LLVM_ABI Pass * createCanonicalizeFreezeInLoopsPass()
static unsigned getHashValue(const FrozenIndPHIInfo &Val)
static bool isEqual(const FrozenIndPHIInfo &LHS, const FrozenIndPHIInfo &RHS)
An information struct used to provide DenseMap with the various necessary components for a given valu...
The adaptor from a function pass to a loop pass computes these analyses and makes them available to t...