1 //===--- SemaCoroutines.cpp - Semantic Analysis for Coroutines ------------===//
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 //
10 //  This file implements semantic analysis for C++ Coroutines.
11 //
12 //  This file contains references to sections of the Coroutines TS, which
13 //  can be found at http://wg21.link/coroutines.
14 //
15 //===----------------------------------------------------------------------===//
16 
17 #include "CoroutineStmtBuilder.h"
18 #include "clang/AST/ASTLambda.h"
19 #include "clang/AST/Decl.h"
20 #include "clang/AST/ExprCXX.h"
21 #include "clang/AST/StmtCXX.h"
22 #include "clang/Lex/Preprocessor.h"
23 #include "clang/Sema/Initialization.h"
24 #include "clang/Sema/Overload.h"
25 #include "clang/Sema/ScopeInfo.h"
26 #include "clang/Sema/SemaInternal.h"
27 
28 using namespace clang;
29 using namespace sema;
30 
31 static LookupResult lookupMember(Sema &S, const char *Name, CXXRecordDecl *RD,
32                                  SourceLocation Loc, bool &Res) {
33   DeclarationName DN = S.PP.getIdentifierInfo(Name);
34   LookupResult LR(S, DN, Loc, Sema::LookupMemberName);
35   // Suppress diagnostics when a private member is selected. The same warnings
36   // will be produced again when building the call.
37   LR.suppressDiagnostics();
38   Res = S.LookupQualifiedName(LR, RD);
39   return LR;
40 }
41 
42 static bool lookupMember(Sema &S, const char *Name, CXXRecordDecl *RD,
43                          SourceLocation Loc) {
44   bool Res;
45   lookupMember(S, Name, RD, Loc, Res);
46   return Res;
47 }
48 
49 /// Look up the std::coroutine_traits<...>::promise_type for the given
50 /// function type.
51 static QualType lookupPromiseType(Sema &S, const FunctionDecl *FD,
52                                   SourceLocation KwLoc) {
53   const FunctionProtoType *FnType = FD->getType()->castAs<FunctionProtoType>();
54   const SourceLocation FuncLoc = FD->getLocation();
55   // FIXME: Cache std::coroutine_traits once we've found it.
56   NamespaceDecl *StdExp = S.lookupStdExperimentalNamespace();
57   if (!StdExp) {
58     S.Diag(KwLoc, diag::err_implied_coroutine_type_not_found)
59         << "std::experimental::coroutine_traits";
60     return QualType();
61   }
62 
63   ClassTemplateDecl *CoroTraits = S.lookupCoroutineTraits(KwLoc, FuncLoc);
64   if (!CoroTraits) {
65     return QualType();
66   }
67 
68   // Form template argument list for coroutine_traits<R, P1, P2, ...> according
69   // to [dcl.fct.def.coroutine]3
70   TemplateArgumentListInfo Args(KwLoc, KwLoc);
71   auto AddArg = [&](QualType T) {
72     Args.addArgument(TemplateArgumentLoc(
73         TemplateArgument(T), S.Context.getTrivialTypeSourceInfo(T, KwLoc)));
74   };
75   AddArg(FnType->getReturnType());
76   // If the function is a non-static member function, add the type
77   // of the implicit object parameter before the formal parameters.
78   if (auto *MD = dyn_cast<CXXMethodDecl>(FD)) {
79     if (MD->isInstance()) {
80       // [over.match.funcs]4
81       // For non-static member functions, the type of the implicit object
82       // parameter is
83       //  -- "lvalue reference to cv X" for functions declared without a
84       //      ref-qualifier or with the & ref-qualifier
85       //  -- "rvalue reference to cv X" for functions declared with the &&
86       //      ref-qualifier
87       QualType T =
88           MD->getThisType(S.Context)->getAs<PointerType>()->getPointeeType();
89       T = FnType->getRefQualifier() == RQ_RValue
90               ? S.Context.getRValueReferenceType(T)
91               : S.Context.getLValueReferenceType(T, /*SpelledAsLValue*/ true);
92       AddArg(T);
93     }
94   }
95   for (QualType T : FnType->getParamTypes())
96     AddArg(T);
97 
98   // Build the template-id.
99   QualType CoroTrait =
100       S.CheckTemplateIdType(TemplateName(CoroTraits), KwLoc, Args);
101   if (CoroTrait.isNull())
102     return QualType();
103   if (S.RequireCompleteType(KwLoc, CoroTrait,
104                             diag::err_coroutine_type_missing_specialization))
105     return QualType();
106 
107   auto *RD = CoroTrait->getAsCXXRecordDecl();
108   assert(RD && "specialization of class template is not a class?");
109 
110   // Look up the ::promise_type member.
111   LookupResult R(S, &S.PP.getIdentifierTable().get("promise_type"), KwLoc,
112                  Sema::LookupOrdinaryName);
113   S.LookupQualifiedName(R, RD);
114   auto *Promise = R.getAsSingle<TypeDecl>();
115   if (!Promise) {
116     S.Diag(FuncLoc,
117            diag::err_implied_std_coroutine_traits_promise_type_not_found)
118         << RD;
119     return QualType();
120   }
121   // The promise type is required to be a class type.
122   QualType PromiseType = S.Context.getTypeDeclType(Promise);
123 
124   auto buildElaboratedType = [&]() {
125     auto *NNS = NestedNameSpecifier::Create(S.Context, nullptr, StdExp);
126     NNS = NestedNameSpecifier::Create(S.Context, NNS, false,
127                                       CoroTrait.getTypePtr());
128     return S.Context.getElaboratedType(ETK_None, NNS, PromiseType);
129   };
130 
131   if (!PromiseType->getAsCXXRecordDecl()) {
132     S.Diag(FuncLoc,
133            diag::err_implied_std_coroutine_traits_promise_type_not_class)
134         << buildElaboratedType();
135     return QualType();
136   }
137   if (S.RequireCompleteType(FuncLoc, buildElaboratedType(),
138                             diag::err_coroutine_promise_type_incomplete))
139     return QualType();
140 
141   return PromiseType;
142 }
143 
144 /// Look up the std::experimental::coroutine_handle<PromiseType>.
145 static QualType lookupCoroutineHandleType(Sema &S, QualType PromiseType,
146                                           SourceLocation Loc) {
147   if (PromiseType.isNull())
148     return QualType();
149 
150   NamespaceDecl *StdExp = S.lookupStdExperimentalNamespace();
151   assert(StdExp && "Should already be diagnosed");
152 
153   LookupResult Result(S, &S.PP.getIdentifierTable().get("coroutine_handle"),
154                       Loc, Sema::LookupOrdinaryName);
155   if (!S.LookupQualifiedName(Result, StdExp)) {
156     S.Diag(Loc, diag::err_implied_coroutine_type_not_found)
157         << "std::experimental::coroutine_handle";
158     return QualType();
159   }
160 
161   ClassTemplateDecl *CoroHandle = Result.getAsSingle<ClassTemplateDecl>();
162   if (!CoroHandle) {
163     Result.suppressDiagnostics();
164     // We found something weird. Complain about the first thing we found.
165     NamedDecl *Found = *Result.begin();
166     S.Diag(Found->getLocation(), diag::err_malformed_std_coroutine_handle);
167     return QualType();
168   }
169 
170   // Form template argument list for coroutine_handle<Promise>.
171   TemplateArgumentListInfo Args(Loc, Loc);
172   Args.addArgument(TemplateArgumentLoc(
173       TemplateArgument(PromiseType),
174       S.Context.getTrivialTypeSourceInfo(PromiseType, Loc)));
175 
176   // Build the template-id.
177   QualType CoroHandleType =
178       S.CheckTemplateIdType(TemplateName(CoroHandle), Loc, Args);
179   if (CoroHandleType.isNull())
180     return QualType();
181   if (S.RequireCompleteType(Loc, CoroHandleType,
182                             diag::err_coroutine_type_missing_specialization))
183     return QualType();
184 
185   return CoroHandleType;
186 }
187 
188 static bool isValidCoroutineContext(Sema &S, SourceLocation Loc,
189                                     StringRef Keyword) {
190   // 'co_await' and 'co_yield' are not permitted in unevaluated operands,
191   // such as subexpressions of \c sizeof.
192   //
193   // [expr.await]p2, emphasis added: "An await-expression shall appear only in
194   // a *potentially evaluated* expression within the compound-statement of a
195   // function-body outside of a handler [...] A context within a function where
196   // an await-expression can appear is called a suspension context of the
197   // function." And per [expr.yield]p1: "A yield-expression shall appear only
198   // within a suspension context of a function."
199   if (S.isUnevaluatedContext()) {
200     S.Diag(Loc, diag::err_coroutine_unevaluated_context) << Keyword;
201     return false;
202   }
203 
204   // Per [expr.await]p2, any other usage must be within a function.
205   // FIXME: This also covers [expr.await]p2: "An await-expression shall not
206   // appear in a default argument." But the diagnostic QoI here could be
207   // improved to inform the user that default arguments specifically are not
208   // allowed.
209   auto *FD = dyn_cast<FunctionDecl>(S.CurContext);
210   if (!FD) {
211     S.Diag(Loc, isa<ObjCMethodDecl>(S.CurContext)
212                     ? diag::err_coroutine_objc_method
213                     : diag::err_coroutine_outside_function) << Keyword;
214     return false;
215   }
216 
217   // An enumeration for mapping the diagnostic type to the correct diagnostic
218   // selection index.
219   enum InvalidFuncDiag {
220     DiagCtor = 0,
221     DiagDtor,
222     DiagCopyAssign,
223     DiagMoveAssign,
224     DiagMain,
225     DiagConstexpr,
226     DiagAutoRet,
227     DiagVarargs,
228   };
229   bool Diagnosed = false;
230   auto DiagInvalid = [&](InvalidFuncDiag ID) {
231     S.Diag(Loc, diag::err_coroutine_invalid_func_context) << ID << Keyword;
232     Diagnosed = true;
233     return false;
234   };
235 
236   // Diagnose when a constructor, destructor, copy/move assignment operator,
237   // or the function 'main' are declared as a coroutine.
238   auto *MD = dyn_cast<CXXMethodDecl>(FD);
239   // [class.ctor]p6: "A constructor shall not be a coroutine."
240   if (MD && isa<CXXConstructorDecl>(MD))
241     return DiagInvalid(DiagCtor);
242   // [class.dtor]p17: "A destructor shall not be a coroutine."
243   else if (MD && isa<CXXDestructorDecl>(MD))
244     return DiagInvalid(DiagDtor);
245   // N4499 [special]p6: "A special member function shall not be a coroutine."
246   // Per C++ [special]p1, special member functions are the "default constructor,
247   // copy constructor and copy assignment operator, move constructor and move
248   // assignment operator, and destructor."
249   else if (MD && MD->isCopyAssignmentOperator())
250     return DiagInvalid(DiagCopyAssign);
251   else if (MD && MD->isMoveAssignmentOperator())
252     return DiagInvalid(DiagMoveAssign);
253   // [basic.start.main]p3: "The function main shall not be a coroutine."
254   else if (FD->isMain())
255     return DiagInvalid(DiagMain);
256 
257   // Emit a diagnostics for each of the following conditions which is not met.
258   // [expr.const]p2: "An expression e is a core constant expression unless the
259   // evaluation of e [...] would evaluate one of the following expressions:
260   // [...] an await-expression [...] a yield-expression."
261   if (FD->isConstexpr())
262     DiagInvalid(DiagConstexpr);
263   // [dcl.spec.auto]p15: "A function declared with a return type that uses a
264   // placeholder type shall not be a coroutine."
265   if (FD->getReturnType()->isUndeducedType())
266     DiagInvalid(DiagAutoRet);
267   // [dcl.fct.def.coroutine]p1: "The parameter-declaration-clause of the
268   // coroutine shall not terminate with an ellipsis that is not part of a
269   // parameter-declaration."
270   if (FD->isVariadic())
271     DiagInvalid(DiagVarargs);
272 
273   return !Diagnosed;
274 }
275 
276 static ExprResult buildOperatorCoawaitLookupExpr(Sema &SemaRef, Scope *S,
277                                                  SourceLocation Loc) {
278   DeclarationName OpName =
279       SemaRef.Context.DeclarationNames.getCXXOperatorName(OO_Coawait);
280   LookupResult Operators(SemaRef, OpName, SourceLocation(),
281                          Sema::LookupOperatorName);
282   SemaRef.LookupName(Operators, S);
283 
284   assert(!Operators.isAmbiguous() && "Operator lookup cannot be ambiguous");
285   const auto &Functions = Operators.asUnresolvedSet();
286   bool IsOverloaded =
287       Functions.size() > 1 ||
288       (Functions.size() == 1 && isa<FunctionTemplateDecl>(*Functions.begin()));
289   Expr *CoawaitOp = UnresolvedLookupExpr::Create(
290       SemaRef.Context, /*NamingClass*/ nullptr, NestedNameSpecifierLoc(),
291       DeclarationNameInfo(OpName, Loc), /*RequiresADL*/ true, IsOverloaded,
292       Functions.begin(), Functions.end());
293   assert(CoawaitOp);
294   return CoawaitOp;
295 }
296 
297 /// Build a call to 'operator co_await' if there is a suitable operator for
298 /// the given expression.
299 static ExprResult buildOperatorCoawaitCall(Sema &SemaRef, SourceLocation Loc,
300                                            Expr *E,
301                                            UnresolvedLookupExpr *Lookup) {
302   UnresolvedSet<16> Functions;
303   Functions.append(Lookup->decls_begin(), Lookup->decls_end());
304   return SemaRef.CreateOverloadedUnaryOp(Loc, UO_Coawait, Functions, E);
305 }
306 
307 static ExprResult buildOperatorCoawaitCall(Sema &SemaRef, Scope *S,
308                                            SourceLocation Loc, Expr *E) {
309   ExprResult R = buildOperatorCoawaitLookupExpr(SemaRef, S, Loc);
310   if (R.isInvalid())
311     return ExprError();
312   return buildOperatorCoawaitCall(SemaRef, Loc, E,
313                                   cast<UnresolvedLookupExpr>(R.get()));
314 }
315 
316 static Expr *buildBuiltinCall(Sema &S, SourceLocation Loc, Builtin::ID Id,
317                               MultiExprArg CallArgs) {
318   StringRef Name = S.Context.BuiltinInfo.getName(Id);
319   LookupResult R(S, &S.Context.Idents.get(Name), Loc, Sema::LookupOrdinaryName);
320   S.LookupName(R, S.TUScope, /*AllowBuiltinCreation=*/true);
321 
322   auto *BuiltInDecl = R.getAsSingle<FunctionDecl>();
323   assert(BuiltInDecl && "failed to find builtin declaration");
324 
325   ExprResult DeclRef =
326       S.BuildDeclRefExpr(BuiltInDecl, BuiltInDecl->getType(), VK_LValue, Loc);
327   assert(DeclRef.isUsable() && "Builtin reference cannot fail");
328 
329   ExprResult Call =
330       S.ActOnCallExpr(/*Scope=*/nullptr, DeclRef.get(), Loc, CallArgs, Loc);
331 
332   assert(!Call.isInvalid() && "Call to builtin cannot fail!");
333   return Call.get();
334 }
335 
336 static ExprResult buildCoroutineHandle(Sema &S, QualType PromiseType,
337                                        SourceLocation Loc) {
338   QualType CoroHandleType = lookupCoroutineHandleType(S, PromiseType, Loc);
339   if (CoroHandleType.isNull())
340     return ExprError();
341 
342   DeclContext *LookupCtx = S.computeDeclContext(CoroHandleType);
343   LookupResult Found(S, &S.PP.getIdentifierTable().get("from_address"), Loc,
344                      Sema::LookupOrdinaryName);
345   if (!S.LookupQualifiedName(Found, LookupCtx)) {
346     S.Diag(Loc, diag::err_coroutine_handle_missing_member)
347         << "from_address";
348     return ExprError();
349   }
350 
351   Expr *FramePtr =
352       buildBuiltinCall(S, Loc, Builtin::BI__builtin_coro_frame, {});
353 
354   CXXScopeSpec SS;
355   ExprResult FromAddr =
356       S.BuildDeclarationNameExpr(SS, Found, /*NeedsADL=*/false);
357   if (FromAddr.isInvalid())
358     return ExprError();
359 
360   return S.ActOnCallExpr(nullptr, FromAddr.get(), Loc, FramePtr, Loc);
361 }
362 
363 struct ReadySuspendResumeResult {
364   enum AwaitCallType { ACT_Ready, ACT_Suspend, ACT_Resume };
365   Expr *Results[3];
366   OpaqueValueExpr *OpaqueValue;
367   bool IsInvalid;
368 };
369 
370 static ExprResult buildMemberCall(Sema &S, Expr *Base, SourceLocation Loc,
371                                   StringRef Name, MultiExprArg Args) {
372   DeclarationNameInfo NameInfo(&S.PP.getIdentifierTable().get(Name), Loc);
373 
374   // FIXME: Fix BuildMemberReferenceExpr to take a const CXXScopeSpec&.
375   CXXScopeSpec SS;
376   ExprResult Result = S.BuildMemberReferenceExpr(
377       Base, Base->getType(), Loc, /*IsPtr=*/false, SS,
378       SourceLocation(), nullptr, NameInfo, /*TemplateArgs=*/nullptr,
379       /*Scope=*/nullptr);
380   if (Result.isInvalid())
381     return ExprError();
382 
383   // We meant exactly what we asked for. No need for typo correction.
384   if (auto *TE = dyn_cast<TypoExpr>(Result.get())) {
385     S.clearDelayedTypo(TE);
386     S.Diag(Loc, diag::err_no_member)
387         << NameInfo.getName() << Base->getType()->getAsCXXRecordDecl()
388         << Base->getSourceRange();
389     return ExprError();
390   }
391 
392   return S.ActOnCallExpr(nullptr, Result.get(), Loc, Args, Loc, nullptr);
393 }
394 
395 // See if return type is coroutine-handle and if so, invoke builtin coro-resume
396 // on its address. This is to enable experimental support for coroutine-handle
397 // returning await_suspend that results in a guaranteed tail call to the target
398 // coroutine.
399 static Expr *maybeTailCall(Sema &S, QualType RetType, Expr *E,
400                            SourceLocation Loc) {
401   if (RetType->isReferenceType())
402     return nullptr;
403   Type const *T = RetType.getTypePtr();
404   if (!T->isClassType() && !T->isStructureType())
405     return nullptr;
406 
407   // FIXME: Add convertability check to coroutine_handle<>. Possibly via
408   // EvaluateBinaryTypeTrait(BTT_IsConvertible, ...) which is at the moment
409   // a private function in SemaExprCXX.cpp
410 
411   ExprResult AddressExpr = buildMemberCall(S, E, Loc, "address", None);
412   if (AddressExpr.isInvalid())
413     return nullptr;
414 
415   Expr *JustAddress = AddressExpr.get();
416   // FIXME: Check that the type of AddressExpr is void*
417   return buildBuiltinCall(S, Loc, Builtin::BI__builtin_coro_resume,
418                           JustAddress);
419 }
420 
421 /// Build calls to await_ready, await_suspend, and await_resume for a co_await
422 /// expression.
423 static ReadySuspendResumeResult buildCoawaitCalls(Sema &S, VarDecl *CoroPromise,
424                                                   SourceLocation Loc, Expr *E) {
425   OpaqueValueExpr *Operand = new (S.Context)
426       OpaqueValueExpr(Loc, E->getType(), VK_LValue, E->getObjectKind(), E);
427 
428   // Assume invalid until we see otherwise.
429   ReadySuspendResumeResult Calls = {{}, Operand, /*IsInvalid=*/true};
430 
431   ExprResult CoroHandleRes = buildCoroutineHandle(S, CoroPromise->getType(), Loc);
432   if (CoroHandleRes.isInvalid())
433     return Calls;
434   Expr *CoroHandle = CoroHandleRes.get();
435 
436   const StringRef Funcs[] = {"await_ready", "await_suspend", "await_resume"};
437   MultiExprArg Args[] = {None, CoroHandle, None};
438   for (size_t I = 0, N = llvm::array_lengthof(Funcs); I != N; ++I) {
439     ExprResult Result = buildMemberCall(S, Operand, Loc, Funcs[I], Args[I]);
440     if (Result.isInvalid())
441       return Calls;
442     Calls.Results[I] = Result.get();
443   }
444 
445   // Assume the calls are valid; all further checking should make them invalid.
446   Calls.IsInvalid = false;
447 
448   using ACT = ReadySuspendResumeResult::AwaitCallType;
449   CallExpr *AwaitReady = cast<CallExpr>(Calls.Results[ACT::ACT_Ready]);
450   if (!AwaitReady->getType()->isDependentType()) {
451     // [expr.await]p3 [...]
452     // — await-ready is the expression e.await_ready(), contextually converted
453     // to bool.
454     ExprResult Conv = S.PerformContextuallyConvertToBool(AwaitReady);
455     if (Conv.isInvalid()) {
456       S.Diag(AwaitReady->getDirectCallee()->getBeginLoc(),
457              diag::note_await_ready_no_bool_conversion);
458       S.Diag(Loc, diag::note_coroutine_promise_call_implicitly_required)
459           << AwaitReady->getDirectCallee() << E->getSourceRange();
460       Calls.IsInvalid = true;
461     }
462     Calls.Results[ACT::ACT_Ready] = Conv.get();
463   }
464   CallExpr *AwaitSuspend = cast<CallExpr>(Calls.Results[ACT::ACT_Suspend]);
465   if (!AwaitSuspend->getType()->isDependentType()) {
466     // [expr.await]p3 [...]
467     //   - await-suspend is the expression e.await_suspend(h), which shall be
468     //     a prvalue of type void or bool.
469     QualType RetType = AwaitSuspend->getCallReturnType(S.Context);
470 
471     // Experimental support for coroutine_handle returning await_suspend.
472     if (Expr *TailCallSuspend = maybeTailCall(S, RetType, AwaitSuspend, Loc))
473       Calls.Results[ACT::ACT_Suspend] = TailCallSuspend;
474     else {
475       // non-class prvalues always have cv-unqualified types
476       if (RetType->isReferenceType() ||
477           (!RetType->isBooleanType() && !RetType->isVoidType())) {
478         S.Diag(AwaitSuspend->getCalleeDecl()->getLocation(),
479                diag::err_await_suspend_invalid_return_type)
480             << RetType;
481         S.Diag(Loc, diag::note_coroutine_promise_call_implicitly_required)
482             << AwaitSuspend->getDirectCallee();
483         Calls.IsInvalid = true;
484       }
485     }
486   }
487 
488   return Calls;
489 }
490 
491 static ExprResult buildPromiseCall(Sema &S, VarDecl *Promise,
492                                    SourceLocation Loc, StringRef Name,
493                                    MultiExprArg Args) {
494 
495   // Form a reference to the promise.
496   ExprResult PromiseRef = S.BuildDeclRefExpr(
497       Promise, Promise->getType().getNonReferenceType(), VK_LValue, Loc);
498   if (PromiseRef.isInvalid())
499     return ExprError();
500 
501   return buildMemberCall(S, PromiseRef.get(), Loc, Name, Args);
502 }
503 
504 VarDecl *Sema::buildCoroutinePromise(SourceLocation Loc) {
505   assert(isa<FunctionDecl>(CurContext) && "not in a function scope");
506   auto *FD = cast<FunctionDecl>(CurContext);
507   bool IsThisDependentType = [&] {
508     if (auto *MD = dyn_cast_or_null<CXXMethodDecl>(FD))
509       return MD->isInstance() && MD->getThisType(Context)->isDependentType();
510     else
511       return false;
512   }();
513 
514   QualType T = FD->getType()->isDependentType() || IsThisDependentType
515                    ? Context.DependentTy
516                    : lookupPromiseType(*this, FD, Loc);
517   if (T.isNull())
518     return nullptr;
519 
520   auto *VD = VarDecl::Create(Context, FD, FD->getLocation(), FD->getLocation(),
521                              &PP.getIdentifierTable().get("__promise"), T,
522                              Context.getTrivialTypeSourceInfo(T, Loc), SC_None);
523   CheckVariableDeclarationType(VD);
524   if (VD->isInvalidDecl())
525     return nullptr;
526 
527   auto *ScopeInfo = getCurFunction();
528   // Build a list of arguments, based on the coroutine functions arguments,
529   // that will be passed to the promise type's constructor.
530   llvm::SmallVector<Expr *, 4> CtorArgExprs;
531 
532   // Add implicit object parameter.
533   if (auto *MD = dyn_cast<CXXMethodDecl>(FD)) {
534     if (MD->isInstance() && !isLambdaCallOperator(MD)) {
535       ExprResult ThisExpr = ActOnCXXThis(Loc);
536       if (ThisExpr.isInvalid())
537         return nullptr;
538       ThisExpr = CreateBuiltinUnaryOp(Loc, UO_Deref, ThisExpr.get());
539       if (ThisExpr.isInvalid())
540         return nullptr;
541       CtorArgExprs.push_back(ThisExpr.get());
542     }
543   }
544 
545   auto &Moves = ScopeInfo->CoroutineParameterMoves;
546   for (auto *PD : FD->parameters()) {
547     if (PD->getType()->isDependentType())
548       continue;
549 
550     auto RefExpr = ExprEmpty();
551     auto Move = Moves.find(PD);
552     assert(Move != Moves.end() &&
553            "Coroutine function parameter not inserted into move map");
554     // If a reference to the function parameter exists in the coroutine
555     // frame, use that reference.
556     auto *MoveDecl =
557         cast<VarDecl>(cast<DeclStmt>(Move->second)->getSingleDecl());
558     RefExpr =
559         BuildDeclRefExpr(MoveDecl, MoveDecl->getType().getNonReferenceType(),
560                          ExprValueKind::VK_LValue, FD->getLocation());
561     if (RefExpr.isInvalid())
562       return nullptr;
563     CtorArgExprs.push_back(RefExpr.get());
564   }
565 
566   // Create an initialization sequence for the promise type using the
567   // constructor arguments, wrapped in a parenthesized list expression.
568   Expr *PLE = new (Context) ParenListExpr(Context, FD->getLocation(),
569                                           CtorArgExprs, FD->getLocation());
570   InitializedEntity Entity = InitializedEntity::InitializeVariable(VD);
571   InitializationKind Kind = InitializationKind::CreateForInit(
572       VD->getLocation(), /*DirectInit=*/true, PLE);
573   InitializationSequence InitSeq(*this, Entity, Kind, CtorArgExprs,
574                                  /*TopLevelOfInitList=*/false,
575                                  /*TreatUnavailableAsInvalid=*/false);
576 
577   // Attempt to initialize the promise type with the arguments.
578   // If that fails, fall back to the promise type's default constructor.
579   if (InitSeq) {
580     ExprResult Result = InitSeq.Perform(*this, Entity, Kind, CtorArgExprs);
581     if (Result.isInvalid()) {
582       VD->setInvalidDecl();
583     } else if (Result.get()) {
584       VD->setInit(MaybeCreateExprWithCleanups(Result.get()));
585       VD->setInitStyle(VarDecl::CallInit);
586       CheckCompleteVariableDeclaration(VD);
587     }
588   } else
589     ActOnUninitializedDecl(VD);
590 
591   FD->addDecl(VD);
592   return VD;
593 }
594 
595 /// Check that this is a context in which a coroutine suspension can appear.
596 static FunctionScopeInfo *checkCoroutineContext(Sema &S, SourceLocation Loc,
597                                                 StringRef Keyword,
598                                                 bool IsImplicit = false) {
599   if (!isValidCoroutineContext(S, Loc, Keyword))
600     return nullptr;
601 
602   assert(isa<FunctionDecl>(S.CurContext) && "not in a function scope");
603 
604   auto *ScopeInfo = S.getCurFunction();
605   assert(ScopeInfo && "missing function scope for function");
606 
607   if (ScopeInfo->FirstCoroutineStmtLoc.isInvalid() && !IsImplicit)
608     ScopeInfo->setFirstCoroutineStmt(Loc, Keyword);
609 
610   if (ScopeInfo->CoroutinePromise)
611     return ScopeInfo;
612 
613   if (!S.buildCoroutineParameterMoves(Loc))
614     return nullptr;
615 
616   ScopeInfo->CoroutinePromise = S.buildCoroutinePromise(Loc);
617   if (!ScopeInfo->CoroutinePromise)
618     return nullptr;
619 
620   return ScopeInfo;
621 }
622 
623 bool Sema::ActOnCoroutineBodyStart(Scope *SC, SourceLocation KWLoc,
624                                    StringRef Keyword) {
625   if (!checkCoroutineContext(*this, KWLoc, Keyword))
626     return false;
627   auto *ScopeInfo = getCurFunction();
628   assert(ScopeInfo->CoroutinePromise);
629 
630   // If we have existing coroutine statements then we have already built
631   // the initial and final suspend points.
632   if (!ScopeInfo->NeedsCoroutineSuspends)
633     return true;
634 
635   ScopeInfo->setNeedsCoroutineSuspends(false);
636 
637   auto *Fn = cast<FunctionDecl>(CurContext);
638   SourceLocation Loc = Fn->getLocation();
639   // Build the initial suspend point
640   auto buildSuspends = [&](StringRef Name) mutable -> StmtResult {
641     ExprResult Suspend =
642         buildPromiseCall(*this, ScopeInfo->CoroutinePromise, Loc, Name, None);
643     if (Suspend.isInvalid())
644       return StmtError();
645     Suspend = buildOperatorCoawaitCall(*this, SC, Loc, Suspend.get());
646     if (Suspend.isInvalid())
647       return StmtError();
648     Suspend = BuildResolvedCoawaitExpr(Loc, Suspend.get(),
649                                        /*IsImplicit*/ true);
650     Suspend = ActOnFinishFullExpr(Suspend.get());
651     if (Suspend.isInvalid()) {
652       Diag(Loc, diag::note_coroutine_promise_suspend_implicitly_required)
653           << ((Name == "initial_suspend") ? 0 : 1);
654       Diag(KWLoc, diag::note_declared_coroutine_here) << Keyword;
655       return StmtError();
656     }
657     return cast<Stmt>(Suspend.get());
658   };
659 
660   StmtResult InitSuspend = buildSuspends("initial_suspend");
661   if (InitSuspend.isInvalid())
662     return true;
663 
664   StmtResult FinalSuspend = buildSuspends("final_suspend");
665   if (FinalSuspend.isInvalid())
666     return true;
667 
668   ScopeInfo->setCoroutineSuspends(InitSuspend.get(), FinalSuspend.get());
669 
670   return true;
671 }
672 
673 ExprResult Sema::ActOnCoawaitExpr(Scope *S, SourceLocation Loc, Expr *E) {
674   if (!ActOnCoroutineBodyStart(S, Loc, "co_await")) {
675     CorrectDelayedTyposInExpr(E);
676     return ExprError();
677   }
678 
679   if (E->getType()->isPlaceholderType()) {
680     ExprResult R = CheckPlaceholderExpr(E);
681     if (R.isInvalid()) return ExprError();
682     E = R.get();
683   }
684   ExprResult Lookup = buildOperatorCoawaitLookupExpr(*this, S, Loc);
685   if (Lookup.isInvalid())
686     return ExprError();
687   return BuildUnresolvedCoawaitExpr(Loc, E,
688                                    cast<UnresolvedLookupExpr>(Lookup.get()));
689 }
690 
691 ExprResult Sema::BuildUnresolvedCoawaitExpr(SourceLocation Loc, Expr *E,
692                                             UnresolvedLookupExpr *Lookup) {
693   auto *FSI = checkCoroutineContext(*this, Loc, "co_await");
694   if (!FSI)
695     return ExprError();
696 
697   if (E->getType()->isPlaceholderType()) {
698     ExprResult R = CheckPlaceholderExpr(E);
699     if (R.isInvalid())
700       return ExprError();
701     E = R.get();
702   }
703 
704   auto *Promise = FSI->CoroutinePromise;
705   if (Promise->getType()->isDependentType()) {
706     Expr *Res =
707         new (Context) DependentCoawaitExpr(Loc, Context.DependentTy, E, Lookup);
708     return Res;
709   }
710 
711   auto *RD = Promise->getType()->getAsCXXRecordDecl();
712   if (lookupMember(*this, "await_transform", RD, Loc)) {
713     ExprResult R = buildPromiseCall(*this, Promise, Loc, "await_transform", E);
714     if (R.isInvalid()) {
715       Diag(Loc,
716            diag::note_coroutine_promise_implicit_await_transform_required_here)
717           << E->getSourceRange();
718       return ExprError();
719     }
720     E = R.get();
721   }
722   ExprResult Awaitable = buildOperatorCoawaitCall(*this, Loc, E, Lookup);
723   if (Awaitable.isInvalid())
724     return ExprError();
725 
726   return BuildResolvedCoawaitExpr(Loc, Awaitable.get());
727 }
728 
729 ExprResult Sema::BuildResolvedCoawaitExpr(SourceLocation Loc, Expr *E,
730                                   bool IsImplicit) {
731   auto *Coroutine = checkCoroutineContext(*this, Loc, "co_await", IsImplicit);
732   if (!Coroutine)
733     return ExprError();
734 
735   if (E->getType()->isPlaceholderType()) {
736     ExprResult R = CheckPlaceholderExpr(E);
737     if (R.isInvalid()) return ExprError();
738     E = R.get();
739   }
740 
741   if (E->getType()->isDependentType()) {
742     Expr *Res = new (Context)
743         CoawaitExpr(Loc, Context.DependentTy, E, IsImplicit);
744     return Res;
745   }
746 
747   // If the expression is a temporary, materialize it as an lvalue so that we
748   // can use it multiple times.
749   if (E->getValueKind() == VK_RValue)
750     E = CreateMaterializeTemporaryExpr(E->getType(), E, true);
751 
752   // The location of the `co_await` token cannot be used when constructing
753   // the member call expressions since it's before the location of `Expr`, which
754   // is used as the start of the member call expression.
755   SourceLocation CallLoc = E->getExprLoc();
756 
757   // Build the await_ready, await_suspend, await_resume calls.
758   ReadySuspendResumeResult RSS =
759       buildCoawaitCalls(*this, Coroutine->CoroutinePromise, CallLoc, E);
760   if (RSS.IsInvalid)
761     return ExprError();
762 
763   Expr *Res =
764       new (Context) CoawaitExpr(Loc, E, RSS.Results[0], RSS.Results[1],
765                                 RSS.Results[2], RSS.OpaqueValue, IsImplicit);
766 
767   return Res;
768 }
769 
770 ExprResult Sema::ActOnCoyieldExpr(Scope *S, SourceLocation Loc, Expr *E) {
771   if (!ActOnCoroutineBodyStart(S, Loc, "co_yield")) {
772     CorrectDelayedTyposInExpr(E);
773     return ExprError();
774   }
775 
776   // Build yield_value call.
777   ExprResult Awaitable = buildPromiseCall(
778       *this, getCurFunction()->CoroutinePromise, Loc, "yield_value", E);
779   if (Awaitable.isInvalid())
780     return ExprError();
781 
782   // Build 'operator co_await' call.
783   Awaitable = buildOperatorCoawaitCall(*this, S, Loc, Awaitable.get());
784   if (Awaitable.isInvalid())
785     return ExprError();
786 
787   return BuildCoyieldExpr(Loc, Awaitable.get());
788 }
789 ExprResult Sema::BuildCoyieldExpr(SourceLocation Loc, Expr *E) {
790   auto *Coroutine = checkCoroutineContext(*this, Loc, "co_yield");
791   if (!Coroutine)
792     return ExprError();
793 
794   if (E->getType()->isPlaceholderType()) {
795     ExprResult R = CheckPlaceholderExpr(E);
796     if (R.isInvalid()) return ExprError();
797     E = R.get();
798   }
799 
800   if (E->getType()->isDependentType()) {
801     Expr *Res = new (Context) CoyieldExpr(Loc, Context.DependentTy, E);
802     return Res;
803   }
804 
805   // If the expression is a temporary, materialize it as an lvalue so that we
806   // can use it multiple times.
807   if (E->getValueKind() == VK_RValue)
808     E = CreateMaterializeTemporaryExpr(E->getType(), E, true);
809 
810   // Build the await_ready, await_suspend, await_resume calls.
811   ReadySuspendResumeResult RSS =
812       buildCoawaitCalls(*this, Coroutine->CoroutinePromise, Loc, E);
813   if (RSS.IsInvalid)
814     return ExprError();
815 
816   Expr *Res =
817       new (Context) CoyieldExpr(Loc, E, RSS.Results[0], RSS.Results[1],
818                                 RSS.Results[2], RSS.OpaqueValue);
819 
820   return Res;
821 }
822 
823 StmtResult Sema::ActOnCoreturnStmt(Scope *S, SourceLocation Loc, Expr *E) {
824   if (!ActOnCoroutineBodyStart(S, Loc, "co_return")) {
825     CorrectDelayedTyposInExpr(E);
826     return StmtError();
827   }
828   return BuildCoreturnStmt(Loc, E);
829 }
830 
831 StmtResult Sema::BuildCoreturnStmt(SourceLocation Loc, Expr *E,
832                                    bool IsImplicit) {
833   auto *FSI = checkCoroutineContext(*this, Loc, "co_return", IsImplicit);
834   if (!FSI)
835     return StmtError();
836 
837   if (E && E->getType()->isPlaceholderType() &&
838       !E->getType()->isSpecificPlaceholderType(BuiltinType::Overload)) {
839     ExprResult R = CheckPlaceholderExpr(E);
840     if (R.isInvalid()) return StmtError();
841     E = R.get();
842   }
843 
844   // Move the return value if we can
845   if (E) {
846     auto NRVOCandidate = this->getCopyElisionCandidate(E->getType(), E, CES_AsIfByStdMove);
847     if (NRVOCandidate) {
848       InitializedEntity Entity =
849           InitializedEntity::InitializeResult(Loc, E->getType(), NRVOCandidate);
850       ExprResult MoveResult = this->PerformMoveOrCopyInitialization(
851           Entity, NRVOCandidate, E->getType(), E);
852       if (MoveResult.get())
853         E = MoveResult.get();
854     }
855   }
856 
857   // FIXME: If the operand is a reference to a variable that's about to go out
858   // of scope, we should treat the operand as an xvalue for this overload
859   // resolution.
860   VarDecl *Promise = FSI->CoroutinePromise;
861   ExprResult PC;
862   if (E && (isa<InitListExpr>(E) || !E->getType()->isVoidType())) {
863     PC = buildPromiseCall(*this, Promise, Loc, "return_value", E);
864   } else {
865     E = MakeFullDiscardedValueExpr(E).get();
866     PC = buildPromiseCall(*this, Promise, Loc, "return_void", None);
867   }
868   if (PC.isInvalid())
869     return StmtError();
870 
871   Expr *PCE = ActOnFinishFullExpr(PC.get()).get();
872 
873   Stmt *Res = new (Context) CoreturnStmt(Loc, E, PCE, IsImplicit);
874   return Res;
875 }
876 
877 /// Look up the std::nothrow object.
878 static Expr *buildStdNoThrowDeclRef(Sema &S, SourceLocation Loc) {
879   NamespaceDecl *Std = S.getStdNamespace();
880   assert(Std && "Should already be diagnosed");
881 
882   LookupResult Result(S, &S.PP.getIdentifierTable().get("nothrow"), Loc,
883                       Sema::LookupOrdinaryName);
884   if (!S.LookupQualifiedName(Result, Std)) {
885     // FIXME: <experimental/coroutine> should have been included already.
886     // If we require it to include <new> then this diagnostic is no longer
887     // needed.
888     S.Diag(Loc, diag::err_implicit_coroutine_std_nothrow_type_not_found);
889     return nullptr;
890   }
891 
892   auto *VD = Result.getAsSingle<VarDecl>();
893   if (!VD) {
894     Result.suppressDiagnostics();
895     // We found something weird. Complain about the first thing we found.
896     NamedDecl *Found = *Result.begin();
897     S.Diag(Found->getLocation(), diag::err_malformed_std_nothrow);
898     return nullptr;
899   }
900 
901   ExprResult DR = S.BuildDeclRefExpr(VD, VD->getType(), VK_LValue, Loc);
902   if (DR.isInvalid())
903     return nullptr;
904 
905   return DR.get();
906 }
907 
908 // Find an appropriate delete for the promise.
909 static FunctionDecl *findDeleteForPromise(Sema &S, SourceLocation Loc,
910                                           QualType PromiseType) {
911   FunctionDecl *OperatorDelete = nullptr;
912 
913   DeclarationName DeleteName =
914       S.Context.DeclarationNames.getCXXOperatorName(OO_Delete);
915 
916   auto *PointeeRD = PromiseType->getAsCXXRecordDecl();
917   assert(PointeeRD && "PromiseType must be a CxxRecordDecl type");
918 
919   if (S.FindDeallocationFunction(Loc, PointeeRD, DeleteName, OperatorDelete))
920     return nullptr;
921 
922   if (!OperatorDelete) {
923     // Look for a global declaration.
924     const bool CanProvideSize = S.isCompleteType(Loc, PromiseType);
925     const bool Overaligned = false;
926     OperatorDelete = S.FindUsualDeallocationFunction(Loc, CanProvideSize,
927                                                      Overaligned, DeleteName);
928   }
929   S.MarkFunctionReferenced(Loc, OperatorDelete);
930   return OperatorDelete;
931 }
932 
933 
934 void Sema::CheckCompletedCoroutineBody(FunctionDecl *FD, Stmt *&Body) {
935   FunctionScopeInfo *Fn = getCurFunction();
936   assert(Fn && Fn->isCoroutine() && "not a coroutine");
937   if (!Body) {
938     assert(FD->isInvalidDecl() &&
939            "a null body is only allowed for invalid declarations");
940     return;
941   }
942   // We have a function that uses coroutine keywords, but we failed to build
943   // the promise type.
944   if (!Fn->CoroutinePromise)
945     return FD->setInvalidDecl();
946 
947   if (isa<CoroutineBodyStmt>(Body)) {
948     // Nothing todo. the body is already a transformed coroutine body statement.
949     return;
950   }
951 
952   // Coroutines [stmt.return]p1:
953   //   A return statement shall not appear in a coroutine.
954   if (Fn->FirstReturnLoc.isValid()) {
955     assert(Fn->FirstCoroutineStmtLoc.isValid() &&
956                    "first coroutine location not set");
957     Diag(Fn->FirstReturnLoc, diag::err_return_in_coroutine);
958     Diag(Fn->FirstCoroutineStmtLoc, diag::note_declared_coroutine_here)
959             << Fn->getFirstCoroutineStmtKeyword();
960   }
961   CoroutineStmtBuilder Builder(*this, *FD, *Fn, Body);
962   if (Builder.isInvalid() || !Builder.buildStatements())
963     return FD->setInvalidDecl();
964 
965   // Build body for the coroutine wrapper statement.
966   Body = CoroutineBodyStmt::Create(Context, Builder);
967 }
968 
969 CoroutineStmtBuilder::CoroutineStmtBuilder(Sema &S, FunctionDecl &FD,
970                                            sema::FunctionScopeInfo &Fn,
971                                            Stmt *Body)
972     : S(S), FD(FD), Fn(Fn), Loc(FD.getLocation()),
973       IsPromiseDependentType(
974           !Fn.CoroutinePromise ||
975           Fn.CoroutinePromise->getType()->isDependentType()) {
976   this->Body = Body;
977 
978   for (auto KV : Fn.CoroutineParameterMoves)
979     this->ParamMovesVector.push_back(KV.second);
980   this->ParamMoves = this->ParamMovesVector;
981 
982   if (!IsPromiseDependentType) {
983     PromiseRecordDecl = Fn.CoroutinePromise->getType()->getAsCXXRecordDecl();
984     assert(PromiseRecordDecl && "Type should have already been checked");
985   }
986   this->IsValid = makePromiseStmt() && makeInitialAndFinalSuspend();
987 }
988 
989 bool CoroutineStmtBuilder::buildStatements() {
990   assert(this->IsValid && "coroutine already invalid");
991   this->IsValid = makeReturnObject();
992   if (this->IsValid && !IsPromiseDependentType)
993     buildDependentStatements();
994   return this->IsValid;
995 }
996 
997 bool CoroutineStmtBuilder::buildDependentStatements() {
998   assert(this->IsValid && "coroutine already invalid");
999   assert(!this->IsPromiseDependentType &&
1000          "coroutine cannot have a dependent promise type");
1001   this->IsValid = makeOnException() && makeOnFallthrough() &&
1002                   makeGroDeclAndReturnStmt() && makeReturnOnAllocFailure() &&
1003                   makeNewAndDeleteExpr();
1004   return this->IsValid;
1005 }
1006 
1007 bool CoroutineStmtBuilder::makePromiseStmt() {
1008   // Form a declaration statement for the promise declaration, so that AST
1009   // visitors can more easily find it.
1010   StmtResult PromiseStmt =
1011       S.ActOnDeclStmt(S.ConvertDeclToDeclGroup(Fn.CoroutinePromise), Loc, Loc);
1012   if (PromiseStmt.isInvalid())
1013     return false;
1014 
1015   this->Promise = PromiseStmt.get();
1016   return true;
1017 }
1018 
1019 bool CoroutineStmtBuilder::makeInitialAndFinalSuspend() {
1020   if (Fn.hasInvalidCoroutineSuspends())
1021     return false;
1022   this->InitialSuspend = cast<Expr>(Fn.CoroutineSuspends.first);
1023   this->FinalSuspend = cast<Expr>(Fn.CoroutineSuspends.second);
1024   return true;
1025 }
1026 
1027 static bool diagReturnOnAllocFailure(Sema &S, Expr *E,
1028                                      CXXRecordDecl *PromiseRecordDecl,
1029                                      FunctionScopeInfo &Fn) {
1030   auto Loc = E->getExprLoc();
1031   if (auto *DeclRef = dyn_cast_or_null<DeclRefExpr>(E)) {
1032     auto *Decl = DeclRef->getDecl();
1033     if (CXXMethodDecl *Method = dyn_cast_or_null<CXXMethodDecl>(Decl)) {
1034       if (Method->isStatic())
1035         return true;
1036       else
1037         Loc = Decl->getLocation();
1038     }
1039   }
1040 
1041   S.Diag(
1042       Loc,
1043       diag::err_coroutine_promise_get_return_object_on_allocation_failure)
1044       << PromiseRecordDecl;
1045   S.Diag(Fn.FirstCoroutineStmtLoc, diag::note_declared_coroutine_here)
1046       << Fn.getFirstCoroutineStmtKeyword();
1047   return false;
1048 }
1049 
1050 bool CoroutineStmtBuilder::makeReturnOnAllocFailure() {
1051   assert(!IsPromiseDependentType &&
1052          "cannot make statement while the promise type is dependent");
1053 
1054   // [dcl.fct.def.coroutine]/8
1055   // The unqualified-id get_return_object_on_allocation_failure is looked up in
1056   // the scope of class P by class member access lookup (3.4.5). ...
1057   // If an allocation function returns nullptr, ... the coroutine return value
1058   // is obtained by a call to ... get_return_object_on_allocation_failure().
1059 
1060   DeclarationName DN =
1061       S.PP.getIdentifierInfo("get_return_object_on_allocation_failure");
1062   LookupResult Found(S, DN, Loc, Sema::LookupMemberName);
1063   if (!S.LookupQualifiedName(Found, PromiseRecordDecl))
1064     return true;
1065 
1066   CXXScopeSpec SS;
1067   ExprResult DeclNameExpr =
1068       S.BuildDeclarationNameExpr(SS, Found, /*NeedsADL=*/false);
1069   if (DeclNameExpr.isInvalid())
1070     return false;
1071 
1072   if (!diagReturnOnAllocFailure(S, DeclNameExpr.get(), PromiseRecordDecl, Fn))
1073     return false;
1074 
1075   ExprResult ReturnObjectOnAllocationFailure =
1076       S.ActOnCallExpr(nullptr, DeclNameExpr.get(), Loc, {}, Loc);
1077   if (ReturnObjectOnAllocationFailure.isInvalid())
1078     return false;
1079 
1080   StmtResult ReturnStmt =
1081       S.BuildReturnStmt(Loc, ReturnObjectOnAllocationFailure.get());
1082   if (ReturnStmt.isInvalid()) {
1083     S.Diag(Found.getFoundDecl()->getLocation(), diag::note_member_declared_here)
1084         << DN;
1085     S.Diag(Fn.FirstCoroutineStmtLoc, diag::note_declared_coroutine_here)
1086         << Fn.getFirstCoroutineStmtKeyword();
1087     return false;
1088   }
1089 
1090   this->ReturnStmtOnAllocFailure = ReturnStmt.get();
1091   return true;
1092 }
1093 
1094 bool CoroutineStmtBuilder::makeNewAndDeleteExpr() {
1095   // Form and check allocation and deallocation calls.
1096   assert(!IsPromiseDependentType &&
1097          "cannot make statement while the promise type is dependent");
1098   QualType PromiseType = Fn.CoroutinePromise->getType();
1099 
1100   if (S.RequireCompleteType(Loc, PromiseType, diag::err_incomplete_type))
1101     return false;
1102 
1103   const bool RequiresNoThrowAlloc = ReturnStmtOnAllocFailure != nullptr;
1104 
1105   // [dcl.fct.def.coroutine]/7
1106   // Lookup allocation functions using a parameter list composed of the
1107   // requested size of the coroutine state being allocated, followed by
1108   // the coroutine function's arguments. If a matching allocation function
1109   // exists, use it. Otherwise, use an allocation function that just takes
1110   // the requested size.
1111 
1112   FunctionDecl *OperatorNew = nullptr;
1113   FunctionDecl *OperatorDelete = nullptr;
1114   FunctionDecl *UnusedResult = nullptr;
1115   bool PassAlignment = false;
1116   SmallVector<Expr *, 1> PlacementArgs;
1117 
1118   // [dcl.fct.def.coroutine]/7
1119   // "The allocation function’s name is looked up in the scope of P.
1120   // [...] If the lookup finds an allocation function in the scope of P,
1121   // overload resolution is performed on a function call created by assembling
1122   // an argument list. The first argument is the amount of space requested,
1123   // and has type std::size_t. The lvalues p1 ... pn are the succeeding
1124   // arguments."
1125   //
1126   // ...where "p1 ... pn" are defined earlier as:
1127   //
1128   // [dcl.fct.def.coroutine]/3
1129   // "For a coroutine f that is a non-static member function, let P1 denote the
1130   // type of the implicit object parameter (13.3.1) and P2 ... Pn be the types
1131   // of the function parameters; otherwise let P1 ... Pn be the types of the
1132   // function parameters. Let p1 ... pn be lvalues denoting those objects."
1133   if (auto *MD = dyn_cast<CXXMethodDecl>(&FD)) {
1134     if (MD->isInstance() && !isLambdaCallOperator(MD)) {
1135       ExprResult ThisExpr = S.ActOnCXXThis(Loc);
1136       if (ThisExpr.isInvalid())
1137         return false;
1138       ThisExpr = S.CreateBuiltinUnaryOp(Loc, UO_Deref, ThisExpr.get());
1139       if (ThisExpr.isInvalid())
1140         return false;
1141       PlacementArgs.push_back(ThisExpr.get());
1142     }
1143   }
1144   for (auto *PD : FD.parameters()) {
1145     if (PD->getType()->isDependentType())
1146       continue;
1147 
1148     // Build a reference to the parameter.
1149     auto PDLoc = PD->getLocation();
1150     ExprResult PDRefExpr =
1151         S.BuildDeclRefExpr(PD, PD->getOriginalType().getNonReferenceType(),
1152                            ExprValueKind::VK_LValue, PDLoc);
1153     if (PDRefExpr.isInvalid())
1154       return false;
1155 
1156     PlacementArgs.push_back(PDRefExpr.get());
1157   }
1158   S.FindAllocationFunctions(Loc, SourceRange(), /*NewScope*/ Sema::AFS_Class,
1159                             /*DeleteScope*/ Sema::AFS_Both, PromiseType,
1160                             /*isArray*/ false, PassAlignment, PlacementArgs,
1161                             OperatorNew, UnusedResult, /*Diagnose*/ false);
1162 
1163   // [dcl.fct.def.coroutine]/7
1164   // "If no matching function is found, overload resolution is performed again
1165   // on a function call created by passing just the amount of space required as
1166   // an argument of type std::size_t."
1167   if (!OperatorNew && !PlacementArgs.empty()) {
1168     PlacementArgs.clear();
1169     S.FindAllocationFunctions(Loc, SourceRange(), /*NewScope*/ Sema::AFS_Class,
1170                               /*DeleteScope*/ Sema::AFS_Both, PromiseType,
1171                               /*isArray*/ false, PassAlignment, PlacementArgs,
1172                               OperatorNew, UnusedResult, /*Diagnose*/ false);
1173   }
1174 
1175   // [dcl.fct.def.coroutine]/7
1176   // "The allocation function’s name is looked up in the scope of P. If this
1177   // lookup fails, the allocation function’s name is looked up in the global
1178   // scope."
1179   if (!OperatorNew) {
1180     S.FindAllocationFunctions(Loc, SourceRange(), /*NewScope*/ Sema::AFS_Global,
1181                               /*DeleteScope*/ Sema::AFS_Both, PromiseType,
1182                               /*isArray*/ false, PassAlignment, PlacementArgs,
1183                               OperatorNew, UnusedResult);
1184   }
1185 
1186   bool IsGlobalOverload =
1187       OperatorNew && !isa<CXXRecordDecl>(OperatorNew->getDeclContext());
1188   // If we didn't find a class-local new declaration and non-throwing new
1189   // was is required then we need to lookup the non-throwing global operator
1190   // instead.
1191   if (RequiresNoThrowAlloc && (!OperatorNew || IsGlobalOverload)) {
1192     auto *StdNoThrow = buildStdNoThrowDeclRef(S, Loc);
1193     if (!StdNoThrow)
1194       return false;
1195     PlacementArgs = {StdNoThrow};
1196     OperatorNew = nullptr;
1197     S.FindAllocationFunctions(Loc, SourceRange(), /*NewScope*/ Sema::AFS_Both,
1198                               /*DeleteScope*/ Sema::AFS_Both, PromiseType,
1199                               /*isArray*/ false, PassAlignment, PlacementArgs,
1200                               OperatorNew, UnusedResult);
1201   }
1202 
1203   if (!OperatorNew)
1204     return false;
1205 
1206   if (RequiresNoThrowAlloc) {
1207     const auto *FT = OperatorNew->getType()->getAs<FunctionProtoType>();
1208     if (!FT->isNothrow(/*ResultIfDependent*/ false)) {
1209       S.Diag(OperatorNew->getLocation(),
1210              diag::err_coroutine_promise_new_requires_nothrow)
1211           << OperatorNew;
1212       S.Diag(Loc, diag::note_coroutine_promise_call_implicitly_required)
1213           << OperatorNew;
1214       return false;
1215     }
1216   }
1217 
1218   if ((OperatorDelete = findDeleteForPromise(S, Loc, PromiseType)) == nullptr)
1219     return false;
1220 
1221   Expr *FramePtr =
1222       buildBuiltinCall(S, Loc, Builtin::BI__builtin_coro_frame, {});
1223 
1224   Expr *FrameSize =
1225       buildBuiltinCall(S, Loc, Builtin::BI__builtin_coro_size, {});
1226 
1227   // Make new call.
1228 
1229   ExprResult NewRef =
1230       S.BuildDeclRefExpr(OperatorNew, OperatorNew->getType(), VK_LValue, Loc);
1231   if (NewRef.isInvalid())
1232     return false;
1233 
1234   SmallVector<Expr *, 2> NewArgs(1, FrameSize);
1235   for (auto Arg : PlacementArgs)
1236     NewArgs.push_back(Arg);
1237 
1238   ExprResult NewExpr =
1239       S.ActOnCallExpr(S.getCurScope(), NewRef.get(), Loc, NewArgs, Loc);
1240   NewExpr = S.ActOnFinishFullExpr(NewExpr.get());
1241   if (NewExpr.isInvalid())
1242     return false;
1243 
1244   // Make delete call.
1245 
1246   QualType OpDeleteQualType = OperatorDelete->getType();
1247 
1248   ExprResult DeleteRef =
1249       S.BuildDeclRefExpr(OperatorDelete, OpDeleteQualType, VK_LValue, Loc);
1250   if (DeleteRef.isInvalid())
1251     return false;
1252 
1253   Expr *CoroFree =
1254       buildBuiltinCall(S, Loc, Builtin::BI__builtin_coro_free, {FramePtr});
1255 
1256   SmallVector<Expr *, 2> DeleteArgs{CoroFree};
1257 
1258   // Check if we need to pass the size.
1259   const auto *OpDeleteType =
1260       OpDeleteQualType.getTypePtr()->getAs<FunctionProtoType>();
1261   if (OpDeleteType->getNumParams() > 1)
1262     DeleteArgs.push_back(FrameSize);
1263 
1264   ExprResult DeleteExpr =
1265       S.ActOnCallExpr(S.getCurScope(), DeleteRef.get(), Loc, DeleteArgs, Loc);
1266   DeleteExpr = S.ActOnFinishFullExpr(DeleteExpr.get());
1267   if (DeleteExpr.isInvalid())
1268     return false;
1269 
1270   this->Allocate = NewExpr.get();
1271   this->Deallocate = DeleteExpr.get();
1272 
1273   return true;
1274 }
1275 
1276 bool CoroutineStmtBuilder::makeOnFallthrough() {
1277   assert(!IsPromiseDependentType &&
1278          "cannot make statement while the promise type is dependent");
1279 
1280   // [dcl.fct.def.coroutine]/4
1281   // The unqualified-ids 'return_void' and 'return_value' are looked up in
1282   // the scope of class P. If both are found, the program is ill-formed.
1283   bool HasRVoid, HasRValue;
1284   LookupResult LRVoid =
1285       lookupMember(S, "return_void", PromiseRecordDecl, Loc, HasRVoid);
1286   LookupResult LRValue =
1287       lookupMember(S, "return_value", PromiseRecordDecl, Loc, HasRValue);
1288 
1289   StmtResult Fallthrough;
1290   if (HasRVoid && HasRValue) {
1291     // FIXME Improve this diagnostic
1292     S.Diag(FD.getLocation(),
1293            diag::err_coroutine_promise_incompatible_return_functions)
1294         << PromiseRecordDecl;
1295     S.Diag(LRVoid.getRepresentativeDecl()->getLocation(),
1296            diag::note_member_first_declared_here)
1297         << LRVoid.getLookupName();
1298     S.Diag(LRValue.getRepresentativeDecl()->getLocation(),
1299            diag::note_member_first_declared_here)
1300         << LRValue.getLookupName();
1301     return false;
1302   } else if (!HasRVoid && !HasRValue) {
1303     // FIXME: The PDTS currently specifies this case as UB, not ill-formed.
1304     // However we still diagnose this as an error since until the PDTS is fixed.
1305     S.Diag(FD.getLocation(),
1306            diag::err_coroutine_promise_requires_return_function)
1307         << PromiseRecordDecl;
1308     S.Diag(PromiseRecordDecl->getLocation(), diag::note_defined_here)
1309         << PromiseRecordDecl;
1310     return false;
1311   } else if (HasRVoid) {
1312     // If the unqualified-id return_void is found, flowing off the end of a
1313     // coroutine is equivalent to a co_return with no operand. Otherwise,
1314     // flowing off the end of a coroutine results in undefined behavior.
1315     Fallthrough = S.BuildCoreturnStmt(FD.getLocation(), nullptr,
1316                                       /*IsImplicit*/false);
1317     Fallthrough = S.ActOnFinishFullStmt(Fallthrough.get());
1318     if (Fallthrough.isInvalid())
1319       return false;
1320   }
1321 
1322   this->OnFallthrough = Fallthrough.get();
1323   return true;
1324 }
1325 
1326 bool CoroutineStmtBuilder::makeOnException() {
1327   // Try to form 'p.unhandled_exception();'
1328   assert(!IsPromiseDependentType &&
1329          "cannot make statement while the promise type is dependent");
1330 
1331   const bool RequireUnhandledException = S.getLangOpts().CXXExceptions;
1332 
1333   if (!lookupMember(S, "unhandled_exception", PromiseRecordDecl, Loc)) {
1334     auto DiagID =
1335         RequireUnhandledException
1336             ? diag::err_coroutine_promise_unhandled_exception_required
1337             : diag::
1338                   warn_coroutine_promise_unhandled_exception_required_with_exceptions;
1339     S.Diag(Loc, DiagID) << PromiseRecordDecl;
1340     S.Diag(PromiseRecordDecl->getLocation(), diag::note_defined_here)
1341         << PromiseRecordDecl;
1342     return !RequireUnhandledException;
1343   }
1344 
1345   // If exceptions are disabled, don't try to build OnException.
1346   if (!S.getLangOpts().CXXExceptions)
1347     return true;
1348 
1349   ExprResult UnhandledException = buildPromiseCall(S, Fn.CoroutinePromise, Loc,
1350                                                    "unhandled_exception", None);
1351   UnhandledException = S.ActOnFinishFullExpr(UnhandledException.get(), Loc);
1352   if (UnhandledException.isInvalid())
1353     return false;
1354 
1355   // Since the body of the coroutine will be wrapped in try-catch, it will
1356   // be incompatible with SEH __try if present in a function.
1357   if (!S.getLangOpts().Borland && Fn.FirstSEHTryLoc.isValid()) {
1358     S.Diag(Fn.FirstSEHTryLoc, diag::err_seh_in_a_coroutine_with_cxx_exceptions);
1359     S.Diag(Fn.FirstCoroutineStmtLoc, diag::note_declared_coroutine_here)
1360         << Fn.getFirstCoroutineStmtKeyword();
1361     return false;
1362   }
1363 
1364   this->OnException = UnhandledException.get();
1365   return true;
1366 }
1367 
1368 bool CoroutineStmtBuilder::makeReturnObject() {
1369   // Build implicit 'p.get_return_object()' expression and form initialization
1370   // of return type from it.
1371   ExprResult ReturnObject =
1372       buildPromiseCall(S, Fn.CoroutinePromise, Loc, "get_return_object", None);
1373   if (ReturnObject.isInvalid())
1374     return false;
1375 
1376   this->ReturnValue = ReturnObject.get();
1377   return true;
1378 }
1379 
1380 static void noteMemberDeclaredHere(Sema &S, Expr *E, FunctionScopeInfo &Fn) {
1381   if (auto *MbrRef = dyn_cast<CXXMemberCallExpr>(E)) {
1382     auto *MethodDecl = MbrRef->getMethodDecl();
1383     S.Diag(MethodDecl->getLocation(), diag::note_member_declared_here)
1384         << MethodDecl;
1385   }
1386   S.Diag(Fn.FirstCoroutineStmtLoc, diag::note_declared_coroutine_here)
1387       << Fn.getFirstCoroutineStmtKeyword();
1388 }
1389 
1390 bool CoroutineStmtBuilder::makeGroDeclAndReturnStmt() {
1391   assert(!IsPromiseDependentType &&
1392          "cannot make statement while the promise type is dependent");
1393   assert(this->ReturnValue && "ReturnValue must be already formed");
1394 
1395   QualType const GroType = this->ReturnValue->getType();
1396   assert(!GroType->isDependentType() &&
1397          "get_return_object type must no longer be dependent");
1398 
1399   QualType const FnRetType = FD.getReturnType();
1400   assert(!FnRetType->isDependentType() &&
1401          "get_return_object type must no longer be dependent");
1402 
1403   if (FnRetType->isVoidType()) {
1404     ExprResult Res = S.ActOnFinishFullExpr(this->ReturnValue, Loc);
1405     if (Res.isInvalid())
1406       return false;
1407 
1408     this->ResultDecl = Res.get();
1409     return true;
1410   }
1411 
1412   if (GroType->isVoidType()) {
1413     // Trigger a nice error message.
1414     InitializedEntity Entity =
1415         InitializedEntity::InitializeResult(Loc, FnRetType, false);
1416     S.PerformMoveOrCopyInitialization(Entity, nullptr, FnRetType, ReturnValue);
1417     noteMemberDeclaredHere(S, ReturnValue, Fn);
1418     return false;
1419   }
1420 
1421   auto *GroDecl = VarDecl::Create(
1422       S.Context, &FD, FD.getLocation(), FD.getLocation(),
1423       &S.PP.getIdentifierTable().get("__coro_gro"), GroType,
1424       S.Context.getTrivialTypeSourceInfo(GroType, Loc), SC_None);
1425 
1426   S.CheckVariableDeclarationType(GroDecl);
1427   if (GroDecl->isInvalidDecl())
1428     return false;
1429 
1430   InitializedEntity Entity = InitializedEntity::InitializeVariable(GroDecl);
1431   ExprResult Res = S.PerformMoveOrCopyInitialization(Entity, nullptr, GroType,
1432                                                      this->ReturnValue);
1433   if (Res.isInvalid())
1434     return false;
1435 
1436   Res = S.ActOnFinishFullExpr(Res.get());
1437   if (Res.isInvalid())
1438     return false;
1439 
1440   S.AddInitializerToDecl(GroDecl, Res.get(),
1441                          /*DirectInit=*/false);
1442 
1443   S.FinalizeDeclaration(GroDecl);
1444 
1445   // Form a declaration statement for the return declaration, so that AST
1446   // visitors can more easily find it.
1447   StmtResult GroDeclStmt =
1448       S.ActOnDeclStmt(S.ConvertDeclToDeclGroup(GroDecl), Loc, Loc);
1449   if (GroDeclStmt.isInvalid())
1450     return false;
1451 
1452   this->ResultDecl = GroDeclStmt.get();
1453 
1454   ExprResult declRef = S.BuildDeclRefExpr(GroDecl, GroType, VK_LValue, Loc);
1455   if (declRef.isInvalid())
1456     return false;
1457 
1458   StmtResult ReturnStmt = S.BuildReturnStmt(Loc, declRef.get());
1459   if (ReturnStmt.isInvalid()) {
1460     noteMemberDeclaredHere(S, ReturnValue, Fn);
1461     return false;
1462   }
1463   if (cast<clang::ReturnStmt>(ReturnStmt.get())->getNRVOCandidate() == GroDecl)
1464     GroDecl->setNRVOVariable(true);
1465 
1466   this->ReturnStmt = ReturnStmt.get();
1467   return true;
1468 }
1469 
1470 // Create a static_cast\<T&&>(expr).
1471 static Expr *castForMoving(Sema &S, Expr *E, QualType T = QualType()) {
1472   if (T.isNull())
1473     T = E->getType();
1474   QualType TargetType = S.BuildReferenceType(
1475       T, /*SpelledAsLValue*/ false, SourceLocation(), DeclarationName());
1476   SourceLocation ExprLoc = E->getBeginLoc();
1477   TypeSourceInfo *TargetLoc =
1478       S.Context.getTrivialTypeSourceInfo(TargetType, ExprLoc);
1479 
1480   return S
1481       .BuildCXXNamedCast(ExprLoc, tok::kw_static_cast, TargetLoc, E,
1482                          SourceRange(ExprLoc, ExprLoc), E->getSourceRange())
1483       .get();
1484 }
1485 
1486 /// Build a variable declaration for move parameter.
1487 static VarDecl *buildVarDecl(Sema &S, SourceLocation Loc, QualType Type,
1488                              IdentifierInfo *II) {
1489   TypeSourceInfo *TInfo = S.Context.getTrivialTypeSourceInfo(Type, Loc);
1490   VarDecl *Decl = VarDecl::Create(S.Context, S.CurContext, Loc, Loc, II, Type,
1491                                   TInfo, SC_None);
1492   Decl->setImplicit();
1493   return Decl;
1494 }
1495 
1496 // Build statements that move coroutine function parameters to the coroutine
1497 // frame, and store them on the function scope info.
1498 bool Sema::buildCoroutineParameterMoves(SourceLocation Loc) {
1499   assert(isa<FunctionDecl>(CurContext) && "not in a function scope");
1500   auto *FD = cast<FunctionDecl>(CurContext);
1501 
1502   auto *ScopeInfo = getCurFunction();
1503   assert(ScopeInfo->CoroutineParameterMoves.empty() &&
1504          "Should not build parameter moves twice");
1505 
1506   for (auto *PD : FD->parameters()) {
1507     if (PD->getType()->isDependentType())
1508       continue;
1509 
1510     ExprResult PDRefExpr =
1511         BuildDeclRefExpr(PD, PD->getType().getNonReferenceType(),
1512                          ExprValueKind::VK_LValue, Loc); // FIXME: scope?
1513     if (PDRefExpr.isInvalid())
1514       return false;
1515 
1516     Expr *CExpr = nullptr;
1517     if (PD->getType()->getAsCXXRecordDecl() ||
1518         PD->getType()->isRValueReferenceType())
1519       CExpr = castForMoving(*this, PDRefExpr.get());
1520     else
1521       CExpr = PDRefExpr.get();
1522 
1523     auto D = buildVarDecl(*this, Loc, PD->getType(), PD->getIdentifier());
1524     AddInitializerToDecl(D, CExpr, /*DirectInit=*/true);
1525 
1526     // Convert decl to a statement.
1527     StmtResult Stmt = ActOnDeclStmt(ConvertDeclToDeclGroup(D), Loc, Loc);
1528     if (Stmt.isInvalid())
1529       return false;
1530 
1531     ScopeInfo->CoroutineParameterMoves.insert(std::make_pair(PD, Stmt.get()));
1532   }
1533   return true;
1534 }
1535 
1536 StmtResult Sema::BuildCoroutineBodyStmt(CoroutineBodyStmt::CtorArgs Args) {
1537   CoroutineBodyStmt *Res = CoroutineBodyStmt::Create(Context, Args);
1538   if (!Res)
1539     return StmtError();
1540   return Res;
1541 }
1542 
1543 ClassTemplateDecl *Sema::lookupCoroutineTraits(SourceLocation KwLoc,
1544                                                SourceLocation FuncLoc) {
1545   if (!StdCoroutineTraitsCache) {
1546     if (auto StdExp = lookupStdExperimentalNamespace()) {
1547       LookupResult Result(*this,
1548                           &PP.getIdentifierTable().get("coroutine_traits"),
1549                           FuncLoc, LookupOrdinaryName);
1550       if (!LookupQualifiedName(Result, StdExp)) {
1551         Diag(KwLoc, diag::err_implied_coroutine_type_not_found)
1552             << "std::experimental::coroutine_traits";
1553         return nullptr;
1554       }
1555       if (!(StdCoroutineTraitsCache =
1556                 Result.getAsSingle<ClassTemplateDecl>())) {
1557         Result.suppressDiagnostics();
1558         NamedDecl *Found = *Result.begin();
1559         Diag(Found->getLocation(), diag::err_malformed_std_coroutine_traits);
1560         return nullptr;
1561       }
1562     }
1563   }
1564   return StdCoroutineTraitsCache;
1565 }
1566