| 1 | //===----- CGCoroutine.cpp - Emit LLVM Code for C++ coroutines ------------===// |
| 2 | // |
| 3 | // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions. |
| 4 | // See https://llvm.org/LICENSE.txt for license information. |
| 5 | // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception |
| 6 | // |
| 7 | //===----------------------------------------------------------------------===// |
| 8 | // |
| 9 | // This contains code dealing with C++ code generation of coroutines. |
| 10 | // |
| 11 | //===----------------------------------------------------------------------===// |
| 12 | |
| 13 | #include "CGCleanup.h" |
| 14 | #include "CGDebugInfo.h" |
| 15 | #include "CodeGenFunction.h" |
| 16 | #include "clang/AST/StmtCXX.h" |
| 17 | #include "clang/AST/StmtVisitor.h" |
| 18 | #include "llvm/ADT/ScopeExit.h" |
| 19 | |
| 20 | using namespace clang; |
| 21 | using namespace CodeGen; |
| 22 | |
| 23 | using llvm::Value; |
| 24 | using llvm::BasicBlock; |
| 25 | |
| 26 | namespace { |
| 27 | enum class AwaitKind { Init, Normal, Yield, Final }; |
| 28 | static constexpr llvm::StringLiteral AwaitKindStr[] = {"init" , "await" , "yield" , |
| 29 | "final" }; |
| 30 | } |
| 31 | |
| 32 | struct clang::CodeGen::CGCoroData { |
| 33 | // What is the current await expression kind and how many |
| 34 | // await/yield expressions were encountered so far. |
| 35 | // These are used to generate pretty labels for await expressions in LLVM IR. |
| 36 | AwaitKind CurrentAwaitKind = AwaitKind::Init; |
| 37 | unsigned AwaitNum = 0; |
| 38 | unsigned YieldNum = 0; |
| 39 | |
| 40 | // How many co_return statements are in the coroutine. Used to decide whether |
| 41 | // we need to add co_return; equivalent at the end of the user authored body. |
| 42 | unsigned CoreturnCount = 0; |
| 43 | |
| 44 | // A branch to this block is emitted when coroutine needs to suspend. |
| 45 | llvm::BasicBlock *SuspendBB = nullptr; |
| 46 | // A branch to this block after final.cleanup or final.ready |
| 47 | llvm::BasicBlock *FinalExit = nullptr; |
| 48 | |
| 49 | // The promise type's 'unhandled_exception' handler, if it defines one. |
| 50 | Stmt *ExceptionHandler = nullptr; |
| 51 | |
| 52 | // A temporary i1 alloca that stores whether 'await_resume' threw an |
| 53 | // exception. If it did, 'true' is stored in this variable, and the coroutine |
| 54 | // body must be skipped. If the promise type does not define an exception |
| 55 | // handler, this is null. |
| 56 | llvm::Value *ResumeEHVar = nullptr; |
| 57 | |
| 58 | // Stores the jump destination just before the coroutine memory is freed. |
| 59 | // This is the destination that every suspend point jumps to for the cleanup |
| 60 | // branch. |
| 61 | CodeGenFunction::JumpDest CleanupJD; |
| 62 | |
| 63 | // Stores the jump destination just before the final suspend. The co_return |
| 64 | // statements jumps to this point after calling return_xxx promise member. |
| 65 | CodeGenFunction::JumpDest FinalJD; |
| 66 | |
| 67 | // Stores the llvm.coro.id emitted in the function so that we can supply it |
| 68 | // as the first argument to coro.begin, coro.alloc and coro.free intrinsics. |
| 69 | // Note: llvm.coro.id returns a token that cannot be directly expressed in a |
| 70 | // builtin. |
| 71 | llvm::CallInst *CoroId = nullptr; |
| 72 | |
| 73 | // Stores the llvm.coro.begin emitted in the function so that we can replace |
| 74 | // all coro.frame intrinsics with direct SSA value of coro.begin that returns |
| 75 | // the address of the coroutine frame of the current coroutine. |
| 76 | llvm::CallInst *CoroBegin = nullptr; |
| 77 | |
| 78 | // Stores the last emitted coro.free for the deallocate expressions, we use it |
| 79 | // to wrap dealloc code with if(auto mem = coro.free) dealloc(mem). |
| 80 | llvm::CallInst *LastCoroFree = nullptr; |
| 81 | |
| 82 | // If coro.id came from the builtin, remember the expression to give better |
| 83 | // diagnostic. If CoroIdExpr is nullptr, the coro.id was created by |
| 84 | // EmitCoroutineBody. |
| 85 | CallExpr const *CoroIdExpr = nullptr; |
| 86 | }; |
| 87 | |
| 88 | // Defining these here allows to keep CGCoroData private to this file. |
| 89 | clang::CodeGen::CodeGenFunction::CGCoroInfo::CGCoroInfo() {} |
| 90 | CodeGenFunction::CGCoroInfo::~CGCoroInfo() {} |
| 91 | |
| 92 | static void createCoroData(CodeGenFunction &CGF, |
| 93 | CodeGenFunction::CGCoroInfo &CurCoro, |
| 94 | llvm::CallInst *CoroId, |
| 95 | CallExpr const *CoroIdExpr = nullptr) { |
| 96 | if (CurCoro.Data) { |
| 97 | if (CurCoro.Data->CoroIdExpr) |
| 98 | CGF.CGM.Error(loc: CoroIdExpr->getBeginLoc(), |
| 99 | error: "only one __builtin_coro_id can be used in a function" ); |
| 100 | else if (CoroIdExpr) |
| 101 | CGF.CGM.Error(loc: CoroIdExpr->getBeginLoc(), |
| 102 | error: "__builtin_coro_id shall not be used in a C++ coroutine" ); |
| 103 | else |
| 104 | llvm_unreachable("EmitCoroutineBodyStatement called twice?" ); |
| 105 | |
| 106 | return; |
| 107 | } |
| 108 | |
| 109 | CurCoro.Data = std::make_unique<CGCoroData>(); |
| 110 | CurCoro.Data->CoroId = CoroId; |
| 111 | CurCoro.Data->CoroIdExpr = CoroIdExpr; |
| 112 | } |
| 113 | |
| 114 | // Synthesize a pretty name for a suspend point. |
| 115 | static SmallString<32> buildSuspendPrefixStr(CGCoroData &Coro, AwaitKind Kind) { |
| 116 | unsigned No = 0; |
| 117 | switch (Kind) { |
| 118 | case AwaitKind::Init: |
| 119 | case AwaitKind::Final: |
| 120 | break; |
| 121 | case AwaitKind::Normal: |
| 122 | No = ++Coro.AwaitNum; |
| 123 | break; |
| 124 | case AwaitKind::Yield: |
| 125 | No = ++Coro.YieldNum; |
| 126 | break; |
| 127 | } |
| 128 | SmallString<32> Prefix(AwaitKindStr[static_cast<unsigned>(Kind)]); |
| 129 | if (No > 1) { |
| 130 | Twine(No).toVector(Out&: Prefix); |
| 131 | } |
| 132 | return Prefix; |
| 133 | } |
| 134 | |
| 135 | // Check if function can throw based on prototype noexcept, also works for |
| 136 | // destructors which are implicitly noexcept but can be marked noexcept(false). |
| 137 | static bool FunctionCanThrow(const FunctionDecl *D) { |
| 138 | const auto *Proto = D->getType()->getAs<FunctionProtoType>(); |
| 139 | if (!Proto) { |
| 140 | // Function proto is not found, we conservatively assume throwing. |
| 141 | return true; |
| 142 | } |
| 143 | return !isNoexceptExceptionSpec(ESpecType: Proto->getExceptionSpecType()) || |
| 144 | Proto->canThrow() != CT_Cannot; |
| 145 | } |
| 146 | |
| 147 | static bool StmtCanThrow(const Stmt *S) { |
| 148 | if (const auto *CE = dyn_cast<CallExpr>(Val: S)) { |
| 149 | const auto *Callee = CE->getDirectCallee(); |
| 150 | if (!Callee) |
| 151 | // We don't have direct callee. Conservatively assume throwing. |
| 152 | return true; |
| 153 | |
| 154 | if (FunctionCanThrow(D: Callee)) |
| 155 | return true; |
| 156 | |
| 157 | // Fall through to visit the children. |
| 158 | } |
| 159 | |
| 160 | if (const auto *TE = dyn_cast<CXXBindTemporaryExpr>(Val: S)) { |
| 161 | // Special handling of CXXBindTemporaryExpr here as calling of Dtor of the |
| 162 | // temporary is not part of `children()` as covered in the fall through. |
| 163 | // We need to mark entire statement as throwing if the destructor of the |
| 164 | // temporary throws. |
| 165 | const auto *Dtor = TE->getTemporary()->getDestructor(); |
| 166 | if (FunctionCanThrow(D: Dtor)) |
| 167 | return true; |
| 168 | |
| 169 | // Fall through to visit the children. |
| 170 | } |
| 171 | |
| 172 | for (const auto *child : S->children()) |
| 173 | if (StmtCanThrow(S: child)) |
| 174 | return true; |
| 175 | |
| 176 | return false; |
| 177 | } |
| 178 | |
| 179 | // Emit suspend expression which roughly looks like: |
| 180 | // |
| 181 | // auto && x = CommonExpr(); |
| 182 | // if (!x.await_ready()) { |
| 183 | // llvm_coro_save(); |
| 184 | // llvm_coro_await_suspend(&x, frame, wrapper) (*) (**) |
| 185 | // llvm_coro_suspend(); (***) |
| 186 | // } |
| 187 | // x.await_resume(); |
| 188 | // |
| 189 | // where the result of the entire expression is the result of x.await_resume() |
| 190 | // |
| 191 | // (*) llvm_coro_await_suspend_{void, bool, handle} is lowered to |
| 192 | // wrapper(&x, frame) when it's certain not to interfere with |
| 193 | // coroutine transform. await_suspend expression is |
| 194 | // asynchronous to the coroutine body and not all analyses |
| 195 | // and transformations can handle it correctly at the moment. |
| 196 | // |
| 197 | // Wrapper function encapsulates x.await_suspend(...) call and looks like: |
| 198 | // |
| 199 | // auto __await_suspend_wrapper(auto& awaiter, void* frame) { |
| 200 | // std::coroutine_handle<> handle(frame); |
| 201 | // return awaiter.await_suspend(handle); |
| 202 | // } |
| 203 | // |
| 204 | // (**) If x.await_suspend return type is bool, it allows to veto a suspend: |
| 205 | // if (x.await_suspend(...)) |
| 206 | // llvm_coro_suspend(); |
| 207 | // |
| 208 | // (***) llvm_coro_suspend() encodes three possible continuations as |
| 209 | // a switch instruction: |
| 210 | // |
| 211 | // %where-to = call i8 @llvm.coro.suspend(...) |
| 212 | // switch i8 %where-to, label %coro.ret [ ; jump to epilogue to suspend |
| 213 | // i8 0, label %yield.ready ; go here when resumed |
| 214 | // i8 1, label %yield.cleanup ; go here when destroyed |
| 215 | // ] |
| 216 | // |
| 217 | // See llvm's docs/Coroutines.rst for more details. |
| 218 | // |
| 219 | namespace { |
| 220 | struct LValueOrRValue { |
| 221 | LValue LV; |
| 222 | RValue RV; |
| 223 | }; |
| 224 | } |
| 225 | static LValueOrRValue emitSuspendExpression(CodeGenFunction &CGF, CGCoroData &Coro, |
| 226 | CoroutineSuspendExpr const &S, |
| 227 | AwaitKind Kind, AggValueSlot aggSlot, |
| 228 | bool ignoreResult, bool forLValue) { |
| 229 | auto *E = S.getCommonExpr(); |
| 230 | |
| 231 | auto CommonBinder = |
| 232 | CodeGenFunction::OpaqueValueMappingData::bind(CGF, ov: S.getOpaqueValue(), e: E); |
| 233 | llvm::scope_exit UnbindCommonOnExit([&] { CommonBinder.unbind(CGF); }); |
| 234 | |
| 235 | auto Prefix = buildSuspendPrefixStr(Coro, Kind); |
| 236 | BasicBlock *ReadyBlock = CGF.createBasicBlock(name: Prefix + Twine(".ready" )); |
| 237 | BasicBlock *SuspendBlock = CGF.createBasicBlock(name: Prefix + Twine(".suspend" )); |
| 238 | BasicBlock *CleanupBlock = CGF.createBasicBlock(name: Prefix + Twine(".cleanup" )); |
| 239 | |
| 240 | // If expression is ready, no need to suspend. |
| 241 | CGF.EmitBranchOnBoolExpr(Cond: S.getReadyExpr(), TrueBlock: ReadyBlock, FalseBlock: SuspendBlock, TrueCount: 0); |
| 242 | |
| 243 | // Otherwise, emit suspend logic. |
| 244 | CGF.EmitBlock(BB: SuspendBlock); |
| 245 | |
| 246 | auto &Builder = CGF.Builder; |
| 247 | llvm::Function *CoroSave = CGF.CGM.getIntrinsic(IID: llvm::Intrinsic::coro_save); |
| 248 | auto *NullPtr = llvm::ConstantPointerNull::get(T: CGF.CGM.Int8PtrTy); |
| 249 | auto *SaveCall = Builder.CreateCall(Callee: CoroSave, Args: {NullPtr}); |
| 250 | |
| 251 | auto SuspendWrapper = CodeGenFunction(CGF.CGM).generateAwaitSuspendWrapper( |
| 252 | CoroName: CGF.CurFn->getName(), SuspendPointName: Prefix, S); |
| 253 | |
| 254 | CGF.CurCoro.InSuspendBlock = true; |
| 255 | |
| 256 | assert(CGF.CurCoro.Data && CGF.CurCoro.Data->CoroBegin && |
| 257 | "expected to be called in coroutine context" ); |
| 258 | |
| 259 | SmallVector<llvm::Value *, 3> SuspendIntrinsicCallArgs; |
| 260 | SuspendIntrinsicCallArgs.push_back( |
| 261 | Elt: CGF.getOrCreateOpaqueLValueMapping(e: S.getOpaqueValue()).getPointer(CGF)); |
| 262 | |
| 263 | SuspendIntrinsicCallArgs.push_back(Elt: CGF.CurCoro.Data->CoroBegin); |
| 264 | SuspendIntrinsicCallArgs.push_back(Elt: SuspendWrapper); |
| 265 | |
| 266 | const auto SuspendReturnType = S.getSuspendReturnType(); |
| 267 | llvm::Intrinsic::ID AwaitSuspendIID; |
| 268 | |
| 269 | switch (SuspendReturnType) { |
| 270 | case CoroutineSuspendExpr::SuspendReturnType::SuspendVoid: |
| 271 | AwaitSuspendIID = llvm::Intrinsic::coro_await_suspend_void; |
| 272 | break; |
| 273 | case CoroutineSuspendExpr::SuspendReturnType::SuspendBool: |
| 274 | AwaitSuspendIID = llvm::Intrinsic::coro_await_suspend_bool; |
| 275 | break; |
| 276 | case CoroutineSuspendExpr::SuspendReturnType::SuspendHandle: |
| 277 | AwaitSuspendIID = llvm::Intrinsic::coro_await_suspend_handle; |
| 278 | break; |
| 279 | } |
| 280 | |
| 281 | llvm::Function *AwaitSuspendIntrinsic = CGF.CGM.getIntrinsic(IID: AwaitSuspendIID); |
| 282 | |
| 283 | // SuspendHandle might throw since it also resumes the returned handle. |
| 284 | const bool AwaitSuspendCanThrow = |
| 285 | SuspendReturnType == |
| 286 | CoroutineSuspendExpr::SuspendReturnType::SuspendHandle || |
| 287 | StmtCanThrow(S: S.getSuspendExpr()); |
| 288 | |
| 289 | llvm::CallBase *SuspendRet = nullptr; |
| 290 | // FIXME: add call attributes? |
| 291 | if (AwaitSuspendCanThrow) |
| 292 | SuspendRet = |
| 293 | CGF.EmitCallOrInvoke(Callee: AwaitSuspendIntrinsic, Args: SuspendIntrinsicCallArgs); |
| 294 | else |
| 295 | SuspendRet = CGF.EmitNounwindRuntimeCall(callee: AwaitSuspendIntrinsic, |
| 296 | args: SuspendIntrinsicCallArgs); |
| 297 | |
| 298 | assert(SuspendRet); |
| 299 | CGF.CurCoro.InSuspendBlock = false; |
| 300 | |
| 301 | switch (SuspendReturnType) { |
| 302 | case CoroutineSuspendExpr::SuspendReturnType::SuspendVoid: |
| 303 | assert(SuspendRet->getType()->isVoidTy()); |
| 304 | break; |
| 305 | case CoroutineSuspendExpr::SuspendReturnType::SuspendBool: { |
| 306 | assert(SuspendRet->getType()->isIntegerTy()); |
| 307 | |
| 308 | // Veto suspension if requested by bool returning await_suspend. |
| 309 | BasicBlock *RealSuspendBlock = |
| 310 | CGF.createBasicBlock(name: Prefix + Twine(".suspend.bool" )); |
| 311 | CGF.Builder.CreateCondBr(Cond: SuspendRet, True: RealSuspendBlock, False: ReadyBlock); |
| 312 | CGF.EmitBlock(BB: RealSuspendBlock); |
| 313 | break; |
| 314 | } |
| 315 | case CoroutineSuspendExpr::SuspendReturnType::SuspendHandle: { |
| 316 | assert(SuspendRet->getType()->isVoidTy()); |
| 317 | break; |
| 318 | } |
| 319 | } |
| 320 | |
| 321 | // Emit the suspend point. |
| 322 | const bool IsFinalSuspend = (Kind == AwaitKind::Final); |
| 323 | llvm::Function *CoroSuspend = |
| 324 | CGF.CGM.getIntrinsic(IID: llvm::Intrinsic::coro_suspend); |
| 325 | auto *SuspendResult = Builder.CreateCall( |
| 326 | Callee: CoroSuspend, Args: {SaveCall, Builder.getInt1(V: IsFinalSuspend)}); |
| 327 | |
| 328 | // Create a switch capturing three possible continuations. |
| 329 | auto *Switch = Builder.CreateSwitch(V: SuspendResult, Dest: Coro.SuspendBB, NumCases: 2); |
| 330 | Switch->addCase(OnVal: Builder.getInt8(C: 0), Dest: ReadyBlock); |
| 331 | Switch->addCase(OnVal: Builder.getInt8(C: 1), Dest: CleanupBlock); |
| 332 | |
| 333 | // Emit cleanup for this suspend point. |
| 334 | CGF.EmitBlock(BB: CleanupBlock); |
| 335 | CGF.EmitBranchThroughCleanup(Dest: Coro.CleanupJD); |
| 336 | if (IsFinalSuspend) |
| 337 | Coro.FinalExit = CleanupBlock->getSingleSuccessor(); |
| 338 | |
| 339 | // Emit await_resume expression. |
| 340 | CGF.EmitBlock(BB: ReadyBlock); |
| 341 | |
| 342 | // Exception handling requires additional IR. If the 'await_resume' function |
| 343 | // is marked as 'noexcept', we avoid generating this additional IR. |
| 344 | CXXTryStmt *TryStmt = nullptr; |
| 345 | if (Coro.ExceptionHandler && Kind == AwaitKind::Init && |
| 346 | StmtCanThrow(S: S.getResumeExpr())) { |
| 347 | Coro.ResumeEHVar = |
| 348 | CGF.CreateTempAlloca(Ty: Builder.getInt1Ty(), Name: Prefix + Twine("resume.eh" )); |
| 349 | Builder.CreateFlagStore(Value: true, Addr: Coro.ResumeEHVar); |
| 350 | |
| 351 | auto Loc = S.getResumeExpr()->getExprLoc(); |
| 352 | auto *Catch = new (CGF.getContext()) |
| 353 | CXXCatchStmt(Loc, /*exDecl=*/nullptr, Coro.ExceptionHandler); |
| 354 | auto *TryBody = CompoundStmt::Create(C: CGF.getContext(), Stmts: S.getResumeExpr(), |
| 355 | FPFeatures: FPOptionsOverride(), LB: Loc, RB: Loc); |
| 356 | TryStmt = CXXTryStmt::Create(C: CGF.getContext(), tryLoc: Loc, tryBlock: TryBody, handlers: Catch); |
| 357 | CGF.EnterCXXTryStmt(S: *TryStmt); |
| 358 | CGF.EmitStmt(S: TryBody); |
| 359 | // We don't use EmitCXXTryStmt here. We need to store to ResumeEHVar that |
| 360 | // doesn't exist in the body. |
| 361 | Builder.CreateFlagStore(Value: false, Addr: Coro.ResumeEHVar); |
| 362 | CGF.ExitCXXTryStmt(S: *TryStmt); |
| 363 | LValueOrRValue Res; |
| 364 | // We are not supposed to obtain the value from init suspend await_resume(). |
| 365 | Res.RV = RValue::getIgnored(); |
| 366 | return Res; |
| 367 | } |
| 368 | |
| 369 | LValueOrRValue Res; |
| 370 | if (forLValue) |
| 371 | Res.LV = CGF.EmitLValue(E: S.getResumeExpr()); |
| 372 | else |
| 373 | Res.RV = CGF.EmitAnyExpr(E: S.getResumeExpr(), aggSlot, ignoreResult); |
| 374 | |
| 375 | return Res; |
| 376 | } |
| 377 | |
| 378 | RValue CodeGenFunction::EmitCoawaitExpr(const CoawaitExpr &E, |
| 379 | AggValueSlot aggSlot, |
| 380 | bool ignoreResult) { |
| 381 | return emitSuspendExpression(CGF&: *this, Coro&: *CurCoro.Data, S: E, |
| 382 | Kind: CurCoro.Data->CurrentAwaitKind, aggSlot, |
| 383 | ignoreResult, /*forLValue*/false).RV; |
| 384 | } |
| 385 | RValue CodeGenFunction::EmitCoyieldExpr(const CoyieldExpr &E, |
| 386 | AggValueSlot aggSlot, |
| 387 | bool ignoreResult) { |
| 388 | return emitSuspendExpression(CGF&: *this, Coro&: *CurCoro.Data, S: E, Kind: AwaitKind::Yield, |
| 389 | aggSlot, ignoreResult, /*forLValue*/false).RV; |
| 390 | } |
| 391 | |
| 392 | void CodeGenFunction::EmitCoreturnStmt(CoreturnStmt const &S) { |
| 393 | ++CurCoro.Data->CoreturnCount; |
| 394 | const Expr *RV = S.getOperand(); |
| 395 | if (RV && RV->getType()->isVoidType() && !isa<InitListExpr>(Val: RV)) { |
| 396 | // Make sure to evaluate the non initlist expression of a co_return |
| 397 | // with a void expression for side effects. |
| 398 | RunCleanupsScope cleanupScope(*this); |
| 399 | EmitIgnoredExpr(E: RV); |
| 400 | } |
| 401 | EmitStmt(S: S.getPromiseCall()); |
| 402 | EmitBranchThroughCleanup(Dest: CurCoro.Data->FinalJD); |
| 403 | } |
| 404 | |
| 405 | |
| 406 | #ifndef NDEBUG |
| 407 | static QualType getCoroutineSuspendExprReturnType(const ASTContext &Ctx, |
| 408 | const CoroutineSuspendExpr *E) { |
| 409 | const auto *RE = E->getResumeExpr(); |
| 410 | // Is it possible for RE to be a CXXBindTemporaryExpr wrapping |
| 411 | // a MemberCallExpr? |
| 412 | assert(isa<CallExpr>(RE) && "unexpected suspend expression type" ); |
| 413 | return cast<CallExpr>(RE)->getCallReturnType(Ctx); |
| 414 | } |
| 415 | #endif |
| 416 | |
| 417 | llvm::Function * |
| 418 | CodeGenFunction::generateAwaitSuspendWrapper(Twine const &CoroName, |
| 419 | Twine const &SuspendPointName, |
| 420 | CoroutineSuspendExpr const &S) { |
| 421 | std::string FuncName = |
| 422 | (CoroName + ".__await_suspend_wrapper__" + SuspendPointName).str(); |
| 423 | |
| 424 | ASTContext &C = getContext(); |
| 425 | |
| 426 | FunctionArgList args; |
| 427 | |
| 428 | ImplicitParamDecl AwaiterDecl(C, C.VoidPtrTy, ImplicitParamKind::Other); |
| 429 | ImplicitParamDecl FrameDecl(C, C.VoidPtrTy, ImplicitParamKind::Other); |
| 430 | QualType ReturnTy = S.getSuspendExpr()->getType(); |
| 431 | |
| 432 | args.push_back(Elt: &AwaiterDecl); |
| 433 | args.push_back(Elt: &FrameDecl); |
| 434 | |
| 435 | const CGFunctionInfo &FI = |
| 436 | CGM.getTypes().arrangeBuiltinFunctionDeclaration(resultType: ReturnTy, args); |
| 437 | |
| 438 | llvm::FunctionType *LTy = CGM.getTypes().GetFunctionType(Info: FI); |
| 439 | |
| 440 | llvm::Function *Fn = llvm::Function::Create( |
| 441 | Ty: LTy, Linkage: llvm::GlobalValue::InternalLinkage, N: FuncName, M: &CGM.getModule()); |
| 442 | |
| 443 | Fn->addParamAttr(ArgNo: 0, Kind: llvm::Attribute::AttrKind::NonNull); |
| 444 | Fn->addParamAttr(ArgNo: 0, Kind: llvm::Attribute::AttrKind::NoUndef); |
| 445 | |
| 446 | Fn->addParamAttr(ArgNo: 1, Kind: llvm::Attribute::AttrKind::NoUndef); |
| 447 | |
| 448 | Fn->setMustProgress(); |
| 449 | Fn->addFnAttr(Kind: llvm::Attribute::AttrKind::AlwaysInline); |
| 450 | Fn->addFnAttr(Kind: "sample-profile-suffix-elision-policy" , Val: "selected" ); |
| 451 | |
| 452 | StartFunction(GD: GlobalDecl(), RetTy: ReturnTy, Fn, FnInfo: FI, Args: args); |
| 453 | |
| 454 | // FIXME: add TBAA metadata to the loads |
| 455 | llvm::Value *AwaiterPtr = Builder.CreateLoad(Addr: GetAddrOfLocalVar(VD: &AwaiterDecl)); |
| 456 | auto AwaiterLValue = |
| 457 | MakeNaturalAlignAddrLValue(V: AwaiterPtr, T: AwaiterDecl.getType()); |
| 458 | |
| 459 | CurAwaitSuspendWrapper.FramePtr = |
| 460 | Builder.CreateLoad(Addr: GetAddrOfLocalVar(VD: &FrameDecl)); |
| 461 | |
| 462 | auto AwaiterBinder = CodeGenFunction::OpaqueValueMappingData::bind( |
| 463 | CGF&: *this, ov: S.getOpaqueValue(), lv: AwaiterLValue); |
| 464 | |
| 465 | auto *SuspendRet = EmitScalarExpr(E: S.getSuspendExpr()); |
| 466 | |
| 467 | llvm::scope_exit UnbindCommonOnExit([&] { AwaiterBinder.unbind(CGF&: *this); }); |
| 468 | if (SuspendRet != nullptr) { |
| 469 | Fn->addRetAttr(Kind: llvm::Attribute::AttrKind::NoUndef); |
| 470 | Builder.CreateStore(Val: SuspendRet, Addr: ReturnValue); |
| 471 | } |
| 472 | |
| 473 | CurAwaitSuspendWrapper.FramePtr = nullptr; |
| 474 | FinishFunction(); |
| 475 | return Fn; |
| 476 | } |
| 477 | |
| 478 | LValue |
| 479 | CodeGenFunction::EmitCoawaitLValue(const CoawaitExpr *E) { |
| 480 | assert(getCoroutineSuspendExprReturnType(getContext(), E)->isReferenceType() && |
| 481 | "Can't have a scalar return unless the return type is a " |
| 482 | "reference type!" ); |
| 483 | return emitSuspendExpression(CGF&: *this, Coro&: *CurCoro.Data, S: *E, |
| 484 | Kind: CurCoro.Data->CurrentAwaitKind, aggSlot: AggValueSlot::ignored(), |
| 485 | /*ignoreResult*/false, /*forLValue*/true).LV; |
| 486 | } |
| 487 | |
| 488 | LValue |
| 489 | CodeGenFunction::EmitCoyieldLValue(const CoyieldExpr *E) { |
| 490 | assert(getCoroutineSuspendExprReturnType(getContext(), E)->isReferenceType() && |
| 491 | "Can't have a scalar return unless the return type is a " |
| 492 | "reference type!" ); |
| 493 | return emitSuspendExpression(CGF&: *this, Coro&: *CurCoro.Data, S: *E, |
| 494 | Kind: AwaitKind::Yield, aggSlot: AggValueSlot::ignored(), |
| 495 | /*ignoreResult*/false, /*forLValue*/true).LV; |
| 496 | } |
| 497 | |
| 498 | // Hunts for the parameter reference in the parameter copy/move declaration. |
| 499 | namespace { |
| 500 | struct GetParamRef : public StmtVisitor<GetParamRef> { |
| 501 | public: |
| 502 | DeclRefExpr *Expr = nullptr; |
| 503 | GetParamRef() {} |
| 504 | void VisitDeclRefExpr(DeclRefExpr *E) { |
| 505 | assert(Expr == nullptr && "multilple declref in param move" ); |
| 506 | Expr = E; |
| 507 | } |
| 508 | void VisitStmt(Stmt *S) { |
| 509 | for (auto *C : S->children()) { |
| 510 | if (C) |
| 511 | Visit(S: C); |
| 512 | } |
| 513 | } |
| 514 | }; |
| 515 | } |
| 516 | |
| 517 | // This class replaces references to parameters to their copies by changing |
| 518 | // the addresses in CGF.LocalDeclMap and restoring back the original values in |
| 519 | // its destructor. |
| 520 | |
| 521 | namespace { |
| 522 | struct ParamReferenceReplacerRAII { |
| 523 | CodeGenFunction::DeclMapTy SavedLocals; |
| 524 | CodeGenFunction::DeclMapTy& LocalDeclMap; |
| 525 | |
| 526 | ParamReferenceReplacerRAII(CodeGenFunction::DeclMapTy &LocalDeclMap) |
| 527 | : LocalDeclMap(LocalDeclMap) {} |
| 528 | |
| 529 | void addCopy(DeclStmt const *PM) { |
| 530 | // Figure out what param it refers to. |
| 531 | |
| 532 | assert(PM->isSingleDecl()); |
| 533 | VarDecl const*VD = static_cast<VarDecl const*>(PM->getSingleDecl()); |
| 534 | Expr const *InitExpr = VD->getInit(); |
| 535 | GetParamRef Visitor; |
| 536 | Visitor.Visit(S: const_cast<Expr*>(InitExpr)); |
| 537 | assert(Visitor.Expr); |
| 538 | DeclRefExpr *DREOrig = Visitor.Expr; |
| 539 | auto *PD = DREOrig->getDecl(); |
| 540 | |
| 541 | auto it = LocalDeclMap.find(Val: PD); |
| 542 | assert(it != LocalDeclMap.end() && "parameter is not found" ); |
| 543 | SavedLocals.insert(KV: { PD, it->second }); |
| 544 | |
| 545 | auto copyIt = LocalDeclMap.find(Val: VD); |
| 546 | assert(copyIt != LocalDeclMap.end() && "parameter copy is not found" ); |
| 547 | it->second = copyIt->getSecond(); |
| 548 | } |
| 549 | |
| 550 | ~ParamReferenceReplacerRAII() { |
| 551 | for (auto&& SavedLocal : SavedLocals) { |
| 552 | LocalDeclMap.insert(KV: {SavedLocal.first, SavedLocal.second}); |
| 553 | } |
| 554 | } |
| 555 | }; |
| 556 | } |
| 557 | |
| 558 | // For WinEH exception representation backend needs to know what funclet coro.end |
| 559 | // belongs to. That information is passed in a funclet bundle. |
| 560 | static SmallVector<llvm::OperandBundleDef, 1> |
| 561 | getBundlesForCoroEnd(CodeGenFunction &CGF) { |
| 562 | SmallVector<llvm::OperandBundleDef, 1> BundleList; |
| 563 | |
| 564 | if (llvm::Instruction *EHPad = CGF.CurrentFuncletPad) |
| 565 | BundleList.emplace_back(Args: "funclet" , Args&: EHPad); |
| 566 | |
| 567 | return BundleList; |
| 568 | } |
| 569 | |
| 570 | namespace { |
| 571 | // We will insert coro.end to cut any of the destructors for objects that |
| 572 | // do not need to be destroyed once the coroutine is resumed. |
| 573 | // See llvm/docs/Coroutines.rst for more details about coro.end. |
| 574 | struct CallCoroEnd final : public EHScopeStack::Cleanup { |
| 575 | void Emit(CodeGenFunction &CGF, Flags flags) override { |
| 576 | auto &CGM = CGF.CGM; |
| 577 | auto *NullPtr = llvm::ConstantPointerNull::get(T: CGF.Int8PtrTy); |
| 578 | llvm::Function *CoroEndFn = CGM.getIntrinsic(IID: llvm::Intrinsic::coro_end); |
| 579 | // See if we have a funclet bundle to associate coro.end with. (WinEH) |
| 580 | auto Bundles = getBundlesForCoroEnd(CGF); |
| 581 | CGF.Builder.CreateCall( |
| 582 | Callee: CoroEndFn, |
| 583 | Args: {NullPtr, CGF.Builder.getTrue(), |
| 584 | llvm::ConstantTokenNone::get(Context&: CoroEndFn->getContext())}, |
| 585 | OpBundles: Bundles); |
| 586 | if (Bundles.empty()) { |
| 587 | // Otherwise, (landingpad model), create a conditional branch that leads |
| 588 | // either to a cleanup block or a block with EH resume instruction. |
| 589 | auto *ResumeBB = CGF.getEHResumeBlock(/*isCleanup=*/true); |
| 590 | auto *CleanupContBB = CGF.createBasicBlock(name: "cleanup.cont" ); |
| 591 | auto *CoroIsInRampFn = CGM.getIntrinsic(IID: llvm::Intrinsic::coro_is_in_ramp); |
| 592 | auto *CoroIsInRamp = CGF.Builder.CreateCall(Callee: CoroIsInRampFn); |
| 593 | CGF.Builder.CreateCondBr(Cond: CoroIsInRamp, True: CleanupContBB, False: ResumeBB); |
| 594 | CGF.EmitBlock(BB: CleanupContBB); |
| 595 | } |
| 596 | } |
| 597 | }; |
| 598 | } |
| 599 | |
| 600 | namespace { |
| 601 | // Make sure to call coro.delete on scope exit. |
| 602 | struct CallCoroDelete final : public EHScopeStack::Cleanup { |
| 603 | Stmt *Deallocate; |
| 604 | |
| 605 | // Emit "if (coro.free(CoroId, CoroBegin)) Deallocate;" |
| 606 | |
| 607 | // Note: That deallocation will be emitted twice: once for a normal exit and |
| 608 | // once for exceptional exit. This usage is safe because Deallocate does not |
| 609 | // contain any declarations. The SubStmtBuilder::makeNewAndDeleteExpr() |
| 610 | // builds a single call to a deallocation function which is safe to emit |
| 611 | // multiple times. |
| 612 | void Emit(CodeGenFunction &CGF, Flags) override { |
| 613 | // Remember the current point, as we are going to emit deallocation code |
| 614 | // first to get to coro.free instruction that is an argument to a delete |
| 615 | // call. |
| 616 | BasicBlock *SaveInsertBlock = CGF.Builder.GetInsertBlock(); |
| 617 | |
| 618 | auto *FreeBB = CGF.createBasicBlock(name: "coro.free" ); |
| 619 | CGF.EmitBlock(BB: FreeBB); |
| 620 | CGF.EmitStmt(S: Deallocate); |
| 621 | |
| 622 | auto *AfterFreeBB = CGF.createBasicBlock(name: "after.coro.free" ); |
| 623 | CGF.EmitBlock(BB: AfterFreeBB); |
| 624 | |
| 625 | // We should have captured coro.free from the emission of deallocate. |
| 626 | auto *CoroFree = CGF.CurCoro.Data->LastCoroFree; |
| 627 | if (!CoroFree) { |
| 628 | CGF.CGM.Error(loc: Deallocate->getBeginLoc(), |
| 629 | error: "Deallocation expressoin does not refer to coro.free" ); |
| 630 | return; |
| 631 | } |
| 632 | |
| 633 | // Get back to the block we were originally and move coro.free there. |
| 634 | auto *InsertPt = SaveInsertBlock->getTerminator(); |
| 635 | CoroFree->moveBefore(InsertPos: InsertPt->getIterator()); |
| 636 | CGF.Builder.SetInsertPoint(InsertPt); |
| 637 | |
| 638 | // Add if (auto *mem = coro.free) Deallocate; |
| 639 | auto *NullPtr = llvm::ConstantPointerNull::get(T: CGF.Int8PtrTy); |
| 640 | auto *Cond = CGF.Builder.CreateICmpNE(LHS: CoroFree, RHS: NullPtr); |
| 641 | CGF.Builder.CreateCondBr(Cond, True: FreeBB, False: AfterFreeBB); |
| 642 | |
| 643 | // No longer need old terminator. |
| 644 | InsertPt->eraseFromParent(); |
| 645 | CGF.Builder.SetInsertPoint(AfterFreeBB); |
| 646 | } |
| 647 | explicit CallCoroDelete(Stmt *DeallocStmt) : Deallocate(DeallocStmt) {} |
| 648 | }; |
| 649 | } |
| 650 | |
| 651 | namespace { |
| 652 | struct GetReturnObjectManager { |
| 653 | CodeGenFunction &CGF; |
| 654 | CGBuilderTy &Builder; |
| 655 | const CoroutineBodyStmt &S; |
| 656 | // When true, performs RVO for the return object. |
| 657 | bool DirectEmit = false; |
| 658 | |
| 659 | Address GroActiveFlag; |
| 660 | CodeGenFunction::AutoVarEmission GroEmission; |
| 661 | |
| 662 | GetReturnObjectManager(CodeGenFunction &CGF, const CoroutineBodyStmt &S) |
| 663 | : CGF(CGF), Builder(CGF.Builder), S(S), GroActiveFlag(Address::invalid()), |
| 664 | GroEmission(CodeGenFunction::AutoVarEmission::invalid()) { |
| 665 | // The call to get_Âreturn_Âobject is sequenced before the call to |
| 666 | // initial_Âsuspend and is invoked at most once, but there are caveats |
| 667 | // regarding on whether the prvalue result object may be initialized |
| 668 | // directly/eager or delayed, depending on the types involved. |
| 669 | // |
| 670 | // More info at https://github.com/cplusplus/papers/issues/1414 |
| 671 | // |
| 672 | // The general cases: |
| 673 | // 1. Same type of get_return_object and coroutine return type (direct |
| 674 | // emission): |
| 675 | // - Constructed in the return slot. |
| 676 | // 2. Different types (delayed emission): |
| 677 | // - Constructed temporary object prior to initial suspend initialized with |
| 678 | // a call to get_return_object() |
| 679 | // - When coroutine needs to to return to the caller and needs to construct |
| 680 | // return value for the coroutine it is initialized with expiring value of |
| 681 | // the temporary obtained above. |
| 682 | // |
| 683 | // Direct emission for void returning coroutines or GROs. |
| 684 | DirectEmit = [&]() { |
| 685 | auto *RVI = S.getReturnValueInit(); |
| 686 | assert(RVI && "expected RVI" ); |
| 687 | auto GroType = RVI->getType(); |
| 688 | return CGF.getContext().hasSameType(T1: GroType, T2: CGF.FnRetTy); |
| 689 | }(); |
| 690 | } |
| 691 | |
| 692 | // The gro variable has to outlive coroutine frame and coroutine promise, but, |
| 693 | // it can only be initialized after coroutine promise was created. Thus, |
| 694 | // EmitGroActive emits a flag and sets it to false. Later when coroutine |
| 695 | // promise is available we initialize the gro and set the flag indicating that |
| 696 | // the cleanup is now active. |
| 697 | void EmitGroActive() { |
| 698 | if (DirectEmit) |
| 699 | return; |
| 700 | |
| 701 | auto *GroDeclStmt = dyn_cast_or_null<DeclStmt>(Val: S.getResultDecl()); |
| 702 | if (!GroDeclStmt) { |
| 703 | // If get_return_object returns void, no need to do an alloca. |
| 704 | return; |
| 705 | } |
| 706 | |
| 707 | // Set GRO flag that it is not initialized yet |
| 708 | GroActiveFlag = CGF.CreateTempAlloca(Ty: Builder.getInt1Ty(), align: CharUnits::One(), |
| 709 | Name: "gro.active" ); |
| 710 | Builder.CreateStore(Val: Builder.getFalse(), Addr: GroActiveFlag); |
| 711 | } |
| 712 | |
| 713 | void EmitGroAlloca() { |
| 714 | if (DirectEmit) |
| 715 | return; |
| 716 | |
| 717 | auto *GroDeclStmt = dyn_cast_or_null<DeclStmt>(Val: S.getResultDecl()); |
| 718 | if (!GroDeclStmt) { |
| 719 | // If get_return_object returns void, no need to do an alloca. |
| 720 | return; |
| 721 | } |
| 722 | |
| 723 | auto *GroVarDecl = cast<VarDecl>(Val: GroDeclStmt->getSingleDecl()); |
| 724 | |
| 725 | GroEmission = CGF.EmitAutoVarAlloca(var: *GroVarDecl); |
| 726 | |
| 727 | if (!GroVarDecl->isNRVOVariable()) { |
| 728 | // NRVO variables don't have allocas and won't have the same issue. |
| 729 | auto *GroAlloca = dyn_cast_or_null<llvm::AllocaInst>( |
| 730 | Val: GroEmission.getOriginalAllocatedAddress().getPointer()); |
| 731 | assert(GroAlloca && "expected alloca to be emitted" ); |
| 732 | GroAlloca->setMetadata(KindID: llvm::LLVMContext::MD_coro_outside_frame, |
| 733 | Node: llvm::MDNode::get(Context&: CGF.CGM.getLLVMContext(), MDs: {})); |
| 734 | } |
| 735 | |
| 736 | // Remember the top of EHStack before emitting the cleanup. |
| 737 | auto old_top = CGF.EHStack.stable_begin(); |
| 738 | CGF.EmitAutoVarCleanups(emission: GroEmission); |
| 739 | auto top = CGF.EHStack.stable_begin(); |
| 740 | |
| 741 | // Make the cleanup conditional on gro.active |
| 742 | for (auto b = CGF.EHStack.find(sp: top), e = CGF.EHStack.find(sp: old_top); b != e; |
| 743 | b++) { |
| 744 | if (auto *Cleanup = dyn_cast<EHCleanupScope>(Val: &*b)) { |
| 745 | assert(!Cleanup->hasActiveFlag() && "cleanup already has active flag?" ); |
| 746 | Cleanup->setActiveFlag(GroActiveFlag); |
| 747 | Cleanup->setTestFlagInEHCleanup(); |
| 748 | Cleanup->setTestFlagInNormalCleanup(); |
| 749 | } |
| 750 | } |
| 751 | } |
| 752 | |
| 753 | void EmitGroInit() { |
| 754 | if (DirectEmit) { |
| 755 | // ReturnValue should be valid as long as the coroutine's return type |
| 756 | // is not void. The assertion could help us to reduce the check later. |
| 757 | assert(CGF.ReturnValue.isValid() == (bool)S.getReturnStmt()); |
| 758 | // Now we have the promise, initialize the GRO. |
| 759 | // We need to emit `get_return_object` first. According to: |
| 760 | // [dcl.fct.def.coroutine]p7 |
| 761 | // The call to get_return_Âobject is sequenced before the call to |
| 762 | // initial_suspend and is invoked at most once. |
| 763 | // |
| 764 | // So we couldn't emit return value when we emit return statment, |
| 765 | // otherwise the call to get_return_object wouldn't be in front |
| 766 | // of initial_suspend. |
| 767 | if (CGF.ReturnValue.isValid()) { |
| 768 | CGF.EmitAnyExprToMem(E: S.getReturnValue(), Location: CGF.ReturnValue, |
| 769 | Quals: S.getReturnValue()->getType().getQualifiers(), |
| 770 | /*IsInit*/ IsInitializer: true); |
| 771 | } |
| 772 | return; |
| 773 | } |
| 774 | |
| 775 | if (!GroActiveFlag.isValid()) { |
| 776 | // No Gro variable was allocated. Simply emit the call to |
| 777 | // get_return_object. |
| 778 | CGF.EmitStmt(S: S.getResultDecl()); |
| 779 | return; |
| 780 | } |
| 781 | |
| 782 | CGF.EmitAutoVarInit(emission: GroEmission); |
| 783 | Builder.CreateStore(Val: Builder.getTrue(), Addr: GroActiveFlag); |
| 784 | } |
| 785 | // The GRO returns either when it is first suspended or when it completes |
| 786 | // without ever being suspended. The EmitGroConv function evaluates these |
| 787 | // conditions and perform the conversion if needed. |
| 788 | // |
| 789 | // Before EmitGroConv(): |
| 790 | // final.exit: |
| 791 | // switch i32 %cleanup.dest, label %destroy [ |
| 792 | // i32 0, label %after.ready |
| 793 | // ] |
| 794 | // |
| 795 | // after.ready: |
| 796 | // ; (empty) |
| 797 | // |
| 798 | // After EmitGroConv(): |
| 799 | // final.exit: |
| 800 | // switch i32 %cleanup.dest, label %destroy [ |
| 801 | // i32 0, label %pre.gro.conv |
| 802 | // ] |
| 803 | // |
| 804 | // pre.gro.conv: |
| 805 | // %IsFinalExit = phi i1 [ false, %any.suspend ], [ true, %final.exit ] |
| 806 | // %InRamp = call i1 @llvm.coro.is_in_ramp() |
| 807 | // br i1 %InRamp, label %gro.conv, label %after.gro.conv |
| 808 | // |
| 809 | // gro.conv: |
| 810 | // ; GRO conversion |
| 811 | // br label %after.gro.conv |
| 812 | // |
| 813 | // after.gro.conv: |
| 814 | // br i1 %IsFinalExit, label %after.ready, label %coro.ret |
| 815 | void EmitGroConv(BasicBlock *RetBB) { |
| 816 | auto *AfterReadyBB = Builder.GetInsertBlock(); |
| 817 | Builder.ClearInsertionPoint(); |
| 818 | |
| 819 | auto *PreConvBB = CGF.CurCoro.Data->SuspendBB; |
| 820 | CGF.EmitBlock(BB: PreConvBB); |
| 821 | // If final.exit exists, redirect it to PreConvBB |
| 822 | llvm::PHINode *IsFinalExit = nullptr; |
| 823 | if (BasicBlock *FinalExit = CGF.CurCoro.Data->FinalExit) { |
| 824 | assert(AfterReadyBB && |
| 825 | AfterReadyBB->getSinglePredecessor() == FinalExit && |
| 826 | "Expect fallthrough from final.exit block" ); |
| 827 | AfterReadyBB->replaceAllUsesWith(V: PreConvBB); |
| 828 | PreConvBB->moveBefore(MovePos: AfterReadyBB); |
| 829 | |
| 830 | // If true, coroutine completes and should be destroyed after conversion |
| 831 | IsFinalExit = |
| 832 | Builder.CreatePHI(Ty: Builder.getInt1Ty(), NumReservedValues: llvm::pred_size(BB: PreConvBB)); |
| 833 | for (auto *Pred : llvm::predecessors(BB: PreConvBB)) { |
| 834 | auto *V = (Pred == FinalExit) ? Builder.getTrue() : Builder.getFalse(); |
| 835 | IsFinalExit->addIncoming(V, BB: Pred); |
| 836 | } |
| 837 | } |
| 838 | auto *InRampFn = CGF.CGM.getIntrinsic(IID: llvm::Intrinsic::coro_is_in_ramp); |
| 839 | auto *InRamp = Builder.CreateCall(Callee: InRampFn, Args: {}, Name: "InRamp" ); |
| 840 | auto *ConvBB = CGF.createBasicBlock(name: "gro.conv" ); |
| 841 | auto *AfterConvBB = CGF.createBasicBlock(name: "after.gro.conv" ); |
| 842 | Builder.CreateCondBr(Cond: InRamp, True: ConvBB, False: AfterConvBB); |
| 843 | |
| 844 | CGF.EmitBlock(BB: ConvBB); |
| 845 | CGF.EmitAnyExprToMem(E: S.getReturnValue(), Location: CGF.ReturnValue, |
| 846 | Quals: S.getReturnValue()->getType().getQualifiers(), |
| 847 | /*IsInit*/ IsInitializer: true); |
| 848 | Builder.CreateBr(Dest: AfterConvBB); |
| 849 | |
| 850 | CGF.EmitBlock(BB: AfterConvBB); |
| 851 | if (IsFinalExit) |
| 852 | Builder.CreateCondBr(Cond: IsFinalExit, True: AfterReadyBB, False: RetBB); |
| 853 | else |
| 854 | Builder.CreateBr(Dest: RetBB); |
| 855 | Builder.SetInsertPoint(AfterReadyBB); |
| 856 | } |
| 857 | }; |
| 858 | } // namespace |
| 859 | |
| 860 | static void emitBodyAndFallthrough(CodeGenFunction &CGF, |
| 861 | const CoroutineBodyStmt &S, Stmt *Body) { |
| 862 | CGF.EmitStmt(S: Body); |
| 863 | const bool CanFallthrough = CGF.Builder.GetInsertBlock(); |
| 864 | if (CanFallthrough) |
| 865 | if (Stmt *OnFallthrough = S.getFallthroughHandler()) |
| 866 | CGF.EmitStmt(S: OnFallthrough); |
| 867 | } |
| 868 | |
| 869 | void CodeGenFunction::EmitCoroutineBody(const CoroutineBodyStmt &S) { |
| 870 | auto *NullPtr = llvm::ConstantPointerNull::get(T: Builder.getPtrTy()); |
| 871 | auto &TI = CGM.getContext().getTargetInfo(); |
| 872 | unsigned NewAlign = TI.getNewAlign() / TI.getCharWidth(); |
| 873 | |
| 874 | auto *EntryBB = Builder.GetInsertBlock(); |
| 875 | auto *AllocBB = createBasicBlock(name: "coro.alloc" ); |
| 876 | auto *InitBB = createBasicBlock(name: "coro.init" ); |
| 877 | auto *FinalBB = createBasicBlock(name: "coro.final" ); |
| 878 | auto *RetBB = createBasicBlock(name: "coro.ret" ); |
| 879 | |
| 880 | auto *CoroId = Builder.CreateCall( |
| 881 | Callee: CGM.getIntrinsic(IID: llvm::Intrinsic::coro_id), |
| 882 | Args: {Builder.getInt32(C: NewAlign), NullPtr, NullPtr, NullPtr}); |
| 883 | createCoroData(CGF&: *this, CurCoro, CoroId); |
| 884 | |
| 885 | GetReturnObjectManager GroManager(*this, S); |
| 886 | CurCoro.Data->SuspendBB = |
| 887 | GroManager.DirectEmit ? RetBB : createBasicBlock(name: "pre.gvo.conv" ); |
| 888 | assert(ShouldEmitLifetimeMarkers && |
| 889 | "Must emit lifetime intrinsics for coroutines" ); |
| 890 | |
| 891 | // Backend is allowed to elide memory allocations, to help it, emit |
| 892 | // auto mem = coro.alloc() ? 0 : ... allocation code ...; |
| 893 | auto *CoroAlloc = Builder.CreateCall( |
| 894 | Callee: CGM.getIntrinsic(IID: llvm::Intrinsic::coro_alloc), Args: {CoroId}); |
| 895 | |
| 896 | Builder.CreateCondBr(Cond: CoroAlloc, True: AllocBB, False: InitBB); |
| 897 | |
| 898 | EmitBlock(BB: AllocBB); |
| 899 | auto *AllocateCall = EmitScalarExpr(E: S.getAllocate()); |
| 900 | auto *AllocOrInvokeContBB = Builder.GetInsertBlock(); |
| 901 | |
| 902 | // Handle allocation failure if 'ReturnStmtOnAllocFailure' was provided. |
| 903 | if (auto *RetOnAllocFailure = S.getReturnStmtOnAllocFailure()) { |
| 904 | auto *RetOnFailureBB = createBasicBlock(name: "coro.ret.on.failure" ); |
| 905 | |
| 906 | // See if allocation was successful. |
| 907 | auto *NullPtr = llvm::ConstantPointerNull::get(T: Int8PtrTy); |
| 908 | auto *Cond = Builder.CreateICmpNE(LHS: AllocateCall, RHS: NullPtr); |
| 909 | // Expect the allocation to be successful. |
| 910 | emitCondLikelihoodViaExpectIntrinsic(Cond, LH: Stmt::LH_Likely); |
| 911 | Builder.CreateCondBr(Cond, True: InitBB, False: RetOnFailureBB); |
| 912 | |
| 913 | // If not, return OnAllocFailure object. |
| 914 | EmitBlock(BB: RetOnFailureBB); |
| 915 | EmitStmt(S: RetOnAllocFailure); |
| 916 | } |
| 917 | else { |
| 918 | Builder.CreateBr(Dest: InitBB); |
| 919 | } |
| 920 | |
| 921 | EmitBlock(BB: InitBB); |
| 922 | |
| 923 | // Pass the result of the allocation to coro.begin. |
| 924 | auto *Phi = Builder.CreatePHI(Ty: VoidPtrTy, NumReservedValues: 2); |
| 925 | Phi->addIncoming(V: NullPtr, BB: EntryBB); |
| 926 | Phi->addIncoming(V: AllocateCall, BB: AllocOrInvokeContBB); |
| 927 | auto *CoroBegin = Builder.CreateCall( |
| 928 | Callee: CGM.getIntrinsic(IID: llvm::Intrinsic::coro_begin), Args: {CoroId, Phi}); |
| 929 | CurCoro.Data->CoroBegin = CoroBegin; |
| 930 | |
| 931 | CurCoro.Data->CleanupJD = getJumpDestInCurrentScope(Target: RetBB); |
| 932 | { |
| 933 | CGDebugInfo *DI = getDebugInfo(); |
| 934 | ParamReferenceReplacerRAII ParamReplacer(LocalDeclMap); |
| 935 | CodeGenFunction::RunCleanupsScope ResumeScope(*this); |
| 936 | EHStack.pushCleanup<CallCoroDelete>(Kind: NormalAndEHCleanup, A: S.getDeallocate()); |
| 937 | |
| 938 | // Create mapping between parameters and copy-params for coroutine function. |
| 939 | llvm::ArrayRef<const Stmt *> ParamMoves = S.getParamMoves(); |
| 940 | assert( |
| 941 | (ParamMoves.size() == 0 || (ParamMoves.size() == FnArgs.size())) && |
| 942 | "ParamMoves and FnArgs should be the same size for coroutine function" ); |
| 943 | if (ParamMoves.size() == FnArgs.size() && DI) |
| 944 | for (const auto Pair : llvm::zip(t&: FnArgs, u&: ParamMoves)) |
| 945 | DI->getCoroutineParameterMappings().insert( |
| 946 | KV: {std::get<0>(t: Pair), std::get<1>(t: Pair)}); |
| 947 | |
| 948 | // Create parameter copies. We do it before creating a promise, since an |
| 949 | // evolution of coroutine TS may allow promise constructor to observe |
| 950 | // parameter copies. |
| 951 | for (const ParmVarDecl *Parm : FnArgs) { |
| 952 | // If the original param is in an alloca, exclude it from the coroutine |
| 953 | // frame. The parameter copy will be part of the frame, but the original |
| 954 | // parameter memory should remain on the stack. This is necessary to |
| 955 | // ensure that parameters destroyed in callees, as with `trivial_abi` or |
| 956 | // in the MSVC C++ ABI, are appropriately destroyed after setting up the |
| 957 | // coroutine. |
| 958 | Address ParmAddr = GetAddrOfLocalVar(VD: Parm); |
| 959 | if (auto *ParmAlloca = |
| 960 | dyn_cast<llvm::AllocaInst>(Val: ParmAddr.getBasePointer())) { |
| 961 | ParmAlloca->setMetadata(KindID: llvm::LLVMContext::MD_coro_outside_frame, |
| 962 | Node: llvm::MDNode::get(Context&: CGM.getLLVMContext(), MDs: {})); |
| 963 | } |
| 964 | } |
| 965 | for (auto *PM : S.getParamMoves()) { |
| 966 | EmitStmt(S: PM); |
| 967 | ParamReplacer.addCopy(PM: cast<DeclStmt>(Val: PM)); |
| 968 | // TODO: if(CoroParam(...)) need to surround ctor and dtor |
| 969 | // for the copy, so that llvm can elide it if the copy is |
| 970 | // not needed. |
| 971 | } |
| 972 | |
| 973 | GroManager.EmitGroActive(); |
| 974 | EmitStmt(S: S.getPromiseDeclStmt()); |
| 975 | |
| 976 | Address PromiseAddr = GetAddrOfLocalVar(VD: S.getPromiseDecl()); |
| 977 | // Update CoroId to refer to the promise. We could not do it earlier because |
| 978 | // promise local variable was not emitted yet. |
| 979 | CoroId->setArgOperand(i: 1, v: PromiseAddr.emitRawPointer(CGF&: *this)); |
| 980 | |
| 981 | // Now we have the promise, initialize the GRO |
| 982 | GroManager.EmitGroAlloca(); |
| 983 | GroManager.EmitGroInit(); |
| 984 | |
| 985 | EHStack.pushCleanup<CallCoroEnd>(Kind: EHCleanup); |
| 986 | |
| 987 | CurCoro.Data->CurrentAwaitKind = AwaitKind::Init; |
| 988 | CurCoro.Data->ExceptionHandler = S.getExceptionHandler(); |
| 989 | EmitStmt(S: S.getInitSuspendStmt()); |
| 990 | CurCoro.Data->FinalJD = getJumpDestInCurrentScope(Target: FinalBB); |
| 991 | |
| 992 | CurCoro.Data->CurrentAwaitKind = AwaitKind::Normal; |
| 993 | |
| 994 | if (CurCoro.Data->ExceptionHandler) { |
| 995 | // If we generated IR to record whether an exception was thrown from |
| 996 | // 'await_resume', then use that IR to determine whether the coroutine |
| 997 | // body should be skipped. |
| 998 | // If we didn't generate the IR (perhaps because 'await_resume' was marked |
| 999 | // as 'noexcept'), then we skip this check. |
| 1000 | BasicBlock *ContBB = nullptr; |
| 1001 | if (CurCoro.Data->ResumeEHVar) { |
| 1002 | BasicBlock *BodyBB = createBasicBlock(name: "coro.resumed.body" ); |
| 1003 | ContBB = createBasicBlock(name: "coro.resumed.cont" ); |
| 1004 | Value *SkipBody = Builder.CreateFlagLoad(Addr: CurCoro.Data->ResumeEHVar, |
| 1005 | Name: "coro.resumed.eh" ); |
| 1006 | Builder.CreateCondBr(Cond: SkipBody, True: ContBB, False: BodyBB); |
| 1007 | EmitBlock(BB: BodyBB); |
| 1008 | } |
| 1009 | |
| 1010 | auto Loc = S.getBeginLoc(); |
| 1011 | CXXCatchStmt Catch(Loc, /*exDecl=*/nullptr, |
| 1012 | CurCoro.Data->ExceptionHandler); |
| 1013 | auto *TryStmt = |
| 1014 | CXXTryStmt::Create(C: getContext(), tryLoc: Loc, tryBlock: S.getBody(), handlers: &Catch); |
| 1015 | |
| 1016 | EnterCXXTryStmt(S: *TryStmt); |
| 1017 | emitBodyAndFallthrough(CGF&: *this, S, Body: TryStmt->getTryBlock()); |
| 1018 | ExitCXXTryStmt(S: *TryStmt); |
| 1019 | |
| 1020 | if (ContBB) |
| 1021 | EmitBlock(BB: ContBB); |
| 1022 | } |
| 1023 | else { |
| 1024 | emitBodyAndFallthrough(CGF&: *this, S, Body: S.getBody()); |
| 1025 | } |
| 1026 | |
| 1027 | // See if we need to generate final suspend. |
| 1028 | const bool CanFallthrough = Builder.GetInsertBlock(); |
| 1029 | const bool HasCoreturns = CurCoro.Data->CoreturnCount > 0; |
| 1030 | if (CanFallthrough || HasCoreturns) { |
| 1031 | EmitBlock(BB: FinalBB); |
| 1032 | CurCoro.Data->CurrentAwaitKind = AwaitKind::Final; |
| 1033 | EmitStmt(S: S.getFinalSuspendStmt()); |
| 1034 | } else { |
| 1035 | // We don't need FinalBB. Emit it to make sure the block is deleted. |
| 1036 | EmitBlock(BB: FinalBB, /*IsFinished=*/true); |
| 1037 | } |
| 1038 | |
| 1039 | // We need conversion if get_return_object's type doesn't matches the |
| 1040 | // coroutine return type. |
| 1041 | if (!GroManager.DirectEmit) |
| 1042 | GroManager.EmitGroConv(RetBB); |
| 1043 | } |
| 1044 | |
| 1045 | EmitBlock(BB: RetBB); |
| 1046 | // Emit coro.end before ret instruction, since resume and destroy parts of the |
| 1047 | // coroutine should return void. |
| 1048 | llvm::Function *CoroEnd = CGM.getIntrinsic(IID: llvm::Intrinsic::coro_end); |
| 1049 | Builder.CreateCall(Callee: CoroEnd, |
| 1050 | Args: {NullPtr, Builder.getFalse(), |
| 1051 | llvm::ConstantTokenNone::get(Context&: CoroEnd->getContext())}); |
| 1052 | |
| 1053 | if (auto *Ret = cast_or_null<ReturnStmt>(Val: S.getReturnStmt())) { |
| 1054 | // Since we already emitted the return value above, so we shouldn't |
| 1055 | // emit it again here. |
| 1056 | Expr *PreviousRetValue = Ret->getRetValue(); |
| 1057 | Ret->setRetValue(nullptr); |
| 1058 | EmitStmt(S: Ret); |
| 1059 | // Set the return value back. The code generator, as the AST **Consumer**, |
| 1060 | // shouldn't change the AST. |
| 1061 | Ret->setRetValue(PreviousRetValue); |
| 1062 | } |
| 1063 | // LLVM require the frontend to mark the coroutine. |
| 1064 | CurFn->setPresplitCoroutine(); |
| 1065 | |
| 1066 | if (CXXRecordDecl *RD = FnRetTy->getAsCXXRecordDecl(); |
| 1067 | RD && RD->hasAttr<CoroOnlyDestroyWhenCompleteAttr>()) |
| 1068 | CurFn->setCoroDestroyOnlyWhenComplete(); |
| 1069 | } |
| 1070 | |
| 1071 | // Emit coroutine intrinsic and patch up arguments of the token type. |
| 1072 | RValue CodeGenFunction::EmitCoroutineIntrinsic(const CallExpr *E, |
| 1073 | unsigned int IID) { |
| 1074 | SmallVector<llvm::Value *, 8> Args; |
| 1075 | switch (IID) { |
| 1076 | default: |
| 1077 | break; |
| 1078 | // The coro.frame builtin is replaced with an SSA value of the coro.begin |
| 1079 | // intrinsic. |
| 1080 | case llvm::Intrinsic::coro_frame: { |
| 1081 | if (CurCoro.Data && CurCoro.Data->CoroBegin) { |
| 1082 | return RValue::get(V: CurCoro.Data->CoroBegin); |
| 1083 | } |
| 1084 | |
| 1085 | if (CurAwaitSuspendWrapper.FramePtr) { |
| 1086 | return RValue::get(V: CurAwaitSuspendWrapper.FramePtr); |
| 1087 | } |
| 1088 | |
| 1089 | CGM.Error(loc: E->getBeginLoc(), error: "this builtin expect that __builtin_coro_begin " |
| 1090 | "has been used earlier in this function" ); |
| 1091 | auto *NullPtr = llvm::ConstantPointerNull::get(T: Builder.getPtrTy()); |
| 1092 | return RValue::get(V: NullPtr); |
| 1093 | } |
| 1094 | case llvm::Intrinsic::coro_size: { |
| 1095 | auto &Context = getContext(); |
| 1096 | llvm::IntegerType *T = |
| 1097 | Builder.getIntNTy(N: Context.getTypeSize(T: Context.getSizeType())); |
| 1098 | llvm::Function *F = CGM.getIntrinsic(IID: llvm::Intrinsic::coro_size, Tys: T); |
| 1099 | return RValue::get(V: Builder.CreateCall(Callee: F)); |
| 1100 | } |
| 1101 | case llvm::Intrinsic::coro_align: { |
| 1102 | auto &Context = getContext(); |
| 1103 | llvm::IntegerType *T = |
| 1104 | Builder.getIntNTy(N: Context.getTypeSize(T: Context.getSizeType())); |
| 1105 | llvm::Function *F = CGM.getIntrinsic(IID: llvm::Intrinsic::coro_align, Tys: T); |
| 1106 | return RValue::get(V: Builder.CreateCall(Callee: F)); |
| 1107 | } |
| 1108 | // The following three intrinsics take a token parameter referring to a token |
| 1109 | // returned by earlier call to @llvm.coro.id. Since we cannot represent it in |
| 1110 | // builtins, we patch it up here. |
| 1111 | case llvm::Intrinsic::coro_alloc: |
| 1112 | case llvm::Intrinsic::coro_begin: |
| 1113 | case llvm::Intrinsic::coro_free: { |
| 1114 | if (CurCoro.Data && CurCoro.Data->CoroId) { |
| 1115 | Args.push_back(Elt: CurCoro.Data->CoroId); |
| 1116 | break; |
| 1117 | } |
| 1118 | CGM.Error(loc: E->getBeginLoc(), error: "this builtin expect that __builtin_coro_id has" |
| 1119 | " been used earlier in this function" ); |
| 1120 | // Fallthrough to the next case to add TokenNone as the first argument. |
| 1121 | [[fallthrough]]; |
| 1122 | } |
| 1123 | // @llvm.coro.suspend takes a token parameter. Add token 'none' as the first |
| 1124 | // argument. |
| 1125 | case llvm::Intrinsic::coro_suspend: |
| 1126 | Args.push_back(Elt: llvm::ConstantTokenNone::get(Context&: getLLVMContext())); |
| 1127 | break; |
| 1128 | } |
| 1129 | for (const Expr *Arg : E->arguments()) |
| 1130 | Args.push_back(Elt: EmitScalarExpr(E: Arg)); |
| 1131 | // @llvm.coro.end takes a token parameter. Add token 'none' as the last |
| 1132 | // argument. |
| 1133 | if (IID == llvm::Intrinsic::coro_end) |
| 1134 | Args.push_back(Elt: llvm::ConstantTokenNone::get(Context&: getLLVMContext())); |
| 1135 | |
| 1136 | llvm::Function *F = CGM.getIntrinsic(IID); |
| 1137 | llvm::CallInst *Call = Builder.CreateCall(Callee: F, Args); |
| 1138 | |
| 1139 | // Note: The following code is to enable to emit coro.id and coro.begin by |
| 1140 | // hand to experiment with coroutines in C. |
| 1141 | // If we see @llvm.coro.id remember it in the CoroData. We will update |
| 1142 | // coro.alloc, coro.begin and coro.free intrinsics to refer to it. |
| 1143 | if (IID == llvm::Intrinsic::coro_id) { |
| 1144 | createCoroData(CGF&: *this, CurCoro, CoroId: Call, CoroIdExpr: E); |
| 1145 | } |
| 1146 | else if (IID == llvm::Intrinsic::coro_begin) { |
| 1147 | if (CurCoro.Data) |
| 1148 | CurCoro.Data->CoroBegin = Call; |
| 1149 | } |
| 1150 | else if (IID == llvm::Intrinsic::coro_free) { |
| 1151 | // Remember the last coro_free as we need it to build the conditional |
| 1152 | // deletion of the coroutine frame. |
| 1153 | if (CurCoro.Data) |
| 1154 | CurCoro.Data->LastCoroFree = Call; |
| 1155 | } |
| 1156 | return RValue::get(V: Call); |
| 1157 | } |
| 1158 | |