xref: /freebsd/contrib/llvm-project/clang/lib/Parse/ParseExprCXX.cpp (revision 7a6dacaca14b62ca4b74406814becb87a3fefac0)
10b57cec5SDimitry Andric //===--- ParseExprCXX.cpp - C++ Expression Parsing ------------------------===//
20b57cec5SDimitry Andric //
30b57cec5SDimitry Andric // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
40b57cec5SDimitry Andric // See https://llvm.org/LICENSE.txt for license information.
50b57cec5SDimitry Andric // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
60b57cec5SDimitry Andric //
70b57cec5SDimitry Andric //===----------------------------------------------------------------------===//
80b57cec5SDimitry Andric //
90b57cec5SDimitry Andric // This file implements the Expression parsing implementation for C++.
100b57cec5SDimitry Andric //
110b57cec5SDimitry Andric //===----------------------------------------------------------------------===//
120b57cec5SDimitry Andric #include "clang/AST/ASTContext.h"
1355e4f9d5SDimitry Andric #include "clang/AST/Decl.h"
140b57cec5SDimitry Andric #include "clang/AST/DeclTemplate.h"
1555e4f9d5SDimitry Andric #include "clang/AST/ExprCXX.h"
160b57cec5SDimitry Andric #include "clang/Basic/PrettyStackTrace.h"
17bdd1243dSDimitry Andric #include "clang/Basic/TokenKinds.h"
180b57cec5SDimitry Andric #include "clang/Lex/LiteralSupport.h"
190b57cec5SDimitry Andric #include "clang/Parse/ParseDiagnostic.h"
20fe6060f1SDimitry Andric #include "clang/Parse/Parser.h"
210b57cec5SDimitry Andric #include "clang/Parse/RAIIObjectsForParser.h"
220b57cec5SDimitry Andric #include "clang/Sema/DeclSpec.h"
2306c3fb27SDimitry Andric #include "clang/Sema/EnterExpressionEvaluationContext.h"
240b57cec5SDimitry Andric #include "clang/Sema/ParsedTemplate.h"
250b57cec5SDimitry Andric #include "clang/Sema/Scope.h"
26bdd1243dSDimitry Andric #include "llvm/Support/Compiler.h"
270b57cec5SDimitry Andric #include "llvm/Support/ErrorHandling.h"
280b57cec5SDimitry Andric #include <numeric>
290b57cec5SDimitry Andric 
300b57cec5SDimitry Andric using namespace clang;
310b57cec5SDimitry Andric 
320b57cec5SDimitry Andric static int SelectDigraphErrorMessage(tok::TokenKind Kind) {
330b57cec5SDimitry Andric   switch (Kind) {
340b57cec5SDimitry Andric     // template name
350b57cec5SDimitry Andric     case tok::unknown:             return 0;
360b57cec5SDimitry Andric     // casts
375ffd83dbSDimitry Andric     case tok::kw_addrspace_cast:   return 1;
385ffd83dbSDimitry Andric     case tok::kw_const_cast:       return 2;
395ffd83dbSDimitry Andric     case tok::kw_dynamic_cast:     return 3;
405ffd83dbSDimitry Andric     case tok::kw_reinterpret_cast: return 4;
415ffd83dbSDimitry Andric     case tok::kw_static_cast:      return 5;
420b57cec5SDimitry Andric     default:
430b57cec5SDimitry Andric       llvm_unreachable("Unknown type for digraph error message.");
440b57cec5SDimitry Andric   }
450b57cec5SDimitry Andric }
460b57cec5SDimitry Andric 
470b57cec5SDimitry Andric // Are the two tokens adjacent in the same source file?
480b57cec5SDimitry Andric bool Parser::areTokensAdjacent(const Token &First, const Token &Second) {
490b57cec5SDimitry Andric   SourceManager &SM = PP.getSourceManager();
500b57cec5SDimitry Andric   SourceLocation FirstLoc = SM.getSpellingLoc(First.getLocation());
510b57cec5SDimitry Andric   SourceLocation FirstEnd = FirstLoc.getLocWithOffset(First.getLength());
520b57cec5SDimitry Andric   return FirstEnd == SM.getSpellingLoc(Second.getLocation());
530b57cec5SDimitry Andric }
540b57cec5SDimitry Andric 
550b57cec5SDimitry Andric // Suggest fixit for "<::" after a cast.
560b57cec5SDimitry Andric static void FixDigraph(Parser &P, Preprocessor &PP, Token &DigraphToken,
570b57cec5SDimitry Andric                        Token &ColonToken, tok::TokenKind Kind, bool AtDigraph) {
580b57cec5SDimitry Andric   // Pull '<:' and ':' off token stream.
590b57cec5SDimitry Andric   if (!AtDigraph)
600b57cec5SDimitry Andric     PP.Lex(DigraphToken);
610b57cec5SDimitry Andric   PP.Lex(ColonToken);
620b57cec5SDimitry Andric 
630b57cec5SDimitry Andric   SourceRange Range;
640b57cec5SDimitry Andric   Range.setBegin(DigraphToken.getLocation());
650b57cec5SDimitry Andric   Range.setEnd(ColonToken.getLocation());
660b57cec5SDimitry Andric   P.Diag(DigraphToken.getLocation(), diag::err_missing_whitespace_digraph)
670b57cec5SDimitry Andric       << SelectDigraphErrorMessage(Kind)
680b57cec5SDimitry Andric       << FixItHint::CreateReplacement(Range, "< ::");
690b57cec5SDimitry Andric 
700b57cec5SDimitry Andric   // Update token information to reflect their change in token type.
710b57cec5SDimitry Andric   ColonToken.setKind(tok::coloncolon);
720b57cec5SDimitry Andric   ColonToken.setLocation(ColonToken.getLocation().getLocWithOffset(-1));
730b57cec5SDimitry Andric   ColonToken.setLength(2);
740b57cec5SDimitry Andric   DigraphToken.setKind(tok::less);
750b57cec5SDimitry Andric   DigraphToken.setLength(1);
760b57cec5SDimitry Andric 
770b57cec5SDimitry Andric   // Push new tokens back to token stream.
780b57cec5SDimitry Andric   PP.EnterToken(ColonToken, /*IsReinject*/ true);
790b57cec5SDimitry Andric   if (!AtDigraph)
800b57cec5SDimitry Andric     PP.EnterToken(DigraphToken, /*IsReinject*/ true);
810b57cec5SDimitry Andric }
820b57cec5SDimitry Andric 
830b57cec5SDimitry Andric // Check for '<::' which should be '< ::' instead of '[:' when following
840b57cec5SDimitry Andric // a template name.
850b57cec5SDimitry Andric void Parser::CheckForTemplateAndDigraph(Token &Next, ParsedType ObjectType,
860b57cec5SDimitry Andric                                         bool EnteringContext,
870b57cec5SDimitry Andric                                         IdentifierInfo &II, CXXScopeSpec &SS) {
880b57cec5SDimitry Andric   if (!Next.is(tok::l_square) || Next.getLength() != 2)
890b57cec5SDimitry Andric     return;
900b57cec5SDimitry Andric 
910b57cec5SDimitry Andric   Token SecondToken = GetLookAheadToken(2);
920b57cec5SDimitry Andric   if (!SecondToken.is(tok::colon) || !areTokensAdjacent(Next, SecondToken))
930b57cec5SDimitry Andric     return;
940b57cec5SDimitry Andric 
950b57cec5SDimitry Andric   TemplateTy Template;
960b57cec5SDimitry Andric   UnqualifiedId TemplateName;
970b57cec5SDimitry Andric   TemplateName.setIdentifier(&II, Tok.getLocation());
980b57cec5SDimitry Andric   bool MemberOfUnknownSpecialization;
990b57cec5SDimitry Andric   if (!Actions.isTemplateName(getCurScope(), SS, /*hasTemplateKeyword=*/false,
1000b57cec5SDimitry Andric                               TemplateName, ObjectType, EnteringContext,
1010b57cec5SDimitry Andric                               Template, MemberOfUnknownSpecialization))
1020b57cec5SDimitry Andric     return;
1030b57cec5SDimitry Andric 
1040b57cec5SDimitry Andric   FixDigraph(*this, PP, Next, SecondToken, tok::unknown,
1050b57cec5SDimitry Andric              /*AtDigraph*/false);
1060b57cec5SDimitry Andric }
1070b57cec5SDimitry Andric 
1080b57cec5SDimitry Andric /// Parse global scope or nested-name-specifier if present.
1090b57cec5SDimitry Andric ///
1100b57cec5SDimitry Andric /// Parses a C++ global scope specifier ('::') or nested-name-specifier (which
1110b57cec5SDimitry Andric /// may be preceded by '::'). Note that this routine will not parse ::new or
1120b57cec5SDimitry Andric /// ::delete; it will just leave them in the token stream.
1130b57cec5SDimitry Andric ///
1140b57cec5SDimitry Andric ///       '::'[opt] nested-name-specifier
1150b57cec5SDimitry Andric ///       '::'
1160b57cec5SDimitry Andric ///
1170b57cec5SDimitry Andric ///       nested-name-specifier:
1180b57cec5SDimitry Andric ///         type-name '::'
1190b57cec5SDimitry Andric ///         namespace-name '::'
1200b57cec5SDimitry Andric ///         nested-name-specifier identifier '::'
1210b57cec5SDimitry Andric ///         nested-name-specifier 'template'[opt] simple-template-id '::'
1220b57cec5SDimitry Andric ///
1230b57cec5SDimitry Andric ///
1240b57cec5SDimitry Andric /// \param SS the scope specifier that will be set to the parsed
1250b57cec5SDimitry Andric /// nested-name-specifier (or empty)
1260b57cec5SDimitry Andric ///
1270b57cec5SDimitry Andric /// \param ObjectType if this nested-name-specifier is being parsed following
1280b57cec5SDimitry Andric /// the "." or "->" of a member access expression, this parameter provides the
1290b57cec5SDimitry Andric /// type of the object whose members are being accessed.
1300b57cec5SDimitry Andric ///
1315ffd83dbSDimitry Andric /// \param ObjectHadErrors if this unqualified-id occurs within a member access
1325ffd83dbSDimitry Andric /// expression, indicates whether the original subexpressions had any errors.
1335ffd83dbSDimitry Andric /// When true, diagnostics for missing 'template' keyword will be supressed.
1345ffd83dbSDimitry Andric ///
1350b57cec5SDimitry Andric /// \param EnteringContext whether we will be entering into the context of
1360b57cec5SDimitry Andric /// the nested-name-specifier after parsing it.
1370b57cec5SDimitry Andric ///
1380b57cec5SDimitry Andric /// \param MayBePseudoDestructor When non-NULL, points to a flag that
1390b57cec5SDimitry Andric /// indicates whether this nested-name-specifier may be part of a
1400b57cec5SDimitry Andric /// pseudo-destructor name. In this case, the flag will be set false
1415ffd83dbSDimitry Andric /// if we don't actually end up parsing a destructor name. Moreover,
1420b57cec5SDimitry Andric /// if we do end up determining that we are parsing a destructor name,
1430b57cec5SDimitry Andric /// the last component of the nested-name-specifier is not parsed as
1440b57cec5SDimitry Andric /// part of the scope specifier.
1450b57cec5SDimitry Andric ///
1460b57cec5SDimitry Andric /// \param IsTypename If \c true, this nested-name-specifier is known to be
1470b57cec5SDimitry Andric /// part of a type name. This is used to improve error recovery.
1480b57cec5SDimitry Andric ///
1490b57cec5SDimitry Andric /// \param LastII When non-NULL, points to an IdentifierInfo* that will be
1500b57cec5SDimitry Andric /// filled in with the leading identifier in the last component of the
1510b57cec5SDimitry Andric /// nested-name-specifier, if any.
1520b57cec5SDimitry Andric ///
1530b57cec5SDimitry Andric /// \param OnlyNamespace If true, only considers namespaces in lookup.
1540b57cec5SDimitry Andric ///
155480093f4SDimitry Andric ///
1560b57cec5SDimitry Andric /// \returns true if there was an error parsing a scope specifier
1575ffd83dbSDimitry Andric bool Parser::ParseOptionalCXXScopeSpecifier(
1585ffd83dbSDimitry Andric     CXXScopeSpec &SS, ParsedType ObjectType, bool ObjectHadErrors,
1595ffd83dbSDimitry Andric     bool EnteringContext, bool *MayBePseudoDestructor, bool IsTypename,
1605ffd83dbSDimitry Andric     IdentifierInfo **LastII, bool OnlyNamespace, bool InUsingDeclaration) {
1610b57cec5SDimitry Andric   assert(getLangOpts().CPlusPlus &&
1620b57cec5SDimitry Andric          "Call sites of this function should be guarded by checking for C++");
1630b57cec5SDimitry Andric 
1640b57cec5SDimitry Andric   if (Tok.is(tok::annot_cxxscope)) {
1650b57cec5SDimitry Andric     assert(!LastII && "want last identifier but have already annotated scope");
1660b57cec5SDimitry Andric     assert(!MayBePseudoDestructor && "unexpected annot_cxxscope");
1670b57cec5SDimitry Andric     Actions.RestoreNestedNameSpecifierAnnotation(Tok.getAnnotationValue(),
1680b57cec5SDimitry Andric                                                  Tok.getAnnotationRange(),
1690b57cec5SDimitry Andric                                                  SS);
1700b57cec5SDimitry Andric     ConsumeAnnotationToken();
1710b57cec5SDimitry Andric     return false;
1720b57cec5SDimitry Andric   }
1730b57cec5SDimitry Andric 
1740b57cec5SDimitry Andric   // Has to happen before any "return false"s in this function.
1750b57cec5SDimitry Andric   bool CheckForDestructor = false;
1760b57cec5SDimitry Andric   if (MayBePseudoDestructor && *MayBePseudoDestructor) {
1770b57cec5SDimitry Andric     CheckForDestructor = true;
1780b57cec5SDimitry Andric     *MayBePseudoDestructor = false;
1790b57cec5SDimitry Andric   }
1800b57cec5SDimitry Andric 
1810b57cec5SDimitry Andric   if (LastII)
1820b57cec5SDimitry Andric     *LastII = nullptr;
1830b57cec5SDimitry Andric 
1840b57cec5SDimitry Andric   bool HasScopeSpecifier = false;
1850b57cec5SDimitry Andric 
1860b57cec5SDimitry Andric   if (Tok.is(tok::coloncolon)) {
1870b57cec5SDimitry Andric     // ::new and ::delete aren't nested-name-specifiers.
1880b57cec5SDimitry Andric     tok::TokenKind NextKind = NextToken().getKind();
1890b57cec5SDimitry Andric     if (NextKind == tok::kw_new || NextKind == tok::kw_delete)
1900b57cec5SDimitry Andric       return false;
1910b57cec5SDimitry Andric 
1920b57cec5SDimitry Andric     if (NextKind == tok::l_brace) {
1930b57cec5SDimitry Andric       // It is invalid to have :: {, consume the scope qualifier and pretend
1940b57cec5SDimitry Andric       // like we never saw it.
1950b57cec5SDimitry Andric       Diag(ConsumeToken(), diag::err_expected) << tok::identifier;
1960b57cec5SDimitry Andric     } else {
1970b57cec5SDimitry Andric       // '::' - Global scope qualifier.
1980b57cec5SDimitry Andric       if (Actions.ActOnCXXGlobalScopeSpecifier(ConsumeToken(), SS))
1990b57cec5SDimitry Andric         return true;
2000b57cec5SDimitry Andric 
2010b57cec5SDimitry Andric       HasScopeSpecifier = true;
2020b57cec5SDimitry Andric     }
2030b57cec5SDimitry Andric   }
2040b57cec5SDimitry Andric 
2050b57cec5SDimitry Andric   if (Tok.is(tok::kw___super)) {
2060b57cec5SDimitry Andric     SourceLocation SuperLoc = ConsumeToken();
2070b57cec5SDimitry Andric     if (!Tok.is(tok::coloncolon)) {
2080b57cec5SDimitry Andric       Diag(Tok.getLocation(), diag::err_expected_coloncolon_after_super);
2090b57cec5SDimitry Andric       return true;
2100b57cec5SDimitry Andric     }
2110b57cec5SDimitry Andric 
2120b57cec5SDimitry Andric     return Actions.ActOnSuperScopeSpecifier(SuperLoc, ConsumeToken(), SS);
2130b57cec5SDimitry Andric   }
2140b57cec5SDimitry Andric 
2150b57cec5SDimitry Andric   if (!HasScopeSpecifier &&
2160b57cec5SDimitry Andric       Tok.isOneOf(tok::kw_decltype, tok::annot_decltype)) {
2170b57cec5SDimitry Andric     DeclSpec DS(AttrFactory);
2180b57cec5SDimitry Andric     SourceLocation DeclLoc = Tok.getLocation();
2190b57cec5SDimitry Andric     SourceLocation EndLoc  = ParseDecltypeSpecifier(DS);
2200b57cec5SDimitry Andric 
2210b57cec5SDimitry Andric     SourceLocation CCLoc;
2220b57cec5SDimitry Andric     // Work around a standard defect: 'decltype(auto)::' is not a
2230b57cec5SDimitry Andric     // nested-name-specifier.
2240b57cec5SDimitry Andric     if (DS.getTypeSpecType() == DeclSpec::TST_decltype_auto ||
2250b57cec5SDimitry Andric         !TryConsumeToken(tok::coloncolon, CCLoc)) {
2260b57cec5SDimitry Andric       AnnotateExistingDecltypeSpecifier(DS, DeclLoc, EndLoc);
2270b57cec5SDimitry Andric       return false;
2280b57cec5SDimitry Andric     }
2290b57cec5SDimitry Andric 
2300b57cec5SDimitry Andric     if (Actions.ActOnCXXNestedNameSpecifierDecltype(SS, DS, CCLoc))
2310b57cec5SDimitry Andric       SS.SetInvalid(SourceRange(DeclLoc, CCLoc));
2320b57cec5SDimitry Andric 
2330b57cec5SDimitry Andric     HasScopeSpecifier = true;
2340b57cec5SDimitry Andric   }
2350b57cec5SDimitry Andric 
2360b57cec5SDimitry Andric   // Preferred type might change when parsing qualifiers, we need the original.
2370b57cec5SDimitry Andric   auto SavedType = PreferredType;
2380b57cec5SDimitry Andric   while (true) {
2390b57cec5SDimitry Andric     if (HasScopeSpecifier) {
2400b57cec5SDimitry Andric       if (Tok.is(tok::code_completion)) {
241fe6060f1SDimitry Andric         cutOffParsing();
2420b57cec5SDimitry Andric         // Code completion for a nested-name-specifier, where the code
2430b57cec5SDimitry Andric         // completion token follows the '::'.
2440b57cec5SDimitry Andric         Actions.CodeCompleteQualifiedId(getCurScope(), SS, EnteringContext,
245480093f4SDimitry Andric                                         InUsingDeclaration, ObjectType.get(),
2460b57cec5SDimitry Andric                                         SavedType.get(SS.getBeginLoc()));
2470b57cec5SDimitry Andric         // Include code completion token into the range of the scope otherwise
2480b57cec5SDimitry Andric         // when we try to annotate the scope tokens the dangling code completion
2490b57cec5SDimitry Andric         // token will cause assertion in
2500b57cec5SDimitry Andric         // Preprocessor::AnnotatePreviousCachedTokens.
2510b57cec5SDimitry Andric         SS.setEndLoc(Tok.getLocation());
2520b57cec5SDimitry Andric         return true;
2530b57cec5SDimitry Andric       }
2540b57cec5SDimitry Andric 
2550b57cec5SDimitry Andric       // C++ [basic.lookup.classref]p5:
2560b57cec5SDimitry Andric       //   If the qualified-id has the form
2570b57cec5SDimitry Andric       //
2580b57cec5SDimitry Andric       //       ::class-name-or-namespace-name::...
2590b57cec5SDimitry Andric       //
2600b57cec5SDimitry Andric       //   the class-name-or-namespace-name is looked up in global scope as a
2610b57cec5SDimitry Andric       //   class-name or namespace-name.
2620b57cec5SDimitry Andric       //
2630b57cec5SDimitry Andric       // To implement this, we clear out the object type as soon as we've
2640b57cec5SDimitry Andric       // seen a leading '::' or part of a nested-name-specifier.
2650b57cec5SDimitry Andric       ObjectType = nullptr;
2660b57cec5SDimitry Andric     }
2670b57cec5SDimitry Andric 
2680b57cec5SDimitry Andric     // nested-name-specifier:
2690b57cec5SDimitry Andric     //   nested-name-specifier 'template'[opt] simple-template-id '::'
2700b57cec5SDimitry Andric 
2710b57cec5SDimitry Andric     // Parse the optional 'template' keyword, then make sure we have
2720b57cec5SDimitry Andric     // 'identifier <' after it.
2730b57cec5SDimitry Andric     if (Tok.is(tok::kw_template)) {
2740b57cec5SDimitry Andric       // If we don't have a scope specifier or an object type, this isn't a
2750b57cec5SDimitry Andric       // nested-name-specifier, since they aren't allowed to start with
2760b57cec5SDimitry Andric       // 'template'.
2770b57cec5SDimitry Andric       if (!HasScopeSpecifier && !ObjectType)
2780b57cec5SDimitry Andric         break;
2790b57cec5SDimitry Andric 
2800b57cec5SDimitry Andric       TentativeParsingAction TPA(*this);
2810b57cec5SDimitry Andric       SourceLocation TemplateKWLoc = ConsumeToken();
2820b57cec5SDimitry Andric 
2830b57cec5SDimitry Andric       UnqualifiedId TemplateName;
2840b57cec5SDimitry Andric       if (Tok.is(tok::identifier)) {
2850b57cec5SDimitry Andric         // Consume the identifier.
2860b57cec5SDimitry Andric         TemplateName.setIdentifier(Tok.getIdentifierInfo(), Tok.getLocation());
2870b57cec5SDimitry Andric         ConsumeToken();
2880b57cec5SDimitry Andric       } else if (Tok.is(tok::kw_operator)) {
2890b57cec5SDimitry Andric         // We don't need to actually parse the unqualified-id in this case,
2900b57cec5SDimitry Andric         // because a simple-template-id cannot start with 'operator', but
2910b57cec5SDimitry Andric         // go ahead and parse it anyway for consistency with the case where
2920b57cec5SDimitry Andric         // we already annotated the template-id.
2930b57cec5SDimitry Andric         if (ParseUnqualifiedIdOperator(SS, EnteringContext, ObjectType,
2940b57cec5SDimitry Andric                                        TemplateName)) {
2950b57cec5SDimitry Andric           TPA.Commit();
2960b57cec5SDimitry Andric           break;
2970b57cec5SDimitry Andric         }
2980b57cec5SDimitry Andric 
2990b57cec5SDimitry Andric         if (TemplateName.getKind() != UnqualifiedIdKind::IK_OperatorFunctionId &&
3000b57cec5SDimitry Andric             TemplateName.getKind() != UnqualifiedIdKind::IK_LiteralOperatorId) {
3010b57cec5SDimitry Andric           Diag(TemplateName.getSourceRange().getBegin(),
3020b57cec5SDimitry Andric                diag::err_id_after_template_in_nested_name_spec)
3030b57cec5SDimitry Andric             << TemplateName.getSourceRange();
3040b57cec5SDimitry Andric           TPA.Commit();
3050b57cec5SDimitry Andric           break;
3060b57cec5SDimitry Andric         }
3070b57cec5SDimitry Andric       } else {
3080b57cec5SDimitry Andric         TPA.Revert();
3090b57cec5SDimitry Andric         break;
3100b57cec5SDimitry Andric       }
3110b57cec5SDimitry Andric 
3120b57cec5SDimitry Andric       // If the next token is not '<', we have a qualified-id that refers
3130b57cec5SDimitry Andric       // to a template name, such as T::template apply, but is not a
3140b57cec5SDimitry Andric       // template-id.
3150b57cec5SDimitry Andric       if (Tok.isNot(tok::less)) {
3160b57cec5SDimitry Andric         TPA.Revert();
3170b57cec5SDimitry Andric         break;
3180b57cec5SDimitry Andric       }
3190b57cec5SDimitry Andric 
3200b57cec5SDimitry Andric       // Commit to parsing the template-id.
3210b57cec5SDimitry Andric       TPA.Commit();
3220b57cec5SDimitry Andric       TemplateTy Template;
3235ffd83dbSDimitry Andric       TemplateNameKind TNK = Actions.ActOnTemplateName(
3240b57cec5SDimitry Andric           getCurScope(), SS, TemplateKWLoc, TemplateName, ObjectType,
3255ffd83dbSDimitry Andric           EnteringContext, Template, /*AllowInjectedClassName*/ true);
3260b57cec5SDimitry Andric       if (AnnotateTemplateIdToken(Template, TNK, SS, TemplateKWLoc,
3270b57cec5SDimitry Andric                                   TemplateName, false))
3280b57cec5SDimitry Andric         return true;
3290b57cec5SDimitry Andric 
3300b57cec5SDimitry Andric       continue;
3310b57cec5SDimitry Andric     }
3320b57cec5SDimitry Andric 
3330b57cec5SDimitry Andric     if (Tok.is(tok::annot_template_id) && NextToken().is(tok::coloncolon)) {
3340b57cec5SDimitry Andric       // We have
3350b57cec5SDimitry Andric       //
3360b57cec5SDimitry Andric       //   template-id '::'
3370b57cec5SDimitry Andric       //
3380b57cec5SDimitry Andric       // So we need to check whether the template-id is a simple-template-id of
3390b57cec5SDimitry Andric       // the right kind (it should name a type or be dependent), and then
3400b57cec5SDimitry Andric       // convert it into a type within the nested-name-specifier.
3410b57cec5SDimitry Andric       TemplateIdAnnotation *TemplateId = takeTemplateIdAnnotation(Tok);
3420b57cec5SDimitry Andric       if (CheckForDestructor && GetLookAheadToken(2).is(tok::tilde)) {
3430b57cec5SDimitry Andric         *MayBePseudoDestructor = true;
3440b57cec5SDimitry Andric         return false;
3450b57cec5SDimitry Andric       }
3460b57cec5SDimitry Andric 
3470b57cec5SDimitry Andric       if (LastII)
3480b57cec5SDimitry Andric         *LastII = TemplateId->Name;
3490b57cec5SDimitry Andric 
3500b57cec5SDimitry Andric       // Consume the template-id token.
3510b57cec5SDimitry Andric       ConsumeAnnotationToken();
3520b57cec5SDimitry Andric 
3530b57cec5SDimitry Andric       assert(Tok.is(tok::coloncolon) && "NextToken() not working properly!");
3540b57cec5SDimitry Andric       SourceLocation CCLoc = ConsumeToken();
3550b57cec5SDimitry Andric 
3560b57cec5SDimitry Andric       HasScopeSpecifier = true;
3570b57cec5SDimitry Andric 
3580b57cec5SDimitry Andric       ASTTemplateArgsPtr TemplateArgsPtr(TemplateId->getTemplateArgs(),
3590b57cec5SDimitry Andric                                          TemplateId->NumArgs);
3600b57cec5SDimitry Andric 
3615ffd83dbSDimitry Andric       if (TemplateId->isInvalid() ||
3625ffd83dbSDimitry Andric           Actions.ActOnCXXNestedNameSpecifier(getCurScope(),
3630b57cec5SDimitry Andric                                               SS,
3640b57cec5SDimitry Andric                                               TemplateId->TemplateKWLoc,
3650b57cec5SDimitry Andric                                               TemplateId->Template,
3660b57cec5SDimitry Andric                                               TemplateId->TemplateNameLoc,
3670b57cec5SDimitry Andric                                               TemplateId->LAngleLoc,
3680b57cec5SDimitry Andric                                               TemplateArgsPtr,
3690b57cec5SDimitry Andric                                               TemplateId->RAngleLoc,
3700b57cec5SDimitry Andric                                               CCLoc,
3710b57cec5SDimitry Andric                                               EnteringContext)) {
3720b57cec5SDimitry Andric         SourceLocation StartLoc
3730b57cec5SDimitry Andric           = SS.getBeginLoc().isValid()? SS.getBeginLoc()
3740b57cec5SDimitry Andric                                       : TemplateId->TemplateNameLoc;
3750b57cec5SDimitry Andric         SS.SetInvalid(SourceRange(StartLoc, CCLoc));
3760b57cec5SDimitry Andric       }
3770b57cec5SDimitry Andric 
3780b57cec5SDimitry Andric       continue;
3790b57cec5SDimitry Andric     }
3800b57cec5SDimitry Andric 
3810b57cec5SDimitry Andric     // The rest of the nested-name-specifier possibilities start with
3820b57cec5SDimitry Andric     // tok::identifier.
3830b57cec5SDimitry Andric     if (Tok.isNot(tok::identifier))
3840b57cec5SDimitry Andric       break;
3850b57cec5SDimitry Andric 
3860b57cec5SDimitry Andric     IdentifierInfo &II = *Tok.getIdentifierInfo();
3870b57cec5SDimitry Andric 
3880b57cec5SDimitry Andric     // nested-name-specifier:
3890b57cec5SDimitry Andric     //   type-name '::'
3900b57cec5SDimitry Andric     //   namespace-name '::'
3910b57cec5SDimitry Andric     //   nested-name-specifier identifier '::'
3920b57cec5SDimitry Andric     Token Next = NextToken();
3930b57cec5SDimitry Andric     Sema::NestedNameSpecInfo IdInfo(&II, Tok.getLocation(), Next.getLocation(),
3940b57cec5SDimitry Andric                                     ObjectType);
3950b57cec5SDimitry Andric 
3960b57cec5SDimitry Andric     // If we get foo:bar, this is almost certainly a typo for foo::bar.  Recover
3970b57cec5SDimitry Andric     // and emit a fixit hint for it.
3980b57cec5SDimitry Andric     if (Next.is(tok::colon) && !ColonIsSacred) {
3990b57cec5SDimitry Andric       if (Actions.IsInvalidUnlessNestedName(getCurScope(), SS, IdInfo,
4000b57cec5SDimitry Andric                                             EnteringContext) &&
4010b57cec5SDimitry Andric           // If the token after the colon isn't an identifier, it's still an
4020b57cec5SDimitry Andric           // error, but they probably meant something else strange so don't
4030b57cec5SDimitry Andric           // recover like this.
4040b57cec5SDimitry Andric           PP.LookAhead(1).is(tok::identifier)) {
4050b57cec5SDimitry Andric         Diag(Next, diag::err_unexpected_colon_in_nested_name_spec)
4060b57cec5SDimitry Andric           << FixItHint::CreateReplacement(Next.getLocation(), "::");
4070b57cec5SDimitry Andric         // Recover as if the user wrote '::'.
4080b57cec5SDimitry Andric         Next.setKind(tok::coloncolon);
4090b57cec5SDimitry Andric       }
4100b57cec5SDimitry Andric     }
4110b57cec5SDimitry Andric 
4120b57cec5SDimitry Andric     if (Next.is(tok::coloncolon) && GetLookAheadToken(2).is(tok::l_brace)) {
4130b57cec5SDimitry Andric       // It is invalid to have :: {, consume the scope qualifier and pretend
4140b57cec5SDimitry Andric       // like we never saw it.
4150b57cec5SDimitry Andric       Token Identifier = Tok; // Stash away the identifier.
4160b57cec5SDimitry Andric       ConsumeToken();         // Eat the identifier, current token is now '::'.
4170b57cec5SDimitry Andric       Diag(PP.getLocForEndOfToken(ConsumeToken()), diag::err_expected)
4180b57cec5SDimitry Andric           << tok::identifier;
4190b57cec5SDimitry Andric       UnconsumeToken(Identifier); // Stick the identifier back.
4200b57cec5SDimitry Andric       Next = NextToken();         // Point Next at the '{' token.
4210b57cec5SDimitry Andric     }
4220b57cec5SDimitry Andric 
4230b57cec5SDimitry Andric     if (Next.is(tok::coloncolon)) {
4245ffd83dbSDimitry Andric       if (CheckForDestructor && GetLookAheadToken(2).is(tok::tilde)) {
4250b57cec5SDimitry Andric         *MayBePseudoDestructor = true;
4260b57cec5SDimitry Andric         return false;
4270b57cec5SDimitry Andric       }
4280b57cec5SDimitry Andric 
4290b57cec5SDimitry Andric       if (ColonIsSacred) {
4300b57cec5SDimitry Andric         const Token &Next2 = GetLookAheadToken(2);
4310b57cec5SDimitry Andric         if (Next2.is(tok::kw_private) || Next2.is(tok::kw_protected) ||
4320b57cec5SDimitry Andric             Next2.is(tok::kw_public) || Next2.is(tok::kw_virtual)) {
4330b57cec5SDimitry Andric           Diag(Next2, diag::err_unexpected_token_in_nested_name_spec)
4340b57cec5SDimitry Andric               << Next2.getName()
4350b57cec5SDimitry Andric               << FixItHint::CreateReplacement(Next.getLocation(), ":");
4360b57cec5SDimitry Andric           Token ColonColon;
4370b57cec5SDimitry Andric           PP.Lex(ColonColon);
4380b57cec5SDimitry Andric           ColonColon.setKind(tok::colon);
4390b57cec5SDimitry Andric           PP.EnterToken(ColonColon, /*IsReinject*/ true);
4400b57cec5SDimitry Andric           break;
4410b57cec5SDimitry Andric         }
4420b57cec5SDimitry Andric       }
4430b57cec5SDimitry Andric 
4440b57cec5SDimitry Andric       if (LastII)
4450b57cec5SDimitry Andric         *LastII = &II;
4460b57cec5SDimitry Andric 
4470b57cec5SDimitry Andric       // We have an identifier followed by a '::'. Lookup this name
4480b57cec5SDimitry Andric       // as the name in a nested-name-specifier.
4490b57cec5SDimitry Andric       Token Identifier = Tok;
4500b57cec5SDimitry Andric       SourceLocation IdLoc = ConsumeToken();
4510b57cec5SDimitry Andric       assert(Tok.isOneOf(tok::coloncolon, tok::colon) &&
4520b57cec5SDimitry Andric              "NextToken() not working properly!");
4530b57cec5SDimitry Andric       Token ColonColon = Tok;
4540b57cec5SDimitry Andric       SourceLocation CCLoc = ConsumeToken();
4550b57cec5SDimitry Andric 
4560b57cec5SDimitry Andric       bool IsCorrectedToColon = false;
4570b57cec5SDimitry Andric       bool *CorrectionFlagPtr = ColonIsSacred ? &IsCorrectedToColon : nullptr;
4580b57cec5SDimitry Andric       if (Actions.ActOnCXXNestedNameSpecifier(
45981ad6265SDimitry Andric               getCurScope(), IdInfo, EnteringContext, SS, CorrectionFlagPtr,
46081ad6265SDimitry Andric               OnlyNamespace)) {
4610b57cec5SDimitry Andric         // Identifier is not recognized as a nested name, but we can have
4620b57cec5SDimitry Andric         // mistyped '::' instead of ':'.
4630b57cec5SDimitry Andric         if (CorrectionFlagPtr && IsCorrectedToColon) {
4640b57cec5SDimitry Andric           ColonColon.setKind(tok::colon);
4650b57cec5SDimitry Andric           PP.EnterToken(Tok, /*IsReinject*/ true);
4660b57cec5SDimitry Andric           PP.EnterToken(ColonColon, /*IsReinject*/ true);
4670b57cec5SDimitry Andric           Tok = Identifier;
4680b57cec5SDimitry Andric           break;
4690b57cec5SDimitry Andric         }
4700b57cec5SDimitry Andric         SS.SetInvalid(SourceRange(IdLoc, CCLoc));
4710b57cec5SDimitry Andric       }
4720b57cec5SDimitry Andric       HasScopeSpecifier = true;
4730b57cec5SDimitry Andric       continue;
4740b57cec5SDimitry Andric     }
4750b57cec5SDimitry Andric 
4760b57cec5SDimitry Andric     CheckForTemplateAndDigraph(Next, ObjectType, EnteringContext, II, SS);
4770b57cec5SDimitry Andric 
4780b57cec5SDimitry Andric     // nested-name-specifier:
4790b57cec5SDimitry Andric     //   type-name '<'
4800b57cec5SDimitry Andric     if (Next.is(tok::less)) {
481480093f4SDimitry Andric 
4820b57cec5SDimitry Andric       TemplateTy Template;
4830b57cec5SDimitry Andric       UnqualifiedId TemplateName;
4840b57cec5SDimitry Andric       TemplateName.setIdentifier(&II, Tok.getLocation());
4850b57cec5SDimitry Andric       bool MemberOfUnknownSpecialization;
4860b57cec5SDimitry Andric       if (TemplateNameKind TNK = Actions.isTemplateName(getCurScope(), SS,
4870b57cec5SDimitry Andric                                               /*hasTemplateKeyword=*/false,
4880b57cec5SDimitry Andric                                                         TemplateName,
4890b57cec5SDimitry Andric                                                         ObjectType,
4900b57cec5SDimitry Andric                                                         EnteringContext,
4910b57cec5SDimitry Andric                                                         Template,
4920b57cec5SDimitry Andric                                               MemberOfUnknownSpecialization)) {
4930b57cec5SDimitry Andric         // If lookup didn't find anything, we treat the name as a template-name
4940b57cec5SDimitry Andric         // anyway. C++20 requires this, and in prior language modes it improves
4950b57cec5SDimitry Andric         // error recovery. But before we commit to this, check that we actually
4960b57cec5SDimitry Andric         // have something that looks like a template-argument-list next.
4970b57cec5SDimitry Andric         if (!IsTypename && TNK == TNK_Undeclared_template &&
4980b57cec5SDimitry Andric             isTemplateArgumentList(1) == TPResult::False)
4990b57cec5SDimitry Andric           break;
5000b57cec5SDimitry Andric 
5010b57cec5SDimitry Andric         // We have found a template name, so annotate this token
5020b57cec5SDimitry Andric         // with a template-id annotation. We do not permit the
5030b57cec5SDimitry Andric         // template-id to be translated into a type annotation,
5040b57cec5SDimitry Andric         // because some clients (e.g., the parsing of class template
5050b57cec5SDimitry Andric         // specializations) still want to see the original template-id
506480093f4SDimitry Andric         // token, and it might not be a type at all (e.g. a concept name in a
507480093f4SDimitry Andric         // type-constraint).
5080b57cec5SDimitry Andric         ConsumeToken();
5090b57cec5SDimitry Andric         if (AnnotateTemplateIdToken(Template, TNK, SS, SourceLocation(),
5100b57cec5SDimitry Andric                                     TemplateName, false))
5110b57cec5SDimitry Andric           return true;
5120b57cec5SDimitry Andric         continue;
5130b57cec5SDimitry Andric       }
5140b57cec5SDimitry Andric 
5150b57cec5SDimitry Andric       if (MemberOfUnknownSpecialization && (ObjectType || SS.isSet()) &&
5160b57cec5SDimitry Andric           (IsTypename || isTemplateArgumentList(1) == TPResult::True)) {
5175ffd83dbSDimitry Andric         // If we had errors before, ObjectType can be dependent even without any
5185ffd83dbSDimitry Andric         // templates. Do not report missing template keyword in that case.
5195ffd83dbSDimitry Andric         if (!ObjectHadErrors) {
5200b57cec5SDimitry Andric           // We have something like t::getAs<T>, where getAs is a
5210b57cec5SDimitry Andric           // member of an unknown specialization. However, this will only
5220b57cec5SDimitry Andric           // parse correctly as a template, so suggest the keyword 'template'
5230b57cec5SDimitry Andric           // before 'getAs' and treat this as a dependent template name.
5240b57cec5SDimitry Andric           unsigned DiagID = diag::err_missing_dependent_template_keyword;
5250b57cec5SDimitry Andric           if (getLangOpts().MicrosoftExt)
5260b57cec5SDimitry Andric             DiagID = diag::warn_missing_dependent_template_keyword;
5270b57cec5SDimitry Andric 
5280b57cec5SDimitry Andric           Diag(Tok.getLocation(), DiagID)
5290b57cec5SDimitry Andric               << II.getName()
5300b57cec5SDimitry Andric               << FixItHint::CreateInsertion(Tok.getLocation(), "template ");
5315ffd83dbSDimitry Andric         }
5320b57cec5SDimitry Andric 
5335ffd83dbSDimitry Andric         SourceLocation TemplateNameLoc = ConsumeToken();
5345ffd83dbSDimitry Andric 
5355ffd83dbSDimitry Andric         TemplateNameKind TNK = Actions.ActOnTemplateName(
5365ffd83dbSDimitry Andric             getCurScope(), SS, TemplateNameLoc, TemplateName, ObjectType,
5375ffd83dbSDimitry Andric             EnteringContext, Template, /*AllowInjectedClassName*/ true);
5380b57cec5SDimitry Andric         if (AnnotateTemplateIdToken(Template, TNK, SS, SourceLocation(),
5390b57cec5SDimitry Andric                                     TemplateName, false))
5400b57cec5SDimitry Andric           return true;
5410b57cec5SDimitry Andric 
5420b57cec5SDimitry Andric         continue;
5430b57cec5SDimitry Andric       }
5440b57cec5SDimitry Andric     }
5450b57cec5SDimitry Andric 
5460b57cec5SDimitry Andric     // We don't have any tokens that form the beginning of a
5470b57cec5SDimitry Andric     // nested-name-specifier, so we're done.
5480b57cec5SDimitry Andric     break;
5490b57cec5SDimitry Andric   }
5500b57cec5SDimitry Andric 
5510b57cec5SDimitry Andric   // Even if we didn't see any pieces of a nested-name-specifier, we
5520b57cec5SDimitry Andric   // still check whether there is a tilde in this position, which
5530b57cec5SDimitry Andric   // indicates a potential pseudo-destructor.
5545ffd83dbSDimitry Andric   if (CheckForDestructor && !HasScopeSpecifier && Tok.is(tok::tilde))
5550b57cec5SDimitry Andric     *MayBePseudoDestructor = true;
5560b57cec5SDimitry Andric 
5570b57cec5SDimitry Andric   return false;
5580b57cec5SDimitry Andric }
5590b57cec5SDimitry Andric 
560a7dea167SDimitry Andric ExprResult Parser::tryParseCXXIdExpression(CXXScopeSpec &SS,
561a7dea167SDimitry Andric                                            bool isAddressOfOperand,
5620b57cec5SDimitry Andric                                            Token &Replacement) {
563a7dea167SDimitry Andric   ExprResult E;
564a7dea167SDimitry Andric 
565a7dea167SDimitry Andric   // We may have already annotated this id-expression.
566a7dea167SDimitry Andric   switch (Tok.getKind()) {
567a7dea167SDimitry Andric   case tok::annot_non_type: {
568a7dea167SDimitry Andric     NamedDecl *ND = getNonTypeAnnotation(Tok);
569a7dea167SDimitry Andric     SourceLocation Loc = ConsumeAnnotationToken();
570a7dea167SDimitry Andric     E = Actions.ActOnNameClassifiedAsNonType(getCurScope(), SS, ND, Loc, Tok);
571a7dea167SDimitry Andric     break;
572a7dea167SDimitry Andric   }
573a7dea167SDimitry Andric 
574a7dea167SDimitry Andric   case tok::annot_non_type_dependent: {
575a7dea167SDimitry Andric     IdentifierInfo *II = getIdentifierAnnotation(Tok);
576a7dea167SDimitry Andric     SourceLocation Loc = ConsumeAnnotationToken();
577a7dea167SDimitry Andric 
578a7dea167SDimitry Andric     // This is only the direct operand of an & operator if it is not
579a7dea167SDimitry Andric     // followed by a postfix-expression suffix.
580a7dea167SDimitry Andric     if (isAddressOfOperand && isPostfixExpressionSuffixStart())
581a7dea167SDimitry Andric       isAddressOfOperand = false;
582a7dea167SDimitry Andric 
583a7dea167SDimitry Andric     E = Actions.ActOnNameClassifiedAsDependentNonType(SS, II, Loc,
584a7dea167SDimitry Andric                                                       isAddressOfOperand);
585a7dea167SDimitry Andric     break;
586a7dea167SDimitry Andric   }
587a7dea167SDimitry Andric 
588a7dea167SDimitry Andric   case tok::annot_non_type_undeclared: {
589a7dea167SDimitry Andric     assert(SS.isEmpty() &&
590a7dea167SDimitry Andric            "undeclared non-type annotation should be unqualified");
591a7dea167SDimitry Andric     IdentifierInfo *II = getIdentifierAnnotation(Tok);
592a7dea167SDimitry Andric     SourceLocation Loc = ConsumeAnnotationToken();
593a7dea167SDimitry Andric     E = Actions.ActOnNameClassifiedAsUndeclaredNonType(II, Loc);
594a7dea167SDimitry Andric     break;
595a7dea167SDimitry Andric   }
596a7dea167SDimitry Andric 
597a7dea167SDimitry Andric   default:
5980b57cec5SDimitry Andric     SourceLocation TemplateKWLoc;
5990b57cec5SDimitry Andric     UnqualifiedId Name;
6005ffd83dbSDimitry Andric     if (ParseUnqualifiedId(SS, /*ObjectType=*/nullptr,
6015ffd83dbSDimitry Andric                            /*ObjectHadErrors=*/false,
6020b57cec5SDimitry Andric                            /*EnteringContext=*/false,
6030b57cec5SDimitry Andric                            /*AllowDestructorName=*/false,
6040b57cec5SDimitry Andric                            /*AllowConstructorName=*/false,
6055ffd83dbSDimitry Andric                            /*AllowDeductionGuide=*/false, &TemplateKWLoc, Name))
6060b57cec5SDimitry Andric       return ExprError();
6070b57cec5SDimitry Andric 
6080b57cec5SDimitry Andric     // This is only the direct operand of an & operator if it is not
6090b57cec5SDimitry Andric     // followed by a postfix-expression suffix.
6100b57cec5SDimitry Andric     if (isAddressOfOperand && isPostfixExpressionSuffixStart())
6110b57cec5SDimitry Andric       isAddressOfOperand = false;
6120b57cec5SDimitry Andric 
613a7dea167SDimitry Andric     E = Actions.ActOnIdExpression(
6140b57cec5SDimitry Andric         getCurScope(), SS, TemplateKWLoc, Name, Tok.is(tok::l_paren),
6150b57cec5SDimitry Andric         isAddressOfOperand, /*CCC=*/nullptr, /*IsInlineAsmIdentifier=*/false,
6160b57cec5SDimitry Andric         &Replacement);
617a7dea167SDimitry Andric     break;
618a7dea167SDimitry Andric   }
619a7dea167SDimitry Andric 
6200b57cec5SDimitry Andric   if (!E.isInvalid() && !E.isUnset() && Tok.is(tok::less))
6210b57cec5SDimitry Andric     checkPotentialAngleBracket(E);
6220b57cec5SDimitry Andric   return E;
6230b57cec5SDimitry Andric }
6240b57cec5SDimitry Andric 
6250b57cec5SDimitry Andric /// ParseCXXIdExpression - Handle id-expression.
6260b57cec5SDimitry Andric ///
6270b57cec5SDimitry Andric ///       id-expression:
6280b57cec5SDimitry Andric ///         unqualified-id
6290b57cec5SDimitry Andric ///         qualified-id
6300b57cec5SDimitry Andric ///
6310b57cec5SDimitry Andric ///       qualified-id:
6320b57cec5SDimitry Andric ///         '::'[opt] nested-name-specifier 'template'[opt] unqualified-id
6330b57cec5SDimitry Andric ///         '::' identifier
6340b57cec5SDimitry Andric ///         '::' operator-function-id
6350b57cec5SDimitry Andric ///         '::' template-id
6360b57cec5SDimitry Andric ///
6370b57cec5SDimitry Andric /// NOTE: The standard specifies that, for qualified-id, the parser does not
6380b57cec5SDimitry Andric /// expect:
6390b57cec5SDimitry Andric ///
6400b57cec5SDimitry Andric ///   '::' conversion-function-id
6410b57cec5SDimitry Andric ///   '::' '~' class-name
6420b57cec5SDimitry Andric ///
6430b57cec5SDimitry Andric /// This may cause a slight inconsistency on diagnostics:
6440b57cec5SDimitry Andric ///
6450b57cec5SDimitry Andric /// class C {};
6460b57cec5SDimitry Andric /// namespace A {}
6470b57cec5SDimitry Andric /// void f() {
6480b57cec5SDimitry Andric ///   :: A :: ~ C(); // Some Sema error about using destructor with a
6490b57cec5SDimitry Andric ///                  // namespace.
6500b57cec5SDimitry Andric ///   :: ~ C(); // Some Parser error like 'unexpected ~'.
6510b57cec5SDimitry Andric /// }
6520b57cec5SDimitry Andric ///
6530b57cec5SDimitry Andric /// We simplify the parser a bit and make it work like:
6540b57cec5SDimitry Andric ///
6550b57cec5SDimitry Andric ///       qualified-id:
6560b57cec5SDimitry Andric ///         '::'[opt] nested-name-specifier 'template'[opt] unqualified-id
6570b57cec5SDimitry Andric ///         '::' unqualified-id
6580b57cec5SDimitry Andric ///
6590b57cec5SDimitry Andric /// That way Sema can handle and report similar errors for namespaces and the
6600b57cec5SDimitry Andric /// global scope.
6610b57cec5SDimitry Andric ///
6620b57cec5SDimitry Andric /// The isAddressOfOperand parameter indicates that this id-expression is a
6630b57cec5SDimitry Andric /// direct operand of the address-of operator. This is, besides member contexts,
6640b57cec5SDimitry Andric /// the only place where a qualified-id naming a non-static class member may
6650b57cec5SDimitry Andric /// appear.
6660b57cec5SDimitry Andric ///
6670b57cec5SDimitry Andric ExprResult Parser::ParseCXXIdExpression(bool isAddressOfOperand) {
6680b57cec5SDimitry Andric   // qualified-id:
6690b57cec5SDimitry Andric   //   '::'[opt] nested-name-specifier 'template'[opt] unqualified-id
6700b57cec5SDimitry Andric   //   '::' unqualified-id
6710b57cec5SDimitry Andric   //
6720b57cec5SDimitry Andric   CXXScopeSpec SS;
6735ffd83dbSDimitry Andric   ParseOptionalCXXScopeSpecifier(SS, /*ObjectType=*/nullptr,
67404eeddc0SDimitry Andric                                  /*ObjectHasErrors=*/false,
6755ffd83dbSDimitry Andric                                  /*EnteringContext=*/false);
6760b57cec5SDimitry Andric 
6770b57cec5SDimitry Andric   Token Replacement;
6780b57cec5SDimitry Andric   ExprResult Result =
6790b57cec5SDimitry Andric       tryParseCXXIdExpression(SS, isAddressOfOperand, Replacement);
6800b57cec5SDimitry Andric   if (Result.isUnset()) {
6810b57cec5SDimitry Andric     // If the ExprResult is valid but null, then typo correction suggested a
6820b57cec5SDimitry Andric     // keyword replacement that needs to be reparsed.
6830b57cec5SDimitry Andric     UnconsumeToken(Replacement);
6840b57cec5SDimitry Andric     Result = tryParseCXXIdExpression(SS, isAddressOfOperand, Replacement);
6850b57cec5SDimitry Andric   }
6860b57cec5SDimitry Andric   assert(!Result.isUnset() && "Typo correction suggested a keyword replacement "
6870b57cec5SDimitry Andric                               "for a previous keyword suggestion");
6880b57cec5SDimitry Andric   return Result;
6890b57cec5SDimitry Andric }
6900b57cec5SDimitry Andric 
6910b57cec5SDimitry Andric /// ParseLambdaExpression - Parse a C++11 lambda expression.
6920b57cec5SDimitry Andric ///
6930b57cec5SDimitry Andric ///       lambda-expression:
694fe6060f1SDimitry Andric ///         lambda-introducer lambda-declarator compound-statement
6950b57cec5SDimitry Andric ///         lambda-introducer '<' template-parameter-list '>'
696fe6060f1SDimitry Andric ///             requires-clause[opt] lambda-declarator compound-statement
6970b57cec5SDimitry Andric ///
6980b57cec5SDimitry Andric ///       lambda-introducer:
6990b57cec5SDimitry Andric ///         '[' lambda-capture[opt] ']'
7000b57cec5SDimitry Andric ///
7010b57cec5SDimitry Andric ///       lambda-capture:
7020b57cec5SDimitry Andric ///         capture-default
7030b57cec5SDimitry Andric ///         capture-list
7040b57cec5SDimitry Andric ///         capture-default ',' capture-list
7050b57cec5SDimitry Andric ///
7060b57cec5SDimitry Andric ///       capture-default:
7070b57cec5SDimitry Andric ///         '&'
7080b57cec5SDimitry Andric ///         '='
7090b57cec5SDimitry Andric ///
7100b57cec5SDimitry Andric ///       capture-list:
7110b57cec5SDimitry Andric ///         capture
7120b57cec5SDimitry Andric ///         capture-list ',' capture
7130b57cec5SDimitry Andric ///
7140b57cec5SDimitry Andric ///       capture:
7150b57cec5SDimitry Andric ///         simple-capture
7160b57cec5SDimitry Andric ///         init-capture     [C++1y]
7170b57cec5SDimitry Andric ///
7180b57cec5SDimitry Andric ///       simple-capture:
7190b57cec5SDimitry Andric ///         identifier
7200b57cec5SDimitry Andric ///         '&' identifier
7210b57cec5SDimitry Andric ///         'this'
7220b57cec5SDimitry Andric ///
7230b57cec5SDimitry Andric ///       init-capture:      [C++1y]
7240b57cec5SDimitry Andric ///         identifier initializer
7250b57cec5SDimitry Andric ///         '&' identifier initializer
7260b57cec5SDimitry Andric ///
7270b57cec5SDimitry Andric ///       lambda-declarator:
72806c3fb27SDimitry Andric ///         lambda-specifiers     [C++23]
729fe6060f1SDimitry Andric ///         '(' parameter-declaration-clause ')' lambda-specifiers
730fe6060f1SDimitry Andric ///             requires-clause[opt]
731fe6060f1SDimitry Andric ///
732fe6060f1SDimitry Andric ///       lambda-specifiers:
733fe6060f1SDimitry Andric ///         decl-specifier-seq[opt] noexcept-specifier[opt]
734fe6060f1SDimitry Andric ///             attribute-specifier-seq[opt] trailing-return-type[opt]
7350b57cec5SDimitry Andric ///
7360b57cec5SDimitry Andric ExprResult Parser::ParseLambdaExpression() {
7370b57cec5SDimitry Andric   // Parse lambda-introducer.
7380b57cec5SDimitry Andric   LambdaIntroducer Intro;
7390b57cec5SDimitry Andric   if (ParseLambdaIntroducer(Intro)) {
7400b57cec5SDimitry Andric     SkipUntil(tok::r_square, StopAtSemi);
7410b57cec5SDimitry Andric     SkipUntil(tok::l_brace, StopAtSemi);
7420b57cec5SDimitry Andric     SkipUntil(tok::r_brace, StopAtSemi);
7430b57cec5SDimitry Andric     return ExprError();
7440b57cec5SDimitry Andric   }
7450b57cec5SDimitry Andric 
7460b57cec5SDimitry Andric   return ParseLambdaExpressionAfterIntroducer(Intro);
7470b57cec5SDimitry Andric }
7480b57cec5SDimitry Andric 
7490b57cec5SDimitry Andric /// Use lookahead and potentially tentative parsing to determine if we are
7500b57cec5SDimitry Andric /// looking at a C++11 lambda expression, and parse it if we are.
7510b57cec5SDimitry Andric ///
7520b57cec5SDimitry Andric /// If we are not looking at a lambda expression, returns ExprError().
7530b57cec5SDimitry Andric ExprResult Parser::TryParseLambdaExpression() {
7540b57cec5SDimitry Andric   assert(getLangOpts().CPlusPlus11
7550b57cec5SDimitry Andric          && Tok.is(tok::l_square)
7560b57cec5SDimitry Andric          && "Not at the start of a possible lambda expression.");
7570b57cec5SDimitry Andric 
7580b57cec5SDimitry Andric   const Token Next = NextToken();
7590b57cec5SDimitry Andric   if (Next.is(tok::eof)) // Nothing else to lookup here...
7600b57cec5SDimitry Andric     return ExprEmpty();
7610b57cec5SDimitry Andric 
7620b57cec5SDimitry Andric   const Token After = GetLookAheadToken(2);
7630b57cec5SDimitry Andric   // If lookahead indicates this is a lambda...
7640b57cec5SDimitry Andric   if (Next.is(tok::r_square) ||     // []
7650b57cec5SDimitry Andric       Next.is(tok::equal) ||        // [=
7660b57cec5SDimitry Andric       (Next.is(tok::amp) &&         // [&] or [&,
7670b57cec5SDimitry Andric        After.isOneOf(tok::r_square, tok::comma)) ||
7680b57cec5SDimitry Andric       (Next.is(tok::identifier) &&  // [identifier]
7690b57cec5SDimitry Andric        After.is(tok::r_square)) ||
7700b57cec5SDimitry Andric       Next.is(tok::ellipsis)) {     // [...
7710b57cec5SDimitry Andric     return ParseLambdaExpression();
7720b57cec5SDimitry Andric   }
7730b57cec5SDimitry Andric 
7740b57cec5SDimitry Andric   // If lookahead indicates an ObjC message send...
7750b57cec5SDimitry Andric   // [identifier identifier
7760b57cec5SDimitry Andric   if (Next.is(tok::identifier) && After.is(tok::identifier))
7770b57cec5SDimitry Andric     return ExprEmpty();
7780b57cec5SDimitry Andric 
7790b57cec5SDimitry Andric   // Here, we're stuck: lambda introducers and Objective-C message sends are
7800b57cec5SDimitry Andric   // unambiguous, but it requires arbitrary lookhead.  [a,b,c,d,e,f,g] is a
7810b57cec5SDimitry Andric   // lambda, and [a,b,c,d,e,f,g h] is a Objective-C message send.  Instead of
7820b57cec5SDimitry Andric   // writing two routines to parse a lambda introducer, just try to parse
7830b57cec5SDimitry Andric   // a lambda introducer first, and fall back if that fails.
7840b57cec5SDimitry Andric   LambdaIntroducer Intro;
7850b57cec5SDimitry Andric   {
7860b57cec5SDimitry Andric     TentativeParsingAction TPA(*this);
7870b57cec5SDimitry Andric     LambdaIntroducerTentativeParse Tentative;
7880b57cec5SDimitry Andric     if (ParseLambdaIntroducer(Intro, &Tentative)) {
7890b57cec5SDimitry Andric       TPA.Commit();
7900b57cec5SDimitry Andric       return ExprError();
7910b57cec5SDimitry Andric     }
7920b57cec5SDimitry Andric 
7930b57cec5SDimitry Andric     switch (Tentative) {
7940b57cec5SDimitry Andric     case LambdaIntroducerTentativeParse::Success:
7950b57cec5SDimitry Andric       TPA.Commit();
7960b57cec5SDimitry Andric       break;
7970b57cec5SDimitry Andric 
7980b57cec5SDimitry Andric     case LambdaIntroducerTentativeParse::Incomplete:
7990b57cec5SDimitry Andric       // Didn't fully parse the lambda-introducer, try again with a
8000b57cec5SDimitry Andric       // non-tentative parse.
8010b57cec5SDimitry Andric       TPA.Revert();
8020b57cec5SDimitry Andric       Intro = LambdaIntroducer();
8030b57cec5SDimitry Andric       if (ParseLambdaIntroducer(Intro))
8040b57cec5SDimitry Andric         return ExprError();
8050b57cec5SDimitry Andric       break;
8060b57cec5SDimitry Andric 
8070b57cec5SDimitry Andric     case LambdaIntroducerTentativeParse::MessageSend:
8080b57cec5SDimitry Andric     case LambdaIntroducerTentativeParse::Invalid:
8090b57cec5SDimitry Andric       // Not a lambda-introducer, might be a message send.
8100b57cec5SDimitry Andric       TPA.Revert();
8110b57cec5SDimitry Andric       return ExprEmpty();
8120b57cec5SDimitry Andric     }
8130b57cec5SDimitry Andric   }
8140b57cec5SDimitry Andric 
8150b57cec5SDimitry Andric   return ParseLambdaExpressionAfterIntroducer(Intro);
8160b57cec5SDimitry Andric }
8170b57cec5SDimitry Andric 
8180b57cec5SDimitry Andric /// Parse a lambda introducer.
8190b57cec5SDimitry Andric /// \param Intro A LambdaIntroducer filled in with information about the
8200b57cec5SDimitry Andric ///        contents of the lambda-introducer.
8210b57cec5SDimitry Andric /// \param Tentative If non-null, we are disambiguating between a
8220b57cec5SDimitry Andric ///        lambda-introducer and some other construct. In this mode, we do not
8230b57cec5SDimitry Andric ///        produce any diagnostics or take any other irreversible action unless
8240b57cec5SDimitry Andric ///        we're sure that this is a lambda-expression.
8250b57cec5SDimitry Andric /// \return \c true if parsing (or disambiguation) failed with a diagnostic and
8260b57cec5SDimitry Andric ///         the caller should bail out / recover.
8270b57cec5SDimitry Andric bool Parser::ParseLambdaIntroducer(LambdaIntroducer &Intro,
8280b57cec5SDimitry Andric                                    LambdaIntroducerTentativeParse *Tentative) {
8290b57cec5SDimitry Andric   if (Tentative)
8300b57cec5SDimitry Andric     *Tentative = LambdaIntroducerTentativeParse::Success;
8310b57cec5SDimitry Andric 
8320b57cec5SDimitry Andric   assert(Tok.is(tok::l_square) && "Lambda expressions begin with '['.");
8330b57cec5SDimitry Andric   BalancedDelimiterTracker T(*this, tok::l_square);
8340b57cec5SDimitry Andric   T.consumeOpen();
8350b57cec5SDimitry Andric 
8360b57cec5SDimitry Andric   Intro.Range.setBegin(T.getOpenLocation());
8370b57cec5SDimitry Andric 
8380b57cec5SDimitry Andric   bool First = true;
8390b57cec5SDimitry Andric 
8400b57cec5SDimitry Andric   // Produce a diagnostic if we're not tentatively parsing; otherwise track
8410b57cec5SDimitry Andric   // that our parse has failed.
8420b57cec5SDimitry Andric   auto Invalid = [&](llvm::function_ref<void()> Action) {
8430b57cec5SDimitry Andric     if (Tentative) {
8440b57cec5SDimitry Andric       *Tentative = LambdaIntroducerTentativeParse::Invalid;
8450b57cec5SDimitry Andric       return false;
8460b57cec5SDimitry Andric     }
8470b57cec5SDimitry Andric     Action();
8480b57cec5SDimitry Andric     return true;
8490b57cec5SDimitry Andric   };
8500b57cec5SDimitry Andric 
8510b57cec5SDimitry Andric   // Perform some irreversible action if this is a non-tentative parse;
8520b57cec5SDimitry Andric   // otherwise note that our actions were incomplete.
8530b57cec5SDimitry Andric   auto NonTentativeAction = [&](llvm::function_ref<void()> Action) {
8540b57cec5SDimitry Andric     if (Tentative)
8550b57cec5SDimitry Andric       *Tentative = LambdaIntroducerTentativeParse::Incomplete;
8560b57cec5SDimitry Andric     else
8570b57cec5SDimitry Andric       Action();
8580b57cec5SDimitry Andric   };
8590b57cec5SDimitry Andric 
8600b57cec5SDimitry Andric   // Parse capture-default.
8610b57cec5SDimitry Andric   if (Tok.is(tok::amp) &&
8620b57cec5SDimitry Andric       (NextToken().is(tok::comma) || NextToken().is(tok::r_square))) {
8630b57cec5SDimitry Andric     Intro.Default = LCD_ByRef;
8640b57cec5SDimitry Andric     Intro.DefaultLoc = ConsumeToken();
8650b57cec5SDimitry Andric     First = false;
8660b57cec5SDimitry Andric     if (!Tok.getIdentifierInfo()) {
8670b57cec5SDimitry Andric       // This can only be a lambda; no need for tentative parsing any more.
8680b57cec5SDimitry Andric       // '[[and]]' can still be an attribute, though.
8690b57cec5SDimitry Andric       Tentative = nullptr;
8700b57cec5SDimitry Andric     }
8710b57cec5SDimitry Andric   } else if (Tok.is(tok::equal)) {
8720b57cec5SDimitry Andric     Intro.Default = LCD_ByCopy;
8730b57cec5SDimitry Andric     Intro.DefaultLoc = ConsumeToken();
8740b57cec5SDimitry Andric     First = false;
8750b57cec5SDimitry Andric     Tentative = nullptr;
8760b57cec5SDimitry Andric   }
8770b57cec5SDimitry Andric 
8780b57cec5SDimitry Andric   while (Tok.isNot(tok::r_square)) {
8790b57cec5SDimitry Andric     if (!First) {
8800b57cec5SDimitry Andric       if (Tok.isNot(tok::comma)) {
8810b57cec5SDimitry Andric         // Provide a completion for a lambda introducer here. Except
8820b57cec5SDimitry Andric         // in Objective-C, where this is Almost Surely meant to be a message
8830b57cec5SDimitry Andric         // send. In that case, fail here and let the ObjC message
8840b57cec5SDimitry Andric         // expression parser perform the completion.
8850b57cec5SDimitry Andric         if (Tok.is(tok::code_completion) &&
8860b57cec5SDimitry Andric             !(getLangOpts().ObjC && Tentative)) {
887fe6060f1SDimitry Andric           cutOffParsing();
8880b57cec5SDimitry Andric           Actions.CodeCompleteLambdaIntroducer(getCurScope(), Intro,
8890b57cec5SDimitry Andric                                                /*AfterAmpersand=*/false);
8900b57cec5SDimitry Andric           break;
8910b57cec5SDimitry Andric         }
8920b57cec5SDimitry Andric 
8930b57cec5SDimitry Andric         return Invalid([&] {
8940b57cec5SDimitry Andric           Diag(Tok.getLocation(), diag::err_expected_comma_or_rsquare);
8950b57cec5SDimitry Andric         });
8960b57cec5SDimitry Andric       }
8970b57cec5SDimitry Andric       ConsumeToken();
8980b57cec5SDimitry Andric     }
8990b57cec5SDimitry Andric 
9000b57cec5SDimitry Andric     if (Tok.is(tok::code_completion)) {
901fe6060f1SDimitry Andric       cutOffParsing();
9020b57cec5SDimitry Andric       // If we're in Objective-C++ and we have a bare '[', then this is more
9030b57cec5SDimitry Andric       // likely to be a message receiver.
9040b57cec5SDimitry Andric       if (getLangOpts().ObjC && Tentative && First)
9050b57cec5SDimitry Andric         Actions.CodeCompleteObjCMessageReceiver(getCurScope());
9060b57cec5SDimitry Andric       else
9070b57cec5SDimitry Andric         Actions.CodeCompleteLambdaIntroducer(getCurScope(), Intro,
9080b57cec5SDimitry Andric                                              /*AfterAmpersand=*/false);
9090b57cec5SDimitry Andric       break;
9100b57cec5SDimitry Andric     }
9110b57cec5SDimitry Andric 
9120b57cec5SDimitry Andric     First = false;
9130b57cec5SDimitry Andric 
9140b57cec5SDimitry Andric     // Parse capture.
9150b57cec5SDimitry Andric     LambdaCaptureKind Kind = LCK_ByCopy;
9160b57cec5SDimitry Andric     LambdaCaptureInitKind InitKind = LambdaCaptureInitKind::NoInit;
9170b57cec5SDimitry Andric     SourceLocation Loc;
9180b57cec5SDimitry Andric     IdentifierInfo *Id = nullptr;
9190b57cec5SDimitry Andric     SourceLocation EllipsisLocs[4];
9200b57cec5SDimitry Andric     ExprResult Init;
9210b57cec5SDimitry Andric     SourceLocation LocStart = Tok.getLocation();
9220b57cec5SDimitry Andric 
9230b57cec5SDimitry Andric     if (Tok.is(tok::star)) {
9240b57cec5SDimitry Andric       Loc = ConsumeToken();
9250b57cec5SDimitry Andric       if (Tok.is(tok::kw_this)) {
9260b57cec5SDimitry Andric         ConsumeToken();
9270b57cec5SDimitry Andric         Kind = LCK_StarThis;
9280b57cec5SDimitry Andric       } else {
9290b57cec5SDimitry Andric         return Invalid([&] {
9300b57cec5SDimitry Andric           Diag(Tok.getLocation(), diag::err_expected_star_this_capture);
9310b57cec5SDimitry Andric         });
9320b57cec5SDimitry Andric       }
9330b57cec5SDimitry Andric     } else if (Tok.is(tok::kw_this)) {
9340b57cec5SDimitry Andric       Kind = LCK_This;
9350b57cec5SDimitry Andric       Loc = ConsumeToken();
936e8d8bef9SDimitry Andric     } else if (Tok.isOneOf(tok::amp, tok::equal) &&
937e8d8bef9SDimitry Andric                NextToken().isOneOf(tok::comma, tok::r_square) &&
938e8d8bef9SDimitry Andric                Intro.Default == LCD_None) {
939e8d8bef9SDimitry Andric       // We have a lone "&" or "=" which is either a misplaced capture-default
940e8d8bef9SDimitry Andric       // or the start of a capture (in the "&" case) with the rest of the
941e8d8bef9SDimitry Andric       // capture missing. Both are an error but a misplaced capture-default
942e8d8bef9SDimitry Andric       // is more likely if we don't already have a capture default.
943e8d8bef9SDimitry Andric       return Invalid(
944e8d8bef9SDimitry Andric           [&] { Diag(Tok.getLocation(), diag::err_capture_default_first); });
9450b57cec5SDimitry Andric     } else {
9460b57cec5SDimitry Andric       TryConsumeToken(tok::ellipsis, EllipsisLocs[0]);
9470b57cec5SDimitry Andric 
9480b57cec5SDimitry Andric       if (Tok.is(tok::amp)) {
9490b57cec5SDimitry Andric         Kind = LCK_ByRef;
9500b57cec5SDimitry Andric         ConsumeToken();
9510b57cec5SDimitry Andric 
9520b57cec5SDimitry Andric         if (Tok.is(tok::code_completion)) {
953fe6060f1SDimitry Andric           cutOffParsing();
9540b57cec5SDimitry Andric           Actions.CodeCompleteLambdaIntroducer(getCurScope(), Intro,
9550b57cec5SDimitry Andric                                                /*AfterAmpersand=*/true);
9560b57cec5SDimitry Andric           break;
9570b57cec5SDimitry Andric         }
9580b57cec5SDimitry Andric       }
9590b57cec5SDimitry Andric 
9600b57cec5SDimitry Andric       TryConsumeToken(tok::ellipsis, EllipsisLocs[1]);
9610b57cec5SDimitry Andric 
9620b57cec5SDimitry Andric       if (Tok.is(tok::identifier)) {
9630b57cec5SDimitry Andric         Id = Tok.getIdentifierInfo();
9640b57cec5SDimitry Andric         Loc = ConsumeToken();
9650b57cec5SDimitry Andric       } else if (Tok.is(tok::kw_this)) {
9660b57cec5SDimitry Andric         return Invalid([&] {
9670b57cec5SDimitry Andric           // FIXME: Suggest a fixit here.
9680b57cec5SDimitry Andric           Diag(Tok.getLocation(), diag::err_this_captured_by_reference);
9690b57cec5SDimitry Andric         });
9700b57cec5SDimitry Andric       } else {
9710b57cec5SDimitry Andric         return Invalid([&] {
9720b57cec5SDimitry Andric           Diag(Tok.getLocation(), diag::err_expected_capture);
9730b57cec5SDimitry Andric         });
9740b57cec5SDimitry Andric       }
9750b57cec5SDimitry Andric 
9760b57cec5SDimitry Andric       TryConsumeToken(tok::ellipsis, EllipsisLocs[2]);
9770b57cec5SDimitry Andric 
9780b57cec5SDimitry Andric       if (Tok.is(tok::l_paren)) {
9790b57cec5SDimitry Andric         BalancedDelimiterTracker Parens(*this, tok::l_paren);
9800b57cec5SDimitry Andric         Parens.consumeOpen();
9810b57cec5SDimitry Andric 
9820b57cec5SDimitry Andric         InitKind = LambdaCaptureInitKind::DirectInit;
9830b57cec5SDimitry Andric 
9840b57cec5SDimitry Andric         ExprVector Exprs;
9850b57cec5SDimitry Andric         if (Tentative) {
9860b57cec5SDimitry Andric           Parens.skipToEnd();
9870b57cec5SDimitry Andric           *Tentative = LambdaIntroducerTentativeParse::Incomplete;
988bdd1243dSDimitry Andric         } else if (ParseExpressionList(Exprs)) {
9890b57cec5SDimitry Andric           Parens.skipToEnd();
9900b57cec5SDimitry Andric           Init = ExprError();
9910b57cec5SDimitry Andric         } else {
9920b57cec5SDimitry Andric           Parens.consumeClose();
9930b57cec5SDimitry Andric           Init = Actions.ActOnParenListExpr(Parens.getOpenLocation(),
9940b57cec5SDimitry Andric                                             Parens.getCloseLocation(),
9950b57cec5SDimitry Andric                                             Exprs);
9960b57cec5SDimitry Andric         }
9970b57cec5SDimitry Andric       } else if (Tok.isOneOf(tok::l_brace, tok::equal)) {
9980b57cec5SDimitry Andric         // Each lambda init-capture forms its own full expression, which clears
9990b57cec5SDimitry Andric         // Actions.MaybeODRUseExprs. So create an expression evaluation context
10000b57cec5SDimitry Andric         // to save the necessary state, and restore it later.
10010b57cec5SDimitry Andric         EnterExpressionEvaluationContext EC(
10020b57cec5SDimitry Andric             Actions, Sema::ExpressionEvaluationContext::PotentiallyEvaluated);
10030b57cec5SDimitry Andric 
10040b57cec5SDimitry Andric         if (TryConsumeToken(tok::equal))
10050b57cec5SDimitry Andric           InitKind = LambdaCaptureInitKind::CopyInit;
10060b57cec5SDimitry Andric         else
10070b57cec5SDimitry Andric           InitKind = LambdaCaptureInitKind::ListInit;
10080b57cec5SDimitry Andric 
10090b57cec5SDimitry Andric         if (!Tentative) {
10100b57cec5SDimitry Andric           Init = ParseInitializer();
10110b57cec5SDimitry Andric         } else if (Tok.is(tok::l_brace)) {
10120b57cec5SDimitry Andric           BalancedDelimiterTracker Braces(*this, tok::l_brace);
10130b57cec5SDimitry Andric           Braces.consumeOpen();
10140b57cec5SDimitry Andric           Braces.skipToEnd();
10150b57cec5SDimitry Andric           *Tentative = LambdaIntroducerTentativeParse::Incomplete;
10160b57cec5SDimitry Andric         } else {
10170b57cec5SDimitry Andric           // We're disambiguating this:
10180b57cec5SDimitry Andric           //
10190b57cec5SDimitry Andric           //   [..., x = expr
10200b57cec5SDimitry Andric           //
10210b57cec5SDimitry Andric           // We need to find the end of the following expression in order to
10220b57cec5SDimitry Andric           // determine whether this is an Obj-C message send's receiver, a
10230b57cec5SDimitry Andric           // C99 designator, or a lambda init-capture.
10240b57cec5SDimitry Andric           //
10250b57cec5SDimitry Andric           // Parse the expression to find where it ends, and annotate it back
10260b57cec5SDimitry Andric           // onto the tokens. We would have parsed this expression the same way
10270b57cec5SDimitry Andric           // in either case: both the RHS of an init-capture and the RHS of an
10280b57cec5SDimitry Andric           // assignment expression are parsed as an initializer-clause, and in
10290b57cec5SDimitry Andric           // neither case can anything be added to the scope between the '[' and
10300b57cec5SDimitry Andric           // here.
10310b57cec5SDimitry Andric           //
10320b57cec5SDimitry Andric           // FIXME: This is horrible. Adding a mechanism to skip an expression
10330b57cec5SDimitry Andric           // would be much cleaner.
10340b57cec5SDimitry Andric           // FIXME: If there is a ',' before the next ']' or ':', we can skip to
10350b57cec5SDimitry Andric           // that instead. (And if we see a ':' with no matching '?', we can
10360b57cec5SDimitry Andric           // classify this as an Obj-C message send.)
10370b57cec5SDimitry Andric           SourceLocation StartLoc = Tok.getLocation();
10380b57cec5SDimitry Andric           InMessageExpressionRAIIObject MaybeInMessageExpression(*this, true);
10390b57cec5SDimitry Andric           Init = ParseInitializer();
10400b57cec5SDimitry Andric           if (!Init.isInvalid())
10410b57cec5SDimitry Andric             Init = Actions.CorrectDelayedTyposInExpr(Init.get());
10420b57cec5SDimitry Andric 
10430b57cec5SDimitry Andric           if (Tok.getLocation() != StartLoc) {
10440b57cec5SDimitry Andric             // Back out the lexing of the token after the initializer.
10450b57cec5SDimitry Andric             PP.RevertCachedTokens(1);
10460b57cec5SDimitry Andric 
10470b57cec5SDimitry Andric             // Replace the consumed tokens with an appropriate annotation.
10480b57cec5SDimitry Andric             Tok.setLocation(StartLoc);
10490b57cec5SDimitry Andric             Tok.setKind(tok::annot_primary_expr);
10500b57cec5SDimitry Andric             setExprAnnotation(Tok, Init);
10510b57cec5SDimitry Andric             Tok.setAnnotationEndLoc(PP.getLastCachedTokenLocation());
10520b57cec5SDimitry Andric             PP.AnnotateCachedTokens(Tok);
10530b57cec5SDimitry Andric 
10540b57cec5SDimitry Andric             // Consume the annotated initializer.
10550b57cec5SDimitry Andric             ConsumeAnnotationToken();
10560b57cec5SDimitry Andric           }
10570b57cec5SDimitry Andric         }
10580b57cec5SDimitry Andric       }
10590b57cec5SDimitry Andric 
10600b57cec5SDimitry Andric       TryConsumeToken(tok::ellipsis, EllipsisLocs[3]);
10610b57cec5SDimitry Andric     }
10620b57cec5SDimitry Andric 
10630b57cec5SDimitry Andric     // Check if this is a message send before we act on a possible init-capture.
10640b57cec5SDimitry Andric     if (Tentative && Tok.is(tok::identifier) &&
10650b57cec5SDimitry Andric         NextToken().isOneOf(tok::colon, tok::r_square)) {
10660b57cec5SDimitry Andric       // This can only be a message send. We're done with disambiguation.
10670b57cec5SDimitry Andric       *Tentative = LambdaIntroducerTentativeParse::MessageSend;
10680b57cec5SDimitry Andric       return false;
10690b57cec5SDimitry Andric     }
10700b57cec5SDimitry Andric 
10710b57cec5SDimitry Andric     // Ensure that any ellipsis was in the right place.
10720b57cec5SDimitry Andric     SourceLocation EllipsisLoc;
1073349cc55cSDimitry Andric     if (llvm::any_of(EllipsisLocs,
10740b57cec5SDimitry Andric                      [](SourceLocation Loc) { return Loc.isValid(); })) {
10750b57cec5SDimitry Andric       // The '...' should appear before the identifier in an init-capture, and
10760b57cec5SDimitry Andric       // after the identifier otherwise.
10770b57cec5SDimitry Andric       bool InitCapture = InitKind != LambdaCaptureInitKind::NoInit;
10780b57cec5SDimitry Andric       SourceLocation *ExpectedEllipsisLoc =
10790b57cec5SDimitry Andric           !InitCapture      ? &EllipsisLocs[2] :
10800b57cec5SDimitry Andric           Kind == LCK_ByRef ? &EllipsisLocs[1] :
10810b57cec5SDimitry Andric                               &EllipsisLocs[0];
10820b57cec5SDimitry Andric       EllipsisLoc = *ExpectedEllipsisLoc;
10830b57cec5SDimitry Andric 
10840b57cec5SDimitry Andric       unsigned DiagID = 0;
10850b57cec5SDimitry Andric       if (EllipsisLoc.isInvalid()) {
10860b57cec5SDimitry Andric         DiagID = diag::err_lambda_capture_misplaced_ellipsis;
10870b57cec5SDimitry Andric         for (SourceLocation Loc : EllipsisLocs) {
10880b57cec5SDimitry Andric           if (Loc.isValid())
10890b57cec5SDimitry Andric             EllipsisLoc = Loc;
10900b57cec5SDimitry Andric         }
10910b57cec5SDimitry Andric       } else {
10920b57cec5SDimitry Andric         unsigned NumEllipses = std::accumulate(
10930b57cec5SDimitry Andric             std::begin(EllipsisLocs), std::end(EllipsisLocs), 0,
10940b57cec5SDimitry Andric             [](int N, SourceLocation Loc) { return N + Loc.isValid(); });
10950b57cec5SDimitry Andric         if (NumEllipses > 1)
10960b57cec5SDimitry Andric           DiagID = diag::err_lambda_capture_multiple_ellipses;
10970b57cec5SDimitry Andric       }
10980b57cec5SDimitry Andric       if (DiagID) {
10990b57cec5SDimitry Andric         NonTentativeAction([&] {
11000b57cec5SDimitry Andric           // Point the diagnostic at the first misplaced ellipsis.
11010b57cec5SDimitry Andric           SourceLocation DiagLoc;
11020b57cec5SDimitry Andric           for (SourceLocation &Loc : EllipsisLocs) {
11030b57cec5SDimitry Andric             if (&Loc != ExpectedEllipsisLoc && Loc.isValid()) {
11040b57cec5SDimitry Andric               DiagLoc = Loc;
11050b57cec5SDimitry Andric               break;
11060b57cec5SDimitry Andric             }
11070b57cec5SDimitry Andric           }
11080b57cec5SDimitry Andric           assert(DiagLoc.isValid() && "no location for diagnostic");
11090b57cec5SDimitry Andric 
11100b57cec5SDimitry Andric           // Issue the diagnostic and produce fixits showing where the ellipsis
11110b57cec5SDimitry Andric           // should have been written.
11120b57cec5SDimitry Andric           auto &&D = Diag(DiagLoc, DiagID);
11130b57cec5SDimitry Andric           if (DiagID == diag::err_lambda_capture_misplaced_ellipsis) {
11140b57cec5SDimitry Andric             SourceLocation ExpectedLoc =
11150b57cec5SDimitry Andric                 InitCapture ? Loc
11160b57cec5SDimitry Andric                             : Lexer::getLocForEndOfToken(
11170b57cec5SDimitry Andric                                   Loc, 0, PP.getSourceManager(), getLangOpts());
11180b57cec5SDimitry Andric             D << InitCapture << FixItHint::CreateInsertion(ExpectedLoc, "...");
11190b57cec5SDimitry Andric           }
11200b57cec5SDimitry Andric           for (SourceLocation &Loc : EllipsisLocs) {
11210b57cec5SDimitry Andric             if (&Loc != ExpectedEllipsisLoc && Loc.isValid())
11220b57cec5SDimitry Andric               D << FixItHint::CreateRemoval(Loc);
11230b57cec5SDimitry Andric           }
11240b57cec5SDimitry Andric         });
11250b57cec5SDimitry Andric       }
11260b57cec5SDimitry Andric     }
11270b57cec5SDimitry Andric 
11280b57cec5SDimitry Andric     // Process the init-capture initializers now rather than delaying until we
11290b57cec5SDimitry Andric     // form the lambda-expression so that they can be handled in the context
11300b57cec5SDimitry Andric     // enclosing the lambda-expression, rather than in the context of the
11310b57cec5SDimitry Andric     // lambda-expression itself.
11320b57cec5SDimitry Andric     ParsedType InitCaptureType;
11330b57cec5SDimitry Andric     if (Init.isUsable())
11340b57cec5SDimitry Andric       Init = Actions.CorrectDelayedTyposInExpr(Init.get());
11350b57cec5SDimitry Andric     if (Init.isUsable()) {
11360b57cec5SDimitry Andric       NonTentativeAction([&] {
11370b57cec5SDimitry Andric         // Get the pointer and store it in an lvalue, so we can use it as an
11380b57cec5SDimitry Andric         // out argument.
11390b57cec5SDimitry Andric         Expr *InitExpr = Init.get();
11400b57cec5SDimitry Andric         // This performs any lvalue-to-rvalue conversions if necessary, which
11410b57cec5SDimitry Andric         // can affect what gets captured in the containing decl-context.
11420b57cec5SDimitry Andric         InitCaptureType = Actions.actOnLambdaInitCaptureInitialization(
11430b57cec5SDimitry Andric             Loc, Kind == LCK_ByRef, EllipsisLoc, Id, InitKind, InitExpr);
11440b57cec5SDimitry Andric         Init = InitExpr;
11450b57cec5SDimitry Andric       });
11460b57cec5SDimitry Andric     }
11470b57cec5SDimitry Andric 
11480b57cec5SDimitry Andric     SourceLocation LocEnd = PrevTokLocation;
11490b57cec5SDimitry Andric 
11500b57cec5SDimitry Andric     Intro.addCapture(Kind, Loc, Id, EllipsisLoc, InitKind, Init,
11510b57cec5SDimitry Andric                      InitCaptureType, SourceRange(LocStart, LocEnd));
11520b57cec5SDimitry Andric   }
11530b57cec5SDimitry Andric 
11540b57cec5SDimitry Andric   T.consumeClose();
11550b57cec5SDimitry Andric   Intro.Range.setEnd(T.getCloseLocation());
11560b57cec5SDimitry Andric   return false;
11570b57cec5SDimitry Andric }
11580b57cec5SDimitry Andric 
11590b57cec5SDimitry Andric static void tryConsumeLambdaSpecifierToken(Parser &P,
11600b57cec5SDimitry Andric                                            SourceLocation &MutableLoc,
1161bdd1243dSDimitry Andric                                            SourceLocation &StaticLoc,
11620b57cec5SDimitry Andric                                            SourceLocation &ConstexprLoc,
11630b57cec5SDimitry Andric                                            SourceLocation &ConstevalLoc,
11640b57cec5SDimitry Andric                                            SourceLocation &DeclEndLoc) {
11650b57cec5SDimitry Andric   assert(MutableLoc.isInvalid());
1166bdd1243dSDimitry Andric   assert(StaticLoc.isInvalid());
11670b57cec5SDimitry Andric   assert(ConstexprLoc.isInvalid());
1168bdd1243dSDimitry Andric   assert(ConstevalLoc.isInvalid());
11690b57cec5SDimitry Andric   // Consume constexpr-opt mutable-opt in any sequence, and set the DeclEndLoc
11700b57cec5SDimitry Andric   // to the final of those locations. Emit an error if we have multiple
11710b57cec5SDimitry Andric   // copies of those keywords and recover.
11720b57cec5SDimitry Andric 
1173bdd1243dSDimitry Andric   auto ConsumeLocation = [&P, &DeclEndLoc](SourceLocation &SpecifierLoc,
1174bdd1243dSDimitry Andric                                            int DiagIndex) {
1175bdd1243dSDimitry Andric     if (SpecifierLoc.isValid()) {
1176bdd1243dSDimitry Andric       P.Diag(P.getCurToken().getLocation(),
1177bdd1243dSDimitry Andric              diag::err_lambda_decl_specifier_repeated)
1178bdd1243dSDimitry Andric           << DiagIndex
1179bdd1243dSDimitry Andric           << FixItHint::CreateRemoval(P.getCurToken().getLocation());
1180bdd1243dSDimitry Andric     }
1181bdd1243dSDimitry Andric     SpecifierLoc = P.ConsumeToken();
1182bdd1243dSDimitry Andric     DeclEndLoc = SpecifierLoc;
1183bdd1243dSDimitry Andric   };
1184bdd1243dSDimitry Andric 
11850b57cec5SDimitry Andric   while (true) {
11860b57cec5SDimitry Andric     switch (P.getCurToken().getKind()) {
1187bdd1243dSDimitry Andric     case tok::kw_mutable:
1188bdd1243dSDimitry Andric       ConsumeLocation(MutableLoc, 0);
1189bdd1243dSDimitry Andric       break;
1190bdd1243dSDimitry Andric     case tok::kw_static:
1191bdd1243dSDimitry Andric       ConsumeLocation(StaticLoc, 1);
1192bdd1243dSDimitry Andric       break;
11930b57cec5SDimitry Andric     case tok::kw_constexpr:
1194bdd1243dSDimitry Andric       ConsumeLocation(ConstexprLoc, 2);
1195bdd1243dSDimitry Andric       break;
11960b57cec5SDimitry Andric     case tok::kw_consteval:
1197bdd1243dSDimitry Andric       ConsumeLocation(ConstevalLoc, 3);
1198bdd1243dSDimitry Andric       break;
11990b57cec5SDimitry Andric     default:
12000b57cec5SDimitry Andric       return;
12010b57cec5SDimitry Andric     }
12020b57cec5SDimitry Andric   }
12030b57cec5SDimitry Andric }
12040b57cec5SDimitry Andric 
1205bdd1243dSDimitry Andric static void addStaticToLambdaDeclSpecifier(Parser &P, SourceLocation StaticLoc,
1206bdd1243dSDimitry Andric                                            DeclSpec &DS) {
1207bdd1243dSDimitry Andric   if (StaticLoc.isValid()) {
120806c3fb27SDimitry Andric     P.Diag(StaticLoc, !P.getLangOpts().CPlusPlus23
1209bdd1243dSDimitry Andric                           ? diag::err_static_lambda
1210bdd1243dSDimitry Andric                           : diag::warn_cxx20_compat_static_lambda);
1211bdd1243dSDimitry Andric     const char *PrevSpec = nullptr;
1212bdd1243dSDimitry Andric     unsigned DiagID = 0;
1213bdd1243dSDimitry Andric     DS.SetStorageClassSpec(P.getActions(), DeclSpec::SCS_static, StaticLoc,
1214bdd1243dSDimitry Andric                            PrevSpec, DiagID,
1215bdd1243dSDimitry Andric                            P.getActions().getASTContext().getPrintingPolicy());
1216bdd1243dSDimitry Andric     assert(PrevSpec == nullptr && DiagID == 0 &&
1217bdd1243dSDimitry Andric            "Static cannot have been set previously!");
1218bdd1243dSDimitry Andric   }
1219bdd1243dSDimitry Andric }
1220bdd1243dSDimitry Andric 
12210b57cec5SDimitry Andric static void
12220b57cec5SDimitry Andric addConstexprToLambdaDeclSpecifier(Parser &P, SourceLocation ConstexprLoc,
12230b57cec5SDimitry Andric                                   DeclSpec &DS) {
12240b57cec5SDimitry Andric   if (ConstexprLoc.isValid()) {
12250b57cec5SDimitry Andric     P.Diag(ConstexprLoc, !P.getLangOpts().CPlusPlus17
12260b57cec5SDimitry Andric                              ? diag::ext_constexpr_on_lambda_cxx17
12270b57cec5SDimitry Andric                              : diag::warn_cxx14_compat_constexpr_on_lambda);
12280b57cec5SDimitry Andric     const char *PrevSpec = nullptr;
12290b57cec5SDimitry Andric     unsigned DiagID = 0;
1230e8d8bef9SDimitry Andric     DS.SetConstexprSpec(ConstexprSpecKind::Constexpr, ConstexprLoc, PrevSpec,
1231e8d8bef9SDimitry Andric                         DiagID);
12320b57cec5SDimitry Andric     assert(PrevSpec == nullptr && DiagID == 0 &&
12330b57cec5SDimitry Andric            "Constexpr cannot have been set previously!");
12340b57cec5SDimitry Andric   }
12350b57cec5SDimitry Andric }
12360b57cec5SDimitry Andric 
12370b57cec5SDimitry Andric static void addConstevalToLambdaDeclSpecifier(Parser &P,
12380b57cec5SDimitry Andric                                               SourceLocation ConstevalLoc,
12390b57cec5SDimitry Andric                                               DeclSpec &DS) {
12400b57cec5SDimitry Andric   if (ConstevalLoc.isValid()) {
12410b57cec5SDimitry Andric     P.Diag(ConstevalLoc, diag::warn_cxx20_compat_consteval);
12420b57cec5SDimitry Andric     const char *PrevSpec = nullptr;
12430b57cec5SDimitry Andric     unsigned DiagID = 0;
1244e8d8bef9SDimitry Andric     DS.SetConstexprSpec(ConstexprSpecKind::Consteval, ConstevalLoc, PrevSpec,
1245e8d8bef9SDimitry Andric                         DiagID);
12460b57cec5SDimitry Andric     if (DiagID != 0)
12470b57cec5SDimitry Andric       P.Diag(ConstevalLoc, DiagID) << PrevSpec;
12480b57cec5SDimitry Andric   }
12490b57cec5SDimitry Andric }
12500b57cec5SDimitry Andric 
1251bdd1243dSDimitry Andric static void DiagnoseStaticSpecifierRestrictions(Parser &P,
1252bdd1243dSDimitry Andric                                                 SourceLocation StaticLoc,
1253bdd1243dSDimitry Andric                                                 SourceLocation MutableLoc,
1254bdd1243dSDimitry Andric                                                 const LambdaIntroducer &Intro) {
1255bdd1243dSDimitry Andric   if (StaticLoc.isInvalid())
1256bdd1243dSDimitry Andric     return;
1257bdd1243dSDimitry Andric 
1258bdd1243dSDimitry Andric   // [expr.prim.lambda.general] p4
1259bdd1243dSDimitry Andric   // The lambda-specifier-seq shall not contain both mutable and static.
1260bdd1243dSDimitry Andric   // If the lambda-specifier-seq contains static, there shall be no
1261bdd1243dSDimitry Andric   // lambda-capture.
1262bdd1243dSDimitry Andric   if (MutableLoc.isValid())
1263bdd1243dSDimitry Andric     P.Diag(StaticLoc, diag::err_static_mutable_lambda);
1264bdd1243dSDimitry Andric   if (Intro.hasLambdaCapture()) {
1265bdd1243dSDimitry Andric     P.Diag(StaticLoc, diag::err_static_lambda_captures);
1266bdd1243dSDimitry Andric   }
1267bdd1243dSDimitry Andric }
1268bdd1243dSDimitry Andric 
12690b57cec5SDimitry Andric /// ParseLambdaExpressionAfterIntroducer - Parse the rest of a lambda
12700b57cec5SDimitry Andric /// expression.
12710b57cec5SDimitry Andric ExprResult Parser::ParseLambdaExpressionAfterIntroducer(
12720b57cec5SDimitry Andric                      LambdaIntroducer &Intro) {
12730b57cec5SDimitry Andric   SourceLocation LambdaBeginLoc = Intro.Range.getBegin();
12740b57cec5SDimitry Andric   Diag(LambdaBeginLoc, diag::warn_cxx98_compat_lambda);
12750b57cec5SDimitry Andric 
12760b57cec5SDimitry Andric   PrettyStackTraceLoc CrashInfo(PP.getSourceManager(), LambdaBeginLoc,
12770b57cec5SDimitry Andric                                 "lambda expression parsing");
12780b57cec5SDimitry Andric 
12790b57cec5SDimitry Andric   // Parse lambda-declarator[opt].
12800b57cec5SDimitry Andric   DeclSpec DS(AttrFactory);
128181ad6265SDimitry Andric   Declarator D(DS, ParsedAttributesView::none(), DeclaratorContext::LambdaExpr);
12820b57cec5SDimitry Andric   TemplateParameterDepthRAII CurTemplateDepthTracker(TemplateParameterDepth);
12830b57cec5SDimitry Andric 
128406c3fb27SDimitry Andric   ParseScope LambdaScope(this, Scope::LambdaScope | Scope::DeclScope |
128506c3fb27SDimitry Andric                                    Scope::FunctionDeclarationScope |
128606c3fb27SDimitry Andric                                    Scope::FunctionPrototypeScope);
128706c3fb27SDimitry Andric 
128806c3fb27SDimitry Andric   Actions.PushLambdaScope();
128906c3fb27SDimitry Andric   Actions.ActOnLambdaExpressionAfterIntroducer(Intro, getCurScope());
129006c3fb27SDimitry Andric 
129106c3fb27SDimitry Andric   ParsedAttributes Attributes(AttrFactory);
12920b57cec5SDimitry Andric   if (getLangOpts().CUDA) {
12930b57cec5SDimitry Andric     // In CUDA code, GNU attributes are allowed to appear immediately after the
12940b57cec5SDimitry Andric     // "[...]", even if there is no "(...)" before the lambda body.
1295bdd1243dSDimitry Andric     //
1296bdd1243dSDimitry Andric     // Note that we support __noinline__ as a keyword in this mode and thus
1297bdd1243dSDimitry Andric     // it has to be separately handled.
1298bdd1243dSDimitry Andric     while (true) {
1299bdd1243dSDimitry Andric       if (Tok.is(tok::kw___noinline__)) {
1300bdd1243dSDimitry Andric         IdentifierInfo *AttrName = Tok.getIdentifierInfo();
1301bdd1243dSDimitry Andric         SourceLocation AttrNameLoc = ConsumeToken();
130206c3fb27SDimitry Andric         Attributes.addNew(AttrName, AttrNameLoc, /*ScopeName=*/nullptr,
130306c3fb27SDimitry Andric                           AttrNameLoc, /*ArgsUnion=*/nullptr,
130406c3fb27SDimitry Andric                           /*numArgs=*/0, tok::kw___noinline__);
1305bdd1243dSDimitry Andric       } else if (Tok.is(tok::kw___attribute))
130606c3fb27SDimitry Andric         ParseGNUAttributes(Attributes, /*LatePArsedAttrList=*/nullptr, &D);
1307bdd1243dSDimitry Andric       else
1308bdd1243dSDimitry Andric         break;
1309bdd1243dSDimitry Andric     }
1310bdd1243dSDimitry Andric 
131106c3fb27SDimitry Andric     D.takeAttributes(Attributes);
13120b57cec5SDimitry Andric   }
13130b57cec5SDimitry Andric 
13145ffd83dbSDimitry Andric   MultiParseScope TemplateParamScope(*this);
13155ffd83dbSDimitry Andric   if (Tok.is(tok::less)) {
13165ffd83dbSDimitry Andric     Diag(Tok, getLangOpts().CPlusPlus20
13170b57cec5SDimitry Andric                   ? diag::warn_cxx17_compat_lambda_template_parameter_list
13180b57cec5SDimitry Andric                   : diag::ext_lambda_template_parameter_list);
13190b57cec5SDimitry Andric 
13200b57cec5SDimitry Andric     SmallVector<NamedDecl*, 4> TemplateParams;
13210b57cec5SDimitry Andric     SourceLocation LAngleLoc, RAngleLoc;
13225ffd83dbSDimitry Andric     if (ParseTemplateParameters(TemplateParamScope,
13235ffd83dbSDimitry Andric                                 CurTemplateDepthTracker.getDepth(),
13240b57cec5SDimitry Andric                                 TemplateParams, LAngleLoc, RAngleLoc)) {
13250b57cec5SDimitry Andric       Actions.ActOnLambdaError(LambdaBeginLoc, getCurScope());
13260b57cec5SDimitry Andric       return ExprError();
13270b57cec5SDimitry Andric     }
13280b57cec5SDimitry Andric 
13290b57cec5SDimitry Andric     if (TemplateParams.empty()) {
13300b57cec5SDimitry Andric       Diag(RAngleLoc,
13310b57cec5SDimitry Andric            diag::err_lambda_template_parameter_list_empty);
13320b57cec5SDimitry Andric     } else {
1333e8d8bef9SDimitry Andric       ExprResult RequiresClause;
1334e8d8bef9SDimitry Andric       if (TryConsumeToken(tok::kw_requires)) {
1335e8d8bef9SDimitry Andric         RequiresClause =
1336e8d8bef9SDimitry Andric             Actions.ActOnRequiresClause(ParseConstraintLogicalOrExpression(
1337e8d8bef9SDimitry Andric                 /*IsTrailingRequiresClause=*/false));
1338e8d8bef9SDimitry Andric         if (RequiresClause.isInvalid())
1339e8d8bef9SDimitry Andric           SkipUntil({tok::l_brace, tok::l_paren}, StopAtSemi | StopBeforeMatch);
1340e8d8bef9SDimitry Andric       }
1341e8d8bef9SDimitry Andric 
13420b57cec5SDimitry Andric       Actions.ActOnLambdaExplicitTemplateParameterList(
134306c3fb27SDimitry Andric           Intro, LAngleLoc, TemplateParams, RAngleLoc, RequiresClause);
13440b57cec5SDimitry Andric       ++CurTemplateDepthTracker;
13450b57cec5SDimitry Andric     }
13460b57cec5SDimitry Andric   }
13470b57cec5SDimitry Andric 
1348fe6060f1SDimitry Andric   // Implement WG21 P2173, which allows attributes immediately before the
1349fe6060f1SDimitry Andric   // lambda declarator and applies them to the corresponding function operator
1350fe6060f1SDimitry Andric   // or operator template declaration. We accept this as a conforming extension
1351fe6060f1SDimitry Andric   // in all language modes that support lambdas.
1352fe6060f1SDimitry Andric   if (isCXX11AttributeSpecifier()) {
135306c3fb27SDimitry Andric     Diag(Tok, getLangOpts().CPlusPlus23
1354fe6060f1SDimitry Andric                   ? diag::warn_cxx20_compat_decl_attrs_on_lambda
135506c3fb27SDimitry Andric                   : diag::ext_decl_attrs_on_lambda)
135606c3fb27SDimitry Andric         << Tok.getIdentifierInfo() << Tok.isRegularKeywordAttribute();
1357fe6060f1SDimitry Andric     MaybeParseCXX11Attributes(D);
1358fe6060f1SDimitry Andric   }
1359fe6060f1SDimitry Andric 
13600b57cec5SDimitry Andric   TypeResult TrailingReturnType;
1361e8d8bef9SDimitry Andric   SourceLocation TrailingReturnTypeLoc;
136206c3fb27SDimitry Andric   SourceLocation LParenLoc, RParenLoc;
136306c3fb27SDimitry Andric   SourceLocation DeclEndLoc;
136406c3fb27SDimitry Andric   bool HasParentheses = false;
136506c3fb27SDimitry Andric   bool HasSpecifiers = false;
136606c3fb27SDimitry Andric   SourceLocation MutableLoc;
1367fe6060f1SDimitry Andric 
136806c3fb27SDimitry Andric   ParseScope Prototype(this, Scope::FunctionPrototypeScope |
13690b57cec5SDimitry Andric                                  Scope::FunctionDeclarationScope |
13700b57cec5SDimitry Andric                                  Scope::DeclScope);
13710b57cec5SDimitry Andric 
13720b57cec5SDimitry Andric   // Parse parameter-declaration-clause.
13730b57cec5SDimitry Andric   SmallVector<DeclaratorChunk::ParamInfo, 16> ParamInfo;
13740b57cec5SDimitry Andric   SourceLocation EllipsisLoc;
13750b57cec5SDimitry Andric 
137606c3fb27SDimitry Andric   if (Tok.is(tok::l_paren)) {
137706c3fb27SDimitry Andric     BalancedDelimiterTracker T(*this, tok::l_paren);
137806c3fb27SDimitry Andric     T.consumeOpen();
137906c3fb27SDimitry Andric     LParenLoc = T.getOpenLocation();
138006c3fb27SDimitry Andric 
13810b57cec5SDimitry Andric     if (Tok.isNot(tok::r_paren)) {
13820b57cec5SDimitry Andric       Actions.RecordParsingTemplateParameterDepth(
13830b57cec5SDimitry Andric           CurTemplateDepthTracker.getOriginalDepth());
13840b57cec5SDimitry Andric 
138506c3fb27SDimitry Andric       ParseParameterDeclarationClause(D, Attributes, ParamInfo, EllipsisLoc);
13860b57cec5SDimitry Andric       // For a generic lambda, each 'auto' within the parameter declaration
13870b57cec5SDimitry Andric       // clause creates a template type parameter, so increment the depth.
13880b57cec5SDimitry Andric       // If we've parsed any explicit template parameters, then the depth will
13890b57cec5SDimitry Andric       // have already been incremented. So we make sure that at most a single
13900b57cec5SDimitry Andric       // depth level is added.
13910b57cec5SDimitry Andric       if (Actions.getCurGenericLambda())
13920b57cec5SDimitry Andric         CurTemplateDepthTracker.setAddedDepth(1);
13930b57cec5SDimitry Andric     }
13940b57cec5SDimitry Andric 
13950b57cec5SDimitry Andric     T.consumeClose();
139606c3fb27SDimitry Andric     DeclEndLoc = RParenLoc = T.getCloseLocation();
139706c3fb27SDimitry Andric     HasParentheses = true;
139806c3fb27SDimitry Andric   }
13990b57cec5SDimitry Andric 
140006c3fb27SDimitry Andric   HasSpecifiers =
140106c3fb27SDimitry Andric       Tok.isOneOf(tok::kw_mutable, tok::arrow, tok::kw___attribute,
1402bdd1243dSDimitry Andric                   tok::kw_constexpr, tok::kw_consteval, tok::kw_static,
1403480093f4SDimitry Andric                   tok::kw___private, tok::kw___global, tok::kw___local,
140406c3fb27SDimitry Andric                   tok::kw___constant, tok::kw___generic, tok::kw_groupshared,
140506c3fb27SDimitry Andric                   tok::kw_requires, tok::kw_noexcept) ||
140606c3fb27SDimitry Andric       Tok.isRegularKeywordAttribute() ||
140706c3fb27SDimitry Andric       (Tok.is(tok::l_square) && NextToken().is(tok::l_square));
140806c3fb27SDimitry Andric 
140906c3fb27SDimitry Andric   if (HasSpecifiers && !HasParentheses && !getLangOpts().CPlusPlus23) {
1410fe6060f1SDimitry Andric     // It's common to forget that one needs '()' before 'mutable', an
1411fe6060f1SDimitry Andric     // attribute specifier, the result type, or the requires clause. Deal with
1412fe6060f1SDimitry Andric     // this.
1413fe6060f1SDimitry Andric     Diag(Tok, diag::ext_lambda_missing_parens)
14140b57cec5SDimitry Andric         << FixItHint::CreateInsertion(Tok.getLocation(), "() ");
1415fe6060f1SDimitry Andric   }
1416480093f4SDimitry Andric 
14175f757f3fSDimitry Andric   if (HasParentheses || HasSpecifiers) {
14185f757f3fSDimitry Andric     // GNU-style attributes must be parsed before the mutable specifier to
14195f757f3fSDimitry Andric     // be compatible with GCC. MSVC-style attributes must be parsed before
14205f757f3fSDimitry Andric     // the mutable specifier to be compatible with MSVC.
14215f757f3fSDimitry Andric     MaybeParseAttributes(PAKM_GNU | PAKM_Declspec, Attributes);
14225f757f3fSDimitry Andric     // Parse mutable-opt and/or constexpr-opt or consteval-opt, and update
14235f757f3fSDimitry Andric     // the DeclEndLoc.
14245f757f3fSDimitry Andric     SourceLocation ConstexprLoc;
14255f757f3fSDimitry Andric     SourceLocation ConstevalLoc;
14265f757f3fSDimitry Andric     SourceLocation StaticLoc;
14275f757f3fSDimitry Andric 
14285f757f3fSDimitry Andric     tryConsumeLambdaSpecifierToken(*this, MutableLoc, StaticLoc, ConstexprLoc,
14295f757f3fSDimitry Andric                                    ConstevalLoc, DeclEndLoc);
14305f757f3fSDimitry Andric 
14315f757f3fSDimitry Andric     DiagnoseStaticSpecifierRestrictions(*this, StaticLoc, MutableLoc, Intro);
14325f757f3fSDimitry Andric 
14335f757f3fSDimitry Andric     addStaticToLambdaDeclSpecifier(*this, StaticLoc, DS);
14345f757f3fSDimitry Andric     addConstexprToLambdaDeclSpecifier(*this, ConstexprLoc, DS);
14355f757f3fSDimitry Andric     addConstevalToLambdaDeclSpecifier(*this, ConstevalLoc, DS);
14365f757f3fSDimitry Andric   }
143706c3fb27SDimitry Andric 
143806c3fb27SDimitry Andric   Actions.ActOnLambdaClosureParameters(getCurScope(), ParamInfo);
143906c3fb27SDimitry Andric 
144006c3fb27SDimitry Andric   if (!HasParentheses)
144106c3fb27SDimitry Andric     Actions.ActOnLambdaClosureQualifiers(Intro, MutableLoc);
144206c3fb27SDimitry Andric 
14435f757f3fSDimitry Andric   if (HasSpecifiers || HasParentheses) {
14445f757f3fSDimitry Andric     // Parse exception-specification[opt].
14455f757f3fSDimitry Andric     ExceptionSpecificationType ESpecType = EST_None;
14465f757f3fSDimitry Andric     SourceRange ESpecRange;
14475f757f3fSDimitry Andric     SmallVector<ParsedType, 2> DynamicExceptions;
14485f757f3fSDimitry Andric     SmallVector<SourceRange, 2> DynamicExceptionRanges;
14495f757f3fSDimitry Andric     ExprResult NoexceptExpr;
14505f757f3fSDimitry Andric     CachedTokens *ExceptionSpecTokens;
145106c3fb27SDimitry Andric 
14525f757f3fSDimitry Andric     ESpecType = tryParseExceptionSpecification(
14535f757f3fSDimitry Andric         /*Delayed=*/false, ESpecRange, DynamicExceptions,
14545f757f3fSDimitry Andric         DynamicExceptionRanges, NoexceptExpr, ExceptionSpecTokens);
14555f757f3fSDimitry Andric 
14565f757f3fSDimitry Andric     if (ESpecType != EST_None)
14575f757f3fSDimitry Andric       DeclEndLoc = ESpecRange.getEnd();
14585f757f3fSDimitry Andric 
14595f757f3fSDimitry Andric     // Parse attribute-specifier[opt].
14605f757f3fSDimitry Andric     if (MaybeParseCXX11Attributes(Attributes))
14615f757f3fSDimitry Andric       DeclEndLoc = Attributes.Range.getEnd();
14625f757f3fSDimitry Andric 
14635f757f3fSDimitry Andric     // Parse OpenCL addr space attribute.
14645f757f3fSDimitry Andric     if (Tok.isOneOf(tok::kw___private, tok::kw___global, tok::kw___local,
14655f757f3fSDimitry Andric                     tok::kw___constant, tok::kw___generic)) {
14665f757f3fSDimitry Andric       ParseOpenCLQualifiers(DS.getAttributes());
14675f757f3fSDimitry Andric       ConsumeToken();
14685f757f3fSDimitry Andric     }
14695f757f3fSDimitry Andric 
14705f757f3fSDimitry Andric     SourceLocation FunLocalRangeEnd = DeclEndLoc;
14715f757f3fSDimitry Andric 
14725f757f3fSDimitry Andric     // Parse trailing-return-type[opt].
14735f757f3fSDimitry Andric     if (Tok.is(tok::arrow)) {
14745f757f3fSDimitry Andric       FunLocalRangeEnd = Tok.getLocation();
14755f757f3fSDimitry Andric       SourceRange Range;
14765f757f3fSDimitry Andric       TrailingReturnType =
14775f757f3fSDimitry Andric           ParseTrailingReturnType(Range, /*MayBeFollowedByDirectInit=*/false);
14785f757f3fSDimitry Andric       TrailingReturnTypeLoc = Range.getBegin();
14795f757f3fSDimitry Andric       if (Range.getEnd().isValid())
14805f757f3fSDimitry Andric         DeclEndLoc = Range.getEnd();
14815f757f3fSDimitry Andric     }
14825f757f3fSDimitry Andric 
14835f757f3fSDimitry Andric     SourceLocation NoLoc;
14845f757f3fSDimitry Andric     D.AddTypeInfo(DeclaratorChunk::getFunction(
14855f757f3fSDimitry Andric                       /*HasProto=*/true,
14865f757f3fSDimitry Andric                       /*IsAmbiguous=*/false, LParenLoc, ParamInfo.data(),
14875f757f3fSDimitry Andric                       ParamInfo.size(), EllipsisLoc, RParenLoc,
14885f757f3fSDimitry Andric                       /*RefQualifierIsLvalueRef=*/true,
14895f757f3fSDimitry Andric                       /*RefQualifierLoc=*/NoLoc, MutableLoc, ESpecType,
14905f757f3fSDimitry Andric                       ESpecRange, DynamicExceptions.data(),
14915f757f3fSDimitry Andric                       DynamicExceptionRanges.data(), DynamicExceptions.size(),
14925f757f3fSDimitry Andric                       NoexceptExpr.isUsable() ? NoexceptExpr.get() : nullptr,
14935f757f3fSDimitry Andric                       /*ExceptionSpecTokens*/ nullptr,
14945f757f3fSDimitry Andric                       /*DeclsInPrototype=*/std::nullopt, LParenLoc,
14955f757f3fSDimitry Andric                       FunLocalRangeEnd, D, TrailingReturnType,
14965f757f3fSDimitry Andric                       TrailingReturnTypeLoc, &DS),
14975f757f3fSDimitry Andric                   std::move(Attributes), DeclEndLoc);
14985f757f3fSDimitry Andric 
14995f757f3fSDimitry Andric     Actions.ActOnLambdaClosureQualifiers(Intro, MutableLoc);
15005f757f3fSDimitry Andric 
15015f757f3fSDimitry Andric     if (HasParentheses && Tok.is(tok::kw_requires))
15025f757f3fSDimitry Andric       ParseTrailingRequiresClause(D);
15035f757f3fSDimitry Andric   }
15045f757f3fSDimitry Andric 
15055f757f3fSDimitry Andric   // Emit a warning if we see a CUDA host/device/global attribute
15065f757f3fSDimitry Andric   // after '(...)'. nvcc doesn't accept this.
15075f757f3fSDimitry Andric   if (getLangOpts().CUDA) {
15085f757f3fSDimitry Andric     for (const ParsedAttr &A : Attributes)
15095f757f3fSDimitry Andric       if (A.getKind() == ParsedAttr::AT_CUDADevice ||
15105f757f3fSDimitry Andric           A.getKind() == ParsedAttr::AT_CUDAHost ||
15115f757f3fSDimitry Andric           A.getKind() == ParsedAttr::AT_CUDAGlobal)
15125f757f3fSDimitry Andric         Diag(A.getLoc(), diag::warn_cuda_attr_lambda_position)
15135f757f3fSDimitry Andric             << A.getAttrName()->getName();
15145f757f3fSDimitry Andric   }
15150b57cec5SDimitry Andric 
151606c3fb27SDimitry Andric   Prototype.Exit();
151706c3fb27SDimitry Andric 
15180b57cec5SDimitry Andric   // FIXME: Rename BlockScope -> ClosureScope if we decide to continue using
15190b57cec5SDimitry Andric   // it.
15200b57cec5SDimitry Andric   unsigned ScopeFlags = Scope::BlockScope | Scope::FnScope | Scope::DeclScope |
15210b57cec5SDimitry Andric                         Scope::CompoundStmtScope;
15220b57cec5SDimitry Andric   ParseScope BodyScope(this, ScopeFlags);
15230b57cec5SDimitry Andric 
152406c3fb27SDimitry Andric   Actions.ActOnStartOfLambdaDefinition(Intro, D, DS);
15250b57cec5SDimitry Andric 
15260b57cec5SDimitry Andric   // Parse compound-statement.
15270b57cec5SDimitry Andric   if (!Tok.is(tok::l_brace)) {
15280b57cec5SDimitry Andric     Diag(Tok, diag::err_expected_lambda_body);
15290b57cec5SDimitry Andric     Actions.ActOnLambdaError(LambdaBeginLoc, getCurScope());
15300b57cec5SDimitry Andric     return ExprError();
15310b57cec5SDimitry Andric   }
15320b57cec5SDimitry Andric 
15330b57cec5SDimitry Andric   StmtResult Stmt(ParseCompoundStatementBody());
15340b57cec5SDimitry Andric   BodyScope.Exit();
15350b57cec5SDimitry Andric   TemplateParamScope.Exit();
153606c3fb27SDimitry Andric   LambdaScope.Exit();
15370b57cec5SDimitry Andric 
15385f757f3fSDimitry Andric   if (!Stmt.isInvalid() && !TrailingReturnType.isInvalid() &&
15395f757f3fSDimitry Andric       !D.isInvalidType())
15405f757f3fSDimitry Andric     return Actions.ActOnLambdaExpr(LambdaBeginLoc, Stmt.get());
15410b57cec5SDimitry Andric 
15420b57cec5SDimitry Andric   Actions.ActOnLambdaError(LambdaBeginLoc, getCurScope());
15430b57cec5SDimitry Andric   return ExprError();
15440b57cec5SDimitry Andric }
15450b57cec5SDimitry Andric 
15460b57cec5SDimitry Andric /// ParseCXXCasts - This handles the various ways to cast expressions to another
15470b57cec5SDimitry Andric /// type.
15480b57cec5SDimitry Andric ///
15490b57cec5SDimitry Andric ///       postfix-expression: [C++ 5.2p1]
15500b57cec5SDimitry Andric ///         'dynamic_cast' '<' type-name '>' '(' expression ')'
15510b57cec5SDimitry Andric ///         'static_cast' '<' type-name '>' '(' expression ')'
15520b57cec5SDimitry Andric ///         'reinterpret_cast' '<' type-name '>' '(' expression ')'
15530b57cec5SDimitry Andric ///         'const_cast' '<' type-name '>' '(' expression ')'
15540b57cec5SDimitry Andric ///
15555ffd83dbSDimitry Andric /// C++ for OpenCL s2.3.1 adds:
15565ffd83dbSDimitry Andric ///         'addrspace_cast' '<' type-name '>' '(' expression ')'
15570b57cec5SDimitry Andric ExprResult Parser::ParseCXXCasts() {
15580b57cec5SDimitry Andric   tok::TokenKind Kind = Tok.getKind();
15590b57cec5SDimitry Andric   const char *CastName = nullptr; // For error messages
15600b57cec5SDimitry Andric 
15610b57cec5SDimitry Andric   switch (Kind) {
15620b57cec5SDimitry Andric   default: llvm_unreachable("Unknown C++ cast!");
15635ffd83dbSDimitry Andric   case tok::kw_addrspace_cast:   CastName = "addrspace_cast";   break;
15640b57cec5SDimitry Andric   case tok::kw_const_cast:       CastName = "const_cast";       break;
15650b57cec5SDimitry Andric   case tok::kw_dynamic_cast:     CastName = "dynamic_cast";     break;
15660b57cec5SDimitry Andric   case tok::kw_reinterpret_cast: CastName = "reinterpret_cast"; break;
15670b57cec5SDimitry Andric   case tok::kw_static_cast:      CastName = "static_cast";      break;
15680b57cec5SDimitry Andric   }
15690b57cec5SDimitry Andric 
15700b57cec5SDimitry Andric   SourceLocation OpLoc = ConsumeToken();
15710b57cec5SDimitry Andric   SourceLocation LAngleBracketLoc = Tok.getLocation();
15720b57cec5SDimitry Andric 
15730b57cec5SDimitry Andric   // Check for "<::" which is parsed as "[:".  If found, fix token stream,
15740b57cec5SDimitry Andric   // diagnose error, suggest fix, and recover parsing.
15750b57cec5SDimitry Andric   if (Tok.is(tok::l_square) && Tok.getLength() == 2) {
15760b57cec5SDimitry Andric     Token Next = NextToken();
15770b57cec5SDimitry Andric     if (Next.is(tok::colon) && areTokensAdjacent(Tok, Next))
15780b57cec5SDimitry Andric       FixDigraph(*this, PP, Tok, Next, Kind, /*AtDigraph*/true);
15790b57cec5SDimitry Andric   }
15800b57cec5SDimitry Andric 
15810b57cec5SDimitry Andric   if (ExpectAndConsume(tok::less, diag::err_expected_less_after, CastName))
15820b57cec5SDimitry Andric     return ExprError();
15830b57cec5SDimitry Andric 
15840b57cec5SDimitry Andric   // Parse the common declaration-specifiers piece.
15850b57cec5SDimitry Andric   DeclSpec DS(AttrFactory);
1586bdd1243dSDimitry Andric   ParseSpecifierQualifierList(DS, /*AccessSpecifier=*/AS_none,
1587bdd1243dSDimitry Andric                               DeclSpecContext::DSC_type_specifier);
15880b57cec5SDimitry Andric 
15890b57cec5SDimitry Andric   // Parse the abstract-declarator, if present.
159081ad6265SDimitry Andric   Declarator DeclaratorInfo(DS, ParsedAttributesView::none(),
159181ad6265SDimitry Andric                             DeclaratorContext::TypeName);
15920b57cec5SDimitry Andric   ParseDeclarator(DeclaratorInfo);
15930b57cec5SDimitry Andric 
15940b57cec5SDimitry Andric   SourceLocation RAngleBracketLoc = Tok.getLocation();
15950b57cec5SDimitry Andric 
15960b57cec5SDimitry Andric   if (ExpectAndConsume(tok::greater))
15970b57cec5SDimitry Andric     return ExprError(Diag(LAngleBracketLoc, diag::note_matching) << tok::less);
15980b57cec5SDimitry Andric 
15990b57cec5SDimitry Andric   BalancedDelimiterTracker T(*this, tok::l_paren);
16000b57cec5SDimitry Andric 
16010b57cec5SDimitry Andric   if (T.expectAndConsume(diag::err_expected_lparen_after, CastName))
16020b57cec5SDimitry Andric     return ExprError();
16030b57cec5SDimitry Andric 
16040b57cec5SDimitry Andric   ExprResult Result = ParseExpression();
16050b57cec5SDimitry Andric 
16060b57cec5SDimitry Andric   // Match the ')'.
16070b57cec5SDimitry Andric   T.consumeClose();
16080b57cec5SDimitry Andric 
16090b57cec5SDimitry Andric   if (!Result.isInvalid() && !DeclaratorInfo.isInvalidType())
16100b57cec5SDimitry Andric     Result = Actions.ActOnCXXNamedCast(OpLoc, Kind,
16110b57cec5SDimitry Andric                                        LAngleBracketLoc, DeclaratorInfo,
16120b57cec5SDimitry Andric                                        RAngleBracketLoc,
16130b57cec5SDimitry Andric                                        T.getOpenLocation(), Result.get(),
16140b57cec5SDimitry Andric                                        T.getCloseLocation());
16150b57cec5SDimitry Andric 
16160b57cec5SDimitry Andric   return Result;
16170b57cec5SDimitry Andric }
16180b57cec5SDimitry Andric 
16190b57cec5SDimitry Andric /// ParseCXXTypeid - This handles the C++ typeid expression.
16200b57cec5SDimitry Andric ///
16210b57cec5SDimitry Andric ///       postfix-expression: [C++ 5.2p1]
16220b57cec5SDimitry Andric ///         'typeid' '(' expression ')'
16230b57cec5SDimitry Andric ///         'typeid' '(' type-id ')'
16240b57cec5SDimitry Andric ///
16250b57cec5SDimitry Andric ExprResult Parser::ParseCXXTypeid() {
16260b57cec5SDimitry Andric   assert(Tok.is(tok::kw_typeid) && "Not 'typeid'!");
16270b57cec5SDimitry Andric 
16280b57cec5SDimitry Andric   SourceLocation OpLoc = ConsumeToken();
16290b57cec5SDimitry Andric   SourceLocation LParenLoc, RParenLoc;
16300b57cec5SDimitry Andric   BalancedDelimiterTracker T(*this, tok::l_paren);
16310b57cec5SDimitry Andric 
16320b57cec5SDimitry Andric   // typeid expressions are always parenthesized.
16330b57cec5SDimitry Andric   if (T.expectAndConsume(diag::err_expected_lparen_after, "typeid"))
16340b57cec5SDimitry Andric     return ExprError();
16350b57cec5SDimitry Andric   LParenLoc = T.getOpenLocation();
16360b57cec5SDimitry Andric 
16370b57cec5SDimitry Andric   ExprResult Result;
16380b57cec5SDimitry Andric 
16390b57cec5SDimitry Andric   // C++0x [expr.typeid]p3:
16400b57cec5SDimitry Andric   //   When typeid is applied to an expression other than an lvalue of a
16410b57cec5SDimitry Andric   //   polymorphic class type [...] The expression is an unevaluated
16420b57cec5SDimitry Andric   //   operand (Clause 5).
16430b57cec5SDimitry Andric   //
16440b57cec5SDimitry Andric   // Note that we can't tell whether the expression is an lvalue of a
16450b57cec5SDimitry Andric   // polymorphic class type until after we've parsed the expression; we
16460b57cec5SDimitry Andric   // speculatively assume the subexpression is unevaluated, and fix it up
16470b57cec5SDimitry Andric   // later.
16480b57cec5SDimitry Andric   //
16490b57cec5SDimitry Andric   // We enter the unevaluated context before trying to determine whether we
16500b57cec5SDimitry Andric   // have a type-id, because the tentative parse logic will try to resolve
16510b57cec5SDimitry Andric   // names, and must treat them as unevaluated.
16520b57cec5SDimitry Andric   EnterExpressionEvaluationContext Unevaluated(
16530b57cec5SDimitry Andric       Actions, Sema::ExpressionEvaluationContext::Unevaluated,
16540b57cec5SDimitry Andric       Sema::ReuseLambdaContextDecl);
16550b57cec5SDimitry Andric 
16560b57cec5SDimitry Andric   if (isTypeIdInParens()) {
16570b57cec5SDimitry Andric     TypeResult Ty = ParseTypeName();
16580b57cec5SDimitry Andric 
16590b57cec5SDimitry Andric     // Match the ')'.
16600b57cec5SDimitry Andric     T.consumeClose();
16610b57cec5SDimitry Andric     RParenLoc = T.getCloseLocation();
16620b57cec5SDimitry Andric     if (Ty.isInvalid() || RParenLoc.isInvalid())
16630b57cec5SDimitry Andric       return ExprError();
16640b57cec5SDimitry Andric 
16650b57cec5SDimitry Andric     Result = Actions.ActOnCXXTypeid(OpLoc, LParenLoc, /*isType=*/true,
16660b57cec5SDimitry Andric                                     Ty.get().getAsOpaquePtr(), RParenLoc);
16670b57cec5SDimitry Andric   } else {
16680b57cec5SDimitry Andric     Result = ParseExpression();
16690b57cec5SDimitry Andric 
16700b57cec5SDimitry Andric     // Match the ')'.
16710b57cec5SDimitry Andric     if (Result.isInvalid())
16720b57cec5SDimitry Andric       SkipUntil(tok::r_paren, StopAtSemi);
16730b57cec5SDimitry Andric     else {
16740b57cec5SDimitry Andric       T.consumeClose();
16750b57cec5SDimitry Andric       RParenLoc = T.getCloseLocation();
16760b57cec5SDimitry Andric       if (RParenLoc.isInvalid())
16770b57cec5SDimitry Andric         return ExprError();
16780b57cec5SDimitry Andric 
16790b57cec5SDimitry Andric       Result = Actions.ActOnCXXTypeid(OpLoc, LParenLoc, /*isType=*/false,
16800b57cec5SDimitry Andric                                       Result.get(), RParenLoc);
16810b57cec5SDimitry Andric     }
16820b57cec5SDimitry Andric   }
16830b57cec5SDimitry Andric 
16840b57cec5SDimitry Andric   return Result;
16850b57cec5SDimitry Andric }
16860b57cec5SDimitry Andric 
16870b57cec5SDimitry Andric /// ParseCXXUuidof - This handles the Microsoft C++ __uuidof expression.
16880b57cec5SDimitry Andric ///
16890b57cec5SDimitry Andric ///         '__uuidof' '(' expression ')'
16900b57cec5SDimitry Andric ///         '__uuidof' '(' type-id ')'
16910b57cec5SDimitry Andric ///
16920b57cec5SDimitry Andric ExprResult Parser::ParseCXXUuidof() {
16930b57cec5SDimitry Andric   assert(Tok.is(tok::kw___uuidof) && "Not '__uuidof'!");
16940b57cec5SDimitry Andric 
16950b57cec5SDimitry Andric   SourceLocation OpLoc = ConsumeToken();
16960b57cec5SDimitry Andric   BalancedDelimiterTracker T(*this, tok::l_paren);
16970b57cec5SDimitry Andric 
16980b57cec5SDimitry Andric   // __uuidof expressions are always parenthesized.
16990b57cec5SDimitry Andric   if (T.expectAndConsume(diag::err_expected_lparen_after, "__uuidof"))
17000b57cec5SDimitry Andric     return ExprError();
17010b57cec5SDimitry Andric 
17020b57cec5SDimitry Andric   ExprResult Result;
17030b57cec5SDimitry Andric 
17040b57cec5SDimitry Andric   if (isTypeIdInParens()) {
17050b57cec5SDimitry Andric     TypeResult Ty = ParseTypeName();
17060b57cec5SDimitry Andric 
17070b57cec5SDimitry Andric     // Match the ')'.
17080b57cec5SDimitry Andric     T.consumeClose();
17090b57cec5SDimitry Andric 
17100b57cec5SDimitry Andric     if (Ty.isInvalid())
17110b57cec5SDimitry Andric       return ExprError();
17120b57cec5SDimitry Andric 
17130b57cec5SDimitry Andric     Result = Actions.ActOnCXXUuidof(OpLoc, T.getOpenLocation(), /*isType=*/true,
17140b57cec5SDimitry Andric                                     Ty.get().getAsOpaquePtr(),
17150b57cec5SDimitry Andric                                     T.getCloseLocation());
17160b57cec5SDimitry Andric   } else {
17170b57cec5SDimitry Andric     EnterExpressionEvaluationContext Unevaluated(
17180b57cec5SDimitry Andric         Actions, Sema::ExpressionEvaluationContext::Unevaluated);
17190b57cec5SDimitry Andric     Result = ParseExpression();
17200b57cec5SDimitry Andric 
17210b57cec5SDimitry Andric     // Match the ')'.
17220b57cec5SDimitry Andric     if (Result.isInvalid())
17230b57cec5SDimitry Andric       SkipUntil(tok::r_paren, StopAtSemi);
17240b57cec5SDimitry Andric     else {
17250b57cec5SDimitry Andric       T.consumeClose();
17260b57cec5SDimitry Andric 
17270b57cec5SDimitry Andric       Result = Actions.ActOnCXXUuidof(OpLoc, T.getOpenLocation(),
17280b57cec5SDimitry Andric                                       /*isType=*/false,
17290b57cec5SDimitry Andric                                       Result.get(), T.getCloseLocation());
17300b57cec5SDimitry Andric     }
17310b57cec5SDimitry Andric   }
17320b57cec5SDimitry Andric 
17330b57cec5SDimitry Andric   return Result;
17340b57cec5SDimitry Andric }
17350b57cec5SDimitry Andric 
17360b57cec5SDimitry Andric /// Parse a C++ pseudo-destructor expression after the base,
17370b57cec5SDimitry Andric /// . or -> operator, and nested-name-specifier have already been
17385ffd83dbSDimitry Andric /// parsed. We're handling this fragment of the grammar:
17390b57cec5SDimitry Andric ///
17405ffd83dbSDimitry Andric ///       postfix-expression: [C++2a expr.post]
17415ffd83dbSDimitry Andric ///         postfix-expression . template[opt] id-expression
17425ffd83dbSDimitry Andric ///         postfix-expression -> template[opt] id-expression
17430b57cec5SDimitry Andric ///
17445ffd83dbSDimitry Andric ///       id-expression:
17455ffd83dbSDimitry Andric ///         qualified-id
17465ffd83dbSDimitry Andric ///         unqualified-id
17475ffd83dbSDimitry Andric ///
17485ffd83dbSDimitry Andric ///       qualified-id:
17495ffd83dbSDimitry Andric ///         nested-name-specifier template[opt] unqualified-id
17505ffd83dbSDimitry Andric ///
17515ffd83dbSDimitry Andric ///       nested-name-specifier:
17525ffd83dbSDimitry Andric ///         type-name ::
17535ffd83dbSDimitry Andric ///         decltype-specifier ::    FIXME: not implemented, but probably only
17545ffd83dbSDimitry Andric ///                                         allowed in C++ grammar by accident
17555ffd83dbSDimitry Andric ///         nested-name-specifier identifier ::
17565ffd83dbSDimitry Andric ///         nested-name-specifier template[opt] simple-template-id ::
17575ffd83dbSDimitry Andric ///         [...]
17585ffd83dbSDimitry Andric ///
17595ffd83dbSDimitry Andric ///       unqualified-id:
17600b57cec5SDimitry Andric ///         ~ type-name
17615ffd83dbSDimitry Andric ///         ~ decltype-specifier
17625ffd83dbSDimitry Andric ///         [...]
17630b57cec5SDimitry Andric ///
17645ffd83dbSDimitry Andric /// ... where the all but the last component of the nested-name-specifier
17655ffd83dbSDimitry Andric /// has already been parsed, and the base expression is not of a non-dependent
17665ffd83dbSDimitry Andric /// class type.
17670b57cec5SDimitry Andric ExprResult
17680b57cec5SDimitry Andric Parser::ParseCXXPseudoDestructor(Expr *Base, SourceLocation OpLoc,
17690b57cec5SDimitry Andric                                  tok::TokenKind OpKind,
17700b57cec5SDimitry Andric                                  CXXScopeSpec &SS,
17710b57cec5SDimitry Andric                                  ParsedType ObjectType) {
17725ffd83dbSDimitry Andric   // If the last component of the (optional) nested-name-specifier is
17735ffd83dbSDimitry Andric   // template[opt] simple-template-id, it has already been annotated.
17740b57cec5SDimitry Andric   UnqualifiedId FirstTypeName;
17750b57cec5SDimitry Andric   SourceLocation CCLoc;
17760b57cec5SDimitry Andric   if (Tok.is(tok::identifier)) {
17770b57cec5SDimitry Andric     FirstTypeName.setIdentifier(Tok.getIdentifierInfo(), Tok.getLocation());
17780b57cec5SDimitry Andric     ConsumeToken();
17790b57cec5SDimitry Andric     assert(Tok.is(tok::coloncolon) &&"ParseOptionalCXXScopeSpecifier fail");
17800b57cec5SDimitry Andric     CCLoc = ConsumeToken();
17810b57cec5SDimitry Andric   } else if (Tok.is(tok::annot_template_id)) {
17825ffd83dbSDimitry Andric     TemplateIdAnnotation *TemplateId = takeTemplateIdAnnotation(Tok);
17835ffd83dbSDimitry Andric     // FIXME: Carry on and build an AST representation for tooling.
17845ffd83dbSDimitry Andric     if (TemplateId->isInvalid())
17855ffd83dbSDimitry Andric       return ExprError();
17865ffd83dbSDimitry Andric     FirstTypeName.setTemplateId(TemplateId);
17870b57cec5SDimitry Andric     ConsumeAnnotationToken();
17880b57cec5SDimitry Andric     assert(Tok.is(tok::coloncolon) &&"ParseOptionalCXXScopeSpecifier fail");
17890b57cec5SDimitry Andric     CCLoc = ConsumeToken();
17900b57cec5SDimitry Andric   } else {
17915ffd83dbSDimitry Andric     assert(SS.isEmpty() && "missing last component of nested name specifier");
17920b57cec5SDimitry Andric     FirstTypeName.setIdentifier(nullptr, SourceLocation());
17930b57cec5SDimitry Andric   }
17940b57cec5SDimitry Andric 
17950b57cec5SDimitry Andric   // Parse the tilde.
17960b57cec5SDimitry Andric   assert(Tok.is(tok::tilde) && "ParseOptionalCXXScopeSpecifier fail");
17970b57cec5SDimitry Andric   SourceLocation TildeLoc = ConsumeToken();
17980b57cec5SDimitry Andric 
17995ffd83dbSDimitry Andric   if (Tok.is(tok::kw_decltype) && !FirstTypeName.isValid()) {
18000b57cec5SDimitry Andric     DeclSpec DS(AttrFactory);
18010b57cec5SDimitry Andric     ParseDecltypeSpecifier(DS);
18020b57cec5SDimitry Andric     if (DS.getTypeSpecType() == TST_error)
18030b57cec5SDimitry Andric       return ExprError();
18040b57cec5SDimitry Andric     return Actions.ActOnPseudoDestructorExpr(getCurScope(), Base, OpLoc, OpKind,
18050b57cec5SDimitry Andric                                              TildeLoc, DS);
18060b57cec5SDimitry Andric   }
18070b57cec5SDimitry Andric 
18080b57cec5SDimitry Andric   if (!Tok.is(tok::identifier)) {
18090b57cec5SDimitry Andric     Diag(Tok, diag::err_destructor_tilde_identifier);
18100b57cec5SDimitry Andric     return ExprError();
18110b57cec5SDimitry Andric   }
18120b57cec5SDimitry Andric 
18130b57cec5SDimitry Andric   // Parse the second type.
18140b57cec5SDimitry Andric   UnqualifiedId SecondTypeName;
18150b57cec5SDimitry Andric   IdentifierInfo *Name = Tok.getIdentifierInfo();
18160b57cec5SDimitry Andric   SourceLocation NameLoc = ConsumeToken();
18170b57cec5SDimitry Andric   SecondTypeName.setIdentifier(Name, NameLoc);
18180b57cec5SDimitry Andric 
18190b57cec5SDimitry Andric   // If there is a '<', the second type name is a template-id. Parse
18200b57cec5SDimitry Andric   // it as such.
18215ffd83dbSDimitry Andric   //
18225ffd83dbSDimitry Andric   // FIXME: This is not a context in which a '<' is assumed to start a template
18235ffd83dbSDimitry Andric   // argument list. This affects examples such as
18245ffd83dbSDimitry Andric   //   void f(auto *p) { p->~X<int>(); }
18255ffd83dbSDimitry Andric   // ... but there's no ambiguity, and nowhere to write 'template' in such an
18265ffd83dbSDimitry Andric   // example, so we accept it anyway.
18270b57cec5SDimitry Andric   if (Tok.is(tok::less) &&
18285ffd83dbSDimitry Andric       ParseUnqualifiedIdTemplateId(
18295ffd83dbSDimitry Andric           SS, ObjectType, Base && Base->containsErrors(), SourceLocation(),
18305ffd83dbSDimitry Andric           Name, NameLoc, false, SecondTypeName,
18310b57cec5SDimitry Andric           /*AssumeTemplateId=*/true))
18320b57cec5SDimitry Andric     return ExprError();
18330b57cec5SDimitry Andric 
18340b57cec5SDimitry Andric   return Actions.ActOnPseudoDestructorExpr(getCurScope(), Base, OpLoc, OpKind,
18350b57cec5SDimitry Andric                                            SS, FirstTypeName, CCLoc, TildeLoc,
18360b57cec5SDimitry Andric                                            SecondTypeName);
18370b57cec5SDimitry Andric }
18380b57cec5SDimitry Andric 
18390b57cec5SDimitry Andric /// ParseCXXBoolLiteral - This handles the C++ Boolean literals.
18400b57cec5SDimitry Andric ///
18410b57cec5SDimitry Andric ///       boolean-literal: [C++ 2.13.5]
18420b57cec5SDimitry Andric ///         'true'
18430b57cec5SDimitry Andric ///         'false'
18440b57cec5SDimitry Andric ExprResult Parser::ParseCXXBoolLiteral() {
18450b57cec5SDimitry Andric   tok::TokenKind Kind = Tok.getKind();
18460b57cec5SDimitry Andric   return Actions.ActOnCXXBoolLiteral(ConsumeToken(), Kind);
18470b57cec5SDimitry Andric }
18480b57cec5SDimitry Andric 
18490b57cec5SDimitry Andric /// ParseThrowExpression - This handles the C++ throw expression.
18500b57cec5SDimitry Andric ///
18510b57cec5SDimitry Andric ///       throw-expression: [C++ 15]
18520b57cec5SDimitry Andric ///         'throw' assignment-expression[opt]
18530b57cec5SDimitry Andric ExprResult Parser::ParseThrowExpression() {
18540b57cec5SDimitry Andric   assert(Tok.is(tok::kw_throw) && "Not throw!");
18550b57cec5SDimitry Andric   SourceLocation ThrowLoc = ConsumeToken();           // Eat the throw token.
18560b57cec5SDimitry Andric 
18570b57cec5SDimitry Andric   // If the current token isn't the start of an assignment-expression,
18580b57cec5SDimitry Andric   // then the expression is not present.  This handles things like:
18590b57cec5SDimitry Andric   //   "C ? throw : (void)42", which is crazy but legal.
18600b57cec5SDimitry Andric   switch (Tok.getKind()) {  // FIXME: move this predicate somewhere common.
18610b57cec5SDimitry Andric   case tok::semi:
18620b57cec5SDimitry Andric   case tok::r_paren:
18630b57cec5SDimitry Andric   case tok::r_square:
18640b57cec5SDimitry Andric   case tok::r_brace:
18650b57cec5SDimitry Andric   case tok::colon:
18660b57cec5SDimitry Andric   case tok::comma:
18670b57cec5SDimitry Andric     return Actions.ActOnCXXThrow(getCurScope(), ThrowLoc, nullptr);
18680b57cec5SDimitry Andric 
18690b57cec5SDimitry Andric   default:
18700b57cec5SDimitry Andric     ExprResult Expr(ParseAssignmentExpression());
18710b57cec5SDimitry Andric     if (Expr.isInvalid()) return Expr;
18720b57cec5SDimitry Andric     return Actions.ActOnCXXThrow(getCurScope(), ThrowLoc, Expr.get());
18730b57cec5SDimitry Andric   }
18740b57cec5SDimitry Andric }
18750b57cec5SDimitry Andric 
18760b57cec5SDimitry Andric /// Parse the C++ Coroutines co_yield expression.
18770b57cec5SDimitry Andric ///
18780b57cec5SDimitry Andric ///       co_yield-expression:
18790b57cec5SDimitry Andric ///         'co_yield' assignment-expression[opt]
18800b57cec5SDimitry Andric ExprResult Parser::ParseCoyieldExpression() {
18810b57cec5SDimitry Andric   assert(Tok.is(tok::kw_co_yield) && "Not co_yield!");
18820b57cec5SDimitry Andric 
18830b57cec5SDimitry Andric   SourceLocation Loc = ConsumeToken();
18840b57cec5SDimitry Andric   ExprResult Expr = Tok.is(tok::l_brace) ? ParseBraceInitializer()
18850b57cec5SDimitry Andric                                          : ParseAssignmentExpression();
18860b57cec5SDimitry Andric   if (!Expr.isInvalid())
18870b57cec5SDimitry Andric     Expr = Actions.ActOnCoyieldExpr(getCurScope(), Loc, Expr.get());
18880b57cec5SDimitry Andric   return Expr;
18890b57cec5SDimitry Andric }
18900b57cec5SDimitry Andric 
18910b57cec5SDimitry Andric /// ParseCXXThis - This handles the C++ 'this' pointer.
18920b57cec5SDimitry Andric ///
18930b57cec5SDimitry Andric /// C++ 9.3.2: In the body of a non-static member function, the keyword this is
18940b57cec5SDimitry Andric /// a non-lvalue expression whose value is the address of the object for which
18950b57cec5SDimitry Andric /// the function is called.
18960b57cec5SDimitry Andric ExprResult Parser::ParseCXXThis() {
18970b57cec5SDimitry Andric   assert(Tok.is(tok::kw_this) && "Not 'this'!");
18980b57cec5SDimitry Andric   SourceLocation ThisLoc = ConsumeToken();
18990b57cec5SDimitry Andric   return Actions.ActOnCXXThis(ThisLoc);
19000b57cec5SDimitry Andric }
19010b57cec5SDimitry Andric 
19020b57cec5SDimitry Andric /// ParseCXXTypeConstructExpression - Parse construction of a specified type.
19030b57cec5SDimitry Andric /// Can be interpreted either as function-style casting ("int(x)")
19040b57cec5SDimitry Andric /// or class type construction ("ClassType(x,y,z)")
19050b57cec5SDimitry Andric /// or creation of a value-initialized type ("int()").
19060b57cec5SDimitry Andric /// See [C++ 5.2.3].
19070b57cec5SDimitry Andric ///
19080b57cec5SDimitry Andric ///       postfix-expression: [C++ 5.2p1]
19090b57cec5SDimitry Andric ///         simple-type-specifier '(' expression-list[opt] ')'
19100b57cec5SDimitry Andric /// [C++0x] simple-type-specifier braced-init-list
19110b57cec5SDimitry Andric ///         typename-specifier '(' expression-list[opt] ')'
19120b57cec5SDimitry Andric /// [C++0x] typename-specifier braced-init-list
19130b57cec5SDimitry Andric ///
19140b57cec5SDimitry Andric /// In C++1z onwards, the type specifier can also be a template-name.
19150b57cec5SDimitry Andric ExprResult
19160b57cec5SDimitry Andric Parser::ParseCXXTypeConstructExpression(const DeclSpec &DS) {
191781ad6265SDimitry Andric   Declarator DeclaratorInfo(DS, ParsedAttributesView::none(),
191881ad6265SDimitry Andric                             DeclaratorContext::FunctionalCast);
1919*7a6dacacSDimitry Andric   ParsedType TypeRep = Actions.ActOnTypeName(DeclaratorInfo).get();
19200b57cec5SDimitry Andric 
19210b57cec5SDimitry Andric   assert((Tok.is(tok::l_paren) ||
19220b57cec5SDimitry Andric           (getLangOpts().CPlusPlus11 && Tok.is(tok::l_brace)))
19230b57cec5SDimitry Andric          && "Expected '(' or '{'!");
19240b57cec5SDimitry Andric 
19250b57cec5SDimitry Andric   if (Tok.is(tok::l_brace)) {
19265ffd83dbSDimitry Andric     PreferredType.enterTypeCast(Tok.getLocation(), TypeRep.get());
19270b57cec5SDimitry Andric     ExprResult Init = ParseBraceInitializer();
19280b57cec5SDimitry Andric     if (Init.isInvalid())
19290b57cec5SDimitry Andric       return Init;
19300b57cec5SDimitry Andric     Expr *InitList = Init.get();
19310b57cec5SDimitry Andric     return Actions.ActOnCXXTypeConstructExpr(
19320b57cec5SDimitry Andric         TypeRep, InitList->getBeginLoc(), MultiExprArg(&InitList, 1),
19330b57cec5SDimitry Andric         InitList->getEndLoc(), /*ListInitialization=*/true);
19340b57cec5SDimitry Andric   } else {
19350b57cec5SDimitry Andric     BalancedDelimiterTracker T(*this, tok::l_paren);
19360b57cec5SDimitry Andric     T.consumeOpen();
19370b57cec5SDimitry Andric 
19380b57cec5SDimitry Andric     PreferredType.enterTypeCast(Tok.getLocation(), TypeRep.get());
19390b57cec5SDimitry Andric 
19400b57cec5SDimitry Andric     ExprVector Exprs;
19410b57cec5SDimitry Andric 
19420b57cec5SDimitry Andric     auto RunSignatureHelp = [&]() {
1943480093f4SDimitry Andric       QualType PreferredType;
1944480093f4SDimitry Andric       if (TypeRep)
1945480093f4SDimitry Andric         PreferredType = Actions.ProduceConstructorSignatureHelp(
194604eeddc0SDimitry Andric             TypeRep.get()->getCanonicalTypeInternal(), DS.getEndLoc(), Exprs,
194704eeddc0SDimitry Andric             T.getOpenLocation(), /*Braced=*/false);
19480b57cec5SDimitry Andric       CalledSignatureHelp = true;
19490b57cec5SDimitry Andric       return PreferredType;
19500b57cec5SDimitry Andric     };
19510b57cec5SDimitry Andric 
19520b57cec5SDimitry Andric     if (Tok.isNot(tok::r_paren)) {
1953bdd1243dSDimitry Andric       if (ParseExpressionList(Exprs, [&] {
19540b57cec5SDimitry Andric             PreferredType.enterFunctionArgument(Tok.getLocation(),
19550b57cec5SDimitry Andric                                                 RunSignatureHelp);
19560b57cec5SDimitry Andric           })) {
19570b57cec5SDimitry Andric         if (PP.isCodeCompletionReached() && !CalledSignatureHelp)
19580b57cec5SDimitry Andric           RunSignatureHelp();
19590b57cec5SDimitry Andric         SkipUntil(tok::r_paren, StopAtSemi);
19600b57cec5SDimitry Andric         return ExprError();
19610b57cec5SDimitry Andric       }
19620b57cec5SDimitry Andric     }
19630b57cec5SDimitry Andric 
19640b57cec5SDimitry Andric     // Match the ')'.
19650b57cec5SDimitry Andric     T.consumeClose();
19660b57cec5SDimitry Andric 
19670b57cec5SDimitry Andric     // TypeRep could be null, if it references an invalid typedef.
19680b57cec5SDimitry Andric     if (!TypeRep)
19690b57cec5SDimitry Andric       return ExprError();
19700b57cec5SDimitry Andric 
19710b57cec5SDimitry Andric     return Actions.ActOnCXXTypeConstructExpr(TypeRep, T.getOpenLocation(),
19720b57cec5SDimitry Andric                                              Exprs, T.getCloseLocation(),
19730b57cec5SDimitry Andric                                              /*ListInitialization=*/false);
19740b57cec5SDimitry Andric   }
19750b57cec5SDimitry Andric }
19760b57cec5SDimitry Andric 
1977349cc55cSDimitry Andric Parser::DeclGroupPtrTy
1978349cc55cSDimitry Andric Parser::ParseAliasDeclarationInInitStatement(DeclaratorContext Context,
197981ad6265SDimitry Andric                                              ParsedAttributes &Attrs) {
1980349cc55cSDimitry Andric   assert(Tok.is(tok::kw_using) && "Expected using");
1981349cc55cSDimitry Andric   assert((Context == DeclaratorContext::ForInit ||
1982349cc55cSDimitry Andric           Context == DeclaratorContext::SelectionInit) &&
1983349cc55cSDimitry Andric          "Unexpected Declarator Context");
1984349cc55cSDimitry Andric   DeclGroupPtrTy DG;
1985349cc55cSDimitry Andric   SourceLocation DeclStart = ConsumeToken(), DeclEnd;
1986349cc55cSDimitry Andric 
1987349cc55cSDimitry Andric   DG = ParseUsingDeclaration(Context, {}, DeclStart, DeclEnd, Attrs, AS_none);
1988349cc55cSDimitry Andric   if (!DG)
1989349cc55cSDimitry Andric     return DG;
1990349cc55cSDimitry Andric 
199106c3fb27SDimitry Andric   Diag(DeclStart, !getLangOpts().CPlusPlus23
1992349cc55cSDimitry Andric                       ? diag::ext_alias_in_init_statement
1993349cc55cSDimitry Andric                       : diag::warn_cxx20_alias_in_init_statement)
1994349cc55cSDimitry Andric       << SourceRange(DeclStart, DeclEnd);
1995349cc55cSDimitry Andric 
1996349cc55cSDimitry Andric   return DG;
1997349cc55cSDimitry Andric }
1998349cc55cSDimitry Andric 
19990b57cec5SDimitry Andric /// ParseCXXCondition - if/switch/while condition expression.
20000b57cec5SDimitry Andric ///
20010b57cec5SDimitry Andric ///       condition:
20020b57cec5SDimitry Andric ///         expression
20030b57cec5SDimitry Andric ///         type-specifier-seq declarator '=' assignment-expression
20040b57cec5SDimitry Andric /// [C++11] type-specifier-seq declarator '=' initializer-clause
20050b57cec5SDimitry Andric /// [C++11] type-specifier-seq declarator braced-init-list
20060b57cec5SDimitry Andric /// [Clang] type-specifier-seq ref-qualifier[opt] '[' identifier-list ']'
20070b57cec5SDimitry Andric ///             brace-or-equal-initializer
20080b57cec5SDimitry Andric /// [GNU]   type-specifier-seq declarator simple-asm-expr[opt] attributes[opt]
20090b57cec5SDimitry Andric ///             '=' assignment-expression
20100b57cec5SDimitry Andric ///
20110b57cec5SDimitry Andric /// In C++1z, a condition may in some contexts be preceded by an
20120b57cec5SDimitry Andric /// optional init-statement. This function will parse that too.
20130b57cec5SDimitry Andric ///
20140b57cec5SDimitry Andric /// \param InitStmt If non-null, an init-statement is permitted, and if present
20150b57cec5SDimitry Andric /// will be parsed and stored here.
20160b57cec5SDimitry Andric ///
20170b57cec5SDimitry Andric /// \param Loc The location of the start of the statement that requires this
20180b57cec5SDimitry Andric /// condition, e.g., the "for" in a for loop.
20190b57cec5SDimitry Andric ///
202004eeddc0SDimitry Andric /// \param MissingOK Whether an empty condition is acceptable here. Otherwise
202104eeddc0SDimitry Andric /// it is considered an error to be recovered from.
202204eeddc0SDimitry Andric ///
20230b57cec5SDimitry Andric /// \param FRI If non-null, a for range declaration is permitted, and if
20240b57cec5SDimitry Andric /// present will be parsed and stored here, and a null result will be returned.
20250b57cec5SDimitry Andric ///
2026fe6060f1SDimitry Andric /// \param EnterForConditionScope If true, enter a continue/break scope at the
2027fe6060f1SDimitry Andric /// appropriate moment for a 'for' loop.
2028fe6060f1SDimitry Andric ///
20290b57cec5SDimitry Andric /// \returns The parsed condition.
203004eeddc0SDimitry Andric Sema::ConditionResult
203104eeddc0SDimitry Andric Parser::ParseCXXCondition(StmtResult *InitStmt, SourceLocation Loc,
203204eeddc0SDimitry Andric                           Sema::ConditionKind CK, bool MissingOK,
203304eeddc0SDimitry Andric                           ForRangeInfo *FRI, bool EnterForConditionScope) {
2034fe6060f1SDimitry Andric   // Helper to ensure we always enter a continue/break scope if requested.
2035fe6060f1SDimitry Andric   struct ForConditionScopeRAII {
2036fe6060f1SDimitry Andric     Scope *S;
2037fe6060f1SDimitry Andric     void enter(bool IsConditionVariable) {
2038fe6060f1SDimitry Andric       if (S) {
2039fe6060f1SDimitry Andric         S->AddFlags(Scope::BreakScope | Scope::ContinueScope);
2040fe6060f1SDimitry Andric         S->setIsConditionVarScope(IsConditionVariable);
2041fe6060f1SDimitry Andric       }
2042fe6060f1SDimitry Andric     }
2043fe6060f1SDimitry Andric     ~ForConditionScopeRAII() {
2044fe6060f1SDimitry Andric       if (S)
2045fe6060f1SDimitry Andric         S->setIsConditionVarScope(false);
2046fe6060f1SDimitry Andric     }
2047fe6060f1SDimitry Andric   } ForConditionScope{EnterForConditionScope ? getCurScope() : nullptr};
2048fe6060f1SDimitry Andric 
20490b57cec5SDimitry Andric   ParenBraceBracketBalancer BalancerRAIIObj(*this);
20500b57cec5SDimitry Andric   PreferredType.enterCondition(Actions, Tok.getLocation());
20510b57cec5SDimitry Andric 
20520b57cec5SDimitry Andric   if (Tok.is(tok::code_completion)) {
20530b57cec5SDimitry Andric     cutOffParsing();
2054fe6060f1SDimitry Andric     Actions.CodeCompleteOrdinaryName(getCurScope(), Sema::PCC_Condition);
20550b57cec5SDimitry Andric     return Sema::ConditionError();
20560b57cec5SDimitry Andric   }
20570b57cec5SDimitry Andric 
205881ad6265SDimitry Andric   ParsedAttributes attrs(AttrFactory);
20590b57cec5SDimitry Andric   MaybeParseCXX11Attributes(attrs);
20600b57cec5SDimitry Andric 
20610b57cec5SDimitry Andric   const auto WarnOnInit = [this, &CK] {
20620b57cec5SDimitry Andric     Diag(Tok.getLocation(), getLangOpts().CPlusPlus17
20630b57cec5SDimitry Andric                                 ? diag::warn_cxx14_compat_init_statement
20640b57cec5SDimitry Andric                                 : diag::ext_init_statement)
20650b57cec5SDimitry Andric         << (CK == Sema::ConditionKind::Switch);
20660b57cec5SDimitry Andric   };
20670b57cec5SDimitry Andric 
20680b57cec5SDimitry Andric   // Determine what kind of thing we have.
20690b57cec5SDimitry Andric   switch (isCXXConditionDeclarationOrInitStatement(InitStmt, FRI)) {
20700b57cec5SDimitry Andric   case ConditionOrInitStatement::Expression: {
2071fe6060f1SDimitry Andric     // If this is a for loop, we're entering its condition.
2072fe6060f1SDimitry Andric     ForConditionScope.enter(/*IsConditionVariable=*/false);
2073fe6060f1SDimitry Andric 
20740b57cec5SDimitry Andric     ProhibitAttributes(attrs);
20750b57cec5SDimitry Andric 
20760b57cec5SDimitry Andric     // We can have an empty expression here.
20770b57cec5SDimitry Andric     //   if (; true);
20780b57cec5SDimitry Andric     if (InitStmt && Tok.is(tok::semi)) {
20790b57cec5SDimitry Andric       WarnOnInit();
20800b57cec5SDimitry Andric       SourceLocation SemiLoc = Tok.getLocation();
20810b57cec5SDimitry Andric       if (!Tok.hasLeadingEmptyMacro() && !SemiLoc.isMacroID()) {
20820b57cec5SDimitry Andric         Diag(SemiLoc, diag::warn_empty_init_statement)
20830b57cec5SDimitry Andric             << (CK == Sema::ConditionKind::Switch)
20840b57cec5SDimitry Andric             << FixItHint::CreateRemoval(SemiLoc);
20850b57cec5SDimitry Andric       }
20860b57cec5SDimitry Andric       ConsumeToken();
20870b57cec5SDimitry Andric       *InitStmt = Actions.ActOnNullStmt(SemiLoc);
208804eeddc0SDimitry Andric       return ParseCXXCondition(nullptr, Loc, CK, MissingOK);
20890b57cec5SDimitry Andric     }
20900b57cec5SDimitry Andric 
20910b57cec5SDimitry Andric     // Parse the expression.
20920b57cec5SDimitry Andric     ExprResult Expr = ParseExpression(); // expression
20930b57cec5SDimitry Andric     if (Expr.isInvalid())
20940b57cec5SDimitry Andric       return Sema::ConditionError();
20950b57cec5SDimitry Andric 
20960b57cec5SDimitry Andric     if (InitStmt && Tok.is(tok::semi)) {
20970b57cec5SDimitry Andric       WarnOnInit();
20980b57cec5SDimitry Andric       *InitStmt = Actions.ActOnExprStmt(Expr.get());
20990b57cec5SDimitry Andric       ConsumeToken();
210004eeddc0SDimitry Andric       return ParseCXXCondition(nullptr, Loc, CK, MissingOK);
21010b57cec5SDimitry Andric     }
21020b57cec5SDimitry Andric 
210304eeddc0SDimitry Andric     return Actions.ActOnCondition(getCurScope(), Loc, Expr.get(), CK,
210404eeddc0SDimitry Andric                                   MissingOK);
21050b57cec5SDimitry Andric   }
21060b57cec5SDimitry Andric 
21070b57cec5SDimitry Andric   case ConditionOrInitStatement::InitStmtDecl: {
21080b57cec5SDimitry Andric     WarnOnInit();
2109349cc55cSDimitry Andric     DeclGroupPtrTy DG;
21100b57cec5SDimitry Andric     SourceLocation DeclStart = Tok.getLocation(), DeclEnd;
2111349cc55cSDimitry Andric     if (Tok.is(tok::kw_using))
2112349cc55cSDimitry Andric       DG = ParseAliasDeclarationInInitStatement(
2113349cc55cSDimitry Andric           DeclaratorContext::SelectionInit, attrs);
211481ad6265SDimitry Andric     else {
211581ad6265SDimitry Andric       ParsedAttributes DeclSpecAttrs(AttrFactory);
2116349cc55cSDimitry Andric       DG = ParseSimpleDeclaration(DeclaratorContext::SelectionInit, DeclEnd,
211781ad6265SDimitry Andric                                   attrs, DeclSpecAttrs, /*RequireSemi=*/true);
211881ad6265SDimitry Andric     }
21190b57cec5SDimitry Andric     *InitStmt = Actions.ActOnDeclStmt(DG, DeclStart, DeclEnd);
212004eeddc0SDimitry Andric     return ParseCXXCondition(nullptr, Loc, CK, MissingOK);
21210b57cec5SDimitry Andric   }
21220b57cec5SDimitry Andric 
21230b57cec5SDimitry Andric   case ConditionOrInitStatement::ForRangeDecl: {
2124fe6060f1SDimitry Andric     // This is 'for (init-stmt; for-range-decl : range-expr)'.
2125fe6060f1SDimitry Andric     // We're not actually in a for loop yet, so 'break' and 'continue' aren't
2126fe6060f1SDimitry Andric     // permitted here.
21270b57cec5SDimitry Andric     assert(FRI && "should not parse a for range declaration here");
21280b57cec5SDimitry Andric     SourceLocation DeclStart = Tok.getLocation(), DeclEnd;
212981ad6265SDimitry Andric     ParsedAttributes DeclSpecAttrs(AttrFactory);
213081ad6265SDimitry Andric     DeclGroupPtrTy DG = ParseSimpleDeclaration(
213181ad6265SDimitry Andric         DeclaratorContext::ForInit, DeclEnd, attrs, DeclSpecAttrs, false, FRI);
21320b57cec5SDimitry Andric     FRI->LoopVar = Actions.ActOnDeclStmt(DG, DeclStart, Tok.getLocation());
21330b57cec5SDimitry Andric     return Sema::ConditionResult();
21340b57cec5SDimitry Andric   }
21350b57cec5SDimitry Andric 
21360b57cec5SDimitry Andric   case ConditionOrInitStatement::ConditionDecl:
21370b57cec5SDimitry Andric   case ConditionOrInitStatement::Error:
21380b57cec5SDimitry Andric     break;
21390b57cec5SDimitry Andric   }
21400b57cec5SDimitry Andric 
2141fe6060f1SDimitry Andric   // If this is a for loop, we're entering its condition.
2142fe6060f1SDimitry Andric   ForConditionScope.enter(/*IsConditionVariable=*/true);
2143fe6060f1SDimitry Andric 
21440b57cec5SDimitry Andric   // type-specifier-seq
21450b57cec5SDimitry Andric   DeclSpec DS(AttrFactory);
21460b57cec5SDimitry Andric   ParseSpecifierQualifierList(DS, AS_none, DeclSpecContext::DSC_condition);
21470b57cec5SDimitry Andric 
21480b57cec5SDimitry Andric   // declarator
214981ad6265SDimitry Andric   Declarator DeclaratorInfo(DS, attrs, DeclaratorContext::Condition);
21500b57cec5SDimitry Andric   ParseDeclarator(DeclaratorInfo);
21510b57cec5SDimitry Andric 
21520b57cec5SDimitry Andric   // simple-asm-expr[opt]
21530b57cec5SDimitry Andric   if (Tok.is(tok::kw_asm)) {
21540b57cec5SDimitry Andric     SourceLocation Loc;
2155480093f4SDimitry Andric     ExprResult AsmLabel(ParseSimpleAsm(/*ForAsmLabel*/ true, &Loc));
21560b57cec5SDimitry Andric     if (AsmLabel.isInvalid()) {
21570b57cec5SDimitry Andric       SkipUntil(tok::semi, StopAtSemi);
21580b57cec5SDimitry Andric       return Sema::ConditionError();
21590b57cec5SDimitry Andric     }
21600b57cec5SDimitry Andric     DeclaratorInfo.setAsmLabel(AsmLabel.get());
21610b57cec5SDimitry Andric     DeclaratorInfo.SetRangeEnd(Loc);
21620b57cec5SDimitry Andric   }
21630b57cec5SDimitry Andric 
21640b57cec5SDimitry Andric   // If attributes are present, parse them.
21650b57cec5SDimitry Andric   MaybeParseGNUAttributes(DeclaratorInfo);
21660b57cec5SDimitry Andric 
21670b57cec5SDimitry Andric   // Type-check the declaration itself.
21680b57cec5SDimitry Andric   DeclResult Dcl = Actions.ActOnCXXConditionDeclaration(getCurScope(),
21690b57cec5SDimitry Andric                                                         DeclaratorInfo);
21700b57cec5SDimitry Andric   if (Dcl.isInvalid())
21710b57cec5SDimitry Andric     return Sema::ConditionError();
21720b57cec5SDimitry Andric   Decl *DeclOut = Dcl.get();
21730b57cec5SDimitry Andric 
21740b57cec5SDimitry Andric   // '=' assignment-expression
21750b57cec5SDimitry Andric   // If a '==' or '+=' is found, suggest a fixit to '='.
21760b57cec5SDimitry Andric   bool CopyInitialization = isTokenEqualOrEqualTypo();
21770b57cec5SDimitry Andric   if (CopyInitialization)
21780b57cec5SDimitry Andric     ConsumeToken();
21790b57cec5SDimitry Andric 
21800b57cec5SDimitry Andric   ExprResult InitExpr = ExprError();
21810b57cec5SDimitry Andric   if (getLangOpts().CPlusPlus11 && Tok.is(tok::l_brace)) {
21820b57cec5SDimitry Andric     Diag(Tok.getLocation(),
21830b57cec5SDimitry Andric          diag::warn_cxx98_compat_generalized_initializer_lists);
21840b57cec5SDimitry Andric     InitExpr = ParseBraceInitializer();
21850b57cec5SDimitry Andric   } else if (CopyInitialization) {
21860b57cec5SDimitry Andric     PreferredType.enterVariableInit(Tok.getLocation(), DeclOut);
21870b57cec5SDimitry Andric     InitExpr = ParseAssignmentExpression();
21880b57cec5SDimitry Andric   } else if (Tok.is(tok::l_paren)) {
21890b57cec5SDimitry Andric     // This was probably an attempt to initialize the variable.
21900b57cec5SDimitry Andric     SourceLocation LParen = ConsumeParen(), RParen = LParen;
21910b57cec5SDimitry Andric     if (SkipUntil(tok::r_paren, StopAtSemi | StopBeforeMatch))
21920b57cec5SDimitry Andric       RParen = ConsumeParen();
21930b57cec5SDimitry Andric     Diag(DeclOut->getLocation(),
21940b57cec5SDimitry Andric          diag::err_expected_init_in_condition_lparen)
21950b57cec5SDimitry Andric       << SourceRange(LParen, RParen);
21960b57cec5SDimitry Andric   } else {
21970b57cec5SDimitry Andric     Diag(DeclOut->getLocation(), diag::err_expected_init_in_condition);
21980b57cec5SDimitry Andric   }
21990b57cec5SDimitry Andric 
22000b57cec5SDimitry Andric   if (!InitExpr.isInvalid())
22010b57cec5SDimitry Andric     Actions.AddInitializerToDecl(DeclOut, InitExpr.get(), !CopyInitialization);
22020b57cec5SDimitry Andric   else
22030b57cec5SDimitry Andric     Actions.ActOnInitializerError(DeclOut);
22040b57cec5SDimitry Andric 
22050b57cec5SDimitry Andric   Actions.FinalizeDeclaration(DeclOut);
22060b57cec5SDimitry Andric   return Actions.ActOnConditionVariable(DeclOut, Loc, CK);
22070b57cec5SDimitry Andric }
22080b57cec5SDimitry Andric 
22090b57cec5SDimitry Andric /// ParseCXXSimpleTypeSpecifier - [C++ 7.1.5.2] Simple type specifiers.
22100b57cec5SDimitry Andric /// This should only be called when the current token is known to be part of
22110b57cec5SDimitry Andric /// simple-type-specifier.
22120b57cec5SDimitry Andric ///
22130b57cec5SDimitry Andric ///       simple-type-specifier:
22140b57cec5SDimitry Andric ///         '::'[opt] nested-name-specifier[opt] type-name
22150b57cec5SDimitry Andric ///         '::'[opt] nested-name-specifier 'template' simple-template-id [TODO]
22160b57cec5SDimitry Andric ///         char
22170b57cec5SDimitry Andric ///         wchar_t
22180b57cec5SDimitry Andric ///         bool
22190b57cec5SDimitry Andric ///         short
22200b57cec5SDimitry Andric ///         int
22210b57cec5SDimitry Andric ///         long
22220b57cec5SDimitry Andric ///         signed
22230b57cec5SDimitry Andric ///         unsigned
22240b57cec5SDimitry Andric ///         float
22250b57cec5SDimitry Andric ///         double
22260b57cec5SDimitry Andric ///         void
22270b57cec5SDimitry Andric /// [GNU]   typeof-specifier
22280b57cec5SDimitry Andric /// [C++0x] auto               [TODO]
22290b57cec5SDimitry Andric ///
22300b57cec5SDimitry Andric ///       type-name:
22310b57cec5SDimitry Andric ///         class-name
22320b57cec5SDimitry Andric ///         enum-name
22330b57cec5SDimitry Andric ///         typedef-name
22340b57cec5SDimitry Andric ///
22350b57cec5SDimitry Andric void Parser::ParseCXXSimpleTypeSpecifier(DeclSpec &DS) {
22360b57cec5SDimitry Andric   DS.SetRangeStart(Tok.getLocation());
22370b57cec5SDimitry Andric   const char *PrevSpec;
22380b57cec5SDimitry Andric   unsigned DiagID;
22390b57cec5SDimitry Andric   SourceLocation Loc = Tok.getLocation();
22400b57cec5SDimitry Andric   const clang::PrintingPolicy &Policy =
22410b57cec5SDimitry Andric       Actions.getASTContext().getPrintingPolicy();
22420b57cec5SDimitry Andric 
22430b57cec5SDimitry Andric   switch (Tok.getKind()) {
22440b57cec5SDimitry Andric   case tok::identifier:   // foo::bar
22450b57cec5SDimitry Andric   case tok::coloncolon:   // ::foo::bar
22460b57cec5SDimitry Andric     llvm_unreachable("Annotation token should already be formed!");
22470b57cec5SDimitry Andric   default:
22480b57cec5SDimitry Andric     llvm_unreachable("Not a simple-type-specifier token!");
22490b57cec5SDimitry Andric 
22500b57cec5SDimitry Andric   // type-name
22510b57cec5SDimitry Andric   case tok::annot_typename: {
22520b57cec5SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_typename, Loc, PrevSpec, DiagID,
22530b57cec5SDimitry Andric                        getTypeAnnotation(Tok), Policy);
22540b57cec5SDimitry Andric     DS.SetRangeEnd(Tok.getAnnotationEndLoc());
22550b57cec5SDimitry Andric     ConsumeAnnotationToken();
22560b57cec5SDimitry Andric 
22570b57cec5SDimitry Andric     DS.Finish(Actions, Policy);
22580b57cec5SDimitry Andric     return;
22590b57cec5SDimitry Andric   }
22600b57cec5SDimitry Andric 
22610eae32dcSDimitry Andric   case tok::kw__ExtInt:
22620eae32dcSDimitry Andric   case tok::kw__BitInt: {
22630eae32dcSDimitry Andric     DiagnoseBitIntUse(Tok);
22645ffd83dbSDimitry Andric     ExprResult ER = ParseExtIntegerArgument();
22655ffd83dbSDimitry Andric     if (ER.isInvalid())
22665ffd83dbSDimitry Andric       DS.SetTypeSpecError();
22675ffd83dbSDimitry Andric     else
22680eae32dcSDimitry Andric       DS.SetBitIntType(Loc, ER.get(), PrevSpec, DiagID, Policy);
22695ffd83dbSDimitry Andric 
22705ffd83dbSDimitry Andric     // Do this here because we have already consumed the close paren.
22715ffd83dbSDimitry Andric     DS.SetRangeEnd(PrevTokLocation);
22725ffd83dbSDimitry Andric     DS.Finish(Actions, Policy);
22735ffd83dbSDimitry Andric     return;
22745ffd83dbSDimitry Andric   }
22755ffd83dbSDimitry Andric 
22760b57cec5SDimitry Andric   // builtin types
22770b57cec5SDimitry Andric   case tok::kw_short:
2278e8d8bef9SDimitry Andric     DS.SetTypeSpecWidth(TypeSpecifierWidth::Short, Loc, PrevSpec, DiagID,
2279e8d8bef9SDimitry Andric                         Policy);
22800b57cec5SDimitry Andric     break;
22810b57cec5SDimitry Andric   case tok::kw_long:
2282e8d8bef9SDimitry Andric     DS.SetTypeSpecWidth(TypeSpecifierWidth::Long, Loc, PrevSpec, DiagID,
2283e8d8bef9SDimitry Andric                         Policy);
22840b57cec5SDimitry Andric     break;
22850b57cec5SDimitry Andric   case tok::kw___int64:
2286e8d8bef9SDimitry Andric     DS.SetTypeSpecWidth(TypeSpecifierWidth::LongLong, Loc, PrevSpec, DiagID,
2287e8d8bef9SDimitry Andric                         Policy);
22880b57cec5SDimitry Andric     break;
22890b57cec5SDimitry Andric   case tok::kw_signed:
2290e8d8bef9SDimitry Andric     DS.SetTypeSpecSign(TypeSpecifierSign::Signed, Loc, PrevSpec, DiagID);
22910b57cec5SDimitry Andric     break;
22920b57cec5SDimitry Andric   case tok::kw_unsigned:
2293e8d8bef9SDimitry Andric     DS.SetTypeSpecSign(TypeSpecifierSign::Unsigned, Loc, PrevSpec, DiagID);
22940b57cec5SDimitry Andric     break;
22950b57cec5SDimitry Andric   case tok::kw_void:
22960b57cec5SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_void, Loc, PrevSpec, DiagID, Policy);
22970b57cec5SDimitry Andric     break;
229881ad6265SDimitry Andric   case tok::kw_auto:
229981ad6265SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_auto, Loc, PrevSpec, DiagID, Policy);
230081ad6265SDimitry Andric     break;
23010b57cec5SDimitry Andric   case tok::kw_char:
23020b57cec5SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_char, Loc, PrevSpec, DiagID, Policy);
23030b57cec5SDimitry Andric     break;
23040b57cec5SDimitry Andric   case tok::kw_int:
23050b57cec5SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_int, Loc, PrevSpec, DiagID, Policy);
23060b57cec5SDimitry Andric     break;
23070b57cec5SDimitry Andric   case tok::kw___int128:
23080b57cec5SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_int128, Loc, PrevSpec, DiagID, Policy);
23090b57cec5SDimitry Andric     break;
23105ffd83dbSDimitry Andric   case tok::kw___bf16:
23115ffd83dbSDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_BFloat16, Loc, PrevSpec, DiagID, Policy);
23125ffd83dbSDimitry Andric     break;
23130b57cec5SDimitry Andric   case tok::kw_half:
23140b57cec5SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_half, Loc, PrevSpec, DiagID, Policy);
23150b57cec5SDimitry Andric     break;
23160b57cec5SDimitry Andric   case tok::kw_float:
23170b57cec5SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_float, Loc, PrevSpec, DiagID, Policy);
23180b57cec5SDimitry Andric     break;
23190b57cec5SDimitry Andric   case tok::kw_double:
23200b57cec5SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_double, Loc, PrevSpec, DiagID, Policy);
23210b57cec5SDimitry Andric     break;
23220b57cec5SDimitry Andric   case tok::kw__Float16:
23230b57cec5SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_float16, Loc, PrevSpec, DiagID, Policy);
23240b57cec5SDimitry Andric     break;
23250b57cec5SDimitry Andric   case tok::kw___float128:
23260b57cec5SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_float128, Loc, PrevSpec, DiagID, Policy);
23270b57cec5SDimitry Andric     break;
2328349cc55cSDimitry Andric   case tok::kw___ibm128:
2329349cc55cSDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_ibm128, Loc, PrevSpec, DiagID, Policy);
2330349cc55cSDimitry Andric     break;
23310b57cec5SDimitry Andric   case tok::kw_wchar_t:
23320b57cec5SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_wchar, Loc, PrevSpec, DiagID, Policy);
23330b57cec5SDimitry Andric     break;
23340b57cec5SDimitry Andric   case tok::kw_char8_t:
23350b57cec5SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_char8, Loc, PrevSpec, DiagID, Policy);
23360b57cec5SDimitry Andric     break;
23370b57cec5SDimitry Andric   case tok::kw_char16_t:
23380b57cec5SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_char16, Loc, PrevSpec, DiagID, Policy);
23390b57cec5SDimitry Andric     break;
23400b57cec5SDimitry Andric   case tok::kw_char32_t:
23410b57cec5SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_char32, Loc, PrevSpec, DiagID, Policy);
23420b57cec5SDimitry Andric     break;
23430b57cec5SDimitry Andric   case tok::kw_bool:
23440b57cec5SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_bool, Loc, PrevSpec, DiagID, Policy);
23450b57cec5SDimitry Andric     break;
23465f757f3fSDimitry Andric   case tok::kw__Accum:
23475f757f3fSDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_accum, Loc, PrevSpec, DiagID, Policy);
23485f757f3fSDimitry Andric     break;
23495f757f3fSDimitry Andric   case tok::kw__Fract:
23505f757f3fSDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_fract, Loc, PrevSpec, DiagID, Policy);
23515f757f3fSDimitry Andric     break;
23525f757f3fSDimitry Andric   case tok::kw__Sat:
23535f757f3fSDimitry Andric     DS.SetTypeSpecSat(Loc, PrevSpec, DiagID);
23545f757f3fSDimitry Andric     break;
23550b57cec5SDimitry Andric #define GENERIC_IMAGE_TYPE(ImgType, Id)                                        \
23560b57cec5SDimitry Andric   case tok::kw_##ImgType##_t:                                                  \
23570b57cec5SDimitry Andric     DS.SetTypeSpecType(DeclSpec::TST_##ImgType##_t, Loc, PrevSpec, DiagID,     \
23580b57cec5SDimitry Andric                        Policy);                                                \
23590b57cec5SDimitry Andric     break;
23600b57cec5SDimitry Andric #include "clang/Basic/OpenCLImageTypes.def"
23610b57cec5SDimitry Andric 
23620b57cec5SDimitry Andric   case tok::annot_decltype:
23630b57cec5SDimitry Andric   case tok::kw_decltype:
23640b57cec5SDimitry Andric     DS.SetRangeEnd(ParseDecltypeSpecifier(DS));
23650b57cec5SDimitry Andric     return DS.Finish(Actions, Policy);
23660b57cec5SDimitry Andric 
23670b57cec5SDimitry Andric   // GNU typeof support.
23680b57cec5SDimitry Andric   case tok::kw_typeof:
23690b57cec5SDimitry Andric     ParseTypeofSpecifier(DS);
23700b57cec5SDimitry Andric     DS.Finish(Actions, Policy);
23710b57cec5SDimitry Andric     return;
23720b57cec5SDimitry Andric   }
23730b57cec5SDimitry Andric   ConsumeAnyToken();
23740b57cec5SDimitry Andric   DS.SetRangeEnd(PrevTokLocation);
23750b57cec5SDimitry Andric   DS.Finish(Actions, Policy);
23760b57cec5SDimitry Andric }
23770b57cec5SDimitry Andric 
23780b57cec5SDimitry Andric /// ParseCXXTypeSpecifierSeq - Parse a C++ type-specifier-seq (C++
23790b57cec5SDimitry Andric /// [dcl.name]), which is a non-empty sequence of type-specifiers,
23800b57cec5SDimitry Andric /// e.g., "const short int". Note that the DeclSpec is *not* finished
23810b57cec5SDimitry Andric /// by parsing the type-specifier-seq, because these sequences are
23820b57cec5SDimitry Andric /// typically followed by some form of declarator. Returns true and
23830b57cec5SDimitry Andric /// emits diagnostics if this is not a type-specifier-seq, false
23840b57cec5SDimitry Andric /// otherwise.
23850b57cec5SDimitry Andric ///
23860b57cec5SDimitry Andric ///   type-specifier-seq: [C++ 8.1]
23870b57cec5SDimitry Andric ///     type-specifier type-specifier-seq[opt]
23880b57cec5SDimitry Andric ///
2389bdd1243dSDimitry Andric bool Parser::ParseCXXTypeSpecifierSeq(DeclSpec &DS, DeclaratorContext Context) {
2390bdd1243dSDimitry Andric   ParseSpecifierQualifierList(DS, AS_none,
2391bdd1243dSDimitry Andric                               getDeclSpecContextFromDeclaratorContext(Context));
23920b57cec5SDimitry Andric   DS.Finish(Actions, Actions.getASTContext().getPrintingPolicy());
23930b57cec5SDimitry Andric   return false;
23940b57cec5SDimitry Andric }
23950b57cec5SDimitry Andric 
23960b57cec5SDimitry Andric /// Finish parsing a C++ unqualified-id that is a template-id of
23970b57cec5SDimitry Andric /// some form.
23980b57cec5SDimitry Andric ///
23990b57cec5SDimitry Andric /// This routine is invoked when a '<' is encountered after an identifier or
24000b57cec5SDimitry Andric /// operator-function-id is parsed by \c ParseUnqualifiedId() to determine
24010b57cec5SDimitry Andric /// whether the unqualified-id is actually a template-id. This routine will
24020b57cec5SDimitry Andric /// then parse the template arguments and form the appropriate template-id to
24030b57cec5SDimitry Andric /// return to the caller.
24040b57cec5SDimitry Andric ///
24050b57cec5SDimitry Andric /// \param SS the nested-name-specifier that precedes this template-id, if
24060b57cec5SDimitry Andric /// we're actually parsing a qualified-id.
24070b57cec5SDimitry Andric ///
24085ffd83dbSDimitry Andric /// \param ObjectType if this unqualified-id occurs within a member access
24095ffd83dbSDimitry Andric /// expression, the type of the base object whose member is being accessed.
24105ffd83dbSDimitry Andric ///
24115ffd83dbSDimitry Andric /// \param ObjectHadErrors this unqualified-id occurs within a member access
24125ffd83dbSDimitry Andric /// expression, indicates whether the original subexpressions had any errors.
24135ffd83dbSDimitry Andric ///
24140b57cec5SDimitry Andric /// \param Name for constructor and destructor names, this is the actual
24150b57cec5SDimitry Andric /// identifier that may be a template-name.
24160b57cec5SDimitry Andric ///
24170b57cec5SDimitry Andric /// \param NameLoc the location of the class-name in a constructor or
24180b57cec5SDimitry Andric /// destructor.
24190b57cec5SDimitry Andric ///
24200b57cec5SDimitry Andric /// \param EnteringContext whether we're entering the scope of the
24210b57cec5SDimitry Andric /// nested-name-specifier.
24220b57cec5SDimitry Andric ///
24230b57cec5SDimitry Andric /// \param Id as input, describes the template-name or operator-function-id
24240b57cec5SDimitry Andric /// that precedes the '<'. If template arguments were parsed successfully,
24250b57cec5SDimitry Andric /// will be updated with the template-id.
24260b57cec5SDimitry Andric ///
24270b57cec5SDimitry Andric /// \param AssumeTemplateId When true, this routine will assume that the name
24280b57cec5SDimitry Andric /// refers to a template without performing name lookup to verify.
24290b57cec5SDimitry Andric ///
24300b57cec5SDimitry Andric /// \returns true if a parse error occurred, false otherwise.
24315ffd83dbSDimitry Andric bool Parser::ParseUnqualifiedIdTemplateId(
24325ffd83dbSDimitry Andric     CXXScopeSpec &SS, ParsedType ObjectType, bool ObjectHadErrors,
24335ffd83dbSDimitry Andric     SourceLocation TemplateKWLoc, IdentifierInfo *Name, SourceLocation NameLoc,
24345ffd83dbSDimitry Andric     bool EnteringContext, UnqualifiedId &Id, bool AssumeTemplateId) {
24350b57cec5SDimitry Andric   assert(Tok.is(tok::less) && "Expected '<' to finish parsing a template-id");
24360b57cec5SDimitry Andric 
24370b57cec5SDimitry Andric   TemplateTy Template;
24380b57cec5SDimitry Andric   TemplateNameKind TNK = TNK_Non_template;
24390b57cec5SDimitry Andric   switch (Id.getKind()) {
24400b57cec5SDimitry Andric   case UnqualifiedIdKind::IK_Identifier:
24410b57cec5SDimitry Andric   case UnqualifiedIdKind::IK_OperatorFunctionId:
24420b57cec5SDimitry Andric   case UnqualifiedIdKind::IK_LiteralOperatorId:
24430b57cec5SDimitry Andric     if (AssumeTemplateId) {
24440b57cec5SDimitry Andric       // We defer the injected-class-name checks until we've found whether
24450b57cec5SDimitry Andric       // this template-id is used to form a nested-name-specifier or not.
24465ffd83dbSDimitry Andric       TNK = Actions.ActOnTemplateName(getCurScope(), SS, TemplateKWLoc, Id,
24475ffd83dbSDimitry Andric                                       ObjectType, EnteringContext, Template,
24485ffd83dbSDimitry Andric                                       /*AllowInjectedClassName*/ true);
24490b57cec5SDimitry Andric     } else {
24500b57cec5SDimitry Andric       bool MemberOfUnknownSpecialization;
24510b57cec5SDimitry Andric       TNK = Actions.isTemplateName(getCurScope(), SS,
24520b57cec5SDimitry Andric                                    TemplateKWLoc.isValid(), Id,
24530b57cec5SDimitry Andric                                    ObjectType, EnteringContext, Template,
24540b57cec5SDimitry Andric                                    MemberOfUnknownSpecialization);
24550b57cec5SDimitry Andric       // If lookup found nothing but we're assuming that this is a template
24560b57cec5SDimitry Andric       // name, double-check that makes sense syntactically before committing
24570b57cec5SDimitry Andric       // to it.
24580b57cec5SDimitry Andric       if (TNK == TNK_Undeclared_template &&
24590b57cec5SDimitry Andric           isTemplateArgumentList(0) == TPResult::False)
24600b57cec5SDimitry Andric         return false;
24610b57cec5SDimitry Andric 
24620b57cec5SDimitry Andric       if (TNK == TNK_Non_template && MemberOfUnknownSpecialization &&
24630b57cec5SDimitry Andric           ObjectType && isTemplateArgumentList(0) == TPResult::True) {
24645ffd83dbSDimitry Andric         // If we had errors before, ObjectType can be dependent even without any
24655ffd83dbSDimitry Andric         // templates, do not report missing template keyword in that case.
24665ffd83dbSDimitry Andric         if (!ObjectHadErrors) {
24670b57cec5SDimitry Andric           // We have something like t->getAs<T>(), where getAs is a
24680b57cec5SDimitry Andric           // member of an unknown specialization. However, this will only
24690b57cec5SDimitry Andric           // parse correctly as a template, so suggest the keyword 'template'
24700b57cec5SDimitry Andric           // before 'getAs' and treat this as a dependent template name.
24710b57cec5SDimitry Andric           std::string Name;
24720b57cec5SDimitry Andric           if (Id.getKind() == UnqualifiedIdKind::IK_Identifier)
24735ffd83dbSDimitry Andric             Name = std::string(Id.Identifier->getName());
24740b57cec5SDimitry Andric           else {
24750b57cec5SDimitry Andric             Name = "operator ";
24760b57cec5SDimitry Andric             if (Id.getKind() == UnqualifiedIdKind::IK_OperatorFunctionId)
24770b57cec5SDimitry Andric               Name += getOperatorSpelling(Id.OperatorFunctionId.Operator);
24780b57cec5SDimitry Andric             else
24790b57cec5SDimitry Andric               Name += Id.Identifier->getName();
24800b57cec5SDimitry Andric           }
24810b57cec5SDimitry Andric           Diag(Id.StartLocation, diag::err_missing_dependent_template_keyword)
24820b57cec5SDimitry Andric               << Name
24830b57cec5SDimitry Andric               << FixItHint::CreateInsertion(Id.StartLocation, "template ");
24845ffd83dbSDimitry Andric         }
24855ffd83dbSDimitry Andric         TNK = Actions.ActOnTemplateName(
24860b57cec5SDimitry Andric             getCurScope(), SS, TemplateKWLoc, Id, ObjectType, EnteringContext,
24870b57cec5SDimitry Andric             Template, /*AllowInjectedClassName*/ true);
24885ffd83dbSDimitry Andric       } else if (TNK == TNK_Non_template) {
24895ffd83dbSDimitry Andric         return false;
24900b57cec5SDimitry Andric       }
24910b57cec5SDimitry Andric     }
24920b57cec5SDimitry Andric     break;
24930b57cec5SDimitry Andric 
24940b57cec5SDimitry Andric   case UnqualifiedIdKind::IK_ConstructorName: {
24950b57cec5SDimitry Andric     UnqualifiedId TemplateName;
24960b57cec5SDimitry Andric     bool MemberOfUnknownSpecialization;
24970b57cec5SDimitry Andric     TemplateName.setIdentifier(Name, NameLoc);
24980b57cec5SDimitry Andric     TNK = Actions.isTemplateName(getCurScope(), SS, TemplateKWLoc.isValid(),
24990b57cec5SDimitry Andric                                  TemplateName, ObjectType,
25000b57cec5SDimitry Andric                                  EnteringContext, Template,
25010b57cec5SDimitry Andric                                  MemberOfUnknownSpecialization);
25025ffd83dbSDimitry Andric     if (TNK == TNK_Non_template)
25035ffd83dbSDimitry Andric       return false;
25040b57cec5SDimitry Andric     break;
25050b57cec5SDimitry Andric   }
25060b57cec5SDimitry Andric 
25070b57cec5SDimitry Andric   case UnqualifiedIdKind::IK_DestructorName: {
25080b57cec5SDimitry Andric     UnqualifiedId TemplateName;
25090b57cec5SDimitry Andric     bool MemberOfUnknownSpecialization;
25100b57cec5SDimitry Andric     TemplateName.setIdentifier(Name, NameLoc);
25110b57cec5SDimitry Andric     if (ObjectType) {
25125ffd83dbSDimitry Andric       TNK = Actions.ActOnTemplateName(
25130b57cec5SDimitry Andric           getCurScope(), SS, TemplateKWLoc, TemplateName, ObjectType,
25140b57cec5SDimitry Andric           EnteringContext, Template, /*AllowInjectedClassName*/ true);
25150b57cec5SDimitry Andric     } else {
25160b57cec5SDimitry Andric       TNK = Actions.isTemplateName(getCurScope(), SS, TemplateKWLoc.isValid(),
25170b57cec5SDimitry Andric                                    TemplateName, ObjectType,
25180b57cec5SDimitry Andric                                    EnteringContext, Template,
25190b57cec5SDimitry Andric                                    MemberOfUnknownSpecialization);
25200b57cec5SDimitry Andric 
25210b57cec5SDimitry Andric       if (TNK == TNK_Non_template && !Id.DestructorName.get()) {
25220b57cec5SDimitry Andric         Diag(NameLoc, diag::err_destructor_template_id)
25230b57cec5SDimitry Andric           << Name << SS.getRange();
25245ffd83dbSDimitry Andric         // Carry on to parse the template arguments before bailing out.
25250b57cec5SDimitry Andric       }
25260b57cec5SDimitry Andric     }
25270b57cec5SDimitry Andric     break;
25280b57cec5SDimitry Andric   }
25290b57cec5SDimitry Andric 
25300b57cec5SDimitry Andric   default:
25310b57cec5SDimitry Andric     return false;
25320b57cec5SDimitry Andric   }
25330b57cec5SDimitry Andric 
25340b57cec5SDimitry Andric   // Parse the enclosed template argument list.
25350b57cec5SDimitry Andric   SourceLocation LAngleLoc, RAngleLoc;
25360b57cec5SDimitry Andric   TemplateArgList TemplateArgs;
253704eeddc0SDimitry Andric   if (ParseTemplateIdAfterTemplateName(true, LAngleLoc, TemplateArgs, RAngleLoc,
253804eeddc0SDimitry Andric                                        Template))
25390b57cec5SDimitry Andric     return true;
25400b57cec5SDimitry Andric 
25415ffd83dbSDimitry Andric   // If this is a non-template, we already issued a diagnostic.
25425ffd83dbSDimitry Andric   if (TNK == TNK_Non_template)
25435ffd83dbSDimitry Andric     return true;
25445ffd83dbSDimitry Andric 
25450b57cec5SDimitry Andric   if (Id.getKind() == UnqualifiedIdKind::IK_Identifier ||
25460b57cec5SDimitry Andric       Id.getKind() == UnqualifiedIdKind::IK_OperatorFunctionId ||
25470b57cec5SDimitry Andric       Id.getKind() == UnqualifiedIdKind::IK_LiteralOperatorId) {
25480b57cec5SDimitry Andric     // Form a parsed representation of the template-id to be stored in the
25490b57cec5SDimitry Andric     // UnqualifiedId.
25500b57cec5SDimitry Andric 
25510b57cec5SDimitry Andric     // FIXME: Store name for literal operator too.
25520b57cec5SDimitry Andric     IdentifierInfo *TemplateII =
25530b57cec5SDimitry Andric         Id.getKind() == UnqualifiedIdKind::IK_Identifier ? Id.Identifier
25540b57cec5SDimitry Andric                                                          : nullptr;
25550b57cec5SDimitry Andric     OverloadedOperatorKind OpKind =
25560b57cec5SDimitry Andric         Id.getKind() == UnqualifiedIdKind::IK_Identifier
25570b57cec5SDimitry Andric             ? OO_None
25580b57cec5SDimitry Andric             : Id.OperatorFunctionId.Operator;
25590b57cec5SDimitry Andric 
25600b57cec5SDimitry Andric     TemplateIdAnnotation *TemplateId = TemplateIdAnnotation::Create(
256155e4f9d5SDimitry Andric         TemplateKWLoc, Id.StartLocation, TemplateII, OpKind, Template, TNK,
25625ffd83dbSDimitry Andric         LAngleLoc, RAngleLoc, TemplateArgs, /*ArgsInvalid*/false, TemplateIds);
25630b57cec5SDimitry Andric 
25640b57cec5SDimitry Andric     Id.setTemplateId(TemplateId);
25650b57cec5SDimitry Andric     return false;
25660b57cec5SDimitry Andric   }
25670b57cec5SDimitry Andric 
25680b57cec5SDimitry Andric   // Bundle the template arguments together.
25690b57cec5SDimitry Andric   ASTTemplateArgsPtr TemplateArgsPtr(TemplateArgs);
25700b57cec5SDimitry Andric 
25710b57cec5SDimitry Andric   // Constructor and destructor names.
25720b57cec5SDimitry Andric   TypeResult Type = Actions.ActOnTemplateIdType(
25730b57cec5SDimitry Andric       getCurScope(), SS, TemplateKWLoc, Template, Name, NameLoc, LAngleLoc,
25740b57cec5SDimitry Andric       TemplateArgsPtr, RAngleLoc, /*IsCtorOrDtorName=*/true);
25750b57cec5SDimitry Andric   if (Type.isInvalid())
25760b57cec5SDimitry Andric     return true;
25770b57cec5SDimitry Andric 
25780b57cec5SDimitry Andric   if (Id.getKind() == UnqualifiedIdKind::IK_ConstructorName)
25790b57cec5SDimitry Andric     Id.setConstructorName(Type.get(), NameLoc, RAngleLoc);
25800b57cec5SDimitry Andric   else
25810b57cec5SDimitry Andric     Id.setDestructorName(Id.StartLocation, Type.get(), RAngleLoc);
25820b57cec5SDimitry Andric 
25830b57cec5SDimitry Andric   return false;
25840b57cec5SDimitry Andric }
25850b57cec5SDimitry Andric 
25860b57cec5SDimitry Andric /// Parse an operator-function-id or conversion-function-id as part
25870b57cec5SDimitry Andric /// of a C++ unqualified-id.
25880b57cec5SDimitry Andric ///
25890b57cec5SDimitry Andric /// This routine is responsible only for parsing the operator-function-id or
25900b57cec5SDimitry Andric /// conversion-function-id; it does not handle template arguments in any way.
25910b57cec5SDimitry Andric ///
25920b57cec5SDimitry Andric /// \code
25930b57cec5SDimitry Andric ///       operator-function-id: [C++ 13.5]
25940b57cec5SDimitry Andric ///         'operator' operator
25950b57cec5SDimitry Andric ///
25960b57cec5SDimitry Andric ///       operator: one of
25970b57cec5SDimitry Andric ///            new   delete  new[]   delete[]
25980b57cec5SDimitry Andric ///            +     -    *  /    %  ^    &   |   ~
25990b57cec5SDimitry Andric ///            !     =    <  >    += -=   *=  /=  %=
26000b57cec5SDimitry Andric ///            ^=    &=   |= <<   >> >>= <<=  ==  !=
26010b57cec5SDimitry Andric ///            <=    >=   && ||   ++ --   ,   ->* ->
26020b57cec5SDimitry Andric ///            ()    []   <=>
26030b57cec5SDimitry Andric ///
26040b57cec5SDimitry Andric ///       conversion-function-id: [C++ 12.3.2]
26050b57cec5SDimitry Andric ///         operator conversion-type-id
26060b57cec5SDimitry Andric ///
26070b57cec5SDimitry Andric ///       conversion-type-id:
26080b57cec5SDimitry Andric ///         type-specifier-seq conversion-declarator[opt]
26090b57cec5SDimitry Andric ///
26100b57cec5SDimitry Andric ///       conversion-declarator:
26110b57cec5SDimitry Andric ///         ptr-operator conversion-declarator[opt]
26120b57cec5SDimitry Andric /// \endcode
26130b57cec5SDimitry Andric ///
26140b57cec5SDimitry Andric /// \param SS The nested-name-specifier that preceded this unqualified-id. If
26150b57cec5SDimitry Andric /// non-empty, then we are parsing the unqualified-id of a qualified-id.
26160b57cec5SDimitry Andric ///
26170b57cec5SDimitry Andric /// \param EnteringContext whether we are entering the scope of the
26180b57cec5SDimitry Andric /// nested-name-specifier.
26190b57cec5SDimitry Andric ///
26200b57cec5SDimitry Andric /// \param ObjectType if this unqualified-id occurs within a member access
26210b57cec5SDimitry Andric /// expression, the type of the base object whose member is being accessed.
26220b57cec5SDimitry Andric ///
26230b57cec5SDimitry Andric /// \param Result on a successful parse, contains the parsed unqualified-id.
26240b57cec5SDimitry Andric ///
26250b57cec5SDimitry Andric /// \returns true if parsing fails, false otherwise.
26260b57cec5SDimitry Andric bool Parser::ParseUnqualifiedIdOperator(CXXScopeSpec &SS, bool EnteringContext,
26270b57cec5SDimitry Andric                                         ParsedType ObjectType,
26280b57cec5SDimitry Andric                                         UnqualifiedId &Result) {
26290b57cec5SDimitry Andric   assert(Tok.is(tok::kw_operator) && "Expected 'operator' keyword");
26300b57cec5SDimitry Andric 
26310b57cec5SDimitry Andric   // Consume the 'operator' keyword.
26320b57cec5SDimitry Andric   SourceLocation KeywordLoc = ConsumeToken();
26330b57cec5SDimitry Andric 
26340b57cec5SDimitry Andric   // Determine what kind of operator name we have.
26350b57cec5SDimitry Andric   unsigned SymbolIdx = 0;
26360b57cec5SDimitry Andric   SourceLocation SymbolLocations[3];
26370b57cec5SDimitry Andric   OverloadedOperatorKind Op = OO_None;
26380b57cec5SDimitry Andric   switch (Tok.getKind()) {
26390b57cec5SDimitry Andric     case tok::kw_new:
26400b57cec5SDimitry Andric     case tok::kw_delete: {
26410b57cec5SDimitry Andric       bool isNew = Tok.getKind() == tok::kw_new;
26420b57cec5SDimitry Andric       // Consume the 'new' or 'delete'.
26430b57cec5SDimitry Andric       SymbolLocations[SymbolIdx++] = ConsumeToken();
26440b57cec5SDimitry Andric       // Check for array new/delete.
26450b57cec5SDimitry Andric       if (Tok.is(tok::l_square) &&
26460b57cec5SDimitry Andric           (!getLangOpts().CPlusPlus11 || NextToken().isNot(tok::l_square))) {
26470b57cec5SDimitry Andric         // Consume the '[' and ']'.
26480b57cec5SDimitry Andric         BalancedDelimiterTracker T(*this, tok::l_square);
26490b57cec5SDimitry Andric         T.consumeOpen();
26500b57cec5SDimitry Andric         T.consumeClose();
26510b57cec5SDimitry Andric         if (T.getCloseLocation().isInvalid())
26520b57cec5SDimitry Andric           return true;
26530b57cec5SDimitry Andric 
26540b57cec5SDimitry Andric         SymbolLocations[SymbolIdx++] = T.getOpenLocation();
26550b57cec5SDimitry Andric         SymbolLocations[SymbolIdx++] = T.getCloseLocation();
26560b57cec5SDimitry Andric         Op = isNew? OO_Array_New : OO_Array_Delete;
26570b57cec5SDimitry Andric       } else {
26580b57cec5SDimitry Andric         Op = isNew? OO_New : OO_Delete;
26590b57cec5SDimitry Andric       }
26600b57cec5SDimitry Andric       break;
26610b57cec5SDimitry Andric     }
26620b57cec5SDimitry Andric 
26630b57cec5SDimitry Andric #define OVERLOADED_OPERATOR(Name,Spelling,Token,Unary,Binary,MemberOnly) \
26640b57cec5SDimitry Andric     case tok::Token:                                                     \
26650b57cec5SDimitry Andric       SymbolLocations[SymbolIdx++] = ConsumeToken();                     \
26660b57cec5SDimitry Andric       Op = OO_##Name;                                                    \
26670b57cec5SDimitry Andric       break;
26680b57cec5SDimitry Andric #define OVERLOADED_OPERATOR_MULTI(Name,Spelling,Unary,Binary,MemberOnly)
26690b57cec5SDimitry Andric #include "clang/Basic/OperatorKinds.def"
26700b57cec5SDimitry Andric 
26710b57cec5SDimitry Andric     case tok::l_paren: {
26720b57cec5SDimitry Andric       // Consume the '(' and ')'.
26730b57cec5SDimitry Andric       BalancedDelimiterTracker T(*this, tok::l_paren);
26740b57cec5SDimitry Andric       T.consumeOpen();
26750b57cec5SDimitry Andric       T.consumeClose();
26760b57cec5SDimitry Andric       if (T.getCloseLocation().isInvalid())
26770b57cec5SDimitry Andric         return true;
26780b57cec5SDimitry Andric 
26790b57cec5SDimitry Andric       SymbolLocations[SymbolIdx++] = T.getOpenLocation();
26800b57cec5SDimitry Andric       SymbolLocations[SymbolIdx++] = T.getCloseLocation();
26810b57cec5SDimitry Andric       Op = OO_Call;
26820b57cec5SDimitry Andric       break;
26830b57cec5SDimitry Andric     }
26840b57cec5SDimitry Andric 
26850b57cec5SDimitry Andric     case tok::l_square: {
26860b57cec5SDimitry Andric       // Consume the '[' and ']'.
26870b57cec5SDimitry Andric       BalancedDelimiterTracker T(*this, tok::l_square);
26880b57cec5SDimitry Andric       T.consumeOpen();
26890b57cec5SDimitry Andric       T.consumeClose();
26900b57cec5SDimitry Andric       if (T.getCloseLocation().isInvalid())
26910b57cec5SDimitry Andric         return true;
26920b57cec5SDimitry Andric 
26930b57cec5SDimitry Andric       SymbolLocations[SymbolIdx++] = T.getOpenLocation();
26940b57cec5SDimitry Andric       SymbolLocations[SymbolIdx++] = T.getCloseLocation();
26950b57cec5SDimitry Andric       Op = OO_Subscript;
26960b57cec5SDimitry Andric       break;
26970b57cec5SDimitry Andric     }
26980b57cec5SDimitry Andric 
26990b57cec5SDimitry Andric     case tok::code_completion: {
2700fe6060f1SDimitry Andric       // Don't try to parse any further.
2701fe6060f1SDimitry Andric       cutOffParsing();
27020b57cec5SDimitry Andric       // Code completion for the operator name.
27030b57cec5SDimitry Andric       Actions.CodeCompleteOperatorName(getCurScope());
27040b57cec5SDimitry Andric       return true;
27050b57cec5SDimitry Andric     }
27060b57cec5SDimitry Andric 
27070b57cec5SDimitry Andric     default:
27080b57cec5SDimitry Andric       break;
27090b57cec5SDimitry Andric   }
27100b57cec5SDimitry Andric 
27110b57cec5SDimitry Andric   if (Op != OO_None) {
27120b57cec5SDimitry Andric     // We have parsed an operator-function-id.
27130b57cec5SDimitry Andric     Result.setOperatorFunctionId(KeywordLoc, Op, SymbolLocations);
27140b57cec5SDimitry Andric     return false;
27150b57cec5SDimitry Andric   }
27160b57cec5SDimitry Andric 
27170b57cec5SDimitry Andric   // Parse a literal-operator-id.
27180b57cec5SDimitry Andric   //
27190b57cec5SDimitry Andric   //   literal-operator-id: C++11 [over.literal]
27200b57cec5SDimitry Andric   //     operator string-literal identifier
27210b57cec5SDimitry Andric   //     operator user-defined-string-literal
27220b57cec5SDimitry Andric 
27230b57cec5SDimitry Andric   if (getLangOpts().CPlusPlus11 && isTokenStringLiteral()) {
27240b57cec5SDimitry Andric     Diag(Tok.getLocation(), diag::warn_cxx98_compat_literal_operator);
27250b57cec5SDimitry Andric 
27260b57cec5SDimitry Andric     SourceLocation DiagLoc;
27270b57cec5SDimitry Andric     unsigned DiagId = 0;
27280b57cec5SDimitry Andric 
27290b57cec5SDimitry Andric     // We're past translation phase 6, so perform string literal concatenation
27300b57cec5SDimitry Andric     // before checking for "".
27310b57cec5SDimitry Andric     SmallVector<Token, 4> Toks;
27320b57cec5SDimitry Andric     SmallVector<SourceLocation, 4> TokLocs;
27330b57cec5SDimitry Andric     while (isTokenStringLiteral()) {
27340b57cec5SDimitry Andric       if (!Tok.is(tok::string_literal) && !DiagId) {
27350b57cec5SDimitry Andric         // C++11 [over.literal]p1:
27360b57cec5SDimitry Andric         //   The string-literal or user-defined-string-literal in a
27370b57cec5SDimitry Andric         //   literal-operator-id shall have no encoding-prefix [...].
27380b57cec5SDimitry Andric         DiagLoc = Tok.getLocation();
27390b57cec5SDimitry Andric         DiagId = diag::err_literal_operator_string_prefix;
27400b57cec5SDimitry Andric       }
27410b57cec5SDimitry Andric       Toks.push_back(Tok);
27420b57cec5SDimitry Andric       TokLocs.push_back(ConsumeStringToken());
27430b57cec5SDimitry Andric     }
27440b57cec5SDimitry Andric 
27450b57cec5SDimitry Andric     StringLiteralParser Literal(Toks, PP);
27460b57cec5SDimitry Andric     if (Literal.hadError)
27470b57cec5SDimitry Andric       return true;
27480b57cec5SDimitry Andric 
27490b57cec5SDimitry Andric     // Grab the literal operator's suffix, which will be either the next token
27500b57cec5SDimitry Andric     // or a ud-suffix from the string literal.
2751fe6060f1SDimitry Andric     bool IsUDSuffix = !Literal.getUDSuffix().empty();
27520b57cec5SDimitry Andric     IdentifierInfo *II = nullptr;
27530b57cec5SDimitry Andric     SourceLocation SuffixLoc;
2754fe6060f1SDimitry Andric     if (IsUDSuffix) {
27550b57cec5SDimitry Andric       II = &PP.getIdentifierTable().get(Literal.getUDSuffix());
27560b57cec5SDimitry Andric       SuffixLoc =
27570b57cec5SDimitry Andric         Lexer::AdvanceToTokenCharacter(TokLocs[Literal.getUDSuffixToken()],
27580b57cec5SDimitry Andric                                        Literal.getUDSuffixOffset(),
27590b57cec5SDimitry Andric                                        PP.getSourceManager(), getLangOpts());
27600b57cec5SDimitry Andric     } else if (Tok.is(tok::identifier)) {
27610b57cec5SDimitry Andric       II = Tok.getIdentifierInfo();
27620b57cec5SDimitry Andric       SuffixLoc = ConsumeToken();
27630b57cec5SDimitry Andric       TokLocs.push_back(SuffixLoc);
27640b57cec5SDimitry Andric     } else {
27650b57cec5SDimitry Andric       Diag(Tok.getLocation(), diag::err_expected) << tok::identifier;
27660b57cec5SDimitry Andric       return true;
27670b57cec5SDimitry Andric     }
27680b57cec5SDimitry Andric 
27690b57cec5SDimitry Andric     // The string literal must be empty.
27700b57cec5SDimitry Andric     if (!Literal.GetString().empty() || Literal.Pascal) {
27710b57cec5SDimitry Andric       // C++11 [over.literal]p1:
27720b57cec5SDimitry Andric       //   The string-literal or user-defined-string-literal in a
27730b57cec5SDimitry Andric       //   literal-operator-id shall [...] contain no characters
27740b57cec5SDimitry Andric       //   other than the implicit terminating '\0'.
27750b57cec5SDimitry Andric       DiagLoc = TokLocs.front();
27760b57cec5SDimitry Andric       DiagId = diag::err_literal_operator_string_not_empty;
27770b57cec5SDimitry Andric     }
27780b57cec5SDimitry Andric 
27790b57cec5SDimitry Andric     if (DiagId) {
27800b57cec5SDimitry Andric       // This isn't a valid literal-operator-id, but we think we know
27810b57cec5SDimitry Andric       // what the user meant. Tell them what they should have written.
27820b57cec5SDimitry Andric       SmallString<32> Str;
27830b57cec5SDimitry Andric       Str += "\"\"";
27840b57cec5SDimitry Andric       Str += II->getName();
27850b57cec5SDimitry Andric       Diag(DiagLoc, DiagId) << FixItHint::CreateReplacement(
27860b57cec5SDimitry Andric           SourceRange(TokLocs.front(), TokLocs.back()), Str);
27870b57cec5SDimitry Andric     }
27880b57cec5SDimitry Andric 
27890b57cec5SDimitry Andric     Result.setLiteralOperatorId(II, KeywordLoc, SuffixLoc);
27900b57cec5SDimitry Andric 
2791fe6060f1SDimitry Andric     return Actions.checkLiteralOperatorId(SS, Result, IsUDSuffix);
27920b57cec5SDimitry Andric   }
27930b57cec5SDimitry Andric 
27940b57cec5SDimitry Andric   // Parse a conversion-function-id.
27950b57cec5SDimitry Andric   //
27960b57cec5SDimitry Andric   //   conversion-function-id: [C++ 12.3.2]
27970b57cec5SDimitry Andric   //     operator conversion-type-id
27980b57cec5SDimitry Andric   //
27990b57cec5SDimitry Andric   //   conversion-type-id:
28000b57cec5SDimitry Andric   //     type-specifier-seq conversion-declarator[opt]
28010b57cec5SDimitry Andric   //
28020b57cec5SDimitry Andric   //   conversion-declarator:
28030b57cec5SDimitry Andric   //     ptr-operator conversion-declarator[opt]
28040b57cec5SDimitry Andric 
28050b57cec5SDimitry Andric   // Parse the type-specifier-seq.
28060b57cec5SDimitry Andric   DeclSpec DS(AttrFactory);
2807bdd1243dSDimitry Andric   if (ParseCXXTypeSpecifierSeq(
2808bdd1243dSDimitry Andric           DS, DeclaratorContext::ConversionId)) // FIXME: ObjectType?
28090b57cec5SDimitry Andric     return true;
28100b57cec5SDimitry Andric 
28110b57cec5SDimitry Andric   // Parse the conversion-declarator, which is merely a sequence of
28120b57cec5SDimitry Andric   // ptr-operators.
281381ad6265SDimitry Andric   Declarator D(DS, ParsedAttributesView::none(),
281481ad6265SDimitry Andric                DeclaratorContext::ConversionId);
28150b57cec5SDimitry Andric   ParseDeclaratorInternal(D, /*DirectDeclParser=*/nullptr);
28160b57cec5SDimitry Andric 
28170b57cec5SDimitry Andric   // Finish up the type.
2818*7a6dacacSDimitry Andric   TypeResult Ty = Actions.ActOnTypeName(D);
28190b57cec5SDimitry Andric   if (Ty.isInvalid())
28200b57cec5SDimitry Andric     return true;
28210b57cec5SDimitry Andric 
28220b57cec5SDimitry Andric   // Note that this is a conversion-function-id.
28230b57cec5SDimitry Andric   Result.setConversionFunctionId(KeywordLoc, Ty.get(),
28240b57cec5SDimitry Andric                                  D.getSourceRange().getEnd());
28250b57cec5SDimitry Andric   return false;
28260b57cec5SDimitry Andric }
28270b57cec5SDimitry Andric 
28280b57cec5SDimitry Andric /// Parse a C++ unqualified-id (or a C identifier), which describes the
28290b57cec5SDimitry Andric /// name of an entity.
28300b57cec5SDimitry Andric ///
28310b57cec5SDimitry Andric /// \code
28320b57cec5SDimitry Andric ///       unqualified-id: [C++ expr.prim.general]
28330b57cec5SDimitry Andric ///         identifier
28340b57cec5SDimitry Andric ///         operator-function-id
28350b57cec5SDimitry Andric ///         conversion-function-id
28360b57cec5SDimitry Andric /// [C++0x] literal-operator-id [TODO]
28370b57cec5SDimitry Andric ///         ~ class-name
28380b57cec5SDimitry Andric ///         template-id
28390b57cec5SDimitry Andric ///
28400b57cec5SDimitry Andric /// \endcode
28410b57cec5SDimitry Andric ///
28420b57cec5SDimitry Andric /// \param SS The nested-name-specifier that preceded this unqualified-id. If
28430b57cec5SDimitry Andric /// non-empty, then we are parsing the unqualified-id of a qualified-id.
28440b57cec5SDimitry Andric ///
28455ffd83dbSDimitry Andric /// \param ObjectType if this unqualified-id occurs within a member access
28465ffd83dbSDimitry Andric /// expression, the type of the base object whose member is being accessed.
28475ffd83dbSDimitry Andric ///
28485ffd83dbSDimitry Andric /// \param ObjectHadErrors if this unqualified-id occurs within a member access
28495ffd83dbSDimitry Andric /// expression, indicates whether the original subexpressions had any errors.
28505ffd83dbSDimitry Andric /// When true, diagnostics for missing 'template' keyword will be supressed.
28515ffd83dbSDimitry Andric ///
28520b57cec5SDimitry Andric /// \param EnteringContext whether we are entering the scope of the
28530b57cec5SDimitry Andric /// nested-name-specifier.
28540b57cec5SDimitry Andric ///
28550b57cec5SDimitry Andric /// \param AllowDestructorName whether we allow parsing of a destructor name.
28560b57cec5SDimitry Andric ///
28570b57cec5SDimitry Andric /// \param AllowConstructorName whether we allow parsing a constructor name.
28580b57cec5SDimitry Andric ///
28590b57cec5SDimitry Andric /// \param AllowDeductionGuide whether we allow parsing a deduction guide name.
28600b57cec5SDimitry Andric ///
28610b57cec5SDimitry Andric /// \param Result on a successful parse, contains the parsed unqualified-id.
28620b57cec5SDimitry Andric ///
28630b57cec5SDimitry Andric /// \returns true if parsing fails, false otherwise.
28645ffd83dbSDimitry Andric bool Parser::ParseUnqualifiedId(CXXScopeSpec &SS, ParsedType ObjectType,
28655ffd83dbSDimitry Andric                                 bool ObjectHadErrors, bool EnteringContext,
28660b57cec5SDimitry Andric                                 bool AllowDestructorName,
28670b57cec5SDimitry Andric                                 bool AllowConstructorName,
28680b57cec5SDimitry Andric                                 bool AllowDeductionGuide,
28690b57cec5SDimitry Andric                                 SourceLocation *TemplateKWLoc,
28700b57cec5SDimitry Andric                                 UnqualifiedId &Result) {
28710b57cec5SDimitry Andric   if (TemplateKWLoc)
28720b57cec5SDimitry Andric     *TemplateKWLoc = SourceLocation();
28730b57cec5SDimitry Andric 
28740b57cec5SDimitry Andric   // Handle 'A::template B'. This is for template-ids which have not
28750b57cec5SDimitry Andric   // already been annotated by ParseOptionalCXXScopeSpecifier().
28760b57cec5SDimitry Andric   bool TemplateSpecified = false;
28770b57cec5SDimitry Andric   if (Tok.is(tok::kw_template)) {
28780b57cec5SDimitry Andric     if (TemplateKWLoc && (ObjectType || SS.isSet())) {
28790b57cec5SDimitry Andric       TemplateSpecified = true;
28800b57cec5SDimitry Andric       *TemplateKWLoc = ConsumeToken();
28810b57cec5SDimitry Andric     } else {
28820b57cec5SDimitry Andric       SourceLocation TemplateLoc = ConsumeToken();
28830b57cec5SDimitry Andric       Diag(TemplateLoc, diag::err_unexpected_template_in_unqualified_id)
28840b57cec5SDimitry Andric         << FixItHint::CreateRemoval(TemplateLoc);
28850b57cec5SDimitry Andric     }
28860b57cec5SDimitry Andric   }
28870b57cec5SDimitry Andric 
28880b57cec5SDimitry Andric   // unqualified-id:
28890b57cec5SDimitry Andric   //   identifier
28900b57cec5SDimitry Andric   //   template-id (when it hasn't already been annotated)
28910b57cec5SDimitry Andric   if (Tok.is(tok::identifier)) {
2892bdd1243dSDimitry Andric   ParseIdentifier:
28930b57cec5SDimitry Andric     // Consume the identifier.
28940b57cec5SDimitry Andric     IdentifierInfo *Id = Tok.getIdentifierInfo();
28950b57cec5SDimitry Andric     SourceLocation IdLoc = ConsumeToken();
28960b57cec5SDimitry Andric 
28970b57cec5SDimitry Andric     if (!getLangOpts().CPlusPlus) {
28980b57cec5SDimitry Andric       // If we're not in C++, only identifiers matter. Record the
28990b57cec5SDimitry Andric       // identifier and return.
29000b57cec5SDimitry Andric       Result.setIdentifier(Id, IdLoc);
29010b57cec5SDimitry Andric       return false;
29020b57cec5SDimitry Andric     }
29030b57cec5SDimitry Andric 
29040b57cec5SDimitry Andric     ParsedTemplateTy TemplateName;
29050b57cec5SDimitry Andric     if (AllowConstructorName &&
29060b57cec5SDimitry Andric         Actions.isCurrentClassName(*Id, getCurScope(), &SS)) {
29070b57cec5SDimitry Andric       // We have parsed a constructor name.
29080b57cec5SDimitry Andric       ParsedType Ty = Actions.getConstructorName(*Id, IdLoc, getCurScope(), SS,
29090b57cec5SDimitry Andric                                                  EnteringContext);
29100b57cec5SDimitry Andric       if (!Ty)
29110b57cec5SDimitry Andric         return true;
29120b57cec5SDimitry Andric       Result.setConstructorName(Ty, IdLoc, IdLoc);
291306c3fb27SDimitry Andric     } else if (getLangOpts().CPlusPlus17 && AllowDeductionGuide &&
291406c3fb27SDimitry Andric                SS.isEmpty() &&
291506c3fb27SDimitry Andric                Actions.isDeductionGuideName(getCurScope(), *Id, IdLoc, SS,
29160b57cec5SDimitry Andric                                             &TemplateName)) {
29170b57cec5SDimitry Andric       // We have parsed a template-name naming a deduction guide.
29180b57cec5SDimitry Andric       Result.setDeductionGuideName(TemplateName, IdLoc);
29190b57cec5SDimitry Andric     } else {
29200b57cec5SDimitry Andric       // We have parsed an identifier.
29210b57cec5SDimitry Andric       Result.setIdentifier(Id, IdLoc);
29220b57cec5SDimitry Andric     }
29230b57cec5SDimitry Andric 
29240b57cec5SDimitry Andric     // If the next token is a '<', we may have a template.
29250b57cec5SDimitry Andric     TemplateTy Template;
29260b57cec5SDimitry Andric     if (Tok.is(tok::less))
29270b57cec5SDimitry Andric       return ParseUnqualifiedIdTemplateId(
29285ffd83dbSDimitry Andric           SS, ObjectType, ObjectHadErrors,
29295ffd83dbSDimitry Andric           TemplateKWLoc ? *TemplateKWLoc : SourceLocation(), Id, IdLoc,
29305ffd83dbSDimitry Andric           EnteringContext, Result, TemplateSpecified);
29310b57cec5SDimitry Andric     else if (TemplateSpecified &&
29325ffd83dbSDimitry Andric              Actions.ActOnTemplateName(
29330b57cec5SDimitry Andric                  getCurScope(), SS, *TemplateKWLoc, Result, ObjectType,
29340b57cec5SDimitry Andric                  EnteringContext, Template,
29350b57cec5SDimitry Andric                  /*AllowInjectedClassName*/ true) == TNK_Non_template)
29360b57cec5SDimitry Andric       return true;
29370b57cec5SDimitry Andric 
29380b57cec5SDimitry Andric     return false;
29390b57cec5SDimitry Andric   }
29400b57cec5SDimitry Andric 
29410b57cec5SDimitry Andric   // unqualified-id:
29420b57cec5SDimitry Andric   //   template-id (already parsed and annotated)
29430b57cec5SDimitry Andric   if (Tok.is(tok::annot_template_id)) {
29440b57cec5SDimitry Andric     TemplateIdAnnotation *TemplateId = takeTemplateIdAnnotation(Tok);
29450b57cec5SDimitry Andric 
29465ffd83dbSDimitry Andric     // FIXME: Consider passing invalid template-ids on to callers; they may
29475ffd83dbSDimitry Andric     // be able to recover better than we can.
29485ffd83dbSDimitry Andric     if (TemplateId->isInvalid()) {
29495ffd83dbSDimitry Andric       ConsumeAnnotationToken();
29505ffd83dbSDimitry Andric       return true;
29515ffd83dbSDimitry Andric     }
29525ffd83dbSDimitry Andric 
29530b57cec5SDimitry Andric     // If the template-name names the current class, then this is a constructor
29540b57cec5SDimitry Andric     if (AllowConstructorName && TemplateId->Name &&
29550b57cec5SDimitry Andric         Actions.isCurrentClassName(*TemplateId->Name, getCurScope(), &SS)) {
29560b57cec5SDimitry Andric       if (SS.isSet()) {
29570b57cec5SDimitry Andric         // C++ [class.qual]p2 specifies that a qualified template-name
29580b57cec5SDimitry Andric         // is taken as the constructor name where a constructor can be
29590b57cec5SDimitry Andric         // declared. Thus, the template arguments are extraneous, so
29600b57cec5SDimitry Andric         // complain about them and remove them entirely.
29610b57cec5SDimitry Andric         Diag(TemplateId->TemplateNameLoc,
29620b57cec5SDimitry Andric              diag::err_out_of_line_constructor_template_id)
29630b57cec5SDimitry Andric           << TemplateId->Name
29640b57cec5SDimitry Andric           << FixItHint::CreateRemoval(
29650b57cec5SDimitry Andric                     SourceRange(TemplateId->LAngleLoc, TemplateId->RAngleLoc));
29660b57cec5SDimitry Andric         ParsedType Ty = Actions.getConstructorName(
29670b57cec5SDimitry Andric             *TemplateId->Name, TemplateId->TemplateNameLoc, getCurScope(), SS,
29680b57cec5SDimitry Andric             EnteringContext);
29690b57cec5SDimitry Andric         if (!Ty)
29700b57cec5SDimitry Andric           return true;
29710b57cec5SDimitry Andric         Result.setConstructorName(Ty, TemplateId->TemplateNameLoc,
29720b57cec5SDimitry Andric                                   TemplateId->RAngleLoc);
29730b57cec5SDimitry Andric         ConsumeAnnotationToken();
29740b57cec5SDimitry Andric         return false;
29750b57cec5SDimitry Andric       }
29760b57cec5SDimitry Andric 
29770b57cec5SDimitry Andric       Result.setConstructorTemplateId(TemplateId);
29780b57cec5SDimitry Andric       ConsumeAnnotationToken();
29790b57cec5SDimitry Andric       return false;
29800b57cec5SDimitry Andric     }
29810b57cec5SDimitry Andric 
29820b57cec5SDimitry Andric     // We have already parsed a template-id; consume the annotation token as
29830b57cec5SDimitry Andric     // our unqualified-id.
29840b57cec5SDimitry Andric     Result.setTemplateId(TemplateId);
29850b57cec5SDimitry Andric     SourceLocation TemplateLoc = TemplateId->TemplateKWLoc;
29860b57cec5SDimitry Andric     if (TemplateLoc.isValid()) {
29870b57cec5SDimitry Andric       if (TemplateKWLoc && (ObjectType || SS.isSet()))
29880b57cec5SDimitry Andric         *TemplateKWLoc = TemplateLoc;
29890b57cec5SDimitry Andric       else
29900b57cec5SDimitry Andric         Diag(TemplateLoc, diag::err_unexpected_template_in_unqualified_id)
29910b57cec5SDimitry Andric             << FixItHint::CreateRemoval(TemplateLoc);
29920b57cec5SDimitry Andric     }
29930b57cec5SDimitry Andric     ConsumeAnnotationToken();
29940b57cec5SDimitry Andric     return false;
29950b57cec5SDimitry Andric   }
29960b57cec5SDimitry Andric 
29970b57cec5SDimitry Andric   // unqualified-id:
29980b57cec5SDimitry Andric   //   operator-function-id
29990b57cec5SDimitry Andric   //   conversion-function-id
30000b57cec5SDimitry Andric   if (Tok.is(tok::kw_operator)) {
30010b57cec5SDimitry Andric     if (ParseUnqualifiedIdOperator(SS, EnteringContext, ObjectType, Result))
30020b57cec5SDimitry Andric       return true;
30030b57cec5SDimitry Andric 
30040b57cec5SDimitry Andric     // If we have an operator-function-id or a literal-operator-id and the next
30050b57cec5SDimitry Andric     // token is a '<', we may have a
30060b57cec5SDimitry Andric     //
30070b57cec5SDimitry Andric     //   template-id:
30080b57cec5SDimitry Andric     //     operator-function-id < template-argument-list[opt] >
30090b57cec5SDimitry Andric     TemplateTy Template;
30100b57cec5SDimitry Andric     if ((Result.getKind() == UnqualifiedIdKind::IK_OperatorFunctionId ||
30110b57cec5SDimitry Andric          Result.getKind() == UnqualifiedIdKind::IK_LiteralOperatorId) &&
30120b57cec5SDimitry Andric         Tok.is(tok::less))
30130b57cec5SDimitry Andric       return ParseUnqualifiedIdTemplateId(
30145ffd83dbSDimitry Andric           SS, ObjectType, ObjectHadErrors,
30155ffd83dbSDimitry Andric           TemplateKWLoc ? *TemplateKWLoc : SourceLocation(), nullptr,
30165ffd83dbSDimitry Andric           SourceLocation(), EnteringContext, Result, TemplateSpecified);
30170b57cec5SDimitry Andric     else if (TemplateSpecified &&
30185ffd83dbSDimitry Andric              Actions.ActOnTemplateName(
30190b57cec5SDimitry Andric                  getCurScope(), SS, *TemplateKWLoc, Result, ObjectType,
30200b57cec5SDimitry Andric                  EnteringContext, Template,
30210b57cec5SDimitry Andric                  /*AllowInjectedClassName*/ true) == TNK_Non_template)
30220b57cec5SDimitry Andric       return true;
30230b57cec5SDimitry Andric 
30240b57cec5SDimitry Andric     return false;
30250b57cec5SDimitry Andric   }
30260b57cec5SDimitry Andric 
30270b57cec5SDimitry Andric   if (getLangOpts().CPlusPlus &&
30280b57cec5SDimitry Andric       (AllowDestructorName || SS.isSet()) && Tok.is(tok::tilde)) {
30290b57cec5SDimitry Andric     // C++ [expr.unary.op]p10:
30300b57cec5SDimitry Andric     //   There is an ambiguity in the unary-expression ~X(), where X is a
30310b57cec5SDimitry Andric     //   class-name. The ambiguity is resolved in favor of treating ~ as a
30320b57cec5SDimitry Andric     //    unary complement rather than treating ~X as referring to a destructor.
30330b57cec5SDimitry Andric 
30340b57cec5SDimitry Andric     // Parse the '~'.
30350b57cec5SDimitry Andric     SourceLocation TildeLoc = ConsumeToken();
30360b57cec5SDimitry Andric 
30375ffd83dbSDimitry Andric     if (TemplateSpecified) {
30385ffd83dbSDimitry Andric       // C++ [temp.names]p3:
30395ffd83dbSDimitry Andric       //   A name prefixed by the keyword template shall be a template-id [...]
30405ffd83dbSDimitry Andric       //
30415ffd83dbSDimitry Andric       // A template-id cannot begin with a '~' token. This would never work
30425ffd83dbSDimitry Andric       // anyway: x.~A<int>() would specify that the destructor is a template,
30435ffd83dbSDimitry Andric       // not that 'A' is a template.
30445ffd83dbSDimitry Andric       //
30455ffd83dbSDimitry Andric       // FIXME: Suggest replacing the attempted destructor name with a correct
30465ffd83dbSDimitry Andric       // destructor name and recover. (This is not trivial if this would become
30475ffd83dbSDimitry Andric       // a pseudo-destructor name).
30485ffd83dbSDimitry Andric       Diag(*TemplateKWLoc, diag::err_unexpected_template_in_destructor_name)
30495ffd83dbSDimitry Andric         << Tok.getLocation();
30505ffd83dbSDimitry Andric       return true;
30515ffd83dbSDimitry Andric     }
30525ffd83dbSDimitry Andric 
30530b57cec5SDimitry Andric     if (SS.isEmpty() && Tok.is(tok::kw_decltype)) {
30540b57cec5SDimitry Andric       DeclSpec DS(AttrFactory);
30550b57cec5SDimitry Andric       SourceLocation EndLoc = ParseDecltypeSpecifier(DS);
30560b57cec5SDimitry Andric       if (ParsedType Type =
30570b57cec5SDimitry Andric               Actions.getDestructorTypeForDecltype(DS, ObjectType)) {
30580b57cec5SDimitry Andric         Result.setDestructorName(TildeLoc, Type, EndLoc);
30590b57cec5SDimitry Andric         return false;
30600b57cec5SDimitry Andric       }
30610b57cec5SDimitry Andric       return true;
30620b57cec5SDimitry Andric     }
30630b57cec5SDimitry Andric 
30640b57cec5SDimitry Andric     // Parse the class-name.
30650b57cec5SDimitry Andric     if (Tok.isNot(tok::identifier)) {
30660b57cec5SDimitry Andric       Diag(Tok, diag::err_destructor_tilde_identifier);
30670b57cec5SDimitry Andric       return true;
30680b57cec5SDimitry Andric     }
30690b57cec5SDimitry Andric 
30700b57cec5SDimitry Andric     // If the user wrote ~T::T, correct it to T::~T.
30710b57cec5SDimitry Andric     DeclaratorScopeObj DeclScopeObj(*this, SS);
30725ffd83dbSDimitry Andric     if (NextToken().is(tok::coloncolon)) {
30730b57cec5SDimitry Andric       // Don't let ParseOptionalCXXScopeSpecifier() "correct"
30740b57cec5SDimitry Andric       // `int A; struct { ~A::A(); };` to `int A; struct { ~A:A(); };`,
30750b57cec5SDimitry Andric       // it will confuse this recovery logic.
30760b57cec5SDimitry Andric       ColonProtectionRAIIObject ColonRAII(*this, false);
30770b57cec5SDimitry Andric 
30780b57cec5SDimitry Andric       if (SS.isSet()) {
30790b57cec5SDimitry Andric         AnnotateScopeToken(SS, /*NewAnnotation*/true);
30800b57cec5SDimitry Andric         SS.clear();
30810b57cec5SDimitry Andric       }
30825ffd83dbSDimitry Andric       if (ParseOptionalCXXScopeSpecifier(SS, ObjectType, ObjectHadErrors,
30835ffd83dbSDimitry Andric                                          EnteringContext))
30840b57cec5SDimitry Andric         return true;
30850b57cec5SDimitry Andric       if (SS.isNotEmpty())
30860b57cec5SDimitry Andric         ObjectType = nullptr;
30870b57cec5SDimitry Andric       if (Tok.isNot(tok::identifier) || NextToken().is(tok::coloncolon) ||
30880b57cec5SDimitry Andric           !SS.isSet()) {
30890b57cec5SDimitry Andric         Diag(TildeLoc, diag::err_destructor_tilde_scope);
30900b57cec5SDimitry Andric         return true;
30910b57cec5SDimitry Andric       }
30920b57cec5SDimitry Andric 
30930b57cec5SDimitry Andric       // Recover as if the tilde had been written before the identifier.
30940b57cec5SDimitry Andric       Diag(TildeLoc, diag::err_destructor_tilde_scope)
30950b57cec5SDimitry Andric         << FixItHint::CreateRemoval(TildeLoc)
30960b57cec5SDimitry Andric         << FixItHint::CreateInsertion(Tok.getLocation(), "~");
30970b57cec5SDimitry Andric 
30980b57cec5SDimitry Andric       // Temporarily enter the scope for the rest of this function.
30990b57cec5SDimitry Andric       if (Actions.ShouldEnterDeclaratorScope(getCurScope(), SS))
31000b57cec5SDimitry Andric         DeclScopeObj.EnterDeclaratorScope();
31010b57cec5SDimitry Andric     }
31020b57cec5SDimitry Andric 
31030b57cec5SDimitry Andric     // Parse the class-name (or template-name in a simple-template-id).
31040b57cec5SDimitry Andric     IdentifierInfo *ClassName = Tok.getIdentifierInfo();
31050b57cec5SDimitry Andric     SourceLocation ClassNameLoc = ConsumeToken();
31060b57cec5SDimitry Andric 
31070b57cec5SDimitry Andric     if (Tok.is(tok::less)) {
31080b57cec5SDimitry Andric       Result.setDestructorName(TildeLoc, nullptr, ClassNameLoc);
31090b57cec5SDimitry Andric       return ParseUnqualifiedIdTemplateId(
31105ffd83dbSDimitry Andric           SS, ObjectType, ObjectHadErrors,
31115ffd83dbSDimitry Andric           TemplateKWLoc ? *TemplateKWLoc : SourceLocation(), ClassName,
31125ffd83dbSDimitry Andric           ClassNameLoc, EnteringContext, Result, TemplateSpecified);
31130b57cec5SDimitry Andric     }
31140b57cec5SDimitry Andric 
31150b57cec5SDimitry Andric     // Note that this is a destructor name.
31165f757f3fSDimitry Andric     ParsedType Ty =
31175f757f3fSDimitry Andric         Actions.getDestructorName(*ClassName, ClassNameLoc, getCurScope(), SS,
31185f757f3fSDimitry Andric                                   ObjectType, EnteringContext);
31190b57cec5SDimitry Andric     if (!Ty)
31200b57cec5SDimitry Andric       return true;
31210b57cec5SDimitry Andric 
31220b57cec5SDimitry Andric     Result.setDestructorName(TildeLoc, Ty, ClassNameLoc);
31230b57cec5SDimitry Andric     return false;
31240b57cec5SDimitry Andric   }
31250b57cec5SDimitry Andric 
3126bdd1243dSDimitry Andric   switch (Tok.getKind()) {
3127bdd1243dSDimitry Andric #define TRANSFORM_TYPE_TRAIT_DEF(_, Trait) case tok::kw___##Trait:
3128bdd1243dSDimitry Andric #include "clang/Basic/TransformTypeTraits.def"
3129bdd1243dSDimitry Andric     if (!NextToken().is(tok::l_paren)) {
3130bdd1243dSDimitry Andric       Tok.setKind(tok::identifier);
3131bdd1243dSDimitry Andric       Diag(Tok, diag::ext_keyword_as_ident)
3132bdd1243dSDimitry Andric           << Tok.getIdentifierInfo()->getName() << 0;
3133bdd1243dSDimitry Andric       goto ParseIdentifier;
3134bdd1243dSDimitry Andric     }
3135bdd1243dSDimitry Andric     [[fallthrough]];
3136bdd1243dSDimitry Andric   default:
3137bdd1243dSDimitry Andric     Diag(Tok, diag::err_expected_unqualified_id) << getLangOpts().CPlusPlus;
31380b57cec5SDimitry Andric     return true;
31390b57cec5SDimitry Andric   }
3140bdd1243dSDimitry Andric }
31410b57cec5SDimitry Andric 
31420b57cec5SDimitry Andric /// ParseCXXNewExpression - Parse a C++ new-expression. New is used to allocate
31430b57cec5SDimitry Andric /// memory in a typesafe manner and call constructors.
31440b57cec5SDimitry Andric ///
31450b57cec5SDimitry Andric /// This method is called to parse the new expression after the optional :: has
31460b57cec5SDimitry Andric /// been already parsed.  If the :: was present, "UseGlobal" is true and "Start"
31470b57cec5SDimitry Andric /// is its location.  Otherwise, "Start" is the location of the 'new' token.
31480b57cec5SDimitry Andric ///
31490b57cec5SDimitry Andric ///        new-expression:
31500b57cec5SDimitry Andric ///                   '::'[opt] 'new' new-placement[opt] new-type-id
31510b57cec5SDimitry Andric ///                                     new-initializer[opt]
31520b57cec5SDimitry Andric ///                   '::'[opt] 'new' new-placement[opt] '(' type-id ')'
31530b57cec5SDimitry Andric ///                                     new-initializer[opt]
31540b57cec5SDimitry Andric ///
31550b57cec5SDimitry Andric ///        new-placement:
31560b57cec5SDimitry Andric ///                   '(' expression-list ')'
31570b57cec5SDimitry Andric ///
31580b57cec5SDimitry Andric ///        new-type-id:
31590b57cec5SDimitry Andric ///                   type-specifier-seq new-declarator[opt]
31600b57cec5SDimitry Andric /// [GNU]             attributes type-specifier-seq new-declarator[opt]
31610b57cec5SDimitry Andric ///
31620b57cec5SDimitry Andric ///        new-declarator:
31630b57cec5SDimitry Andric ///                   ptr-operator new-declarator[opt]
31640b57cec5SDimitry Andric ///                   direct-new-declarator
31650b57cec5SDimitry Andric ///
31660b57cec5SDimitry Andric ///        new-initializer:
31670b57cec5SDimitry Andric ///                   '(' expression-list[opt] ')'
31680b57cec5SDimitry Andric /// [C++0x]           braced-init-list
31690b57cec5SDimitry Andric ///
31700b57cec5SDimitry Andric ExprResult
31710b57cec5SDimitry Andric Parser::ParseCXXNewExpression(bool UseGlobal, SourceLocation Start) {
31720b57cec5SDimitry Andric   assert(Tok.is(tok::kw_new) && "expected 'new' token");
31730b57cec5SDimitry Andric   ConsumeToken();   // Consume 'new'
31740b57cec5SDimitry Andric 
31750b57cec5SDimitry Andric   // A '(' now can be a new-placement or the '(' wrapping the type-id in the
31760b57cec5SDimitry Andric   // second form of new-expression. It can't be a new-type-id.
31770b57cec5SDimitry Andric 
31780b57cec5SDimitry Andric   ExprVector PlacementArgs;
31790b57cec5SDimitry Andric   SourceLocation PlacementLParen, PlacementRParen;
31800b57cec5SDimitry Andric 
31810b57cec5SDimitry Andric   SourceRange TypeIdParens;
31820b57cec5SDimitry Andric   DeclSpec DS(AttrFactory);
318381ad6265SDimitry Andric   Declarator DeclaratorInfo(DS, ParsedAttributesView::none(),
318481ad6265SDimitry Andric                             DeclaratorContext::CXXNew);
31850b57cec5SDimitry Andric   if (Tok.is(tok::l_paren)) {
31860b57cec5SDimitry Andric     // If it turns out to be a placement, we change the type location.
31870b57cec5SDimitry Andric     BalancedDelimiterTracker T(*this, tok::l_paren);
31880b57cec5SDimitry Andric     T.consumeOpen();
31890b57cec5SDimitry Andric     PlacementLParen = T.getOpenLocation();
31900b57cec5SDimitry Andric     if (ParseExpressionListOrTypeId(PlacementArgs, DeclaratorInfo)) {
31910b57cec5SDimitry Andric       SkipUntil(tok::semi, StopAtSemi | StopBeforeMatch);
31920b57cec5SDimitry Andric       return ExprError();
31930b57cec5SDimitry Andric     }
31940b57cec5SDimitry Andric 
31950b57cec5SDimitry Andric     T.consumeClose();
31960b57cec5SDimitry Andric     PlacementRParen = T.getCloseLocation();
31970b57cec5SDimitry Andric     if (PlacementRParen.isInvalid()) {
31980b57cec5SDimitry Andric       SkipUntil(tok::semi, StopAtSemi | StopBeforeMatch);
31990b57cec5SDimitry Andric       return ExprError();
32000b57cec5SDimitry Andric     }
32010b57cec5SDimitry Andric 
32020b57cec5SDimitry Andric     if (PlacementArgs.empty()) {
32030b57cec5SDimitry Andric       // Reset the placement locations. There was no placement.
32040b57cec5SDimitry Andric       TypeIdParens = T.getRange();
32050b57cec5SDimitry Andric       PlacementLParen = PlacementRParen = SourceLocation();
32060b57cec5SDimitry Andric     } else {
32070b57cec5SDimitry Andric       // We still need the type.
32080b57cec5SDimitry Andric       if (Tok.is(tok::l_paren)) {
32090b57cec5SDimitry Andric         BalancedDelimiterTracker T(*this, tok::l_paren);
32100b57cec5SDimitry Andric         T.consumeOpen();
32110b57cec5SDimitry Andric         MaybeParseGNUAttributes(DeclaratorInfo);
32120b57cec5SDimitry Andric         ParseSpecifierQualifierList(DS);
32130b57cec5SDimitry Andric         DeclaratorInfo.SetSourceRange(DS.getSourceRange());
32140b57cec5SDimitry Andric         ParseDeclarator(DeclaratorInfo);
32150b57cec5SDimitry Andric         T.consumeClose();
32160b57cec5SDimitry Andric         TypeIdParens = T.getRange();
32170b57cec5SDimitry Andric       } else {
32180b57cec5SDimitry Andric         MaybeParseGNUAttributes(DeclaratorInfo);
32190b57cec5SDimitry Andric         if (ParseCXXTypeSpecifierSeq(DS))
32200b57cec5SDimitry Andric           DeclaratorInfo.setInvalidType(true);
32210b57cec5SDimitry Andric         else {
32220b57cec5SDimitry Andric           DeclaratorInfo.SetSourceRange(DS.getSourceRange());
32230b57cec5SDimitry Andric           ParseDeclaratorInternal(DeclaratorInfo,
32240b57cec5SDimitry Andric                                   &Parser::ParseDirectNewDeclarator);
32250b57cec5SDimitry Andric         }
32260b57cec5SDimitry Andric       }
32270b57cec5SDimitry Andric     }
32280b57cec5SDimitry Andric   } else {
32290b57cec5SDimitry Andric     // A new-type-id is a simplified type-id, where essentially the
32300b57cec5SDimitry Andric     // direct-declarator is replaced by a direct-new-declarator.
32310b57cec5SDimitry Andric     MaybeParseGNUAttributes(DeclaratorInfo);
323206c3fb27SDimitry Andric     if (ParseCXXTypeSpecifierSeq(DS, DeclaratorContext::CXXNew))
32330b57cec5SDimitry Andric       DeclaratorInfo.setInvalidType(true);
32340b57cec5SDimitry Andric     else {
32350b57cec5SDimitry Andric       DeclaratorInfo.SetSourceRange(DS.getSourceRange());
32360b57cec5SDimitry Andric       ParseDeclaratorInternal(DeclaratorInfo,
32370b57cec5SDimitry Andric                               &Parser::ParseDirectNewDeclarator);
32380b57cec5SDimitry Andric     }
32390b57cec5SDimitry Andric   }
32400b57cec5SDimitry Andric   if (DeclaratorInfo.isInvalidType()) {
32410b57cec5SDimitry Andric     SkipUntil(tok::semi, StopAtSemi | StopBeforeMatch);
32420b57cec5SDimitry Andric     return ExprError();
32430b57cec5SDimitry Andric   }
32440b57cec5SDimitry Andric 
32450b57cec5SDimitry Andric   ExprResult Initializer;
32460b57cec5SDimitry Andric 
32470b57cec5SDimitry Andric   if (Tok.is(tok::l_paren)) {
32480b57cec5SDimitry Andric     SourceLocation ConstructorLParen, ConstructorRParen;
32490b57cec5SDimitry Andric     ExprVector ConstructorArgs;
32500b57cec5SDimitry Andric     BalancedDelimiterTracker T(*this, tok::l_paren);
32510b57cec5SDimitry Andric     T.consumeOpen();
32520b57cec5SDimitry Andric     ConstructorLParen = T.getOpenLocation();
32530b57cec5SDimitry Andric     if (Tok.isNot(tok::r_paren)) {
32540b57cec5SDimitry Andric       auto RunSignatureHelp = [&]() {
3255*7a6dacacSDimitry Andric         ParsedType TypeRep = Actions.ActOnTypeName(DeclaratorInfo).get();
32565ffd83dbSDimitry Andric         QualType PreferredType;
32575ffd83dbSDimitry Andric         // ActOnTypeName might adjust DeclaratorInfo and return a null type even
32585ffd83dbSDimitry Andric         // the passing DeclaratorInfo is valid, e.g. running SignatureHelp on
32595ffd83dbSDimitry Andric         // `new decltype(invalid) (^)`.
32605ffd83dbSDimitry Andric         if (TypeRep)
32615ffd83dbSDimitry Andric           PreferredType = Actions.ProduceConstructorSignatureHelp(
326204eeddc0SDimitry Andric               TypeRep.get()->getCanonicalTypeInternal(),
326304eeddc0SDimitry Andric               DeclaratorInfo.getEndLoc(), ConstructorArgs, ConstructorLParen,
326404eeddc0SDimitry Andric               /*Braced=*/false);
32650b57cec5SDimitry Andric         CalledSignatureHelp = true;
32660b57cec5SDimitry Andric         return PreferredType;
32670b57cec5SDimitry Andric       };
3268bdd1243dSDimitry Andric       if (ParseExpressionList(ConstructorArgs, [&] {
32690b57cec5SDimitry Andric             PreferredType.enterFunctionArgument(Tok.getLocation(),
32700b57cec5SDimitry Andric                                                 RunSignatureHelp);
32710b57cec5SDimitry Andric           })) {
32720b57cec5SDimitry Andric         if (PP.isCodeCompletionReached() && !CalledSignatureHelp)
32730b57cec5SDimitry Andric           RunSignatureHelp();
32740b57cec5SDimitry Andric         SkipUntil(tok::semi, StopAtSemi | StopBeforeMatch);
32750b57cec5SDimitry Andric         return ExprError();
32760b57cec5SDimitry Andric       }
32770b57cec5SDimitry Andric     }
32780b57cec5SDimitry Andric     T.consumeClose();
32790b57cec5SDimitry Andric     ConstructorRParen = T.getCloseLocation();
32800b57cec5SDimitry Andric     if (ConstructorRParen.isInvalid()) {
32810b57cec5SDimitry Andric       SkipUntil(tok::semi, StopAtSemi | StopBeforeMatch);
32820b57cec5SDimitry Andric       return ExprError();
32830b57cec5SDimitry Andric     }
32840b57cec5SDimitry Andric     Initializer = Actions.ActOnParenListExpr(ConstructorLParen,
32850b57cec5SDimitry Andric                                              ConstructorRParen,
32860b57cec5SDimitry Andric                                              ConstructorArgs);
32870b57cec5SDimitry Andric   } else if (Tok.is(tok::l_brace) && getLangOpts().CPlusPlus11) {
32880b57cec5SDimitry Andric     Diag(Tok.getLocation(),
32890b57cec5SDimitry Andric          diag::warn_cxx98_compat_generalized_initializer_lists);
32900b57cec5SDimitry Andric     Initializer = ParseBraceInitializer();
32910b57cec5SDimitry Andric   }
32920b57cec5SDimitry Andric   if (Initializer.isInvalid())
32930b57cec5SDimitry Andric     return Initializer;
32940b57cec5SDimitry Andric 
32950b57cec5SDimitry Andric   return Actions.ActOnCXXNew(Start, UseGlobal, PlacementLParen,
32960b57cec5SDimitry Andric                              PlacementArgs, PlacementRParen,
32970b57cec5SDimitry Andric                              TypeIdParens, DeclaratorInfo, Initializer.get());
32980b57cec5SDimitry Andric }
32990b57cec5SDimitry Andric 
33000b57cec5SDimitry Andric /// ParseDirectNewDeclarator - Parses a direct-new-declarator. Intended to be
33010b57cec5SDimitry Andric /// passed to ParseDeclaratorInternal.
33020b57cec5SDimitry Andric ///
33030b57cec5SDimitry Andric ///        direct-new-declarator:
33040b57cec5SDimitry Andric ///                   '[' expression[opt] ']'
33050b57cec5SDimitry Andric ///                   direct-new-declarator '[' constant-expression ']'
33060b57cec5SDimitry Andric ///
33070b57cec5SDimitry Andric void Parser::ParseDirectNewDeclarator(Declarator &D) {
33080b57cec5SDimitry Andric   // Parse the array dimensions.
33090b57cec5SDimitry Andric   bool First = true;
33100b57cec5SDimitry Andric   while (Tok.is(tok::l_square)) {
33110b57cec5SDimitry Andric     // An array-size expression can't start with a lambda.
33120b57cec5SDimitry Andric     if (CheckProhibitedCXX11Attribute())
33130b57cec5SDimitry Andric       continue;
33140b57cec5SDimitry Andric 
33150b57cec5SDimitry Andric     BalancedDelimiterTracker T(*this, tok::l_square);
33160b57cec5SDimitry Andric     T.consumeOpen();
33170b57cec5SDimitry Andric 
33180b57cec5SDimitry Andric     ExprResult Size =
33190b57cec5SDimitry Andric         First ? (Tok.is(tok::r_square) ? ExprResult() : ParseExpression())
33200b57cec5SDimitry Andric               : ParseConstantExpression();
33210b57cec5SDimitry Andric     if (Size.isInvalid()) {
33220b57cec5SDimitry Andric       // Recover
33230b57cec5SDimitry Andric       SkipUntil(tok::r_square, StopAtSemi);
33240b57cec5SDimitry Andric       return;
33250b57cec5SDimitry Andric     }
33260b57cec5SDimitry Andric     First = false;
33270b57cec5SDimitry Andric 
33280b57cec5SDimitry Andric     T.consumeClose();
33290b57cec5SDimitry Andric 
33300b57cec5SDimitry Andric     // Attributes here appertain to the array type. C++11 [expr.new]p5.
33310b57cec5SDimitry Andric     ParsedAttributes Attrs(AttrFactory);
33320b57cec5SDimitry Andric     MaybeParseCXX11Attributes(Attrs);
33330b57cec5SDimitry Andric 
33340b57cec5SDimitry Andric     D.AddTypeInfo(DeclaratorChunk::getArray(0,
33350b57cec5SDimitry Andric                                             /*isStatic=*/false, /*isStar=*/false,
33360b57cec5SDimitry Andric                                             Size.get(), T.getOpenLocation(),
33370b57cec5SDimitry Andric                                             T.getCloseLocation()),
33380b57cec5SDimitry Andric                   std::move(Attrs), T.getCloseLocation());
33390b57cec5SDimitry Andric 
33400b57cec5SDimitry Andric     if (T.getCloseLocation().isInvalid())
33410b57cec5SDimitry Andric       return;
33420b57cec5SDimitry Andric   }
33430b57cec5SDimitry Andric }
33440b57cec5SDimitry Andric 
33450b57cec5SDimitry Andric /// ParseExpressionListOrTypeId - Parse either an expression-list or a type-id.
33460b57cec5SDimitry Andric /// This ambiguity appears in the syntax of the C++ new operator.
33470b57cec5SDimitry Andric ///
33480b57cec5SDimitry Andric ///        new-expression:
33490b57cec5SDimitry Andric ///                   '::'[opt] 'new' new-placement[opt] '(' type-id ')'
33500b57cec5SDimitry Andric ///                                     new-initializer[opt]
33510b57cec5SDimitry Andric ///
33520b57cec5SDimitry Andric ///        new-placement:
33530b57cec5SDimitry Andric ///                   '(' expression-list ')'
33540b57cec5SDimitry Andric ///
33550b57cec5SDimitry Andric bool Parser::ParseExpressionListOrTypeId(
33560b57cec5SDimitry Andric                                    SmallVectorImpl<Expr*> &PlacementArgs,
33570b57cec5SDimitry Andric                                          Declarator &D) {
33580b57cec5SDimitry Andric   // The '(' was already consumed.
33590b57cec5SDimitry Andric   if (isTypeIdInParens()) {
33600b57cec5SDimitry Andric     ParseSpecifierQualifierList(D.getMutableDeclSpec());
33610b57cec5SDimitry Andric     D.SetSourceRange(D.getDeclSpec().getSourceRange());
33620b57cec5SDimitry Andric     ParseDeclarator(D);
33630b57cec5SDimitry Andric     return D.isInvalidType();
33640b57cec5SDimitry Andric   }
33650b57cec5SDimitry Andric 
33660b57cec5SDimitry Andric   // It's not a type, it has to be an expression list.
3367bdd1243dSDimitry Andric   return ParseExpressionList(PlacementArgs);
33680b57cec5SDimitry Andric }
33690b57cec5SDimitry Andric 
33700b57cec5SDimitry Andric /// ParseCXXDeleteExpression - Parse a C++ delete-expression. Delete is used
33710b57cec5SDimitry Andric /// to free memory allocated by new.
33720b57cec5SDimitry Andric ///
33730b57cec5SDimitry Andric /// This method is called to parse the 'delete' expression after the optional
33740b57cec5SDimitry Andric /// '::' has been already parsed.  If the '::' was present, "UseGlobal" is true
33750b57cec5SDimitry Andric /// and "Start" is its location.  Otherwise, "Start" is the location of the
33760b57cec5SDimitry Andric /// 'delete' token.
33770b57cec5SDimitry Andric ///
33780b57cec5SDimitry Andric ///        delete-expression:
33790b57cec5SDimitry Andric ///                   '::'[opt] 'delete' cast-expression
33800b57cec5SDimitry Andric ///                   '::'[opt] 'delete' '[' ']' cast-expression
33810b57cec5SDimitry Andric ExprResult
33820b57cec5SDimitry Andric Parser::ParseCXXDeleteExpression(bool UseGlobal, SourceLocation Start) {
33830b57cec5SDimitry Andric   assert(Tok.is(tok::kw_delete) && "Expected 'delete' keyword");
33840b57cec5SDimitry Andric   ConsumeToken(); // Consume 'delete'
33850b57cec5SDimitry Andric 
33860b57cec5SDimitry Andric   // Array delete?
33870b57cec5SDimitry Andric   bool ArrayDelete = false;
33880b57cec5SDimitry Andric   if (Tok.is(tok::l_square) && NextToken().is(tok::r_square)) {
33890b57cec5SDimitry Andric     // C++11 [expr.delete]p1:
33900b57cec5SDimitry Andric     //   Whenever the delete keyword is followed by empty square brackets, it
33910b57cec5SDimitry Andric     //   shall be interpreted as [array delete].
33920b57cec5SDimitry Andric     //   [Footnote: A lambda expression with a lambda-introducer that consists
33930b57cec5SDimitry Andric     //              of empty square brackets can follow the delete keyword if
33940b57cec5SDimitry Andric     //              the lambda expression is enclosed in parentheses.]
33950b57cec5SDimitry Andric 
33960b57cec5SDimitry Andric     const Token Next = GetLookAheadToken(2);
33970b57cec5SDimitry Andric 
33980b57cec5SDimitry Andric     // Basic lookahead to check if we have a lambda expression.
33990b57cec5SDimitry Andric     if (Next.isOneOf(tok::l_brace, tok::less) ||
34000b57cec5SDimitry Andric         (Next.is(tok::l_paren) &&
34010b57cec5SDimitry Andric          (GetLookAheadToken(3).is(tok::r_paren) ||
34020b57cec5SDimitry Andric           (GetLookAheadToken(3).is(tok::identifier) &&
34030b57cec5SDimitry Andric            GetLookAheadToken(4).is(tok::identifier))))) {
34040b57cec5SDimitry Andric       TentativeParsingAction TPA(*this);
34050b57cec5SDimitry Andric       SourceLocation LSquareLoc = Tok.getLocation();
34060b57cec5SDimitry Andric       SourceLocation RSquareLoc = NextToken().getLocation();
34070b57cec5SDimitry Andric 
34080b57cec5SDimitry Andric       // SkipUntil can't skip pairs of </*...*/>; don't emit a FixIt in this
34090b57cec5SDimitry Andric       // case.
34100b57cec5SDimitry Andric       SkipUntil({tok::l_brace, tok::less}, StopBeforeMatch);
34110b57cec5SDimitry Andric       SourceLocation RBraceLoc;
34120b57cec5SDimitry Andric       bool EmitFixIt = false;
34130b57cec5SDimitry Andric       if (Tok.is(tok::l_brace)) {
34140b57cec5SDimitry Andric         ConsumeBrace();
34150b57cec5SDimitry Andric         SkipUntil(tok::r_brace, StopBeforeMatch);
34160b57cec5SDimitry Andric         RBraceLoc = Tok.getLocation();
34170b57cec5SDimitry Andric         EmitFixIt = true;
34180b57cec5SDimitry Andric       }
34190b57cec5SDimitry Andric 
34200b57cec5SDimitry Andric       TPA.Revert();
34210b57cec5SDimitry Andric 
34220b57cec5SDimitry Andric       if (EmitFixIt)
34230b57cec5SDimitry Andric         Diag(Start, diag::err_lambda_after_delete)
34240b57cec5SDimitry Andric             << SourceRange(Start, RSquareLoc)
34250b57cec5SDimitry Andric             << FixItHint::CreateInsertion(LSquareLoc, "(")
34260b57cec5SDimitry Andric             << FixItHint::CreateInsertion(
34270b57cec5SDimitry Andric                    Lexer::getLocForEndOfToken(
34280b57cec5SDimitry Andric                        RBraceLoc, 0, Actions.getSourceManager(), getLangOpts()),
34290b57cec5SDimitry Andric                    ")");
34300b57cec5SDimitry Andric       else
34310b57cec5SDimitry Andric         Diag(Start, diag::err_lambda_after_delete)
34320b57cec5SDimitry Andric             << SourceRange(Start, RSquareLoc);
34330b57cec5SDimitry Andric 
34340b57cec5SDimitry Andric       // Warn that the non-capturing lambda isn't surrounded by parentheses
34350b57cec5SDimitry Andric       // to disambiguate it from 'delete[]'.
34360b57cec5SDimitry Andric       ExprResult Lambda = ParseLambdaExpression();
34370b57cec5SDimitry Andric       if (Lambda.isInvalid())
34380b57cec5SDimitry Andric         return ExprError();
34390b57cec5SDimitry Andric 
34400b57cec5SDimitry Andric       // Evaluate any postfix expressions used on the lambda.
34410b57cec5SDimitry Andric       Lambda = ParsePostfixExpressionSuffix(Lambda);
34420b57cec5SDimitry Andric       if (Lambda.isInvalid())
34430b57cec5SDimitry Andric         return ExprError();
34440b57cec5SDimitry Andric       return Actions.ActOnCXXDelete(Start, UseGlobal, /*ArrayForm=*/false,
34450b57cec5SDimitry Andric                                     Lambda.get());
34460b57cec5SDimitry Andric     }
34470b57cec5SDimitry Andric 
34480b57cec5SDimitry Andric     ArrayDelete = true;
34490b57cec5SDimitry Andric     BalancedDelimiterTracker T(*this, tok::l_square);
34500b57cec5SDimitry Andric 
34510b57cec5SDimitry Andric     T.consumeOpen();
34520b57cec5SDimitry Andric     T.consumeClose();
34530b57cec5SDimitry Andric     if (T.getCloseLocation().isInvalid())
34540b57cec5SDimitry Andric       return ExprError();
34550b57cec5SDimitry Andric   }
34560b57cec5SDimitry Andric 
3457480093f4SDimitry Andric   ExprResult Operand(ParseCastExpression(AnyCastExpr));
34580b57cec5SDimitry Andric   if (Operand.isInvalid())
34590b57cec5SDimitry Andric     return Operand;
34600b57cec5SDimitry Andric 
34610b57cec5SDimitry Andric   return Actions.ActOnCXXDelete(Start, UseGlobal, ArrayDelete, Operand.get());
34620b57cec5SDimitry Andric }
34630b57cec5SDimitry Andric 
346455e4f9d5SDimitry Andric /// ParseRequiresExpression - Parse a C++2a requires-expression.
346555e4f9d5SDimitry Andric /// C++2a [expr.prim.req]p1
346655e4f9d5SDimitry Andric ///     A requires-expression provides a concise way to express requirements on
346755e4f9d5SDimitry Andric ///     template arguments. A requirement is one that can be checked by name
346855e4f9d5SDimitry Andric ///     lookup (6.4) or by checking properties of types and expressions.
346955e4f9d5SDimitry Andric ///
347055e4f9d5SDimitry Andric ///     requires-expression:
347155e4f9d5SDimitry Andric ///         'requires' requirement-parameter-list[opt] requirement-body
347255e4f9d5SDimitry Andric ///
347355e4f9d5SDimitry Andric ///     requirement-parameter-list:
347455e4f9d5SDimitry Andric ///         '(' parameter-declaration-clause[opt] ')'
347555e4f9d5SDimitry Andric ///
347655e4f9d5SDimitry Andric ///     requirement-body:
347755e4f9d5SDimitry Andric ///         '{' requirement-seq '}'
347855e4f9d5SDimitry Andric ///
347955e4f9d5SDimitry Andric ///     requirement-seq:
348055e4f9d5SDimitry Andric ///         requirement
348155e4f9d5SDimitry Andric ///         requirement-seq requirement
348255e4f9d5SDimitry Andric ///
348355e4f9d5SDimitry Andric ///     requirement:
348455e4f9d5SDimitry Andric ///         simple-requirement
348555e4f9d5SDimitry Andric ///         type-requirement
348655e4f9d5SDimitry Andric ///         compound-requirement
348755e4f9d5SDimitry Andric ///         nested-requirement
348855e4f9d5SDimitry Andric ExprResult Parser::ParseRequiresExpression() {
348955e4f9d5SDimitry Andric   assert(Tok.is(tok::kw_requires) && "Expected 'requires' keyword");
349055e4f9d5SDimitry Andric   SourceLocation RequiresKWLoc = ConsumeToken(); // Consume 'requires'
349155e4f9d5SDimitry Andric 
349255e4f9d5SDimitry Andric   llvm::SmallVector<ParmVarDecl *, 2> LocalParameterDecls;
34935f757f3fSDimitry Andric   BalancedDelimiterTracker Parens(*this, tok::l_paren);
349455e4f9d5SDimitry Andric   if (Tok.is(tok::l_paren)) {
349555e4f9d5SDimitry Andric     // requirement parameter list is present.
349655e4f9d5SDimitry Andric     ParseScope LocalParametersScope(this, Scope::FunctionPrototypeScope |
349755e4f9d5SDimitry Andric                                     Scope::DeclScope);
349855e4f9d5SDimitry Andric     Parens.consumeOpen();
349955e4f9d5SDimitry Andric     if (!Tok.is(tok::r_paren)) {
350055e4f9d5SDimitry Andric       ParsedAttributes FirstArgAttrs(getAttrFactory());
350155e4f9d5SDimitry Andric       SourceLocation EllipsisLoc;
350255e4f9d5SDimitry Andric       llvm::SmallVector<DeclaratorChunk::ParamInfo, 2> LocalParameters;
3503e8d8bef9SDimitry Andric       ParseParameterDeclarationClause(DeclaratorContext::RequiresExpr,
350455e4f9d5SDimitry Andric                                       FirstArgAttrs, LocalParameters,
350555e4f9d5SDimitry Andric                                       EllipsisLoc);
350655e4f9d5SDimitry Andric       if (EllipsisLoc.isValid())
350755e4f9d5SDimitry Andric         Diag(EllipsisLoc, diag::err_requires_expr_parameter_list_ellipsis);
350855e4f9d5SDimitry Andric       for (auto &ParamInfo : LocalParameters)
350955e4f9d5SDimitry Andric         LocalParameterDecls.push_back(cast<ParmVarDecl>(ParamInfo.Param));
351055e4f9d5SDimitry Andric     }
351155e4f9d5SDimitry Andric     Parens.consumeClose();
351255e4f9d5SDimitry Andric   }
351355e4f9d5SDimitry Andric 
351455e4f9d5SDimitry Andric   BalancedDelimiterTracker Braces(*this, tok::l_brace);
351555e4f9d5SDimitry Andric   if (Braces.expectAndConsume())
351655e4f9d5SDimitry Andric     return ExprError();
351755e4f9d5SDimitry Andric 
351855e4f9d5SDimitry Andric   // Start of requirement list
351955e4f9d5SDimitry Andric   llvm::SmallVector<concepts::Requirement *, 2> Requirements;
352055e4f9d5SDimitry Andric 
352155e4f9d5SDimitry Andric   // C++2a [expr.prim.req]p2
352255e4f9d5SDimitry Andric   //   Expressions appearing within a requirement-body are unevaluated operands.
352355e4f9d5SDimitry Andric   EnterExpressionEvaluationContext Ctx(
352455e4f9d5SDimitry Andric       Actions, Sema::ExpressionEvaluationContext::Unevaluated);
352555e4f9d5SDimitry Andric 
352655e4f9d5SDimitry Andric   ParseScope BodyScope(this, Scope::DeclScope);
3527bdd1243dSDimitry Andric   // Create a separate diagnostic pool for RequiresExprBodyDecl.
3528bdd1243dSDimitry Andric   // Dependent diagnostics are attached to this Decl and non-depenedent
3529bdd1243dSDimitry Andric   // diagnostics are surfaced after this parse.
3530bdd1243dSDimitry Andric   ParsingDeclRAIIObject ParsingBodyDecl(*this, ParsingDeclRAIIObject::NoParent);
353155e4f9d5SDimitry Andric   RequiresExprBodyDecl *Body = Actions.ActOnStartRequiresExpr(
353255e4f9d5SDimitry Andric       RequiresKWLoc, LocalParameterDecls, getCurScope());
353355e4f9d5SDimitry Andric 
353455e4f9d5SDimitry Andric   if (Tok.is(tok::r_brace)) {
353555e4f9d5SDimitry Andric     // Grammar does not allow an empty body.
353655e4f9d5SDimitry Andric     // requirement-body:
353755e4f9d5SDimitry Andric     //   { requirement-seq }
353855e4f9d5SDimitry Andric     // requirement-seq:
353955e4f9d5SDimitry Andric     //   requirement
354055e4f9d5SDimitry Andric     //   requirement-seq requirement
354155e4f9d5SDimitry Andric     Diag(Tok, diag::err_empty_requires_expr);
354255e4f9d5SDimitry Andric     // Continue anyway and produce a requires expr with no requirements.
354355e4f9d5SDimitry Andric   } else {
354455e4f9d5SDimitry Andric     while (!Tok.is(tok::r_brace)) {
354555e4f9d5SDimitry Andric       switch (Tok.getKind()) {
354655e4f9d5SDimitry Andric       case tok::l_brace: {
354755e4f9d5SDimitry Andric         // Compound requirement
354855e4f9d5SDimitry Andric         // C++ [expr.prim.req.compound]
354955e4f9d5SDimitry Andric         //     compound-requirement:
355055e4f9d5SDimitry Andric         //         '{' expression '}' 'noexcept'[opt]
355155e4f9d5SDimitry Andric         //             return-type-requirement[opt] ';'
355255e4f9d5SDimitry Andric         //     return-type-requirement:
355355e4f9d5SDimitry Andric         //         trailing-return-type
355455e4f9d5SDimitry Andric         //         '->' cv-qualifier-seq[opt] constrained-parameter
355555e4f9d5SDimitry Andric         //             cv-qualifier-seq[opt] abstract-declarator[opt]
355655e4f9d5SDimitry Andric         BalancedDelimiterTracker ExprBraces(*this, tok::l_brace);
355755e4f9d5SDimitry Andric         ExprBraces.consumeOpen();
355855e4f9d5SDimitry Andric         ExprResult Expression =
355955e4f9d5SDimitry Andric             Actions.CorrectDelayedTyposInExpr(ParseExpression());
356055e4f9d5SDimitry Andric         if (!Expression.isUsable()) {
356155e4f9d5SDimitry Andric           ExprBraces.skipToEnd();
356255e4f9d5SDimitry Andric           SkipUntil(tok::semi, tok::r_brace, SkipUntilFlags::StopBeforeMatch);
356355e4f9d5SDimitry Andric           break;
356455e4f9d5SDimitry Andric         }
356555e4f9d5SDimitry Andric         if (ExprBraces.consumeClose())
356655e4f9d5SDimitry Andric           ExprBraces.skipToEnd();
356755e4f9d5SDimitry Andric 
356855e4f9d5SDimitry Andric         concepts::Requirement *Req = nullptr;
356955e4f9d5SDimitry Andric         SourceLocation NoexceptLoc;
357055e4f9d5SDimitry Andric         TryConsumeToken(tok::kw_noexcept, NoexceptLoc);
357155e4f9d5SDimitry Andric         if (Tok.is(tok::semi)) {
357255e4f9d5SDimitry Andric           Req = Actions.ActOnCompoundRequirement(Expression.get(), NoexceptLoc);
357355e4f9d5SDimitry Andric           if (Req)
357455e4f9d5SDimitry Andric             Requirements.push_back(Req);
357555e4f9d5SDimitry Andric           break;
357655e4f9d5SDimitry Andric         }
357755e4f9d5SDimitry Andric         if (!TryConsumeToken(tok::arrow))
357855e4f9d5SDimitry Andric           // User probably forgot the arrow, remind them and try to continue.
357955e4f9d5SDimitry Andric           Diag(Tok, diag::err_requires_expr_missing_arrow)
358055e4f9d5SDimitry Andric               << FixItHint::CreateInsertion(Tok.getLocation(), "->");
358155e4f9d5SDimitry Andric         // Try to parse a 'type-constraint'
358255e4f9d5SDimitry Andric         if (TryAnnotateTypeConstraint()) {
358355e4f9d5SDimitry Andric           SkipUntil(tok::semi, tok::r_brace, SkipUntilFlags::StopBeforeMatch);
358455e4f9d5SDimitry Andric           break;
358555e4f9d5SDimitry Andric         }
358655e4f9d5SDimitry Andric         if (!isTypeConstraintAnnotation()) {
358755e4f9d5SDimitry Andric           Diag(Tok, diag::err_requires_expr_expected_type_constraint);
358855e4f9d5SDimitry Andric           SkipUntil(tok::semi, tok::r_brace, SkipUntilFlags::StopBeforeMatch);
358955e4f9d5SDimitry Andric           break;
359055e4f9d5SDimitry Andric         }
359113138422SDimitry Andric         CXXScopeSpec SS;
359213138422SDimitry Andric         if (Tok.is(tok::annot_cxxscope)) {
359313138422SDimitry Andric           Actions.RestoreNestedNameSpecifierAnnotation(Tok.getAnnotationValue(),
359413138422SDimitry Andric                                                        Tok.getAnnotationRange(),
359513138422SDimitry Andric                                                        SS);
359655e4f9d5SDimitry Andric           ConsumeAnnotationToken();
359713138422SDimitry Andric         }
359855e4f9d5SDimitry Andric 
359955e4f9d5SDimitry Andric         Req = Actions.ActOnCompoundRequirement(
360055e4f9d5SDimitry Andric             Expression.get(), NoexceptLoc, SS, takeTemplateIdAnnotation(Tok),
360155e4f9d5SDimitry Andric             TemplateParameterDepth);
360255e4f9d5SDimitry Andric         ConsumeAnnotationToken();
360355e4f9d5SDimitry Andric         if (Req)
360455e4f9d5SDimitry Andric           Requirements.push_back(Req);
360555e4f9d5SDimitry Andric         break;
360655e4f9d5SDimitry Andric       }
360755e4f9d5SDimitry Andric       default: {
360855e4f9d5SDimitry Andric         bool PossibleRequiresExprInSimpleRequirement = false;
360955e4f9d5SDimitry Andric         if (Tok.is(tok::kw_requires)) {
361055e4f9d5SDimitry Andric           auto IsNestedRequirement = [&] {
361155e4f9d5SDimitry Andric             RevertingTentativeParsingAction TPA(*this);
361255e4f9d5SDimitry Andric             ConsumeToken(); // 'requires'
361355e4f9d5SDimitry Andric             if (Tok.is(tok::l_brace))
361455e4f9d5SDimitry Andric               // This is a requires expression
361555e4f9d5SDimitry Andric               // requires (T t) {
361655e4f9d5SDimitry Andric               //   requires { t++; };
361755e4f9d5SDimitry Andric               //   ...      ^
361855e4f9d5SDimitry Andric               // }
361955e4f9d5SDimitry Andric               return false;
362055e4f9d5SDimitry Andric             if (Tok.is(tok::l_paren)) {
362155e4f9d5SDimitry Andric               // This might be the parameter list of a requires expression
362255e4f9d5SDimitry Andric               ConsumeParen();
362355e4f9d5SDimitry Andric               auto Res = TryParseParameterDeclarationClause();
362455e4f9d5SDimitry Andric               if (Res != TPResult::False) {
362555e4f9d5SDimitry Andric                 // Skip to the closing parenthesis
362655e4f9d5SDimitry Andric                 unsigned Depth = 1;
362755e4f9d5SDimitry Andric                 while (Depth != 0) {
36285f757f3fSDimitry Andric                   bool FoundParen = SkipUntil(tok::l_paren, tok::r_paren,
36295f757f3fSDimitry Andric                                               SkipUntilFlags::StopBeforeMatch);
36305f757f3fSDimitry Andric                   if (!FoundParen)
36315f757f3fSDimitry Andric                     break;
363255e4f9d5SDimitry Andric                   if (Tok.is(tok::l_paren))
363355e4f9d5SDimitry Andric                     Depth++;
363455e4f9d5SDimitry Andric                   else if (Tok.is(tok::r_paren))
363555e4f9d5SDimitry Andric                     Depth--;
363655e4f9d5SDimitry Andric                   ConsumeAnyToken();
363755e4f9d5SDimitry Andric                 }
363855e4f9d5SDimitry Andric                 // requires (T t) {
363955e4f9d5SDimitry Andric                 //   requires () ?
364055e4f9d5SDimitry Andric                 //   ...         ^
364155e4f9d5SDimitry Andric                 //   - OR -
364255e4f9d5SDimitry Andric                 //   requires (int x) ?
364355e4f9d5SDimitry Andric                 //   ...              ^
364455e4f9d5SDimitry Andric                 // }
364555e4f9d5SDimitry Andric                 if (Tok.is(tok::l_brace))
364655e4f9d5SDimitry Andric                   // requires (...) {
364755e4f9d5SDimitry Andric                   //                ^ - a requires expression as a
364855e4f9d5SDimitry Andric                   //                    simple-requirement.
364955e4f9d5SDimitry Andric                   return false;
365055e4f9d5SDimitry Andric               }
365155e4f9d5SDimitry Andric             }
365255e4f9d5SDimitry Andric             return true;
365355e4f9d5SDimitry Andric           };
365455e4f9d5SDimitry Andric           if (IsNestedRequirement()) {
365555e4f9d5SDimitry Andric             ConsumeToken();
365655e4f9d5SDimitry Andric             // Nested requirement
365755e4f9d5SDimitry Andric             // C++ [expr.prim.req.nested]
365855e4f9d5SDimitry Andric             //     nested-requirement:
365955e4f9d5SDimitry Andric             //         'requires' constraint-expression ';'
366055e4f9d5SDimitry Andric             ExprResult ConstraintExpr =
366155e4f9d5SDimitry Andric                 Actions.CorrectDelayedTyposInExpr(ParseConstraintExpression());
366255e4f9d5SDimitry Andric             if (ConstraintExpr.isInvalid() || !ConstraintExpr.isUsable()) {
366355e4f9d5SDimitry Andric               SkipUntil(tok::semi, tok::r_brace,
366455e4f9d5SDimitry Andric                         SkipUntilFlags::StopBeforeMatch);
366555e4f9d5SDimitry Andric               break;
366655e4f9d5SDimitry Andric             }
366755e4f9d5SDimitry Andric             if (auto *Req =
366855e4f9d5SDimitry Andric                     Actions.ActOnNestedRequirement(ConstraintExpr.get()))
366955e4f9d5SDimitry Andric               Requirements.push_back(Req);
367055e4f9d5SDimitry Andric             else {
367155e4f9d5SDimitry Andric               SkipUntil(tok::semi, tok::r_brace,
367255e4f9d5SDimitry Andric                         SkipUntilFlags::StopBeforeMatch);
367355e4f9d5SDimitry Andric               break;
367455e4f9d5SDimitry Andric             }
367555e4f9d5SDimitry Andric             break;
367655e4f9d5SDimitry Andric           } else
367755e4f9d5SDimitry Andric             PossibleRequiresExprInSimpleRequirement = true;
367855e4f9d5SDimitry Andric         } else if (Tok.is(tok::kw_typename)) {
367955e4f9d5SDimitry Andric           // This might be 'typename T::value_type;' (a type requirement) or
368055e4f9d5SDimitry Andric           // 'typename T::value_type{};' (a simple requirement).
368155e4f9d5SDimitry Andric           TentativeParsingAction TPA(*this);
368255e4f9d5SDimitry Andric 
368355e4f9d5SDimitry Andric           // We need to consume the typename to allow 'requires { typename a; }'
368455e4f9d5SDimitry Andric           SourceLocation TypenameKWLoc = ConsumeToken();
368504eeddc0SDimitry Andric           if (TryAnnotateOptionalCXXScopeToken()) {
368613138422SDimitry Andric             TPA.Commit();
368755e4f9d5SDimitry Andric             SkipUntil(tok::semi, tok::r_brace, SkipUntilFlags::StopBeforeMatch);
368855e4f9d5SDimitry Andric             break;
368955e4f9d5SDimitry Andric           }
369055e4f9d5SDimitry Andric           CXXScopeSpec SS;
369155e4f9d5SDimitry Andric           if (Tok.is(tok::annot_cxxscope)) {
369255e4f9d5SDimitry Andric             Actions.RestoreNestedNameSpecifierAnnotation(
369355e4f9d5SDimitry Andric                 Tok.getAnnotationValue(), Tok.getAnnotationRange(), SS);
369455e4f9d5SDimitry Andric             ConsumeAnnotationToken();
369555e4f9d5SDimitry Andric           }
369655e4f9d5SDimitry Andric 
369755e4f9d5SDimitry Andric           if (Tok.isOneOf(tok::identifier, tok::annot_template_id) &&
369855e4f9d5SDimitry Andric               !NextToken().isOneOf(tok::l_brace, tok::l_paren)) {
369955e4f9d5SDimitry Andric             TPA.Commit();
370055e4f9d5SDimitry Andric             SourceLocation NameLoc = Tok.getLocation();
370155e4f9d5SDimitry Andric             IdentifierInfo *II = nullptr;
370255e4f9d5SDimitry Andric             TemplateIdAnnotation *TemplateId = nullptr;
370355e4f9d5SDimitry Andric             if (Tok.is(tok::identifier)) {
370455e4f9d5SDimitry Andric               II = Tok.getIdentifierInfo();
370555e4f9d5SDimitry Andric               ConsumeToken();
370655e4f9d5SDimitry Andric             } else {
370755e4f9d5SDimitry Andric               TemplateId = takeTemplateIdAnnotation(Tok);
370855e4f9d5SDimitry Andric               ConsumeAnnotationToken();
37095ffd83dbSDimitry Andric               if (TemplateId->isInvalid())
37105ffd83dbSDimitry Andric                 break;
371155e4f9d5SDimitry Andric             }
371255e4f9d5SDimitry Andric 
371355e4f9d5SDimitry Andric             if (auto *Req = Actions.ActOnTypeRequirement(TypenameKWLoc, SS,
371455e4f9d5SDimitry Andric                                                          NameLoc, II,
371555e4f9d5SDimitry Andric                                                          TemplateId)) {
371655e4f9d5SDimitry Andric               Requirements.push_back(Req);
371755e4f9d5SDimitry Andric             }
371855e4f9d5SDimitry Andric             break;
371955e4f9d5SDimitry Andric           }
372055e4f9d5SDimitry Andric           TPA.Revert();
372155e4f9d5SDimitry Andric         }
372255e4f9d5SDimitry Andric         // Simple requirement
372355e4f9d5SDimitry Andric         // C++ [expr.prim.req.simple]
372455e4f9d5SDimitry Andric         //     simple-requirement:
372555e4f9d5SDimitry Andric         //         expression ';'
372655e4f9d5SDimitry Andric         SourceLocation StartLoc = Tok.getLocation();
372755e4f9d5SDimitry Andric         ExprResult Expression =
372855e4f9d5SDimitry Andric             Actions.CorrectDelayedTyposInExpr(ParseExpression());
372955e4f9d5SDimitry Andric         if (!Expression.isUsable()) {
373055e4f9d5SDimitry Andric           SkipUntil(tok::semi, tok::r_brace, SkipUntilFlags::StopBeforeMatch);
373155e4f9d5SDimitry Andric           break;
373255e4f9d5SDimitry Andric         }
373355e4f9d5SDimitry Andric         if (!Expression.isInvalid() && PossibleRequiresExprInSimpleRequirement)
3734349cc55cSDimitry Andric           Diag(StartLoc, diag::err_requires_expr_in_simple_requirement)
373555e4f9d5SDimitry Andric               << FixItHint::CreateInsertion(StartLoc, "requires");
373655e4f9d5SDimitry Andric         if (auto *Req = Actions.ActOnSimpleRequirement(Expression.get()))
373755e4f9d5SDimitry Andric           Requirements.push_back(Req);
373855e4f9d5SDimitry Andric         else {
373955e4f9d5SDimitry Andric           SkipUntil(tok::semi, tok::r_brace, SkipUntilFlags::StopBeforeMatch);
374055e4f9d5SDimitry Andric           break;
374155e4f9d5SDimitry Andric         }
374255e4f9d5SDimitry Andric         // User may have tried to put some compound requirement stuff here
374355e4f9d5SDimitry Andric         if (Tok.is(tok::kw_noexcept)) {
374455e4f9d5SDimitry Andric           Diag(Tok, diag::err_requires_expr_simple_requirement_noexcept)
374555e4f9d5SDimitry Andric               << FixItHint::CreateInsertion(StartLoc, "{")
374655e4f9d5SDimitry Andric               << FixItHint::CreateInsertion(Tok.getLocation(), "}");
374755e4f9d5SDimitry Andric           SkipUntil(tok::semi, tok::r_brace, SkipUntilFlags::StopBeforeMatch);
374855e4f9d5SDimitry Andric           break;
374955e4f9d5SDimitry Andric         }
375055e4f9d5SDimitry Andric         break;
375155e4f9d5SDimitry Andric       }
375255e4f9d5SDimitry Andric       }
375355e4f9d5SDimitry Andric       if (ExpectAndConsumeSemi(diag::err_expected_semi_requirement)) {
375455e4f9d5SDimitry Andric         SkipUntil(tok::semi, tok::r_brace, SkipUntilFlags::StopBeforeMatch);
375555e4f9d5SDimitry Andric         TryConsumeToken(tok::semi);
375655e4f9d5SDimitry Andric         break;
375755e4f9d5SDimitry Andric       }
375855e4f9d5SDimitry Andric     }
375955e4f9d5SDimitry Andric     if (Requirements.empty()) {
376055e4f9d5SDimitry Andric       // Don't emit an empty requires expr here to avoid confusing the user with
376155e4f9d5SDimitry Andric       // other diagnostics quoting an empty requires expression they never
376255e4f9d5SDimitry Andric       // wrote.
376355e4f9d5SDimitry Andric       Braces.consumeClose();
376455e4f9d5SDimitry Andric       Actions.ActOnFinishRequiresExpr();
376555e4f9d5SDimitry Andric       return ExprError();
376655e4f9d5SDimitry Andric     }
376755e4f9d5SDimitry Andric   }
376855e4f9d5SDimitry Andric   Braces.consumeClose();
376955e4f9d5SDimitry Andric   Actions.ActOnFinishRequiresExpr();
3770bdd1243dSDimitry Andric   ParsingBodyDecl.complete(Body);
37715f757f3fSDimitry Andric   return Actions.ActOnRequiresExpr(
37725f757f3fSDimitry Andric       RequiresKWLoc, Body, Parens.getOpenLocation(), LocalParameterDecls,
37735f757f3fSDimitry Andric       Parens.getCloseLocation(), Requirements, Braces.getCloseLocation());
377455e4f9d5SDimitry Andric }
377555e4f9d5SDimitry Andric 
37760b57cec5SDimitry Andric static TypeTrait TypeTraitFromTokKind(tok::TokenKind kind) {
37770b57cec5SDimitry Andric   switch (kind) {
37780b57cec5SDimitry Andric   default: llvm_unreachable("Not a known type trait");
37790b57cec5SDimitry Andric #define TYPE_TRAIT_1(Spelling, Name, Key) \
37800b57cec5SDimitry Andric case tok::kw_ ## Spelling: return UTT_ ## Name;
37810b57cec5SDimitry Andric #define TYPE_TRAIT_2(Spelling, Name, Key) \
37820b57cec5SDimitry Andric case tok::kw_ ## Spelling: return BTT_ ## Name;
37830b57cec5SDimitry Andric #include "clang/Basic/TokenKinds.def"
37840b57cec5SDimitry Andric #define TYPE_TRAIT_N(Spelling, Name, Key) \
37850b57cec5SDimitry Andric   case tok::kw_ ## Spelling: return TT_ ## Name;
37860b57cec5SDimitry Andric #include "clang/Basic/TokenKinds.def"
37870b57cec5SDimitry Andric   }
37880b57cec5SDimitry Andric }
37890b57cec5SDimitry Andric 
37900b57cec5SDimitry Andric static ArrayTypeTrait ArrayTypeTraitFromTokKind(tok::TokenKind kind) {
37910b57cec5SDimitry Andric   switch (kind) {
37925ffd83dbSDimitry Andric   default:
37935ffd83dbSDimitry Andric     llvm_unreachable("Not a known array type trait");
37945ffd83dbSDimitry Andric #define ARRAY_TYPE_TRAIT(Spelling, Name, Key)                                  \
37955ffd83dbSDimitry Andric   case tok::kw_##Spelling:                                                     \
37965ffd83dbSDimitry Andric     return ATT_##Name;
37975ffd83dbSDimitry Andric #include "clang/Basic/TokenKinds.def"
37980b57cec5SDimitry Andric   }
37990b57cec5SDimitry Andric }
38000b57cec5SDimitry Andric 
38010b57cec5SDimitry Andric static ExpressionTrait ExpressionTraitFromTokKind(tok::TokenKind kind) {
38020b57cec5SDimitry Andric   switch (kind) {
38035ffd83dbSDimitry Andric   default:
38045ffd83dbSDimitry Andric     llvm_unreachable("Not a known unary expression trait.");
38055ffd83dbSDimitry Andric #define EXPRESSION_TRAIT(Spelling, Name, Key)                                  \
38065ffd83dbSDimitry Andric   case tok::kw_##Spelling:                                                     \
38075ffd83dbSDimitry Andric     return ET_##Name;
38085ffd83dbSDimitry Andric #include "clang/Basic/TokenKinds.def"
38090b57cec5SDimitry Andric   }
38100b57cec5SDimitry Andric }
38110b57cec5SDimitry Andric 
38120b57cec5SDimitry Andric /// Parse the built-in type-trait pseudo-functions that allow
38130b57cec5SDimitry Andric /// implementation of the TR1/C++11 type traits templates.
38140b57cec5SDimitry Andric ///
38150b57cec5SDimitry Andric ///       primary-expression:
38160b57cec5SDimitry Andric ///          unary-type-trait '(' type-id ')'
38170b57cec5SDimitry Andric ///          binary-type-trait '(' type-id ',' type-id ')'
38180b57cec5SDimitry Andric ///          type-trait '(' type-id-seq ')'
38190b57cec5SDimitry Andric ///
38200b57cec5SDimitry Andric ///       type-id-seq:
38210b57cec5SDimitry Andric ///          type-id ...[opt] type-id-seq[opt]
38220b57cec5SDimitry Andric ///
38230b57cec5SDimitry Andric ExprResult Parser::ParseTypeTrait() {
38240b57cec5SDimitry Andric   tok::TokenKind Kind = Tok.getKind();
38250b57cec5SDimitry Andric 
38260b57cec5SDimitry Andric   SourceLocation Loc = ConsumeToken();
38270b57cec5SDimitry Andric 
38280b57cec5SDimitry Andric   BalancedDelimiterTracker Parens(*this, tok::l_paren);
38290b57cec5SDimitry Andric   if (Parens.expectAndConsume())
38300b57cec5SDimitry Andric     return ExprError();
38310b57cec5SDimitry Andric 
38320b57cec5SDimitry Andric   SmallVector<ParsedType, 2> Args;
38330b57cec5SDimitry Andric   do {
38340b57cec5SDimitry Andric     // Parse the next type.
38350b57cec5SDimitry Andric     TypeResult Ty = ParseTypeName();
38360b57cec5SDimitry Andric     if (Ty.isInvalid()) {
38370b57cec5SDimitry Andric       Parens.skipToEnd();
38380b57cec5SDimitry Andric       return ExprError();
38390b57cec5SDimitry Andric     }
38400b57cec5SDimitry Andric 
38410b57cec5SDimitry Andric     // Parse the ellipsis, if present.
38420b57cec5SDimitry Andric     if (Tok.is(tok::ellipsis)) {
38430b57cec5SDimitry Andric       Ty = Actions.ActOnPackExpansion(Ty.get(), ConsumeToken());
38440b57cec5SDimitry Andric       if (Ty.isInvalid()) {
38450b57cec5SDimitry Andric         Parens.skipToEnd();
38460b57cec5SDimitry Andric         return ExprError();
38470b57cec5SDimitry Andric       }
38480b57cec5SDimitry Andric     }
38490b57cec5SDimitry Andric 
38500b57cec5SDimitry Andric     // Add this type to the list of arguments.
38510b57cec5SDimitry Andric     Args.push_back(Ty.get());
38520b57cec5SDimitry Andric   } while (TryConsumeToken(tok::comma));
38530b57cec5SDimitry Andric 
38540b57cec5SDimitry Andric   if (Parens.consumeClose())
38550b57cec5SDimitry Andric     return ExprError();
38560b57cec5SDimitry Andric 
38570b57cec5SDimitry Andric   SourceLocation EndLoc = Parens.getCloseLocation();
38580b57cec5SDimitry Andric 
38590b57cec5SDimitry Andric   return Actions.ActOnTypeTrait(TypeTraitFromTokKind(Kind), Loc, Args, EndLoc);
38600b57cec5SDimitry Andric }
38610b57cec5SDimitry Andric 
38620b57cec5SDimitry Andric /// ParseArrayTypeTrait - Parse the built-in array type-trait
38630b57cec5SDimitry Andric /// pseudo-functions.
38640b57cec5SDimitry Andric ///
38650b57cec5SDimitry Andric ///       primary-expression:
38660b57cec5SDimitry Andric /// [Embarcadero]     '__array_rank' '(' type-id ')'
38670b57cec5SDimitry Andric /// [Embarcadero]     '__array_extent' '(' type-id ',' expression ')'
38680b57cec5SDimitry Andric ///
38690b57cec5SDimitry Andric ExprResult Parser::ParseArrayTypeTrait() {
38700b57cec5SDimitry Andric   ArrayTypeTrait ATT = ArrayTypeTraitFromTokKind(Tok.getKind());
38710b57cec5SDimitry Andric   SourceLocation Loc = ConsumeToken();
38720b57cec5SDimitry Andric 
38730b57cec5SDimitry Andric   BalancedDelimiterTracker T(*this, tok::l_paren);
38740b57cec5SDimitry Andric   if (T.expectAndConsume())
38750b57cec5SDimitry Andric     return ExprError();
38760b57cec5SDimitry Andric 
38770b57cec5SDimitry Andric   TypeResult Ty = ParseTypeName();
38780b57cec5SDimitry Andric   if (Ty.isInvalid()) {
38790b57cec5SDimitry Andric     SkipUntil(tok::comma, StopAtSemi);
38800b57cec5SDimitry Andric     SkipUntil(tok::r_paren, StopAtSemi);
38810b57cec5SDimitry Andric     return ExprError();
38820b57cec5SDimitry Andric   }
38830b57cec5SDimitry Andric 
38840b57cec5SDimitry Andric   switch (ATT) {
38850b57cec5SDimitry Andric   case ATT_ArrayRank: {
38860b57cec5SDimitry Andric     T.consumeClose();
38870b57cec5SDimitry Andric     return Actions.ActOnArrayTypeTrait(ATT, Loc, Ty.get(), nullptr,
38880b57cec5SDimitry Andric                                        T.getCloseLocation());
38890b57cec5SDimitry Andric   }
38900b57cec5SDimitry Andric   case ATT_ArrayExtent: {
38910b57cec5SDimitry Andric     if (ExpectAndConsume(tok::comma)) {
38920b57cec5SDimitry Andric       SkipUntil(tok::r_paren, StopAtSemi);
38930b57cec5SDimitry Andric       return ExprError();
38940b57cec5SDimitry Andric     }
38950b57cec5SDimitry Andric 
38960b57cec5SDimitry Andric     ExprResult DimExpr = ParseExpression();
38970b57cec5SDimitry Andric     T.consumeClose();
38980b57cec5SDimitry Andric 
38990b57cec5SDimitry Andric     return Actions.ActOnArrayTypeTrait(ATT, Loc, Ty.get(), DimExpr.get(),
39000b57cec5SDimitry Andric                                        T.getCloseLocation());
39010b57cec5SDimitry Andric   }
39020b57cec5SDimitry Andric   }
39030b57cec5SDimitry Andric   llvm_unreachable("Invalid ArrayTypeTrait!");
39040b57cec5SDimitry Andric }
39050b57cec5SDimitry Andric 
39060b57cec5SDimitry Andric /// ParseExpressionTrait - Parse built-in expression-trait
39070b57cec5SDimitry Andric /// pseudo-functions like __is_lvalue_expr( xxx ).
39080b57cec5SDimitry Andric ///
39090b57cec5SDimitry Andric ///       primary-expression:
39100b57cec5SDimitry Andric /// [Embarcadero]     expression-trait '(' expression ')'
39110b57cec5SDimitry Andric ///
39120b57cec5SDimitry Andric ExprResult Parser::ParseExpressionTrait() {
39130b57cec5SDimitry Andric   ExpressionTrait ET = ExpressionTraitFromTokKind(Tok.getKind());
39140b57cec5SDimitry Andric   SourceLocation Loc = ConsumeToken();
39150b57cec5SDimitry Andric 
39160b57cec5SDimitry Andric   BalancedDelimiterTracker T(*this, tok::l_paren);
39170b57cec5SDimitry Andric   if (T.expectAndConsume())
39180b57cec5SDimitry Andric     return ExprError();
39190b57cec5SDimitry Andric 
39200b57cec5SDimitry Andric   ExprResult Expr = ParseExpression();
39210b57cec5SDimitry Andric 
39220b57cec5SDimitry Andric   T.consumeClose();
39230b57cec5SDimitry Andric 
39240b57cec5SDimitry Andric   return Actions.ActOnExpressionTrait(ET, Loc, Expr.get(),
39250b57cec5SDimitry Andric                                       T.getCloseLocation());
39260b57cec5SDimitry Andric }
39270b57cec5SDimitry Andric 
39280b57cec5SDimitry Andric 
39290b57cec5SDimitry Andric /// ParseCXXAmbiguousParenExpression - We have parsed the left paren of a
39300b57cec5SDimitry Andric /// parenthesized ambiguous type-id. This uses tentative parsing to disambiguate
39310b57cec5SDimitry Andric /// based on the context past the parens.
39320b57cec5SDimitry Andric ExprResult
39330b57cec5SDimitry Andric Parser::ParseCXXAmbiguousParenExpression(ParenParseOption &ExprType,
39340b57cec5SDimitry Andric                                          ParsedType &CastTy,
39350b57cec5SDimitry Andric                                          BalancedDelimiterTracker &Tracker,
39360b57cec5SDimitry Andric                                          ColonProtectionRAIIObject &ColonProt) {
39370b57cec5SDimitry Andric   assert(getLangOpts().CPlusPlus && "Should only be called for C++!");
39380b57cec5SDimitry Andric   assert(ExprType == CastExpr && "Compound literals are not ambiguous!");
39390b57cec5SDimitry Andric   assert(isTypeIdInParens() && "Not a type-id!");
39400b57cec5SDimitry Andric 
39410b57cec5SDimitry Andric   ExprResult Result(true);
39420b57cec5SDimitry Andric   CastTy = nullptr;
39430b57cec5SDimitry Andric 
39440b57cec5SDimitry Andric   // We need to disambiguate a very ugly part of the C++ syntax:
39450b57cec5SDimitry Andric   //
39460b57cec5SDimitry Andric   // (T())x;  - type-id
39470b57cec5SDimitry Andric   // (T())*x; - type-id
39480b57cec5SDimitry Andric   // (T())/x; - expression
39490b57cec5SDimitry Andric   // (T());   - expression
39500b57cec5SDimitry Andric   //
39510b57cec5SDimitry Andric   // The bad news is that we cannot use the specialized tentative parser, since
39520b57cec5SDimitry Andric   // it can only verify that the thing inside the parens can be parsed as
39530b57cec5SDimitry Andric   // type-id, it is not useful for determining the context past the parens.
39540b57cec5SDimitry Andric   //
39550b57cec5SDimitry Andric   // The good news is that the parser can disambiguate this part without
39560b57cec5SDimitry Andric   // making any unnecessary Action calls.
39570b57cec5SDimitry Andric   //
39580b57cec5SDimitry Andric   // It uses a scheme similar to parsing inline methods. The parenthesized
39590b57cec5SDimitry Andric   // tokens are cached, the context that follows is determined (possibly by
39600b57cec5SDimitry Andric   // parsing a cast-expression), and then we re-introduce the cached tokens
39610b57cec5SDimitry Andric   // into the token stream and parse them appropriately.
39620b57cec5SDimitry Andric 
39630b57cec5SDimitry Andric   ParenParseOption ParseAs;
39640b57cec5SDimitry Andric   CachedTokens Toks;
39650b57cec5SDimitry Andric 
39660b57cec5SDimitry Andric   // Store the tokens of the parentheses. We will parse them after we determine
39670b57cec5SDimitry Andric   // the context that follows them.
39680b57cec5SDimitry Andric   if (!ConsumeAndStoreUntil(tok::r_paren, Toks)) {
39690b57cec5SDimitry Andric     // We didn't find the ')' we expected.
39700b57cec5SDimitry Andric     Tracker.consumeClose();
39710b57cec5SDimitry Andric     return ExprError();
39720b57cec5SDimitry Andric   }
39730b57cec5SDimitry Andric 
39740b57cec5SDimitry Andric   if (Tok.is(tok::l_brace)) {
39750b57cec5SDimitry Andric     ParseAs = CompoundLiteral;
39760b57cec5SDimitry Andric   } else {
39770b57cec5SDimitry Andric     bool NotCastExpr;
39780b57cec5SDimitry Andric     if (Tok.is(tok::l_paren) && NextToken().is(tok::r_paren)) {
39790b57cec5SDimitry Andric       NotCastExpr = true;
39800b57cec5SDimitry Andric     } else {
39810b57cec5SDimitry Andric       // Try parsing the cast-expression that may follow.
39820b57cec5SDimitry Andric       // If it is not a cast-expression, NotCastExpr will be true and no token
39830b57cec5SDimitry Andric       // will be consumed.
39840b57cec5SDimitry Andric       ColonProt.restore();
3985480093f4SDimitry Andric       Result = ParseCastExpression(AnyCastExpr,
39860b57cec5SDimitry Andric                                    false/*isAddressofOperand*/,
39870b57cec5SDimitry Andric                                    NotCastExpr,
39880b57cec5SDimitry Andric                                    // type-id has priority.
39890b57cec5SDimitry Andric                                    IsTypeCast);
39900b57cec5SDimitry Andric     }
39910b57cec5SDimitry Andric 
39920b57cec5SDimitry Andric     // If we parsed a cast-expression, it's really a type-id, otherwise it's
39930b57cec5SDimitry Andric     // an expression.
39940b57cec5SDimitry Andric     ParseAs = NotCastExpr ? SimpleExpr : CastExpr;
39950b57cec5SDimitry Andric   }
39960b57cec5SDimitry Andric 
39970b57cec5SDimitry Andric   // Create a fake EOF to mark end of Toks buffer.
39980b57cec5SDimitry Andric   Token AttrEnd;
39990b57cec5SDimitry Andric   AttrEnd.startToken();
40000b57cec5SDimitry Andric   AttrEnd.setKind(tok::eof);
40010b57cec5SDimitry Andric   AttrEnd.setLocation(Tok.getLocation());
40020b57cec5SDimitry Andric   AttrEnd.setEofData(Toks.data());
40030b57cec5SDimitry Andric   Toks.push_back(AttrEnd);
40040b57cec5SDimitry Andric 
40050b57cec5SDimitry Andric   // The current token should go after the cached tokens.
40060b57cec5SDimitry Andric   Toks.push_back(Tok);
40070b57cec5SDimitry Andric   // Re-enter the stored parenthesized tokens into the token stream, so we may
40080b57cec5SDimitry Andric   // parse them now.
40090b57cec5SDimitry Andric   PP.EnterTokenStream(Toks, /*DisableMacroExpansion*/ true,
40100b57cec5SDimitry Andric                       /*IsReinject*/ true);
40110b57cec5SDimitry Andric   // Drop the current token and bring the first cached one. It's the same token
40120b57cec5SDimitry Andric   // as when we entered this function.
40130b57cec5SDimitry Andric   ConsumeAnyToken();
40140b57cec5SDimitry Andric 
40150b57cec5SDimitry Andric   if (ParseAs >= CompoundLiteral) {
40160b57cec5SDimitry Andric     // Parse the type declarator.
40170b57cec5SDimitry Andric     DeclSpec DS(AttrFactory);
401881ad6265SDimitry Andric     Declarator DeclaratorInfo(DS, ParsedAttributesView::none(),
401981ad6265SDimitry Andric                               DeclaratorContext::TypeName);
40200b57cec5SDimitry Andric     {
40210b57cec5SDimitry Andric       ColonProtectionRAIIObject InnerColonProtection(*this);
40220b57cec5SDimitry Andric       ParseSpecifierQualifierList(DS);
40230b57cec5SDimitry Andric       ParseDeclarator(DeclaratorInfo);
40240b57cec5SDimitry Andric     }
40250b57cec5SDimitry Andric 
40260b57cec5SDimitry Andric     // Match the ')'.
40270b57cec5SDimitry Andric     Tracker.consumeClose();
40280b57cec5SDimitry Andric     ColonProt.restore();
40290b57cec5SDimitry Andric 
40300b57cec5SDimitry Andric     // Consume EOF marker for Toks buffer.
40310b57cec5SDimitry Andric     assert(Tok.is(tok::eof) && Tok.getEofData() == AttrEnd.getEofData());
40320b57cec5SDimitry Andric     ConsumeAnyToken();
40330b57cec5SDimitry Andric 
40340b57cec5SDimitry Andric     if (ParseAs == CompoundLiteral) {
40350b57cec5SDimitry Andric       ExprType = CompoundLiteral;
40360b57cec5SDimitry Andric       if (DeclaratorInfo.isInvalidType())
40370b57cec5SDimitry Andric         return ExprError();
40380b57cec5SDimitry Andric 
4039*7a6dacacSDimitry Andric       TypeResult Ty = Actions.ActOnTypeName(DeclaratorInfo);
40400b57cec5SDimitry Andric       return ParseCompoundLiteralExpression(Ty.get(),
40410b57cec5SDimitry Andric                                             Tracker.getOpenLocation(),
40420b57cec5SDimitry Andric                                             Tracker.getCloseLocation());
40430b57cec5SDimitry Andric     }
40440b57cec5SDimitry Andric 
40450b57cec5SDimitry Andric     // We parsed '(' type-id ')' and the thing after it wasn't a '{'.
40460b57cec5SDimitry Andric     assert(ParseAs == CastExpr);
40470b57cec5SDimitry Andric 
40480b57cec5SDimitry Andric     if (DeclaratorInfo.isInvalidType())
40490b57cec5SDimitry Andric       return ExprError();
40500b57cec5SDimitry Andric 
40510b57cec5SDimitry Andric     // Result is what ParseCastExpression returned earlier.
40520b57cec5SDimitry Andric     if (!Result.isInvalid())
40530b57cec5SDimitry Andric       Result = Actions.ActOnCastExpr(getCurScope(), Tracker.getOpenLocation(),
40540b57cec5SDimitry Andric                                     DeclaratorInfo, CastTy,
40550b57cec5SDimitry Andric                                     Tracker.getCloseLocation(), Result.get());
40560b57cec5SDimitry Andric     return Result;
40570b57cec5SDimitry Andric   }
40580b57cec5SDimitry Andric 
40590b57cec5SDimitry Andric   // Not a compound literal, and not followed by a cast-expression.
40600b57cec5SDimitry Andric   assert(ParseAs == SimpleExpr);
40610b57cec5SDimitry Andric 
40620b57cec5SDimitry Andric   ExprType = SimpleExpr;
40630b57cec5SDimitry Andric   Result = ParseExpression();
40640b57cec5SDimitry Andric   if (!Result.isInvalid() && Tok.is(tok::r_paren))
40650b57cec5SDimitry Andric     Result = Actions.ActOnParenExpr(Tracker.getOpenLocation(),
40660b57cec5SDimitry Andric                                     Tok.getLocation(), Result.get());
40670b57cec5SDimitry Andric 
40680b57cec5SDimitry Andric   // Match the ')'.
40690b57cec5SDimitry Andric   if (Result.isInvalid()) {
40700b57cec5SDimitry Andric     while (Tok.isNot(tok::eof))
40710b57cec5SDimitry Andric       ConsumeAnyToken();
40720b57cec5SDimitry Andric     assert(Tok.getEofData() == AttrEnd.getEofData());
40730b57cec5SDimitry Andric     ConsumeAnyToken();
40740b57cec5SDimitry Andric     return ExprError();
40750b57cec5SDimitry Andric   }
40760b57cec5SDimitry Andric 
40770b57cec5SDimitry Andric   Tracker.consumeClose();
40780b57cec5SDimitry Andric   // Consume EOF marker for Toks buffer.
40790b57cec5SDimitry Andric   assert(Tok.is(tok::eof) && Tok.getEofData() == AttrEnd.getEofData());
40800b57cec5SDimitry Andric   ConsumeAnyToken();
40810b57cec5SDimitry Andric   return Result;
40820b57cec5SDimitry Andric }
40830b57cec5SDimitry Andric 
40840b57cec5SDimitry Andric /// Parse a __builtin_bit_cast(T, E).
40850b57cec5SDimitry Andric ExprResult Parser::ParseBuiltinBitCast() {
40860b57cec5SDimitry Andric   SourceLocation KWLoc = ConsumeToken();
40870b57cec5SDimitry Andric 
40880b57cec5SDimitry Andric   BalancedDelimiterTracker T(*this, tok::l_paren);
40890b57cec5SDimitry Andric   if (T.expectAndConsume(diag::err_expected_lparen_after, "__builtin_bit_cast"))
40900b57cec5SDimitry Andric     return ExprError();
40910b57cec5SDimitry Andric 
40920b57cec5SDimitry Andric   // Parse the common declaration-specifiers piece.
40930b57cec5SDimitry Andric   DeclSpec DS(AttrFactory);
40940b57cec5SDimitry Andric   ParseSpecifierQualifierList(DS);
40950b57cec5SDimitry Andric 
40960b57cec5SDimitry Andric   // Parse the abstract-declarator, if present.
409781ad6265SDimitry Andric   Declarator DeclaratorInfo(DS, ParsedAttributesView::none(),
409881ad6265SDimitry Andric                             DeclaratorContext::TypeName);
40990b57cec5SDimitry Andric   ParseDeclarator(DeclaratorInfo);
41000b57cec5SDimitry Andric 
41010b57cec5SDimitry Andric   if (ExpectAndConsume(tok::comma)) {
41020b57cec5SDimitry Andric     Diag(Tok.getLocation(), diag::err_expected) << tok::comma;
41030b57cec5SDimitry Andric     SkipUntil(tok::r_paren, StopAtSemi);
41040b57cec5SDimitry Andric     return ExprError();
41050b57cec5SDimitry Andric   }
41060b57cec5SDimitry Andric 
41070b57cec5SDimitry Andric   ExprResult Operand = ParseExpression();
41080b57cec5SDimitry Andric 
41090b57cec5SDimitry Andric   if (T.consumeClose())
41100b57cec5SDimitry Andric     return ExprError();
41110b57cec5SDimitry Andric 
41120b57cec5SDimitry Andric   if (Operand.isInvalid() || DeclaratorInfo.isInvalidType())
41130b57cec5SDimitry Andric     return ExprError();
41140b57cec5SDimitry Andric 
41150b57cec5SDimitry Andric   return Actions.ActOnBuiltinBitCastExpr(KWLoc, DeclaratorInfo, Operand,
41160b57cec5SDimitry Andric                                          T.getCloseLocation());
41170b57cec5SDimitry Andric }
4118