LLVM  8.0.1
CoroSplit.cpp
Go to the documentation of this file.
1 //===- CoroSplit.cpp - Converts a coroutine into a state machine ----------===//
2 //
3 // The LLVM Compiler Infrastructure
4 //
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
7 //
8 //===----------------------------------------------------------------------===//
9 // This pass builds the coroutine frame and outlines resume and destroy parts
10 // of the coroutine into separate functions.
11 //
12 // We present a coroutine to an LLVM as an ordinary function with suspension
13 // points marked up with intrinsics. We let the optimizer party on the coroutine
14 // as a single function for as long as possible. Shortly before the coroutine is
15 // eligible to be inlined into its callers, we split up the coroutine into parts
16 // corresponding to an initial, resume and destroy invocations of the coroutine,
17 // add them to the current SCC and restart the IPO pipeline to optimize the
18 // coroutine subfunctions we extracted before proceeding to the caller of the
19 // coroutine.
20 //===----------------------------------------------------------------------===//
21 
22 #include "CoroInstr.h"
23 #include "CoroInternal.h"
24 #include "llvm/ADT/DenseMap.h"
25 #include "llvm/ADT/SmallPtrSet.h"
26 #include "llvm/ADT/SmallVector.h"
27 #include "llvm/ADT/StringRef.h"
28 #include "llvm/ADT/Twine.h"
32 #include "llvm/IR/Argument.h"
33 #include "llvm/IR/Attributes.h"
34 #include "llvm/IR/BasicBlock.h"
35 #include "llvm/IR/CFG.h"
36 #include "llvm/IR/CallSite.h"
37 #include "llvm/IR/CallingConv.h"
38 #include "llvm/IR/Constants.h"
39 #include "llvm/IR/DataLayout.h"
40 #include "llvm/IR/DerivedTypes.h"
41 #include "llvm/IR/Function.h"
42 #include "llvm/IR/GlobalValue.h"
43 #include "llvm/IR/GlobalVariable.h"
44 #include "llvm/IR/IRBuilder.h"
45 #include "llvm/IR/InstIterator.h"
46 #include "llvm/IR/InstrTypes.h"
47 #include "llvm/IR/Instruction.h"
48 #include "llvm/IR/Instructions.h"
49 #include "llvm/IR/IntrinsicInst.h"
50 #include "llvm/IR/LLVMContext.h"
52 #include "llvm/IR/Module.h"
53 #include "llvm/IR/Type.h"
54 #include "llvm/IR/Value.h"
55 #include "llvm/IR/Verifier.h"
56 #include "llvm/Pass.h"
57 #include "llvm/Support/Casting.h"
58 #include "llvm/Support/Debug.h"
60 #include "llvm/Transforms/Scalar.h"
64 #include <cassert>
65 #include <cstddef>
66 #include <cstdint>
67 #include <initializer_list>
68 #include <iterator>
69 
70 using namespace llvm;
71 
72 #define DEBUG_TYPE "coro-split"
73 
74 // Create an entry block for a resume function with a switch that will jump to
75 // suspend points.
77  LLVMContext &C = F.getContext();
78 
79  // resume.entry:
80  // %index.addr = getelementptr inbounds %f.Frame, %f.Frame* %FramePtr, i32 0,
81  // i32 2
82  // % index = load i32, i32* %index.addr
83  // switch i32 %index, label %unreachable [
84  // i32 0, label %resume.0
85  // i32 1, label %resume.1
86  // ...
87  // ]
88 
89  auto *NewEntry = BasicBlock::Create(C, "resume.entry", &F);
90  auto *UnreachBB = BasicBlock::Create(C, "unreachable", &F);
91 
92  IRBuilder<> Builder(NewEntry);
93  auto *FramePtr = Shape.FramePtr;
94  auto *FrameTy = Shape.FrameTy;
95  auto *GepIndex = Builder.CreateConstInBoundsGEP2_32(
96  FrameTy, FramePtr, 0, coro::Shape::IndexField, "index.addr");
97  auto *Index = Builder.CreateLoad(GepIndex, "index");
98  auto *Switch =
99  Builder.CreateSwitch(Index, UnreachBB, Shape.CoroSuspends.size());
100  Shape.ResumeSwitch = Switch;
101 
102  size_t SuspendIndex = 0;
103  for (CoroSuspendInst *S : Shape.CoroSuspends) {
104  ConstantInt *IndexVal = Shape.getIndex(SuspendIndex);
105 
106  // Replace CoroSave with a store to Index:
107  // %index.addr = getelementptr %f.frame... (index field number)
108  // store i32 0, i32* %index.addr1
109  auto *Save = S->getCoroSave();
110  Builder.SetInsertPoint(Save);
111  if (S->isFinal()) {
112  // Final suspend point is represented by storing zero in ResumeFnAddr.
113  auto *GepIndex = Builder.CreateConstInBoundsGEP2_32(FrameTy, FramePtr, 0,
114  0, "ResumeFn.addr");
115  auto *NullPtr = ConstantPointerNull::get(cast<PointerType>(
116  cast<PointerType>(GepIndex->getType())->getElementType()));
117  Builder.CreateStore(NullPtr, GepIndex);
118  } else {
119  auto *GepIndex = Builder.CreateConstInBoundsGEP2_32(
120  FrameTy, FramePtr, 0, coro::Shape::IndexField, "index.addr");
121  Builder.CreateStore(IndexVal, GepIndex);
122  }
124  Save->eraseFromParent();
125 
126  // Split block before and after coro.suspend and add a jump from an entry
127  // switch:
128  //
129  // whateverBB:
130  // whatever
131  // %0 = call i8 @llvm.coro.suspend(token none, i1 false)
132  // switch i8 %0, label %suspend[i8 0, label %resume
133  // i8 1, label %cleanup]
134  // becomes:
135  //
136  // whateverBB:
137  // whatever
138  // br label %resume.0.landing
139  //
140  // resume.0: ; <--- jump from the switch in the resume.entry
141  // %0 = tail call i8 @llvm.coro.suspend(token none, i1 false)
142  // br label %resume.0.landing
143  //
144  // resume.0.landing:
145  // %1 = phi i8[-1, %whateverBB], [%0, %resume.0]
146  // switch i8 % 1, label %suspend [i8 0, label %resume
147  // i8 1, label %cleanup]
148 
149  auto *SuspendBB = S->getParent();
150  auto *ResumeBB =
151  SuspendBB->splitBasicBlock(S, "resume." + Twine(SuspendIndex));
152  auto *LandingBB = ResumeBB->splitBasicBlock(
153  S->getNextNode(), ResumeBB->getName() + Twine(".landing"));
154  Switch->addCase(IndexVal, ResumeBB);
155 
156  cast<BranchInst>(SuspendBB->getTerminator())->setSuccessor(0, LandingBB);
157  auto *PN = PHINode::Create(Builder.getInt8Ty(), 2, "", &LandingBB->front());
158  S->replaceAllUsesWith(PN);
159  PN->addIncoming(Builder.getInt8(-1), SuspendBB);
160  PN->addIncoming(S, ResumeBB);
161 
162  ++SuspendIndex;
163  }
164 
165  Builder.SetInsertPoint(UnreachBB);
166  Builder.CreateUnreachable();
167 
168  return NewEntry;
169 }
170 
171 // In Resumers, we replace fallthrough coro.end with ret void and delete the
172 // rest of the block.
174  ValueToValueMapTy &VMap) {
175  auto *NewE = cast<IntrinsicInst>(VMap[End]);
176  ReturnInst::Create(NewE->getContext(), nullptr, NewE);
177 
178  // Remove the rest of the block, by splitting it into an unreachable block.
179  auto *BB = NewE->getParent();
180  BB->splitBasicBlock(NewE);
182 }
183 
184 // In Resumers, we replace unwind coro.end with True to force the immediate
185 // unwind to caller.
187  if (Shape.CoroEnds.empty())
188  return;
189 
190  LLVMContext &Context = Shape.CoroEnds.front()->getContext();
191  auto *True = ConstantInt::getTrue(Context);
192  for (CoroEndInst *CE : Shape.CoroEnds) {
193  if (!CE->isUnwind())
194  continue;
195 
196  auto *NewCE = cast<IntrinsicInst>(VMap[CE]);
197 
198  // If coro.end has an associated bundle, add cleanupret instruction.
199  if (auto Bundle = NewCE->getOperandBundle(LLVMContext::OB_funclet)) {
200  Value *FromPad = Bundle->Inputs[0];
201  auto *CleanupRet = CleanupReturnInst::Create(FromPad, nullptr, NewCE);
202  NewCE->getParent()->splitBasicBlock(NewCE);
203  CleanupRet->getParent()->getTerminator()->eraseFromParent();
204  }
205 
206  NewCE->replaceAllUsesWith(True);
207  NewCE->eraseFromParent();
208  }
209 }
210 
211 // Rewrite final suspend point handling. We do not use suspend index to
212 // represent the final suspend point. Instead we zero-out ResumeFnAddr in the
213 // coroutine frame, since it is undefined behavior to resume a coroutine
214 // suspended at the final suspend point. Thus, in the resume function, we can
215 // simply remove the last case (when coro::Shape is built, the final suspend
216 // point (if present) is always the last element of CoroSuspends array).
217 // In the destroy function, we add a code sequence to check if ResumeFnAddress
218 // is Null, and if so, jump to the appropriate label to handle cleanup from the
219 // final suspend point.
220 static void handleFinalSuspend(IRBuilder<> &Builder, Value *FramePtr,
221  coro::Shape &Shape, SwitchInst *Switch,
222  bool IsDestroy) {
223  assert(Shape.HasFinalSuspend);
224  auto FinalCaseIt = std::prev(Switch->case_end());
225  BasicBlock *ResumeBB = FinalCaseIt->getCaseSuccessor();
226  Switch->removeCase(FinalCaseIt);
227  if (IsDestroy) {
228  BasicBlock *OldSwitchBB = Switch->getParent();
229  auto *NewSwitchBB = OldSwitchBB->splitBasicBlock(Switch, "Switch");
230  Builder.SetInsertPoint(OldSwitchBB->getTerminator());
231  auto *GepIndex = Builder.CreateConstInBoundsGEP2_32(Shape.FrameTy, FramePtr,
232  0, 0, "ResumeFn.addr");
233  auto *Load = Builder.CreateLoad(GepIndex);
234  auto *NullPtr =
235  ConstantPointerNull::get(cast<PointerType>(Load->getType()));
236  auto *Cond = Builder.CreateICmpEQ(Load, NullPtr);
237  Builder.CreateCondBr(Cond, ResumeBB, NewSwitchBB);
238  OldSwitchBB->getTerminator()->eraseFromParent();
239  }
240 }
241 
242 // Create a resume clone by cloning the body of the original function, setting
243 // new entry block and replacing coro.suspend an appropriate value to force
244 // resume or cleanup pass for every suspend point.
245 static Function *createClone(Function &F, Twine Suffix, coro::Shape &Shape,
246  BasicBlock *ResumeEntry, int8_t FnIndex) {
247  Module *M = F.getParent();
248  auto *FrameTy = Shape.FrameTy;
249  auto *FnPtrTy = cast<PointerType>(FrameTy->getElementType(0));
250  auto *FnTy = cast<FunctionType>(FnPtrTy->getElementType());
251 
252  Function *NewF =
253  Function::Create(FnTy, GlobalValue::LinkageTypes::ExternalLinkage,
254  F.getName() + Suffix, M);
256  NewF->addParamAttr(0, Attribute::NoAlias);
257 
258  ValueToValueMapTy VMap;
259  // Replace all args with undefs. The buildCoroutineFrame algorithm already
260  // rewritten access to the args that occurs after suspend points with loads
261  // and stores to/from the coroutine frame.
262  for (Argument &A : F.args())
263  VMap[&A] = UndefValue::get(A.getType());
264 
266 
267  CloneFunctionInto(NewF, &F, VMap, /*ModuleLevelChanges=*/true, Returns);
268  NewF->setLinkage(GlobalValue::LinkageTypes::InternalLinkage);
269 
270  // Remove old returns.
271  for (ReturnInst *Return : Returns)
272  changeToUnreachable(Return, /*UseLLVMTrap=*/false);
273 
274  // Remove old return attributes.
275  NewF->removeAttributes(
277  AttributeFuncs::typeIncompatible(NewF->getReturnType()));
278 
279  // Make AllocaSpillBlock the new entry block.
280  auto *SwitchBB = cast<BasicBlock>(VMap[ResumeEntry]);
281  auto *Entry = cast<BasicBlock>(VMap[Shape.AllocaSpillBlock]);
282  Entry->moveBefore(&NewF->getEntryBlock());
283  Entry->getTerminator()->eraseFromParent();
284  BranchInst::Create(SwitchBB, Entry);
285  Entry->setName("entry" + Suffix);
286 
287  // Clear all predecessors of the new entry block.
288  auto *Switch = cast<SwitchInst>(VMap[Shape.ResumeSwitch]);
289  Entry->replaceAllUsesWith(Switch->getDefaultDest());
290 
291  IRBuilder<> Builder(&NewF->getEntryBlock().front());
292 
293  // Remap frame pointer.
294  Argument *NewFramePtr = &*NewF->arg_begin();
295  Value *OldFramePtr = cast<Value>(VMap[Shape.FramePtr]);
296  NewFramePtr->takeName(OldFramePtr);
297  OldFramePtr->replaceAllUsesWith(NewFramePtr);
298 
299  // Remap vFrame pointer.
300  auto *NewVFrame = Builder.CreateBitCast(
301  NewFramePtr, Type::getInt8PtrTy(Builder.getContext()), "vFrame");
302  Value *OldVFrame = cast<Value>(VMap[Shape.CoroBegin]);
303  OldVFrame->replaceAllUsesWith(NewVFrame);
304 
305  // Rewrite final suspend handling as it is not done via switch (allows to
306  // remove final case from the switch, since it is undefined behavior to resume
307  // the coroutine suspended at the final suspend point.
308  if (Shape.HasFinalSuspend) {
309  auto *Switch = cast<SwitchInst>(VMap[Shape.ResumeSwitch]);
310  bool IsDestroy = FnIndex != 0;
311  handleFinalSuspend(Builder, NewFramePtr, Shape, Switch, IsDestroy);
312  }
313 
314  // Replace coro suspend with the appropriate resume index.
315  // Replacing coro.suspend with (0) will result in control flow proceeding to
316  // a resume label associated with a suspend point, replacing it with (1) will
317  // result in control flow proceeding to a cleanup label associated with this
318  // suspend point.
319  auto *NewValue = Builder.getInt8(FnIndex ? 1 : 0);
320  for (CoroSuspendInst *CS : Shape.CoroSuspends) {
321  auto *MappedCS = cast<CoroSuspendInst>(VMap[CS]);
322  MappedCS->replaceAllUsesWith(NewValue);
323  MappedCS->eraseFromParent();
324  }
325 
326  // Remove coro.end intrinsics.
327  replaceFallthroughCoroEnd(Shape.CoroEnds.front(), VMap);
328  replaceUnwindCoroEnds(Shape, VMap);
329  // Eliminate coro.free from the clones, replacing it with 'null' in cleanup,
330  // to suppress deallocation code.
331  coro::replaceCoroFree(cast<CoroIdInst>(VMap[Shape.CoroBegin->getId()]),
332  /*Elide=*/FnIndex == 2);
333 
334  NewF->setCallingConv(CallingConv::Fast);
335 
336  return NewF;
337 }
338 
339 static void removeCoroEnds(coro::Shape &Shape) {
340  if (Shape.CoroEnds.empty())
341  return;
342 
343  LLVMContext &Context = Shape.CoroEnds.front()->getContext();
344  auto *False = ConstantInt::getFalse(Context);
345 
346  for (CoroEndInst *CE : Shape.CoroEnds) {
347  CE->replaceAllUsesWith(False);
348  CE->eraseFromParent();
349  }
350 }
351 
352 static void replaceFrameSize(coro::Shape &Shape) {
353  if (Shape.CoroSizes.empty())
354  return;
355 
356  // In the same function all coro.sizes should have the same result type.
357  auto *SizeIntrin = Shape.CoroSizes.back();
358  Module *M = SizeIntrin->getModule();
359  const DataLayout &DL = M->getDataLayout();
360  auto Size = DL.getTypeAllocSize(Shape.FrameTy);
361  auto *SizeConstant = ConstantInt::get(SizeIntrin->getType(), Size);
362 
363  for (CoroSizeInst *CS : Shape.CoroSizes) {
364  CS->replaceAllUsesWith(SizeConstant);
365  CS->eraseFromParent();
366  }
367 }
368 
369 // Create a global constant array containing pointers to functions provided and
370 // set Info parameter of CoroBegin to point at this constant. Example:
371 //
372 // @f.resumers = internal constant [2 x void(%f.frame*)*]
373 // [void(%f.frame*)* @f.resume, void(%f.frame*)* @f.destroy]
374 // define void @f() {
375 // ...
376 // call i8* @llvm.coro.begin(i8* null, i32 0, i8* null,
377 // i8* bitcast([2 x void(%f.frame*)*] * @f.resumers to i8*))
378 //
379 // Assumes that all the functions have the same signature.
380 static void setCoroInfo(Function &F, CoroBeginInst *CoroBegin,
381  std::initializer_list<Function *> Fns) {
382  SmallVector<Constant *, 4> Args(Fns.begin(), Fns.end());
383  assert(!Args.empty());
384  Function *Part = *Fns.begin();
385  Module *M = Part->getParent();
386  auto *ArrTy = ArrayType::get(Part->getType(), Args.size());
387 
388  auto *ConstVal = ConstantArray::get(ArrTy, Args);
389  auto *GV = new GlobalVariable(*M, ConstVal->getType(), /*isConstant=*/true,
391  F.getName() + Twine(".resumers"));
392 
393  // Update coro.begin instruction to refer to this constant.
394  LLVMContext &C = F.getContext();
396  CoroBegin->getId()->setInfo(BC);
397 }
398 
399 // Store addresses of Resume/Destroy/Cleanup functions in the coroutine frame.
400 static void updateCoroFrame(coro::Shape &Shape, Function *ResumeFn,
401  Function *DestroyFn, Function *CleanupFn) {
402  IRBuilder<> Builder(Shape.FramePtr->getNextNode());
403  auto *ResumeAddr = Builder.CreateConstInBoundsGEP2_32(
404  Shape.FrameTy, Shape.FramePtr, 0, coro::Shape::ResumeField,
405  "resume.addr");
406  Builder.CreateStore(ResumeFn, ResumeAddr);
407 
408  Value *DestroyOrCleanupFn = DestroyFn;
409 
410  CoroIdInst *CoroId = Shape.CoroBegin->getId();
411  if (CoroAllocInst *CA = CoroId->getCoroAlloc()) {
412  // If there is a CoroAlloc and it returns false (meaning we elide the
413  // allocation, use CleanupFn instead of DestroyFn).
414  DestroyOrCleanupFn = Builder.CreateSelect(CA, DestroyFn, CleanupFn);
415  }
416 
417  auto *DestroyAddr = Builder.CreateConstInBoundsGEP2_32(
418  Shape.FrameTy, Shape.FramePtr, 0, coro::Shape::DestroyField,
419  "destroy.addr");
420  Builder.CreateStore(DestroyOrCleanupFn, DestroyAddr);
421 }
422 
423 static void postSplitCleanup(Function &F) {
426 
427  FPM.add(createVerifierPass());
428  FPM.add(createSCCPPass());
429  FPM.add(createCFGSimplificationPass());
430  FPM.add(createEarlyCSEPass());
431  FPM.add(createCFGSimplificationPass());
432 
433  FPM.doInitialization();
434  FPM.run(F);
435  FPM.doFinalization();
436 }
437 
438 // Assuming we arrived at the block NewBlock from Prev instruction, store
439 // PHI's incoming values in the ResolvedValues map.
440 static void
442  DenseMap<Value *, Value *> &ResolvedValues) {
443  auto *PrevBB = Prev->getParent();
444  for (PHINode &PN : NewBlock->phis()) {
445  auto V = PN.getIncomingValueForBlock(PrevBB);
446  // See if we already resolved it.
447  auto VI = ResolvedValues.find(V);
448  if (VI != ResolvedValues.end())
449  V = VI->second;
450  // Remember the value.
451  ResolvedValues[&PN] = V;
452  }
453 }
454 
455 // Replace a sequence of branches leading to a ret, with a clone of a ret
456 // instruction. Suspend instruction represented by a switch, track the PHI
457 // values and select the correct case successor when possible.
458 static bool simplifyTerminatorLeadingToRet(Instruction *InitialInst) {
459  DenseMap<Value *, Value *> ResolvedValues;
460 
461  Instruction *I = InitialInst;
462  while (I->isTerminator()) {
463  if (isa<ReturnInst>(I)) {
464  if (I != InitialInst)
465  ReplaceInstWithInst(InitialInst, I->clone());
466  return true;
467  }
468  if (auto *BR = dyn_cast<BranchInst>(I)) {
469  if (BR->isUnconditional()) {
470  BasicBlock *BB = BR->getSuccessor(0);
471  scanPHIsAndUpdateValueMap(I, BB, ResolvedValues);
473  continue;
474  }
475  } else if (auto *SI = dyn_cast<SwitchInst>(I)) {
476  Value *V = SI->getCondition();
477  auto it = ResolvedValues.find(V);
478  if (it != ResolvedValues.end())
479  V = it->second;
480  if (ConstantInt *Cond = dyn_cast<ConstantInt>(V)) {
481  BasicBlock *BB = SI->findCaseValue(Cond)->getCaseSuccessor();
482  scanPHIsAndUpdateValueMap(I, BB, ResolvedValues);
484  continue;
485  }
486  }
487  return false;
488  }
489  return false;
490 }
491 
492 // Add musttail to any resume instructions that is immediately followed by a
493 // suspend (i.e. ret). We do this even in -O0 to support guaranteed tail call
494 // for symmetrical coroutine control transfer (C++ Coroutines TS extension).
495 // This transformation is done only in the resume part of the coroutine that has
496 // identical signature and calling convention as the coro.resume call.
498  bool changed = false;
499 
500  // Collect potential resume instructions.
502  for (auto &I : instructions(F))
503  if (auto *Call = dyn_cast<CallInst>(&I))
504  if (auto *CalledValue = Call->getCalledValue())
505  // CoroEarly pass replaced coro resumes with indirect calls to an
506  // address return by CoroSubFnInst intrinsic. See if it is one of those.
507  if (isa<CoroSubFnInst>(CalledValue->stripPointerCasts()))
508  Resumes.push_back(Call);
509 
510  // Set musttail on those that are followed by a ret instruction.
511  for (CallInst *Call : Resumes)
512  if (simplifyTerminatorLeadingToRet(Call->getNextNode())) {
513  Call->setTailCallKind(CallInst::TCK_MustTail);
514  changed = true;
515  }
516 
517  if (changed)
519 }
520 
521 // Coroutine has no suspend points. Remove heap allocation for the coroutine
522 // frame if possible.
523 static void handleNoSuspendCoroutine(CoroBeginInst *CoroBegin, Type *FrameTy) {
524  auto *CoroId = CoroBegin->getId();
525  auto *AllocInst = CoroId->getCoroAlloc();
526  coro::replaceCoroFree(CoroId, /*Elide=*/AllocInst != nullptr);
527  if (AllocInst) {
528  IRBuilder<> Builder(AllocInst);
529  // FIXME: Need to handle overaligned members.
530  auto *Frame = Builder.CreateAlloca(FrameTy);
531  auto *VFrame = Builder.CreateBitCast(Frame, Builder.getInt8PtrTy());
532  AllocInst->replaceAllUsesWith(Builder.getFalse());
533  AllocInst->eraseFromParent();
534  CoroBegin->replaceAllUsesWith(VFrame);
535  } else {
536  CoroBegin->replaceAllUsesWith(CoroBegin->getMem());
537  }
538  CoroBegin->eraseFromParent();
539 }
540 
541 // SimplifySuspendPoint needs to check that there is no calls between
542 // coro_save and coro_suspend, since any of the calls may potentially resume
543 // the coroutine and if that is the case we cannot eliminate the suspend point.
545  for (Instruction *I = From; I != To; I = I->getNextNode()) {
546  // Assume that no intrinsic can resume the coroutine.
547  if (isa<IntrinsicInst>(I))
548  continue;
549 
550  if (CallSite(I))
551  return true;
552  }
553  return false;
554 }
555 
556 static bool hasCallsInBlocksBetween(BasicBlock *SaveBB, BasicBlock *ResDesBB) {
559 
560  Set.insert(SaveBB);
561  Worklist.push_back(ResDesBB);
562 
563  // Accumulate all blocks between SaveBB and ResDesBB. Because CoroSaveIntr
564  // returns a token consumed by suspend instruction, all blocks in between
565  // will have to eventually hit SaveBB when going backwards from ResDesBB.
566  while (!Worklist.empty()) {
567  auto *BB = Worklist.pop_back_val();
568  Set.insert(BB);
569  for (auto *Pred : predecessors(BB))
570  if (Set.count(Pred) == 0)
571  Worklist.push_back(Pred);
572  }
573 
574  // SaveBB and ResDesBB are checked separately in hasCallsBetween.
575  Set.erase(SaveBB);
576  Set.erase(ResDesBB);
577 
578  for (auto *BB : Set)
579  if (hasCallsInBlockBetween(BB->getFirstNonPHI(), nullptr))
580  return true;
581 
582  return false;
583 }
584 
585 static bool hasCallsBetween(Instruction *Save, Instruction *ResumeOrDestroy) {
586  auto *SaveBB = Save->getParent();
587  auto *ResumeOrDestroyBB = ResumeOrDestroy->getParent();
588 
589  if (SaveBB == ResumeOrDestroyBB)
590  return hasCallsInBlockBetween(Save->getNextNode(), ResumeOrDestroy);
591 
592  // Any calls from Save to the end of the block?
593  if (hasCallsInBlockBetween(Save->getNextNode(), nullptr))
594  return true;
595 
596  // Any calls from begging of the block up to ResumeOrDestroy?
597  if (hasCallsInBlockBetween(ResumeOrDestroyBB->getFirstNonPHI(),
598  ResumeOrDestroy))
599  return true;
600 
601  // Any calls in all of the blocks between SaveBB and ResumeOrDestroyBB?
602  if (hasCallsInBlocksBetween(SaveBB, ResumeOrDestroyBB))
603  return true;
604 
605  return false;
606 }
607 
608 // If a SuspendIntrin is preceded by Resume or Destroy, we can eliminate the
609 // suspend point and replace it with nornal control flow.
611  CoroBeginInst *CoroBegin) {
612  Instruction *Prev = Suspend->getPrevNode();
613  if (!Prev) {
614  auto *Pred = Suspend->getParent()->getSinglePredecessor();
615  if (!Pred)
616  return false;
617  Prev = Pred->getTerminator();
618  }
619 
620  CallSite CS{Prev};
621  if (!CS)
622  return false;
623 
624  auto *CallInstr = CS.getInstruction();
625 
626  auto *Callee = CS.getCalledValue()->stripPointerCasts();
627 
628  // See if the callsite is for resumption or destruction of the coroutine.
629  auto *SubFn = dyn_cast<CoroSubFnInst>(Callee);
630  if (!SubFn)
631  return false;
632 
633  // Does not refer to the current coroutine, we cannot do anything with it.
634  if (SubFn->getFrame() != CoroBegin)
635  return false;
636 
637  // See if the transformation is safe. Specifically, see if there are any
638  // calls in between Save and CallInstr. They can potenitally resume the
639  // coroutine rendering this optimization unsafe.
640  auto *Save = Suspend->getCoroSave();
641  if (hasCallsBetween(Save, CallInstr))
642  return false;
643 
644  // Replace llvm.coro.suspend with the value that results in resumption over
645  // the resume or cleanup path.
646  Suspend->replaceAllUsesWith(SubFn->getRawIndex());
647  Suspend->eraseFromParent();
648  Save->eraseFromParent();
649 
650  // No longer need a call to coro.resume or coro.destroy.
651  if (auto *Invoke = dyn_cast<InvokeInst>(CallInstr)) {
652  BranchInst::Create(Invoke->getNormalDest(), Invoke);
653  }
654 
655  // Grab the CalledValue from CS before erasing the CallInstr.
656  auto *CalledValue = CS.getCalledValue();
657  CallInstr->eraseFromParent();
658 
659  // If no more users remove it. Usually it is a bitcast of SubFn.
660  if (CalledValue != SubFn && CalledValue->user_empty())
661  if (auto *I = dyn_cast<Instruction>(CalledValue))
662  I->eraseFromParent();
663 
664  // Now we are good to remove SubFn.
665  if (SubFn->user_empty())
666  SubFn->eraseFromParent();
667 
668  return true;
669 }
670 
671 // Remove suspend points that are simplified.
672 static void simplifySuspendPoints(coro::Shape &Shape) {
673  auto &S = Shape.CoroSuspends;
674  size_t I = 0, N = S.size();
675  if (N == 0)
676  return;
677  while (true) {
678  if (simplifySuspendPoint(S[I], Shape.CoroBegin)) {
679  if (--N == I)
680  break;
681  std::swap(S[I], S[N]);
682  continue;
683  }
684  if (++I == N)
685  break;
686  }
687  S.resize(N);
688 }
689 
691  // Collect all blocks that we need to look for instructions to relocate.
692  SmallPtrSet<BasicBlock *, 4> RelocBlocks;
694  Work.push_back(CB->getParent());
695 
696  do {
697  BasicBlock *Current = Work.pop_back_val();
698  for (BasicBlock *BB : predecessors(Current))
699  if (RelocBlocks.count(BB) == 0) {
700  RelocBlocks.insert(BB);
701  Work.push_back(BB);
702  }
703  } while (!Work.empty());
704  return RelocBlocks;
705 }
706 
709  SmallPtrSetImpl<BasicBlock *> &RelocBlocks) {
710  SmallPtrSet<Instruction *, 8> DoNotRelocate;
711  // Collect all instructions that we should not relocate
713 
714  // Start with CoroBegin and terminators of all preceding blocks.
715  Work.push_back(CoroBegin);
716  BasicBlock *CoroBeginBB = CoroBegin->getParent();
717  for (BasicBlock *BB : RelocBlocks)
718  if (BB != CoroBeginBB)
719  Work.push_back(BB->getTerminator());
720 
721  // For every instruction in the Work list, place its operands in DoNotRelocate
722  // set.
723  do {
724  Instruction *Current = Work.pop_back_val();
725  LLVM_DEBUG(dbgs() << "CoroSplit: Will not relocate: " << *Current << "\n");
726  DoNotRelocate.insert(Current);
727  for (Value *U : Current->operands()) {
728  auto *I = dyn_cast<Instruction>(U);
729  if (!I)
730  continue;
731 
732  if (auto *A = dyn_cast<AllocaInst>(I)) {
733  // Stores to alloca instructions that occur before the coroutine frame
734  // is allocated should not be moved; the stored values may be used by
735  // the coroutine frame allocator. The operands to those stores must also
736  // remain in place.
737  for (const auto &User : A->users())
738  if (auto *SI = dyn_cast<llvm::StoreInst>(User))
739  if (RelocBlocks.count(SI->getParent()) != 0 &&
740  DoNotRelocate.count(SI) == 0) {
741  Work.push_back(SI);
742  DoNotRelocate.insert(SI);
743  }
744  continue;
745  }
746 
747  if (DoNotRelocate.count(I) == 0) {
748  Work.push_back(I);
749  DoNotRelocate.insert(I);
750  }
751  }
752  } while (!Work.empty());
753  return DoNotRelocate;
754 }
755 
757  // Analyze which non-alloca instructions are needed for allocation and
758  // relocate the rest to after coro.begin. We need to do it, since some of the
759  // targets of those instructions may be placed into coroutine frame memory
760  // for which becomes available after coro.begin intrinsic.
761 
762  auto BlockSet = getCoroBeginPredBlocks(CoroBegin);
763  auto DoNotRelocateSet = getNotRelocatableInstructions(CoroBegin, BlockSet);
764 
765  Instruction *InsertPt = CoroBegin->getNextNode();
766  BasicBlock &BB = F.getEntryBlock(); // TODO: Look at other blocks as well.
767  for (auto B = BB.begin(), E = BB.end(); B != E;) {
768  Instruction &I = *B++;
769  if (isa<AllocaInst>(&I))
770  continue;
771  if (&I == CoroBegin)
772  break;
773  if (DoNotRelocateSet.count(&I))
774  continue;
775  I.moveBefore(InsertPt);
776  }
777 }
778 
779 static void splitCoroutine(Function &F, CallGraph &CG, CallGraphSCC &SCC) {
780  coro::Shape Shape(F);
781  if (!Shape.CoroBegin)
782  return;
783 
784  simplifySuspendPoints(Shape);
786  buildCoroutineFrame(F, Shape);
787  replaceFrameSize(Shape);
788 
789  // If there are no suspend points, no split required, just remove
790  // the allocation and deallocation blocks, they are not needed.
791  if (Shape.CoroSuspends.empty()) {
793  removeCoroEnds(Shape);
794  postSplitCleanup(F);
795  coro::updateCallGraph(F, {}, CG, SCC);
796  return;
797  }
798 
799  auto *ResumeEntry = createResumeEntryBlock(F, Shape);
800  auto ResumeClone = createClone(F, ".resume", Shape, ResumeEntry, 0);
801  auto DestroyClone = createClone(F, ".destroy", Shape, ResumeEntry, 1);
802  auto CleanupClone = createClone(F, ".cleanup", Shape, ResumeEntry, 2);
803 
804  // We no longer need coro.end in F.
805  removeCoroEnds(Shape);
806 
807  postSplitCleanup(F);
808  postSplitCleanup(*ResumeClone);
809  postSplitCleanup(*DestroyClone);
810  postSplitCleanup(*CleanupClone);
811 
812  addMustTailToCoroResumes(*ResumeClone);
813 
814  // Store addresses resume/destroy/cleanup functions in the coroutine frame.
815  updateCoroFrame(Shape, ResumeClone, DestroyClone, CleanupClone);
816 
817  // Create a constant array referring to resume/destroy/clone functions pointed
818  // by the last argument of @llvm.coro.info, so that CoroElide pass can
819  // determined correct function to call.
820  setCoroInfo(F, Shape.CoroBegin, {ResumeClone, DestroyClone, CleanupClone});
821 
822  // Update call graph and add the functions we created to the SCC.
823  coro::updateCallGraph(F, {ResumeClone, DestroyClone, CleanupClone}, CG, SCC);
824 }
825 
826 // When we see the coroutine the first time, we insert an indirect call to a
827 // devirt trigger function and mark the coroutine that it is now ready for
828 // split.
829 static void prepareForSplit(Function &F, CallGraph &CG) {
830  Module &M = *F.getParent();
831 #ifndef NDEBUG
833  assert(DevirtFn && "coro.devirt.trigger function not found");
834 #endif
835 
837 
838  // Insert an indirect call sequence that will be devirtualized by CoroElide
839  // pass:
840  // %0 = call i8* @llvm.coro.subfn.addr(i8* null, i8 -1)
841  // %1 = bitcast i8* %0 to void(i8*)*
842  // call void %1(i8* null)
843  coro::LowererBase Lowerer(M);
844  Instruction *InsertPt = F.getEntryBlock().getTerminator();
846  auto *DevirtFnAddr =
847  Lowerer.makeSubFnCall(Null, CoroSubFnInst::RestartTrigger, InsertPt);
848  auto *IndirectCall = CallInst::Create(DevirtFnAddr, Null, "", InsertPt);
849 
850  // Update CG graph with an indirect call we just added.
851  CG[&F]->addCalledFunction(IndirectCall, CG.getCallsExternalNode());
852 }
853 
854 // Make sure that there is a devirtualization trigger function that CoroSplit
855 // pass uses the force restart CGSCC pipeline. If devirt trigger function is not
856 // found, we will create one and add it to the current SCC.
858  Module &M = CG.getModule();
860  return;
861 
862  LLVMContext &C = M.getContext();
864  /*IsVarArgs=*/false);
865  Function *DevirtFn =
866  Function::Create(FnTy, GlobalValue::LinkageTypes::PrivateLinkage,
869  auto *Entry = BasicBlock::Create(C, "entry", DevirtFn);
870  ReturnInst::Create(C, Entry);
871 
872  auto *Node = CG.getOrInsertFunction(DevirtFn);
873 
874  SmallVector<CallGraphNode *, 8> Nodes(SCC.begin(), SCC.end());
875  Nodes.push_back(Node);
876  SCC.initialize(Nodes);
877 }
878 
879 //===----------------------------------------------------------------------===//
880 // Top Level Driver
881 //===----------------------------------------------------------------------===//
882 
883 namespace {
884 
885 struct CoroSplit : public CallGraphSCCPass {
886  static char ID; // Pass identification, replacement for typeid
887 
888  CoroSplit() : CallGraphSCCPass(ID) {
890  }
891 
892  bool Run = false;
893 
894  // A coroutine is identified by the presence of coro.begin intrinsic, if
895  // we don't have any, this pass has nothing to do.
896  bool doInitialization(CallGraph &CG) override {
897  Run = coro::declaresIntrinsics(CG.getModule(), {"llvm.coro.begin"});
899  }
900 
901  bool runOnSCC(CallGraphSCC &SCC) override {
902  if (!Run)
903  return false;
904 
905  // Find coroutines for processing.
906  SmallVector<Function *, 4> Coroutines;
907  for (CallGraphNode *CGN : SCC)
908  if (auto *F = CGN->getFunction())
909  if (F->hasFnAttribute(CORO_PRESPLIT_ATTR))
910  Coroutines.push_back(F);
911 
912  if (Coroutines.empty())
913  return false;
914 
915  CallGraph &CG = getAnalysis<CallGraphWrapperPass>().getCallGraph();
916  createDevirtTriggerFunc(CG, SCC);
917 
918  for (Function *F : Coroutines) {
919  Attribute Attr = F->getFnAttribute(CORO_PRESPLIT_ATTR);
921  LLVM_DEBUG(dbgs() << "CoroSplit: Processing coroutine '" << F->getName()
922  << "' state: " << Value << "\n");
923  if (Value == UNPREPARED_FOR_SPLIT) {
924  prepareForSplit(*F, CG);
925  continue;
926  }
927  F->removeFnAttr(CORO_PRESPLIT_ATTR);
928  splitCoroutine(*F, CG, SCC);
929  }
930  return true;
931  }
932 
933  void getAnalysisUsage(AnalysisUsage &AU) const override {
935  }
936 
937  StringRef getPassName() const override { return "Coroutine Splitting"; }
938 };
939 
940 } // end anonymous namespace
941 
942 char CoroSplit::ID = 0;
943 
945  CoroSplit, "coro-split",
946  "Split coroutine into a set of functions driving its state machine", false,
947  false)
948 
949 Pass *llvm::createCoroSplitPass() { return new CoroSplit(); }
Pass interface - Implemented by all &#39;passes&#39;.
Definition: Pass.h:81
uint64_t CallInst * C
Return a value (possibly void), from a function.
SymbolTableList< Instruction >::iterator eraseFromParent()
This method unlinks &#39;this&#39; from the containing basic block and deletes it.
Definition: Instruction.cpp:68
A parsed version of the target data layout string in and methods for querying it. ...
Definition: DataLayout.h:111
static ConstantInt * getFalse(LLVMContext &Context)
Definition: Constants.cpp:585
static void createDevirtTriggerFunc(CallGraph &CG, CallGraphSCC &SCC)
Definition: CoroSplit.cpp:857
BranchInst * CreateCondBr(Value *Cond, BasicBlock *True, BasicBlock *False, MDNode *BranchWeights=nullptr, MDNode *Unpredictable=nullptr)
Create a conditional &#39;br Cond, TrueDest, FalseDest&#39; instruction.
Definition: IRBuilder.h:854
CaseIt case_end()
Returns a read/write iterator that points one past the last in the SwitchInst.
void ReplaceInstWithInst(BasicBlock::InstListType &BIL, BasicBlock::iterator &BI, Instruction *I)
Replace the instruction specified by BI with the instruction specified by I.
Instruction * FramePtr
Definition: CoroInternal.h:82
static void setCoroInfo(Function &F, CoroBeginInst *CoroBegin, std::initializer_list< Function *> Fns)
Definition: CoroSplit.cpp:380
static PassRegistry * getPassRegistry()
getPassRegistry - Access the global registry object, which is automatically initialized at applicatio...
This class represents an incoming formal argument to a Function.
Definition: Argument.h:30
LLVMContext & Context
AllocaInst * CreateAlloca(Type *Ty, unsigned AddrSpace, Value *ArraySize=nullptr, const Twine &Name="")
Definition: IRBuilder.h:1344
CoroBeginInst * CoroBegin
Definition: CoroInternal.h:68
NodeTy * getNextNode()
Get the next node, or nullptr for the list tail.
Definition: ilist_node.h:289
This represents the llvm.coro.alloc instruction.
Definition: CoroInstr.h:82
This class represents lattice values for constants.
Definition: AllocatorList.h:24
static void addMustTailToCoroResumes(Function &F)
Definition: CoroSplit.cpp:497
void addParamAttr(unsigned ArgNo, Attribute::AttrKind Kind)
adds the attribute to the list of attributes for the given arg.
Definition: Function.cpp:386
LoadInst * CreateLoad(Type *Ty, Value *Ptr, const char *Name)
Provided to resolve &#39;CreateLoad(Ty, Ptr, "...")&#39; correctly, instead of converting the string to &#39;bool...
Definition: IRBuilder.h:1357
A Module instance is used to store all the information related to an LLVM module. ...
Definition: Module.h:65
static void splitCoroutine(Function &F, CallGraph &CG, CallGraphSCC &SCC)
Definition: CoroSplit.cpp:779
static CallInst * Create(FunctionType *Ty, Value *F, const Twine &NameStr="", Instruction *InsertBefore=nullptr)
iterator end() const
bool removeUnreachableBlocks(Function &F, LazyValueInfo *LVI=nullptr, DomTreeUpdater *DTU=nullptr, MemorySSAUpdater *MSSAU=nullptr)
Remove all blocks that can not be reached from the function&#39;s entry.
Definition: Local.cpp:2201
Pass * createCoroSplitPass()
Split up coroutines into multiple functions driving their state machines.
static void relocateInstructionBefore(CoroBeginInst *CoroBegin, Function &F)
Definition: CoroSplit.cpp:756
This class represents a function call, abstracting a target machine&#39;s calling convention.
virtual bool doInitialization(CallGraph &CG)
doInitialization - This method is called before the SCC&#39;s of the program has been processed...
FunctionPass * createVerifierPass(bool FatalErrors=true)
Definition: Verifier.cpp:5236
Like Internal, but omit from symbol table.
Definition: GlobalValue.h:57
bool isTerminator() const
Definition: Instruction.h:129
F(f)
static void replaceFrameSize(coro::Shape &Shape)
Definition: CoroSplit.cpp:352
const Instruction * getTerminator() const LLVM_READONLY
Returns the terminator instruction if the block is well formed or null if the block is not well forme...
Definition: BasicBlock.cpp:138
A node in the call graph for a module.
Definition: CallGraph.h:165
void getAnalysisUsage(AnalysisUsage &Info) const override
getAnalysisUsage - For this class, we declare that we require and preserve the call graph...
Module & getModule() const
Returns the module the call graph corresponds to.
Definition: CallGraph.h:114
static Constant * get(ArrayType *T, ArrayRef< Constant *> V)
Definition: Constants.cpp:983
A templated base class for SmallPtrSet which provides the typesafe interface that is common across al...
Definition: SmallPtrSet.h:344
iterator begin()
Instruction iterator methods.
Definition: BasicBlock.h:269
static ReturnInst * Create(LLVMContext &C, Value *retVal=nullptr, Instruction *InsertBefore=nullptr)
FunctionPass * createCFGSimplificationPass(unsigned Threshold=1, bool ForwardSwitchCond=false, bool ConvertSwitch=false, bool KeepLoops=true, bool SinkCommon=false, std::function< bool(const Function &)> Ftor=nullptr)
static bool simplifySuspendPoint(CoroSuspendInst *Suspend, CoroBeginInst *CoroBegin)
Definition: CoroSplit.cpp:610
void CloneFunctionInto(Function *NewFunc, const Function *OldFunc, ValueToValueMapTy &VMap, bool ModuleLevelChanges, SmallVectorImpl< ReturnInst *> &Returns, const char *NameSuffix="", ClonedCodeInfo *CodeInfo=nullptr, ValueMapTypeRemapper *TypeMapper=nullptr, ValueMaterializer *Materializer=nullptr)
Clone OldFunc into NewFunc, transforming the old arguments into references to VMap values...
unsigned changeToUnreachable(Instruction *I, bool UseLLVMTrap, bool PreserveLCSSA=false, DomTreeUpdater *DTU=nullptr)
Insert an unreachable instruction before the specified instruction, making it and the rest of the cod...
Definition: Local.cpp:1896
const DataLayout & getDataLayout() const
Get the data layout for the module&#39;s target platform.
Definition: Module.cpp:371
Twine - A lightweight data structure for efficiently representing the concatenation of temporary valu...
Definition: Twine.h:81
static void handleNoSuspendCoroutine(CoroBeginInst *CoroBegin, Type *FrameTy)
Definition: CoroSplit.cpp:523
LLVMContext & getContext() const
Get the global data context.
Definition: Module.h:244
This represents the llvm.coro.suspend instruction.
Definition: CoroInstr.h:266
This provides a uniform API for creating instructions and inserting them into a basic block: either a...
Definition: IRBuilder.h:743
This file contains the simple types necessary to represent the attributes associated with functions a...
static void scanPHIsAndUpdateValueMap(Instruction *Prev, BasicBlock *NewBlock, DenseMap< Value *, Value *> &ResolvedValues)
Definition: CoroSplit.cpp:441
FunctionPass * createSCCPPass()
Definition: SCCP.cpp:1870
This class represents the llvm.coro.subfn.addr instruction.
Definition: CoroInstr.h:35
#define PREPARED_FOR_SPLIT
Definition: CoroInternal.h:40
StoreInst * CreateStore(Value *Val, Value *Ptr, bool isVolatile=false)
Definition: IRBuilder.h:1386
Instruction * clone() const
Create a copy of &#39;this&#39; instruction that is identical in all ways except the following: ...
const Instruction * getFirstNonPHIOrDbgOrLifetime() const
Returns a pointer to the first instruction in this block that is not a PHINode, a debug intrinsic...
Definition: BasicBlock.cpp:204
This file provides interfaces used to build and manipulate a call graph, which is a very useful tool ...
Fast - This calling convention attempts to make calls as fast as possible (e.g.
Definition: CallingConv.h:43
ConstantInt * getIndex(uint64_t Value) const
Definition: CoroInternal.h:92
void initializeCoroSplitPass(PassRegistry &)
Value * CreateBitCast(Value *V, Type *DestTy, const Twine &Name="")
Definition: IRBuilder.h:1732
static void replaceFallthroughCoroEnd(IntrinsicInst *End, ValueToValueMapTy &VMap)
Definition: CoroSplit.cpp:173
This represents the llvm.coro.alloc instruction.
Definition: CoroInstr.h:70
SmallVector< CoroSizeInst *, 2 > CoroSizes
Definition: CoroInternal.h:70
void add(Pass *P) override
Add a pass to the queue of passes to run.
void replaceAllUsesWith(Value *V)
Change all uses of this to point to a new Value.
Definition: Value.cpp:429
static void simplifySuspendPoints(coro::Shape &Shape)
Definition: CoroSplit.cpp:672
SmallVector< CoroSuspendInst *, 4 > CoroSuspends
Definition: CoroInternal.h:71
iterator begin()
Definition: Function.h:656
amdgpu Simplify well known AMD library false Value * Callee
void SetInsertPoint(BasicBlock *TheBB)
This specifies that created instructions should be appended to the end of the specified block...
Definition: IRBuilder.h:127
const BasicBlock & getEntryBlock() const
Definition: Function.h:640
iterator begin() const
This represents the llvm.coro.size instruction.
Definition: CoroInstr.h:291
static Function * Create(FunctionType *Ty, LinkageTypes Linkage, unsigned AddrSpace, const Twine &N="", Module *M=nullptr)
Definition: Function.h:136
static void postSplitCleanup(Function &F)
Definition: CoroSplit.cpp:423
Control flow instructions. These all have token chains.
Definition: ISDOpcodes.h:629
static GCRegistry::Add< OcamlGC > B("ocaml", "ocaml 3.10-compatible GC")
* if(!EatIfPresent(lltok::kw_thread_local)) return false
ParseOptionalThreadLocal := /*empty.
static ConstantPointerNull * get(PointerType *T)
Static factory methods - Return objects of the specified value.
Definition: Constants.cpp:1401
const BasicBlock * getSinglePredecessor() const
Return the predecessor of this block if it has a single predecessor block.
Definition: BasicBlock.cpp:234
CallGraphNode * getCallsExternalNode() const
Definition: CallGraph.h:139
LLVM Basic Block Representation.
Definition: BasicBlock.h:58
#define CORO_PRESPLIT_ATTR
Definition: CoroInternal.h:38
bool isFinal() const
Definition: CoroInstr.h:277
The instances of the Type class are immutable: once they are created, they are never changed...
Definition: Type.h:46
This is an important class for using LLVM in a threaded context.
Definition: LLVMContext.h:69
UnreachableInst * CreateUnreachable()
Definition: IRBuilder.h:978
static GCRegistry::Add< CoreCLRGC > E("coreclr", "CoreCLR-compatible GC")
This file contains the declarations for the subclasses of Constant, which represent the different fla...
std::pair< iterator, bool > insert(PtrType Ptr)
Inserts Ptr if and only if there is no element in the container equal to Ptr.
Definition: SmallPtrSet.h:371
Value * getMem() const
Definition: CoroInstr.h:221
static void prepareForSplit(Function &F, CallGraph &CG)
Definition: CoroSplit.cpp:829
Represent the analysis usage information of a pass.
static Type * getVoidTy(LLVMContext &C)
Definition: Type.cpp:161
This represents the llvm.coro.end instruction.
Definition: CoroInstr.h:303
static bool hasCallsBetween(Instruction *Save, Instruction *ResumeOrDestroy)
Definition: CoroSplit.cpp:585
static FunctionType * get(Type *Result, ArrayRef< Type *> Params, bool isVarArg)
This static method is the primary way of constructing a FunctionType.
Definition: Type.cpp:297
op_range operands()
Definition: User.h:238
static BasicBlock * Create(LLVMContext &Context, const Twine &Name="", Function *Parent=nullptr, BasicBlock *InsertBefore=nullptr)
Creates a new BasicBlock.
Definition: BasicBlock.h:100
Value * CreateICmpEQ(Value *LHS, Value *RHS, const Twine &Name="")
Definition: IRBuilder.h:1839
size_type count(ConstPtrType Ptr) const
count - Return 1 if the specified pointer is in the set, 0 otherwise.
Definition: SmallPtrSet.h:382
void initialize(ArrayRef< CallGraphNode *> NewNodes)
static bool hasCallsInBlocksBetween(BasicBlock *SaveBB, BasicBlock *ResDesBB)
Definition: CoroSplit.cpp:556
CaseIt removeCase(CaseIt I)
This method removes the specified case and its successor from the switch instruction.
LLVMContext & getContext() const
getContext - Return a reference to the LLVMContext associated with this function. ...
Definition: Function.cpp:193
static void replaceUnwindCoroEnds(coro::Shape &Shape, ValueToValueMapTy &VMap)
Definition: CoroSplit.cpp:186
FunctionPassManager manages FunctionPasses and BasicBlockPassManagers.
static Function * createClone(Function &F, Twine Suffix, coro::Shape &Shape, BasicBlock *ResumeEntry, int8_t FnIndex)
Definition: CoroSplit.cpp:245
static UndefValue * get(Type *T)
Static factory methods - Return an &#39;undef&#39; object of the specified type.
Definition: Constants.cpp:1415
const Value * stripPointerCasts() const
Strip off pointer casts, all-zero GEPs, and aliases.
Definition: Value.cpp:529
PointerType * getInt8PtrTy(unsigned AddrSpace=0)
Fetch the type representing a pointer to an 8-bit integer value.
Definition: IRBuilder.h:385
static PointerType * getInt8PtrTy(LLVMContext &C, unsigned AS=0)
Definition: Type.cpp:220
static SmallPtrSet< BasicBlock *, 4 > getCoroBeginPredBlocks(CoroBeginInst *CB)
Definition: CoroSplit.cpp:690
static bool hasCallsInBlockBetween(Instruction *From, Instruction *To)
Definition: CoroSplit.cpp:544
static Constant * getPointerCast(Constant *C, Type *Ty)
Create a BitCast, AddrSpaceCast, or a PtrToInt cast constant expression.
Definition: Constants.cpp:1587
SmallPtrSet - This class implements a set which is optimized for holding SmallSize or less elements...
Definition: SmallPtrSet.h:418
StructType * FrameTy
Definition: CoroInternal.h:81
This is the shared class of boolean and integer constants.
Definition: Constants.h:84
BlockVerifier::State From
bool erase(PtrType Ptr)
erase - If the set contains the specified pointer, remove it and return true, otherwise return false...
Definition: SmallPtrSet.h:378
iterator end()
Definition: BasicBlock.h:271
This is a &#39;vector&#39; (really, a variable-sized array), optimized for the case when the array is small...
Definition: SmallVector.h:847
Module.h This file contains the declarations for the Module class.
LLVM_NODISCARD T pop_back_val()
Definition: SmallVector.h:381
void buildCoroutineFrame(Function &F, Shape &Shape)
Definition: CoroFrame.cpp:866
#define UNPREPARED_FOR_SPLIT
Definition: CoroInternal.h:39
static Constant * get(Type *Ty, uint64_t V, bool isSigned=false)
If Ty is a vector type, return a Constant with a splat of the given value.
Definition: Constants.cpp:622
static BranchInst * Create(BasicBlock *IfTrue, Instruction *InsertBefore=nullptr)
static PHINode * Create(Type *Ty, unsigned NumReservedValues, const Twine &NameStr="", Instruction *InsertBefore=nullptr)
Constructors - NumReservedValues is a hint for the number of incoming edges that this phi node will h...
pred_range predecessors(BasicBlock *BB)
Definition: CFG.h:125
static ConstantInt * getTrue(LLVMContext &Context)
Definition: Constants.cpp:578
raw_ostream & dbgs()
dbgs() - This returns a reference to a raw_ostream for debugging messages.
Definition: Debug.cpp:133
Function * getFunction(StringRef Name) const
Look up the specified function in the module symbol table.
Definition: Module.cpp:176
void swap(llvm::BitVector &LHS, llvm::BitVector &RHS)
Implement std::swap in terms of BitVector swap.
Definition: BitVector.h:941
This class represents the llvm.coro.begin instruction.
Definition: CoroInstr.h:215
Value * makeSubFnCall(Value *Arg, int Index, Instruction *InsertPt)
Definition: Coroutines.cpp:108
bool isUnwind() const
Definition: CoroInstr.h:308
IntegerType * getInt8Ty()
Fetch the type representing an 8-bit integer.
Definition: IRBuilder.h:337
static void updateCoroFrame(coro::Shape &Shape, Function *ResumeFn, Function *DestroyFn, Function *CleanupFn)
Definition: CoroSplit.cpp:400
static BasicBlock * createResumeEntryBlock(Function &F, coro::Shape &Shape)
Definition: CoroSplit.cpp:76
ConstantInt * getFalse()
Get the constant value for i1 false.
Definition: IRBuilder.h:292
SwitchInst * CreateSwitch(Value *V, BasicBlock *Dest, unsigned NumCases=10, MDNode *BranchWeights=nullptr, MDNode *Unpredictable=nullptr)
Create a switch instruction with the specified value, default dest, and with a hint for the number of...
Definition: IRBuilder.h:877
uint64_t getTypeAllocSize(Type *Ty) const
Returns the offset in bytes between successive objects of the specified type, including alignment pad...
Definition: DataLayout.h:436
This file provides various utilities for inspecting and working with the control flow graph in LLVM I...
The basic data container for the call graph of a Module of IR.
Definition: CallGraph.h:74
INITIALIZE_PASS(CoroSplit, "coro-split", "Split coroutine into a set of functions driving its state machine", false, false) Pass *llvm
Definition: CoroSplit.cpp:944
LLVM_NODISCARD bool empty() const
Definition: SmallVector.h:56
StringRef getValueAsString() const
Return the attribute&#39;s value as a string.
Definition: Attributes.cpp:195
SwitchInst * ResumeSwitch
Definition: CoroInternal.h:84
StringRef getName() const
Return a constant reference to the value&#39;s name.
Definition: Value.cpp:214
static void handleFinalSuspend(IRBuilder<> &Builder, Value *FramePtr, coro::Shape &Shape, SwitchInst *Switch, bool IsDestroy)
Definition: CoroSplit.cpp:220
#define I(x, y, z)
Definition: MD5.cpp:58
#define N
Value * CreateConstInBoundsGEP2_32(Type *Ty, Value *Ptr, unsigned Idx0, unsigned Idx1, const Twine &Name="")
Definition: IRBuilder.h:1553
static ArrayType * get(Type *ElementType, uint64_t NumElements)
This static method is the primary way to construct an ArrayType.
Definition: Type.cpp:581
#define CORO_DEVIRT_TRIGGER_FN
Definition: CoroInternal.h:42
LLVM_NODISCARD std::enable_if<!is_simple_type< Y >::value, typename cast_retty< X, const Y >::ret_type >::type dyn_cast(const Y &Val)
Definition: Casting.h:323
uint32_t Size
Definition: Profile.cpp:47
iterator_range< const_phi_iterator > phis() const
Returns a range that iterates over the phis in the basic block.
Definition: BasicBlock.h:325
static ConstantTokenNone * get(LLVMContext &Context)
Return the ConstantTokenNone.
Definition: Constants.cpp:1130
BasicBlock * splitBasicBlock(iterator I, const Twine &BBName="")
Split the basic block into two basic blocks at the specified instruction.
Definition: BasicBlock.cpp:408
CoroIdInst * getId() const
Definition: CoroInstr.h:219
void replaceCoroFree(CoroIdInst *CoroId, bool Elide)
Definition: Coroutines.cpp:153
static SmallPtrSet< Instruction *, 8 > getNotRelocatableInstructions(CoroBeginInst *CoroBegin, SmallPtrSetImpl< BasicBlock *> &RelocBlocks)
Definition: CoroSplit.cpp:708
Multiway switch.
assert(ImpDefSCC.getReg()==AMDGPU::SCC &&ImpDefSCC.isDef())
SmallVector< CoroEndInst *, 4 > CoroEnds
Definition: CoroInternal.h:69
Module * getParent()
Get the module that this global value is contained inside of...
Definition: GlobalValue.h:566
LLVM Value Representation.
Definition: Value.h:73
void setInfo(Constant *C)
Definition: CoroInstr.h:164
CallGraphSCC - This is a single SCC that a CallGraphSCCPass is run on.
CallGraphNode * getOrInsertFunction(const Function *F)
Similar to operator[], but this will insert a new CallGraphNode for F if one does not already exist...
Definition: CallGraph.cpp:149
static CleanupReturnInst * Create(Value *CleanupPad, BasicBlock *UnwindBB=nullptr, Instruction *InsertBefore=nullptr)
AttrBuilder typeIncompatible(Type *Ty)
Which attributes cannot be applied to a type.
void moveBefore(Instruction *MovePos)
Unlink this instruction from its current basic block and insert it into the basic block that MovePos ...
Definition: Instruction.cpp:87
static bool simplifyTerminatorLeadingToRet(Instruction *InitialInst)
Definition: CoroSplit.cpp:458
bool declaresIntrinsics(Module &M, std::initializer_list< StringRef >)
Definition: Coroutines.cpp:140
void addFnAttr(Attribute::AttrKind Kind)
Add function attributes to this function.
Definition: Function.h:230
FunctionPass * createEarlyCSEPass(bool UseMemorySSA=false)
Definition: EarlyCSE.cpp:1320
ConstantInt * getInt8(uint8_t C)
Get a constant 8-bit value.
Definition: IRBuilder.h:297
static void removeCoroEnds(coro::Shape &Shape)
Definition: CoroSplit.cpp:339
StringRef - Represent a constant reference to a string, i.e.
Definition: StringRef.h:49
inst_range instructions(Function *F)
Definition: InstIterator.h:134
CoroAllocInst * getCoroAlloc()
Definition: CoroInstr.h:86
BasicBlock * AllocaSpillBlock
Definition: CoroInternal.h:83
#define LLVM_DEBUG(X)
Definition: Debug.h:123
CoroSaveInst * getCoroSave() const
Definition: CoroInstr.h:270
constexpr char Args[]
Key for Kernel::Metadata::mArgs.
void updateCallGraph(Function &Caller, ArrayRef< Function *> Funcs, CallGraph &CG, CallGraphSCC &SCC)
Definition: Coroutines.cpp:194
iterator_range< arg_iterator > args()
Definition: Function.h:689
A wrapper class for inspecting calls to intrinsic functions.
Definition: IntrinsicInst.h:44
const BasicBlock * getParent() const
Definition: Instruction.h:67