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
87} // anonymous namespace
88
89namespace llvm {
90
92 // A freeze instruction that uses an induction phi
93 FreezeInst *FI = nullptr;
94 // The induction phi, step instruction, the operand idx of StepInst which is
95 // a step value
98 unsigned StepValIdx = 0;
99
102
103 bool operator==(const FrozenIndPHIInfo &Other) { return FI == Other.FI; }
104};
105
106template <> struct DenseMapInfo<FrozenIndPHIInfo> {
111
116
117 static unsigned getHashValue(const FrozenIndPHIInfo &Val) {
119 };
120
121 static bool isEqual(const FrozenIndPHIInfo &LHS,
122 const FrozenIndPHIInfo &RHS) {
123 return LHS.FI == RHS.FI;
124 };
125};
126
127} // end namespace llvm
128
129// Given U = (value, user), replace value with freeze(value), and let
130// SCEV forget user. The inserted freeze is placed in the preheader.
131void CanonicalizeFreezeInLoopsImpl::InsertFreezeAndForgetFromSCEV(Use &U) {
132 auto *PH = L->getLoopPreheader();
133
134 auto *UserI = cast<Instruction>(U.getUser());
135 auto *ValueToFr = U.get();
136 assert(L->contains(UserI->getParent()) &&
137 "Should not process an instruction that isn't inside the loop");
138 if (isGuaranteedNotToBeUndefOrPoison(ValueToFr, nullptr, UserI, &DT))
139 return;
140
141 LLVM_DEBUG(dbgs() << "canonfr: inserting freeze:\n");
142 LLVM_DEBUG(dbgs() << "\tUser: " << *U.getUser() << "\n");
143 LLVM_DEBUG(dbgs() << "\tOperand: " << *U.get() << "\n");
144
145 U.set(new FreezeInst(ValueToFr, ValueToFr->getName() + ".frozen",
146 PH->getTerminator()->getIterator()));
147
148 SE.forgetValue(UserI);
149}
150
151bool CanonicalizeFreezeInLoopsImpl::run() {
152 // The loop should be in LoopSimplify form.
153 if (!L->isLoopSimplifyForm())
154 return false;
155
156 SmallSetVector<FrozenIndPHIInfo, 4> Candidates;
157
158 for (auto &PHI : L->getHeader()->phis()) {
159 InductionDescriptor ID;
161 continue;
162
163 LLVM_DEBUG(dbgs() << "canonfr: PHI: " << PHI << "\n");
164 FrozenIndPHIInfo Info(&PHI, ID.getInductionBinOp());
165 if (!Info.StepInst || !canHandleInst(Info.StepInst)) {
166 // The stepping instruction has unknown form.
167 // Ignore this PHI.
168 continue;
169 }
170
171 Info.StepValIdx = Info.StepInst->getOperand(0) == &PHI;
172 Value *StepV = Info.StepInst->getOperand(Info.StepValIdx);
173 if (auto *StepI = dyn_cast<Instruction>(StepV)) {
174 if (L->contains(StepI->getParent())) {
175 // The step value is inside the loop. Freezing step value will introduce
176 // another freeze into the loop, so skip this PHI.
177 continue;
178 }
179 }
180
181 auto Visit = [&](User *U) {
182 if (auto *FI = dyn_cast<FreezeInst>(U)) {
183 LLVM_DEBUG(dbgs() << "canonfr: found: " << *FI << "\n");
184 Info.FI = FI;
185 Candidates.insert(Info);
186 }
187 };
188 for_each(PHI.users(), Visit);
189 for_each(Info.StepInst->users(), Visit);
190 }
191
192 if (Candidates.empty())
193 return false;
194
195 SmallPtrSet<PHINode *, 8> ProcessedPHIs;
196 for (const auto &Info : Candidates) {
197 PHINode *PHI = Info.PHI;
198 if (!ProcessedPHIs.insert(Info.PHI).second)
199 continue;
200
201 BinaryOperator *StepI = Info.StepInst;
202 assert(StepI && "Step instruction should have been found");
203
204 // Drop flags from the step instruction.
205 if (!isGuaranteedNotToBeUndefOrPoison(StepI, nullptr, StepI, &DT)) {
206 LLVM_DEBUG(dbgs() << "canonfr: drop flags: " << *StepI << "\n");
208 SE.forgetValue(StepI);
209 }
210
211 InsertFreezeAndForgetFromSCEV(StepI->getOperandUse(Info.StepValIdx));
212
213 unsigned OperandIdx =
214 PHI->getOperandNumForIncomingValue(PHI->getIncomingValue(0) == StepI);
215 InsertFreezeAndForgetFromSCEV(PHI->getOperandUse(OperandIdx));
216 }
217
218 // Finally, remove the old freeze instructions.
219 for (const auto &Item : Candidates) {
220 auto *FI = Item.FI;
221 LLVM_DEBUG(dbgs() << "canonfr: removing " << *FI << "\n");
222 SE.forgetValue(FI);
223 FI->replaceAllUsesWith(FI->getOperand(0));
224 FI->eraseFromParent();
225 }
226
227 return true;
228}
229
230CanonicalizeFreezeInLoops::CanonicalizeFreezeInLoops() : LoopPass(ID) {
232}
233
234void CanonicalizeFreezeInLoops::getAnalysisUsage(AnalysisUsage &AU) const {
243}
244
245bool CanonicalizeFreezeInLoops::runOnLoop(Loop *L, LPPassManager &) {
246 if (skipLoop(L))
247 return false;
248
249 auto &SE = getAnalysis<ScalarEvolutionWrapperPass>().getSE();
250 auto &DT = getAnalysis<DominatorTreeWrapperPass>().getDomTree();
251 return CanonicalizeFreezeInLoopsImpl(L, SE, DT).run();
252}
253
257 LPMUpdater &U) {
258 if (!CanonicalizeFreezeInLoopsImpl(&L, AR.SE, AR.DT).run())
259 return PreservedAnalyses::all();
260
262}
263
264INITIALIZE_PASS_BEGIN(CanonicalizeFreezeInLoops, "canon-freeze",
265 "Canonicalize Freeze Instructions in Loops", false, false)
268INITIALIZE_PASS_DEPENDENCY(LoopSimplify)
269INITIALIZE_PASS_END(CanonicalizeFreezeInLoops, "canon-freeze",
270 "Canonicalize Freeze Instructions in Loops", false, false)
271
273 return new CanonicalizeFreezeInLoops();
274}
275
276char 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:119
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:597
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:492
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:168
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:1720
decltype(auto) dyn_cast(const From &Val)
dyn_cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:649
LLVM_ABI void initializeCanonicalizeFreezeInLoopsPass(PassRegistry &)
LLVM_ABI char & LoopSimplifyID
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:565
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...
FrozenIndPHIInfo(PHINode *PHI, BinaryOperator *StepInst)
bool operator==(const FrozenIndPHIInfo &Other)
The adaptor from a function pass to a loop pass computes these analyses and makes them available to t...