diff --git a/llvm/lib/Target/AMDGPU/AMDGPU.h b/llvm/lib/Target/AMDGPU/AMDGPU.h --- a/llvm/lib/Target/AMDGPU/AMDGPU.h +++ b/llvm/lib/Target/AMDGPU/AMDGPU.h @@ -271,6 +271,10 @@ void initializeGCNNSAReassignPass(PassRegistry &); extern char &GCNNSAReassignID; +ModulePass *createAMDGPUDeviceScopeSharedVariablePass(); +void initializeAMDGPUDeviceScopeSharedVariablePass(PassRegistry &); +extern char &AMDGPUDeviceScopeSharedVariableID; + namespace AMDGPU { enum TargetIndex { TI_CONSTDATA_START, diff --git a/llvm/lib/Target/AMDGPU/AMDGPUAlwaysInlinePass.cpp b/llvm/lib/Target/AMDGPU/AMDGPUAlwaysInlinePass.cpp --- a/llvm/lib/Target/AMDGPU/AMDGPUAlwaysInlinePass.cpp +++ b/llvm/lib/Target/AMDGPU/AMDGPUAlwaysInlinePass.cpp @@ -123,13 +123,15 @@ // should only appear when IPO passes manages to move LDs defined in a kernel // into a single user function. - for (GlobalVariable &GV : M.globals()) { - // TODO: Region address - unsigned AS = GV.getAddressSpace(); - if (AS != AMDGPUAS::LOCAL_ADDRESS && AS != AMDGPUAS::REGION_ADDRESS) - continue; - - recursivelyVisitUsers(GV, FuncsToAlwaysInline); + if (!AMDGPUTargetMachine::EnableDeviceScopeSharedVariable) { + for (GlobalVariable &GV : M.globals()) { + // TODO: Region address + unsigned AS = GV.getAddressSpace(); + if (AS != AMDGPUAS::LOCAL_ADDRESS && AS != AMDGPUAS::REGION_ADDRESS) + continue; + + recursivelyVisitUsers(GV, FuncsToAlwaysInline); + } } if (!AMDGPUTargetMachine::EnableFunctionCalls || StressCalls) { diff --git a/llvm/lib/Target/AMDGPU/AMDGPUDeviceScopeSharedVariable.cpp b/llvm/lib/Target/AMDGPU/AMDGPUDeviceScopeSharedVariable.cpp new file mode 100644 --- /dev/null +++ b/llvm/lib/Target/AMDGPU/AMDGPUDeviceScopeSharedVariable.cpp @@ -0,0 +1,1076 @@ +//===-- AMDGPUDeviceScopeSharedVariables.cpp ------------------------------===// +// +// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions. +// See https://llvm.org/LICENSE.txt for license information. +// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception +// +//===----------------------------------------------------------------------===// +// +// [1]. What does this module pass is about? +// +// This module pass is about an "indirect" method for supporting the "shared" +// variables which are defined within "device" functions. Programmatically +// speaking, a "hacked" way of supporting device scoped shared variables. Yes, +// it is a hacked way, because, it has been become very complicated to support +// device scoped shared variables due to below "main" reason: +// +// A shared variable is a "block" scoped variable, but it's lifetime is same as +// the "work-group" to which it belongs, which necessitates to keep track of +// multiple copies of shared variables related to different work-groups from +// different running kernels, which is too costly and too complex to implement +// given the "scarcity" of the shared memory and "strange properties" of the +// shared variables. +// +// [2]. What does this pass do? +// +// Though, programmer define device scoped shared variables within device +// functions, this module pass, +// +// A. internally pushes all those device scoped shared variables within the +// associated kernel(s), +// B. appropriately inserts new arguments within in the call graph paths from +// kernel(s) to device function(s), and +// C. implements necessary program transformations. +// +// [3]. How does the implementation of the pass look like in brief? +// +// At a very high level, implementation of this pass can be described as below: +// +// A. For every kernel, traverse through it's call graph, and collect the +// direct shared variables which are defined within the kernel and +// indirect shared variables which are defined within the device functions +// which appear in the kernel's call graph. +// B. Create a single big shared memory layout within the kernel by combining +// all the direct and indirect shared variables which are collected above. +// C. Map each direct and indirect shared variable to it's "offset" in this +// big shared memory layout. +// D. Pass the "offsets" to (indirect) shared variables as new function +// arguments along the call graph paths from kernel to device functions +// within which the original shared variables are defined. +// E. Replace all the references to original shared variables by their offset +// counterparts. +// F. Finally, remove all the original shared variables. +// +// [4]. What are the positive consequences of this pass on the applications? +// +// Is one really exist? +// +// [5]. What are the negative consequences of this pass on the applications? +// +// A. Since we add new arguments to the functions along the call graph paths +// from kernels to device functions, there is a posibility of increased +// register pressure, which may affect performance. +// B. Since we create single big shared memory layouts within kernels, we +// land-up duplicating share memory of indirect shared variables within +// kernels, however, it is still less costlier compare to the direct +// support. +// C. This implementation is indeed a very careful hack, and hence any bug in +// the implementation may have some adverse effect on running application. +// +// [6]. What are some important current limitations of the pass? +// +// A. The implementation assumes that there are no indirect function calls in +// the call graph paths from kernels to end-callees, and the presence of +// any indirect function call(s) in the call graph path may leads to +// undefined beviour of the running application. +// B. The implementation assumes that there are no recursive calls to device +// functions (both direct or indirect), and hence call graphs associated +// with kernels are acyclic. Presence of recursive calls may leads to +// undefined beviour of the running application. +// C. All TODOs need to be revisited sooner than later. +// +// [7]. An Example. +// +// Before Pass: +// +// __device__ void foo() { +// __shared__ char smc[10]; +// __shared__ int smi[10]; +// __shared__ float smf[10]; +// } +// __global__ void kernel() { +// foo(); +// } +// +// After Pass: +// +// __device__ void foo(char *smc, int *smi, float *smf) { +// } +// __global__ void kernel() { +// __shared__ char sm[90]; // assuming char occupies 1 byte, int occupies +// // 4 bytes, and float occupies 4 bytes. +// foo((char*)sm, (int*)(sm + 10), (float*)(sm + 50)); +// } +// +// NOTE: This pass is disabled by default, and enabled with the AMDGPU back-end +// option `--amdgpu-enable-device-scope-shared-variable=true`. +// +//===----------------------------------------------------------------------===// + +#include "AMDGPU.h" +#include "llvm/ADT/SetVector.h" +#include "llvm/ADT/SmallPtrSet.h" +#include "llvm/ADT/SmallVector.h" +#include "llvm/Analysis/CallGraph.h" +#include "llvm/CodeGen/TargetPassConfig.h" +#include "llvm/IR/IRBuilder.h" +#include "llvm/IR/Module.h" +#include "llvm/IR/ValueMap.h" +#include "llvm/InitializePasses.h" +#include "llvm/Transforms/Utils/Cloning.h" +#include +#include + +#define DEBUG_TYPE "amdgpu-device-scope-shared-variable" + +using namespace llvm; + +namespace { + +class AMDGPUDeviceScopeSharedVariable : public ModulePass { +public: + static char ID; + + AMDGPUDeviceScopeSharedVariable() : ModulePass(ID) { + initializeAMDGPUDeviceScopeSharedVariablePass( + *PassRegistry::getPassRegistry()); + } + + bool runOnModule(Module &M) override; +}; + +} // namespace + +char AMDGPUDeviceScopeSharedVariable::ID = 0; + +char &llvm::AMDGPUDeviceScopeSharedVariableID = + AMDGPUDeviceScopeSharedVariable::ID; + +ModulePass *llvm::createAMDGPUDeviceScopeSharedVariablePass() { + return new AMDGPUDeviceScopeSharedVariable(); +} + +INITIALIZE_PASS(AMDGPUDeviceScopeSharedVariable, + "implement-amdgpu-device-scope-shared-variable", + "Implement AMDPGU Device Scope Shared Variable", + false /*only look at the cfg*/, false /*analysis pass*/) + +static void updateKernelToCalleeList( + ValueMap> &KernelToCallee, + ValueMap &OldCalleeToNewCallee) { + for (auto KI = KernelToCallee.begin(), KE = KernelToCallee.end(); KI != KE; + ++KI) { + auto *K = KI->first; + auto OldCalleeList = KI->second; + std::set NewCalleeList; + for (auto *OldCallee : OldCalleeList) { + if (OldCalleeToNewCallee.find(OldCallee) != OldCalleeToNewCallee.end()) + NewCalleeList.insert(OldCalleeToNewCallee[OldCallee]); + else + NewCalleeList.insert(OldCallee); + } + KernelToCallee[K] = NewCalleeList; + } +} + +static void +updateLDSToFunctionMap(ValueMap &LDSToFunction, + ValueMap &OldCalleeToNewCallee) { + for (auto LI = LDSToFunction.begin(), LE = LDSToFunction.end(); LI != LE; + ++LI) { + auto *LDS = LI->first; + auto *OldF = LI->second; + if (OldCalleeToNewCallee.find(OldF) != OldCalleeToNewCallee.end()) + LDSToFunction[LDS] = OldCalleeToNewCallee[OldF]; + } +} + +static void createFunctionToLDSMap( + ValueMap &LDSToFunction, + ValueMap> &FunctionToLDS) { + for (auto LI = LDSToFunction.begin(), LE = LDSToFunction.end(); LI != LE; + ++LI) { + auto *LDSGlobal = LI->first; + auto *F = LI->second; + auto FI = FunctionToLDS.find(F); + if (FI == FunctionToLDS.end()) { + SetVector LDSSet; + LDSSet.insert(LDSGlobal); + FunctionToLDS[F] = LDSSet; + } else + FunctionToLDS[F].insert(LDSGlobal); + } +} + +static void pairUpKernelWithLDSList( + Function *K, ValueMap> &KernelToCallee, + ValueMap> &FunctionToLDS, + ValueMap> &KernelToDirectLDS, + ValueMap> &KernelToIndirectLDS) { + // If direct LDS globals exist within the kernel, collect it + if (FunctionToLDS.find(K) != FunctionToLDS.end()) + KernelToDirectLDS[K] = FunctionToLDS[K]; + + // Collect all the indirect LDS globals defined within the callee(s) of the + // kernel + SetVector IndirectLDSSet; + auto Callees = KernelToCallee[K]; + for (auto *Callee : Callees) { + if (FunctionToLDS.find(Callee) == FunctionToLDS.end()) + continue; + SetVector CalleeLDSList = FunctionToLDS[Callee]; + for (auto *CalleeLDS : CalleeLDSList) + IndirectLDSSet.insert(CalleeLDS); + } + if (!IndirectLDSSet.empty()) + KernelToIndirectLDS[K] = IndirectLDSSet; +} + +static void pairUpKernelWithCalleeList( + Module &M, Function *K, + ValueMap> &FunctionToLDS, + ValueMap> &KernelToCallee) { + // Get the call graph node associated with current kernel, traverse the call + // graph associated with it in DFS manner and collect all the associated + // callees which define LDS global(s) + auto CG = CallGraph(M); + auto *KernCGNode = CG[K]; + SmallVector CGNodeStack; + SetVector Visited; + +#ifndef NDEBUG + assert(KernCGNode && "Call graph node associated with kernel definition " + "cannot be null\n"); +#endif + + for (auto KI = KernCGNode->begin(), KE = KernCGNode->end(); KI != KE; ++KI) { + auto *CGN = KI->second; +#ifndef NDEBUG + assert(CGN && "Call graph node associated with function definition cannot" + " be null\n"); +#endif + CGNodeStack.push_back(CGN); + } + + std::set CalleeSet; + while (!CGNodeStack.empty()) { + auto *CGNode = CGNodeStack.pop_back_val(); + if (!Visited.insert(CGNode)) + continue; + + auto *F = CGNode->getFunction(); + if (!F || F->isDeclaration()) { +#ifndef NDEBUG + assert(CGNode->empty() && "Call graph node associated with function " + "declaration should not have callee list\n"); +#endif + continue; + } + + if (FunctionToLDS.find(F) != FunctionToLDS.end()) + CalleeSet.insert(F); + + for (auto CI = CGNode->begin(), CE = CGNode->end(); CI != CE; ++CI) { + auto *CGN = CI->second; +#ifndef NDEBUG + assert(CGN && "Call graph node associated with function definition cannot" + " be null\n"); +#endif + CGNodeStack.push_back(CGN); + } + } + + KernelToCallee[K] = CalleeSet; +} + +static void pairUpLDSGlobalWithItsAssociatedFunction( + GlobalVariable *LDSGlobal, + ValueMap &LDSToFunction) { + // Recursively visit the user list of current LDS global, and find the + // enclosing function where the LDS global is defined, and the enclosing + // function should always be successfully found. + // + // TODO: Is there any other efficient way to find the associated functions of + // LDS globals? +#ifndef NDEBUG + assert(!LDSGlobal->user_empty() && + "LDS Global user list cannot be empty since it must have been defined " + "within either kernel or device function"); +#endif + SmallVector UserStack; + SetVector Visited; + + for (auto *U : LDSGlobal->users()) + UserStack.push_back(U); + + while (!UserStack.empty()) { + auto *U = UserStack.pop_back_val(); + if (!Visited.insert(U)) + continue; + + if (auto *I = dyn_cast(U)) { + auto *F = I->getParent()->getParent(); + if (F) { + LDSToFunction[LDSGlobal] = F; + return; + } + continue; + } + + for (auto *UU : U->users()) + UserStack.push_back(UU); + } + + llvm_unreachable("Control is not expected to reach this point"); +} + +static unsigned getTypeStoreSizeInBits(Module &M, Type *Ty) { + return M.getDataLayout().getTypeSizeInBits(Ty).getFixedSize(); +} + +static unsigned getTypeStoreSizeInBytes(Module &M, Type *Ty) { + return getTypeStoreSizeInBits(M, Ty) / 8; +} + +static void +getLDSGlobalSizeInBytes(Module &M, GlobalVariable *LDSGlobal, + ValueMap &LDSToSize) { + LDSToSize[LDSGlobal] = getTypeStoreSizeInBytes(M, LDSGlobal->getValueType()); +} + +static void +eraseOldCallees(ValueMap &OldCalleeToNewCallee) { + // TODO: May be we can come-up with a more efficient implmentation to erase + // old callees from the module. It depends on how many callees that we land-up + // erasing in a real world hip application. May be not many, hence, as of now, + // we have just employed a simplest method of repeatedly visiting the old + // callees and removing each of them, once their number of uses become 0. + bool Loopover = true; + while (Loopover) { + Loopover = false; + for (auto OI = OldCalleeToNewCallee.begin(), + OE = OldCalleeToNewCallee.end(); + OI != OE; ++OI) { + auto *OldCallee = OI->first; + if (OldCallee->getNumUses()) + continue; + OldCalleeToNewCallee.erase(OI); + OldCallee->eraseFromParent(); + Loopover = true; + } + } +} + +// TODO: This really looks like a horrible hack to me, but, is there any better +// way of handling `ConstantExprs`? I have no idea at the moment, need to +// revisit it later. +static Instruction *replaceConstExprByInst(ConstantExpr *CE) { + for (auto *U : CE->users()) { + auto *I = dyn_cast(U); + + if (!I) + I = replaceConstExprByInst(dyn_cast(U)); + + if (I) { + auto *NI = CE->getAsInstruction(); + NI->insertBefore(I); + unsigned Ind = 0; + for (Use &UU : I->operands()) { + Value *V = UU.get(); + if (V == CE) + I->setOperand(Ind, NI); + ++Ind; + } + return NI; + } + } + + return nullptr; +} + +static void replaceInstWhichUsesLDS(Module &M, GlobalVariable *LDS, + Value *BasePtr, Function *F, Instruction *I, + SetVector &ToBeErasedInsts) { + // The function associated with the `I` shoud be the one where `LDS` is + // actually defined. +#ifndef NDEBUG + assert(I->getParent()->getParent() == F && + "The reference to LDS should only exists within the function where it " + "is actually defined\n"); +#endif + + // Create clone of `I`, say, it is `NewI`. Within `NewI`, replace the use(s) + // of `LDS` by `BasePtr`. + Instruction *NewI = I->clone(); + unsigned Ind = 0; + for (Use &UU : NewI->operands()) { + Value *V = UU.get(); + if (V == LDS) + NewI->setOperand(Ind, BasePtr); + ++Ind; + } + + // Insert `NewI` just before `I`, replace all uses of `I` by `NewI` and mark + // `I` as `to be erased`instruction. + NewI->insertBefore(I); + NewI->copyMetadata(*I); + I->replaceAllUsesWith(NewI); + ToBeErasedInsts.insert(I); +} + +static void updateFunctionAssociatedWithLDS(Module &M, GlobalVariable *LDS, + Value *BasePtr, Function *F) { + // Keep track of all the erased to be instructions. + SetVector ToBeErasedInsts; + + // Traverse through each `use` of `LDS`, create a new to be replaced value + // for each use case, and accordingly replace it with new one. + for (auto *U : LDS->users()) { + // `U` may be using `LDS`, but 'U` itself is not used anywhere, ignore `U`. + if (!U->getNumUses()) + continue; + + // Cast away const-ness from `U`. + User *UU = const_cast(U); + + if (auto *I = dyn_cast(UU)) { + replaceInstWhichUsesLDS(M, LDS, BasePtr, F, I, ToBeErasedInsts); + } else if (auto *CE = dyn_cast(UU)) { + // TODO: Performance issues because of converting `ConstExpr` to + // `Instruction`? + auto *I = replaceConstExprByInst(CE); + replaceInstWhichUsesLDS(M, LDS, BasePtr, F, I, ToBeErasedInsts); + CE->removeDeadConstantUsers(); + } else + llvm_unreachable("Not Implemented."); // TODO: What else is missing? + } + + // Erase all the instructions which are got replaced by new ones. + for (auto *I : ToBeErasedInsts) + I->eraseFromParent(); +} + +static void getNewArgumentList( + GlobalVariable *LDS, + std::map> + &KernelToIndirectBasePtrInst, + Function *Caller, CallInst *CI, SmallVectorImpl &NewArgs) { + Value *NewArg = nullptr; + + if (Caller->getCallingConv() == CallingConv::AMDGPU_KERNEL) { + std::map LDSToIndirectBasePtrInst = + KernelToIndirectBasePtrInst[Caller]; + NewArg = LDSToIndirectBasePtrInst[LDS]; + } else + NewArg = Caller->getArg(Caller->arg_size() - 1); + + for (auto AI = CI->arg_begin(), AE = CI->arg_end(); AI != AE; ++AI) + NewArgs.push_back(*AI); + NewArgs.push_back(NewArg); +} + +static bool +isNewClonedFunction(Function *F, + ValueMap &OldCalleeToNewCallee) { + for (auto OI = OldCalleeToNewCallee.begin(), OE = OldCalleeToNewCallee.end(); + OI != OE; ++OI) { + auto *NF = OI->second; + if (F == NF) + return true; + } + return false; +} + +static void +updateCallSites(GlobalVariable *LDS, Function *OldCallee, Function *NewCallee, + std::map> + &KernelToIndirectBasePtrInst, + ValueMap &OldCalleeToNewCallee) { + // Update call sites for current callee. + for (auto *U : OldCallee->users()) { + // Get call instruction. + auto *CI = dyn_cast(U); +#ifndef NDEBUG + assert(CI && "Valid call instruction expected"); +#endif + + // We are only interested in the call sites within kernel or within new + // cloned functions. + auto *Caller = CI->getParent()->getParent(); + if (Caller->getCallingConv() != CallingConv::AMDGPU_KERNEL && + !isNewClonedFunction(Caller, OldCalleeToNewCallee)) + continue; + + // Get new argument list which can be used to insert new call instruction. + SmallVector NewArgs; + getNewArgumentList(LDS, KernelToIndirectBasePtrInst, Caller, CI, NewArgs); + + // Insert new call instruction `NewCI` just before the existing call + // instruction `CI`. + auto *NewCI = CallInst::Create(NewCallee->getFunctionType(), NewCallee, + NewArgs, Twine(""), CI); + // TODO: Why copyMetadata() not copying meta data. I see metadat associated + // with CI, but it is not copied to NewCI. CI->hasMetadata() is false, why? + NewCI->copyMetadata(*CI); + NewCI->setTailCall(CI->isTailCall()); + NewCI->setCallingConv(CI->getCallingConv()); + + // Now, since new updated call instruction is in place, delete old one. + CI->replaceAllUsesWith(NewCI); + CI->eraseFromParent(); + } +} + +static void +updateCallSites(GlobalVariable *LDS, + std::map> + &KernelToIndirectBasePtrInst, + ValueMap &OldCalleeToNewCallee) { + // Update call sites for all callees. + for (auto OI = OldCalleeToNewCallee.begin(), OE = OldCalleeToNewCallee.end(); + OI != OE; ++OI) { + auto *OldCallee = OI->first; + auto *NewCallee = OI->second; + updateCallSites(LDS, OldCallee, NewCallee, KernelToIndirectBasePtrInst, + OldCalleeToNewCallee); + } +} + +static Function *cloneCallee(Module &M, Type *NewParamType, Function *Callee) { + // Create a new function type by adding `NewParamType` to the end of existing + // parameter list. + SmallVector NewParams; + auto *FnTy = Callee->getFunctionType(); + for (auto PI = FnTy->param_begin(), PE = FnTy->param_end(); PI != PE; ++PI) + NewParams.push_back(*PI); + NewParams.push_back(NewParamType); + auto *NewFnTy = + FunctionType::get(FnTy->getReturnType(), NewParams, FnTy->isVarArg()); + + // Create a copy of the `Callee`, but with new function type + auto *NewCallee = + Function::Create(NewFnTy, Callee->getLinkage(), Callee->getAddressSpace(), + Callee->getName() + Twine(".c")); + + ValueToValueMapTy VMap; + auto *NewCalleeArgIt = NewCallee->arg_begin(); + for (auto &Arg : Callee->args()) { + auto ArgName = Arg.getName(); + NewCalleeArgIt->setName(ArgName); + VMap[&Arg] = &(*NewCalleeArgIt++); + } + + // TODO: ModuleLevelChanges should be set to true or false? + SmallVector Returns; + CloneFunctionInto(NewCallee, Callee, VMap, /*ModuleLevelChanges=*/false, + Returns); + + // Copy all metadata + SmallVector, 1> MDs; + Callee->getAllMetadata(MDs); + for (auto MDIt : MDs) + NewCallee->addMetadata(MDIt.first, *MDIt.second); + + // Insert `NewCallee` just before `Callee` within the module. + M.getFunctionList().insert(Callee->getIterator(), NewCallee); + + // Swap names so that new function retains original name. + auto NewName = NewCallee->getName(); + NewCallee->takeName(Callee); + Callee->setName(NewName); + + return NewCallee; +} + +static void collectCallGraphPathsBetweenKernelAndCallee( + Module &M, Function *K, Function *Callee, + SmallVectorImpl> &CGPaths) { + // Traverse the call graph associated with the kernel in DFS manner and + // collect all the paths from kernel to callee. + // + // TODO: Note that this algorithm will not work if there exist recursive + // calls, and the current assumption here is that the call graph is acyclic. + // We need to visit it back again to handle call graph which could contain + // cycles. + auto CG = CallGraph(M); + auto *KernCGNode = CG[K]; +#ifndef NDEBUG + assert(KernCGNode && "Call graph node associated with kernel definition " + "cannot be null\n"); +#endif + + SmallVector, 8> Stack; + SetVector Path; + Path.insert(KernCGNode); + Stack.push_back(Path); + + while (!Stack.empty()) { + auto TopPath = Stack.pop_back_val(); + auto *CGNode = TopPath.back(); + auto *F = CGNode->getFunction(); + if (F == Callee) { + SetVector FPath; + for (auto *CGN : TopPath) + FPath.insert(CGN->getFunction()); + CGPaths.push_back(FPath); + continue; + } + + for (auto NI = CGNode->begin(), NE = CGNode->end(); NI != NE; ++NI) { + auto *CGN = NI->second; +#ifndef NDEBUG + assert(CGN && "Call graph node associated with function definition cannot" + " be null\n"); +#endif + SetVector ClonedPath(TopPath.begin(), TopPath.end()); + ClonedPath.insert(CGN); + Stack.push_back(ClonedPath); + } + } +} + +static void createCloneOfCalleesWithNewParameter( + Module &M, GlobalVariable *LDS, ValueMap &KToC, + Type *BasePtrType, ValueMap &OldCalleeToNewCallee) { + // Update callees to accept the new parameter which is of type `BasePtrType` + // by creating their clones. Here is the brief sketch of the functionality of + // this function: + // + // 1. Collect all the call graph paths between the kernels and the callees + // 2. Traverse all the call graph paths from kernels to callees. + // 3. For each device function encoutered while traversing, create a clone of + // it, by adding a new parameter of type BasePtr`s type to it's parameter + // list, but also retain the original device function for a moment. + SmallVector, 8> CGPaths; + for (auto KI = KToC.begin(), KE = KToC.end(); KI != KE; ++KI) + collectCallGraphPathsBetweenKernelAndCallee(M, KI->first, KI->second, + CGPaths); + + for (auto CGPath : CGPaths) { + // TODO: We can in-fact assert that length of `CGPath` is atleast two. But, + // we are okay for now. + if (CGPath.size() < 2) + continue; + + // We are interested in cloning of only device functions in the call graph + // path, hence we start from second node in the call graph path. + auto PI = CGPath.begin() + 1; + auto PE = CGPath.end(); + for (; PI != PE; ++PI) { + auto *CurCallee = *PI; + + if (OldCalleeToNewCallee.find(CurCallee) != OldCalleeToNewCallee.end()) + continue; + + // The `CurCallee` is encountered first time for the LDS in question, + // Create a clone of it, and save it. + auto *NewCallee = cloneCallee(M, BasePtrType, CurCallee); + OldCalleeToNewCallee[CurCallee] = NewCallee; + } + } +} + +static Type *getBasePtrAccessInstType( + GlobalVariable *LDS, + std::map> + &KernelToIndirectBasePtrInst) { + for (auto KI = KernelToIndirectBasePtrInst.begin(), + KE = KernelToIndirectBasePtrInst.end(); + KI != KE; ++KI) + for (auto BPI = KI->second.begin(), BPE = KI->second.end(); BPI != BPE; + ++BPI) + if (LDS == BPI->first) + return BPI->second->getType(); + + llvm_unreachable("Control is not expected to reach this point"); + + return nullptr; +} + +static void +getKernelToCalleeMap(GlobalVariable *LDS, + ValueMap &LDSToFunction, + ValueMap> &KernelToCallee, + ValueMap &KToC) { + // Collect all call graph paths from kernels to end-callees which are + // associated with current LDS. + auto *Callee = LDSToFunction[LDS]; + for (auto KI = KernelToCallee.begin(), KE = KernelToCallee.end(); KI != KE; + ++KI) { + auto *K = KI->first; + auto Callees = KI->second; + if (Callees.find(Callee) != Callees.end()) + KToC[K] = Callee; + } +} + +static bool handleIndirectLDSGlobals( + Module &M, ValueMap &LDSToFunction, + ValueMap> &KernelToCallee, + ValueMap> &KernelToIndirectLDS, + std::map> + &KernelToIndirectBasePtrInst) { + // Construct a grand list of all indirect LDS globals. + SetVector GrandLDSList; + for (auto KI = KernelToIndirectLDS.begin(), KE = KernelToIndirectLDS.end(); + KI != KE; ++KI) + for (auto *LDS : KI->second) + GrandLDSList.insert(LDS); + + // Process each indirect LDS global one by one. + for (auto *LDS : GrandLDSList) { + // For the current indirect LDS, pair-up kernel and end-callee. + ValueMap KToC; + getKernelToCalleeMap(LDS, LDSToFunction, KernelToCallee, KToC); + + // For the current indirect LDS, get the base pointer access instruction + // type. + auto *BasePtrType = + getBasePtrAccessInstType(LDS, KernelToIndirectBasePtrInst); + + // Create clones of all those functions which exist within the call graph + // paths from kernels to end-callee so that they accept new argument + // associated with current indirect LDS global. + ValueMap OldCalleeToNewCallee; + createCloneOfCalleesWithNewParameter(M, LDS, KToC, BasePtrType, + OldCalleeToNewCallee); + + // Update all the required data structures to point to the new cloned + // functions in place of their old counterparts. + updateLDSToFunctionMap(LDSToFunction, OldCalleeToNewCallee); + updateKernelToCalleeList(KernelToCallee, OldCalleeToNewCallee); + + // Update all call sites of the all old functions being cloned so that calls + // are being made to new cloned functions instead to old functions. + updateCallSites(LDS, KernelToIndirectBasePtrInst, OldCalleeToNewCallee); + + // By now, all old functions are dead without any reference being made to + // them, erase them now from the module. + eraseOldCallees(OldCalleeToNewCallee); + +#ifndef NDEBUG + assert(OldCalleeToNewCallee.empty() && + "None of the old callees should alive by now\n"); +#endif + + // Finally, update the end-callee where the current LDS was originally + // defined, so that all the references to this LDS within this end-callee + // are appropriately replaced. + auto *F = LDSToFunction[LDS]; + updateFunctionAssociatedWithLDS(M, LDS, F->getArg(F->arg_size() - 1), F); + } + + return true; +} + +static bool handleDirectLDSGlobals( + Module &M, std::map> + &KernelToDirectBasePtrInst) { + // Go through each kernel one by one, and handle all the direct globals + // defined within each of them. + for (auto KI = KernelToDirectBasePtrInst.begin(), + KE = KernelToDirectBasePtrInst.end(); + KI != KE; ++KI) { + auto *K = KI->first; + auto DirectLDSToBasePtrInst = KI->second; + + for (auto LI = DirectLDSToBasePtrInst.begin(), + LE = DirectLDSToBasePtrInst.end(); + LI != LE; ++LI) { + auto *LDS = LI->first; + auto *BasePtr = LI->second; + updateFunctionAssociatedWithLDS(M, LDS, BasePtr, K); + } + } + + return true; +} + +static Instruction *insertBasePointerAccessInstructionsWithinKernel( + Module &M, Function *K, GlobalVariable *LDS, GlobalVariable *NewLDS, + uint64_t Offset) { + // Insert instructions as below at the begining of the entry basic block of + // the kernel + // + // 1. Insert GEP instruction which access the address `NewLDS + Offset`, say, + // result is `GEPInst` which is of type `char*`. + // 2. Insert type cast instruction which type casts `GEPInst` from `char*` to + // `ldstype*` where `ldstype` is original type of `LDS`, say the result is, + // `CastInst`. + // 3. Return `CastInst`. + + // Suffix the names of the instructions with unique integer values + static int Suffix = 0; + ++Suffix; + + // Insert GEP instruction which points to `offset` corresponding to current + // LDS. + // + // Get the first insert point of the entry basic block + auto BI = K->getEntryBlock().getFirstInsertionPt(); +#ifndef NDEBUG + assert(BI != K->getEntryBlock().end() && + "Entry basic block of the kernel cannot be empty, otherwise control " + "would not reach this point\n"); +#endif + auto &EI = *BI; + + // Prepare indices for GEP instruction to be inserted + Value *Indices[] = {Constant::getNullValue(Type::getInt32Ty(M.getContext())), + Constant::getIntegerValue( + Type::getInt64Ty(M.getContext()), APInt(64, Offset))}; + + // Insert GEP instruction at the first insert point of the entry basic block + Instruction *GEPInst = GetElementPtrInst::CreateInBounds( + NewLDS->getValueType(), const_cast(NewLDS), Indices, + Twine("dssv.gep.") + Twine(Suffix), const_cast(&EI)); + + // Insert type-cast instruction just after above inserted GEP instruction + // which type-casts GEP instruction from `char*` to `ldstype*` where `ldstype` + // is the original type of LDS global. + Instruction *CastInst = new BitCastInst(GEPInst, LDS->getType(), + Twine("dssv.cast.") + Twine(Suffix), + const_cast(&EI)); + + // Return type-casted instruction + return CastInst; +} + +static GlobalVariable * +createSingleContiguousLayout(Module &M, Function *K, + uint64_t &TotalLDSSizeInBytes) { + // Insert a new LDS global which is nothing but a single contigeous shared + // memory layout representing all the LDS globals associted with the kernel + // which includes those directly defined within the kernel and those + // indirectly defined within callees. + // + // The size of this new contigeous LDS global layout is equal to the sum of + // the sizes of all the associated LDS globals. + // TODO: what about the name of this new LDS global? is it fine or need to be + // changed? + auto *NewLDSTy = + ArrayType::get(IntegerType::get(M.getContext(), 8), TotalLDSSizeInBytes); + auto *NewLDS = new GlobalVariable( + M, NewLDSTy, false, GlobalValue::InternalLinkage, + UndefValue::get(NewLDSTy), + Twine(K->getName()) + Twine(".Single.LDS.Layout"), nullptr, + GlobalVariable::NotThreadLocal, AMDGPUAS::LOCAL_ADDRESS); + NewLDS->setUnnamedAddr(GlobalValue::UnnamedAddr::Global); + NewLDS->setAlignment(MaybeAlign(M.getDataLayout().getPreferredAlign(NewLDS))); + + return NewLDS; +} + +static void +computeTotalLDSSizeInBytes(ValueMap &LDSToSize, + SetVector &DirectLDSList, + SetVector &IndirectLDSList, + ValueMap &LDSToOffset, + uint64_t &TotalLDSSizeInBytes) { + // For the current kernel, compute the total size of all LDS globals, and also + // offsets associated with them within in the new LDS global. + TotalLDSSizeInBytes = 0; + for (auto *LDS : DirectLDSList) { + LDSToOffset[LDS] = TotalLDSSizeInBytes; + TotalLDSSizeInBytes += LDSToSize[LDS]; + } + for (auto *LDS : IndirectLDSList) { + LDSToOffset[LDS] = TotalLDSSizeInBytes; + TotalLDSSizeInBytes += LDSToSize[LDS]; + } +} + +static bool prepareKernelsForHandlingLDSGlobals( + Module &M, SetVector &Kernels, + ValueMap> &KernelToDirectLDS, + ValueMap> &KernelToIndirectLDS, + ValueMap &LDSToSize, + std::map> + &KernelToDirectBasePtrInst, + std::map> + &KernelToIndirectBasePtrInst) { + bool Change = false; + + // For each LDS global, insert base pointer access instruction within + // associated kernel(s). + for (auto *K : Kernels) { + // Copy both direct and indirect LDS list for current kernel. + SetVector DirectLDSList; + SetVector IndirectLDSList; + if (KernelToDirectLDS.find(K) != KernelToDirectLDS.end()) + DirectLDSList = KernelToDirectLDS[K]; + if (KernelToIndirectLDS.find(K) != KernelToIndirectLDS.end()) + IndirectLDSList = KernelToIndirectLDS[K]; + + // No indirect LDS globals to process? ignore the kernel, goto next kernel. + if (IndirectLDSList.empty()) + continue; + + // We are going process indirect LDS globals atleast for one kernel, and + // hence, we are going to make module level changes. + Change = true; + + // Create a single contigeous LDS latout for current kernel + uint64_t TotalLDSSizeInBytes; + ValueMap LDSToOffset; + computeTotalLDSSizeInBytes(LDSToSize, DirectLDSList, IndirectLDSList, + LDSToOffset, TotalLDSSizeInBytes); + auto *NewLDS = createSingleContiguousLayout(M, K, TotalLDSSizeInBytes); + + // For each LDS global (both direct and indirect ones), insert base pointer + // access instructions within kernel. + std::map DirectLDSToBasePtrInst; + std::map IndirectLDSToBasePtrInst; + for (auto *LDS : DirectLDSList) + DirectLDSToBasePtrInst[LDS] = + insertBasePointerAccessInstructionsWithinKernel(M, K, LDS, NewLDS, + LDSToOffset[LDS]); + for (auto *LDS : IndirectLDSList) + IndirectLDSToBasePtrInst[LDS] = + insertBasePointerAccessInstructionsWithinKernel(M, K, LDS, NewLDS, + LDSToOffset[LDS]); + + KernelToDirectBasePtrInst[K] = DirectLDSToBasePtrInst; + KernelToIndirectBasePtrInst[K] = IndirectLDSToBasePtrInst; + } + + return Change; +} + +static bool handleDeviceScopeSharedVariables( + Module &M, SetVector &Kernels, + SetVector &LDSGlobals, + ValueMap &LDSToFunction, + ValueMap> &KernelToCallee, + ValueMap> &KernelToDirectLDS, + ValueMap> &KernelToIndirectLDS, + ValueMap &LDSToSize) { + bool Change = false; + std::map> + KernelToDirectBasePtrInst; + std::map> + KernelToIndirectBasePtrInst; + + // 1. Create a single contigeous LDS global layout for each kernel. + // 2. Compute base pointer offset for each LDS within the above single + // contigeous LDS global layout, and insert it within the associated + // kernel(s). + Change = prepareKernelsForHandlingLDSGlobals( + M, Kernels, KernelToDirectLDS, KernelToIndirectLDS, LDSToSize, + KernelToDirectBasePtrInst, KernelToIndirectBasePtrInst); + + // None of the kernel has any LDS globals (direct and/or indirect ones) + // associated with them. Nothing to do, no changes being made to module. + if (!Change) + return false; + + // Handle all indirect LDS globals defined within device functions. + if (!KernelToIndirectLDS.empty()) + Change = handleIndirectLDSGlobals(M, LDSToFunction, KernelToCallee, + KernelToIndirectLDS, + KernelToIndirectBasePtrInst); + + // Handle all direct LDS globals defined within kernels. + if (!KernelToDirectLDS.empty()) + Change = handleDirectLDSGlobals(M, KernelToDirectBasePtrInst); + + // Now, finally, erase all the original LDS globals from the module. + for (auto *LDS : LDSGlobals) + LDS->eraseFromParent(); + + return Change; +} + +static bool +handleDeviceScopeSharedVariables(Module &M, + SetVector &LDSGlobals, + SetVector &Kernels) { + // Pair up each LDS global with the enclosing function where the LDS global is + // defined + ValueMap LDSToFunction; + for (auto *LDSGlobal : LDSGlobals) + pairUpLDSGlobalWithItsAssociatedFunction(LDSGlobal, LDSToFunction); + + // Create reverse map from enclosing function to LDS global list + ValueMap> FunctionToLDS; + createFunctionToLDSMap(LDSToFunction, FunctionToLDS); + + // Pair up kernels with callee list which define LDS globals + ValueMap> KernelToCallee; + for (auto *K : Kernels) + pairUpKernelWithCalleeList(M, K, FunctionToLDS, KernelToCallee); + + // Pair up kernels with all the LDS globals: both direct LDS globals (those + // directly defined within the kernels), and indirect LDS globals (those + // indirectly defined within the callees). + ValueMap> KernelToDirectLDS; + ValueMap> KernelToIndirectLDS; + for (auto *K : Kernels) + pairUpKernelWithLDSList(K, KernelToCallee, FunctionToLDS, KernelToDirectLDS, + KernelToIndirectLDS); + + // Get the size of each LDS global in bytes + ValueMap LDSToSize; + for (auto *LDSGlobal : LDSGlobals) + getLDSGlobalSizeInBytes(M, LDSGlobal, LDSToSize); + + return handleDeviceScopeSharedVariables(M, Kernels, LDSGlobals, LDSToFunction, + KernelToCallee, KernelToDirectLDS, + KernelToIndirectLDS, LDSToSize); +} + +static bool handleDeviceScopeSharedVariables(Module &M) { + // Collect all the (static) LDS globals defined within the current module + SetVector LDSGlobals; + for (auto &GV : M.globals()) + if (GV.getAddressSpace() == AMDGPUAS::LOCAL_ADDRESS && + !GV.hasExternalLinkage()) + LDSGlobals.insert(&GV); + + if (LDSGlobals.empty()) { + LLVM_DEBUG(dbgs() << "No LDS globals defined in the module " << M.getName() + << ", skipping handling device of scope shared variables" + << "\n"); + return false; + } + + // Collect all the amdgpu kernels defined within the current module + SetVector Kernels; + for (auto &F : M.functions()) + if ((F.getCallingConv() == CallingConv::AMDGPU_KERNEL) && + !F.isDeclaration()) + Kernels.insert(&F); + + if (Kernels.empty()) { + LLVM_DEBUG(dbgs() << "No kernels defined in the module " << M.getName() + << ", skipping handling of device scope shared variables" + << "\n"); + return false; + } + + return handleDeviceScopeSharedVariables(M, LDSGlobals, Kernels); +} + +bool AMDGPUDeviceScopeSharedVariable::runOnModule(Module &M) { + LLVM_DEBUG(dbgs() << "===== Handling device scope shared variables in the " + "module " + << M.getName() << "\n"); + + // TODO: We only want to handle HIP kernels, and no kernels from from other + // programming languages, like OpenCL, OpenMP, etc. Do we need to add a + // condition here for it, and skip running the pass for non-HIP kernels? + if (skipModule(M)) { + LLVM_DEBUG(dbgs() << "Skipping handling of device scope shared variables " + "in the module " + << M.getName() << "\n"); + return false; + } + + bool Changed = handleDeviceScopeSharedVariables(M); + + LLVM_DEBUG(dbgs() << "===== Done with handling device scope shared variables " + "in the module " + << M.getName() << "\n"); + + return Changed; +} diff --git a/llvm/lib/Target/AMDGPU/AMDGPUTargetMachine.h b/llvm/lib/Target/AMDGPU/AMDGPUTargetMachine.h --- a/llvm/lib/Target/AMDGPU/AMDGPUTargetMachine.h +++ b/llvm/lib/Target/AMDGPU/AMDGPUTargetMachine.h @@ -40,6 +40,7 @@ static bool EnableLateStructurizeCFG; static bool EnableFunctionCalls; static bool EnableFixedFunctionABI; + static bool EnableDeviceScopeSharedVariable; AMDGPUTargetMachine(const Target &T, const Triple &TT, StringRef CPU, StringRef FS, TargetOptions Options, diff --git a/llvm/lib/Target/AMDGPU/AMDGPUTargetMachine.cpp b/llvm/lib/Target/AMDGPU/AMDGPUTargetMachine.cpp --- a/llvm/lib/Target/AMDGPU/AMDGPUTargetMachine.cpp +++ b/llvm/lib/Target/AMDGPU/AMDGPUTargetMachine.cpp @@ -198,6 +198,12 @@ cl::desc("Enable workarounds for the StructurizeCFG pass"), cl::init(true), cl::Hidden); +static cl::opt EnableDeviceScopeSharedVariable( + "amdgpu-enable-device-scope-shared-variable", + cl::desc("Support amdgpu device scope shared variables"), + cl::location(AMDGPUTargetMachine::EnableDeviceScopeSharedVariable), + cl::init(false), cl::Hidden); + extern "C" LLVM_EXTERNAL_VISIBILITY void LLVMInitializeAMDGPUTarget() { // Register the target RegisterTargetMachine X(getTheAMDGPUTarget()); @@ -265,6 +271,7 @@ initializeGCNRegBankReassignPass(*PR); initializeGCNNSAReassignPass(*PR); initializeSIAddIMGInitPass(*PR); + initializeAMDGPUDeviceScopeSharedVariablePass(*PR); } static std::unique_ptr createTLOF(const Triple &TT) { @@ -394,6 +401,7 @@ bool AMDGPUTargetMachine::EnableLateStructurizeCFG = false; bool AMDGPUTargetMachine::EnableFunctionCalls = false; bool AMDGPUTargetMachine::EnableFixedFunctionABI = false; +bool AMDGPUTargetMachine::EnableDeviceScopeSharedVariable = false; AMDGPUTargetMachine::~AMDGPUTargetMachine() = default; @@ -718,6 +726,12 @@ disablePass(&FuncletLayoutID); disablePass(&PatchableFunctionID); + // We expect to run this pass as a first AMDGPU IR pass so that new + // instructions being added in this pass can possibly undergo further + // transformations via subsequent passes. + if (EnableDeviceScopeSharedVariable) + addPass(createAMDGPUDeviceScopeSharedVariablePass()); + addPass(createAMDGPUPrintfRuntimeBinding()); // This must occur before inlining, as the inliner will not look through diff --git a/llvm/lib/Target/AMDGPU/CMakeLists.txt b/llvm/lib/Target/AMDGPU/CMakeLists.txt --- a/llvm/lib/Target/AMDGPU/CMakeLists.txt +++ b/llvm/lib/Target/AMDGPU/CMakeLists.txt @@ -50,6 +50,7 @@ AMDGPUAtomicOptimizer.cpp AMDGPUCallLowering.cpp AMDGPUCodeGenPrepare.cpp + AMDGPUDeviceScopeSharedVariable.cpp AMDGPUExportClustering.cpp AMDGPUFixFunctionBitcasts.cpp AMDGPUFrameLowering.cpp diff --git a/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-deep-function-calls.ll b/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-deep-function-calls.ll new file mode 100644 --- /dev/null +++ b/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-deep-function-calls.ll @@ -0,0 +1,163 @@ +; RUN: opt -mtriple=amdgcn-amd-amdhsa -mcpu=gfx900 -implement-amdgpu-device-scope-shared-variable -S < %s | FileCheck -check-prefixes=NEW-LDS,OLD-LDS,NEW-PARAM,GCN %s + +; OLD-LDS-NOT: @_ZZ22function_four_with_ldsPiS_E17smem_in_func_four +; OLD-LDS-NOT: @_ZZ19kernel_two_with_ldsPiS_E13smem_kern_two +; OLD-LDS-NOT: @_ZZ19kernel_one_with_ldsPiS_E13smem_kern_one +; NEW-LDS: @_Z19kernel_two_with_ldsPiS_.Single.LDS.Layout +; NEW-LDS: @_Z19kernel_one_with_ldsPiS_.Single.LDS.Layout +; OLD-LDS-NOT: @_ZZ22function_four_with_ldsPiS_E17smem_in_func_four +; OLD-LDS-NOT: @_ZZ19kernel_two_with_ldsPiS_E13smem_kern_two +; OLD-LDS-NOT: @_ZZ19kernel_one_with_ldsPiS_E13smem_kern_one +@_ZZ22function_four_with_ldsPiS_E17smem_in_func_four = internal unnamed_addr addrspace(3) global [256 x i32] undef, align 16 +@_ZZ19kernel_two_with_ldsPiS_E13smem_kern_two = internal unnamed_addr addrspace(3) global [256 x i32] undef, align 16 +@_ZZ19kernel_one_with_ldsPiS_E13smem_kern_one = internal unnamed_addr addrspace(3) global [256 x i32] undef, align 16 + +; NEW-PARAM: [256 x i32] addrspace(3)* %0 +define internal fastcc void @_Z22function_four_with_ldsPiS_(i32* nocapture readonly %i_arg, i32* nocapture %o_arg) unnamed_addr { +; GCN-LABEL: entry: +; GCN: %1 = tail call i32 @llvm.amdgcn.workitem.id.x() +; GCN-NEXT: %idxprom = zext i32 %1 to i64 +; GCN-NEXT: %arrayidx = getelementptr inbounds i32, i32* %i_arg, i64 %idxprom +; GCN-NEXT: %2 = load i32, i32* %arrayidx, align 4 +; GCN-NEXT: %3 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* %0, i32 0, i32 %1 +; GCN-NEXT: store i32 %2, i32 addrspace(3)* %3, align 4 +; GCN-NEXT: %add = add nuw nsw i32 %1, 1 +; GCN-NEXT: %4 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* %0, i32 0, i32 %add +; GCN-NEXT: %5 = load i32, i32 addrspace(3)* %4, align 4 +; GCN-NEXT: %mul = mul nsw i32 %5, %2 +; GCN-NEXT: %arrayidx12 = getelementptr inbounds i32, i32* %o_arg, i64 %idxprom +; GCN-NEXT: store i32 %mul, i32* %arrayidx12, align 4 +; GCN-NEXT: ret void +entry: + %0 = tail call i32 @llvm.amdgcn.workitem.id.x() + %idxprom = zext i32 %0 to i64 + %arrayidx = getelementptr inbounds i32, i32* %i_arg, i64 %idxprom + %1 = load i32, i32* %arrayidx, align 4 + %arrayidx31 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ22function_four_with_ldsPiS_E17smem_in_func_four, i32 0, i32 %0 + store i32 %1, i32 addrspace(3)* %arrayidx31, align 4 + %add = add nuw nsw i32 %0, 1 + %arrayidx93 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ22function_four_with_ldsPiS_E17smem_in_func_four, i32 0, i32 %add + %2 = load i32, i32 addrspace(3)* %arrayidx93, align 4 + %mul = mul nsw i32 %2, %1 + %arrayidx12 = getelementptr inbounds i32, i32* %o_arg, i64 %idxprom + store i32 %mul, i32* %arrayidx12, align 4 + ret void +} + +; NEW-PARAM: [256 x i32] addrspace(3)* %0 +define internal fastcc void @_Z26function_three_with_no_ldsPiS_(i32* nocapture readonly %i_arg, i32* nocapture %o_arg) unnamed_addr { +; GCN-LABEL: entry: +; GCN: tail call fastcc void @_Z22function_four_with_ldsPiS_(i32* %i_arg, i32* %o_arg, [256 x i32] addrspace(3)* %0) +; GCN-NEXT: ret void +entry: + tail call fastcc void @_Z22function_four_with_ldsPiS_(i32* %i_arg, i32* %o_arg) + ret void +} + +; NEW-PARAM: [256 x i32] addrspace(3)* %0 +define internal fastcc void @_Z24function_two_with_no_ldsPiS_(i32* nocapture readonly %i_arg, i32* nocapture %o_arg) unnamed_addr { +; GCN-LABEL: entry: +; GCN: tail call fastcc void @_Z26function_three_with_no_ldsPiS_(i32* %i_arg, i32* %o_arg, [256 x i32] addrspace(3)* %0) +; GCN-NEXT: ret void +entry: + tail call fastcc void @_Z26function_three_with_no_ldsPiS_(i32* %i_arg, i32* %o_arg) + ret void +} + +; NEW-PARAM: [256 x i32] addrspace(3)* %0 +define internal fastcc void @_Z24function_one_with_no_ldsPiS_(i32* nocapture readonly %i_arg, i32* nocapture %o_arg) unnamed_addr { +; GCN-LABEL: entry: +; GCN: tail call fastcc void @_Z26function_three_with_no_ldsPiS_(i32* %i_arg, i32* %o_arg, [256 x i32] addrspace(3)* %0) +; GCN-NEXT: ret void +entry: + tail call fastcc void @_Z26function_three_with_no_ldsPiS_(i32* %i_arg, i32* %o_arg) + ret void +} + +define protected amdgpu_kernel void @_Z19kernel_two_with_ldsPiS_(i32 addrspace(1)* nocapture readonly %i_arg.coerce, i32 addrspace(1)* nocapture %o_arg.coerce) local_unnamed_addr { +; GCN-LABEL: entry: +; GCN: %dssv.gep.2 = getelementptr inbounds [2048 x i8], [2048 x i8] addrspace(3)* @_Z19kernel_two_with_ldsPiS_.Single.LDS.Layout, i32 0, i64 1024 +; GCN-NEXT: %dssv.cast.2 = bitcast i8 addrspace(3)* %dssv.gep.2 to [256 x i32] addrspace(3)* +; GCN-NEXT: %dssv.gep.1 = getelementptr inbounds [2048 x i8], [2048 x i8] addrspace(3)* @_Z19kernel_two_with_ldsPiS_.Single.LDS.Layout, i32 0, i64 0 +; GCN-NEXT: %dssv.cast.1 = bitcast i8 addrspace(3)* %dssv.gep.1 to [256 x i32] addrspace(3)* +; GCN-NEXT: %0 = addrspacecast i32 addrspace(1)* %i_arg.coerce to i32* +; GCN-NEXT: %1 = addrspacecast i32 addrspace(1)* %o_arg.coerce to i32* +; GCN-NEXT: %2 = tail call i32 @llvm.amdgcn.workitem.id.x() +; GCN-NEXT: %idxprom = zext i32 %2 to i64 +; GCN-NEXT: %arrayidx6 = getelementptr inbounds i32, i32 addrspace(1)* %i_arg.coerce, i64 %idxprom +; GCN-NEXT: %3 = load i32, i32 addrspace(1)* %arrayidx6, align 4 +; GCN-NEXT: %4 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* %dssv.cast.1, i32 0, i32 %2 +; GCN-NEXT: store i32 %3, i32 addrspace(3)* %4, align 4 +; GCN-NEXT: %add = add nuw nsw i32 %2, 1 +; GCN-NEXT: %5 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* %dssv.cast.1, i32 0, i32 %add +; GCN-NEXT: %6 = load i32, i32 addrspace(3)* %5, align 4 +; GCN-NEXT: %mul = mul nsw i32 %6, %3 +; GCN-NEXT: %arrayidx1410 = getelementptr inbounds i32, i32 addrspace(1)* %o_arg.coerce, i64 %idxprom +; GCN-NEXT: store i32 %mul, i32 addrspace(1)* %arrayidx1410, align 4 +; GCN-NEXT: tail call fastcc void @_Z24function_one_with_no_ldsPiS_(i32* %0, i32* %1, [256 x i32] addrspace(3)* %dssv.cast.2) +; GCN-NEXT: tail call fastcc void @_Z24function_two_with_no_ldsPiS_(i32* %0, i32* %1, [256 x i32] addrspace(3)* %dssv.cast.2) +; GCN-NEXT: ret void +entry: + %0 = addrspacecast i32 addrspace(1)* %i_arg.coerce to i32* + %1 = addrspacecast i32 addrspace(1)* %o_arg.coerce to i32* + %2 = tail call i32 @llvm.amdgcn.workitem.id.x() + %idxprom = zext i32 %2 to i64 + %arrayidx6 = getelementptr inbounds i32, i32 addrspace(1)* %i_arg.coerce, i64 %idxprom + %3 = load i32, i32 addrspace(1)* %arrayidx6, align 4 + %arrayidx57 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ19kernel_two_with_ldsPiS_E13smem_kern_two, i32 0, i32 %2 + store i32 %3, i32 addrspace(3)* %arrayidx57, align 4 + %add = add nuw nsw i32 %2, 1 + %arrayidx119 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ19kernel_two_with_ldsPiS_E13smem_kern_two, i32 0, i32 %add + %4 = load i32, i32 addrspace(3)* %arrayidx119, align 4 + %mul = mul nsw i32 %4, %3 + %arrayidx1410 = getelementptr inbounds i32, i32 addrspace(1)* %o_arg.coerce, i64 %idxprom + store i32 %mul, i32 addrspace(1)* %arrayidx1410, align 4 + tail call fastcc void @_Z24function_one_with_no_ldsPiS_(i32* %0, i32* %1) + tail call fastcc void @_Z24function_two_with_no_ldsPiS_(i32* %0, i32* %1) + ret void +} + +define protected amdgpu_kernel void @_Z19kernel_one_with_ldsPiS_(i32 addrspace(1)* nocapture readonly %i_arg.coerce, i32 addrspace(1)* nocapture %o_arg.coerce) local_unnamed_addr { +; GCN-LABEL: entry: +; GCN: %dssv.gep.4 = getelementptr inbounds [2048 x i8], [2048 x i8] addrspace(3)* @_Z19kernel_one_with_ldsPiS_.Single.LDS.Layout, i32 0, i64 1024 +; GCN-NEXT: %dssv.cast.4 = bitcast i8 addrspace(3)* %dssv.gep.4 to [256 x i32] addrspace(3)* +; GCN-NEXT: %dssv.gep.3 = getelementptr inbounds [2048 x i8], [2048 x i8] addrspace(3)* @_Z19kernel_one_with_ldsPiS_.Single.LDS.Layout, i32 0, i64 0 +; GCN-NEXT: %dssv.cast.3 = bitcast i8 addrspace(3)* %dssv.gep.3 to [256 x i32] addrspace(3)* +; GCN-NEXT: %0 = addrspacecast i32 addrspace(1)* %i_arg.coerce to i32* +; GCN-NEXT: %1 = addrspacecast i32 addrspace(1)* %o_arg.coerce to i32* +; GCN-NEXT: %2 = tail call i32 @llvm.amdgcn.workitem.id.x() +; GCN-NEXT: %idxprom = zext i32 %2 to i64 +; GCN-NEXT: %arrayidx6 = getelementptr inbounds i32, i32 addrspace(1)* %i_arg.coerce, i64 %idxprom +; GCN-NEXT: %3 = load i32, i32 addrspace(1)* %arrayidx6, align 4 +; GCN-NEXT: %4 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* %dssv.cast.3, i32 0, i32 %2 +; GCN-NEXT: store i32 %3, i32 addrspace(3)* %4, align 4 +; GCN-NEXT: %add = add nuw nsw i32 %2, 1 +; GCN-NEXT: %5 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* %dssv.cast.3, i32 0, i32 %add +; GCN-NEXT: %6 = load i32, i32 addrspace(3)* %5, align 4 +; GCN-NEXT: %mul = mul nsw i32 %6, %3 +; GCN-NEXT: %arrayidx1410 = getelementptr inbounds i32, i32 addrspace(1)* %o_arg.coerce, i64 %idxprom +; GCN-NEXT: store i32 %mul, i32 addrspace(1)* %arrayidx1410, align 4 +; GCN-NEXT: tail call fastcc void @_Z24function_one_with_no_ldsPiS_(i32* %0, i32* %1, [256 x i32] addrspace(3)* %dssv.cast.4) +; GCN-NEXT: tail call fastcc void @_Z24function_two_with_no_ldsPiS_(i32* %0, i32* %1, [256 x i32] addrspace(3)* %dssv.cast.4) +; GCN-NEXT: ret void +entry: + %0 = addrspacecast i32 addrspace(1)* %i_arg.coerce to i32* + %1 = addrspacecast i32 addrspace(1)* %o_arg.coerce to i32* + %2 = tail call i32 @llvm.amdgcn.workitem.id.x() + %idxprom = zext i32 %2 to i64 + %arrayidx6 = getelementptr inbounds i32, i32 addrspace(1)* %i_arg.coerce, i64 %idxprom + %3 = load i32, i32 addrspace(1)* %arrayidx6, align 4 + %arrayidx57 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ19kernel_one_with_ldsPiS_E13smem_kern_one, i32 0, i32 %2 + store i32 %3, i32 addrspace(3)* %arrayidx57, align 4 + %add = add nuw nsw i32 %2, 1 + %arrayidx119 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ19kernel_one_with_ldsPiS_E13smem_kern_one, i32 0, i32 %add + %4 = load i32, i32 addrspace(3)* %arrayidx119, align 4 + %mul = mul nsw i32 %4, %3 + %arrayidx1410 = getelementptr inbounds i32, i32 addrspace(1)* %o_arg.coerce, i64 %idxprom + store i32 %mul, i32 addrspace(1)* %arrayidx1410, align 4 + tail call fastcc void @_Z24function_one_with_no_ldsPiS_(i32* %0, i32* %1) + tail call fastcc void @_Z24function_two_with_no_ldsPiS_(i32* %0, i32* %1) + ret void +} + +declare i32 @llvm.amdgcn.workitem.id.x() diff --git a/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-lds-2d-array.ll b/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-lds-2d-array.ll new file mode 100644 --- /dev/null +++ b/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-lds-2d-array.ll @@ -0,0 +1,55 @@ +; RUN: opt -mtriple=amdgcn-amd-amdhsa -mcpu=gfx900 -implement-amdgpu-device-scope-shared-variable -S < %s | FileCheck -check-prefixes=NEW-LDS,OLD-LDS,NEW-PARAM,GCN %s + +; OLD-LDS-NOT: @_ZZ17function_with_ldsPiS_E4smem +; NEW-LDS: @_Z18kernel_with_no_ldsPiS_.Single.LDS.Layout +; OLD-LDS-NOT: @_ZZ17function_with_ldsPiS_E4smem +@_ZZ17function_with_ldsPiS_E4smem = internal unnamed_addr addrspace(3) global [256 x [4 x i32]] undef, align 16 + +; NEW-PARAM: [256 x [4 x i32]] addrspace(3)* %0 +define internal fastcc void @_Z17function_with_ldsPiS_(i32* nocapture readonly %i_arg, i32* nocapture %o_arg) unnamed_addr { +; GCN-LABEL: entry: +; GCN: %1 = tail call i32 @llvm.amdgcn.workitem.id.x() +; GCN-NEXT: %idxprom = zext i32 %1 to i64 +; GCN-NEXT: %arrayidx = getelementptr inbounds i32, i32* %i_arg, i64 %idxprom +; GCN-NEXT: %2 = load i32, i32* %arrayidx, align 4 +; GCN-NEXT: %3 = getelementptr inbounds [256 x [4 x i32]], [256 x [4 x i32]] addrspace(3)* %0, i32 0, i32 %1, i32 2 +; GCN-NEXT: store i32 %2, i32 addrspace(3)* %3, align 8 +; GCN-NEXT: %add = add nuw nsw i32 %1, 1 +; GCN-NEXT: %4 = getelementptr inbounds [256 x [4 x i32]], [256 x [4 x i32]] addrspace(3)* %0, i32 0, i32 %add, i32 2 +; GCN-NEXT: %5 = load i32, i32 addrspace(3)* %4, align 8 +; GCN-NEXT: %mul = mul nsw i32 %5, %2 +; GCN-NEXT: %arrayidx15 = getelementptr inbounds i32, i32* %o_arg, i64 %idxprom +; GCN-NEXT: store i32 %mul, i32* %arrayidx15, align 4 +; GCN-NEXT: ret void +entry: + %0 = tail call i32 @llvm.amdgcn.workitem.id.x() + %idxprom = zext i32 %0 to i64 + %arrayidx = getelementptr inbounds i32, i32* %i_arg, i64 %idxprom + %1 = load i32, i32* %arrayidx, align 4 + %arrayidx42 = getelementptr inbounds [256 x [4 x i32]], [256 x [4 x i32]] addrspace(3)* @_ZZ17function_with_ldsPiS_E4smem, i32 0, i32 %0, i32 2 + store i32 %1, i32 addrspace(3)* %arrayidx42, align 8 + %add = add nuw nsw i32 %0, 1 + %arrayidx126 = getelementptr inbounds [256 x [4 x i32]], [256 x [4 x i32]] addrspace(3)* @_ZZ17function_with_ldsPiS_E4smem, i32 0, i32 %add, i32 2 + %2 = load i32, i32 addrspace(3)* %arrayidx126, align 8 + %mul = mul nsw i32 %2, %1 + %arrayidx15 = getelementptr inbounds i32, i32* %o_arg, i64 %idxprom + store i32 %mul, i32* %arrayidx15, align 4 + ret void +} + +define protected amdgpu_kernel void @_Z18kernel_with_no_ldsPiS_(i32 addrspace(1)* nocapture readonly %i_arg.coerce, i32 addrspace(1)* nocapture %o_arg.coerce) local_unnamed_addr { +; GCN-LABEL: entry: +; GCN: %dssv.gep.1 = getelementptr inbounds [4096 x i8], [4096 x i8] addrspace(3)* @_Z18kernel_with_no_ldsPiS_.Single.LDS.Layout, i32 0, i64 0 +; GCN-NEXT: %dssv.cast.1 = bitcast i8 addrspace(3)* %dssv.gep.1 to [256 x [4 x i32]] addrspace(3)* +; GCN-NEXT: %0 = addrspacecast i32 addrspace(1)* %i_arg.coerce to i32* +; GCN-NEXT: %1 = addrspacecast i32 addrspace(1)* %o_arg.coerce to i32* +; GCN-NEXT: tail call fastcc void @_Z17function_with_ldsPiS_(i32* %0, i32* %1, [256 x [4 x i32]] addrspace(3)* %dssv.cast.1) +; GCN-NEXT: ret void +entry: + %0 = addrspacecast i32 addrspace(1)* %i_arg.coerce to i32* + %1 = addrspacecast i32 addrspace(1)* %o_arg.coerce to i32* + tail call fastcc void @_Z17function_with_ldsPiS_(i32* %0, i32* %1) + ret void +} + +declare i32 @llvm.amdgcn.workitem.id.x() diff --git a/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-lds-with-different-data-types.ll b/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-lds-with-different-data-types.ll new file mode 100644 --- /dev/null +++ b/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-lds-with-different-data-types.ll @@ -0,0 +1,67 @@ +; RUN: opt -mtriple=amdgcn-amd-amdhsa -mcpu=gfx900 -implement-amdgpu-device-scope-shared-variable -S < %s | FileCheck -check-prefixes=NEW-LDS,OLD-LDS,NEW-PARAM,NEW-ARG %s + +; OLD-LDS-NOT: @_ZZ17function_with_ldsPcS_PiS0_PfS1_E6c_smem +; OLD-LDS-NOT: @_ZZ17function_with_ldsPcS_PiS0_PfS1_E6i_smem +; OLD-LDS-NOT: @_ZZ17function_with_ldsPcS_PiS0_PfS1_E6f_smem +; NEW-LDS: @_Z18kernel_with_no_ldsPcS_PiS0_PfS1_.Single.LDS.Layout +; OLD-LDS-NOT: @_ZZ17function_with_ldsPcS_PiS0_PfS1_E6c_smem +; OLD-LDS-NOT: @_ZZ17function_with_ldsPcS_PiS0_PfS1_E6i_smem +; OLD-LDS-NOT: @_ZZ17function_with_ldsPcS_PiS0_PfS1_E6f_smem +@_ZZ17function_with_ldsPcS_PiS0_PfS1_E6c_smem = internal unnamed_addr addrspace(3) global [256 x i8] undef, align 16 +@_ZZ17function_with_ldsPcS_PiS0_PfS1_E6i_smem = internal unnamed_addr addrspace(3) global [256 x i32] undef, align 16 +@_ZZ17function_with_ldsPcS_PiS0_PfS1_E6f_smem = internal unnamed_addr addrspace(3) global [256 x float] undef, align 16 + +; NEW-PARAM: [256 x {{[a-z]+[0-9]*}}] addrspace(3)* %{{[0-9]}} +; NEW-PARAM: [256 x {{[a-z]+[0-9]*}}] addrspace(3)* %{{[0-9]}} +; NEW-PARAM: [256 x {{[a-z]+[0-9]*}}] addrspace(3)* %{{[0-9]}} +define internal fastcc void @_Z17function_with_ldsPcS_PiS0_PfS1_(i8* nocapture readonly %ci_arg, i8* nocapture %co_arg, i32* nocapture readonly %ii_arg, i32* nocapture %io_arg, float* nocapture readonly %fi_arg, float* nocapture %fo_arg) unnamed_addr { +entry: + %0 = tail call i32 @llvm.amdgcn.workitem.id.x() + %idxprom = zext i32 %0 to i64 + %arrayidx = getelementptr inbounds i8, i8* %ci_arg, i64 %idxprom + %1 = load i8, i8* %arrayidx, align 1 + %arrayidx32 = getelementptr inbounds [256 x i8], [256 x i8] addrspace(3)* @_ZZ17function_with_ldsPcS_PiS0_PfS1_E6c_smem, i32 0, i32 %0 + store i8 %1, i8 addrspace(3)* %arrayidx32, align 1 + %add = add nuw nsw i32 %0, 1 + %arrayidx94 = getelementptr inbounds [256 x i8], [256 x i8] addrspace(3)* @_ZZ17function_with_ldsPcS_PiS0_PfS1_E6c_smem, i32 0, i32 %add + %2 = load i8, i8 addrspace(3)* %arrayidx94, align 1 + %mul = mul i8 %2, %1 + %arrayidx14 = getelementptr inbounds i8, i8* %co_arg, i64 %idxprom + store i8 %mul, i8* %arrayidx14, align 1 + %arrayidx17 = getelementptr inbounds i32, i32* %ii_arg, i64 %idxprom + %3 = load i32, i32* %arrayidx17, align 4 + %arrayidx205 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ17function_with_ldsPcS_PiS0_PfS1_E6i_smem, i32 0, i32 %0 + store i32 %3, i32 addrspace(3)* %arrayidx205, align 4 + %arrayidx277 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ17function_with_ldsPcS_PiS0_PfS1_E6i_smem, i32 0, i32 %add + %4 = load i32, i32 addrspace(3)* %arrayidx277, align 4 + %mul28 = mul nsw i32 %4, %3 + %arrayidx31 = getelementptr inbounds i32, i32* %io_arg, i64 %idxprom + store i32 %mul28, i32* %arrayidx31, align 4 + %arrayidx34 = getelementptr inbounds float, float* %fi_arg, i64 %idxprom + %5 = load float, float* %arrayidx34, align 4 + %arrayidx378 = getelementptr inbounds [256 x float], [256 x float] addrspace(3)* @_ZZ17function_with_ldsPcS_PiS0_PfS1_E6f_smem, i32 0, i32 %0 + store float %5, float addrspace(3)* %arrayidx378, align 4 + %arrayidx4410 = getelementptr inbounds [256 x float], [256 x float] addrspace(3)* @_ZZ17function_with_ldsPcS_PiS0_PfS1_E6f_smem, i32 0, i32 %add + %6 = load float, float addrspace(3)* %arrayidx4410, align 4 + %mul45 = fmul contract float %5, %6 + %arrayidx48 = getelementptr inbounds float, float* %fo_arg, i64 %idxprom + store float %mul45, float* %arrayidx48, align 4 + ret void +} + +define protected amdgpu_kernel void @_Z18kernel_with_no_ldsPcS_PiS0_PfS1_(i8 addrspace(1)* nocapture readonly %ci_arg.coerce, i8 addrspace(1)* nocapture %co_arg.coerce, i32 addrspace(1)* nocapture readonly %ii_arg.coerce, i32 addrspace(1)* nocapture %io_arg.coerce, float addrspace(1)* nocapture readonly %fi_arg.coerce, float addrspace(1)* nocapture %fo_arg.coerce) local_unnamed_addr { +entry: + %0 = addrspacecast i8 addrspace(1)* %ci_arg.coerce to i8* + %1 = addrspacecast i8 addrspace(1)* %co_arg.coerce to i8* + %2 = addrspacecast i32 addrspace(1)* %ii_arg.coerce to i32* + %3 = addrspacecast i32 addrspace(1)* %io_arg.coerce to i32* + %4 = addrspacecast float addrspace(1)* %fi_arg.coerce to float* + %5 = addrspacecast float addrspace(1)* %fo_arg.coerce to float* +; NEW-ARG: [256 x {{[a-z]+[0-9]*}}] addrspace(3)* %dssv.cast.{{[0-9]}} +; NEW-ARG: [256 x {{[a-z]+[0-9]*}}] addrspace(3)* %dssv.cast.{{[0-9]}} +; NEW-ARG: [256 x {{[a-z]+[0-9]*}}] addrspace(3)* %dssv.cast.{{[0-9]}} + tail call fastcc void @_Z17function_with_ldsPcS_PiS0_PfS1_(i8* %0, i8* %1, i32* %2, i32* %3, float* %4, float* %5) + ret void +} + +declare i32 @llvm.amdgcn.workitem.id.x() diff --git a/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-lds-within-function.ll b/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-lds-within-function.ll new file mode 100644 --- /dev/null +++ b/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-lds-within-function.ll @@ -0,0 +1,55 @@ +; RUN: opt -mtriple=amdgcn-amd-amdhsa -mcpu=gfx900 -implement-amdgpu-device-scope-shared-variable -S < %s | FileCheck -check-prefixes=NEW-LDS,OLD-LDS,NEW-PARAM,GCN %s + +; OLD-LDS-NOT: @_ZZ17function_with_ldsPiS_E4smem +; NEW-LDS: @_Z18kernel_with_no_ldsPiS_.Single.LDS.Layout +; OLD-LDS-NOT: @_ZZ17function_with_ldsPiS_E4smem +@_ZZ17function_with_ldsPiS_E4smem = internal unnamed_addr addrspace(3) global [256 x i32] undef, align 16 + +; NEW-PARAM: [256 x i32] addrspace(3)* %0 +define internal fastcc void @_Z17function_with_ldsPiS_(i32* nocapture readonly %i_arg, i32* nocapture %o_arg) unnamed_addr { +; GCN-LABEL: entry: +; GCN: %1 = tail call i32 @llvm.amdgcn.workitem.id.x() +; GCN-NEXT: %idxprom = zext i32 %1 to i64 +; GCN-NEXT: %arrayidx = getelementptr inbounds i32, i32* %i_arg, i64 %idxprom +; GCN-NEXT: %2 = load i32, i32* %arrayidx, align 4 +; GCN-NEXT: %3 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* %0, i32 0, i32 %1 +; GCN-NEXT: store i32 %2, i32 addrspace(3)* %3, align 4 +; GCN-NEXT: %add = add nuw nsw i32 %1, 1 +; GCN-NEXT: %4 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* %0, i32 0, i32 %add +; GCN-NEXT: %5 = load i32, i32 addrspace(3)* %4, align 4 +; GCN-NEXT: %mul = mul nsw i32 %5, %2 +; GCN-NEXT: %arrayidx12 = getelementptr inbounds i32, i32* %o_arg, i64 %idxprom +; GCN-NEXT: store i32 %mul, i32* %arrayidx12, align 4 +; GCN-NEXT: ret void +entry: + %0 = tail call i32 @llvm.amdgcn.workitem.id.x() + %idxprom = zext i32 %0 to i64 + %arrayidx = getelementptr inbounds i32, i32* %i_arg, i64 %idxprom + %1 = load i32, i32* %arrayidx, align 4 + %arrayidx31 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ17function_with_ldsPiS_E4smem, i32 0, i32 %0 + store i32 %1, i32 addrspace(3)* %arrayidx31, align 4 + %add = add nuw nsw i32 %0, 1 + %arrayidx93 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ17function_with_ldsPiS_E4smem, i32 0, i32 %add + %2 = load i32, i32 addrspace(3)* %arrayidx93, align 4 + %mul = mul nsw i32 %2, %1 + %arrayidx12 = getelementptr inbounds i32, i32* %o_arg, i64 %idxprom + store i32 %mul, i32* %arrayidx12, align 4 + ret void +} + +define protected amdgpu_kernel void @_Z18kernel_with_no_ldsPiS_(i32 addrspace(1)* nocapture readonly %i_arg.coerce, i32 addrspace(1)* nocapture %o_arg.coerce) local_unnamed_addr { +; GCN-LABEL: entry: +; GCN: %dssv.gep.1 = getelementptr inbounds [1024 x i8], [1024 x i8] addrspace(3)* @_Z18kernel_with_no_ldsPiS_.Single.LDS.Layout, i32 0, i64 0 +; GCN-NEXT: %dssv.cast.1 = bitcast i8 addrspace(3)* %dssv.gep.1 to [256 x i32] addrspace(3)* +; GCN-NEXT: %0 = addrspacecast i32 addrspace(1)* %i_arg.coerce to i32* +; GCN-NEXT: %1 = addrspacecast i32 addrspace(1)* %o_arg.coerce to i32* +; GCN-NEXT: tail call fastcc void @_Z17function_with_ldsPiS_(i32* %0, i32* %1, [256 x i32] addrspace(3)* %dssv.cast.1) +; GCN-NEXT: ret void +entry: + %0 = addrspacecast i32 addrspace(1)* %i_arg.coerce to i32* + %1 = addrspacecast i32 addrspace(1)* %o_arg.coerce to i32* + tail call fastcc void @_Z17function_with_ldsPiS_(i32* %0, i32* %1) + ret void +} + +declare i32 @llvm.amdgcn.workitem.id.x() diff --git a/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-lds-within-kernel-and-function.ll b/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-lds-within-kernel-and-function.ll new file mode 100644 --- /dev/null +++ b/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-lds-within-kernel-and-function.ll @@ -0,0 +1,84 @@ +; RUN: opt -mtriple=amdgcn-amd-amdhsa -mcpu=gfx900 -implement-amdgpu-device-scope-shared-variable -S < %s | FileCheck -check-prefixes=NEW-LDS,OLD-LDS,NEW-PARAM,GCN %s + +; OLD-LDS-NOT: @_ZZ17function_with_ldsPiS_E8smem_dev +; OLD-LDS-NOT: @_ZZ15kernel_with_ldsPiS_E9smem_kern +; NEW-LDS: @_Z15kernel_with_ldsPiS_.Single.LDS.Layout +; OLD-LDS-NOT: @_ZZ17function_with_ldsPiS_E8smem_dev +; OLD-LDS-NOT: @_ZZ15kernel_with_ldsPiS_E9smem_kern +@_ZZ17function_with_ldsPiS_E8smem_dev = internal unnamed_addr addrspace(3) global [256 x i32] undef, align 16 +@_ZZ15kernel_with_ldsPiS_E9smem_kern = internal unnamed_addr addrspace(3) global [256 x i32] undef, align 16 + +; NEW-PARAM: [256 x i32] addrspace(3)* %0 +define internal fastcc void @_Z17function_with_ldsPiS_(i32* nocapture readonly %i_arg, i32* nocapture %o_arg) unnamed_addr { +; GCN-LABEL: entry: +; GCN: %1 = tail call i32 @llvm.amdgcn.workitem.id.x() +; GCN-NEXT: %idxprom = zext i32 %1 to i64 +; GCN-NEXT: %arrayidx = getelementptr inbounds i32, i32* %i_arg, i64 %idxprom +; GCN-NEXT: %2 = load i32, i32* %arrayidx, align 4 +; GCN-NEXT: %3 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* %0, i32 0, i32 %1 +; GCN-NEXT: store i32 %2, i32 addrspace(3)* %3, align 4 +; GCN-NEXT: %add = add nuw nsw i32 %1, 1 +; GCN-NEXT: %4 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* %0, i32 0, i32 %add +; GCN-NEXT: %5 = load i32, i32 addrspace(3)* %4, align 4 +; GCN-NEXT: %mul = mul nsw i32 %5, %2 +; GCN-NEXT: %arrayidx12 = getelementptr inbounds i32, i32* %o_arg, i64 %idxprom +; GCN-NEXT: store i32 %mul, i32* %arrayidx12, align 4 +; GCN-NEXT: ret void +entry: + %0 = tail call i32 @llvm.amdgcn.workitem.id.x() + %idxprom = zext i32 %0 to i64 + %arrayidx = getelementptr inbounds i32, i32* %i_arg, i64 %idxprom + %1 = load i32, i32* %arrayidx, align 4 + %arrayidx31 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ17function_with_ldsPiS_E8smem_dev, i32 0, i32 %0 + store i32 %1, i32 addrspace(3)* %arrayidx31, align 4 + %add = add nuw nsw i32 %0, 1 + %arrayidx93 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ17function_with_ldsPiS_E8smem_dev, i32 0, i32 %add + %2 = load i32, i32 addrspace(3)* %arrayidx93, align 4 + %mul = mul nsw i32 %2, %1 + %arrayidx12 = getelementptr inbounds i32, i32* %o_arg, i64 %idxprom + store i32 %mul, i32* %arrayidx12, align 4 + ret void +} + +define protected amdgpu_kernel void @_Z15kernel_with_ldsPiS_(i32 addrspace(1)* nocapture readonly %i_arg.coerce, i32 addrspace(1)* nocapture %o_arg.coerce) local_unnamed_addr { +; GCN-LABEL: entry: +; GCN: %dssv.gep.2 = getelementptr inbounds [2048 x i8], [2048 x i8] addrspace(3)* @_Z15kernel_with_ldsPiS_.Single.LDS.Layout, i32 0, i64 1024 +; GCN-NEXT: %dssv.cast.2 = bitcast i8 addrspace(3)* %dssv.gep.2 to [256 x i32] addrspace(3)* +; GCN-NEXT: %dssv.gep.1 = getelementptr inbounds [2048 x i8], [2048 x i8] addrspace(3)* @_Z15kernel_with_ldsPiS_.Single.LDS.Layout, i32 0, i64 0 +; GCN-NEXT: %dssv.cast.1 = bitcast i8 addrspace(3)* %dssv.gep.1 to [256 x i32] addrspace(3)* +; GCN-NEXT: %0 = addrspacecast i32 addrspace(1)* %i_arg.coerce to i32* +; GCN-NEXT: %1 = addrspacecast i32 addrspace(1)* %o_arg.coerce to i32* +; GCN-NEXT: %2 = tail call i32 @llvm.amdgcn.workitem.id.x() +; GCN-NEXT: %idxprom = zext i32 %2 to i64 +; GCN-NEXT: %arrayidx3 = getelementptr inbounds i32, i32 addrspace(1)* %i_arg.coerce, i64 %idxprom +; GCN-NEXT: %3 = load i32, i32 addrspace(1)* %arrayidx3, align 4 +; GCN-NEXT: %4 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* %dssv.cast.1, i32 0, i32 %2 +; GCN-NEXT: store i32 %3, i32 addrspace(3)* %4, align 4 +; GCN-NEXT: %add = add nuw nsw i32 %2, 1 +; GCN-NEXT: %5 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* %dssv.cast.1, i32 0, i32 %add +; GCN-NEXT: %6 = load i32, i32 addrspace(3)* %5, align 4 +; GCN-NEXT: %mul = mul nsw i32 %6, %3 +; GCN-NEXT: %arrayidx147 = getelementptr inbounds i32, i32 addrspace(1)* %o_arg.coerce, i64 %idxprom +; GCN-NEXT: store i32 %mul, i32 addrspace(1)* %arrayidx147, align 4 +; GCN-NEXT: tail call fastcc void @_Z17function_with_ldsPiS_(i32* %0, i32* %1, [256 x i32] addrspace(3)* %dssv.cast.2) +; GCN-NEXT: ret void +entry: + %0 = addrspacecast i32 addrspace(1)* %i_arg.coerce to i32* + %1 = addrspacecast i32 addrspace(1)* %o_arg.coerce to i32* + %2 = tail call i32 @llvm.amdgcn.workitem.id.x() + %idxprom = zext i32 %2 to i64 + %arrayidx3 = getelementptr inbounds i32, i32 addrspace(1)* %i_arg.coerce, i64 %idxprom + %3 = load i32, i32 addrspace(1)* %arrayidx3, align 4 + %arrayidx54 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ15kernel_with_ldsPiS_E9smem_kern, i32 0, i32 %2 + store i32 %3, i32 addrspace(3)* %arrayidx54, align 4 + %add = add nuw nsw i32 %2, 1 + %arrayidx116 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ15kernel_with_ldsPiS_E9smem_kern, i32 0, i32 %add + %4 = load i32, i32 addrspace(3)* %arrayidx116, align 4 + %mul = mul nsw i32 %4, %3 + %arrayidx147 = getelementptr inbounds i32, i32 addrspace(1)* %o_arg.coerce, i64 %idxprom + store i32 %mul, i32 addrspace(1)* %arrayidx147, align 4 + tail call fastcc void @_Z17function_with_ldsPiS_(i32* %0, i32* %1) + ret void +} + +declare i32 @llvm.amdgcn.workitem.id.x() diff --git a/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-lds-within-kernel.ll b/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-lds-within-kernel.ll new file mode 100644 --- /dev/null +++ b/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-lds-within-kernel.ll @@ -0,0 +1,65 @@ +; RUN: opt -mtriple=amdgcn-amd-amdhsa -mcpu=gfx900 -implement-amdgpu-device-scope-shared-variable -S < %s | FileCheck -check-prefixes=NEW-LDS,OLD-LDS,NEW-PARAM,GCN %s + +; NEW-LDS-NOT: @_ZZ15kernel_with_ldsPiS_.Single.LDS.Layout +; OLD-LDS: @_ZZ15kernel_with_ldsPiS_E4smem +; NEW-LDS-NOT: @_ZZ15kernel_with_ldsPiS_.Single.LDS.Layout +@_ZZ15kernel_with_ldsPiS_E4smem = internal unnamed_addr addrspace(3) global [256 x i32] undef, align 16 + +; NEW-PARAM-NOT: i32 addrspace(3)* %0 +define internal fastcc void @_Z20function_with_no_ldsPiS_(i32* nocapture readonly %i_arg, i32* nocapture %o_arg) unnamed_addr { +; GCN-LABEL: entry: +; GCN: %0 = tail call i32 @llvm.amdgcn.workitem.id.x() +; GCN-NEXT: %idxprom = zext i32 %0 to i64 +; GCN-NEXT: %arrayidx = getelementptr inbounds i32, i32* %i_arg, i64 %idxprom +; GCN-NEXT: %1 = load i32, i32* %arrayidx, align 4 +; GCN-NEXT: %arrayidx3 = getelementptr inbounds i32, i32* %o_arg, i64 %idxprom +; GCN-NEXT: store i32 %1, i32* %arrayidx3, align 4 +; GCN-NEXT: ret void +entry: + %0 = tail call i32 @llvm.amdgcn.workitem.id.x() + %idxprom = zext i32 %0 to i64 + %arrayidx = getelementptr inbounds i32, i32* %i_arg, i64 %idxprom + %1 = load i32, i32* %arrayidx, align 4 + %arrayidx3 = getelementptr inbounds i32, i32* %o_arg, i64 %idxprom + store i32 %1, i32* %arrayidx3, align 4 + ret void +} + +define protected amdgpu_kernel void @_Z15kernel_with_ldsPiS_(i32 addrspace(1)* nocapture readonly %i_arg.coerce, i32 addrspace(1)* nocapture %o_arg.coerce) local_unnamed_addr { +; GCN-LABEL: entry: +; GCN: %0 = addrspacecast i32 addrspace(1)* %i_arg.coerce to i32* +; GCN-NEXT: %1 = addrspacecast i32 addrspace(1)* %o_arg.coerce to i32* +; GCN-NEXT: %2 = tail call i32 @llvm.amdgcn.workitem.id.x() +; GCN-NEXT: %idxprom = zext i32 %2 to i64 +; GCN-NEXT: %arrayidx3 = getelementptr inbounds i32, i32 addrspace(1)* %i_arg.coerce, i64 %idxprom +; GCN-NEXT: %3 = load i32, i32 addrspace(1)* %arrayidx3, align 4 +; GCN-NEXT: %arrayidx54 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ15kernel_with_ldsPiS_E4smem, i32 0, i32 %2 +; GCN-NEXT: store i32 %3, i32 addrspace(3)* %arrayidx54, align 4 +; GCN-NEXT: %add = add nuw nsw i32 %2, 1 +; GCN-NEXT: %arrayidx116 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ15kernel_with_ldsPiS_E4smem, i32 0, i32 %add +; GCN-NEXT: %4 = load i32, i32 addrspace(3)* %arrayidx116, align 4 +; GCN-NEXT: %mul = mul nsw i32 %4, %3 +; GCN-NEXT: %arrayidx147 = getelementptr inbounds i32, i32 addrspace(1)* %o_arg.coerce, i64 %idxprom +; GCN-NEXT: store i32 %mul, i32 addrspace(1)* %arrayidx147, align 4 +; GCN-NEXT: tail call fastcc void @_Z20function_with_no_ldsPiS_(i32* %0, i32* %1) +; GCN-NEXT: ret void +entry: + %0 = addrspacecast i32 addrspace(1)* %i_arg.coerce to i32* + %1 = addrspacecast i32 addrspace(1)* %o_arg.coerce to i32* + %2 = tail call i32 @llvm.amdgcn.workitem.id.x() + %idxprom = zext i32 %2 to i64 + %arrayidx3 = getelementptr inbounds i32, i32 addrspace(1)* %i_arg.coerce, i64 %idxprom + %3 = load i32, i32 addrspace(1)* %arrayidx3, align 4 + %arrayidx54 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ15kernel_with_ldsPiS_E4smem, i32 0, i32 %2 + store i32 %3, i32 addrspace(3)* %arrayidx54, align 4 + %add = add nuw nsw i32 %2, 1 + %arrayidx116 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ15kernel_with_ldsPiS_E4smem, i32 0, i32 %add + %4 = load i32, i32 addrspace(3)* %arrayidx116, align 4 + %mul = mul nsw i32 %4, %3 + %arrayidx147 = getelementptr inbounds i32, i32 addrspace(1)* %o_arg.coerce, i64 %idxprom + store i32 %mul, i32 addrspace(1)* %arrayidx147, align 4 + tail call fastcc void @_Z20function_with_no_ldsPiS_(i32* %0, i32* %1) + ret void +} + +declare i32 @llvm.amdgcn.workitem.id.x() diff --git a/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-two-lds-arguments.ll b/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-two-lds-arguments.ll new file mode 100644 --- /dev/null +++ b/llvm/test/CodeGen/AMDGPU/device-scope-lds-test-two-lds-arguments.ll @@ -0,0 +1,117 @@ +; RUN: opt -mtriple=amdgcn-amd-amdhsa -mcpu=gfx900 -implement-amdgpu-device-scope-shared-variable -S < %s | FileCheck -check-prefixes=NEW-LDS,OLD-LDS,NEW-PARAM,NEW-ARG %s + +; OLD-LDS-NOT: @_ZZ22function_four_with_ldsPiS_E19smem_1_in_func_four +; OLD-LDS-NOT: @_ZZ22function_four_with_ldsPiS_E19smem_2_in_func_four +; OLD-LDS-NOT: @_ZZ19kernel_two_with_ldsPiS_E13smem_kern_two +; OLD-LDS-NOT: @_ZZ19kernel_one_with_ldsPiS_E13smem_kern_one +; NEW-LDS: @_Z19kernel_two_with_ldsPiS_.Single.LDS.Layout +; NEW-LDS: @_Z19kernel_one_with_ldsPiS_.Single.LDS.Layout +; OLD-LDS-NOT: @_ZZ22function_four_with_ldsPiS_E19smem_1_in_func_four +; OLD-LDS-NOT: @_ZZ22function_four_with_ldsPiS_E19smem_2_in_func_four +; OLD-LDS-NOT: @_ZZ19kernel_two_with_ldsPiS_E13smem_kern_two +; OLD-LDS-NOT: @_ZZ19kernel_one_with_ldsPiS_E13smem_kern_one +@_ZZ22function_four_with_ldsPiS_E19smem_1_in_func_four = internal unnamed_addr addrspace(3) global [256 x i32] undef, align 16 +@_ZZ22function_four_with_ldsPiS_E19smem_2_in_func_four = internal unnamed_addr addrspace(3) global [256 x i32] undef, align 16 +@_ZZ19kernel_two_with_ldsPiS_E13smem_kern_two = internal unnamed_addr addrspace(3) global [256 x i32] undef, align 16 +@_ZZ19kernel_one_with_ldsPiS_E13smem_kern_one = internal unnamed_addr addrspace(3) global [256 x i32] undef, align 16 + +; NEW-PARAM: [256 x i32] addrspace(3)* %{{[0-9]}} +; NEW-PARAM: [256 x i32] addrspace(3)* %{{[0-9]}} +define internal fastcc void @_Z22function_four_with_ldsPiS_(i32* nocapture readonly %i_arg, i32* nocapture %o_arg) unnamed_addr { +entry: + %0 = tail call i32 @llvm.amdgcn.workitem.id.x() + %idxprom = zext i32 %0 to i64 + %arrayidx = getelementptr inbounds i32, i32* %i_arg, i64 %idxprom + %1 = load i32, i32* %arrayidx, align 4 + %arrayidx32 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ22function_four_with_ldsPiS_E19smem_1_in_func_four, i32 0, i32 %0 + store i32 %1, i32 addrspace(3)* %arrayidx32, align 4 + %add = add nuw nsw i32 %0, 1 + %arrayidx63 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ22function_four_with_ldsPiS_E19smem_1_in_func_four, i32 0, i32 %add + %2 = load i32, i32 addrspace(3)* %arrayidx63, align 4 + %add10 = add nsw i32 %1, %2 + %arrayidx134 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ22function_four_with_ldsPiS_E19smem_2_in_func_four, i32 0, i32 %0 + store i32 %add10, i32 addrspace(3)* %arrayidx134, align 4 + %arrayidx206 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ22function_four_with_ldsPiS_E19smem_2_in_func_four, i32 0, i32 %add + %3 = load i32, i32 addrspace(3)* %arrayidx206, align 4 + %mul = mul nsw i32 %3, %1 + %arrayidx23 = getelementptr inbounds i32, i32* %o_arg, i64 %idxprom + store i32 %mul, i32* %arrayidx23, align 4 + ret void +} + +; NEW-PARAM: [256 x i32] addrspace(3)* %{{[0-9]}} +; NEW-PARAM: [256 x i32] addrspace(3)* %{{[0-9]}} +define internal fastcc void @_Z26function_three_with_no_ldsPiS_(i32* nocapture readonly %i_arg, i32* nocapture %o_arg) unnamed_addr { +entry: + tail call fastcc void @_Z22function_four_with_ldsPiS_(i32* %i_arg, i32* %o_arg) + ret void +} + +; NEW-PARAM: [256 x i32] addrspace(3)* %{{[0-9]}} +; NEW-PARAM: [256 x i32] addrspace(3)* %{{[0-9]}} +define internal fastcc void @_Z24function_two_with_no_ldsPiS_(i32* nocapture readonly %i_arg, i32* nocapture %o_arg) unnamed_addr { +entry: + tail call fastcc void @_Z26function_three_with_no_ldsPiS_(i32* %i_arg, i32* %o_arg) + ret void +} + +; NEW-PARAM: [256 x i32] addrspace(3)* %{{[0-9]}} +; NEW-PARAM: [256 x i32] addrspace(3)* %{{[0-9]}} +define internal fastcc void @_Z24function_one_with_no_ldsPiS_(i32* nocapture readonly %i_arg, i32* nocapture %o_arg) unnamed_addr { +entry: + tail call fastcc void @_Z26function_three_with_no_ldsPiS_(i32* %i_arg, i32* %o_arg) + ret void +} + +define protected amdgpu_kernel void @_Z19kernel_two_with_ldsPiS_(i32 addrspace(1)* nocapture readonly %i_arg.coerce, i32 addrspace(1)* nocapture %o_arg.coerce) local_unnamed_addr { +entry: + %0 = addrspacecast i32 addrspace(1)* %i_arg.coerce to i32* + %1 = addrspacecast i32 addrspace(1)* %o_arg.coerce to i32* + %2 = tail call i32 @llvm.amdgcn.workitem.id.x() + %idxprom = zext i32 %2 to i64 + %arrayidx6 = getelementptr inbounds i32, i32 addrspace(1)* %i_arg.coerce, i64 %idxprom + %3 = load i32, i32 addrspace(1)* %arrayidx6, align 4 + %arrayidx57 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ19kernel_two_with_ldsPiS_E13smem_kern_two, i32 0, i32 %2 + store i32 %3, i32 addrspace(3)* %arrayidx57, align 4 + %add = add nuw nsw i32 %2, 1 + %arrayidx119 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ19kernel_two_with_ldsPiS_E13smem_kern_two, i32 0, i32 %add + %4 = load i32, i32 addrspace(3)* %arrayidx119, align 4 + %mul = mul nsw i32 %4, %3 + %arrayidx1410 = getelementptr inbounds i32, i32 addrspace(1)* %o_arg.coerce, i64 %idxprom + store i32 %mul, i32 addrspace(1)* %arrayidx1410, align 4 +; NEW-ARG: [256 x i32] addrspace(3)* %dssv.cast.{{[0-9]}} +; NEW-ARG: [256 x i32] addrspace(3)* %dssv.cast.{{[0-9]}} + tail call fastcc void @_Z24function_one_with_no_ldsPiS_(i32* %0, i32* %1) +; NEW-ARG: [256 x i32] addrspace(3)* %dssv.cast.{{[0-9]}} +; NEW-ARG: [256 x i32] addrspace(3)* %dssv.cast.{{[0-9]}} + tail call fastcc void @_Z24function_two_with_no_ldsPiS_(i32* %0, i32* %1) + ret void +} + +; Function Attrs: convergent nofree norecurse nounwind +define protected amdgpu_kernel void @_Z19kernel_one_with_ldsPiS_(i32 addrspace(1)* nocapture readonly %i_arg.coerce, i32 addrspace(1)* nocapture %o_arg.coerce) local_unnamed_addr { +entry: + %0 = addrspacecast i32 addrspace(1)* %i_arg.coerce to i32* + %1 = addrspacecast i32 addrspace(1)* %o_arg.coerce to i32* + %2 = tail call i32 @llvm.amdgcn.workitem.id.x() + %idxprom = zext i32 %2 to i64 + %arrayidx6 = getelementptr inbounds i32, i32 addrspace(1)* %i_arg.coerce, i64 %idxprom + %3 = load i32, i32 addrspace(1)* %arrayidx6, align 4 + %arrayidx57 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ19kernel_one_with_ldsPiS_E13smem_kern_one, i32 0, i32 %2 + store i32 %3, i32 addrspace(3)* %arrayidx57, align 4 + %add = add nuw nsw i32 %2, 1 + %arrayidx119 = getelementptr inbounds [256 x i32], [256 x i32] addrspace(3)* @_ZZ19kernel_one_with_ldsPiS_E13smem_kern_one, i32 0, i32 %add + %4 = load i32, i32 addrspace(3)* %arrayidx119, align 4 + %mul = mul nsw i32 %4, %3 + %arrayidx1410 = getelementptr inbounds i32, i32 addrspace(1)* %o_arg.coerce, i64 %idxprom + store i32 %mul, i32 addrspace(1)* %arrayidx1410, align 4 +; NEW-ARG: [256 x i32] addrspace(3)* %dssv.cast.{{[0-9]}} +; NEW-ARG: [256 x i32] addrspace(3)* %dssv.cast.{{[0-9]}} + tail call fastcc void @_Z24function_one_with_no_ldsPiS_(i32* %0, i32* %1) +; NEW-ARG: [256 x i32] addrspace(3)* %dssv.cast.{{[0-9]}} +; NEW-ARG: [256 x i32] addrspace(3)* %dssv.cast.{{[0-9]}} + tail call fastcc void @_Z24function_two_with_no_ldsPiS_(i32* %0, i32* %1) + ret void +} + +declare i32 @llvm.amdgcn.workitem.id.x()