LLVM 22.0.0git
NVPTXTargetMachine.cpp
Go to the documentation of this file.
1//===-- NVPTXTargetMachine.cpp - Define TargetMachine for NVPTX -----------===//
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// Top-level implementation for the NVPTX target.
10//
11//===----------------------------------------------------------------------===//
12
13#include "NVPTXTargetMachine.h"
14#include "NVPTX.h"
15#include "NVPTXAliasAnalysis.h"
16#include "NVPTXAllocaHoisting.h"
17#include "NVPTXAtomicLower.h"
26#include "llvm/CodeGen/Passes.h"
28#include "llvm/IR/IntrinsicsNVPTX.h"
30#include "llvm/Pass.h"
41#include <cassert>
42#include <optional>
43#include <string>
44
45using namespace llvm;
46
47// LSV is still relatively new; this switch lets us turn it off in case we
48// encounter (or suspect) a bug.
49static cl::opt<bool>
50 DisableLoadStoreVectorizer("disable-nvptx-load-store-vectorizer",
51 cl::desc("Disable load/store vectorizer"),
52 cl::init(false), cl::Hidden);
53
54// NVPTX IR Peephole is a new pass; this option will lets us turn it off in case
55// we encounter some issues.
56static cl::opt<bool>
57 DisableNVPTXIRPeephole("disable-nvptx-ir-peephole",
58 cl::desc("Disable NVPTX IR Peephole"),
59 cl::init(false), cl::Hidden);
60
61// TODO: Remove this flag when we are confident with no regressions.
63 "disable-nvptx-require-structured-cfg",
64 cl::desc("Transitional flag to turn off NVPTX's requirement on preserving "
65 "structured CFG. The requirement should be disabled only when "
66 "unexpected regressions happen."),
67 cl::init(false), cl::Hidden);
68
70 "nvptx-short-ptr",
72 "Use 32-bit pointers for accessing const/local/shared address spaces."),
73 cl::init(false), cl::Hidden);
74
75// byval arguments in NVPTX are special. We're only allowed to read from them
76// using a special instruction, and if we ever need to write to them or take an
77// address, we must make a local copy and use it, instead.
78//
79// The problem is that local copies are very expensive, and we create them very
80// late in the compilation pipeline, so LLVM does not have much of a chance to
81// eliminate them, if they turn out to be unnecessary.
82//
83// One way around that is to create such copies early on, and let them percolate
84// through the optimizations. The copying itself will never trigger creation of
85// another copy later on, as the reads are allowed. If LLVM can eliminate it,
86// it's a win. It the full optimization pipeline can't remove the copy, that's
87// as good as it gets in terms of the effort we could've done, and it's
88// certainly a much better effort than what we do now.
89//
90// This early injection of the copies has potential to create undesireable
91// side-effects, so it's disabled by default, for now, until it sees more
92// testing.
94 "nvptx-early-byval-copy",
95 cl::desc("Create a copy of byval function arguments early."),
96 cl::init(false), cl::Hidden);
97
128
130 StringRef CPU, StringRef FS,
131 const TargetOptions &Options,
132 std::optional<Reloc::Model> RM,
133 std::optional<CodeModel::Model> CM,
134 CodeGenOptLevel OL, bool is64bit)
135 // The pic relocation model is used regardless of what the client has
136 // specified, as it is the only relocation model currently supported.
138 T, TT.computeDataLayout(UseShortPointersOpt ? "shortptr" : ""), TT,
139 CPU, FS, Options, Reloc::PIC_,
140 getEffectiveCodeModel(CM, CodeModel::Small), OL),
141 is64bit(is64bit), TLOF(std::make_unique<NVPTXTargetObjectFile>()),
142 Subtarget(TT, std::string(CPU), std::string(FS), *this),
143 StrPool(StrAlloc) {
144 if (TT.getOS() == Triple::NVCL)
145 drvInterface = NVPTX::NVCL;
146 else
147 drvInterface = NVPTX::CUDA;
150 initAsmInfo();
151}
152
154
155void NVPTXTargetMachine32::anchor() {}
156
158 StringRef CPU, StringRef FS,
159 const TargetOptions &Options,
160 std::optional<Reloc::Model> RM,
161 std::optional<CodeModel::Model> CM,
162 CodeGenOptLevel OL, bool JIT)
163 : NVPTXTargetMachine(T, TT, CPU, FS, Options, RM, CM, OL, false) {}
164
165void NVPTXTargetMachine64::anchor() {}
166
168 StringRef CPU, StringRef FS,
169 const TargetOptions &Options,
170 std::optional<Reloc::Model> RM,
171 std::optional<CodeModel::Model> CM,
172 CodeGenOptLevel OL, bool JIT)
173 : NVPTXTargetMachine(T, TT, CPU, FS, Options, RM, CM, OL, true) {}
174
175namespace {
176
177class NVPTXPassConfig : public TargetPassConfig {
178public:
179 NVPTXPassConfig(NVPTXTargetMachine &TM, PassManagerBase &PM)
180 : TargetPassConfig(TM, PM) {}
181
182 NVPTXTargetMachine &getNVPTXTargetMachine() const {
184 }
185
186 void addIRPasses() override;
187 bool addInstSelector() override;
188 void addPreRegAlloc() override;
189 void addPostRegAlloc() override;
190 void addMachineSSAOptimization() override;
191
192 FunctionPass *createTargetRegisterAllocator(bool) override;
193 void addFastRegAlloc() override;
194 void addOptimizedRegAlloc() override;
195
196 bool addRegAssignAndRewriteFast() override {
197 llvm_unreachable("should not be used");
198 }
199
200 bool addRegAssignAndRewriteOptimized() override {
201 llvm_unreachable("should not be used");
202 }
203
204private:
205 // If the opt level is aggressive, add GVN; otherwise, add EarlyCSE. This
206 // function is only called in opt mode.
207 void addEarlyCSEOrGVNPass();
208
209 // Add passes that propagate special memory spaces.
210 void addAddressSpaceInferencePasses();
211
212 // Add passes that perform straight-line scalar optimizations.
213 void addStraightLineScalarOptimizationPasses();
214};
215
216} // end anonymous namespace
217
219 return new NVPTXPassConfig(*this, PM);
220}
221
228
232
234#define GET_PASS_REGISTRY "NVPTXPassRegistry.def"
236
237 PB.registerPipelineStartEPCallback(
238 [this](ModulePassManager &PM, OptimizationLevel Level) {
239 // We do not want to fold out calls to nvvm.reflect early if the user
240 // has not provided a target architecture just yet.
241 if (Subtarget.hasTargetName())
242 PM.addPass(NVVMReflectPass(Subtarget.getSmVersion()));
243
245 // Note: NVVMIntrRangePass was causing numerical discrepancies at one
246 // point, if issues crop up, consider disabling.
250 PM.addPass(createModuleToFunctionPassAdaptor(std::move(FPM)));
251 });
252
253 if (!NoKernelInfoEndLTO) {
254 PB.registerFullLinkTimeOptimizationLastEPCallback(
255 [this](ModulePassManager &PM, OptimizationLevel Level) {
257 FPM.addPass(KernelInfoPrinter(this));
258 PM.addPass(createModuleToFunctionPassAdaptor(std::move(FPM)));
259 });
260 }
261}
262
265 return TargetTransformInfo(std::make_unique<NVPTXTTIImpl>(this, F));
266}
267
268std::pair<const Value *, unsigned>
270 if (auto *II = dyn_cast<IntrinsicInst>(V)) {
271 switch (II->getIntrinsicID()) {
272 case Intrinsic::nvvm_isspacep_const:
273 return std::make_pair(II->getArgOperand(0), llvm::ADDRESS_SPACE_CONST);
274 case Intrinsic::nvvm_isspacep_global:
275 return std::make_pair(II->getArgOperand(0), llvm::ADDRESS_SPACE_GLOBAL);
276 case Intrinsic::nvvm_isspacep_local:
277 return std::make_pair(II->getArgOperand(0), llvm::ADDRESS_SPACE_LOCAL);
278 case Intrinsic::nvvm_isspacep_shared:
279 return std::make_pair(II->getArgOperand(0), llvm::ADDRESS_SPACE_SHARED);
280 case Intrinsic::nvvm_isspacep_shared_cluster:
281 return std::make_pair(II->getArgOperand(0),
283 default:
284 break;
285 }
286 }
287 return std::make_pair(nullptr, -1);
288}
289
290void NVPTXPassConfig::addEarlyCSEOrGVNPass() {
291 if (getOptLevel() == CodeGenOptLevel::Aggressive)
292 addPass(createGVNPass());
293 else
294 addPass(createEarlyCSEPass());
295}
296
297void NVPTXPassConfig::addAddressSpaceInferencePasses() {
298 // NVPTXLowerArgs emits alloca for byval parameters which can often
299 // be eliminated by SROA.
300 addPass(createSROAPass());
302 // TODO: Consider running InferAddressSpaces during opt, earlier in the
303 // compilation flow.
306}
307
308void NVPTXPassConfig::addStraightLineScalarOptimizationPasses() {
311 // ReassociateGEPs exposes more opportunites for SLSR. See
312 // the example in reassociate-geps-and-slsr.ll.
314 // SeparateConstOffsetFromGEP and SLSR creates common expressions which GVN or
315 // EarlyCSE can reuse. GVN generates significantly better code than EarlyCSE
316 // for some of our benchmarks.
317 addEarlyCSEOrGVNPass();
318 // Run NaryReassociate after EarlyCSE/GVN to be more effective.
319 addPass(createNaryReassociatePass());
320 // NaryReassociate on GEPs creates redundant common expressions, so run
321 // EarlyCSE after it.
322 addPass(createEarlyCSEPass());
323}
324
325void NVPTXPassConfig::addIRPasses() {
326 // The following passes are known to not play well with virtual regs hanging
327 // around after register allocation (which in our case, is *all* registers).
328 // We explicitly disable them here. We do, however, need some functionality
329 // of the PrologEpilogCodeInserter pass, so we emulate that behavior in the
330 // NVPTXPrologEpilog pass (see NVPTXPrologEpilogPass.cpp).
331 disablePass(&PrologEpilogCodeInserterID);
332 disablePass(&MachineLateInstrsCleanupID);
333 disablePass(&MachineCopyPropagationID);
334 disablePass(&TailDuplicateLegacyID);
335 disablePass(&StackMapLivenessID);
336 disablePass(&PostRAMachineSinkingID);
337 disablePass(&PostRASchedulerID);
338 disablePass(&FuncletLayoutID);
339 disablePass(&PatchableFunctionID);
340 disablePass(&ShrinkWrapID);
341 disablePass(&RemoveLoadsIntoFakeUsesID);
342
343 addPass(createNVPTXAAWrapperPass());
345
346 // NVVMReflectPass is added in addEarlyAsPossiblePasses, so hopefully running
347 // it here does nothing. But since we need it for correctness when lowering
348 // to NVPTX, run it here too, in case whoever built our pass pipeline didn't
349 // call addEarlyAsPossiblePasses.
351 addPass(createNVVMReflectPass(ST.getSmVersion()));
352
353 if (getOptLevel() != CodeGenOptLevel::None)
357
358 // NVPTXLowerArgs is required for correctness and should be run right
359 // before the address space inference passes.
360 addPass(createNVPTXLowerArgsPass());
361 if (getOptLevel() != CodeGenOptLevel::None) {
362 addAddressSpaceInferencePasses();
363 addStraightLineScalarOptimizationPasses();
364 }
365
369
370 // === LSR and other generic IR passes ===
372 // EarlyCSE is not always strong enough to clean up what LSR produces. For
373 // example, GVN can combine
374 //
375 // %0 = add %a, %b
376 // %1 = add %b, %a
377 //
378 // and
379 //
380 // %0 = shl nsw %a, 2
381 // %1 = shl %a, 2
382 //
383 // but EarlyCSE can do neither of them.
384 if (getOptLevel() != CodeGenOptLevel::None) {
385 addEarlyCSEOrGVNPass();
388 addPass(createSROAPass());
391 addPass(createNVPTXIRPeepholePass());
392 }
393
394 if (ST.hasPTXASUnreachableBug()) {
395 // Run LowerUnreachable to WAR a ptxas bug. See the commit description of
396 // 1ee4d880e8760256c606fe55b7af85a4f70d006d for more details.
397 const auto &Options = getNVPTXTargetMachine().Options;
398 addPass(createNVPTXLowerUnreachablePass(Options.TrapUnreachable,
399 Options.NoTrapAfterNoreturn));
400 }
401}
402
403bool NVPTXPassConfig::addInstSelector() {
404 addPass(createLowerAggrCopies());
405 addPass(createAllocaHoisting());
406 addPass(createNVPTXISelDag(getNVPTXTargetMachine(), getOptLevel()));
408
409 return false;
410}
411
412void NVPTXPassConfig::addPreRegAlloc() {
414 // Remove Proxy Register pseudo instructions used to keep `callseq_end` alive.
416}
417
418void NVPTXPassConfig::addPostRegAlloc() {
420 if (getOptLevel() != CodeGenOptLevel::None) {
421 // NVPTXPrologEpilogPass calculates frame object offset and replace frame
422 // index with VRFrame register. NVPTXPeephole need to be run after that and
423 // will replace VRFrame with VRFrameLocal when possible.
424 addPass(createNVPTXPeephole());
425 }
426}
427
428FunctionPass *NVPTXPassConfig::createTargetRegisterAllocator(bool) {
429 return nullptr; // No reg alloc
430}
431
432void NVPTXPassConfig::addFastRegAlloc() {
433 addPass(&PHIEliminationID);
435}
436
437void NVPTXPassConfig::addOptimizedRegAlloc() {
438 addPass(&ProcessImplicitDefsID);
439 addPass(&LiveVariablesID);
440 addPass(&MachineLoopInfoID);
441 addPass(&PHIEliminationID);
442
444 addPass(&RegisterCoalescerID);
445
446 // PreRA instruction scheduling.
447 if (addPass(&MachineSchedulerID))
448 printAndVerify("After Machine Scheduling");
449
450 addPass(&StackSlotColoringID);
451
452 // FIXME: Needs physical registers
453 // addPass(&MachineLICMID);
454
455 printAndVerify("After StackSlotColoring");
456}
457
458void NVPTXPassConfig::addMachineSSAOptimization() {
459 // Pre-ra tail duplication.
460 if (addPass(&EarlyTailDuplicateLegacyID))
461 printAndVerify("After Pre-RegAlloc TailDuplicate");
462
463 // Optimize PHIs before DCE: removing dead PHI cycles may make more
464 // instructions dead.
465 addPass(&OptimizePHIsLegacyID);
466
467 // This pass merges large allocas. StackSlotColoring is a different pass
468 // which merges spill slots.
469 addPass(&StackColoringLegacyID);
470
471 // If the target requests it, assign local variables to stack slots relative
472 // to one another and simplify frame index references where possible.
474
475 // With optimization, dead code should already be eliminated. However
476 // there is one known exception: lowered code for arguments that are only
477 // used by tail calls, where the tail calls reuse the incoming stack
478 // arguments directly (see t11 in test/CodeGen/X86/sibcall.ll).
480 printAndVerify("After codegen DCE pass");
481
482 // Allow targets to insert passes that improve instruction level parallelism,
483 // like if-conversion. Such passes will typically need dominator trees and
484 // loop info, just like LICM and CSE below.
485 if (addILPOpts())
486 printAndVerify("After ILP optimizations");
487
488 addPass(&EarlyMachineLICMID);
489 addPass(&MachineCSELegacyID);
490
491 addPass(&MachineSinkingLegacyID);
492 printAndVerify("After Machine LICM, CSE and Sinking passes");
493
495 printAndVerify("After codegen peephole optimization pass");
496}
#define LLVM_ABI
Definition Compiler.h:213
#define LLVM_EXTERNAL_VISIBILITY
Definition Compiler.h:132
This file provides the interface for LLVM's Global Value Numbering pass which eliminates fully redund...
static LVOptions Options
Definition LVOptions.cpp:25
#define F(x, y, z)
Definition MD5.cpp:54
#define T
This is the NVPTX address space based alias analysis pass.
static cl::opt< bool > DisableLoadStoreVectorizer("disable-nvptx-load-store-vectorizer", cl::desc("Disable load/store vectorizer"), cl::init(false), cl::Hidden)
static cl::opt< bool > DisableRequireStructuredCFG("disable-nvptx-require-structured-cfg", cl::desc("Transitional flag to turn off NVPTX's requirement on preserving " "structured CFG. The requirement should be disabled only when " "unexpected regressions happen."), cl::init(false), cl::Hidden)
static cl::opt< bool > UseShortPointersOpt("nvptx-short-ptr", cl::desc("Use 32-bit pointers for accessing const/local/shared address spaces."), cl::init(false), cl::Hidden)
static cl::opt< bool > EarlyByValArgsCopy("nvptx-early-byval-copy", cl::desc("Create a copy of byval function arguments early."), cl::init(false), cl::Hidden)
static cl::opt< bool > DisableNVPTXIRPeephole("disable-nvptx-ir-peephole", cl::desc("Disable NVPTX IR Peephole"), cl::init(false), cl::Hidden)
LLVM_ABI LLVM_EXTERNAL_VISIBILITY void LLVMInitializeNVPTXTarget()
This file a TargetTransformInfoImplBase conforming object specific to the NVPTX target machine.
uint64_t IntrinsicInst * II
if(PassOpts->AAPipeline)
PassBuilder PB(Machine, PassOpts->PTO, std::nullopt, &PIC)
const GCNTargetMachine & getTM(const GCNSubtarget *STI)
static TableGen::Emitter::Opt Y("gen-skeleton-entry", EmitSkeleton, "Generate example skeleton entry")
static TableGen::Emitter::OptClass< SkeletonEmitter > X("gen-skeleton-class", "Generate example skeleton class")
Target-Independent Code Generator Pass Configuration Options pass.
This pass exposes codegen information to IR-level passes.
A manager for alias analyses.
void registerFunctionAnalysis()
Register a specific AA result.
CodeGenTargetMachineImpl(const Target &T, StringRef DataLayoutString, const Triple &TT, StringRef CPU, StringRef FS, const TargetOptions &Options, Reloc::Model RM, CodeModel::Model CM, CodeGenOptLevel OL)
FunctionPass class - This class is used to implement most global optimizations.
Definition Pass.h:314
const TargetSubtargetInfo * getSubtargetImpl(const Function &) const override
Virtual method implemented by subclasses that returns a reference to that target's TargetSubtargetInf...
Analysis pass providing a never-invalidated alias analysis result.
NVPTXTargetMachine32(const Target &T, const Triple &TT, StringRef CPU, StringRef FS, const TargetOptions &Options, std::optional< Reloc::Model > RM, std::optional< CodeModel::Model > CM, CodeGenOptLevel OL, bool JIT)
NVPTXTargetMachine64(const Target &T, const Triple &TT, StringRef CPU, StringRef FS, const TargetOptions &Options, std::optional< Reloc::Model > RM, std::optional< CodeModel::Model > CM, CodeGenOptLevel OL, bool JIT)
TargetTransformInfo getTargetTransformInfo(const Function &F) const override
Get a TargetTransformInfo implementation for the target.
std::pair< const Value *, unsigned > getPredicatedAddrSpace(const Value *V) const override
If the specified predicate checks whether a generic pointer falls within a specified address space,...
void registerPassBuilderCallbacks(PassBuilder &PB) override
Allow the target to modify the pass pipeline.
void registerEarlyDefaultAliasAnalyses(AAManager &AAM) override
Allow the target to register early alias analyses (AA before BasicAA) with the AAManager for use with...
~NVPTXTargetMachine() override
NVPTXTargetMachine(const Target &T, const Triple &TT, StringRef CPU, StringRef FS, const TargetOptions &Options, std::optional< Reloc::Model > RM, std::optional< CodeModel::Model > CM, CodeGenOptLevel OP, bool is64bit)
MachineFunctionInfo * createMachineFunctionInfo(BumpPtrAllocator &Allocator, const Function &F, const TargetSubtargetInfo *STI) const override
Create the target's instance of MachineFunctionInfo.
TargetPassConfig * createPassConfig(PassManagerBase &PM) override
Create a pass configuration object to be used by addPassToEmitX methods for generating a pipeline of ...
This class provides access to building LLVM's passes.
LLVM_ATTRIBUTE_MINSIZE std::enable_if_t<!std::is_same_v< PassT, PassManager > > addPass(PassT &&Pass)
PassRegistry - This class manages the registration and intitialization of the pass subsystem as appli...
static LLVM_ABI PassRegistry * getPassRegistry()
getPassRegistry - Access the global registry object, which is automatically initialized at applicatio...
StringRef - Represent a constant reference to a string, i.e.
Definition StringRef.h:55
void setRequiresStructuredCFG(bool Value)
std::unique_ptr< const MCSubtargetInfo > STI
TargetOptions Options
Target-Independent Code Generator Pass Configuration Options.
virtual void addIRPasses()
Add common target configurable passes that perform LLVM IR to IR transforms following machine indepen...
TargetSubtargetInfo - Generic base class for all target subtargets.
This pass provides access to the codegen interfaces that are needed for IR-level transformations.
Target - Wrapper for Target specific information.
Triple - Helper class for working with autoconf configuration names.
Definition Triple.h:47
LLVM Value Representation.
Definition Value.h:75
PassManagerBase - An abstract interface to allow code to add passes to a pass manager without having ...
Interfaces for registering analysis passes, producing common pass manager configurations,...
#define llvm_unreachable(msg)
Marks that the current location is not supposed to be reachable.
initializer< Ty > init(const Ty &Val)
This is an optimization pass for GlobalISel generic memory operations.
void initializeNVPTXLowerAllocaPass(PassRegistry &)
LLVM_ABI char & EarlyMachineLICMID
This pass performs loop invariant code motion on machine instructions.
FunctionPass * createNVPTXIRPeepholePass()
ModulePass * createNVPTXAssignValidGlobalNamesPass()
void initializeNVPTXPrologEpilogPassPass(PassRegistry &)
MachineFunctionPass * createNVPTXReplaceImageHandlesPass()
FunctionPass * createNVPTXLowerUnreachablePass(bool TrapUnreachable, bool NoTrapAfterNoreturn)
void initializeNVPTXAssignValidGlobalNamesPass(PassRegistry &)
ModulePass * createExpandVariadicsPass(ExpandVariadicsMode)
LLVM_ABI char & RegisterCoalescerID
RegisterCoalescer - This pass merges live ranges to eliminate copies.
decltype(auto) dyn_cast(const From &Val)
dyn_cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:643
ModuleToFunctionPassAdaptor createModuleToFunctionPassAdaptor(FunctionPassT &&Pass, bool EagerlyInvalidate=false)
A function to deduce a function pass type and wrap it in the templated adaptor.
ModulePass * createGenericToNVVMLegacyPass()
void initializeNVPTXLowerAggrCopiesPass(PassRegistry &)
void initializeNVPTXExternalAAWrapperPass(PassRegistry &)
MachineFunctionPass * createNVPTXPrologEpilogPass()
MachineFunctionPass * createNVPTXProxyRegErasurePass()
LLVM_ABI char & TailDuplicateLegacyID
TailDuplicate - Duplicate blocks with unconditional branches into tails of their predecessors.
LLVM_ABI Pass * createLoadStoreVectorizerPass()
Create a legacy pass manager instance of the LoadStoreVectorizer pass.
LLVM_ABI FunctionPass * createNaryReassociatePass()
LLVM_ABI char & PatchableFunctionID
This pass implements the "patchable-function" attribute.
ImmutablePass * createNVPTXExternalAAWrapperPass()
void initializeNVPTXLowerArgsLegacyPassPass(PassRegistry &)
LLVM_ABI char & PostRASchedulerID
PostRAScheduler - This pass performs post register allocation scheduling.
LLVM_ABI char & RemoveLoadsIntoFakeUsesID
RemoveLoadsIntoFakeUses pass.
MachineFunctionPass * createNVPTXPeephole()
LLVM_ABI char & MachineSchedulerID
MachineScheduler - This pass schedules machine instructions.
LLVM_ABI char & PeepholeOptimizerLegacyID
PeepholeOptimizer - This pass performs peephole optimizations - like extension and comparison elimina...
FunctionPass * createNVPTXISelDag(NVPTXTargetMachine &TM, llvm::CodeGenOptLevel OptLevel)
createNVPTXISelDag - This pass converts a legalized DAG into a NVPTX-specific DAG,...
LLVM_ABI char & PrologEpilogCodeInserterID
PrologEpilogCodeInserter - This pass inserts prolog and epilog code, and eliminates abstract frame re...
void initializeGenericToNVVMLegacyPassPass(PassRegistry &)
void initializeNVPTXPeepholePass(PassRegistry &)
void initializeNVPTXCtorDtorLoweringLegacyPass(PassRegistry &)
void initializeNVPTXLowerUnreachablePass(PassRegistry &)
FunctionPass * createNVPTXTagInvariantLoadsPass()
LLVM_ABI char & MachineLoopInfoID
MachineLoopInfo - This pass is a loop analysis pass.
void initializeNVVMReflectLegacyPassPass(PassRegistry &)
FunctionPass * createNVPTXLowerArgsPass()
CodeModel::Model getEffectiveCodeModel(std::optional< CodeModel::Model > CM, CodeModel::Model Default)
Helper method for getting the code model, returning Default if CM does not have a value.
LLVM_ABI char & ShrinkWrapID
ShrinkWrap pass. Look for the best place to insert save and restore.
LLVM_ABI char & MachineLateInstrsCleanupID
MachineLateInstrsCleanup - This pass removes redundant identical instructions after register allocati...
void initializeNVPTXAAWrapperPassPass(PassRegistry &)
FunctionPass * createNVPTXImageOptimizerPass()
FunctionPass * createNVPTXLowerAllocaPass()
void initializeNVPTXIRPeepholePass(PassRegistry &)
MachineFunctionPass * createNVPTXForwardParamsPass()
PassManager< Module > ModulePassManager
Convenience typedef for a pass manager over modules.
LLVM_ABI char & OptimizePHIsLegacyID
OptimizePHIs - This pass optimizes machine instruction PHIs to take advantage of opportunities create...
LLVM_ABI FunctionPass * createSpeculativeExecutionPass()
LLVM_ABI char & StackMapLivenessID
StackMapLiveness - This pass analyses the register live-out set of stackmap/patchpoint intrinsics and...
LLVM_ABI char & FuncletLayoutID
This pass lays out funclets contiguously.
FunctionPass * createAllocaHoisting()
void initializeNVVMIntrRangePass(PassRegistry &)
LLVM_ABI char & PostRAMachineSinkingID
This pass perform post-ra machine sink for COPY instructions.
CodeGenOptLevel
Code generation optimization level.
Definition CodeGen.h:82
LLVM_ABI char & StackSlotColoringID
StackSlotColoring - This pass performs stack slot coloring.
void initializeNVPTXAsmPrinterPass(PassRegistry &)
LLVM_ABI FunctionPass * createSeparateConstOffsetFromGEPPass(bool LowerGEP=false)
FunctionPass * createLowerAggrCopies()
LLVM_ABI char & ProcessImplicitDefsID
ProcessImpicitDefs pass - This pass removes IMPLICIT_DEFs.
void initializeNVPTXTagInvariantLoadLegacyPassPass(PassRegistry &)
LLVM_ABI FunctionPass * createGVNPass()
Create a legacy GVN pass.
Definition GVN.cpp:3402
FunctionPass * createNVPTXAtomicLowerPass()
ModulePass * createNVPTXCtorDtorLoweringLegacyPass()
LLVM_ABI char & MachineCSELegacyID
MachineCSE - This pass performs global CSE on machine instructions.
PassManager< Function > FunctionPassManager
Convenience typedef for a pass manager over functions.
LLVM_ABI char & LiveVariablesID
LiveVariables pass - This pass computes the set of blocks in which each variable is life and sets mac...
LLVM_ABI char & EarlyTailDuplicateLegacyID
Duplicate blocks with unconditional branches into tails of their predecessors.
void initializeNVPTXAllocaHoistingPass(PassRegistry &)
Target & getTheNVPTXTarget64()
LLVM_ABI char & StackColoringLegacyID
StackSlotColoring - This pass performs stack coloring and merging.
LLVM_ABI FunctionPass * createInferAddressSpacesPass(unsigned AddressSpace=~0u)
void initializeNVPTXProxyRegErasurePass(PassRegistry &)
ImmutablePass * createNVPTXAAWrapperPass()
LLVM_ABI char & MachineSinkingLegacyID
MachineSinking - This pass performs sinking on machine instructions.
ModulePass * createNVVMReflectPass(unsigned int SmVersion)
LLVM_ABI char & TwoAddressInstructionPassID
TwoAddressInstruction - This pass reduces two-address instructions to use two operands.
LLVM_ABI FunctionPass * createAtomicExpandLegacyPass()
AtomicExpandPass - At IR level this pass replace atomic instructions with __atomic_* library calls,...
LLVM_ABI char & LocalStackSlotAllocationID
LocalStackSlotAllocation - This pass assigns local frame indices to stack slots relative to one anoth...
LLVM_ABI FunctionPass * createStraightLineStrengthReducePass()
BumpPtrAllocatorImpl<> BumpPtrAllocator
The standard BumpPtrAllocator which just uses the default template parameters.
Definition Allocator.h:383
LLVM_ABI FunctionPass * createEarlyCSEPass(bool UseMemorySSA=false)
LLVM_ABI char & PHIEliminationID
PHIElimination - This pass eliminates machine instruction PHI nodes by inserting copy instructions.
LLVM_ABI llvm::cl::opt< bool > NoKernelInfoEndLTO
LLVM_ABI FunctionPass * createSROAPass(bool PreserveCFG=true)
Definition SROA.cpp:6108
void initializeNVPTXAtomicLowerPass(PassRegistry &)
void initializeNVPTXForwardParamsPassPass(PassRegistry &)
LLVM_ABI char & MachineCopyPropagationID
MachineCopyPropagation - This pass performs copy propagation on machine instructions.
LLVM_ABI char & DeadMachineInstructionElimID
DeadMachineInstructionElim - This pass removes dead machine instructions.
Target & getTheNVPTXTarget32()
void initializeNVPTXDAGToDAGISelLegacyPass(PassRegistry &)
Implement std::hash so that hash_code can be used in STL containers.
Definition BitVector.h:870
MachineFunctionInfo - This class can be derived from and used by targets to hold private target-speci...
static FuncInfoTy * create(BumpPtrAllocator &Allocator, const Function &F, const SubtargetTy *STI)
Factory function: default behavior is to call new using the supplied allocator.
RegisterTargetMachine - Helper template for registering a target machine implementation,...