blob: 26709a5aaa659c62eec6e015693378dc3a251507 [file] [log] [blame]
Faisal Vali6a79ca12013-06-08 19:39:00 +00001//===--- ParseTemplate.cpp - Template Parsing -----------------------------===//
2//
3// The LLVM Compiler Infrastructure
4//
5// This file is distributed under the University of Illinois Open Source
6// License. See LICENSE.TXT for details.
7//
8//===----------------------------------------------------------------------===//
9//
10// This file implements parsing of C++ templates.
11//
12//===----------------------------------------------------------------------===//
13
Richard Smithb0b68012015-05-11 23:09:06 +000014#include "clang/AST/ASTContext.h"
Faisal Vali6a79ca12013-06-08 19:39:00 +000015#include "clang/AST/DeclTemplate.h"
16#include "clang/Parse/ParseDiagnostic.h"
Mehdi Amini9670f842016-07-18 19:02:11 +000017#include "clang/Parse/Parser.h"
Vassil Vassilev11ad3392017-03-23 15:11:07 +000018#include "clang/Parse/RAIIObjectsForParser.h"
Faisal Vali6a79ca12013-06-08 19:39:00 +000019#include "clang/Sema/DeclSpec.h"
20#include "clang/Sema/ParsedTemplate.h"
21#include "clang/Sema/Scope.h"
22using namespace clang;
23
Adrian Prantl9fc8faf2018-05-09 01:00:01 +000024/// Parse a template declaration, explicit instantiation, or
Faisal Vali6a79ca12013-06-08 19:39:00 +000025/// explicit specialization.
Erich Keanec480f302018-07-12 21:09:05 +000026Decl *Parser::ParseDeclarationStartingWithTemplate(
27 DeclaratorContext Context, SourceLocation &DeclEnd,
28 ParsedAttributes &AccessAttrs, AccessSpecifier AS) {
Faisal Vali6a79ca12013-06-08 19:39:00 +000029 ObjCDeclContextSwitch ObjCDC(*this);
Fangrui Song6907ce22018-07-30 19:24:48 +000030
Faisal Vali6a79ca12013-06-08 19:39:00 +000031 if (Tok.is(tok::kw_template) && NextToken().isNot(tok::less)) {
Erich Keanec480f302018-07-12 21:09:05 +000032 return ParseExplicitInstantiation(Context, SourceLocation(), ConsumeToken(),
33 DeclEnd, AccessAttrs, AS);
Faisal Vali6a79ca12013-06-08 19:39:00 +000034 }
Erich Keanec480f302018-07-12 21:09:05 +000035 return ParseTemplateDeclarationOrSpecialization(Context, DeclEnd, AccessAttrs,
36 AS);
Faisal Vali6a79ca12013-06-08 19:39:00 +000037}
38
Adrian Prantl9fc8faf2018-05-09 01:00:01 +000039/// Parse a template declaration or an explicit specialization.
Faisal Vali6a79ca12013-06-08 19:39:00 +000040///
41/// Template declarations include one or more template parameter lists
42/// and either the function or class template declaration. Explicit
43/// specializations contain one or more 'template < >' prefixes
44/// followed by a (possibly templated) declaration. Since the
45/// syntactic form of both features is nearly identical, we parse all
46/// of the template headers together and let semantic analysis sort
47/// the declarations from the explicit specializations.
48///
49/// template-declaration: [C++ temp]
50/// 'export'[opt] 'template' '<' template-parameter-list '>' declaration
51///
52/// explicit-specialization: [ C++ temp.expl.spec]
53/// 'template' '<' '>' declaration
Erich Keanec480f302018-07-12 21:09:05 +000054Decl *Parser::ParseTemplateDeclarationOrSpecialization(
55 DeclaratorContext Context, SourceLocation &DeclEnd,
56 ParsedAttributes &AccessAttrs, AccessSpecifier AS) {
Daniel Marjamakie59f8d72015-06-18 10:59:26 +000057 assert(Tok.isOneOf(tok::kw_export, tok::kw_template) &&
Faisal Vali6a79ca12013-06-08 19:39:00 +000058 "Token does not start a template declaration.");
59
60 // Enter template-parameter scope.
61 ParseScope TemplateParmScope(this, Scope::TemplateParamScope);
62
63 // Tell the action that names should be checked in the context of
64 // the declaration to come.
65 ParsingDeclRAIIObject
66 ParsingTemplateParams(*this, ParsingDeclRAIIObject::NoParent);
67
68 // Parse multiple levels of template headers within this template
69 // parameter scope, e.g.,
70 //
71 // template<typename T>
72 // template<typename U>
73 // class A<T>::B { ... };
74 //
75 // We parse multiple levels non-recursively so that we can build a
76 // single data structure containing all of the template parameter
77 // lists to easily differentiate between the case above and:
78 //
79 // template<typename T>
80 // class A {
81 // template<typename U> class B;
82 // };
83 //
84 // In the first case, the action for declaring A<T>::B receives
85 // both template parameter lists. In the second case, the action for
86 // defining A<T>::B receives just the inner template parameter list
87 // (and retrieves the outer template parameter list from its
88 // context).
89 bool isSpecialization = true;
90 bool LastParamListWasEmpty = false;
91 TemplateParameterLists ParamLists;
92 TemplateParameterDepthRAII CurTemplateDepthTracker(TemplateParameterDepth);
93
94 do {
95 // Consume the 'export', if any.
96 SourceLocation ExportLoc;
Alp Tokera3ebe6e2013-12-17 14:12:37 +000097 TryConsumeToken(tok::kw_export, ExportLoc);
Faisal Vali6a79ca12013-06-08 19:39:00 +000098
99 // Consume the 'template', which should be here.
100 SourceLocation TemplateLoc;
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000101 if (!TryConsumeToken(tok::kw_template, TemplateLoc)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000102 Diag(Tok.getLocation(), diag::err_expected_template);
Craig Topper161e4db2014-05-21 06:02:52 +0000103 return nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000104 }
105
106 // Parse the '<' template-parameter-list '>'
107 SourceLocation LAngleLoc, RAngleLoc;
Faisal Valif241b0d2017-08-25 18:24:20 +0000108 SmallVector<NamedDecl*, 4> TemplateParams;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000109 if (ParseTemplateParameters(CurTemplateDepthTracker.getDepth(),
110 TemplateParams, LAngleLoc, RAngleLoc)) {
Hubert Tongec3cb572015-06-25 00:23:39 +0000111 // Skip until the semi-colon or a '}'.
Alexey Bataevee6507d2013-11-18 08:17:37 +0000112 SkipUntil(tok::r_brace, StopAtSemi | StopBeforeMatch);
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000113 TryConsumeToken(tok::semi);
Craig Topper161e4db2014-05-21 06:02:52 +0000114 return nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000115 }
116
Hubert Tongf608c052016-04-29 18:05:37 +0000117 ExprResult OptionalRequiresClauseConstraintER;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000118 if (!TemplateParams.empty()) {
119 isSpecialization = false;
120 ++CurTemplateDepthTracker;
Hubert Tongec3cb572015-06-25 00:23:39 +0000121
122 if (TryConsumeToken(tok::kw_requires)) {
Hubert Tongf608c052016-04-29 18:05:37 +0000123 OptionalRequiresClauseConstraintER =
Hubert Tongec3cb572015-06-25 00:23:39 +0000124 Actions.CorrectDelayedTyposInExpr(ParseConstraintExpression());
Hubert Tongf608c052016-04-29 18:05:37 +0000125 if (!OptionalRequiresClauseConstraintER.isUsable()) {
Hubert Tongec3cb572015-06-25 00:23:39 +0000126 // Skip until the semi-colon or a '}'.
127 SkipUntil(tok::r_brace, StopAtSemi | StopBeforeMatch);
128 TryConsumeToken(tok::semi);
129 return nullptr;
130 }
131 }
Faisal Vali6a79ca12013-06-08 19:39:00 +0000132 } else {
133 LastParamListWasEmpty = true;
134 }
Hubert Tongf608c052016-04-29 18:05:37 +0000135
136 ParamLists.push_back(Actions.ActOnTemplateParameterList(
137 CurTemplateDepthTracker.getDepth(), ExportLoc, TemplateLoc, LAngleLoc,
138 TemplateParams, RAngleLoc, OptionalRequiresClauseConstraintER.get()));
Daniel Marjamakie59f8d72015-06-18 10:59:26 +0000139 } while (Tok.isOneOf(tok::kw_export, tok::kw_template));
Faisal Vali6a79ca12013-06-08 19:39:00 +0000140
Akira Hatanaka10aced82016-04-29 02:24:14 +0000141 unsigned NewFlags = getCurScope()->getFlags() & ~Scope::TemplateParamScope;
142 ParseScopeFlags TemplateScopeFlags(this, NewFlags, isSpecialization);
143
Faisal Valia534f072018-04-26 00:42:40 +0000144 // Parse the actual template declaration.
Erich Keanec480f302018-07-12 21:09:05 +0000145 return ParseSingleDeclarationAfterTemplate(
146 Context,
147 ParsedTemplateInfo(&ParamLists, isSpecialization, LastParamListWasEmpty),
148 ParsingTemplateParams, DeclEnd, AccessAttrs, AS);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000149}
150
Adrian Prantl9fc8faf2018-05-09 01:00:01 +0000151/// Parse a single declaration that declares a template,
Faisal Vali6a79ca12013-06-08 19:39:00 +0000152/// template specialization, or explicit instantiation of a template.
153///
154/// \param DeclEnd will receive the source location of the last token
155/// within this declaration.
156///
157/// \param AS the access specifier associated with this
158/// declaration. Will be AS_none for namespace-scope declarations.
159///
160/// \returns the new declaration.
Erich Keanec480f302018-07-12 21:09:05 +0000161Decl *Parser::ParseSingleDeclarationAfterTemplate(
162 DeclaratorContext Context, const ParsedTemplateInfo &TemplateInfo,
163 ParsingDeclRAIIObject &DiagsFromTParams, SourceLocation &DeclEnd,
164 ParsedAttributes &AccessAttrs, AccessSpecifier AS) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000165 assert(TemplateInfo.Kind != ParsedTemplateInfo::NonTemplate &&
166 "Template information required");
167
Aaron Ballmane7c544d2014-08-04 20:28:35 +0000168 if (Tok.is(tok::kw_static_assert)) {
169 // A static_assert declaration may not be templated.
170 Diag(Tok.getLocation(), diag::err_templated_invalid_declaration)
171 << TemplateInfo.getSourceRange();
172 // Parse the static_assert declaration to improve error recovery.
173 return ParseStaticAssertDeclaration(DeclEnd);
174 }
175
Faisal Vali421b2d12017-12-29 05:41:00 +0000176 if (Context == DeclaratorContext::MemberContext) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000177 // We are parsing a member template.
178 ParseCXXClassMemberDeclaration(AS, AccessAttrs, TemplateInfo,
179 &DiagsFromTParams);
Craig Topper161e4db2014-05-21 06:02:52 +0000180 return nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000181 }
182
183 ParsedAttributesWithRange prefixAttrs(AttrFactory);
184 MaybeParseCXX11Attributes(prefixAttrs);
185
Richard Smith6f1daa42016-12-16 00:58:48 +0000186 if (Tok.is(tok::kw_using)) {
Erik Verbruggen51ee12a2017-09-08 09:31:13 +0000187 auto usingDeclPtr = ParseUsingDirectiveOrDeclaration(Context, TemplateInfo, DeclEnd,
188 prefixAttrs);
189 if (!usingDeclPtr || !usingDeclPtr.get().isSingleDecl())
190 return nullptr;
191 return usingDeclPtr.get().getSingleDecl();
Richard Smith6f1daa42016-12-16 00:58:48 +0000192 }
Faisal Vali6a79ca12013-06-08 19:39:00 +0000193
194 // Parse the declaration specifiers, stealing any diagnostics from
195 // the template parameters.
196 ParsingDeclSpec DS(*this, &DiagsFromTParams);
197
Faisal Valia534f072018-04-26 00:42:40 +0000198 ParseDeclarationSpecifiers(DS, TemplateInfo, AS,
Faisal Vali6a79ca12013-06-08 19:39:00 +0000199 getDeclSpecContextFromDeclaratorContext(Context));
200
201 if (Tok.is(tok::semi)) {
202 ProhibitAttributes(prefixAttrs);
203 DeclEnd = ConsumeToken();
Nico Weber7b837f52016-01-28 19:25:00 +0000204 RecordDecl *AnonRecord = nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000205 Decl *Decl = Actions.ParsedFreeStandingDeclSpec(
206 getCurScope(), AS, DS,
207 TemplateInfo.TemplateParams ? *TemplateInfo.TemplateParams
208 : MultiTemplateParamsArg(),
Nico Weber7b837f52016-01-28 19:25:00 +0000209 TemplateInfo.Kind == ParsedTemplateInfo::ExplicitInstantiation,
210 AnonRecord);
211 assert(!AnonRecord &&
212 "Anonymous unions/structs should not be valid with template");
Faisal Vali6a79ca12013-06-08 19:39:00 +0000213 DS.complete(Decl);
214 return Decl;
215 }
216
217 // Move the attributes from the prefix into the DS.
218 if (TemplateInfo.Kind == ParsedTemplateInfo::ExplicitInstantiation)
219 ProhibitAttributes(prefixAttrs);
220 else
221 DS.takeAttributesFrom(prefixAttrs);
222
223 // Parse the declarator.
Faisal Vali421b2d12017-12-29 05:41:00 +0000224 ParsingDeclarator DeclaratorInfo(*this, DS, (DeclaratorContext)Context);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000225 ParseDeclarator(DeclaratorInfo);
226 // Error parsing the declarator?
227 if (!DeclaratorInfo.hasName()) {
228 // If so, skip until the semi-colon or a }.
Alexey Bataevee6507d2013-11-18 08:17:37 +0000229 SkipUntil(tok::r_brace, StopAtSemi | StopBeforeMatch);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000230 if (Tok.is(tok::semi))
231 ConsumeToken();
Craig Topper161e4db2014-05-21 06:02:52 +0000232 return nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000233 }
234
235 LateParsedAttrList LateParsedAttrs(true);
236 if (DeclaratorInfo.isFunctionDeclarator())
237 MaybeParseGNUAttributes(DeclaratorInfo, &LateParsedAttrs);
238
239 if (DeclaratorInfo.isFunctionDeclarator() &&
240 isStartOfFunctionDefinition(DeclaratorInfo)) {
Reid Klecknerd61a3112014-12-15 23:16:32 +0000241
242 // Function definitions are only allowed at file scope and in C++ classes.
243 // The C++ inline method definition case is handled elsewhere, so we only
244 // need to handle the file scope definition case.
Faisal Vali421b2d12017-12-29 05:41:00 +0000245 if (Context != DeclaratorContext::FileContext) {
Reid Klecknerd61a3112014-12-15 23:16:32 +0000246 Diag(Tok, diag::err_function_definition_not_allowed);
247 SkipMalformedDecl();
248 return nullptr;
249 }
250
Faisal Vali6a79ca12013-06-08 19:39:00 +0000251 if (DS.getStorageClassSpec() == DeclSpec::SCS_typedef) {
252 // Recover by ignoring the 'typedef'. This was probably supposed to be
253 // the 'typename' keyword, which we should have already suggested adding
254 // if it's appropriate.
255 Diag(DS.getStorageClassSpecLoc(), diag::err_function_declared_typedef)
256 << FixItHint::CreateRemoval(DS.getStorageClassSpecLoc());
257 DS.ClearStorageClassSpecs();
258 }
Larisse Voufo725de3e2013-06-21 00:08:46 +0000259
260 if (TemplateInfo.Kind == ParsedTemplateInfo::ExplicitInstantiation) {
Faisal Vali2ab8c152017-12-30 04:15:27 +0000261 if (DeclaratorInfo.getName().getKind() !=
262 UnqualifiedIdKind::IK_TemplateId) {
Larisse Voufo725de3e2013-06-21 00:08:46 +0000263 // If the declarator-id is not a template-id, issue a diagnostic and
264 // recover by ignoring the 'template' keyword.
265 Diag(Tok, diag::err_template_defn_explicit_instantiation) << 0;
Larisse Voufo39a1e502013-08-06 01:03:05 +0000266 return ParseFunctionDefinition(DeclaratorInfo, ParsedTemplateInfo(),
267 &LateParsedAttrs);
Larisse Voufo725de3e2013-06-21 00:08:46 +0000268 } else {
269 SourceLocation LAngleLoc
270 = PP.getLocForEndOfToken(TemplateInfo.TemplateLoc);
Larisse Voufo39a1e502013-08-06 01:03:05 +0000271 Diag(DeclaratorInfo.getIdentifierLoc(),
Larisse Voufo725de3e2013-06-21 00:08:46 +0000272 diag::err_explicit_instantiation_with_definition)
Larisse Voufo39a1e502013-08-06 01:03:05 +0000273 << SourceRange(TemplateInfo.TemplateLoc)
274 << FixItHint::CreateInsertion(LAngleLoc, "<>");
Larisse Voufo725de3e2013-06-21 00:08:46 +0000275
Larisse Voufo39a1e502013-08-06 01:03:05 +0000276 // Recover as if it were an explicit specialization.
Larisse Voufob9bbaba2013-06-22 13:56:11 +0000277 TemplateParameterLists FakedParamLists;
Larisse Voufo39a1e502013-08-06 01:03:05 +0000278 FakedParamLists.push_back(Actions.ActOnTemplateParameterList(
Craig Topper96225a52015-12-24 23:58:25 +0000279 0, SourceLocation(), TemplateInfo.TemplateLoc, LAngleLoc, None,
Hubert Tongf608c052016-04-29 18:05:37 +0000280 LAngleLoc, nullptr));
Larisse Voufo725de3e2013-06-21 00:08:46 +0000281
Larisse Voufo39a1e502013-08-06 01:03:05 +0000282 return ParseFunctionDefinition(
283 DeclaratorInfo, ParsedTemplateInfo(&FakedParamLists,
284 /*isSpecialization=*/true,
285 /*LastParamListWasEmpty=*/true),
286 &LateParsedAttrs);
Larisse Voufo725de3e2013-06-21 00:08:46 +0000287 }
288 }
Faisal Vali6a79ca12013-06-08 19:39:00 +0000289 return ParseFunctionDefinition(DeclaratorInfo, TemplateInfo,
Larisse Voufo39a1e502013-08-06 01:03:05 +0000290 &LateParsedAttrs);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000291 }
292
293 // Parse this declaration.
294 Decl *ThisDecl = ParseDeclarationAfterDeclarator(DeclaratorInfo,
295 TemplateInfo);
296
297 if (Tok.is(tok::comma)) {
298 Diag(Tok, diag::err_multiple_template_declarators)
299 << (int)TemplateInfo.Kind;
Alexey Bataevee6507d2013-11-18 08:17:37 +0000300 SkipUntil(tok::semi);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000301 return ThisDecl;
302 }
303
304 // Eat the semi colon after the declaration.
305 ExpectAndConsumeSemi(diag::err_expected_semi_declaration);
306 if (LateParsedAttrs.size() > 0)
307 ParseLexedAttributeList(LateParsedAttrs, ThisDecl, true, false);
308 DeclaratorInfo.complete(ThisDecl);
309 return ThisDecl;
310}
311
312/// ParseTemplateParameters - Parses a template-parameter-list enclosed in
313/// angle brackets. Depth is the depth of this template-parameter-list, which
314/// is the number of template headers directly enclosing this template header.
315/// TemplateParams is the current list of template parameters we're building.
316/// The template parameter we parse will be added to this list. LAngleLoc and
317/// RAngleLoc will receive the positions of the '<' and '>', respectively,
318/// that enclose this template parameter list.
319///
320/// \returns true if an error occurred, false otherwise.
Faisal Valif241b0d2017-08-25 18:24:20 +0000321bool Parser::ParseTemplateParameters(
322 unsigned Depth, SmallVectorImpl<NamedDecl *> &TemplateParams,
323 SourceLocation &LAngleLoc, SourceLocation &RAngleLoc) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000324 // Get the template parameter list.
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000325 if (!TryConsumeToken(tok::less, LAngleLoc)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000326 Diag(Tok.getLocation(), diag::err_expected_less_after) << "template";
327 return true;
328 }
Faisal Vali6a79ca12013-06-08 19:39:00 +0000329
330 // Try to parse the template parameter list.
331 bool Failed = false;
332 if (!Tok.is(tok::greater) && !Tok.is(tok::greatergreater))
333 Failed = ParseTemplateParameterList(Depth, TemplateParams);
334
335 if (Tok.is(tok::greatergreater)) {
336 // No diagnostic required here: a template-parameter-list can only be
337 // followed by a declaration or, for a template template parameter, the
338 // 'class' keyword. Therefore, the second '>' will be diagnosed later.
339 // This matters for elegant diagnosis of:
340 // template<template<typename>> struct S;
341 Tok.setKind(tok::greater);
342 RAngleLoc = Tok.getLocation();
343 Tok.setLocation(Tok.getLocation().getLocWithOffset(1));
Alp Toker383d2c42014-01-01 03:08:43 +0000344 } else if (!TryConsumeToken(tok::greater, RAngleLoc) && Failed) {
345 Diag(Tok.getLocation(), diag::err_expected) << tok::greater;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000346 return true;
347 }
348 return false;
349}
350
351/// ParseTemplateParameterList - Parse a template parameter list. If
352/// the parsing fails badly (i.e., closing bracket was left out), this
353/// will try to put the token stream in a reasonable position (closing
354/// a statement, etc.) and return false.
355///
356/// template-parameter-list: [C++ temp]
357/// template-parameter
358/// template-parameter-list ',' template-parameter
359bool
Faisal Vali421b2d12017-12-29 05:41:00 +0000360Parser::ParseTemplateParameterList(const unsigned Depth,
Faisal Valif241b0d2017-08-25 18:24:20 +0000361 SmallVectorImpl<NamedDecl*> &TemplateParams) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000362 while (1) {
Fangrui Song6907ce22018-07-30 19:24:48 +0000363
Faisal Valibe294032017-12-23 18:56:34 +0000364 if (NamedDecl *TmpParam
Faisal Vali6a79ca12013-06-08 19:39:00 +0000365 = ParseTemplateParameter(Depth, TemplateParams.size())) {
Faisal Valid9548c32017-12-23 19:27:07 +0000366 TemplateParams.push_back(TmpParam);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000367 } else {
368 // If we failed to parse a template parameter, skip until we find
369 // a comma or closing brace.
Alexey Bataevee6507d2013-11-18 08:17:37 +0000370 SkipUntil(tok::comma, tok::greater, tok::greatergreater,
371 StopAtSemi | StopBeforeMatch);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000372 }
373
374 // Did we find a comma or the end of the template parameter list?
375 if (Tok.is(tok::comma)) {
376 ConsumeToken();
Daniel Marjamakie59f8d72015-06-18 10:59:26 +0000377 } else if (Tok.isOneOf(tok::greater, tok::greatergreater)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000378 // Don't consume this... that's done by template parser.
379 break;
380 } else {
381 // Somebody probably forgot to close the template. Skip ahead and
382 // try to get out of the expression. This error is currently
383 // subsumed by whatever goes on in ParseTemplateParameter.
384 Diag(Tok.getLocation(), diag::err_expected_comma_greater);
Alexey Bataevee6507d2013-11-18 08:17:37 +0000385 SkipUntil(tok::comma, tok::greater, tok::greatergreater,
386 StopAtSemi | StopBeforeMatch);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000387 return false;
388 }
389 }
390 return true;
391}
392
Adrian Prantl9fc8faf2018-05-09 01:00:01 +0000393/// Determine whether the parser is at the start of a template
Faisal Vali6a79ca12013-06-08 19:39:00 +0000394/// type parameter.
395bool Parser::isStartOfTemplateTypeParameter() {
396 if (Tok.is(tok::kw_class)) {
397 // "class" may be the start of an elaborated-type-specifier or a
398 // type-parameter. Per C++ [temp.param]p3, we prefer the type-parameter.
399 switch (NextToken().getKind()) {
400 case tok::equal:
401 case tok::comma:
402 case tok::greater:
403 case tok::greatergreater:
404 case tok::ellipsis:
405 return true;
Fangrui Song6907ce22018-07-30 19:24:48 +0000406
Faisal Vali6a79ca12013-06-08 19:39:00 +0000407 case tok::identifier:
Fangrui Song6907ce22018-07-30 19:24:48 +0000408 // This may be either a type-parameter or an elaborated-type-specifier.
Faisal Vali6a79ca12013-06-08 19:39:00 +0000409 // We have to look further.
410 break;
Fangrui Song6907ce22018-07-30 19:24:48 +0000411
Faisal Vali6a79ca12013-06-08 19:39:00 +0000412 default:
413 return false;
414 }
Fangrui Song6907ce22018-07-30 19:24:48 +0000415
Faisal Vali6a79ca12013-06-08 19:39:00 +0000416 switch (GetLookAheadToken(2).getKind()) {
417 case tok::equal:
418 case tok::comma:
419 case tok::greater:
420 case tok::greatergreater:
421 return true;
Fangrui Song6907ce22018-07-30 19:24:48 +0000422
Faisal Vali6a79ca12013-06-08 19:39:00 +0000423 default:
424 return false;
425 }
426 }
427
Richard Smithf9a5d5f2018-08-17 19:43:40 +0000428 // 'typedef' is a reasonably-common typo/thinko for 'typename', and is
429 // ill-formed otherwise.
430 if (Tok.isNot(tok::kw_typename) && Tok.isNot(tok::kw_typedef))
Faisal Vali6a79ca12013-06-08 19:39:00 +0000431 return false;
432
433 // C++ [temp.param]p2:
434 // There is no semantic difference between class and typename in a
435 // template-parameter. typename followed by an unqualified-id
436 // names a template type parameter. typename followed by a
437 // qualified-id denotes the type in a non-type
438 // parameter-declaration.
439 Token Next = NextToken();
440
441 // If we have an identifier, skip over it.
442 if (Next.getKind() == tok::identifier)
443 Next = GetLookAheadToken(2);
444
445 switch (Next.getKind()) {
446 case tok::equal:
447 case tok::comma:
448 case tok::greater:
449 case tok::greatergreater:
450 case tok::ellipsis:
451 return true;
452
Richard Smithf9a5d5f2018-08-17 19:43:40 +0000453 case tok::kw_typename:
454 case tok::kw_typedef:
455 case tok::kw_class:
456 // These indicate that a comma was missed after a type parameter, not that
457 // we have found a non-type parameter.
458 return true;
459
Faisal Vali6a79ca12013-06-08 19:39:00 +0000460 default:
461 return false;
462 }
463}
464
465/// ParseTemplateParameter - Parse a template-parameter (C++ [temp.param]).
466///
467/// template-parameter: [C++ temp.param]
468/// type-parameter
469/// parameter-declaration
470///
471/// type-parameter: (see below)
472/// 'class' ...[opt] identifier[opt]
473/// 'class' identifier[opt] '=' type-id
474/// 'typename' ...[opt] identifier[opt]
475/// 'typename' identifier[opt] '=' type-id
Fangrui Song6907ce22018-07-30 19:24:48 +0000476/// 'template' '<' template-parameter-list '>'
Faisal Vali6a79ca12013-06-08 19:39:00 +0000477/// 'class' ...[opt] identifier[opt]
478/// 'template' '<' template-parameter-list '>' 'class' identifier[opt]
479/// = id-expression
Faisal Valibe294032017-12-23 18:56:34 +0000480NamedDecl *Parser::ParseTemplateParameter(unsigned Depth, unsigned Position) {
Richard Smithf9a5d5f2018-08-17 19:43:40 +0000481 if (isStartOfTemplateTypeParameter()) {
482 // Is there just a typo in the input code? ('typedef' instead of 'typename')
483 if (Tok.is(tok::kw_typedef)) {
484 Diag(Tok.getLocation(), diag::err_expected_template_parameter);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000485
Richard Smithf9a5d5f2018-08-17 19:43:40 +0000486 Diag(Tok.getLocation(), diag::note_meant_to_use_typename)
487 << FixItHint::CreateReplacement(CharSourceRange::getCharRange(
488 Tok.getLocation(), Tok.getEndLoc()),
489 "typename");
Faisal Vali6a79ca12013-06-08 19:39:00 +0000490
Richard Smithf9a5d5f2018-08-17 19:43:40 +0000491 Tok.setKind(tok::kw_typename);
492 }
Jan Korous3a98e512018-02-08 14:37:58 +0000493
494 return ParseTypeParameter(Depth, Position);
495 }
496
Richard Smithf9a5d5f2018-08-17 19:43:40 +0000497 if (Tok.is(tok::kw_template))
498 return ParseTemplateTemplateParameter(Depth, Position);
499
Faisal Vali6a79ca12013-06-08 19:39:00 +0000500 // If it's none of the above, then it must be a parameter declaration.
501 // NOTE: This will pick up errors in the closure of the template parameter
502 // list (e.g., template < ; Check here to implement >> style closures.
503 return ParseNonTypeTemplateParameter(Depth, Position);
504}
505
506/// ParseTypeParameter - Parse a template type parameter (C++ [temp.param]).
507/// Other kinds of template parameters are parsed in
508/// ParseTemplateTemplateParameter and ParseNonTypeTemplateParameter.
509///
510/// type-parameter: [C++ temp.param]
511/// 'class' ...[opt][C++0x] identifier[opt]
512/// 'class' identifier[opt] '=' type-id
513/// 'typename' ...[opt][C++0x] identifier[opt]
514/// 'typename' identifier[opt] '=' type-id
Faisal Valibe294032017-12-23 18:56:34 +0000515NamedDecl *Parser::ParseTypeParameter(unsigned Depth, unsigned Position) {
Daniel Marjamakie59f8d72015-06-18 10:59:26 +0000516 assert(Tok.isOneOf(tok::kw_class, tok::kw_typename) &&
Faisal Vali6a79ca12013-06-08 19:39:00 +0000517 "A type-parameter starts with 'class' or 'typename'");
518
519 // Consume the 'class' or 'typename' keyword.
520 bool TypenameKeyword = Tok.is(tok::kw_typename);
521 SourceLocation KeyLoc = ConsumeToken();
522
523 // Grab the ellipsis (if given).
Faisal Vali6a79ca12013-06-08 19:39:00 +0000524 SourceLocation EllipsisLoc;
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000525 if (TryConsumeToken(tok::ellipsis, EllipsisLoc)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000526 Diag(EllipsisLoc,
527 getLangOpts().CPlusPlus11
528 ? diag::warn_cxx98_compat_variadic_templates
529 : diag::ext_variadic_templates);
530 }
531
532 // Grab the template parameter name (if given)
533 SourceLocation NameLoc;
Craig Topper161e4db2014-05-21 06:02:52 +0000534 IdentifierInfo *ParamName = nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000535 if (Tok.is(tok::identifier)) {
536 ParamName = Tok.getIdentifierInfo();
537 NameLoc = ConsumeToken();
Daniel Marjamakie59f8d72015-06-18 10:59:26 +0000538 } else if (Tok.isOneOf(tok::equal, tok::comma, tok::greater,
539 tok::greatergreater)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000540 // Unnamed template parameter. Don't have to do anything here, just
541 // don't consume this token.
542 } else {
Alp Tokerec543272013-12-24 09:48:30 +0000543 Diag(Tok.getLocation(), diag::err_expected) << tok::identifier;
Craig Topper161e4db2014-05-21 06:02:52 +0000544 return nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000545 }
546
Nikola Smiljanic69fdc9f2014-06-06 02:58:59 +0000547 // Recover from misplaced ellipsis.
548 bool AlreadyHasEllipsis = EllipsisLoc.isValid();
549 if (TryConsumeToken(tok::ellipsis, EllipsisLoc))
550 DiagnoseMisplacedEllipsis(EllipsisLoc, NameLoc, AlreadyHasEllipsis, true);
551
Faisal Vali6a79ca12013-06-08 19:39:00 +0000552 // Grab a default argument (if available).
553 // Per C++0x [basic.scope.pdecl]p9, we parse the default argument before
554 // we introduce the type parameter into the local scope.
555 SourceLocation EqualLoc;
556 ParsedType DefaultArg;
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000557 if (TryConsumeToken(tok::equal, EqualLoc))
Craig Topper161e4db2014-05-21 06:02:52 +0000558 DefaultArg = ParseTypeName(/*Range=*/nullptr,
Faisal Vali421b2d12017-12-29 05:41:00 +0000559 DeclaratorContext::TemplateTypeArgContext).get();
Faisal Vali6a79ca12013-06-08 19:39:00 +0000560
Nikola Smiljanic69fdc9f2014-06-06 02:58:59 +0000561 return Actions.ActOnTypeParameter(getCurScope(), TypenameKeyword, EllipsisLoc,
562 KeyLoc, ParamName, NameLoc, Depth, Position,
563 EqualLoc, DefaultArg);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000564}
565
566/// ParseTemplateTemplateParameter - Handle the parsing of template
567/// template parameters.
568///
569/// type-parameter: [C++ temp.param]
Richard Smith78e1ca62014-06-16 15:51:22 +0000570/// 'template' '<' template-parameter-list '>' type-parameter-key
Faisal Vali6a79ca12013-06-08 19:39:00 +0000571/// ...[opt] identifier[opt]
Richard Smith78e1ca62014-06-16 15:51:22 +0000572/// 'template' '<' template-parameter-list '>' type-parameter-key
573/// identifier[opt] = id-expression
574/// type-parameter-key:
575/// 'class'
576/// 'typename' [C++1z]
Faisal Valibe294032017-12-23 18:56:34 +0000577NamedDecl *
Faisal Vali6a79ca12013-06-08 19:39:00 +0000578Parser::ParseTemplateTemplateParameter(unsigned Depth, unsigned Position) {
579 assert(Tok.is(tok::kw_template) && "Expected 'template' keyword");
580
581 // Handle the template <...> part.
582 SourceLocation TemplateLoc = ConsumeToken();
Faisal Valif241b0d2017-08-25 18:24:20 +0000583 SmallVector<NamedDecl*,8> TemplateParams;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000584 SourceLocation LAngleLoc, RAngleLoc;
585 {
586 ParseScope TemplateParmScope(this, Scope::TemplateParamScope);
587 if (ParseTemplateParameters(Depth + 1, TemplateParams, LAngleLoc,
588 RAngleLoc)) {
Craig Topper161e4db2014-05-21 06:02:52 +0000589 return nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000590 }
591 }
592
Richard Smith78e1ca62014-06-16 15:51:22 +0000593 // Provide an ExtWarn if the C++1z feature of using 'typename' here is used.
Faisal Vali6a79ca12013-06-08 19:39:00 +0000594 // Generate a meaningful error if the user forgot to put class before the
595 // identifier, comma, or greater. Provide a fixit if the identifier, comma,
Richard Smith78e1ca62014-06-16 15:51:22 +0000596 // or greater appear immediately or after 'struct'. In the latter case,
597 // replace the keyword with 'class'.
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000598 if (!TryConsumeToken(tok::kw_class)) {
Daniel Marjamakie59f8d72015-06-18 10:59:26 +0000599 bool Replace = Tok.isOneOf(tok::kw_typename, tok::kw_struct);
Richard Smith78e1ca62014-06-16 15:51:22 +0000600 const Token &Next = Tok.is(tok::kw_struct) ? NextToken() : Tok;
601 if (Tok.is(tok::kw_typename)) {
602 Diag(Tok.getLocation(),
Aaron Ballmanc351fba2017-12-04 20:27:34 +0000603 getLangOpts().CPlusPlus17
Aaron Ballmandd69ef32014-08-19 15:55:55 +0000604 ? diag::warn_cxx14_compat_template_template_param_typename
Richard Smith78e1ca62014-06-16 15:51:22 +0000605 : diag::ext_template_template_param_typename)
Aaron Ballmanc351fba2017-12-04 20:27:34 +0000606 << (!getLangOpts().CPlusPlus17
Richard Smith78e1ca62014-06-16 15:51:22 +0000607 ? FixItHint::CreateReplacement(Tok.getLocation(), "class")
608 : FixItHint());
Daniel Marjamakie59f8d72015-06-18 10:59:26 +0000609 } else if (Next.isOneOf(tok::identifier, tok::comma, tok::greater,
610 tok::greatergreater, tok::ellipsis)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000611 Diag(Tok.getLocation(), diag::err_class_on_template_template_param)
612 << (Replace ? FixItHint::CreateReplacement(Tok.getLocation(), "class")
613 : FixItHint::CreateInsertion(Tok.getLocation(), "class "));
Richard Smith78e1ca62014-06-16 15:51:22 +0000614 } else
Faisal Vali6a79ca12013-06-08 19:39:00 +0000615 Diag(Tok.getLocation(), diag::err_class_on_template_template_param);
616
617 if (Replace)
618 ConsumeToken();
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000619 }
Faisal Vali6a79ca12013-06-08 19:39:00 +0000620
621 // Parse the ellipsis, if given.
622 SourceLocation EllipsisLoc;
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000623 if (TryConsumeToken(tok::ellipsis, EllipsisLoc))
Faisal Vali6a79ca12013-06-08 19:39:00 +0000624 Diag(EllipsisLoc,
625 getLangOpts().CPlusPlus11
626 ? diag::warn_cxx98_compat_variadic_templates
627 : diag::ext_variadic_templates);
Fangrui Song6907ce22018-07-30 19:24:48 +0000628
Faisal Vali6a79ca12013-06-08 19:39:00 +0000629 // Get the identifier, if given.
630 SourceLocation NameLoc;
Craig Topper161e4db2014-05-21 06:02:52 +0000631 IdentifierInfo *ParamName = nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000632 if (Tok.is(tok::identifier)) {
633 ParamName = Tok.getIdentifierInfo();
634 NameLoc = ConsumeToken();
Daniel Marjamakie59f8d72015-06-18 10:59:26 +0000635 } else if (Tok.isOneOf(tok::equal, tok::comma, tok::greater,
636 tok::greatergreater)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000637 // Unnamed template parameter. Don't have to do anything here, just
638 // don't consume this token.
639 } else {
Alp Tokerec543272013-12-24 09:48:30 +0000640 Diag(Tok.getLocation(), diag::err_expected) << tok::identifier;
Craig Topper161e4db2014-05-21 06:02:52 +0000641 return nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000642 }
643
Nikola Smiljanic69fdc9f2014-06-06 02:58:59 +0000644 // Recover from misplaced ellipsis.
645 bool AlreadyHasEllipsis = EllipsisLoc.isValid();
646 if (TryConsumeToken(tok::ellipsis, EllipsisLoc))
647 DiagnoseMisplacedEllipsis(EllipsisLoc, NameLoc, AlreadyHasEllipsis, true);
648
Faisal Vali6a79ca12013-06-08 19:39:00 +0000649 TemplateParameterList *ParamList =
650 Actions.ActOnTemplateParameterList(Depth, SourceLocation(),
651 TemplateLoc, LAngleLoc,
Craig Topper96225a52015-12-24 23:58:25 +0000652 TemplateParams,
Hubert Tongf608c052016-04-29 18:05:37 +0000653 RAngleLoc, nullptr);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000654
655 // Grab a default argument (if available).
656 // Per C++0x [basic.scope.pdecl]p9, we parse the default argument before
657 // we introduce the template parameter into the local scope.
658 SourceLocation EqualLoc;
659 ParsedTemplateArgument DefaultArg;
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000660 if (TryConsumeToken(tok::equal, EqualLoc)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000661 DefaultArg = ParseTemplateTemplateArgument();
662 if (DefaultArg.isInvalid()) {
Fangrui Song6907ce22018-07-30 19:24:48 +0000663 Diag(Tok.getLocation(),
Faisal Vali6a79ca12013-06-08 19:39:00 +0000664 diag::err_default_template_template_parameter_not_template);
Alexey Bataevee6507d2013-11-18 08:17:37 +0000665 SkipUntil(tok::comma, tok::greater, tok::greatergreater,
666 StopAtSemi | StopBeforeMatch);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000667 }
668 }
Fangrui Song6907ce22018-07-30 19:24:48 +0000669
Faisal Vali6a79ca12013-06-08 19:39:00 +0000670 return Actions.ActOnTemplateTemplateParameter(getCurScope(), TemplateLoc,
Fangrui Song6907ce22018-07-30 19:24:48 +0000671 ParamList, EllipsisLoc,
672 ParamName, NameLoc, Depth,
Faisal Vali6a79ca12013-06-08 19:39:00 +0000673 Position, EqualLoc, DefaultArg);
674}
675
676/// ParseNonTypeTemplateParameter - Handle the parsing of non-type
677/// template parameters (e.g., in "template<int Size> class array;").
678///
679/// template-parameter:
680/// ...
681/// parameter-declaration
Faisal Valibe294032017-12-23 18:56:34 +0000682NamedDecl *
Faisal Vali6a79ca12013-06-08 19:39:00 +0000683Parser::ParseNonTypeTemplateParameter(unsigned Depth, unsigned Position) {
684 // Parse the declaration-specifiers (i.e., the type).
685 // FIXME: The type should probably be restricted in some way... Not all
686 // declarators (parts of declarators?) are accepted for parameters.
687 DeclSpec DS(AttrFactory);
Faisal Valia534f072018-04-26 00:42:40 +0000688 ParseDeclarationSpecifiers(DS, ParsedTemplateInfo(), AS_none,
689 DeclSpecContext::DSC_template_param);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000690
691 // Parse this as a typename.
Faisal Vali421b2d12017-12-29 05:41:00 +0000692 Declarator ParamDecl(DS, DeclaratorContext::TemplateParamContext);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000693 ParseDeclarator(ParamDecl);
694 if (DS.getTypeSpecType() == DeclSpec::TST_unspecified) {
695 Diag(Tok.getLocation(), diag::err_expected_template_parameter);
Craig Topper161e4db2014-05-21 06:02:52 +0000696 return nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000697 }
698
Nikola Smiljanic69fdc9f2014-06-06 02:58:59 +0000699 // Recover from misplaced ellipsis.
700 SourceLocation EllipsisLoc;
701 if (TryConsumeToken(tok::ellipsis, EllipsisLoc))
702 DiagnoseMisplacedEllipsisInDeclarator(EllipsisLoc, ParamDecl);
703
Faisal Vali6a79ca12013-06-08 19:39:00 +0000704 // If there is a default value, parse it.
705 // Per C++0x [basic.scope.pdecl]p9, we parse the default argument before
706 // we introduce the template parameter into the local scope.
707 SourceLocation EqualLoc;
708 ExprResult DefaultArg;
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000709 if (TryConsumeToken(tok::equal, EqualLoc)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000710 // C++ [temp.param]p15:
711 // When parsing a default template-argument for a non-type
712 // template-parameter, the first non-nested > is taken as the
713 // end of the template-parameter-list rather than a greater-than
714 // operator.
715 GreaterThanIsOperatorScope G(GreaterThanIsOperator, false);
Faisal Valid143a0c2017-04-01 21:30:49 +0000716 EnterExpressionEvaluationContext ConstantEvaluated(
717 Actions, Sema::ExpressionEvaluationContext::ConstantEvaluated);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000718
Kaelyn Takata999dd852014-12-02 23:32:20 +0000719 DefaultArg = Actions.CorrectDelayedTyposInExpr(ParseAssignmentExpression());
Faisal Vali6a79ca12013-06-08 19:39:00 +0000720 if (DefaultArg.isInvalid())
Alexey Bataevee6507d2013-11-18 08:17:37 +0000721 SkipUntil(tok::comma, tok::greater, StopAtSemi | StopBeforeMatch);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000722 }
723
724 // Create the parameter.
Fangrui Song6907ce22018-07-30 19:24:48 +0000725 return Actions.ActOnNonTypeTemplateParameter(getCurScope(), ParamDecl,
726 Depth, Position, EqualLoc,
Nikola Smiljanic01a75982014-05-29 10:55:11 +0000727 DefaultArg.get());
Faisal Vali6a79ca12013-06-08 19:39:00 +0000728}
729
Nikola Smiljanic69fdc9f2014-06-06 02:58:59 +0000730void Parser::DiagnoseMisplacedEllipsis(SourceLocation EllipsisLoc,
731 SourceLocation CorrectLoc,
732 bool AlreadyHasEllipsis,
733 bool IdentifierHasName) {
734 FixItHint Insertion;
735 if (!AlreadyHasEllipsis)
736 Insertion = FixItHint::CreateInsertion(CorrectLoc, "...");
737 Diag(EllipsisLoc, diag::err_misplaced_ellipsis_in_declaration)
738 << FixItHint::CreateRemoval(EllipsisLoc) << Insertion
739 << !IdentifierHasName;
740}
741
742void Parser::DiagnoseMisplacedEllipsisInDeclarator(SourceLocation EllipsisLoc,
743 Declarator &D) {
744 assert(EllipsisLoc.isValid());
745 bool AlreadyHasEllipsis = D.getEllipsisLoc().isValid();
746 if (!AlreadyHasEllipsis)
747 D.setEllipsisLoc(EllipsisLoc);
748 DiagnoseMisplacedEllipsis(EllipsisLoc, D.getIdentifierLoc(),
749 AlreadyHasEllipsis, D.hasName());
750}
751
Adrian Prantl9fc8faf2018-05-09 01:00:01 +0000752/// Parses a '>' at the end of a template list.
Faisal Vali6a79ca12013-06-08 19:39:00 +0000753///
754/// If this function encounters '>>', '>>>', '>=', or '>>=', it tries
755/// to determine if these tokens were supposed to be a '>' followed by
756/// '>', '>>', '>=', or '>='. It emits an appropriate diagnostic if necessary.
757///
758/// \param RAngleLoc the location of the consumed '>'.
759///
Douglas Gregor85f3f952015-07-07 03:57:15 +0000760/// \param ConsumeLastToken if true, the '>' is consumed.
761///
762/// \param ObjCGenericList if true, this is the '>' closing an Objective-C
763/// type parameter or type argument list, rather than a C++ template parameter
764/// or argument list.
Serge Pavlovb716b3c2013-08-10 05:54:47 +0000765///
766/// \returns true, if current token does not start with '>', false otherwise.
Faisal Vali6a79ca12013-06-08 19:39:00 +0000767bool Parser::ParseGreaterThanInTemplateList(SourceLocation &RAngleLoc,
Douglas Gregor85f3f952015-07-07 03:57:15 +0000768 bool ConsumeLastToken,
769 bool ObjCGenericList) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000770 // What will be left once we've consumed the '>'.
771 tok::TokenKind RemainingToken;
772 const char *ReplacementStr = "> >";
Richard Smithb5f81712018-04-30 05:25:48 +0000773 bool MergeWithNextToken = false;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000774
775 switch (Tok.getKind()) {
776 default:
Alp Toker383d2c42014-01-01 03:08:43 +0000777 Diag(Tok.getLocation(), diag::err_expected) << tok::greater;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000778 return true;
779
780 case tok::greater:
781 // Determine the location of the '>' token. Only consume this token
782 // if the caller asked us to.
783 RAngleLoc = Tok.getLocation();
784 if (ConsumeLastToken)
785 ConsumeToken();
786 return false;
787
788 case tok::greatergreater:
789 RemainingToken = tok::greater;
790 break;
791
792 case tok::greatergreatergreater:
793 RemainingToken = tok::greatergreater;
794 break;
795
796 case tok::greaterequal:
797 RemainingToken = tok::equal;
798 ReplacementStr = "> =";
Richard Smithb5f81712018-04-30 05:25:48 +0000799
800 // Join two adjacent '=' tokens into one, for cases like:
801 // void (*p)() = f<int>;
802 // return f<int>==p;
803 if (NextToken().is(tok::equal) &&
804 areTokensAdjacent(Tok, NextToken())) {
805 RemainingToken = tok::equalequal;
806 MergeWithNextToken = true;
807 }
Faisal Vali6a79ca12013-06-08 19:39:00 +0000808 break;
809
810 case tok::greatergreaterequal:
811 RemainingToken = tok::greaterequal;
812 break;
813 }
814
Richard Smithb5f81712018-04-30 05:25:48 +0000815 // This template-id is terminated by a token that starts with a '>'.
816 // Outside C++11 and Objective-C, this is now error recovery.
Douglas Gregor85f3f952015-07-07 03:57:15 +0000817 //
Richard Smithb5f81712018-04-30 05:25:48 +0000818 // C++11 allows this when the token is '>>', and in CUDA + C++11 mode, we
819 // extend that treatment to also apply to the '>>>' token.
820 //
821 // Objective-C allows this in its type parameter / argument lists.
822
823 SourceLocation TokBeforeGreaterLoc = PrevTokLocation;
824 SourceLocation TokLoc = Tok.getLocation();
Faisal Vali6a79ca12013-06-08 19:39:00 +0000825 Token Next = NextToken();
Richard Smithb5f81712018-04-30 05:25:48 +0000826
827 // Whether splitting the current token after the '>' would undesirably result
828 // in the remaining token pasting with the token after it. This excludes the
829 // MergeWithNextToken cases, which we've already handled.
830 bool PreventMergeWithNextToken =
831 (RemainingToken == tok::greater ||
832 RemainingToken == tok::greatergreater) &&
833 (Next.isOneOf(tok::greater, tok::greatergreater,
834 tok::greatergreatergreater, tok::equal, tok::greaterequal,
835 tok::greatergreaterequal, tok::equalequal)) &&
836 areTokensAdjacent(Tok, Next);
837
838 // Diagnose this situation as appropriate.
Douglas Gregor85f3f952015-07-07 03:57:15 +0000839 if (!ObjCGenericList) {
Richard Smithb5f81712018-04-30 05:25:48 +0000840 // The source range of the replaced token(s).
841 CharSourceRange ReplacementRange = CharSourceRange::getCharRange(
842 TokLoc, Lexer::AdvanceToTokenCharacter(TokLoc, 2, PP.getSourceManager(),
843 getLangOpts()));
Faisal Vali6a79ca12013-06-08 19:39:00 +0000844
Douglas Gregor85f3f952015-07-07 03:57:15 +0000845 // A hint to put a space between the '>>'s. In order to make the hint as
846 // clear as possible, we include the characters either side of the space in
847 // the replacement, rather than just inserting a space at SecondCharLoc.
848 FixItHint Hint1 = FixItHint::CreateReplacement(ReplacementRange,
849 ReplacementStr);
850
851 // A hint to put another space after the token, if it would otherwise be
852 // lexed differently.
853 FixItHint Hint2;
Richard Smithb5f81712018-04-30 05:25:48 +0000854 if (PreventMergeWithNextToken)
Douglas Gregor85f3f952015-07-07 03:57:15 +0000855 Hint2 = FixItHint::CreateInsertion(Next.getLocation(), " ");
856
857 unsigned DiagId = diag::err_two_right_angle_brackets_need_space;
858 if (getLangOpts().CPlusPlus11 &&
859 (Tok.is(tok::greatergreater) || Tok.is(tok::greatergreatergreater)))
860 DiagId = diag::warn_cxx98_compat_two_right_angle_brackets;
861 else if (Tok.is(tok::greaterequal))
862 DiagId = diag::err_right_angle_bracket_equal_needs_space;
Richard Smithb5f81712018-04-30 05:25:48 +0000863 Diag(TokLoc, DiagId) << Hint1 << Hint2;
Douglas Gregor85f3f952015-07-07 03:57:15 +0000864 }
Faisal Vali6a79ca12013-06-08 19:39:00 +0000865
Richard Smithb5f81712018-04-30 05:25:48 +0000866 // Find the "length" of the resulting '>' token. This is not always 1, as it
867 // can contain escaped newlines.
868 unsigned GreaterLength = Lexer::getTokenPrefixLength(
869 TokLoc, 1, PP.getSourceManager(), getLangOpts());
870
871 // Annotate the source buffer to indicate that we split the token after the
872 // '>'. This allows us to properly find the end of, and extract the spelling
873 // of, the '>' token later.
874 RAngleLoc = PP.SplitToken(TokLoc, GreaterLength);
875
Faisal Vali6a79ca12013-06-08 19:39:00 +0000876 // Strip the initial '>' from the token.
Richard Smithb5f81712018-04-30 05:25:48 +0000877 bool CachingTokens = PP.IsPreviousCachedToken(Tok);
878
879 Token Greater = Tok;
880 Greater.setLocation(RAngleLoc);
881 Greater.setKind(tok::greater);
882 Greater.setLength(GreaterLength);
883
884 unsigned OldLength = Tok.getLength();
885 if (MergeWithNextToken) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000886 ConsumeToken();
Richard Smithb5f81712018-04-30 05:25:48 +0000887 OldLength += Tok.getLength();
Faisal Vali6a79ca12013-06-08 19:39:00 +0000888 }
Faisal Vali6a79ca12013-06-08 19:39:00 +0000889
Richard Smithb5f81712018-04-30 05:25:48 +0000890 Tok.setKind(RemainingToken);
891 Tok.setLength(OldLength - GreaterLength);
892
893 // Split the second token if lexing it normally would lex a different token
894 // (eg, the fifth token in 'A<B>>>' should re-lex as '>', not '>>').
895 SourceLocation AfterGreaterLoc = TokLoc.getLocWithOffset(GreaterLength);
896 if (PreventMergeWithNextToken)
897 AfterGreaterLoc = PP.SplitToken(AfterGreaterLoc, Tok.getLength());
898 Tok.setLocation(AfterGreaterLoc);
899
900 // Update the token cache to match what we just did if necessary.
901 if (CachingTokens) {
902 // If the previous cached token is being merged, delete it.
903 if (MergeWithNextToken)
904 PP.ReplacePreviousCachedToken({});
905
Bruno Cardoso Lopesfb9b6cd2016-02-05 19:36:39 +0000906 if (ConsumeLastToken)
Richard Smithb5f81712018-04-30 05:25:48 +0000907 PP.ReplacePreviousCachedToken({Greater, Tok});
Bruno Cardoso Lopesfb9b6cd2016-02-05 19:36:39 +0000908 else
Richard Smithb5f81712018-04-30 05:25:48 +0000909 PP.ReplacePreviousCachedToken({Greater});
Bruno Cardoso Lopes428a5aa2016-01-31 00:47:51 +0000910 }
911
Richard Smithb5f81712018-04-30 05:25:48 +0000912 if (ConsumeLastToken) {
913 PrevTokLocation = RAngleLoc;
914 } else {
915 PrevTokLocation = TokBeforeGreaterLoc;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000916 PP.EnterToken(Tok);
Richard Smithb5f81712018-04-30 05:25:48 +0000917 Tok = Greater;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000918 }
Richard Smithb5f81712018-04-30 05:25:48 +0000919
Faisal Vali6a79ca12013-06-08 19:39:00 +0000920 return false;
921}
922
923
Adrian Prantl9fc8faf2018-05-09 01:00:01 +0000924/// Parses a template-id that after the template name has
Faisal Vali6a79ca12013-06-08 19:39:00 +0000925/// already been parsed.
926///
927/// This routine takes care of parsing the enclosed template argument
928/// list ('<' template-parameter-list [opt] '>') and placing the
929/// results into a form that can be transferred to semantic analysis.
930///
Faisal Vali6a79ca12013-06-08 19:39:00 +0000931/// \param ConsumeLastToken if true, then we will consume the last
932/// token that forms the template-id. Otherwise, we will leave the
933/// last token in the stream (e.g., so that it can be replaced with an
934/// annotation token).
935bool
Richard Smith9a420f92017-05-10 21:47:30 +0000936Parser::ParseTemplateIdAfterTemplateName(bool ConsumeLastToken,
Faisal Vali6a79ca12013-06-08 19:39:00 +0000937 SourceLocation &LAngleLoc,
938 TemplateArgList &TemplateArgs,
939 SourceLocation &RAngleLoc) {
940 assert(Tok.is(tok::less) && "Must have already parsed the template-name");
941
942 // Consume the '<'.
943 LAngleLoc = ConsumeToken();
944
945 // Parse the optional template-argument-list.
946 bool Invalid = false;
947 {
948 GreaterThanIsOperatorScope G(GreaterThanIsOperator, false);
Artem Belevich2eeb0482018-09-21 17:46:28 +0000949 if (!Tok.isOneOf(tok::greater, tok::greatergreater,
950 tok::greatergreatergreater, tok::greaterequal,
951 tok::greatergreaterequal))
Faisal Vali6a79ca12013-06-08 19:39:00 +0000952 Invalid = ParseTemplateArgumentList(TemplateArgs);
953
954 if (Invalid) {
955 // Try to find the closing '>'.
Alexey Bataevee6507d2013-11-18 08:17:37 +0000956 if (ConsumeLastToken)
957 SkipUntil(tok::greater, StopAtSemi);
958 else
959 SkipUntil(tok::greater, StopAtSemi | StopBeforeMatch);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000960 return true;
961 }
962 }
963
Douglas Gregor85f3f952015-07-07 03:57:15 +0000964 return ParseGreaterThanInTemplateList(RAngleLoc, ConsumeLastToken,
965 /*ObjCGenericList=*/false);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000966}
967
Adrian Prantl9fc8faf2018-05-09 01:00:01 +0000968/// Replace the tokens that form a simple-template-id with an
Faisal Vali6a79ca12013-06-08 19:39:00 +0000969/// annotation token containing the complete template-id.
970///
971/// The first token in the stream must be the name of a template that
972/// is followed by a '<'. This routine will parse the complete
973/// simple-template-id and replace the tokens with a single annotation
974/// token with one of two different kinds: if the template-id names a
975/// type (and \p AllowTypeAnnotation is true), the annotation token is
976/// a type annotation that includes the optional nested-name-specifier
977/// (\p SS). Otherwise, the annotation token is a template-id
978/// annotation that does not include the optional
979/// nested-name-specifier.
980///
981/// \param Template the declaration of the template named by the first
982/// token (an identifier), as returned from \c Action::isTemplateName().
983///
984/// \param TNK the kind of template that \p Template
985/// refers to, as returned from \c Action::isTemplateName().
986///
987/// \param SS if non-NULL, the nested-name-specifier that precedes
988/// this template name.
989///
990/// \param TemplateKWLoc if valid, specifies that this template-id
991/// annotation was preceded by the 'template' keyword and gives the
992/// location of that keyword. If invalid (the default), then this
993/// template-id was not preceded by a 'template' keyword.
994///
995/// \param AllowTypeAnnotation if true (the default), then a
996/// simple-template-id that refers to a class template, template
997/// template parameter, or other template that produces a type will be
998/// replaced with a type annotation token. Otherwise, the
999/// simple-template-id is always replaced with a template-id
1000/// annotation token.
1001///
1002/// If an unrecoverable parse error occurs and no annotation token can be
1003/// formed, this function returns true.
1004///
1005bool Parser::AnnotateTemplateIdToken(TemplateTy Template, TemplateNameKind TNK,
1006 CXXScopeSpec &SS,
1007 SourceLocation TemplateKWLoc,
1008 UnqualifiedId &TemplateName,
1009 bool AllowTypeAnnotation) {
1010 assert(getLangOpts().CPlusPlus && "Can only annotate template-ids in C++");
1011 assert(Template && Tok.is(tok::less) &&
1012 "Parser isn't at the beginning of a template-id");
1013
1014 // Consume the template-name.
1015 SourceLocation TemplateNameLoc = TemplateName.getSourceRange().getBegin();
1016
1017 // Parse the enclosed template argument list.
1018 SourceLocation LAngleLoc, RAngleLoc;
1019 TemplateArgList TemplateArgs;
Richard Smith9a420f92017-05-10 21:47:30 +00001020 bool Invalid = ParseTemplateIdAfterTemplateName(false, LAngleLoc,
Faisal Vali6a79ca12013-06-08 19:39:00 +00001021 TemplateArgs,
1022 RAngleLoc);
1023
1024 if (Invalid) {
1025 // If we failed to parse the template ID but skipped ahead to a >, we're not
1026 // going to be able to form a token annotation. Eat the '>' if present.
Alp Tokera3ebe6e2013-12-17 14:12:37 +00001027 TryConsumeToken(tok::greater);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001028 return true;
1029 }
1030
1031 ASTTemplateArgsPtr TemplateArgsPtr(TemplateArgs);
1032
1033 // Build the annotation token.
1034 if (TNK == TNK_Type_template && AllowTypeAnnotation) {
Richard Smith74f02342017-01-19 21:00:13 +00001035 TypeResult Type = Actions.ActOnTemplateIdType(
1036 SS, TemplateKWLoc, Template, TemplateName.Identifier,
1037 TemplateNameLoc, LAngleLoc, TemplateArgsPtr, RAngleLoc);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001038 if (Type.isInvalid()) {
Richard Smith74f02342017-01-19 21:00:13 +00001039 // If we failed to parse the template ID but skipped ahead to a >, we're
1040 // not going to be able to form a token annotation. Eat the '>' if
1041 // present.
Alp Tokera3ebe6e2013-12-17 14:12:37 +00001042 TryConsumeToken(tok::greater);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001043 return true;
1044 }
1045
1046 Tok.setKind(tok::annot_typename);
1047 setTypeAnnotation(Tok, Type.get());
1048 if (SS.isNotEmpty())
1049 Tok.setLocation(SS.getBeginLoc());
1050 else if (TemplateKWLoc.isValid())
1051 Tok.setLocation(TemplateKWLoc);
1052 else
1053 Tok.setLocation(TemplateNameLoc);
1054 } else {
1055 // Build a template-id annotation token that can be processed
1056 // later.
1057 Tok.setKind(tok::annot_template_id);
Fangrui Song6907ce22018-07-30 19:24:48 +00001058
Faisal Vali43caf672017-05-23 01:07:12 +00001059 IdentifierInfo *TemplateII =
Faisal Vali2ab8c152017-12-30 04:15:27 +00001060 TemplateName.getKind() == UnqualifiedIdKind::IK_Identifier
Faisal Vali43caf672017-05-23 01:07:12 +00001061 ? TemplateName.Identifier
1062 : nullptr;
1063
1064 OverloadedOperatorKind OpKind =
Faisal Vali2ab8c152017-12-30 04:15:27 +00001065 TemplateName.getKind() == UnqualifiedIdKind::IK_Identifier
Faisal Vali43caf672017-05-23 01:07:12 +00001066 ? OO_None
1067 : TemplateName.OperatorFunctionId.Operator;
1068
Dimitry Andrice4f5d012017-12-18 19:46:56 +00001069 TemplateIdAnnotation *TemplateId = TemplateIdAnnotation::Create(
1070 SS, TemplateKWLoc, TemplateNameLoc, TemplateII, OpKind, Template, TNK,
Faisal Vali43caf672017-05-23 01:07:12 +00001071 LAngleLoc, RAngleLoc, TemplateArgs, TemplateIds);
Fangrui Song6907ce22018-07-30 19:24:48 +00001072
Faisal Vali6a79ca12013-06-08 19:39:00 +00001073 Tok.setAnnotationValue(TemplateId);
1074 if (TemplateKWLoc.isValid())
1075 Tok.setLocation(TemplateKWLoc);
1076 else
1077 Tok.setLocation(TemplateNameLoc);
1078 }
1079
1080 // Common fields for the annotation token
1081 Tok.setAnnotationEndLoc(RAngleLoc);
1082
1083 // In case the tokens were cached, have Preprocessor replace them with the
1084 // annotation token.
1085 PP.AnnotateCachedTokens(Tok);
1086 return false;
1087}
1088
Adrian Prantl9fc8faf2018-05-09 01:00:01 +00001089/// Replaces a template-id annotation token with a type
Faisal Vali6a79ca12013-06-08 19:39:00 +00001090/// annotation token.
1091///
1092/// If there was a failure when forming the type from the template-id,
1093/// a type annotation token will still be created, but will have a
1094/// NULL type pointer to signify an error.
Richard Smith62559bd2017-02-01 21:36:38 +00001095///
1096/// \param IsClassName Is this template-id appearing in a context where we
1097/// know it names a class, such as in an elaborated-type-specifier or
1098/// base-specifier? ('typename' and 'template' are unneeded and disallowed
1099/// in those contexts.)
1100void Parser::AnnotateTemplateIdTokenAsType(bool IsClassName) {
Faisal Vali6a79ca12013-06-08 19:39:00 +00001101 assert(Tok.is(tok::annot_template_id) && "Requires template-id tokens");
1102
1103 TemplateIdAnnotation *TemplateId = takeTemplateIdAnnotation(Tok);
1104 assert((TemplateId->Kind == TNK_Type_template ||
1105 TemplateId->Kind == TNK_Dependent_template_name) &&
1106 "Only works for type and dependent templates");
1107
1108 ASTTemplateArgsPtr TemplateArgsPtr(TemplateId->getTemplateArgs(),
1109 TemplateId->NumArgs);
1110
1111 TypeResult Type
1112 = Actions.ActOnTemplateIdType(TemplateId->SS,
1113 TemplateId->TemplateKWLoc,
1114 TemplateId->Template,
Richard Smith74f02342017-01-19 21:00:13 +00001115 TemplateId->Name,
Faisal Vali6a79ca12013-06-08 19:39:00 +00001116 TemplateId->TemplateNameLoc,
1117 TemplateId->LAngleLoc,
1118 TemplateArgsPtr,
Richard Smith62559bd2017-02-01 21:36:38 +00001119 TemplateId->RAngleLoc,
1120 /*IsCtorOrDtorName*/false,
1121 IsClassName);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001122 // Create the new "type" annotation token.
1123 Tok.setKind(tok::annot_typename);
David Blaikieefdccaa2016-01-15 23:43:34 +00001124 setTypeAnnotation(Tok, Type.isInvalid() ? nullptr : Type.get());
Faisal Vali6a79ca12013-06-08 19:39:00 +00001125 if (TemplateId->SS.isNotEmpty()) // it was a C++ qualified type name.
1126 Tok.setLocation(TemplateId->SS.getBeginLoc());
1127 // End location stays the same
1128
1129 // Replace the template-id annotation token, and possible the scope-specifier
1130 // that precedes it, with the typename annotation token.
1131 PP.AnnotateCachedTokens(Tok);
1132}
1133
Adrian Prantl9fc8faf2018-05-09 01:00:01 +00001134/// Determine whether the given token can end a template argument.
Faisal Vali6a79ca12013-06-08 19:39:00 +00001135static bool isEndOfTemplateArgument(Token Tok) {
Daniel Marjamakie59f8d72015-06-18 10:59:26 +00001136 return Tok.isOneOf(tok::comma, tok::greater, tok::greatergreater);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001137}
1138
Adrian Prantl9fc8faf2018-05-09 01:00:01 +00001139/// Parse a C++ template template argument.
Faisal Vali6a79ca12013-06-08 19:39:00 +00001140ParsedTemplateArgument Parser::ParseTemplateTemplateArgument() {
1141 if (!Tok.is(tok::identifier) && !Tok.is(tok::coloncolon) &&
1142 !Tok.is(tok::annot_cxxscope))
1143 return ParsedTemplateArgument();
1144
1145 // C++0x [temp.arg.template]p1:
1146 // A template-argument for a template template-parameter shall be the name
1147 // of a class template or an alias template, expressed as id-expression.
Fangrui Song6907ce22018-07-30 19:24:48 +00001148 //
Faisal Vali6a79ca12013-06-08 19:39:00 +00001149 // We parse an id-expression that refers to a class template or alias
1150 // template. The grammar we parse is:
1151 //
1152 // nested-name-specifier[opt] template[opt] identifier ...[opt]
1153 //
Fangrui Song6907ce22018-07-30 19:24:48 +00001154 // followed by a token that terminates a template argument, such as ',',
Faisal Vali6a79ca12013-06-08 19:39:00 +00001155 // '>', or (in some cases) '>>'.
1156 CXXScopeSpec SS; // nested-name-specifier, if present
David Blaikieefdccaa2016-01-15 23:43:34 +00001157 ParseOptionalCXXScopeSpecifier(SS, nullptr,
Faisal Vali6a79ca12013-06-08 19:39:00 +00001158 /*EnteringContext=*/false);
David Blaikieefdccaa2016-01-15 23:43:34 +00001159
Faisal Vali6a79ca12013-06-08 19:39:00 +00001160 ParsedTemplateArgument Result;
1161 SourceLocation EllipsisLoc;
1162 if (SS.isSet() && Tok.is(tok::kw_template)) {
Fangrui Song6907ce22018-07-30 19:24:48 +00001163 // Parse the optional 'template' keyword following the
Faisal Vali6a79ca12013-06-08 19:39:00 +00001164 // nested-name-specifier.
1165 SourceLocation TemplateKWLoc = ConsumeToken();
Fangrui Song6907ce22018-07-30 19:24:48 +00001166
Faisal Vali6a79ca12013-06-08 19:39:00 +00001167 if (Tok.is(tok::identifier)) {
1168 // We appear to have a dependent template name.
1169 UnqualifiedId Name;
1170 Name.setIdentifier(Tok.getIdentifierInfo(), Tok.getLocation());
1171 ConsumeToken(); // the identifier
Alp Toker094e5212014-01-05 03:27:11 +00001172
1173 TryConsumeToken(tok::ellipsis, EllipsisLoc);
1174
Faisal Vali6a79ca12013-06-08 19:39:00 +00001175 // If the next token signals the end of a template argument,
1176 // then we have a dependent template name that could be a template
1177 // template argument.
1178 TemplateTy Template;
1179 if (isEndOfTemplateArgument(Tok) &&
David Blaikieefdccaa2016-01-15 23:43:34 +00001180 Actions.ActOnDependentTemplateName(
1181 getCurScope(), SS, TemplateKWLoc, Name,
1182 /*ObjectType=*/nullptr,
1183 /*EnteringContext=*/false, Template))
Faisal Vali6a79ca12013-06-08 19:39:00 +00001184 Result = ParsedTemplateArgument(SS, Template, Name.StartLocation);
1185 }
1186 } else if (Tok.is(tok::identifier)) {
1187 // We may have a (non-dependent) template name.
1188 TemplateTy Template;
1189 UnqualifiedId Name;
1190 Name.setIdentifier(Tok.getIdentifierInfo(), Tok.getLocation());
1191 ConsumeToken(); // the identifier
Alp Tokera3ebe6e2013-12-17 14:12:37 +00001192
1193 TryConsumeToken(tok::ellipsis, EllipsisLoc);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001194
1195 if (isEndOfTemplateArgument(Tok)) {
1196 bool MemberOfUnknownSpecialization;
David Blaikieefdccaa2016-01-15 23:43:34 +00001197 TemplateNameKind TNK = Actions.isTemplateName(
1198 getCurScope(), SS,
1199 /*hasTemplateKeyword=*/false, Name,
1200 /*ObjectType=*/nullptr,
1201 /*EnteringContext=*/false, Template, MemberOfUnknownSpecialization);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001202 if (TNK == TNK_Dependent_template_name || TNK == TNK_Type_template) {
1203 // We have an id-expression that refers to a class template or
Fangrui Song6907ce22018-07-30 19:24:48 +00001204 // (C++0x) alias template.
Faisal Vali6a79ca12013-06-08 19:39:00 +00001205 Result = ParsedTemplateArgument(SS, Template, Name.StartLocation);
1206 }
1207 }
1208 }
Fangrui Song6907ce22018-07-30 19:24:48 +00001209
Faisal Vali6a79ca12013-06-08 19:39:00 +00001210 // If this is a pack expansion, build it as such.
1211 if (EllipsisLoc.isValid() && !Result.isInvalid())
1212 Result = Actions.ActOnPackExpansion(Result, EllipsisLoc);
Fangrui Song6907ce22018-07-30 19:24:48 +00001213
Faisal Vali6a79ca12013-06-08 19:39:00 +00001214 return Result;
1215}
1216
1217/// ParseTemplateArgument - Parse a C++ template argument (C++ [temp.names]).
1218///
1219/// template-argument: [C++ 14.2]
1220/// constant-expression
1221/// type-id
1222/// id-expression
1223ParsedTemplateArgument Parser::ParseTemplateArgument() {
1224 // C++ [temp.arg]p2:
1225 // In a template-argument, an ambiguity between a type-id and an
1226 // expression is resolved to a type-id, regardless of the form of
1227 // the corresponding template-parameter.
1228 //
Faisal Vali56f1de42017-05-20 19:58:04 +00001229 // Therefore, we initially try to parse a type-id - and isCXXTypeId might look
1230 // up and annotate an identifier as an id-expression during disambiguation,
1231 // so enter the appropriate context for a constant expression template
1232 // argument before trying to disambiguate.
1233
1234 EnterExpressionEvaluationContext EnterConstantEvaluated(
Nicolas Lesserb6d5c582018-07-12 18:45:41 +00001235 Actions, Sema::ExpressionEvaluationContext::ConstantEvaluated,
1236 /*LambdaContextDecl=*/nullptr,
1237 /*ExprContext=*/Sema::ExpressionEvaluationContextRecord::EK_TemplateArgument);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001238 if (isCXXTypeId(TypeIdAsTemplateArgument)) {
Faisal Vali421b2d12017-12-29 05:41:00 +00001239 TypeResult TypeArg = ParseTypeName(
Richard Smith77a9c602018-02-28 03:02:23 +00001240 /*Range=*/nullptr, DeclaratorContext::TemplateArgContext);
1241 return Actions.ActOnTemplateTypeArgument(TypeArg);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001242 }
Fangrui Song6907ce22018-07-30 19:24:48 +00001243
Faisal Vali6a79ca12013-06-08 19:39:00 +00001244 // Try to parse a template template argument.
1245 {
1246 TentativeParsingAction TPA(*this);
1247
1248 ParsedTemplateArgument TemplateTemplateArgument
1249 = ParseTemplateTemplateArgument();
1250 if (!TemplateTemplateArgument.isInvalid()) {
1251 TPA.Commit();
1252 return TemplateTemplateArgument;
1253 }
Fangrui Song6907ce22018-07-30 19:24:48 +00001254
Faisal Vali6a79ca12013-06-08 19:39:00 +00001255 // Revert this tentative parse to parse a non-type template argument.
1256 TPA.Revert();
1257 }
Fangrui Song6907ce22018-07-30 19:24:48 +00001258
1259 // Parse a non-type template argument.
Faisal Vali6a79ca12013-06-08 19:39:00 +00001260 SourceLocation Loc = Tok.getLocation();
Faisal Vali56f1de42017-05-20 19:58:04 +00001261 ExprResult ExprArg = ParseConstantExpressionInExprEvalContext(MaybeTypeCast);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001262 if (ExprArg.isInvalid() || !ExprArg.get())
1263 return ParsedTemplateArgument();
1264
Fangrui Song6907ce22018-07-30 19:24:48 +00001265 return ParsedTemplateArgument(ParsedTemplateArgument::NonType,
Nikola Smiljanic01a75982014-05-29 10:55:11 +00001266 ExprArg.get(), Loc);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001267}
1268
Fangrui Song6907ce22018-07-30 19:24:48 +00001269/// Determine whether the current tokens can only be parsed as a
1270/// template argument list (starting with the '<') and never as a '<'
Faisal Vali6a79ca12013-06-08 19:39:00 +00001271/// expression.
1272bool Parser::IsTemplateArgumentList(unsigned Skip) {
1273 struct AlwaysRevertAction : TentativeParsingAction {
1274 AlwaysRevertAction(Parser &P) : TentativeParsingAction(P) { }
1275 ~AlwaysRevertAction() { Revert(); }
1276 } Tentative(*this);
Fangrui Song6907ce22018-07-30 19:24:48 +00001277
Faisal Vali6a79ca12013-06-08 19:39:00 +00001278 while (Skip) {
Richard Smithaf3b3252017-05-18 19:21:48 +00001279 ConsumeAnyToken();
Faisal Vali6a79ca12013-06-08 19:39:00 +00001280 --Skip;
1281 }
Fangrui Song6907ce22018-07-30 19:24:48 +00001282
Faisal Vali6a79ca12013-06-08 19:39:00 +00001283 // '<'
Alp Tokera3ebe6e2013-12-17 14:12:37 +00001284 if (!TryConsumeToken(tok::less))
Faisal Vali6a79ca12013-06-08 19:39:00 +00001285 return false;
Faisal Vali6a79ca12013-06-08 19:39:00 +00001286
1287 // An empty template argument list.
1288 if (Tok.is(tok::greater))
1289 return true;
Fangrui Song6907ce22018-07-30 19:24:48 +00001290
Faisal Vali6a79ca12013-06-08 19:39:00 +00001291 // See whether we have declaration specifiers, which indicate a type.
Richard Smithee390432014-05-16 01:56:53 +00001292 while (isCXXDeclarationSpecifier() == TPResult::True)
Richard Smithaf3b3252017-05-18 19:21:48 +00001293 ConsumeAnyToken();
Fangrui Song6907ce22018-07-30 19:24:48 +00001294
Faisal Vali6a79ca12013-06-08 19:39:00 +00001295 // If we have a '>' or a ',' then this is a template argument list.
Daniel Marjamakie59f8d72015-06-18 10:59:26 +00001296 return Tok.isOneOf(tok::greater, tok::comma);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001297}
1298
1299/// ParseTemplateArgumentList - Parse a C++ template-argument-list
1300/// (C++ [temp.names]). Returns true if there was an error.
1301///
1302/// template-argument-list: [C++ 14.2]
1303/// template-argument
1304/// template-argument-list ',' template-argument
1305bool
1306Parser::ParseTemplateArgumentList(TemplateArgList &TemplateArgs) {
Fangrui Song6907ce22018-07-30 19:24:48 +00001307
Serge Pavlov6a7ffbe2014-04-13 16:52:03 +00001308 ColonProtectionRAIIObject ColonProtection(*this, false);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001309
Alp Tokera3ebe6e2013-12-17 14:12:37 +00001310 do {
Faisal Vali6a79ca12013-06-08 19:39:00 +00001311 ParsedTemplateArgument Arg = ParseTemplateArgument();
Alp Tokera3ebe6e2013-12-17 14:12:37 +00001312 SourceLocation EllipsisLoc;
1313 if (TryConsumeToken(tok::ellipsis, EllipsisLoc))
Faisal Vali6a79ca12013-06-08 19:39:00 +00001314 Arg = Actions.ActOnPackExpansion(Arg, EllipsisLoc);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001315
1316 if (Arg.isInvalid()) {
Alexey Bataevee6507d2013-11-18 08:17:37 +00001317 SkipUntil(tok::comma, tok::greater, StopAtSemi | StopBeforeMatch);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001318 return true;
1319 }
1320
1321 // Save this template argument.
1322 TemplateArgs.push_back(Arg);
Fangrui Song6907ce22018-07-30 19:24:48 +00001323
Faisal Vali6a79ca12013-06-08 19:39:00 +00001324 // If the next token is a comma, consume it and keep reading
1325 // arguments.
Alp Tokera3ebe6e2013-12-17 14:12:37 +00001326 } while (TryConsumeToken(tok::comma));
Faisal Vali6a79ca12013-06-08 19:39:00 +00001327
1328 return false;
1329}
1330
Adrian Prantl9fc8faf2018-05-09 01:00:01 +00001331/// Parse a C++ explicit template instantiation
Faisal Vali6a79ca12013-06-08 19:39:00 +00001332/// (C++ [temp.explicit]).
1333///
1334/// explicit-instantiation:
1335/// 'extern' [opt] 'template' declaration
1336///
1337/// Note that the 'extern' is a GNU extension and C++11 feature.
Faisal Vali421b2d12017-12-29 05:41:00 +00001338Decl *Parser::ParseExplicitInstantiation(DeclaratorContext Context,
Faisal Vali6a79ca12013-06-08 19:39:00 +00001339 SourceLocation ExternLoc,
1340 SourceLocation TemplateLoc,
1341 SourceLocation &DeclEnd,
Erich Keanec480f302018-07-12 21:09:05 +00001342 ParsedAttributes &AccessAttrs,
Faisal Vali6a79ca12013-06-08 19:39:00 +00001343 AccessSpecifier AS) {
1344 // This isn't really required here.
1345 ParsingDeclRAIIObject
1346 ParsingTemplateParams(*this, ParsingDeclRAIIObject::NoParent);
1347
Erich Keanec480f302018-07-12 21:09:05 +00001348 return ParseSingleDeclarationAfterTemplate(
1349 Context, ParsedTemplateInfo(ExternLoc, TemplateLoc),
1350 ParsingTemplateParams, DeclEnd, AccessAttrs, AS);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001351}
1352
1353SourceRange Parser::ParsedTemplateInfo::getSourceRange() const {
1354 if (TemplateParams)
1355 return getTemplateParamsRange(TemplateParams->data(),
1356 TemplateParams->size());
1357
1358 SourceRange R(TemplateLoc);
1359 if (ExternLoc.isValid())
1360 R.setBegin(ExternLoc);
1361 return R;
1362}
1363
Richard Smithe40f2ba2013-08-07 21:41:30 +00001364void Parser::LateTemplateParserCallback(void *P, LateParsedTemplate &LPT) {
1365 ((Parser *)P)->ParseLateTemplatedFuncDef(LPT);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001366}
1367
Adrian Prantl9fc8faf2018-05-09 01:00:01 +00001368/// Late parse a C++ function template in Microsoft mode.
Richard Smithe40f2ba2013-08-07 21:41:30 +00001369void Parser::ParseLateTemplatedFuncDef(LateParsedTemplate &LPT) {
David Majnemerf0a84f22013-08-16 08:29:13 +00001370 if (!LPT.D)
Faisal Vali6a79ca12013-06-08 19:39:00 +00001371 return;
1372
1373 // Get the FunctionDecl.
Alp Tokera2794f92014-01-22 07:29:52 +00001374 FunctionDecl *FunD = LPT.D->getAsFunction();
Faisal Vali6a79ca12013-06-08 19:39:00 +00001375 // Track template parameter depth.
1376 TemplateParameterDepthRAII CurTemplateDepthTracker(TemplateParameterDepth);
1377
1378 // To restore the context after late parsing.
Richard Smithb0b68012015-05-11 23:09:06 +00001379 Sema::ContextRAII GlobalSavedContext(
1380 Actions, Actions.Context.getTranslationUnitDecl());
Faisal Vali6a79ca12013-06-08 19:39:00 +00001381
1382 SmallVector<ParseScope*, 4> TemplateParamScopeStack;
1383
1384 // Get the list of DeclContexts to reenter.
1385 SmallVector<DeclContext*, 4> DeclContextsToReenter;
Hans Wennborgb6d4e8c2014-05-02 02:01:07 +00001386 DeclContext *DD = FunD;
Faisal Vali6a79ca12013-06-08 19:39:00 +00001387 while (DD && !DD->isTranslationUnit()) {
1388 DeclContextsToReenter.push_back(DD);
1389 DD = DD->getLexicalParent();
1390 }
1391
1392 // Reenter template scopes from outermost to innermost.
Craig Topper61ac9062013-07-08 03:55:09 +00001393 SmallVectorImpl<DeclContext *>::reverse_iterator II =
Faisal Vali6a79ca12013-06-08 19:39:00 +00001394 DeclContextsToReenter.rbegin();
1395 for (; II != DeclContextsToReenter.rend(); ++II) {
Hans Wennborgb6d4e8c2014-05-02 02:01:07 +00001396 TemplateParamScopeStack.push_back(new ParseScope(this,
1397 Scope::TemplateParamScope));
1398 unsigned NumParamLists =
1399 Actions.ActOnReenterTemplateScope(getCurScope(), cast<Decl>(*II));
1400 CurTemplateDepthTracker.addDepth(NumParamLists);
1401 if (*II != FunD) {
1402 TemplateParamScopeStack.push_back(new ParseScope(this, Scope::DeclScope));
1403 Actions.PushDeclContext(Actions.getCurScope(), *II);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001404 }
Faisal Vali6a79ca12013-06-08 19:39:00 +00001405 }
Faisal Vali6a79ca12013-06-08 19:39:00 +00001406
Richard Smithe40f2ba2013-08-07 21:41:30 +00001407 assert(!LPT.Toks.empty() && "Empty body!");
Faisal Vali6a79ca12013-06-08 19:39:00 +00001408
1409 // Append the current token at the end of the new token stream so that it
1410 // doesn't get lost.
Richard Smithe40f2ba2013-08-07 21:41:30 +00001411 LPT.Toks.push_back(Tok);
David Blaikie2eabcc92016-02-09 18:52:09 +00001412 PP.EnterTokenStream(LPT.Toks, true);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001413
1414 // Consume the previously pushed token.
1415 ConsumeAnyToken(/*ConsumeCodeCompletionTok=*/true);
Daniel Marjamakie59f8d72015-06-18 10:59:26 +00001416 assert(Tok.isOneOf(tok::l_brace, tok::colon, tok::kw_try) &&
1417 "Inline method not starting with '{', ':' or 'try'");
Faisal Vali6a79ca12013-06-08 19:39:00 +00001418
1419 // Parse the method body. Function body parsing code is similar enough
1420 // to be re-used for method bodies as well.
Momchil Velikov57c681f2017-08-10 15:43:06 +00001421 ParseScope FnScope(this, Scope::FnScope | Scope::DeclScope |
1422 Scope::CompoundStmtScope);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001423
1424 // Recreate the containing function DeclContext.
Nico Weber55048cf2014-08-15 22:15:00 +00001425 Sema::ContextRAII FunctionSavedContext(Actions,
1426 Actions.getContainingDC(FunD));
Faisal Vali6a79ca12013-06-08 19:39:00 +00001427
1428 Actions.ActOnStartOfFunctionDef(getCurScope(), FunD);
1429
1430 if (Tok.is(tok::kw_try)) {
Richard Smithe40f2ba2013-08-07 21:41:30 +00001431 ParseFunctionTryBlock(LPT.D, FnScope);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001432 } else {
1433 if (Tok.is(tok::colon))
Richard Smithe40f2ba2013-08-07 21:41:30 +00001434 ParseConstructorInitializer(LPT.D);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001435 else
Richard Smithe40f2ba2013-08-07 21:41:30 +00001436 Actions.ActOnDefaultCtorInitializers(LPT.D);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001437
1438 if (Tok.is(tok::l_brace)) {
Alp Tokera2794f92014-01-22 07:29:52 +00001439 assert((!isa<FunctionTemplateDecl>(LPT.D) ||
1440 cast<FunctionTemplateDecl>(LPT.D)
1441 ->getTemplateParameters()
Hans Wennborgb6d4e8c2014-05-02 02:01:07 +00001442 ->getDepth() == TemplateParameterDepth - 1) &&
Faisal Vali6a79ca12013-06-08 19:39:00 +00001443 "TemplateParameterDepth should be greater than the depth of "
1444 "current template being instantiated!");
Richard Smithe40f2ba2013-08-07 21:41:30 +00001445 ParseFunctionStatementBody(LPT.D, FnScope);
1446 Actions.UnmarkAsLateParsedTemplate(FunD);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001447 } else
Craig Topper161e4db2014-05-21 06:02:52 +00001448 Actions.ActOnFinishFunctionBody(LPT.D, nullptr);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001449 }
1450
1451 // Exit scopes.
1452 FnScope.Exit();
Craig Topper61ac9062013-07-08 03:55:09 +00001453 SmallVectorImpl<ParseScope *>::reverse_iterator I =
Faisal Vali6a79ca12013-06-08 19:39:00 +00001454 TemplateParamScopeStack.rbegin();
1455 for (; I != TemplateParamScopeStack.rend(); ++I)
1456 delete *I;
Faisal Vali6a79ca12013-06-08 19:39:00 +00001457}
1458
Adrian Prantl9fc8faf2018-05-09 01:00:01 +00001459/// Lex a delayed template function for late parsing.
Faisal Vali6a79ca12013-06-08 19:39:00 +00001460void Parser::LexTemplateFunctionForLateParsing(CachedTokens &Toks) {
1461 tok::TokenKind kind = Tok.getKind();
1462 if (!ConsumeAndStoreFunctionPrologue(Toks)) {
1463 // Consume everything up to (and including) the matching right brace.
1464 ConsumeAndStoreUntil(tok::r_brace, Toks, /*StopAtSemi=*/false);
1465 }
1466
1467 // If we're in a function-try-block, we need to store all the catch blocks.
1468 if (kind == tok::kw_try) {
1469 while (Tok.is(tok::kw_catch)) {
1470 ConsumeAndStoreUntil(tok::l_brace, Toks, /*StopAtSemi=*/false);
1471 ConsumeAndStoreUntil(tok::r_brace, Toks, /*StopAtSemi=*/false);
1472 }
1473 }
1474}
Richard Smithc2dead42018-06-27 01:32:04 +00001475
1476/// We've parsed something that could plausibly be intended to be a template
1477/// name (\p LHS) followed by a '<' token, and the following code can't possibly
1478/// be an expression. Determine if this is likely to be a template-id and if so,
1479/// diagnose it.
1480bool Parser::diagnoseUnknownTemplateId(ExprResult LHS, SourceLocation Less) {
1481 TentativeParsingAction TPA(*this);
1482 // FIXME: We could look at the token sequence in a lot more detail here.
1483 if (SkipUntil(tok::greater, tok::greatergreater, tok::greatergreatergreater,
1484 StopAtSemi | StopBeforeMatch)) {
1485 TPA.Commit();
1486
1487 SourceLocation Greater;
1488 ParseGreaterThanInTemplateList(Greater, true, false);
1489 Actions.diagnoseExprIntendedAsTemplateName(getCurScope(), LHS,
1490 Less, Greater);
1491 return true;
1492 }
1493
1494 // There's no matching '>' token, this probably isn't supposed to be
1495 // interpreted as a template-id. Parse it as an (ill-formed) comparison.
1496 TPA.Revert();
1497 return false;
1498}
1499
1500void Parser::checkPotentialAngleBracket(ExprResult &PotentialTemplateName) {
1501 assert(Tok.is(tok::less) && "not at a potential angle bracket");
1502
1503 bool DependentTemplateName = false;
1504 if (!Actions.mightBeIntendedToBeTemplateName(PotentialTemplateName,
1505 DependentTemplateName))
1506 return;
1507
1508 // OK, this might be a name that the user intended to be parsed as a
1509 // template-name, followed by a '<' token. Check for some easy cases.
1510
1511 // If we have potential_template<>, then it's supposed to be a template-name.
1512 if (NextToken().is(tok::greater) ||
1513 (getLangOpts().CPlusPlus11 &&
1514 NextToken().isOneOf(tok::greatergreater, tok::greatergreatergreater))) {
1515 SourceLocation Less = ConsumeToken();
1516 SourceLocation Greater;
1517 ParseGreaterThanInTemplateList(Greater, true, false);
1518 Actions.diagnoseExprIntendedAsTemplateName(
1519 getCurScope(), PotentialTemplateName, Less, Greater);
1520 // FIXME: Perform error recovery.
1521 PotentialTemplateName = ExprError();
1522 return;
1523 }
1524
1525 // If we have 'potential_template<type-id', assume it's supposed to be a
1526 // template-name if there's a matching '>' later on.
1527 {
1528 // FIXME: Avoid the tentative parse when NextToken() can't begin a type.
1529 TentativeParsingAction TPA(*this);
1530 SourceLocation Less = ConsumeToken();
1531 if (isTypeIdUnambiguously() &&
1532 diagnoseUnknownTemplateId(PotentialTemplateName, Less)) {
1533 TPA.Commit();
1534 // FIXME: Perform error recovery.
1535 PotentialTemplateName = ExprError();
1536 return;
1537 }
1538 TPA.Revert();
1539 }
1540
1541 // Otherwise, remember that we saw this in case we see a potentially-matching
1542 // '>' token later on.
1543 AngleBracketTracker::Priority Priority =
1544 (DependentTemplateName ? AngleBracketTracker::DependentName
1545 : AngleBracketTracker::PotentialTypo) |
1546 (Tok.hasLeadingSpace() ? AngleBracketTracker::SpaceBeforeLess
1547 : AngleBracketTracker::NoSpaceBeforeLess);
1548 AngleBrackets.add(*this, PotentialTemplateName.get(), Tok.getLocation(),
1549 Priority);
1550}
1551
1552bool Parser::checkPotentialAngleBracketDelimiter(
1553 const AngleBracketTracker::Loc &LAngle, const Token &OpToken) {
1554 // If a comma in an expression context is followed by a type that can be a
1555 // template argument and cannot be an expression, then this is ill-formed,
1556 // but might be intended to be part of a template-id.
1557 if (OpToken.is(tok::comma) && isTypeIdUnambiguously() &&
1558 diagnoseUnknownTemplateId(LAngle.TemplateName, LAngle.LessLoc)) {
1559 AngleBrackets.clear(*this);
1560 return true;
1561 }
1562
1563 // If a context that looks like a template-id is followed by '()', then
1564 // this is ill-formed, but might be intended to be a template-id
1565 // followed by '()'.
1566 if (OpToken.is(tok::greater) && Tok.is(tok::l_paren) &&
1567 NextToken().is(tok::r_paren)) {
1568 Actions.diagnoseExprIntendedAsTemplateName(
1569 getCurScope(), LAngle.TemplateName, LAngle.LessLoc,
1570 OpToken.getLocation());
1571 AngleBrackets.clear(*this);
1572 return true;
1573 }
1574
1575 // After a '>' (etc), we're no longer potentially in a construct that's
1576 // intended to be treated as a template-id.
1577 if (OpToken.is(tok::greater) ||
1578 (getLangOpts().CPlusPlus11 &&
1579 OpToken.isOneOf(tok::greatergreater, tok::greatergreatergreater)))
1580 AngleBrackets.clear(*this);
1581 return false;
1582}