1 //===--- ParseTentative.cpp - Ambiguity Resolution Parsing ----------------===//
3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4 // See https://llvm.org/LICENSE.txt for license information.
5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
7 //===----------------------------------------------------------------------===//
9 // This file implements the tentative parsing portions of the Parser
10 // interfaces, for ambiguity resolution.
12 //===----------------------------------------------------------------------===//
14 #include "clang/Parse/Parser.h"
15 #include "clang/Parse/ParseDiagnostic.h"
16 #include "clang/Sema/ParsedTemplate.h"
17 using namespace clang
;
19 /// isCXXDeclarationStatement - C++-specialized function that disambiguates
20 /// between a declaration or an expression statement, when parsing function
21 /// bodies. Returns true for declaration, false for expression.
23 /// declaration-statement:
26 /// block-declaration:
27 /// simple-declaration
29 /// namespace-alias-definition
32 /// [C++0x] static_assert-declaration
35 /// 'asm' '(' string-literal ')' ';'
37 /// namespace-alias-definition:
38 /// 'namespace' identifier = qualified-namespace-specifier ';'
40 /// using-declaration:
41 /// 'using' typename[opt] '::'[opt] nested-name-specifier
42 /// unqualified-id ';'
43 /// 'using' '::' unqualified-id ;
46 /// 'using' 'namespace' '::'[opt] nested-name-specifier[opt]
47 /// namespace-name ';'
49 bool Parser::isCXXDeclarationStatement(
50 bool DisambiguatingWithExpression
/*=false*/) {
51 assert(getLangOpts().CPlusPlus
&& "Must be called for C++ only.");
53 switch (Tok
.getKind()) {
56 // namespace-alias-definition
57 case tok::kw_namespace
:
61 // static_assert-declaration
62 case tok::kw_static_assert
:
63 case tok::kw__Static_assert
:
66 case tok::identifier
: {
67 if (DisambiguatingWithExpression
) {
68 RevertingTentativeParsingAction
TPA(*this);
69 // Parse the C++ scope specifier.
71 ParseOptionalCXXScopeSpecifier(SS
, /*ObjectType=*/nullptr,
72 /*ObjectHasErrors=*/false,
73 /*EnteringContext=*/true);
75 switch (Tok
.getKind()) {
76 case tok::identifier
: {
77 IdentifierInfo
*II
= Tok
.getIdentifierInfo();
78 bool isDeductionGuide
= Actions
.isDeductionGuideName(
79 getCurScope(), *II
, Tok
.getLocation(), SS
, /*Template=*/nullptr);
80 if (Actions
.isCurrentClassName(*II
, getCurScope(), &SS
) ||
82 if (isConstructorDeclarator(/*Unqualified=*/SS
.isEmpty(),
84 DeclSpec::FriendSpecified::No
))
86 } else if (SS
.isNotEmpty()) {
87 // If the scope is not empty, it could alternatively be something like
88 // a typedef or using declaration. That declaration might be private
89 // in the global context, which would be diagnosed by calling into
90 // isCXXSimpleDeclaration, but may actually be fine in the context of
91 // member functions and static variable definitions. Check if the next
92 // token is also an identifier and assume a declaration.
93 // We cannot check if the scopes match because the declarations could
94 // involve namespaces and friend declarations.
95 if (NextToken().is(tok::identifier
))
100 case tok::kw_operator
:
110 // simple-declaration
112 return isCXXSimpleDeclaration(/*AllowForRangeDecl=*/false);
116 /// isCXXSimpleDeclaration - C++-specialized function that disambiguates
117 /// between a simple-declaration or an expression-statement.
118 /// If during the disambiguation process a parsing error is encountered,
119 /// the function returns true to let the declaration parsing code handle it.
120 /// Returns false if the statement is disambiguated as expression.
122 /// simple-declaration:
123 /// decl-specifier-seq init-declarator-list[opt] ';'
124 /// decl-specifier-seq ref-qualifier[opt] '[' identifier-list ']'
125 /// brace-or-equal-initializer ';' [C++17]
127 /// (if AllowForRangeDecl specified)
128 /// for ( for-range-declaration : for-range-initializer ) statement
130 /// for-range-declaration:
131 /// decl-specifier-seq declarator
132 /// decl-specifier-seq ref-qualifier[opt] '[' identifier-list ']'
134 /// In any of the above cases there can be a preceding attribute-specifier-seq,
135 /// but the caller is expected to handle that.
136 bool Parser::isCXXSimpleDeclaration(bool AllowForRangeDecl
) {
138 // There is an ambiguity in the grammar involving expression-statements and
139 // declarations: An expression-statement with a function-style explicit type
140 // conversion (5.2.3) as its leftmost subexpression can be indistinguishable
141 // from a declaration where the first declarator starts with a '('. In those
142 // cases the statement is a declaration. [Note: To disambiguate, the whole
143 // statement might have to be examined to determine if it is an
144 // expression-statement or a declaration].
147 // The disambiguation is purely syntactic; that is, the meaning of the names
148 // occurring in such a statement, beyond whether they are type-names or not,
149 // is not generally used in or changed by the disambiguation. Class
150 // templates are instantiated as necessary to determine if a qualified name
151 // is a type-name. Disambiguation precedes parsing, and a statement
152 // disambiguated as a declaration may be an ill-formed declaration.
154 // We don't have to parse all of the decl-specifier-seq part. There's only
155 // an ambiguity if the first decl-specifier is
156 // simple-type-specifier/typename-specifier followed by a '(', which may
157 // indicate a function-style cast expression.
158 // isCXXDeclarationSpecifier will return TPResult::Ambiguous only in such
161 bool InvalidAsDeclaration
= false;
162 TPResult TPR
= isCXXDeclarationSpecifier(
163 ImplicitTypenameContext::No
, TPResult::False
, &InvalidAsDeclaration
);
164 if (TPR
!= TPResult::Ambiguous
)
165 return TPR
!= TPResult::False
; // Returns true for TPResult::True or
168 // FIXME: TryParseSimpleDeclaration doesn't look past the first initializer,
169 // and so gets some cases wrong. We can't carry on if we've already seen
170 // something which makes this statement invalid as a declaration in this case,
171 // since it can cause us to misparse valid code. Revisit this once
172 // TryParseInitDeclaratorList is fixed.
173 if (InvalidAsDeclaration
)
176 // FIXME: Add statistics about the number of ambiguous statements encountered
177 // and how they were resolved (number of declarations+number of expressions).
179 // Ok, we have a simple-type-specifier/typename-specifier followed by a '(',
180 // or an identifier which doesn't resolve as anything. We need tentative
184 RevertingTentativeParsingAction
PA(*this);
185 TPR
= TryParseSimpleDeclaration(AllowForRangeDecl
);
188 // In case of an error, let the declaration parsing code handle it.
189 if (TPR
== TPResult::Error
)
192 // Declarations take precedence over expressions.
193 if (TPR
== TPResult::Ambiguous
)
194 TPR
= TPResult::True
;
196 assert(TPR
== TPResult::True
|| TPR
== TPResult::False
);
197 return TPR
== TPResult::True
;
200 /// Try to consume a token sequence that we've already identified as
201 /// (potentially) starting a decl-specifier.
202 Parser::TPResult
Parser::TryConsumeDeclarationSpecifier() {
203 switch (Tok
.getKind()) {
204 case tok::kw__Atomic
:
205 if (NextToken().isNot(tok::l_paren
)) {
211 case tok::kw___attribute
:
212 #define TRANSFORM_TYPE_TRAIT_DEF(_, Trait) case tok::kw___##Trait:
213 #include "clang/Basic/TransformTypeTraits.def"
216 if (Tok
.isNot(tok::l_paren
))
217 return TPResult::Error
;
219 if (!SkipUntil(tok::r_paren
))
220 return TPResult::Error
;
227 case tok::kw___interface
:
229 // elaborated-type-specifier:
230 // class-key attribute-specifier-seq[opt]
231 // nested-name-specifier[opt] identifier
232 // class-key nested-name-specifier[opt] template[opt] simple-template-id
233 // enum nested-name-specifier[opt] identifier
235 // FIXME: We don't support class-specifiers nor enum-specifiers here.
239 if (!TrySkipAttributes())
240 return TPResult::Error
;
242 if (TryAnnotateOptionalCXXScopeToken())
243 return TPResult::Error
;
244 if (Tok
.is(tok::annot_cxxscope
))
245 ConsumeAnnotationToken();
246 if (Tok
.is(tok::identifier
))
248 else if (Tok
.is(tok::annot_template_id
))
249 ConsumeAnnotationToken();
251 return TPResult::Error
;
254 case tok::annot_cxxscope
:
255 ConsumeAnnotationToken();
260 if (getLangOpts().ObjC
&& Tok
.is(tok::less
))
261 return TryParseProtocolQualifiers();
265 return TPResult::Ambiguous
;
268 /// simple-declaration:
269 /// decl-specifier-seq init-declarator-list[opt] ';'
271 /// (if AllowForRangeDecl specified)
272 /// for ( for-range-declaration : for-range-initializer ) statement
273 /// for-range-declaration:
274 /// attribute-specifier-seqopt type-specifier-seq declarator
276 Parser::TPResult
Parser::TryParseSimpleDeclaration(bool AllowForRangeDecl
) {
277 bool DeclSpecifierIsAuto
= Tok
.is(tok::kw_auto
);
278 if (TryConsumeDeclarationSpecifier() == TPResult::Error
)
279 return TPResult::Error
;
281 // Two decl-specifiers in a row conclusively disambiguate this as being a
282 // simple-declaration. Don't bother calling isCXXDeclarationSpecifier in the
283 // overwhelmingly common case that the next token is a '('.
284 if (Tok
.isNot(tok::l_paren
)) {
285 TPResult TPR
= isCXXDeclarationSpecifier(ImplicitTypenameContext::No
);
286 if (TPR
== TPResult::Ambiguous
)
287 return TPResult::True
;
288 if (TPR
== TPResult::True
|| TPR
== TPResult::Error
)
290 assert(TPR
== TPResult::False
);
293 TPResult TPR
= TryParseInitDeclaratorList(
294 /*mayHaveTrailingReturnType=*/DeclSpecifierIsAuto
);
295 if (TPR
!= TPResult::Ambiguous
)
298 if (Tok
.isNot(tok::semi
) && (!AllowForRangeDecl
|| Tok
.isNot(tok::colon
)))
299 return TPResult::False
;
301 return TPResult::Ambiguous
;
304 /// Tentatively parse an init-declarator-list in order to disambiguate it from
307 /// init-declarator-list:
309 /// init-declarator-list ',' init-declarator
312 /// declarator initializer[opt]
313 /// [GNU] declarator simple-asm-expr[opt] attributes[opt] initializer[opt]
316 /// brace-or-equal-initializer
317 /// '(' expression-list ')'
319 /// brace-or-equal-initializer:
320 /// '=' initializer-clause
321 /// [C++11] braced-init-list
323 /// initializer-clause:
324 /// assignment-expression
327 /// braced-init-list:
328 /// '{' initializer-list ','[opt] '}'
332 Parser::TryParseInitDeclaratorList(bool MayHaveTrailingReturnType
) {
335 TPResult TPR
= TryParseDeclarator(
336 /*mayBeAbstract=*/false,
337 /*mayHaveIdentifier=*/true,
338 /*mayHaveDirectInit=*/false,
339 /*mayHaveTrailingReturnType=*/MayHaveTrailingReturnType
);
340 if (TPR
!= TPResult::Ambiguous
)
343 // [GNU] simple-asm-expr[opt] attributes[opt]
344 if (Tok
.isOneOf(tok::kw_asm
, tok::kw___attribute
))
345 return TPResult::True
;
348 if (Tok
.is(tok::l_paren
)) {
349 // Parse through the parens.
351 if (!SkipUntil(tok::r_paren
, StopAtSemi
))
352 return TPResult::Error
;
353 } else if (Tok
.is(tok::l_brace
)) {
354 // A left-brace here is sufficient to disambiguate the parse; an
355 // expression can never be followed directly by a braced-init-list.
356 return TPResult::True
;
357 } else if (Tok
.is(tok::equal
) || isTokIdentifier_in()) {
358 // MSVC and g++ won't examine the rest of declarators if '=' is
359 // encountered; they just conclude that we have a declaration.
360 // EDG parses the initializer completely, which is the proper behavior
363 // At present, Clang follows MSVC and g++, since the parser does not have
364 // the ability to parse an expression fully without recording the
365 // results of that parse.
366 // FIXME: Handle this case correctly.
368 // Also allow 'in' after an Objective-C declaration as in:
369 // for (int (^b)(void) in array). Ideally this should be done in the
370 // context of parsing for-init-statement of a foreach statement only. But,
371 // in any other context 'in' is invalid after a declaration and parser
372 // issues the error regardless of outcome of this decision.
373 // FIXME: Change if above assumption does not hold.
374 return TPResult::True
;
377 if (!TryConsumeToken(tok::comma
))
381 return TPResult::Ambiguous
;
384 struct Parser::ConditionDeclarationOrInitStatementState
{
386 bool CanBeExpression
= true;
387 bool CanBeCondition
= true;
388 bool CanBeInitStatement
;
389 bool CanBeForRangeDecl
;
391 ConditionDeclarationOrInitStatementState(Parser
&P
, bool CanBeInitStatement
,
392 bool CanBeForRangeDecl
)
393 : P(P
), CanBeInitStatement(CanBeInitStatement
),
394 CanBeForRangeDecl(CanBeForRangeDecl
) {}
397 return CanBeExpression
+ CanBeCondition
+ CanBeInitStatement
+
398 CanBeForRangeDecl
< 2;
401 void markNotExpression() {
402 CanBeExpression
= false;
405 // FIXME: Unify the parsing codepaths for condition variables and
406 // simple-declarations so that we don't need to eagerly figure out which
407 // kind we have here. (Just parse init-declarators until we reach a
408 // semicolon or right paren.)
409 RevertingTentativeParsingAction
PA(P
);
410 if (CanBeForRangeDecl
) {
411 // Skip until we hit a ')', ';', or a ':' with no matching '?'.
412 // The final case is a for range declaration, the rest are not.
413 unsigned QuestionColonDepth
= 0;
415 P
.SkipUntil({tok::r_paren
, tok::semi
, tok::question
, tok::colon
},
417 if (P
.Tok
.is(tok::question
))
418 ++QuestionColonDepth
;
419 else if (P
.Tok
.is(tok::colon
)) {
420 if (QuestionColonDepth
)
421 --QuestionColonDepth
;
423 CanBeCondition
= CanBeInitStatement
= false;
427 CanBeForRangeDecl
= false;
433 // Just skip until we hit a ')' or ';'.
434 P
.SkipUntil(tok::r_paren
, tok::semi
, StopBeforeMatch
);
436 if (P
.Tok
.isNot(tok::r_paren
))
437 CanBeCondition
= CanBeForRangeDecl
= false;
438 if (P
.Tok
.isNot(tok::semi
))
439 CanBeInitStatement
= false;
443 bool markNotCondition() {
444 CanBeCondition
= false;
448 bool markNotForRangeDecl() {
449 CanBeForRangeDecl
= false;
453 bool update(TPResult IsDecl
) {
457 assert(resolved() && "can't continue after tentative parsing bails out");
459 case TPResult::False
:
460 CanBeCondition
= CanBeInitStatement
= CanBeForRangeDecl
= false;
462 case TPResult::Ambiguous
:
464 case TPResult::Error
:
465 CanBeExpression
= CanBeCondition
= CanBeInitStatement
=
466 CanBeForRangeDecl
= false;
472 ConditionOrInitStatement
result() const {
473 assert(CanBeExpression
+ CanBeCondition
+ CanBeInitStatement
+
474 CanBeForRangeDecl
< 2 &&
475 "result called but not yet resolved");
477 return ConditionOrInitStatement::Expression
;
479 return ConditionOrInitStatement::ConditionDecl
;
480 if (CanBeInitStatement
)
481 return ConditionOrInitStatement::InitStmtDecl
;
482 if (CanBeForRangeDecl
)
483 return ConditionOrInitStatement::ForRangeDecl
;
484 return ConditionOrInitStatement::Error
;
488 bool Parser::isEnumBase(bool AllowSemi
) {
489 assert(Tok
.is(tok::colon
) && "should be looking at the ':'");
491 RevertingTentativeParsingAction
PA(*this);
495 // type-specifier-seq
496 bool InvalidAsDeclSpec
= false;
497 // FIXME: We could disallow non-type decl-specifiers here, but it makes no
498 // difference: those specifiers are ill-formed regardless of the
500 TPResult R
= isCXXDeclarationSpecifier(ImplicitTypenameContext::No
,
501 /*BracedCastResult=*/TPResult::True
,
503 if (R
== TPResult::Ambiguous
) {
504 // We either have a decl-specifier followed by '(' or an undeclared
506 if (TryConsumeDeclarationSpecifier() == TPResult::Error
)
509 // If we get to the end of the enum-base, we hit either a '{' or a ';'.
510 // Don't bother checking the enumerator-list.
511 if (Tok
.is(tok::l_brace
) || (AllowSemi
&& Tok
.is(tok::semi
)))
514 // A second decl-specifier unambiguously indicatges an enum-base.
515 R
= isCXXDeclarationSpecifier(ImplicitTypenameContext::No
, TPResult::True
,
519 return R
!= TPResult::False
;
522 /// Disambiguates between a declaration in a condition, a
523 /// simple-declaration in an init-statement, and an expression for
524 /// a condition of a if/switch statement.
528 /// type-specifier-seq declarator '=' assignment-expression
529 /// [C++11] type-specifier-seq declarator '=' initializer-clause
530 /// [C++11] type-specifier-seq declarator braced-init-list
531 /// [GNU] type-specifier-seq declarator simple-asm-expr[opt] attributes[opt]
532 /// '=' assignment-expression
533 /// simple-declaration:
534 /// decl-specifier-seq init-declarator-list[opt] ';'
536 /// Note that, unlike isCXXSimpleDeclaration, we must disambiguate all the way
537 /// to the ';' to disambiguate cases like 'int(x))' (an expression) from
538 /// 'int(x);' (a simple-declaration in an init-statement).
539 Parser::ConditionOrInitStatement
540 Parser::isCXXConditionDeclarationOrInitStatement(bool CanBeInitStatement
,
541 bool CanBeForRangeDecl
) {
542 ConditionDeclarationOrInitStatementState
State(*this, CanBeInitStatement
,
545 if (CanBeInitStatement
&& Tok
.is(tok::kw_using
))
546 return ConditionOrInitStatement::InitStmtDecl
;
547 if (State
.update(isCXXDeclarationSpecifier(ImplicitTypenameContext::No
)))
548 return State
.result();
550 // It might be a declaration; we need tentative parsing.
551 RevertingTentativeParsingAction
PA(*this);
553 // FIXME: A tag definition unambiguously tells us this is an init-statement.
554 bool MayHaveTrailingReturnType
= Tok
.is(tok::kw_auto
);
555 if (State
.update(TryConsumeDeclarationSpecifier()))
556 return State
.result();
557 assert(Tok
.is(tok::l_paren
) && "Expected '('");
560 // Consume a declarator.
561 if (State
.update(TryParseDeclarator(
562 /*mayBeAbstract=*/false,
563 /*mayHaveIdentifier=*/true,
564 /*mayHaveDirectInit=*/false,
565 /*mayHaveTrailingReturnType=*/MayHaveTrailingReturnType
)))
566 return State
.result();
568 // Attributes, asm label, or an initializer imply this is not an expression.
569 // FIXME: Disambiguate properly after an = instead of assuming that it's a
570 // valid declaration.
571 if (Tok
.isOneOf(tok::equal
, tok::kw_asm
, tok::kw___attribute
) ||
572 (getLangOpts().CPlusPlus11
&& Tok
.is(tok::l_brace
))) {
573 State
.markNotExpression();
574 return State
.result();
577 // A colon here identifies a for-range declaration.
578 if (State
.CanBeForRangeDecl
&& Tok
.is(tok::colon
))
579 return ConditionOrInitStatement::ForRangeDecl
;
581 // At this point, it can't be a condition any more, because a condition
582 // must have a brace-or-equal-initializer.
583 if (State
.markNotCondition())
584 return State
.result();
586 // Likewise, it can't be a for-range declaration any more.
587 if (State
.markNotForRangeDecl())
588 return State
.result();
590 // A parenthesized initializer could be part of an expression or a
591 // simple-declaration.
592 if (Tok
.is(tok::l_paren
)) {
594 SkipUntil(tok::r_paren
, StopAtSemi
);
597 if (!TryConsumeToken(tok::comma
))
601 // We reached the end. If it can now be some kind of decl, then it is.
602 if (State
.CanBeCondition
&& Tok
.is(tok::r_paren
))
603 return ConditionOrInitStatement::ConditionDecl
;
604 else if (State
.CanBeInitStatement
&& Tok
.is(tok::semi
))
605 return ConditionOrInitStatement::InitStmtDecl
;
607 return ConditionOrInitStatement::Expression
;
610 /// Determine whether the next set of tokens contains a type-id.
612 /// The context parameter states what context we're parsing right
613 /// now, which affects how this routine copes with the token
614 /// following the type-id. If the context is TypeIdInParens, we have
615 /// already parsed the '(' and we will cease lookahead when we hit
616 /// the corresponding ')'. If the context is
617 /// TypeIdAsTemplateArgument, we've already parsed the '<' or ','
618 /// before this template argument, and will cease lookahead when we
619 /// hit a '>', '>>' (in C++0x), or ','; or, in C++0x, an ellipsis immediately
620 /// preceding such. Returns true for a type-id and false for an expression.
621 /// If during the disambiguation process a parsing error is encountered,
622 /// the function returns true to let the declaration parsing code handle it.
625 /// type-specifier-seq abstract-declarator[opt]
627 bool Parser::isCXXTypeId(TentativeCXXTypeIdContext Context
, bool &isAmbiguous
) {
632 // The ambiguity arising from the similarity between a function-style cast and
633 // a type-id can occur in different contexts. The ambiguity appears as a
634 // choice between a function-style cast expression and a declaration of a
635 // type. The resolution is that any construct that could possibly be a type-id
636 // in its syntactic context shall be considered a type-id.
638 TPResult TPR
= isCXXDeclarationSpecifier(ImplicitTypenameContext::No
);
639 if (TPR
!= TPResult::Ambiguous
)
640 return TPR
!= TPResult::False
; // Returns true for TPResult::True or
643 // FIXME: Add statistics about the number of ambiguous statements encountered
644 // and how they were resolved (number of declarations+number of expressions).
646 // Ok, we have a simple-type-specifier/typename-specifier followed by a '('.
647 // We need tentative parsing...
649 RevertingTentativeParsingAction
PA(*this);
650 bool MayHaveTrailingReturnType
= Tok
.is(tok::kw_auto
);
652 // type-specifier-seq
653 TryConsumeDeclarationSpecifier();
654 assert(Tok
.is(tok::l_paren
) && "Expected '('");
657 TPR
= TryParseDeclarator(true /*mayBeAbstract*/, false /*mayHaveIdentifier*/,
658 /*mayHaveDirectInit=*/false,
659 MayHaveTrailingReturnType
);
661 // In case of an error, let the declaration parsing code handle it.
662 if (TPR
== TPResult::Error
)
663 TPR
= TPResult::True
;
665 if (TPR
== TPResult::Ambiguous
) {
666 // We are supposed to be inside parens, so if after the abstract declarator
667 // we encounter a ')' this is a type-id, otherwise it's an expression.
668 if (Context
== TypeIdInParens
&& Tok
.is(tok::r_paren
)) {
669 TPR
= TPResult::True
;
671 // We are supposed to be inside the first operand to a _Generic selection
672 // expression, so if we find a comma after the declarator, we've found a
673 // type and not an expression.
674 } else if (Context
== TypeIdAsGenericSelectionArgument
&& Tok
.is(tok::comma
)) {
675 TPR
= TPResult::True
;
677 // We are supposed to be inside a template argument, so if after
678 // the abstract declarator we encounter a '>', '>>' (in C++0x), or
679 // ','; or, in C++0x, an ellipsis immediately preceding such, this
680 // is a type-id. Otherwise, it's an expression.
681 } else if (Context
== TypeIdAsTemplateArgument
&&
682 (Tok
.isOneOf(tok::greater
, tok::comma
) ||
683 (getLangOpts().CPlusPlus11
&&
684 (Tok
.isOneOf(tok::greatergreater
,
685 tok::greatergreatergreater
) ||
686 (Tok
.is(tok::ellipsis
) &&
687 NextToken().isOneOf(tok::greater
, tok::greatergreater
,
688 tok::greatergreatergreater
,
690 TPR
= TPResult::True
;
693 } else if (Context
== TypeIdInTrailingReturnType
) {
694 TPR
= TPResult::True
;
697 TPR
= TPResult::False
;
700 assert(TPR
== TPResult::True
|| TPR
== TPResult::False
);
701 return TPR
== TPResult::True
;
704 /// Returns true if this is a C++11 attribute-specifier. Per
705 /// C++11 [dcl.attr.grammar]p6, two consecutive left square bracket tokens
706 /// always introduce an attribute. In Objective-C++11, this rule does not
707 /// apply if either '[' begins a message-send.
709 /// If Disambiguate is true, we try harder to determine whether a '[[' starts
710 /// an attribute-specifier, and return CAK_InvalidAttributeSpecifier if not.
712 /// If OuterMightBeMessageSend is true, we assume the outer '[' is either an
713 /// Obj-C message send or the start of an attribute. Otherwise, we assume it
714 /// is not an Obj-C message send.
716 /// C++11 [dcl.attr.grammar]:
718 /// attribute-specifier:
719 /// '[' '[' attribute-list ']' ']'
720 /// alignment-specifier
724 /// attribute-list ',' attribute[opt]
726 /// attribute-list ',' attribute '...'
729 /// attribute-token attribute-argument-clause[opt]
733 /// identifier '::' identifier
735 /// attribute-argument-clause:
736 /// '(' balanced-token-seq ')'
737 Parser::CXX11AttributeKind
738 Parser::isCXX11AttributeSpecifier(bool Disambiguate
,
739 bool OuterMightBeMessageSend
) {
740 if (Tok
.is(tok::kw_alignas
))
741 return CAK_AttributeSpecifier
;
743 if (Tok
.isRegularKeywordAttribute())
744 return CAK_AttributeSpecifier
;
746 if (Tok
.isNot(tok::l_square
) || NextToken().isNot(tok::l_square
))
747 return CAK_NotAttributeSpecifier
;
749 // No tentative parsing if we don't need to look for ']]' or a lambda.
750 if (!Disambiguate
&& !getLangOpts().ObjC
)
751 return CAK_AttributeSpecifier
;
753 // '[[using ns: ...]]' is an attribute.
754 if (GetLookAheadToken(2).is(tok::kw_using
))
755 return CAK_AttributeSpecifier
;
757 RevertingTentativeParsingAction
PA(*this);
759 // Opening brackets were checked for above.
762 if (!getLangOpts().ObjC
) {
765 bool IsAttribute
= SkipUntil(tok::r_square
);
766 IsAttribute
&= Tok
.is(tok::r_square
);
768 return IsAttribute
? CAK_AttributeSpecifier
: CAK_InvalidAttributeSpecifier
;
771 // In Obj-C++11, we need to distinguish four situations:
772 // 1a) int x[[attr]]; C++11 attribute.
773 // 1b) [[attr]]; C++11 statement attribute.
774 // 2) int x[[obj](){ return 1; }()]; Lambda in array size/index.
775 // 3a) int x[[obj get]]; Message send in array size/index.
776 // 3b) [[Class alloc] init]; Message send in message send.
777 // 4) [[obj]{ return self; }() doStuff]; Lambda in message send.
778 // (1) is an attribute, (2) is ill-formed, and (3) and (4) are accepted.
780 // Check to see if this is a lambda-expression.
781 // FIXME: If this disambiguation is too slow, fold the tentative lambda parse
782 // into the tentative attribute parse below.
784 RevertingTentativeParsingAction
LambdaTPA(*this);
785 LambdaIntroducer Intro
;
786 LambdaIntroducerTentativeParse Tentative
;
787 if (ParseLambdaIntroducer(Intro
, &Tentative
)) {
788 // We hit a hard error after deciding this was not an attribute.
789 // FIXME: Don't parse and annotate expressions when disambiguating
790 // against an attribute.
791 return CAK_NotAttributeSpecifier
;
795 case LambdaIntroducerTentativeParse::MessageSend
:
796 // Case 3: The inner construct is definitely a message send, so the
797 // outer construct is definitely not an attribute.
798 return CAK_NotAttributeSpecifier
;
800 case LambdaIntroducerTentativeParse::Success
:
801 case LambdaIntroducerTentativeParse::Incomplete
:
802 // This is a lambda-introducer or attribute-specifier.
803 if (Tok
.is(tok::r_square
))
804 // Case 1: C++11 attribute.
805 return CAK_AttributeSpecifier
;
807 if (OuterMightBeMessageSend
)
808 // Case 4: Lambda in message send.
809 return CAK_NotAttributeSpecifier
;
811 // Case 2: Lambda in array size / index.
812 return CAK_InvalidAttributeSpecifier
;
814 case LambdaIntroducerTentativeParse::Invalid
:
815 // No idea what this is; we couldn't parse it as a lambda-introducer.
816 // Might still be an attribute-specifier or a message send.
823 // If we don't have a lambda-introducer, then we have an attribute or a
825 bool IsAttribute
= true;
826 while (Tok
.isNot(tok::r_square
)) {
827 if (Tok
.is(tok::comma
)) {
828 // Case 1: Stray commas can only occur in attributes.
829 return CAK_AttributeSpecifier
;
832 // Parse the attribute-token, if present.
833 // C++11 [dcl.attr.grammar]:
834 // If a keyword or an alternative token that satisfies the syntactic
835 // requirements of an identifier is contained in an attribute-token,
836 // it is considered an identifier.
838 if (!TryParseCXX11AttributeIdentifier(Loc
)) {
842 if (Tok
.is(tok::coloncolon
)) {
844 if (!TryParseCXX11AttributeIdentifier(Loc
)) {
850 // Parse the attribute-argument-clause, if present.
851 if (Tok
.is(tok::l_paren
)) {
853 if (!SkipUntil(tok::r_paren
)) {
859 TryConsumeToken(tok::ellipsis
);
861 if (!TryConsumeToken(tok::comma
))
865 // An attribute must end ']]'.
867 if (Tok
.is(tok::r_square
)) {
869 IsAttribute
= Tok
.is(tok::r_square
);
876 // Case 1: C++11 statement attribute.
877 return CAK_AttributeSpecifier
;
879 // Case 3: Message send.
880 return CAK_NotAttributeSpecifier
;
883 bool Parser::TrySkipAttributes() {
884 while (Tok
.isOneOf(tok::l_square
, tok::kw___attribute
, tok::kw___declspec
,
886 Tok
.isRegularKeywordAttribute()) {
887 if (Tok
.is(tok::l_square
)) {
889 if (Tok
.isNot(tok::l_square
))
892 if (!SkipUntil(tok::r_square
) || Tok
.isNot(tok::r_square
))
894 // Note that explicitly checking for `[[` and `]]` allows to fail as
895 // expected in the case of the Objective-C message send syntax.
897 } else if (Tok
.isRegularKeywordAttribute() &&
898 !doesKeywordAttributeTakeArgs(Tok
.getKind())) {
902 if (Tok
.isNot(tok::l_paren
))
905 if (!SkipUntil(tok::r_paren
))
913 Parser::TPResult
Parser::TryParsePtrOperatorSeq() {
915 if (TryAnnotateOptionalCXXScopeToken(true))
916 return TPResult::Error
;
918 if (Tok
.isOneOf(tok::star
, tok::amp
, tok::caret
, tok::ampamp
) ||
919 (Tok
.is(tok::annot_cxxscope
) && NextToken().is(tok::star
))) {
924 if (!TrySkipAttributes())
925 return TPResult::Error
;
927 while (Tok
.isOneOf(tok::kw_const
, tok::kw_volatile
, tok::kw_restrict
,
928 tok::kw__Nonnull
, tok::kw__Nullable
,
929 tok::kw__Nullable_result
, tok::kw__Null_unspecified
,
933 return TPResult::True
;
938 /// operator-function-id:
939 /// 'operator' operator
942 /// new delete new[] delete[] + - * / % ^ [...]
944 /// conversion-function-id:
945 /// 'operator' conversion-type-id
947 /// conversion-type-id:
948 /// type-specifier-seq conversion-declarator[opt]
950 /// conversion-declarator:
951 /// ptr-operator conversion-declarator[opt]
953 /// literal-operator-id:
954 /// 'operator' string-literal identifier
955 /// 'operator' user-defined-string-literal
956 Parser::TPResult
Parser::TryParseOperatorId() {
957 assert(Tok
.is(tok::kw_operator
));
960 // Maybe this is an operator-function-id.
961 switch (Tok
.getKind()) {
962 case tok::kw_new
: case tok::kw_delete
:
964 if (Tok
.is(tok::l_square
) && NextToken().is(tok::r_square
)) {
968 return TPResult::True
;
970 #define OVERLOADED_OPERATOR(Name, Spelling, Token, Unary, Binary, MemOnly) \
972 #define OVERLOADED_OPERATOR_MULTI(Name, Spelling, Unary, Binary, MemOnly)
973 #include "clang/Basic/OperatorKinds.def"
975 return TPResult::True
;
978 if (NextToken().is(tok::r_square
)) {
981 return TPResult::True
;
986 if (NextToken().is(tok::r_paren
)) {
989 return TPResult::True
;
997 // Maybe this is a literal-operator-id.
998 if (getLangOpts().CPlusPlus11
&& isTokenStringLiteral()) {
999 bool FoundUDSuffix
= false;
1001 FoundUDSuffix
|= Tok
.hasUDSuffix();
1002 ConsumeStringToken();
1003 } while (isTokenStringLiteral());
1005 if (!FoundUDSuffix
) {
1006 if (Tok
.is(tok::identifier
))
1009 return TPResult::Error
;
1011 return TPResult::True
;
1014 // Maybe this is a conversion-function-id.
1015 bool AnyDeclSpecifiers
= false;
1017 TPResult TPR
= isCXXDeclarationSpecifier(ImplicitTypenameContext::No
);
1018 if (TPR
== TPResult::Error
)
1020 if (TPR
== TPResult::False
) {
1021 if (!AnyDeclSpecifiers
)
1022 return TPResult::Error
;
1025 if (TryConsumeDeclarationSpecifier() == TPResult::Error
)
1026 return TPResult::Error
;
1027 AnyDeclSpecifiers
= true;
1029 return TryParsePtrOperatorSeq();
1033 /// direct-declarator
1034 /// ptr-operator declarator
1036 /// direct-declarator:
1038 /// direct-declarator '(' parameter-declaration-clause ')'
1039 /// cv-qualifier-seq[opt] exception-specification[opt]
1040 /// direct-declarator '[' constant-expression[opt] ']'
1041 /// '(' declarator ')'
1042 /// [GNU] '(' attributes declarator ')'
1044 /// abstract-declarator:
1045 /// ptr-operator abstract-declarator[opt]
1046 /// direct-abstract-declarator
1048 /// direct-abstract-declarator:
1049 /// direct-abstract-declarator[opt]
1050 /// '(' parameter-declaration-clause ')' cv-qualifier-seq[opt]
1051 /// exception-specification[opt]
1052 /// direct-abstract-declarator[opt] '[' constant-expression[opt] ']'
1053 /// '(' abstract-declarator ')'
1057 /// '*' cv-qualifier-seq[opt]
1059 /// [C++0x] '&&' [TODO]
1060 /// '::'[opt] nested-name-specifier '*' cv-qualifier-seq[opt]
1062 /// cv-qualifier-seq:
1063 /// cv-qualifier cv-qualifier-seq[opt]
1070 /// '...'[opt] id-expression
1074 /// qualified-id [TODO]
1078 /// operator-function-id
1079 /// conversion-function-id
1080 /// literal-operator-id
1081 /// '~' class-name [TODO]
1082 /// '~' decltype-specifier [TODO]
1083 /// template-id [TODO]
1085 Parser::TPResult
Parser::TryParseDeclarator(bool mayBeAbstract
,
1086 bool mayHaveIdentifier
,
1087 bool mayHaveDirectInit
,
1088 bool mayHaveTrailingReturnType
) {
1090 // direct-declarator
1091 // ptr-operator declarator
1092 if (TryParsePtrOperatorSeq() == TPResult::Error
)
1093 return TPResult::Error
;
1095 // direct-declarator:
1096 // direct-abstract-declarator:
1097 if (Tok
.is(tok::ellipsis
))
1100 if ((Tok
.isOneOf(tok::identifier
, tok::kw_operator
) ||
1101 (Tok
.is(tok::annot_cxxscope
) && (NextToken().is(tok::identifier
) ||
1102 NextToken().is(tok::kw_operator
)))) &&
1103 mayHaveIdentifier
) {
1105 if (Tok
.is(tok::annot_cxxscope
)) {
1107 Actions
.RestoreNestedNameSpecifierAnnotation(
1108 Tok
.getAnnotationValue(), Tok
.getAnnotationRange(), SS
);
1110 return TPResult::Error
;
1111 ConsumeAnnotationToken();
1112 } else if (Tok
.is(tok::identifier
)) {
1113 TentativelyDeclaredIdentifiers
.push_back(Tok
.getIdentifierInfo());
1115 if (Tok
.is(tok::kw_operator
)) {
1116 if (TryParseOperatorId() == TPResult::Error
)
1117 return TPResult::Error
;
1120 } else if (Tok
.is(tok::l_paren
)) {
1122 if (mayBeAbstract
&&
1123 (Tok
.is(tok::r_paren
) || // 'int()' is a function.
1124 // 'int(...)' is a function.
1125 (Tok
.is(tok::ellipsis
) && NextToken().is(tok::r_paren
)) ||
1126 isDeclarationSpecifier(
1127 ImplicitTypenameContext::No
))) { // 'int(int)' is a function.
1128 // '(' parameter-declaration-clause ')' cv-qualifier-seq[opt]
1129 // exception-specification[opt]
1130 TPResult TPR
= TryParseFunctionDeclarator(mayHaveTrailingReturnType
);
1131 if (TPR
!= TPResult::Ambiguous
)
1134 // '(' declarator ')'
1135 // '(' attributes declarator ')'
1136 // '(' abstract-declarator ')'
1137 if (Tok
.isOneOf(tok::kw___attribute
, tok::kw___declspec
, tok::kw___cdecl
,
1138 tok::kw___stdcall
, tok::kw___fastcall
, tok::kw___thiscall
,
1139 tok::kw___regcall
, tok::kw___vectorcall
))
1140 return TPResult::True
; // attributes indicate declaration
1141 TPResult TPR
= TryParseDeclarator(mayBeAbstract
, mayHaveIdentifier
);
1142 if (TPR
!= TPResult::Ambiguous
)
1144 if (Tok
.isNot(tok::r_paren
))
1145 return TPResult::False
;
1148 } else if (!mayBeAbstract
) {
1149 return TPResult::False
;
1152 if (mayHaveDirectInit
)
1153 return TPResult::Ambiguous
;
1156 TPResult
TPR(TPResult::Ambiguous
);
1158 if (Tok
.is(tok::l_paren
)) {
1159 // Check whether we have a function declarator or a possible ctor-style
1160 // initializer that follows the declarator. Note that ctor-style
1161 // initializers are not possible in contexts where abstract declarators
1163 if (!mayBeAbstract
&& !isCXXFunctionDeclarator())
1166 // direct-declarator '(' parameter-declaration-clause ')'
1167 // cv-qualifier-seq[opt] exception-specification[opt]
1169 TPR
= TryParseFunctionDeclarator(mayHaveTrailingReturnType
);
1170 } else if (Tok
.is(tok::l_square
)) {
1171 // direct-declarator '[' constant-expression[opt] ']'
1172 // direct-abstract-declarator[opt] '[' constant-expression[opt] ']'
1173 TPR
= TryParseBracketDeclarator();
1174 } else if (Tok
.is(tok::kw_requires
)) {
1175 // declarator requires-clause
1176 // A requires clause indicates a function declaration.
1177 TPR
= TPResult::True
;
1182 if (TPR
!= TPResult::Ambiguous
)
1186 return TPResult::Ambiguous
;
1189 bool Parser::isTentativelyDeclared(IdentifierInfo
*II
) {
1190 return llvm::is_contained(TentativelyDeclaredIdentifiers
, II
);
1194 class TentativeParseCCC final
: public CorrectionCandidateCallback
{
1196 TentativeParseCCC(const Token
&Next
) {
1197 WantRemainingKeywords
= false;
1198 WantTypeSpecifiers
=
1199 Next
.isOneOf(tok::l_paren
, tok::r_paren
, tok::greater
, tok::l_brace
,
1200 tok::identifier
, tok::comma
);
1203 bool ValidateCandidate(const TypoCorrection
&Candidate
) override
{
1204 // Reject any candidate that only resolves to instance members since they
1205 // aren't viable as standalone identifiers instead of member references.
1206 if (Candidate
.isResolved() && !Candidate
.isKeyword() &&
1207 llvm::all_of(Candidate
,
1208 [](NamedDecl
*ND
) { return ND
->isCXXInstanceMember(); }))
1211 return CorrectionCandidateCallback::ValidateCandidate(Candidate
);
1214 std::unique_ptr
<CorrectionCandidateCallback
> clone() override
{
1215 return std::make_unique
<TentativeParseCCC
>(*this);
1219 /// isCXXDeclarationSpecifier - Returns TPResult::True if it is a declaration
1220 /// specifier, TPResult::False if it is not, TPResult::Ambiguous if it could
1221 /// be either a decl-specifier or a function-style cast, and TPResult::Error
1222 /// if a parsing error was found and reported.
1224 /// If InvalidAsDeclSpec is not null, some cases that would be ill-formed as
1225 /// declaration specifiers but possibly valid as some other kind of construct
1226 /// return TPResult::Ambiguous instead of TPResult::False. When this happens,
1227 /// the intent is to keep trying to disambiguate, on the basis that we might
1228 /// find a better reason to treat this construct as a declaration later on.
1229 /// When this happens and the name could possibly be valid in some other
1230 /// syntactic context, *InvalidAsDeclSpec is set to 'true'. The current cases
1231 /// that trigger this are:
1233 /// * When parsing X::Y (with no 'typename') where X is dependent
1234 /// * When parsing X<Y> where X is undeclared
1237 /// storage-class-specifier
1239 /// function-specifier
1242 /// [C++11] 'constexpr'
1243 /// [C++20] 'consteval'
1244 /// [GNU] attributes declaration-specifiers[opt]
1246 /// storage-class-specifier:
1252 /// [GNU] '__thread'
1253 /// [C++11] 'thread_local'
1254 /// [C11] '_Thread_local'
1256 /// function-specifier:
1265 /// simple-type-specifier
1268 /// elaborated-type-specifier
1269 /// typename-specifier
1272 /// simple-type-specifier:
1273 /// '::'[opt] nested-name-specifier[opt] type-name
1274 /// '::'[opt] nested-name-specifier 'template'
1275 /// simple-template-id [TODO]
1287 /// [GNU] typeof-specifier
1288 /// [GNU] '_Complex'
1290 /// [GNU] '__auto_type'
1291 /// [C++11] 'decltype' ( expression )
1292 /// [C++1y] 'decltype' ( 'auto' )
1299 /// elaborated-type-specifier:
1300 /// class-key '::'[opt] nested-name-specifier[opt] identifier
1301 /// class-key '::'[opt] nested-name-specifier[opt] 'template'[opt]
1302 /// simple-template-id
1303 /// 'enum' '::'[opt] nested-name-specifier[opt] identifier
1309 /// 'enum' identifier[opt] '{' enumerator-list[opt] '}'
1310 /// 'enum' identifier[opt] '{' enumerator-list ',' '}'
1312 /// class-specifier:
1313 /// class-head '{' member-specification[opt] '}'
1316 /// class-key identifier[opt] base-clause[opt]
1317 /// class-key nested-name-specifier identifier base-clause[opt]
1318 /// class-key nested-name-specifier[opt] simple-template-id
1319 /// base-clause[opt]
1332 Parser::isCXXDeclarationSpecifier(ImplicitTypenameContext AllowImplicitTypename
,
1333 Parser::TPResult BracedCastResult
,
1334 bool *InvalidAsDeclSpec
) {
1335 auto IsPlaceholderSpecifier
= [&](TemplateIdAnnotation
*TemplateId
,
1337 // We have a placeholder-constraint (we check for 'auto' or 'decltype' to
1338 // distinguish 'C<int>;' from 'C<int> auto c = 1;')
1339 return TemplateId
->Kind
== TNK_Concept_template
&&
1340 (GetLookAheadToken(Lookahead
+ 1)
1341 .isOneOf(tok::kw_auto
, tok::kw_decltype
,
1342 // If we have an identifier here, the user probably
1343 // forgot the 'auto' in the placeholder constraint,
1344 // e.g. 'C<int> x = 2;' This will be diagnosed nicely
1345 // later, so disambiguate as a declaration.
1347 // CVR qualifierslikely the same situation for the
1348 // user, so let this be diagnosed nicely later. We
1349 // cannot handle references here, as `C<int> & Other`
1350 // and `C<int> && Other` are both legal.
1351 tok::kw_const
, tok::kw_volatile
, tok::kw_restrict
) ||
1352 // While `C<int> && Other` is legal, doing so while not specifying a
1353 // template argument is NOT, so see if we can fix up in that case at
1354 // minimum. Concepts require at least 1 template parameter, so we
1355 // can count on the argument count.
1356 // FIXME: In the future, we migth be able to have SEMA look up the
1357 // declaration for this concept, and see how many template
1358 // parameters it has. If the concept isn't fully specified, it is
1359 // possibly a situation where we want deduction, such as:
1360 // `BinaryConcept<int> auto f = bar();`
1361 (TemplateId
->NumArgs
== 0 &&
1362 GetLookAheadToken(Lookahead
+ 1).isOneOf(tok::amp
, tok::ampamp
)));
1364 switch (Tok
.getKind()) {
1365 case tok::identifier
: {
1366 // Check for need to substitute AltiVec __vector keyword
1367 // for "vector" identifier.
1368 if (TryAltiVecVectorToken())
1369 return TPResult::True
;
1371 const Token
&Next
= NextToken();
1372 // In 'foo bar', 'foo' is always a type name outside of Objective-C.
1373 if (!getLangOpts().ObjC
&& Next
.is(tok::identifier
))
1374 return TPResult::True
;
1376 if (Next
.isNot(tok::coloncolon
) && Next
.isNot(tok::less
)) {
1377 // Determine whether this is a valid expression. If not, we will hit
1378 // a parse error one way or another. In that case, tell the caller that
1379 // this is ambiguous. Typo-correct to type and expression keywords and
1380 // to types and identifiers, in order to try to recover from errors.
1381 TentativeParseCCC
CCC(Next
);
1382 switch (TryAnnotateName(&CCC
)) {
1384 return TPResult::Error
;
1385 case ANK_TentativeDecl
:
1386 return TPResult::False
;
1387 case ANK_TemplateName
:
1388 // In C++17, this could be a type template for class template argument
1389 // deduction. Try to form a type annotation for it. If we're in a
1390 // template template argument, we'll undo this when checking the
1391 // validity of the argument.
1392 if (getLangOpts().CPlusPlus17
) {
1393 if (TryAnnotateTypeOrScopeToken(AllowImplicitTypename
))
1394 return TPResult::Error
;
1395 if (Tok
.isNot(tok::identifier
))
1399 // A bare type template-name which can't be a template template
1400 // argument is an error, and was probably intended to be a type.
1401 return GreaterThanIsOperator
? TPResult::True
: TPResult::False
;
1402 case ANK_Unresolved
:
1403 return InvalidAsDeclSpec
? TPResult::Ambiguous
: TPResult::False
;
1407 assert(Tok
.isNot(tok::identifier
) &&
1408 "TryAnnotateName succeeded without producing an annotation");
1410 // This might possibly be a type with a dependent scope specifier and
1411 // a missing 'typename' keyword. Don't use TryAnnotateName in this case,
1412 // since it will annotate as a primary expression, and we want to use the
1413 // "missing 'typename'" logic.
1414 if (TryAnnotateTypeOrScopeToken(AllowImplicitTypename
))
1415 return TPResult::Error
;
1416 // If annotation failed, assume it's a non-type.
1417 // FIXME: If this happens due to an undeclared identifier, treat it as
1419 if (Tok
.is(tok::identifier
))
1420 return TPResult::False
;
1423 // We annotated this token as something. Recurse to handle whatever we got.
1424 return isCXXDeclarationSpecifier(AllowImplicitTypename
, BracedCastResult
,
1428 case tok::kw_typename
: // typename T::type
1429 // Annotate typenames and C++ scope specifiers. If we get one, just
1430 // recurse to handle whatever we get.
1431 if (TryAnnotateTypeOrScopeToken(ImplicitTypenameContext::Yes
))
1432 return TPResult::Error
;
1433 return isCXXDeclarationSpecifier(ImplicitTypenameContext::Yes
,
1434 BracedCastResult
, InvalidAsDeclSpec
);
1436 case tok::kw_auto
: {
1437 if (!getLangOpts().CPlusPlus23
)
1438 return TPResult::True
;
1439 if (NextToken().is(tok::l_brace
))
1440 return TPResult::False
;
1441 if (NextToken().is(tok::l_paren
))
1442 return TPResult::Ambiguous
;
1443 return TPResult::True
;
1446 case tok::coloncolon
: { // ::foo::bar
1447 const Token
&Next
= NextToken();
1448 if (Next
.isOneOf(tok::kw_new
, // ::new
1449 tok::kw_delete
)) // ::delete
1450 return TPResult::False
;
1453 case tok::kw___super
:
1454 case tok::kw_decltype
:
1455 // Annotate typenames and C++ scope specifiers. If we get one, just
1456 // recurse to handle whatever we get.
1457 if (TryAnnotateTypeOrScopeToken(AllowImplicitTypename
))
1458 return TPResult::Error
;
1459 return isCXXDeclarationSpecifier(AllowImplicitTypename
, BracedCastResult
,
1463 // storage-class-specifier
1465 // function-specifier
1469 case tok::kw_friend
:
1470 case tok::kw_typedef
:
1471 case tok::kw_constexpr
:
1472 case tok::kw_consteval
:
1473 case tok::kw_constinit
:
1474 // storage-class-specifier
1475 case tok::kw_register
:
1476 case tok::kw_static
:
1477 case tok::kw_extern
:
1478 case tok::kw_mutable
:
1479 case tok::kw___thread
:
1480 case tok::kw_thread_local
:
1481 case tok::kw__Thread_local
:
1482 // function-specifier
1483 case tok::kw_inline
:
1484 case tok::kw_virtual
:
1485 case tok::kw_explicit
:
1488 case tok::kw___module_private__
:
1491 case tok::kw___unknown_anytype
:
1494 // simple-type-specifier
1497 // elaborated-type-specifier
1498 // typename-specifier
1502 // elaborated-type-specifier
1504 case tok::kw_struct
:
1506 case tok::kw___interface
:
1511 case tok::kw_volatile
:
1512 return TPResult::True
;
1514 // OpenCL address space qualifiers
1515 case tok::kw_private
:
1516 if (!getLangOpts().OpenCL
)
1517 return TPResult::False
;
1519 case tok::kw___private
:
1520 case tok::kw___local
:
1521 case tok::kw___global
:
1522 case tok::kw___constant
:
1523 case tok::kw___generic
:
1524 // OpenCL access qualifiers
1525 case tok::kw___read_only
:
1526 case tok::kw___write_only
:
1527 case tok::kw___read_write
:
1531 // HLSL address space qualifiers
1532 case tok::kw_groupshared
:
1538 case tok::kw_restrict
:
1539 case tok::kw__Complex
:
1540 case tok::kw___attribute
:
1541 case tok::kw___auto_type
:
1542 return TPResult::True
;
1545 case tok::kw___declspec
:
1546 case tok::kw___cdecl
:
1547 case tok::kw___stdcall
:
1548 case tok::kw___fastcall
:
1549 case tok::kw___thiscall
:
1550 case tok::kw___regcall
:
1551 case tok::kw___vectorcall
:
1553 case tok::kw___sptr
:
1554 case tok::kw___uptr
:
1555 case tok::kw___ptr64
:
1556 case tok::kw___ptr32
:
1557 case tok::kw___forceinline
:
1558 case tok::kw___unaligned
:
1559 case tok::kw__Nonnull
:
1560 case tok::kw__Nullable
:
1561 case tok::kw__Nullable_result
:
1562 case tok::kw__Null_unspecified
:
1563 case tok::kw___kindof
:
1564 return TPResult::True
;
1566 // WebAssemblyFuncref
1567 case tok::kw___funcref
:
1568 return TPResult::True
;
1571 case tok::kw___pascal
:
1572 return TPResult::True
;
1575 case tok::kw___vector
:
1576 return TPResult::True
;
1578 case tok::kw_this
: {
1579 // Try to parse a C++23 Explicit Object Parameter
1580 // We do that in all language modes to produce a better diagnostic.
1581 if (getLangOpts().CPlusPlus
) {
1582 RevertingTentativeParsingAction
PA(*this);
1584 return isCXXDeclarationSpecifier(AllowImplicitTypename
, BracedCastResult
,
1587 return TPResult::False
;
1589 case tok::annot_template_id
: {
1590 TemplateIdAnnotation
*TemplateId
= takeTemplateIdAnnotation(Tok
);
1591 // If lookup for the template-name found nothing, don't assume we have a
1592 // definitive disambiguation result yet.
1593 if ((TemplateId
->hasInvalidName() ||
1594 TemplateId
->Kind
== TNK_Undeclared_template
) &&
1595 InvalidAsDeclSpec
) {
1596 // 'template-id(' can be a valid expression but not a valid decl spec if
1597 // the template-name is not declared, but we don't consider this to be a
1598 // definitive disambiguation. In any other context, it's an error either
1600 *InvalidAsDeclSpec
= NextToken().is(tok::l_paren
);
1601 return TPResult::Ambiguous
;
1603 if (TemplateId
->hasInvalidName())
1604 return TPResult::Error
;
1605 if (IsPlaceholderSpecifier(TemplateId
, /*Lookahead=*/0))
1606 return TPResult::True
;
1607 if (TemplateId
->Kind
!= TNK_Type_template
)
1608 return TPResult::False
;
1610 AnnotateTemplateIdTokenAsType(SS
, AllowImplicitTypename
);
1611 assert(Tok
.is(tok::annot_typename
));
1615 case tok::annot_cxxscope
: // foo::bar or ::foo::bar, but already parsed
1616 // We've already annotated a scope; try to annotate a type.
1617 if (TryAnnotateTypeOrScopeToken(AllowImplicitTypename
))
1618 return TPResult::Error
;
1619 if (!Tok
.is(tok::annot_typename
)) {
1620 if (Tok
.is(tok::annot_cxxscope
) &&
1621 NextToken().is(tok::annot_template_id
)) {
1622 TemplateIdAnnotation
*TemplateId
=
1623 takeTemplateIdAnnotation(NextToken());
1624 if (TemplateId
->hasInvalidName()) {
1625 if (InvalidAsDeclSpec
) {
1626 *InvalidAsDeclSpec
= NextToken().is(tok::l_paren
);
1627 return TPResult::Ambiguous
;
1629 return TPResult::Error
;
1631 if (IsPlaceholderSpecifier(TemplateId
, /*Lookahead=*/1))
1632 return TPResult::True
;
1634 // If the next token is an identifier or a type qualifier, then this
1635 // can't possibly be a valid expression either.
1636 if (Tok
.is(tok::annot_cxxscope
) && NextToken().is(tok::identifier
)) {
1638 Actions
.RestoreNestedNameSpecifierAnnotation(Tok
.getAnnotationValue(),
1639 Tok
.getAnnotationRange(),
1641 if (SS
.getScopeRep() && SS
.getScopeRep()->isDependent()) {
1642 RevertingTentativeParsingAction
PA(*this);
1643 ConsumeAnnotationToken();
1645 bool isIdentifier
= Tok
.is(tok::identifier
);
1646 TPResult TPR
= TPResult::False
;
1648 TPR
= isCXXDeclarationSpecifier(
1649 AllowImplicitTypename
, BracedCastResult
, InvalidAsDeclSpec
);
1652 TPR
== TPResult::True
|| TPR
== TPResult::Error
)
1653 return TPResult::Error
;
1655 if (InvalidAsDeclSpec
) {
1656 // We can't tell whether this is a missing 'typename' or a valid
1658 *InvalidAsDeclSpec
= true;
1659 return TPResult::Ambiguous
;
1661 // In MS mode, if InvalidAsDeclSpec is not provided, and the tokens
1662 // are or the form *) or &) *> or &> &&>, this can't be an expression.
1663 // The typename must be missing.
1664 if (getLangOpts().MSVCCompat
) {
1665 if (((Tok
.is(tok::amp
) || Tok
.is(tok::star
)) &&
1666 (NextToken().is(tok::r_paren
) ||
1667 NextToken().is(tok::greater
))) ||
1668 (Tok
.is(tok::ampamp
) && NextToken().is(tok::greater
)))
1669 return TPResult::True
;
1673 // Try to resolve the name. If it doesn't exist, assume it was
1674 // intended to name a type and keep disambiguating.
1675 switch (TryAnnotateName(/*CCC=*/nullptr, AllowImplicitTypename
)) {
1677 return TPResult::Error
;
1678 case ANK_TentativeDecl
:
1679 return TPResult::False
;
1680 case ANK_TemplateName
:
1681 // In C++17, this could be a type template for class template
1682 // argument deduction.
1683 if (getLangOpts().CPlusPlus17
) {
1684 if (TryAnnotateTypeOrScopeToken())
1685 return TPResult::Error
;
1686 // If we annotated then the current token should not still be ::
1687 // FIXME we may want to also check for tok::annot_typename but
1688 // currently don't have a test case.
1689 if (Tok
.isNot(tok::annot_cxxscope
))
1693 // A bare type template-name which can't be a template template
1694 // argument is an error, and was probably intended to be a type.
1695 // In C++17, this could be class template argument deduction.
1696 return (getLangOpts().CPlusPlus17
|| GreaterThanIsOperator
)
1699 case ANK_Unresolved
:
1700 return InvalidAsDeclSpec
? TPResult::Ambiguous
: TPResult::False
;
1705 // Annotated it, check again.
1706 assert(Tok
.isNot(tok::annot_cxxscope
) ||
1707 NextToken().isNot(tok::identifier
));
1708 return isCXXDeclarationSpecifier(AllowImplicitTypename
,
1709 BracedCastResult
, InvalidAsDeclSpec
);
1712 return TPResult::False
;
1714 // If that succeeded, fallthrough into the generic simple-type-id case.
1717 // The ambiguity resides in a simple-type-specifier/typename-specifier
1718 // followed by a '('. The '(' could either be the start of:
1720 // direct-declarator:
1721 // '(' declarator ')'
1723 // direct-abstract-declarator:
1724 // '(' parameter-declaration-clause ')' cv-qualifier-seq[opt]
1725 // exception-specification[opt]
1726 // '(' abstract-declarator ')'
1728 // or part of a function-style cast expression:
1730 // simple-type-specifier '(' expression-list[opt] ')'
1733 // simple-type-specifier:
1735 case tok::annot_typename
:
1737 // In Objective-C, we might have a protocol-qualified type.
1738 if (getLangOpts().ObjC
&& NextToken().is(tok::less
)) {
1739 // Tentatively parse the protocol qualifiers.
1740 RevertingTentativeParsingAction
PA(*this);
1741 ConsumeAnyToken(); // The type token
1743 TPResult TPR
= TryParseProtocolQualifiers();
1744 bool isFollowedByParen
= Tok
.is(tok::l_paren
);
1745 bool isFollowedByBrace
= Tok
.is(tok::l_brace
);
1747 if (TPR
== TPResult::Error
)
1748 return TPResult::Error
;
1750 if (isFollowedByParen
)
1751 return TPResult::Ambiguous
;
1753 if (getLangOpts().CPlusPlus11
&& isFollowedByBrace
)
1754 return BracedCastResult
;
1756 return TPResult::True
;
1761 case tok::kw_wchar_t
:
1762 case tok::kw_char8_t
:
1763 case tok::kw_char16_t
:
1764 case tok::kw_char32_t
:
1769 case tok::kw___int64
:
1770 case tok::kw___int128
:
1771 case tok::kw_signed
:
1772 case tok::kw_unsigned
:
1775 case tok::kw_double
:
1776 case tok::kw___bf16
:
1777 case tok::kw__Float16
:
1778 case tok::kw___float128
:
1779 case tok::kw___ibm128
:
1781 case tok::annot_decltype
:
1782 case tok::kw__Accum
:
1783 case tok::kw__Fract
:
1785 #define GENERIC_IMAGE_TYPE(ImgType, Id) case tok::kw_##ImgType##_t:
1786 #include "clang/Basic/OpenCLImageTypes.def"
1787 if (NextToken().is(tok::l_paren
))
1788 return TPResult::Ambiguous
;
1790 // This is a function-style cast in all cases we disambiguate other than
1793 // enum E : int { a = 4 }; // enum
1794 // enum E : int { 4 }; // bit-field
1796 if (getLangOpts().CPlusPlus11
&& NextToken().is(tok::l_brace
))
1797 return BracedCastResult
;
1799 if (isStartOfObjCClassMessageMissingOpenBracket())
1800 return TPResult::False
;
1802 return TPResult::True
;
1804 // GNU typeof support.
1805 case tok::kw_typeof
: {
1806 if (NextToken().isNot(tok::l_paren
))
1807 return TPResult::True
;
1809 RevertingTentativeParsingAction
PA(*this);
1811 TPResult TPR
= TryParseTypeofSpecifier();
1812 bool isFollowedByParen
= Tok
.is(tok::l_paren
);
1813 bool isFollowedByBrace
= Tok
.is(tok::l_brace
);
1815 if (TPR
== TPResult::Error
)
1816 return TPResult::Error
;
1818 if (isFollowedByParen
)
1819 return TPResult::Ambiguous
;
1821 if (getLangOpts().CPlusPlus11
&& isFollowedByBrace
)
1822 return BracedCastResult
;
1824 return TPResult::True
;
1827 #define TRANSFORM_TYPE_TRAIT_DEF(_, Trait) case tok::kw___##Trait:
1828 #include "clang/Basic/TransformTypeTraits.def"
1829 return TPResult::True
;
1832 case tok::kw__Atomic
:
1833 return TPResult::True
;
1835 case tok::kw__BitInt
:
1836 case tok::kw__ExtInt
: {
1837 if (NextToken().isNot(tok::l_paren
))
1838 return TPResult::Error
;
1839 RevertingTentativeParsingAction
PA(*this);
1843 if (!SkipUntil(tok::r_paren
, StopAtSemi
))
1844 return TPResult::Error
;
1846 if (Tok
.is(tok::l_paren
))
1847 return TPResult::Ambiguous
;
1849 if (getLangOpts().CPlusPlus11
&& Tok
.is(tok::l_brace
))
1850 return BracedCastResult
;
1852 return TPResult::True
;
1855 return TPResult::False
;
1859 bool Parser::isCXXDeclarationSpecifierAType() {
1860 switch (Tok
.getKind()) {
1861 // typename-specifier
1862 case tok::annot_decltype
:
1863 case tok::annot_template_id
:
1864 case tok::annot_typename
:
1865 case tok::kw_typeof
:
1866 #define TRANSFORM_TYPE_TRAIT_DEF(_, Trait) case tok::kw___##Trait:
1867 #include "clang/Basic/TransformTypeTraits.def"
1870 // elaborated-type-specifier
1872 case tok::kw_struct
:
1874 case tok::kw___interface
:
1878 // simple-type-specifier
1880 case tok::kw_wchar_t
:
1881 case tok::kw_char8_t
:
1882 case tok::kw_char16_t
:
1883 case tok::kw_char32_t
:
1887 case tok::kw__ExtInt
:
1888 case tok::kw__BitInt
:
1890 case tok::kw___int64
:
1891 case tok::kw___int128
:
1892 case tok::kw_signed
:
1893 case tok::kw_unsigned
:
1896 case tok::kw_double
:
1897 case tok::kw___bf16
:
1898 case tok::kw__Float16
:
1899 case tok::kw___float128
:
1900 case tok::kw___ibm128
:
1902 case tok::kw___unknown_anytype
:
1903 case tok::kw___auto_type
:
1904 case tok::kw__Accum
:
1905 case tok::kw__Fract
:
1907 #define GENERIC_IMAGE_TYPE(ImgType, Id) case tok::kw_##ImgType##_t:
1908 #include "clang/Basic/OpenCLImageTypes.def"
1912 return getLangOpts().CPlusPlus11
;
1914 case tok::kw__Atomic
:
1916 return NextToken().is(tok::l_paren
);
1923 /// [GNU] typeof-specifier:
1924 /// 'typeof' '(' expressions ')'
1925 /// 'typeof' '(' type-name ')'
1927 Parser::TPResult
Parser::TryParseTypeofSpecifier() {
1928 assert(Tok
.is(tok::kw_typeof
) && "Expected 'typeof'!");
1931 assert(Tok
.is(tok::l_paren
) && "Expected '('");
1932 // Parse through the parens after 'typeof'.
1934 if (!SkipUntil(tok::r_paren
, StopAtSemi
))
1935 return TPResult::Error
;
1937 return TPResult::Ambiguous
;
1940 /// [ObjC] protocol-qualifiers:
1941 //// '<' identifier-list '>'
1942 Parser::TPResult
Parser::TryParseProtocolQualifiers() {
1943 assert(Tok
.is(tok::less
) && "Expected '<' for qualifier list");
1946 if (Tok
.isNot(tok::identifier
))
1947 return TPResult::Error
;
1950 if (Tok
.is(tok::comma
)) {
1955 if (Tok
.is(tok::greater
)) {
1957 return TPResult::Ambiguous
;
1961 return TPResult::Error
;
1964 /// isCXXFunctionDeclarator - Disambiguates between a function declarator or
1965 /// a constructor-style initializer, when parsing declaration statements.
1966 /// Returns true for function declarator and false for constructor-style
1968 /// If during the disambiguation process a parsing error is encountered,
1969 /// the function returns true to let the declaration parsing code handle it.
1971 /// '(' parameter-declaration-clause ')' cv-qualifier-seq[opt]
1972 /// exception-specification[opt]
1974 bool Parser::isCXXFunctionDeclarator(
1975 bool *IsAmbiguous
, ImplicitTypenameContext AllowImplicitTypename
) {
1978 // The ambiguity arising from the similarity between a function-style cast and
1979 // a declaration mentioned in 6.8 can also occur in the context of a
1980 // declaration. In that context, the choice is between a function declaration
1981 // with a redundant set of parentheses around a parameter name and an object
1982 // declaration with a function-style cast as the initializer. Just as for the
1983 // ambiguities mentioned in 6.8, the resolution is to consider any construct
1984 // that could possibly be a declaration a declaration.
1986 RevertingTentativeParsingAction
PA(*this);
1989 bool InvalidAsDeclaration
= false;
1990 TPResult TPR
= TryParseParameterDeclarationClause(
1991 &InvalidAsDeclaration
, /*VersusTemplateArgument=*/false,
1992 AllowImplicitTypename
);
1993 if (TPR
== TPResult::Ambiguous
) {
1994 if (Tok
.isNot(tok::r_paren
))
1995 TPR
= TPResult::False
;
1997 const Token
&Next
= NextToken();
1998 if (Next
.isOneOf(tok::amp
, tok::ampamp
, tok::kw_const
, tok::kw_volatile
,
1999 tok::kw_throw
, tok::kw_noexcept
, tok::l_square
,
2000 tok::l_brace
, tok::kw_try
, tok::equal
, tok::arrow
) ||
2001 isCXX11VirtSpecifier(Next
))
2002 // The next token cannot appear after a constructor-style initializer,
2003 // and can appear next in a function definition. This must be a function
2005 TPR
= TPResult::True
;
2006 else if (InvalidAsDeclaration
)
2007 // Use the absence of 'typename' as a tie-breaker.
2008 TPR
= TPResult::False
;
2012 if (IsAmbiguous
&& TPR
== TPResult::Ambiguous
)
2013 *IsAmbiguous
= true;
2015 // In case of an error, let the declaration parsing code handle it.
2016 return TPR
!= TPResult::False
;
2019 /// parameter-declaration-clause:
2020 /// parameter-declaration-list[opt] '...'[opt]
2021 /// parameter-declaration-list ',' '...'
2023 /// parameter-declaration-list:
2024 /// parameter-declaration
2025 /// parameter-declaration-list ',' parameter-declaration
2027 /// parameter-declaration:
2028 /// attribute-specifier-seq[opt] decl-specifier-seq declarator attributes[opt]
2029 /// attribute-specifier-seq[opt] decl-specifier-seq declarator attributes[opt]
2030 /// '=' assignment-expression
2031 /// attribute-specifier-seq[opt] decl-specifier-seq abstract-declarator[opt]
2033 /// attribute-specifier-seq[opt] decl-specifier-seq abstract-declarator[opt]
2034 /// attributes[opt] '=' assignment-expression
2036 Parser::TPResult
Parser::TryParseParameterDeclarationClause(
2037 bool *InvalidAsDeclaration
, bool VersusTemplateArgument
,
2038 ImplicitTypenameContext AllowImplicitTypename
) {
2040 if (Tok
.is(tok::r_paren
))
2041 return TPResult::Ambiguous
;
2043 // parameter-declaration-list[opt] '...'[opt]
2044 // parameter-declaration-list ',' '...'
2046 // parameter-declaration-list:
2047 // parameter-declaration
2048 // parameter-declaration-list ',' parameter-declaration
2052 if (Tok
.is(tok::ellipsis
)) {
2054 if (Tok
.is(tok::r_paren
))
2055 return TPResult::True
; // '...)' is a sign of a function declarator.
2057 return TPResult::False
;
2060 // An attribute-specifier-seq here is a sign of a function declarator.
2061 if (isCXX11AttributeSpecifier(/*Disambiguate*/false,
2062 /*OuterMightBeMessageSend*/true))
2063 return TPResult::True
;
2065 ParsedAttributes
attrs(AttrFactory
);
2066 MaybeParseMicrosoftAttributes(attrs
);
2068 // decl-specifier-seq
2069 // A parameter-declaration's initializer must be preceded by an '=', so
2070 // decl-specifier-seq '{' is not a parameter in C++11.
2071 TPResult TPR
= isCXXDeclarationSpecifier(
2072 AllowImplicitTypename
, TPResult::False
, InvalidAsDeclaration
);
2073 // A declaration-specifier (not followed by '(' or '{') means this can't be
2074 // an expression, but it could still be a template argument.
2075 if (TPR
!= TPResult::Ambiguous
&&
2076 !(VersusTemplateArgument
&& TPR
== TPResult::True
))
2079 bool SeenType
= false;
2080 bool DeclarationSpecifierIsAuto
= Tok
.is(tok::kw_auto
);
2082 SeenType
|= isCXXDeclarationSpecifierAType();
2083 if (TryConsumeDeclarationSpecifier() == TPResult::Error
)
2084 return TPResult::Error
;
2086 // If we see a parameter name, this can't be a template argument.
2087 if (SeenType
&& Tok
.is(tok::identifier
))
2088 return TPResult::True
;
2090 TPR
= isCXXDeclarationSpecifier(AllowImplicitTypename
, TPResult::False
,
2091 InvalidAsDeclaration
);
2092 if (TPR
== TPResult::Error
)
2095 // Two declaration-specifiers means this can't be an expression.
2096 if (TPR
== TPResult::True
&& !VersusTemplateArgument
)
2098 } while (TPR
!= TPResult::False
);
2101 // abstract-declarator[opt]
2102 TPR
= TryParseDeclarator(
2103 /*mayBeAbstract=*/true,
2104 /*mayHaveIdentifier=*/true,
2105 /*mayHaveDirectInit=*/false,
2106 /*mayHaveTrailingReturnType=*/DeclarationSpecifierIsAuto
);
2107 if (TPR
!= TPResult::Ambiguous
)
2110 // [GNU] attributes[opt]
2111 if (Tok
.is(tok::kw___attribute
))
2112 return TPResult::True
;
2114 // If we're disambiguating a template argument in a default argument in
2115 // a class definition versus a parameter declaration, an '=' here
2116 // disambiguates the parse one way or the other.
2117 // If this is a parameter, it must have a default argument because
2118 // (a) the previous parameter did, and
2119 // (b) this must be the first declaration of the function, so we can't
2120 // inherit any default arguments from elsewhere.
2121 // FIXME: If we reach a ')' without consuming any '>'s, then this must
2122 // also be a function parameter (that's missing its default argument).
2123 if (VersusTemplateArgument
)
2124 return Tok
.is(tok::equal
) ? TPResult::True
: TPResult::False
;
2126 if (Tok
.is(tok::equal
)) {
2127 // '=' assignment-expression
2128 // Parse through assignment-expression.
2129 if (!SkipUntil(tok::comma
, tok::r_paren
, StopAtSemi
| StopBeforeMatch
))
2130 return TPResult::Error
;
2133 if (Tok
.is(tok::ellipsis
)) {
2135 if (Tok
.is(tok::r_paren
))
2136 return TPResult::True
; // '...)' is a sign of a function declarator.
2138 return TPResult::False
;
2141 if (!TryConsumeToken(tok::comma
))
2145 return TPResult::Ambiguous
;
2148 /// TryParseFunctionDeclarator - We parsed a '(' and we want to try to continue
2149 /// parsing as a function declarator.
2150 /// If TryParseFunctionDeclarator fully parsed the function declarator, it will
2151 /// return TPResult::Ambiguous, otherwise it will return either False() or
2154 /// '(' parameter-declaration-clause ')' cv-qualifier-seq[opt]
2155 /// exception-specification[opt]
2157 /// exception-specification:
2158 /// 'throw' '(' type-id-list[opt] ')'
2161 Parser::TryParseFunctionDeclarator(bool MayHaveTrailingReturnType
) {
2162 // The '(' is already parsed.
2164 TPResult TPR
= TryParseParameterDeclarationClause();
2165 if (TPR
== TPResult::Ambiguous
&& Tok
.isNot(tok::r_paren
))
2166 TPR
= TPResult::False
;
2168 if (TPR
== TPResult::False
|| TPR
== TPResult::Error
)
2171 // Parse through the parens.
2172 if (!SkipUntil(tok::r_paren
, StopAtSemi
))
2173 return TPResult::Error
;
2176 while (Tok
.isOneOf(tok::kw_const
, tok::kw_volatile
, tok::kw___unaligned
,
2180 // ref-qualifier[opt]
2181 if (Tok
.isOneOf(tok::amp
, tok::ampamp
))
2184 // exception-specification
2185 if (Tok
.is(tok::kw_throw
)) {
2187 if (Tok
.isNot(tok::l_paren
))
2188 return TPResult::Error
;
2190 // Parse through the parens after 'throw'.
2192 if (!SkipUntil(tok::r_paren
, StopAtSemi
))
2193 return TPResult::Error
;
2195 if (Tok
.is(tok::kw_noexcept
)) {
2197 // Possibly an expression as well.
2198 if (Tok
.is(tok::l_paren
)) {
2199 // Find the matching rparen.
2201 if (!SkipUntil(tok::r_paren
, StopAtSemi
))
2202 return TPResult::Error
;
2206 // attribute-specifier-seq
2207 if (!TrySkipAttributes())
2208 return TPResult::Ambiguous
;
2210 // trailing-return-type
2211 if (Tok
.is(tok::arrow
) && MayHaveTrailingReturnType
) {
2212 if (TPR
== TPResult::True
)
2215 if (Tok
.is(tok::identifier
) && NameAfterArrowIsNonType()) {
2216 return TPResult::False
;
2218 if (isCXXTypeId(TentativeCXXTypeIdContext::TypeIdInTrailingReturnType
))
2219 return TPResult::True
;
2222 return TPResult::Ambiguous
;
2225 // When parsing an identifier after an arrow it may be a member expression,
2226 // in which case we should not annotate it as an independant expression
2227 // so we just lookup that name, if it's not a type the construct is not
2228 // a function declaration.
2229 bool Parser::NameAfterArrowIsNonType() {
2230 assert(Tok
.is(tok::identifier
));
2231 Token Next
= NextToken();
2232 if (Next
.is(tok::coloncolon
))
2234 IdentifierInfo
*Name
= Tok
.getIdentifierInfo();
2235 SourceLocation NameLoc
= Tok
.getLocation();
2237 TentativeParseCCC
CCC(Next
);
2238 Sema::NameClassification Classification
=
2239 Actions
.ClassifyName(getCurScope(), SS
, Name
, NameLoc
, Next
, &CCC
);
2240 switch (Classification
.getKind()) {
2241 case Sema::NC_OverloadSet
:
2242 case Sema::NC_NonType
:
2243 case Sema::NC_VarTemplate
:
2244 case Sema::NC_FunctionTemplate
:
2252 /// '[' constant-expression[opt] ']'
2254 Parser::TPResult
Parser::TryParseBracketDeclarator() {
2257 // A constant-expression cannot begin with a '{', but the
2258 // expr-or-braced-init-list of a postfix-expression can.
2259 if (Tok
.is(tok::l_brace
))
2260 return TPResult::False
;
2262 if (!SkipUntil(tok::r_square
, tok::comma
, StopAtSemi
| StopBeforeMatch
))
2263 return TPResult::Error
;
2265 // If we hit a comma before the ']', this is not a constant-expression,
2266 // but might still be the expr-or-braced-init-list of a postfix-expression.
2267 if (Tok
.isNot(tok::r_square
))
2268 return TPResult::False
;
2271 return TPResult::Ambiguous
;
2274 /// Determine whether we might be looking at the '<' template-argument-list '>'
2275 /// of a template-id or simple-template-id, rather than a less-than comparison.
2276 /// This will often fail and produce an ambiguity, but should never be wrong
2277 /// if it returns True or False.
2278 Parser::TPResult
Parser::isTemplateArgumentList(unsigned TokensToSkip
) {
2279 if (!TokensToSkip
) {
2280 if (Tok
.isNot(tok::less
))
2281 return TPResult::False
;
2282 if (NextToken().is(tok::greater
))
2283 return TPResult::True
;
2286 RevertingTentativeParsingAction
PA(*this);
2288 while (TokensToSkip
) {
2293 if (!TryConsumeToken(tok::less
))
2294 return TPResult::False
;
2296 // We can't do much to tell an expression apart from a template-argument,
2297 // but one good distinguishing factor is that a "decl-specifier" not
2298 // followed by '(' or '{' can't appear in an expression.
2299 bool InvalidAsTemplateArgumentList
= false;
2300 if (isCXXDeclarationSpecifier(ImplicitTypenameContext::No
, TPResult::False
,
2301 &InvalidAsTemplateArgumentList
) ==
2303 return TPResult::True
;
2304 if (InvalidAsTemplateArgumentList
)
2305 return TPResult::False
;
2307 // FIXME: In many contexts, X<thing1, Type> can only be a
2308 // template-argument-list. But that's not true in general:
2312 // int a = A<B, b, c = C>D; // OK, declares b, not a template-id.
2314 // X<Y<0, int> // ', int>' might be end of X's template argument list
2316 // We might be able to disambiguate a few more cases if we're careful.
2318 // A template-argument-list must be terminated by a '>'.
2319 if (SkipUntil({tok::greater
, tok::greatergreater
, tok::greatergreatergreater
},
2320 StopAtSemi
| StopBeforeMatch
))
2321 return TPResult::Ambiguous
;
2322 return TPResult::False
;
2325 /// Determine whether we might be looking at the '(' of a C++20 explicit(bool)
2326 /// in an earlier language mode.
2327 Parser::TPResult
Parser::isExplicitBool() {
2328 assert(Tok
.is(tok::l_paren
) && "expected to be looking at a '(' token");
2330 RevertingTentativeParsingAction
PA(*this);
2333 // We can only have 'explicit' on a constructor, conversion function, or
2334 // deduction guide. The declarator of a deduction guide cannot be
2335 // parenthesized, so we know this isn't a deduction guide. So the only
2336 // thing we need to check for is some number of parens followed by either
2337 // the current class name or 'operator'.
2338 while (Tok
.is(tok::l_paren
))
2341 if (TryAnnotateOptionalCXXScopeToken())
2342 return TPResult::Error
;
2344 // Class-scope constructor and conversion function names can't really be
2345 // qualified, but we get better diagnostics if we assume they can be.
2347 if (Tok
.is(tok::annot_cxxscope
)) {
2348 Actions
.RestoreNestedNameSpecifierAnnotation(Tok
.getAnnotationValue(),
2349 Tok
.getAnnotationRange(),
2351 ConsumeAnnotationToken();
2354 // 'explicit(operator' might be explicit(bool) or the declaration of a
2355 // conversion function, but it's probably a conversion function.
2356 if (Tok
.is(tok::kw_operator
))
2357 return TPResult::Ambiguous
;
2359 // If this can't be a constructor name, it can only be explicit(bool).
2360 if (Tok
.isNot(tok::identifier
) && Tok
.isNot(tok::annot_template_id
))
2361 return TPResult::True
;
2362 if (!Actions
.isCurrentClassName(Tok
.is(tok::identifier
)
2363 ? *Tok
.getIdentifierInfo()
2364 : *takeTemplateIdAnnotation(Tok
)->Name
,
2365 getCurScope(), &SS
))
2366 return TPResult::True
;
2367 // Formally, we must have a right-paren after the constructor name to match
2368 // the grammar for a constructor. But clang permits a parenthesized
2369 // constructor declarator, so also allow a constructor declarator to follow
2370 // with no ')' token after the constructor name.
2371 if (!NextToken().is(tok::r_paren
) &&
2372 !isConstructorDeclarator(/*Unqualified=*/SS
.isEmpty(),
2373 /*DeductionGuide=*/false))
2374 return TPResult::True
;
2376 // Might be explicit(bool) or a parenthesized constructor name.
2377 return TPResult::Ambiguous
;