LLVM 22.0.0git
DXILDataScalarization.cpp
Go to the documentation of this file.
1//===- DXILDataScalarization.cpp - Perform DXIL Data Legalization ---------===//
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
10#include "DirectX.h"
12#include "llvm/ADT/STLExtras.h"
15#include "llvm/IR/IRBuilder.h"
16#include "llvm/IR/InstVisitor.h"
18#include "llvm/IR/Module.h"
19#include "llvm/IR/Operator.h"
20#include "llvm/IR/PassManager.h"
22#include "llvm/IR/Type.h"
26
27#define DEBUG_TYPE "dxil-data-scalarization"
28static const int MaxVecSize = 4;
29
30using namespace llvm;
31
33
34public:
35 bool runOnModule(Module &M) override;
37
38 static char ID; // Pass identification.
39};
40
41static bool findAndReplaceVectors(Module &M);
42
43class DataScalarizerVisitor : public InstVisitor<DataScalarizerVisitor, bool> {
44public:
45 DataScalarizerVisitor() : GlobalMap() {}
46 bool visit(Function &F);
47 // InstVisitor methods. They return true if the instruction was scalarized,
48 // false if nothing changed.
50 bool visitInstruction(Instruction &I) { return false; }
51 bool visitSelectInst(SelectInst &SI) { return false; }
52 bool visitICmpInst(ICmpInst &ICI) { return false; }
53 bool visitFCmpInst(FCmpInst &FCI) { return false; }
54 bool visitUnaryOperator(UnaryOperator &UO) { return false; }
55 bool visitBinaryOperator(BinaryOperator &BO) { return false; }
57 bool visitCastInst(CastInst &CI) { return false; }
58 bool visitBitCastInst(BitCastInst &BCI) { return false; }
61 bool visitShuffleVectorInst(ShuffleVectorInst &SVI) { return false; }
62 bool visitPHINode(PHINode &PHI) { return false; }
63 bool visitLoadInst(LoadInst &LI);
65 bool visitCallInst(CallInst &ICI) { return false; }
66 bool visitFreezeInst(FreezeInst &FI) { return false; }
67 friend bool findAndReplaceVectors(llvm::Module &M);
68
69private:
70 typedef std::pair<AllocaInst *, SmallVector<Value *, 4>> AllocaAndGEPs;
72 VectorToArrayMap; // A map from a vector-typed Value to its corresponding
73 // AllocaInst and GEPs to each element of an array
74 VectorToArrayMap VectorAllocaMap;
75 AllocaAndGEPs createArrayFromVector(IRBuilder<> &Builder, Value *Vec,
76 const Twine &Name);
77 bool replaceDynamicInsertElementInst(InsertElementInst &IEI);
78 bool replaceDynamicExtractElementInst(ExtractElementInst &EEI);
79
80 GlobalVariable *lookupReplacementGlobal(Value *CurrOperand);
82};
83
85 bool MadeChange = false;
87 for (BasicBlock *BB : make_early_inc_range(RPOT)) {
89 MadeChange |= InstVisitor::visit(I);
90 }
91 VectorAllocaMap.clear();
92 return MadeChange;
93}
94
96DataScalarizerVisitor::lookupReplacementGlobal(Value *CurrOperand) {
97 if (GlobalVariable *OldGlobal = dyn_cast<GlobalVariable>(CurrOperand)) {
98 auto It = GlobalMap.find(OldGlobal);
99 if (It != GlobalMap.end()) {
100 return It->second; // Found, return the new global
101 }
102 }
103 return nullptr; // Not found
104}
105
106// Helper function to check if a type is a vector or an array of vectors
108 if (isa<VectorType>(T))
109 return true;
110 if (ArrayType *ArrayTy = dyn_cast<ArrayType>(T))
111 return isVectorOrArrayOfVectors(ArrayTy->getElementType());
112 return false;
113}
114
115// Recursively creates an array-like version of a given vector type.
117 if (auto *VecTy = dyn_cast<VectorType>(T))
118 return ArrayType::get(VecTy->getElementType(),
119 dyn_cast<FixedVectorType>(VecTy)->getNumElements());
120 if (auto *ArrayTy = dyn_cast<ArrayType>(T)) {
121 Type *NewElementType =
122 equivalentArrayTypeFromVector(ArrayTy->getElementType());
123 return ArrayType::get(NewElementType, ArrayTy->getNumElements());
124 }
125 // If it's not a vector or array, return the original type.
126 return T;
127}
128
130 Type *AllocatedType = AI.getAllocatedType();
131 if (!isVectorOrArrayOfVectors(AllocatedType))
132 return false;
133
134 IRBuilder<> Builder(&AI);
135 Type *NewType = equivalentArrayTypeFromVector(AllocatedType);
136 AllocaInst *ArrAlloca =
137 Builder.CreateAlloca(NewType, nullptr, AI.getName() + ".scalarized");
138 ArrAlloca->setAlignment(AI.getAlign());
139 AI.replaceAllUsesWith(ArrAlloca);
140 AI.eraseFromParent();
141 return true;
142}
143
145 Value *PtrOperand = LI.getPointerOperand();
146 ConstantExpr *CE = dyn_cast<ConstantExpr>(PtrOperand);
147 if (CE && CE->getOpcode() == Instruction::GetElementPtr) {
148 GetElementPtrInst *OldGEP = cast<GetElementPtrInst>(CE->getAsInstruction());
149 OldGEP->insertBefore(LI.getIterator());
150 IRBuilder<> Builder(&LI);
151 LoadInst *NewLoad = Builder.CreateLoad(LI.getType(), OldGEP, LI.getName());
152 NewLoad->setAlignment(LI.getAlign());
153 LI.replaceAllUsesWith(NewLoad);
154 LI.eraseFromParent();
155 visitGetElementPtrInst(*OldGEP);
156 return true;
157 }
158 if (GlobalVariable *NewGlobal = lookupReplacementGlobal(PtrOperand))
159 LI.setOperand(LI.getPointerOperandIndex(), NewGlobal);
160 return false;
161}
162
164
165 Value *PtrOperand = SI.getPointerOperand();
166 ConstantExpr *CE = dyn_cast<ConstantExpr>(PtrOperand);
167 if (CE && CE->getOpcode() == Instruction::GetElementPtr) {
168 GetElementPtrInst *OldGEP = cast<GetElementPtrInst>(CE->getAsInstruction());
169 OldGEP->insertBefore(SI.getIterator());
170 IRBuilder<> Builder(&SI);
171 StoreInst *NewStore = Builder.CreateStore(SI.getValueOperand(), OldGEP);
172 NewStore->setAlignment(SI.getAlign());
173 SI.replaceAllUsesWith(NewStore);
174 SI.eraseFromParent();
175 visitGetElementPtrInst(*OldGEP);
176 return true;
177 }
178 if (GlobalVariable *NewGlobal = lookupReplacementGlobal(PtrOperand))
179 SI.setOperand(SI.getPointerOperandIndex(), NewGlobal);
180
181 return false;
182}
183
184DataScalarizerVisitor::AllocaAndGEPs
185DataScalarizerVisitor::createArrayFromVector(IRBuilder<> &Builder, Value *Vec,
186 const Twine &Name = "") {
187 // If there is already an alloca for this vector, return it
188 if (VectorAllocaMap.contains(Vec))
189 return VectorAllocaMap[Vec];
190
191 auto InsertPoint = Builder.GetInsertPoint();
192
193 // Allocate the array to hold the vector elements
194 Builder.SetInsertPointPastAllocas(Builder.GetInsertBlock()->getParent());
196 AllocaInst *ArrAlloca =
197 Builder.CreateAlloca(ArrTy, nullptr, Name + ".alloca");
198 const uint64_t ArrNumElems = ArrTy->getArrayNumElements();
199
200 // Create loads and stores to populate the array immediately after the
201 // original vector's defining instruction if available, else immediately after
202 // the alloca
203 if (auto *Instr = dyn_cast<Instruction>(Vec))
204 Builder.SetInsertPoint(Instr->getNextNode());
205 SmallVector<Value *, 4> GEPs(ArrNumElems);
206 for (unsigned I = 0; I < ArrNumElems; ++I) {
207 Value *EE = Builder.CreateExtractElement(Vec, I, Name + ".extract");
208 GEPs[I] = Builder.CreateInBoundsGEP(
209 ArrTy, ArrAlloca, {Builder.getInt32(0), Builder.getInt32(I)},
210 Name + ".index");
211 Builder.CreateStore(EE, GEPs[I]);
212 }
213
214 VectorAllocaMap.insert({Vec, {ArrAlloca, GEPs}});
215 Builder.SetInsertPoint(InsertPoint);
216 return {ArrAlloca, GEPs};
217}
218
219/// Returns a pair of Value* with the first being a GEP into ArrAlloca using
220/// indices {0, Index}, and the second Value* being a Load of the GEP
221static std::pair<Value *, Value *>
223 const Twine &Name = "") {
224 Type *ArrTy = ArrAlloca->getAllocatedType();
225 Value *GEP = Builder.CreateInBoundsGEP(
226 ArrTy, ArrAlloca, {Builder.getInt32(0), Index}, Name + ".index");
227 Value *Load =
228 Builder.CreateLoad(ArrTy->getArrayElementType(), GEP, Name + ".load");
229 return std::make_pair(GEP, Load);
230}
231
232bool DataScalarizerVisitor::replaceDynamicInsertElementInst(
233 InsertElementInst &IEI) {
234 IRBuilder<> Builder(&IEI);
235
236 Value *Vec = IEI.getOperand(0);
237 Value *Val = IEI.getOperand(1);
238 Value *Index = IEI.getOperand(2);
239
240 AllocaAndGEPs ArrAllocaAndGEPs =
241 createArrayFromVector(Builder, Vec, IEI.getName());
242 AllocaInst *ArrAlloca = ArrAllocaAndGEPs.first;
243 Type *ArrTy = ArrAlloca->getAllocatedType();
244 SmallVector<Value *, 4> &ArrGEPs = ArrAllocaAndGEPs.second;
245
246 auto GEPAndLoad =
247 dynamicallyLoadArray(Builder, ArrAlloca, Index, IEI.getName());
248 Value *GEP = GEPAndLoad.first;
249 Value *Load = GEPAndLoad.second;
250
251 Builder.CreateStore(Val, GEP);
252 Value *NewIEI = PoisonValue::get(Vec->getType());
253 for (unsigned I = 0; I < ArrTy->getArrayNumElements(); ++I) {
254 Value *Load = Builder.CreateLoad(ArrTy->getArrayElementType(), ArrGEPs[I],
255 IEI.getName() + ".load");
256 NewIEI = Builder.CreateInsertElement(NewIEI, Load, Builder.getInt32(I),
257 IEI.getName() + ".insert");
258 }
259
260 // Store back the original value so the Alloca can be reused for subsequent
261 // insertelement instructions on the same vector
262 Builder.CreateStore(Load, GEP);
263
264 IEI.replaceAllUsesWith(NewIEI);
265 IEI.eraseFromParent();
266 return true;
267}
268
270 // If the index is a constant then we don't need to scalarize it
271 Value *Index = IEI.getOperand(2);
272 if (isa<ConstantInt>(Index))
273 return false;
274 return replaceDynamicInsertElementInst(IEI);
275}
276
277bool DataScalarizerVisitor::replaceDynamicExtractElementInst(
278 ExtractElementInst &EEI) {
279 IRBuilder<> Builder(&EEI);
280
281 AllocaAndGEPs ArrAllocaAndGEPs =
282 createArrayFromVector(Builder, EEI.getVectorOperand(), EEI.getName());
283 AllocaInst *ArrAlloca = ArrAllocaAndGEPs.first;
284
285 auto GEPAndLoad = dynamicallyLoadArray(Builder, ArrAlloca,
286 EEI.getIndexOperand(), EEI.getName());
287 Value *Load = GEPAndLoad.second;
288
289 EEI.replaceAllUsesWith(Load);
290 EEI.eraseFromParent();
291 return true;
292}
293
295 // If the index is a constant then we don't need to scalarize it
296 Value *Index = EEI.getIndexOperand();
297 if (isa<ConstantInt>(Index))
298 return false;
299 return replaceDynamicExtractElementInst(EEI);
300}
301
303 GEPOperator *GOp = cast<GEPOperator>(&GEPI);
304 Value *PtrOperand = GOp->getPointerOperand();
305 Type *GEPType = GOp->getSourceElementType();
306
307 // Replace a GEP ConstantExpr pointer operand with a GEP instruction so that
308 // it can be visited
309 if (auto *PtrOpGEPCE = dyn_cast<ConstantExpr>(PtrOperand);
310 PtrOpGEPCE && PtrOpGEPCE->getOpcode() == Instruction::GetElementPtr) {
311 GetElementPtrInst *OldGEPI =
312 cast<GetElementPtrInst>(PtrOpGEPCE->getAsInstruction());
313 OldGEPI->insertBefore(GEPI.getIterator());
314
315 IRBuilder<> Builder(&GEPI);
316 SmallVector<Value *> Indices(GEPI.indices());
317 Value *NewGEP =
318 Builder.CreateGEP(GEPI.getSourceElementType(), OldGEPI, Indices,
319 GEPI.getName(), GEPI.getNoWrapFlags());
321 "Expected newly-created GEP to be an instruction");
323
324 GEPI.replaceAllUsesWith(NewGEPI);
325 GEPI.eraseFromParent();
326 visitGetElementPtrInst(*OldGEPI);
327 visitGetElementPtrInst(*NewGEPI);
328 return true;
329 }
330
331 Type *NewGEPType = equivalentArrayTypeFromVector(GEPType);
332 Value *NewPtrOperand = PtrOperand;
333 if (GlobalVariable *NewGlobal = lookupReplacementGlobal(PtrOperand))
334 NewPtrOperand = NewGlobal;
335
336 bool NeedsTransform = NewPtrOperand != PtrOperand || NewGEPType != GEPType;
337 if (!NeedsTransform)
338 return false;
339
340 IRBuilder<> Builder(&GEPI);
341 SmallVector<Value *, MaxVecSize> Indices(GOp->idx_begin(), GOp->idx_end());
342 Value *NewGEP = Builder.CreateGEP(NewGEPType, NewPtrOperand, Indices,
343 GOp->getName(), GOp->getNoWrapFlags());
344
345 GOp->replaceAllUsesWith(NewGEP);
346
347 if (auto *OldGEPI = dyn_cast<GetElementPtrInst>(GOp))
348 OldGEPI->eraseFromParent();
349
350 return true;
351}
352
354 Type *NewType, LLVMContext &Ctx) {
355 // Handle ConstantAggregateZero (zero-initialized constants)
357 return ConstantAggregateZero::get(NewType);
358 }
359
360 // Handle UndefValue (undefined constants)
361 if (isa<UndefValue>(Init)) {
362 return UndefValue::get(NewType);
363 }
364
365 // Handle vector to array transformation
366 if (isa<VectorType>(OrigType) && isa<ArrayType>(NewType)) {
367 // Convert vector initializer to array initializer
369 if (ConstantVector *ConstVecInit = dyn_cast<ConstantVector>(Init)) {
370 for (unsigned I = 0; I < ConstVecInit->getNumOperands(); ++I)
371 ArrayElements.push_back(ConstVecInit->getOperand(I));
372 } else if (ConstantDataVector *ConstDataVecInit =
374 for (unsigned I = 0; I < ConstDataVecInit->getNumElements(); ++I)
375 ArrayElements.push_back(ConstDataVecInit->getElementAsConstant(I));
376 } else {
377 assert(false && "Expected a ConstantVector or ConstantDataVector for "
378 "vector initializer!");
379 }
380
381 return ConstantArray::get(cast<ArrayType>(NewType), ArrayElements);
382 }
383
384 // Handle array of vectors transformation
385 if (auto *ArrayTy = dyn_cast<ArrayType>(OrigType)) {
386 auto *ArrayInit = dyn_cast<ConstantArray>(Init);
387 assert(ArrayInit && "Expected a ConstantArray for array initializer!");
388
390 for (unsigned I = 0; I < ArrayTy->getNumElements(); ++I) {
391 // Recursively transform array elements
392 Constant *NewElemInit = transformInitializer(
393 ArrayInit->getOperand(I), ArrayTy->getElementType(),
394 cast<ArrayType>(NewType)->getElementType(), Ctx);
395 NewArrayElements.push_back(NewElemInit);
396 }
397
398 return ConstantArray::get(cast<ArrayType>(NewType), NewArrayElements);
399 }
400
401 // If not a vector or array, return the original initializer
402 return Init;
403}
404
406 bool MadeChange = false;
407 LLVMContext &Ctx = M.getContext();
408 IRBuilder<> Builder(Ctx);
410 for (GlobalVariable &G : M.globals()) {
411 Type *OrigType = G.getValueType();
412
413 Type *NewType = equivalentArrayTypeFromVector(OrigType);
414 if (OrigType != NewType) {
415 // Create a new global variable with the updated type
416 // Note: Initializer is set via transformInitializer
417 GlobalVariable *NewGlobal = new GlobalVariable(
418 M, NewType, G.isConstant(), G.getLinkage(),
419 /*Initializer=*/nullptr, G.getName() + ".scalarized", &G,
420 G.getThreadLocalMode(), G.getAddressSpace(),
421 G.isExternallyInitialized());
422
423 // Copy relevant attributes
424 NewGlobal->setUnnamedAddr(G.getUnnamedAddr());
425 if (G.getAlignment() > 0) {
426 NewGlobal->setAlignment(G.getAlign());
427 }
428
429 if (G.hasInitializer()) {
430 Constant *Init = G.getInitializer();
431 Constant *NewInit = transformInitializer(Init, OrigType, NewType, Ctx);
432 NewGlobal->setInitializer(NewInit);
433 }
434
435 // Note: we want to do G.replaceAllUsesWith(NewGlobal);, but it assumes
436 // type equality. Instead we will use the visitor pattern.
437 Impl.GlobalMap[&G] = NewGlobal;
438 }
439 }
440
441 for (auto &F : make_early_inc_range(M.functions())) {
442 if (F.isDeclaration())
443 continue;
444 MadeChange |= Impl.visit(F);
445 }
446
447 // Remove the old globals after the iteration
448 for (auto &[Old, New] : Impl.GlobalMap) {
449 Old->eraseFromParent();
450 MadeChange = true;
451 }
452 return MadeChange;
453}
454
457 bool MadeChanges = findAndReplaceVectors(M);
458 if (!MadeChanges)
459 return PreservedAnalyses::all();
461 return PA;
462}
463
467
469
471 "DXIL Data Scalarization", false, false)
473 "DXIL Data Scalarization", false, false)
474
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
Rewrite undef for PHI
static bool findAndReplaceVectors(Module &M)
static bool isVectorOrArrayOfVectors(Type *T)
static Type * equivalentArrayTypeFromVector(Type *T)
static std::pair< Value *, Value * > dynamicallyLoadArray(IRBuilder<> &Builder, AllocaInst *ArrAlloca, Value *Index, const Twine &Name="")
Returns a pair of Value* with the first being a GEP into ArrAlloca using indices {0,...
static const int MaxVecSize
static Constant * transformInitializer(Constant *Init, Type *OrigType, Type *NewType, LLVMContext &Ctx)
#define DEBUG_TYPE
Hexagon Common GEP
Module.h This file contains the declarations for the Module class.
This header defines various interfaces for pass management in LLVM.
#define F(x, y, z)
Definition MD5.cpp:54
#define I(x, y, z)
Definition MD5.cpp:57
#define G(x, y, z)
Definition MD5.cpp:55
#define T
#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 builds on the ADT/GraphTraits.h file to build a generic graph post order iterator.
This file contains some templates that are useful if you are working with the STL at all.
bool runOnModule(Module &M) override
runOnModule - Virtual method overriden by subclasses to process the module being operated on.
bool visitCallInst(CallInst &ICI)
bool visitInstruction(Instruction &I)
bool visitBinaryOperator(BinaryOperator &BO)
bool visitInsertElementInst(InsertElementInst &IEI)
bool visitGetElementPtrInst(GetElementPtrInst &GEPI)
bool visitStoreInst(StoreInst &SI)
bool visitFreezeInst(FreezeInst &FI)
bool visitBitCastInst(BitCastInst &BCI)
bool visitCastInst(CastInst &CI)
bool visitFCmpInst(FCmpInst &FCI)
bool visitSelectInst(SelectInst &SI)
bool visitUnaryOperator(UnaryOperator &UO)
bool visitICmpInst(ICmpInst &ICI)
bool visitShuffleVectorInst(ShuffleVectorInst &SVI)
bool visitAllocaInst(AllocaInst &AI)
bool visitPHINode(PHINode &PHI)
bool visitExtractElementInst(ExtractElementInst &EEI)
friend bool findAndReplaceVectors(llvm::Module &M)
an instruction to allocate memory on the stack
Align getAlign() const
Return the alignment of the memory that is being allocated by the instruction.
Type * getAllocatedType() const
Return the type that is being allocated by the instruction.
void setAlignment(Align Align)
static LLVM_ABI ArrayType * get(Type *ElementType, uint64_t NumElements)
This static method is the primary way to construct an ArrayType.
LLVM Basic Block Representation.
Definition BasicBlock.h:62
This class represents a no-op cast from one type to another.
This class represents a function call, abstracting a target machine's calling convention.
This is the base class for all instructions that perform data casts.
Definition InstrTypes.h:448
static LLVM_ABI ConstantAggregateZero * get(Type *Ty)
static LLVM_ABI Constant * get(ArrayType *T, ArrayRef< Constant * > V)
A vector constant whose element type is a simple 1/2/4/8-byte integer or float/double,...
Definition Constants.h:776
A constant value that is initialized with an expression using other constant values.
Definition Constants.h:1125
Constant Vector Declarations.
Definition Constants.h:517
This is an important base class in LLVM.
Definition Constant.h:43
PreservedAnalyses run(Module &M, ModuleAnalysisManager &)
bool contains(const_arg_type_t< KeyT > Val) const
Return true if the specified key is in the map, false otherwise.
Definition DenseMap.h:169
This instruction extracts a single (scalar) element from a VectorType value.
This instruction compares its operands according to the predicate given to the constructor.
This class represents a freeze function that returns random concrete value if an operand is either a ...
op_iterator idx_end()
Definition Operator.h:446
LLVM_ABI Type * getSourceElementType() const
Definition Operator.cpp:71
op_iterator idx_begin()
Definition Operator.h:444
Value * getPointerOperand()
Definition Operator.h:457
GEPNoWrapFlags getNoWrapFlags() const
Definition Operator.h:425
an instruction for type-safe pointer arithmetic to access elements of arrays and structs
iterator_range< op_iterator > indices()
Type * getSourceElementType() const
LLVM_ABI GEPNoWrapFlags getNoWrapFlags() const
Get the nowrap flags for the GEP instruction.
void setUnnamedAddr(UnnamedAddr Val)
LLVM_ABI void setInitializer(Constant *InitVal)
setInitializer - Sets the initializer for this global variable, removing any existing initializer if ...
Definition Globals.cpp:524
void setAlignment(Align Align)
Sets the alignment attribute of the GlobalVariable.
This instruction compares its operands according to the predicate given to the constructor.
Value * CreateInsertElement(Type *VecTy, Value *NewElt, Value *Idx, const Twine &Name="")
Definition IRBuilder.h:2579
ConstantInt * getInt32(uint32_t C)
Get a constant 32-bit value.
Definition IRBuilder.h:522
LoadInst * CreateLoad(Type *Ty, Value *Ptr, const char *Name)
Provided to resolve 'CreateLoad(Ty, Ptr, "...")' correctly, instead of converting the string to 'bool...
Definition IRBuilder.h:1850
StoreInst * CreateStore(Value *Val, Value *Ptr, bool isVolatile=false)
Definition IRBuilder.h:1863
void SetInsertPoint(BasicBlock *TheBB)
This specifies that created instructions should be appended to the end of the specified block.
Definition IRBuilder.h:207
This provides a uniform API for creating instructions and inserting them into a basic block: either a...
Definition IRBuilder.h:2788
This instruction inserts a single (scalar) element into a VectorType value.
Base class for instruction visitors.
Definition InstVisitor.h:78
void visit(Iterator Start, Iterator End)
Definition InstVisitor.h:87
LLVM_ABI void insertBefore(InstListType::iterator InsertPos)
Insert an unlinked instruction into a basic block immediately before the specified position.
LLVM_ABI InstListType::iterator eraseFromParent()
This method unlinks 'this' from the containing basic block and deletes it.
This is an important class for using LLVM in a threaded context.
Definition LLVMContext.h:68
An instruction for reading from memory.
void setAlignment(Align Align)
Value * getPointerOperand()
static unsigned getPointerOperandIndex()
Align getAlign() const
Return the alignment of the access that is being performed.
ModulePass class - This class is used to implement unstructured interprocedural optimizations and ana...
Definition Pass.h:255
ModulePass(char &pid)
Definition Pass.h:257
A Module instance is used to store all the information related to an LLVM module.
Definition Module.h:67
static LLVM_ABI PoisonValue * get(Type *T)
Static factory methods - Return an 'poison' object of the specified type.
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
This class represents the LLVM 'select' instruction.
This instruction constructs a fixed permutation of two input vectors.
void push_back(const T &Elt)
This is a 'vector' (really, a variable-sized array), optimized for the case when the array is small.
An instruction for storing to memory.
void setAlignment(Align Align)
Twine - A lightweight data structure for efficiently representing the concatenation of temporary valu...
Definition Twine.h:82
The instances of the Type class are immutable: once they are created, they are never changed.
Definition Type.h:45
Type * getArrayElementType() const
Definition Type.h:408
LLVM_ABI uint64_t getArrayNumElements() const
static LLVM_ABI UndefValue * get(Type *T)
Static factory methods - Return an 'undef' object of the specified type.
void setOperand(unsigned i, Value *Val)
Definition User.h:237
Value * getOperand(unsigned i) const
Definition User.h:232
LLVM Value Representation.
Definition Value.h:75
Type * getType() const
All values are typed, get the type of this value.
Definition Value.h:256
LLVM_ABI void replaceAllUsesWith(Value *V)
Change all uses of this to point to a new Value.
Definition Value.cpp:546
LLVM_ABI StringRef getName() const
Return a constant reference to the value's name.
Definition Value.cpp:322
self_iterator getIterator()
Definition ilist_node.h:123
This is an optimization pass for GlobalISel generic memory operations.
FunctionAddr VTableAddr Value
Definition InstrProf.h:137
decltype(auto) dyn_cast(const From &Val)
dyn_cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:643
ModulePass * createDXILDataScalarizationLegacyPass()
Pass to scalarize llvm global data into a DXIL legal form.
iterator_range< early_inc_iterator_impl< detail::IterOfRange< RangeT > > > make_early_inc_range(RangeT &&Range)
Make a range that does early increment to allow mutation of the underlying range without disrupting i...
Definition STLExtras.h:632
class LLVM_GSL_OWNER SmallVector
Forward declaration of SmallVector so that calculateSmallVectorDefaultInlinedElements can reference s...
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...
Definition Casting.h:547
IRBuilder(LLVMContext &, FolderTy, InserterTy, MDNode *, ArrayRef< OperandBundleDef >) -> IRBuilder< FolderTy, InserterTy >
decltype(auto) cast(const From &Val)
cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:559
AnalysisManager< Module > ModuleAnalysisManager
Convenience typedef for the Module analysis manager.
Definition MIRParser.h:39