LLVM 23.0.0git
CoroCleanup.cpp
Go to the documentation of this file.
1//===- CoroCleanup.cpp - Coroutine Cleanup Pass ---------------------------===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8
10#include "CoroInternal.h"
12#include "llvm/IR/DIBuilder.h"
13#include "llvm/IR/Function.h"
14#include "llvm/IR/IRBuilder.h"
16#include "llvm/IR/Module.h"
17#include "llvm/IR/PassManager.h"
20
21using namespace llvm;
22
23#define DEBUG_TYPE "coro-cleanup"
24
25namespace {
26// Created on demand if CoroCleanup pass has work to do.
27struct Lowerer : coro::LowererBase {
28 IRBuilder<> Builder;
29 Constant *NoopCoro = nullptr;
30
31 Lowerer(Module &M) : LowererBase(M), Builder(Context) {}
32 bool lower(Function &F);
33
34private:
35 void lowerCoroNoop(IntrinsicInst *II);
36};
37
38// Recursively walk and eliminate resume/destroy call on noop coro
39class NoopCoroElider : public PtrUseVisitor<NoopCoroElider> {
41
42 IRBuilder<> Builder;
43
44public:
45 NoopCoroElider(const DataLayout &DL, LLVMContext &C) : Base(DL), Builder(C) {}
46
47 void run(IntrinsicInst *II);
48
49 void visitLoadInst(LoadInst &I) { enqueueUsers(I); }
50 void visitCallBase(CallBase &CB);
51 void visitIntrinsicInst(IntrinsicInst &II);
52
53private:
54 bool tryEraseCallInvoke(Instruction *I);
55 void eraseFromWorklist(Instruction *I);
56};
57}
58
59static void lowerSubFn(IRBuilder<> &Builder, CoroSubFnInst *SubFn) {
60 Builder.SetInsertPoint(SubFn);
61 Value *FramePtr = SubFn->getFrame();
62 int Index = SubFn->getIndex();
63
64 auto *FrameTy = StructType::get(SubFn->getContext(),
65 {Builder.getPtrTy(), Builder.getPtrTy()});
66
67 Builder.SetInsertPoint(SubFn);
68 auto *Gep = Builder.CreateConstInBoundsGEP2_32(FrameTy, FramePtr, 0, Index);
69 auto *Load = Builder.CreateLoad(FrameTy->getElementType(Index), Gep);
70
71 SubFn->replaceAllUsesWith(Load);
72}
73
75 Module &M = *NoopFn->getParent();
76 if (M.debug_compile_units().empty())
77 return;
78
79 DICompileUnit *CU = *M.debug_compile_units_begin();
80 DIBuilder DB(M, /*AllowUnresolved*/ false, CU);
81 std::array<Metadata *, 2> Params{nullptr, nullptr};
82 auto *SubroutineType =
83 DB.createSubroutineType(DB.getOrCreateTypeArray(Params));
84 StringRef Name = NoopFn->getName();
85 auto *SP = DB.createFunction(
86 CU, /*Name=*/Name, /*LinkageName=*/Name, /*File=*/CU->getFile(),
87 /*LineNo=*/0, SubroutineType, /*ScopeLine=*/0, DINode::FlagArtificial,
88 DISubprogram::SPFlagDefinition);
89 NoopFn->setSubprogram(SP);
90 DB.finalize();
91}
92
93bool Lowerer::lower(Function &F) {
94 bool IsPrivateAndUnprocessed = F.isPresplitCoroutine() && F.hasLocalLinkage();
95 bool Changed = false;
96
97 NoopCoroElider NCE(F.getDataLayout(), F.getContext());
98 SmallPtrSet<Instruction *, 8> DeadInsts{};
99 for (Instruction &I : instructions(F)) {
100 if (auto *II = dyn_cast<IntrinsicInst>(&I)) {
101 switch (II->getIntrinsicID()) {
102 default:
103 continue;
104 case Intrinsic::coro_begin:
105 case Intrinsic::coro_begin_custom_abi:
106 II->replaceAllUsesWith(II->getArgOperand(1));
107 break;
108 case Intrinsic::coro_free:
109 II->replaceAllUsesWith(II->getArgOperand(1));
110 break;
111 case Intrinsic::coro_dead:
112 break;
113 case Intrinsic::coro_alloc:
114 II->replaceAllUsesWith(ConstantInt::getTrue(Context));
115 break;
116 case Intrinsic::coro_async_resume:
117 II->replaceAllUsesWith(
119 break;
120 case Intrinsic::coro_id:
121 case Intrinsic::coro_id_retcon:
122 case Intrinsic::coro_id_retcon_once:
123 case Intrinsic::coro_id_async:
124 II->replaceAllUsesWith(ConstantTokenNone::get(Context));
125 break;
126 case Intrinsic::coro_noop:
127 NCE.run(II);
128 if (!II->user_empty())
129 lowerCoroNoop(II);
130 break;
131 case Intrinsic::coro_subfn_addr:
133 break;
134 case Intrinsic::coro_suspend_retcon:
135 case Intrinsic::coro_is_in_ramp:
136 if (IsPrivateAndUnprocessed) {
137 II->replaceAllUsesWith(PoisonValue::get(II->getType()));
138 } else
139 continue;
140 break;
141 case Intrinsic::coro_async_size_replace:
143 cast<GlobalVariable>(II->getArgOperand(0)->stripPointerCasts())
144 ->getInitializer());
146 cast<GlobalVariable>(II->getArgOperand(1)->stripPointerCasts())
147 ->getInitializer());
148 auto *TargetSize = Target->getOperand(1);
149 auto *SourceSize = Source->getOperand(1);
150 if (TargetSize->isElementWiseEqual(SourceSize)) {
151 break;
152 }
153 auto *TargetRelativeFunOffset = Target->getOperand(0);
154 auto *NewFuncPtrStruct = ConstantStruct::get(
155 Target->getType(), TargetRelativeFunOffset, SourceSize);
156 Target->replaceAllUsesWith(NewFuncPtrStruct);
157 break;
158 }
159 DeadInsts.insert(II);
160 Changed = true;
161 }
162 }
163
164 for (auto *I : DeadInsts)
165 I->eraseFromParent();
166 return Changed;
167}
168
169void Lowerer::lowerCoroNoop(IntrinsicInst *II) {
170 if (!NoopCoro) {
171 LLVMContext &C = Builder.getContext();
172 Module &M = *II->getModule();
173
174 // Create a noop.frame struct type.
175 auto *FnTy = FunctionType::get(Type::getVoidTy(C), Builder.getPtrTy(0),
176 /*isVarArg=*/false);
177 auto *FnPtrTy = Builder.getPtrTy(0);
178 StructType *FrameTy =
179 StructType::create({FnPtrTy, FnPtrTy}, "NoopCoro.Frame");
180
181 // Create a Noop function that does nothing.
183 FnTy, GlobalValue::LinkageTypes::InternalLinkage,
184 M.getDataLayout().getProgramAddressSpace(), "__NoopCoro_ResumeDestroy",
185 &M);
186 NoopFn->setCallingConv(CallingConv::Fast);
188 auto *Entry = BasicBlock::Create(C, "entry", NoopFn);
189 ReturnInst::Create(C, Entry);
190
191 // Create a constant struct for the frame.
192 Constant *Values[] = {NoopFn, NoopFn};
193 Constant *NoopCoroConst = ConstantStruct::get(FrameTy, Values);
194 NoopCoro = new GlobalVariable(
195 M, NoopCoroConst->getType(), /*isConstant=*/true,
196 GlobalVariable::PrivateLinkage, NoopCoroConst, "NoopCoro.Frame.Const");
197 cast<GlobalVariable>(NoopCoro)->setNoSanitizeMetadata();
198 }
199
200 Builder.SetInsertPoint(II);
201 auto *NoopCoroVoidPtr = Builder.CreateBitCast(NoopCoro, Int8Ptr);
202 II->replaceAllUsesWith(NoopCoroVoidPtr);
203}
204
205void NoopCoroElider::run(IntrinsicInst *II) {
206 visitPtr(*II);
207
208 Worklist.clear();
209 VisitedUses.clear();
210}
211
212void NoopCoroElider::visitCallBase(CallBase &CB) {
213 auto *V = U->get();
214 bool ResumeOrDestroy = V == CB.getCalledOperand();
215 if (ResumeOrDestroy) {
216 [[maybe_unused]] bool Success = tryEraseCallInvoke(&CB);
217 assert(Success && "Unexpected CallBase");
218
219 auto AboutToDeleteCallback = [this](Value *V) {
220 eraseFromWorklist(cast<Instruction>(V));
221 };
223 AboutToDeleteCallback);
224 }
225}
226
227void NoopCoroElider::visitIntrinsicInst(IntrinsicInst &II) {
228 if (auto *SubFn = dyn_cast<CoroSubFnInst>(&II)) {
229 auto *User = SubFn->getUniqueUndroppableUser();
230 assert(User && "Broken module");
231 if (!tryEraseCallInvoke(cast<Instruction>(User)))
232 return;
233 SubFn->eraseFromParent();
234 }
235}
236
237bool NoopCoroElider::tryEraseCallInvoke(Instruction *I) {
238 if (auto *Call = dyn_cast<CallInst>(I)) {
239 eraseFromWorklist(Call);
241 return true;
242 }
243
244 if (auto *II = dyn_cast<InvokeInst>(I)) {
245 Builder.SetInsertPoint(II);
246 Builder.CreateBr(II->getNormalDest());
247 eraseFromWorklist(II);
248 II->getUnwindDest()->removePredecessor(II->getParent());
249 II->eraseFromParent();
250 return true;
251 }
252 return false;
253}
254
255void NoopCoroElider::eraseFromWorklist(Instruction *I) {
256 erase_if(Worklist, [I](UseToVisit &U) {
257 return I == U.UseAndIsOffsetKnown.getPointer()->getUser();
258 });
259}
260
263 M, {Intrinsic::coro_alloc, Intrinsic::coro_begin,
264 Intrinsic::coro_subfn_addr, Intrinsic::coro_free,
265 Intrinsic::coro_dead, Intrinsic::coro_id, Intrinsic::coro_id_retcon,
266 Intrinsic::coro_id_async, Intrinsic::coro_id_retcon_once,
267 Intrinsic::coro_noop, Intrinsic::coro_async_size_replace,
268 Intrinsic::coro_async_resume, Intrinsic::coro_begin_custom_abi});
269}
270
274 return PreservedAnalyses::all();
275
277 MAM.getResult<FunctionAnalysisManagerModuleProxy>(M).getManager();
278
281
282 PreservedAnalyses FuncPA;
283 FuncPA.preserveSet<CFGAnalyses>();
284
285 Lowerer L(M);
286 for (auto &F : M) {
287 if (L.lower(F)) {
288 FAM.invalidate(F, FuncPA);
289 FPM.run(F, FAM);
290 }
291 }
292
294}
#define Success
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
MachineBasicBlock MachineBasicBlock::iterator DebugLoc DL
Expand Atomic instructions
static bool declaresCoroCleanupIntrinsics(const Module &M)
static void lowerSubFn(IRBuilder<> &Builder, CoroSubFnInst *SubFn)
static void buildDebugInfoForNoopResumeDestroyFunc(Function *NoopFn)
Module.h This file contains the declarations for the Module class.
This header defines various interfaces for pass management in LLVM.
#define F(x, y, z)
Definition MD5.cpp:54
#define I(x, y, z)
Definition MD5.cpp:57
Machine Check Debug Module
uint64_t IntrinsicInst * II
FunctionAnalysisManager FAM
ModuleAnalysisManager MAM
This file provides a collection of visitors which walk the (instruction) uses of a pointer.
This file provides the interface for the pass responsible for both simplifying and canonicalizing the...
static const unsigned FramePtr
static BasicBlock * Create(LLVMContext &Context, const Twine &Name="", Function *Parent=nullptr, BasicBlock *InsertBefore=nullptr)
Creates a new BasicBlock.
Definition BasicBlock.h:206
Represents analyses that only rely on functions' control flow.
Definition Analysis.h:73
Base class for all callable instructions (InvokeInst and CallInst) Holds everything related to callin...
Value * getCalledOperand() const
static LLVM_ABI ConstantInt * getTrue(LLVMContext &Context)
static LLVM_ABI ConstantPointerNull * get(PointerType *T)
Static factory methods - Return objects of the specified value.
static LLVM_ABI Constant * get(StructType *T, ArrayRef< Constant * > V)
static LLVM_ABI ConstantTokenNone * get(LLVMContext &Context)
Return the ConstantTokenNone.
This is an important base class in LLVM.
Definition Constant.h:43
This class represents the llvm.coro.subfn.addr instruction.
Definition CoroInstr.h:36
Value * getFrame() const
Definition CoroInstr.h:49
ResumeKind getIndex() const
Definition CoroInstr.h:50
A parsed version of the target data layout string in and methods for querying it.
Definition DataLayout.h:64
void setSubprogram(DISubprogram *SP)
Set the attached subprogram.
static Function * createWithDefaultAttr(FunctionType *Ty, LinkageTypes Linkage, unsigned AddrSpace, const Twine &N="", Module *M=nullptr)
Creates a function with some attributes recorded in llvm.module.flags and the LLVMContext applied.
Definition Function.cpp:378
Module * getParent()
Get the module that this global value is contained inside of...
UncondBrInst * CreateBr(BasicBlock *Dest)
Create an unconditional 'br label X' instruction.
Definition IRBuilder.h:1217
Value * CreateBitCast(Value *V, Type *DestTy, const Twine &Name="")
Definition IRBuilder.h:2199
LLVMContext & getContext() const
Definition IRBuilder.h:203
PointerType * getPtrTy(unsigned AddrSpace=0)
Fetch the type representing a pointer.
Definition IRBuilder.h:622
void SetInsertPoint(BasicBlock *TheBB)
This specifies that created instructions should be appended to the end of the specified block.
Definition IRBuilder.h:207
This provides a uniform API for creating instructions and inserting them into a basic block: either a...
Definition IRBuilder.h:2811
LLVM_ABI InstListType::iterator eraseFromParent()
This method unlinks 'this' from the containing basic block and deletes it.
A wrapper class for inspecting calls to intrinsic functions.
This is an important class for using LLVM in a threaded context.
Definition LLVMContext.h:68
An instruction for reading from memory.
A Module instance is used to store all the information related to an LLVM module.
Definition Module.h:67
LLVM_ATTRIBUTE_MINSIZE std::enable_if_t<!std::is_same_v< PassT, PassManager > > addPass(PassT &&Pass)
PreservedAnalyses run(IRUnitT &IR, AnalysisManagerT &AM, ExtraArgTs... ExtraArgs)
Run all of the passes in this manager over the given unit of IR.
static LLVM_ABI PoisonValue * get(Type *T)
Static factory methods - Return an 'poison' object of the specified type.
A set of analyses that are preserved following a run of a transformation pass.
Definition Analysis.h:112
static PreservedAnalyses none()
Convenience factory function for the empty preserved set.
Definition Analysis.h:115
static PreservedAnalyses all()
Construct a special preserved set that preserves all passes.
Definition Analysis.h:118
PreservedAnalyses & preserveSet()
Mark an analysis set as preserved.
Definition Analysis.h:151
A base class for visitors over the uses of a pointer value.
static ReturnInst * Create(LLVMContext &C, Value *retVal=nullptr, InsertPosition InsertBefore=nullptr)
A pass to simplify and canonicalize the CFG of a function.
Definition SimplifyCFG.h:30
std::pair< iterator, bool > insert(PtrType Ptr)
Inserts Ptr if and only if there is no element in the container equal to Ptr.
StringRef - Represent a constant reference to a string, i.e.
Definition StringRef.h:55
static LLVM_ABI StructType * get(LLVMContext &Context, ArrayRef< Type * > Elements, bool isPacked=false)
This static method is the primary way to create a literal StructType.
Definition Type.cpp:483
static LLVM_ABI StructType * create(LLVMContext &Context, StringRef Name)
This creates an identified struct.
Definition Type.cpp:689
LLVM Value Representation.
Definition Value.h:75
Type * getType() const
All values are typed, get the type of this value.
Definition Value.h:256
LLVM_ABI void replaceAllUsesWith(Value *V)
Change all uses of this to point to a new Value.
Definition Value.cpp:553
LLVMContext & getContext() const
All values hold a context through their type.
Definition Value.h:259
LLVM_ABI StringRef getName() const
Return a constant reference to the value's name.
Definition Value.cpp:322
CallInst * Call
Changed
@ Entry
Definition COFF.h:862
@ C
The default llvm calling convention, compatible with C.
Definition CallingConv.h:34
bool declaresIntrinsics(const Module &M, ArrayRef< Intrinsic::ID > List)
@ User
could "use" a pointer
This is an optimization pass for GlobalISel generic memory operations.
FunctionAddr VTableAddr Value
Definition InstrProf.h:137
LLVM_ABI bool RecursivelyDeleteTriviallyDeadInstructions(Value *V, const TargetLibraryInfo *TLI=nullptr, MemorySSAUpdater *MSSAU=nullptr, std::function< void(Value *)> AboutToDeleteCallback=std::function< void(Value *)>())
If the specified value is a trivially dead instruction, delete it.
Definition Local.cpp:535
decltype(auto) dyn_cast(const From &Val)
dyn_cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:643
InnerAnalysisManagerProxy< FunctionAnalysisManager, Module > FunctionAnalysisManagerModuleProxy
Provide the FunctionAnalysisManager to Module proxy.
PassManager< Function > FunctionPassManager
Convenience typedef for a pass manager over functions.
decltype(auto) cast(const From &Val)
cast<X> - Return the argument parameter cast to the specified type.
Definition Casting.h:559
void erase_if(Container &C, UnaryPredicate P)
Provide a container algorithm similar to C++ Library Fundamentals v2's erase_if which is equivalent t...
Definition STLExtras.h:2192
AnalysisManager< Function > FunctionAnalysisManager
Convenience typedef for the Function analysis manager.
AnalysisManager< Module > ModuleAnalysisManager
Convenience typedef for the Module analysis manager.
Definition MIRParser.h:39
PreservedAnalyses run(Module &M, ModuleAnalysisManager &MAM)