blob: da0707f66eea5a4cbce47217583cf238d43209d6 [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
24/// \brief Parse a template declaration, explicit instantiation, or
25/// explicit specialization.
26Decl *
27Parser::ParseDeclarationStartingWithTemplate(unsigned Context,
28 SourceLocation &DeclEnd,
29 AccessSpecifier AS,
30 AttributeList *AccessAttrs) {
31 ObjCDeclContextSwitch ObjCDC(*this);
32
33 if (Tok.is(tok::kw_template) && NextToken().isNot(tok::less)) {
34 return ParseExplicitInstantiation(Context,
35 SourceLocation(), ConsumeToken(),
36 DeclEnd, AS);
37 }
38 return ParseTemplateDeclarationOrSpecialization(Context, DeclEnd, AS,
39 AccessAttrs);
40}
41
42
43
44/// \brief Parse a template declaration or an explicit specialization.
45///
46/// Template declarations include one or more template parameter lists
47/// and either the function or class template declaration. Explicit
48/// specializations contain one or more 'template < >' prefixes
49/// followed by a (possibly templated) declaration. Since the
50/// syntactic form of both features is nearly identical, we parse all
51/// of the template headers together and let semantic analysis sort
52/// the declarations from the explicit specializations.
53///
54/// template-declaration: [C++ temp]
55/// 'export'[opt] 'template' '<' template-parameter-list '>' declaration
56///
57/// explicit-specialization: [ C++ temp.expl.spec]
58/// 'template' '<' '>' declaration
59Decl *
60Parser::ParseTemplateDeclarationOrSpecialization(unsigned Context,
61 SourceLocation &DeclEnd,
62 AccessSpecifier AS,
63 AttributeList *AccessAttrs) {
Daniel Marjamakie59f8d72015-06-18 10:59:26 +000064 assert(Tok.isOneOf(tok::kw_export, tok::kw_template) &&
Faisal Vali6a79ca12013-06-08 19:39:00 +000065 "Token does not start a template declaration.");
66
67 // Enter template-parameter scope.
68 ParseScope TemplateParmScope(this, Scope::TemplateParamScope);
69
70 // Tell the action that names should be checked in the context of
71 // the declaration to come.
72 ParsingDeclRAIIObject
73 ParsingTemplateParams(*this, ParsingDeclRAIIObject::NoParent);
74
75 // Parse multiple levels of template headers within this template
76 // parameter scope, e.g.,
77 //
78 // template<typename T>
79 // template<typename U>
80 // class A<T>::B { ... };
81 //
82 // We parse multiple levels non-recursively so that we can build a
83 // single data structure containing all of the template parameter
84 // lists to easily differentiate between the case above and:
85 //
86 // template<typename T>
87 // class A {
88 // template<typename U> class B;
89 // };
90 //
91 // In the first case, the action for declaring A<T>::B receives
92 // both template parameter lists. In the second case, the action for
93 // defining A<T>::B receives just the inner template parameter list
94 // (and retrieves the outer template parameter list from its
95 // context).
96 bool isSpecialization = true;
97 bool LastParamListWasEmpty = false;
98 TemplateParameterLists ParamLists;
99 TemplateParameterDepthRAII CurTemplateDepthTracker(TemplateParameterDepth);
100
101 do {
102 // Consume the 'export', if any.
103 SourceLocation ExportLoc;
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000104 TryConsumeToken(tok::kw_export, ExportLoc);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000105
106 // Consume the 'template', which should be here.
107 SourceLocation TemplateLoc;
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000108 if (!TryConsumeToken(tok::kw_template, TemplateLoc)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000109 Diag(Tok.getLocation(), diag::err_expected_template);
Craig Topper161e4db2014-05-21 06:02:52 +0000110 return nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000111 }
112
113 // Parse the '<' template-parameter-list '>'
114 SourceLocation LAngleLoc, RAngleLoc;
Faisal Valif241b0d2017-08-25 18:24:20 +0000115 SmallVector<NamedDecl*, 4> TemplateParams;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000116 if (ParseTemplateParameters(CurTemplateDepthTracker.getDepth(),
117 TemplateParams, LAngleLoc, RAngleLoc)) {
Hubert Tongec3cb572015-06-25 00:23:39 +0000118 // Skip until the semi-colon or a '}'.
Alexey Bataevee6507d2013-11-18 08:17:37 +0000119 SkipUntil(tok::r_brace, StopAtSemi | StopBeforeMatch);
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000120 TryConsumeToken(tok::semi);
Craig Topper161e4db2014-05-21 06:02:52 +0000121 return nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000122 }
123
Hubert Tongf608c052016-04-29 18:05:37 +0000124 ExprResult OptionalRequiresClauseConstraintER;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000125 if (!TemplateParams.empty()) {
126 isSpecialization = false;
127 ++CurTemplateDepthTracker;
Hubert Tongec3cb572015-06-25 00:23:39 +0000128
129 if (TryConsumeToken(tok::kw_requires)) {
Hubert Tongf608c052016-04-29 18:05:37 +0000130 OptionalRequiresClauseConstraintER =
Hubert Tongec3cb572015-06-25 00:23:39 +0000131 Actions.CorrectDelayedTyposInExpr(ParseConstraintExpression());
Hubert Tongf608c052016-04-29 18:05:37 +0000132 if (!OptionalRequiresClauseConstraintER.isUsable()) {
Hubert Tongec3cb572015-06-25 00:23:39 +0000133 // Skip until the semi-colon or a '}'.
134 SkipUntil(tok::r_brace, StopAtSemi | StopBeforeMatch);
135 TryConsumeToken(tok::semi);
136 return nullptr;
137 }
138 }
Faisal Vali6a79ca12013-06-08 19:39:00 +0000139 } else {
140 LastParamListWasEmpty = true;
141 }
Hubert Tongf608c052016-04-29 18:05:37 +0000142
143 ParamLists.push_back(Actions.ActOnTemplateParameterList(
144 CurTemplateDepthTracker.getDepth(), ExportLoc, TemplateLoc, LAngleLoc,
145 TemplateParams, RAngleLoc, OptionalRequiresClauseConstraintER.get()));
Daniel Marjamakie59f8d72015-06-18 10:59:26 +0000146 } while (Tok.isOneOf(tok::kw_export, tok::kw_template));
Faisal Vali6a79ca12013-06-08 19:39:00 +0000147
Akira Hatanaka10aced82016-04-29 02:24:14 +0000148 unsigned NewFlags = getCurScope()->getFlags() & ~Scope::TemplateParamScope;
149 ParseScopeFlags TemplateScopeFlags(this, NewFlags, isSpecialization);
150
Faisal Vali6a79ca12013-06-08 19:39:00 +0000151 // Parse the actual template declaration.
152 return ParseSingleDeclarationAfterTemplate(Context,
153 ParsedTemplateInfo(&ParamLists,
154 isSpecialization,
155 LastParamListWasEmpty),
156 ParsingTemplateParams,
157 DeclEnd, AS, AccessAttrs);
158}
159
160/// \brief Parse a single declaration that declares a template,
161/// template specialization, or explicit instantiation of a template.
162///
163/// \param DeclEnd will receive the source location of the last token
164/// within this declaration.
165///
166/// \param AS the access specifier associated with this
167/// declaration. Will be AS_none for namespace-scope declarations.
168///
169/// \returns the new declaration.
170Decl *
171Parser::ParseSingleDeclarationAfterTemplate(
172 unsigned Context,
173 const ParsedTemplateInfo &TemplateInfo,
174 ParsingDeclRAIIObject &DiagsFromTParams,
175 SourceLocation &DeclEnd,
176 AccessSpecifier AS,
177 AttributeList *AccessAttrs) {
178 assert(TemplateInfo.Kind != ParsedTemplateInfo::NonTemplate &&
179 "Template information required");
180
Aaron Ballmane7c544d2014-08-04 20:28:35 +0000181 if (Tok.is(tok::kw_static_assert)) {
182 // A static_assert declaration may not be templated.
183 Diag(Tok.getLocation(), diag::err_templated_invalid_declaration)
184 << TemplateInfo.getSourceRange();
185 // Parse the static_assert declaration to improve error recovery.
186 return ParseStaticAssertDeclaration(DeclEnd);
187 }
188
Faisal Vali6a79ca12013-06-08 19:39:00 +0000189 if (Context == Declarator::MemberContext) {
190 // We are parsing a member template.
191 ParseCXXClassMemberDeclaration(AS, AccessAttrs, TemplateInfo,
192 &DiagsFromTParams);
Craig Topper161e4db2014-05-21 06:02:52 +0000193 return nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000194 }
195
196 ParsedAttributesWithRange prefixAttrs(AttrFactory);
197 MaybeParseCXX11Attributes(prefixAttrs);
198
Richard Smith6f1daa42016-12-16 00:58:48 +0000199 if (Tok.is(tok::kw_using)) {
200 // FIXME: We should return the DeclGroup to the caller.
Erik Verbruggenaa603c32017-08-22 10:54:40 +0000201 ParseUsingDirectiveOrDeclaration(Context, TemplateInfo, DeclEnd,
202 prefixAttrs);
203 return nullptr;
Richard Smith6f1daa42016-12-16 00:58:48 +0000204 }
Faisal Vali6a79ca12013-06-08 19:39:00 +0000205
206 // Parse the declaration specifiers, stealing any diagnostics from
207 // the template parameters.
208 ParsingDeclSpec DS(*this, &DiagsFromTParams);
209
210 ParseDeclarationSpecifiers(DS, TemplateInfo, AS,
211 getDeclSpecContextFromDeclaratorContext(Context));
212
213 if (Tok.is(tok::semi)) {
214 ProhibitAttributes(prefixAttrs);
215 DeclEnd = ConsumeToken();
Nico Weber7b837f52016-01-28 19:25:00 +0000216 RecordDecl *AnonRecord = nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000217 Decl *Decl = Actions.ParsedFreeStandingDeclSpec(
218 getCurScope(), AS, DS,
219 TemplateInfo.TemplateParams ? *TemplateInfo.TemplateParams
220 : MultiTemplateParamsArg(),
Nico Weber7b837f52016-01-28 19:25:00 +0000221 TemplateInfo.Kind == ParsedTemplateInfo::ExplicitInstantiation,
222 AnonRecord);
223 assert(!AnonRecord &&
224 "Anonymous unions/structs should not be valid with template");
Faisal Vali6a79ca12013-06-08 19:39:00 +0000225 DS.complete(Decl);
226 return Decl;
227 }
228
229 // Move the attributes from the prefix into the DS.
230 if (TemplateInfo.Kind == ParsedTemplateInfo::ExplicitInstantiation)
231 ProhibitAttributes(prefixAttrs);
232 else
233 DS.takeAttributesFrom(prefixAttrs);
234
235 // Parse the declarator.
236 ParsingDeclarator DeclaratorInfo(*this, DS, (Declarator::TheContext)Context);
237 ParseDeclarator(DeclaratorInfo);
238 // Error parsing the declarator?
239 if (!DeclaratorInfo.hasName()) {
240 // If so, skip until the semi-colon or a }.
Alexey Bataevee6507d2013-11-18 08:17:37 +0000241 SkipUntil(tok::r_brace, StopAtSemi | StopBeforeMatch);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000242 if (Tok.is(tok::semi))
243 ConsumeToken();
Craig Topper161e4db2014-05-21 06:02:52 +0000244 return nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000245 }
246
247 LateParsedAttrList LateParsedAttrs(true);
248 if (DeclaratorInfo.isFunctionDeclarator())
249 MaybeParseGNUAttributes(DeclaratorInfo, &LateParsedAttrs);
250
251 if (DeclaratorInfo.isFunctionDeclarator() &&
252 isStartOfFunctionDefinition(DeclaratorInfo)) {
Reid Klecknerd61a3112014-12-15 23:16:32 +0000253
254 // Function definitions are only allowed at file scope and in C++ classes.
255 // The C++ inline method definition case is handled elsewhere, so we only
256 // need to handle the file scope definition case.
257 if (Context != Declarator::FileContext) {
258 Diag(Tok, diag::err_function_definition_not_allowed);
259 SkipMalformedDecl();
260 return nullptr;
261 }
262
Faisal Vali6a79ca12013-06-08 19:39:00 +0000263 if (DS.getStorageClassSpec() == DeclSpec::SCS_typedef) {
264 // Recover by ignoring the 'typedef'. This was probably supposed to be
265 // the 'typename' keyword, which we should have already suggested adding
266 // if it's appropriate.
267 Diag(DS.getStorageClassSpecLoc(), diag::err_function_declared_typedef)
268 << FixItHint::CreateRemoval(DS.getStorageClassSpecLoc());
269 DS.ClearStorageClassSpecs();
270 }
Larisse Voufo725de3e2013-06-21 00:08:46 +0000271
272 if (TemplateInfo.Kind == ParsedTemplateInfo::ExplicitInstantiation) {
273 if (DeclaratorInfo.getName().getKind() != UnqualifiedId::IK_TemplateId) {
274 // If the declarator-id is not a template-id, issue a diagnostic and
275 // recover by ignoring the 'template' keyword.
276 Diag(Tok, diag::err_template_defn_explicit_instantiation) << 0;
Larisse Voufo39a1e502013-08-06 01:03:05 +0000277 return ParseFunctionDefinition(DeclaratorInfo, ParsedTemplateInfo(),
278 &LateParsedAttrs);
Larisse Voufo725de3e2013-06-21 00:08:46 +0000279 } else {
280 SourceLocation LAngleLoc
281 = PP.getLocForEndOfToken(TemplateInfo.TemplateLoc);
Larisse Voufo39a1e502013-08-06 01:03:05 +0000282 Diag(DeclaratorInfo.getIdentifierLoc(),
Larisse Voufo725de3e2013-06-21 00:08:46 +0000283 diag::err_explicit_instantiation_with_definition)
Larisse Voufo39a1e502013-08-06 01:03:05 +0000284 << SourceRange(TemplateInfo.TemplateLoc)
285 << FixItHint::CreateInsertion(LAngleLoc, "<>");
Larisse Voufo725de3e2013-06-21 00:08:46 +0000286
Larisse Voufo39a1e502013-08-06 01:03:05 +0000287 // Recover as if it were an explicit specialization.
Larisse Voufob9bbaba2013-06-22 13:56:11 +0000288 TemplateParameterLists FakedParamLists;
Larisse Voufo39a1e502013-08-06 01:03:05 +0000289 FakedParamLists.push_back(Actions.ActOnTemplateParameterList(
Craig Topper96225a52015-12-24 23:58:25 +0000290 0, SourceLocation(), TemplateInfo.TemplateLoc, LAngleLoc, None,
Hubert Tongf608c052016-04-29 18:05:37 +0000291 LAngleLoc, nullptr));
Larisse Voufo725de3e2013-06-21 00:08:46 +0000292
Larisse Voufo39a1e502013-08-06 01:03:05 +0000293 return ParseFunctionDefinition(
294 DeclaratorInfo, ParsedTemplateInfo(&FakedParamLists,
295 /*isSpecialization=*/true,
296 /*LastParamListWasEmpty=*/true),
297 &LateParsedAttrs);
Larisse Voufo725de3e2013-06-21 00:08:46 +0000298 }
299 }
Faisal Vali6a79ca12013-06-08 19:39:00 +0000300 return ParseFunctionDefinition(DeclaratorInfo, TemplateInfo,
Larisse Voufo39a1e502013-08-06 01:03:05 +0000301 &LateParsedAttrs);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000302 }
303
304 // Parse this declaration.
305 Decl *ThisDecl = ParseDeclarationAfterDeclarator(DeclaratorInfo,
306 TemplateInfo);
307
308 if (Tok.is(tok::comma)) {
309 Diag(Tok, diag::err_multiple_template_declarators)
310 << (int)TemplateInfo.Kind;
Alexey Bataevee6507d2013-11-18 08:17:37 +0000311 SkipUntil(tok::semi);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000312 return ThisDecl;
313 }
314
315 // Eat the semi colon after the declaration.
316 ExpectAndConsumeSemi(diag::err_expected_semi_declaration);
317 if (LateParsedAttrs.size() > 0)
318 ParseLexedAttributeList(LateParsedAttrs, ThisDecl, true, false);
319 DeclaratorInfo.complete(ThisDecl);
320 return ThisDecl;
321}
322
323/// ParseTemplateParameters - Parses a template-parameter-list enclosed in
324/// angle brackets. Depth is the depth of this template-parameter-list, which
325/// is the number of template headers directly enclosing this template header.
326/// TemplateParams is the current list of template parameters we're building.
327/// The template parameter we parse will be added to this list. LAngleLoc and
328/// RAngleLoc will receive the positions of the '<' and '>', respectively,
329/// that enclose this template parameter list.
330///
331/// \returns true if an error occurred, false otherwise.
Faisal Valif241b0d2017-08-25 18:24:20 +0000332bool Parser::ParseTemplateParameters(
333 unsigned Depth, SmallVectorImpl<NamedDecl *> &TemplateParams,
334 SourceLocation &LAngleLoc, SourceLocation &RAngleLoc) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000335 // Get the template parameter list.
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000336 if (!TryConsumeToken(tok::less, LAngleLoc)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000337 Diag(Tok.getLocation(), diag::err_expected_less_after) << "template";
338 return true;
339 }
Faisal Vali6a79ca12013-06-08 19:39:00 +0000340
341 // Try to parse the template parameter list.
342 bool Failed = false;
343 if (!Tok.is(tok::greater) && !Tok.is(tok::greatergreater))
344 Failed = ParseTemplateParameterList(Depth, TemplateParams);
345
346 if (Tok.is(tok::greatergreater)) {
347 // No diagnostic required here: a template-parameter-list can only be
348 // followed by a declaration or, for a template template parameter, the
349 // 'class' keyword. Therefore, the second '>' will be diagnosed later.
350 // This matters for elegant diagnosis of:
351 // template<template<typename>> struct S;
352 Tok.setKind(tok::greater);
353 RAngleLoc = Tok.getLocation();
354 Tok.setLocation(Tok.getLocation().getLocWithOffset(1));
Alp Toker383d2c42014-01-01 03:08:43 +0000355 } else if (!TryConsumeToken(tok::greater, RAngleLoc) && Failed) {
356 Diag(Tok.getLocation(), diag::err_expected) << tok::greater;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000357 return true;
358 }
359 return false;
360}
361
362/// ParseTemplateParameterList - Parse a template parameter list. If
363/// the parsing fails badly (i.e., closing bracket was left out), this
364/// will try to put the token stream in a reasonable position (closing
365/// a statement, etc.) and return false.
366///
367/// template-parameter-list: [C++ temp]
368/// template-parameter
369/// template-parameter-list ',' template-parameter
370bool
371Parser::ParseTemplateParameterList(unsigned Depth,
Faisal Valif241b0d2017-08-25 18:24:20 +0000372 SmallVectorImpl<NamedDecl*> &TemplateParams) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000373 while (1) {
Faisal Valif241b0d2017-08-25 18:24:20 +0000374 // FIXME: ParseTemplateParameter should probably just return a NamedDecl.
Faisal Vali6a79ca12013-06-08 19:39:00 +0000375 if (Decl *TmpParam
376 = ParseTemplateParameter(Depth, TemplateParams.size())) {
Faisal Valif241b0d2017-08-25 18:24:20 +0000377 TemplateParams.push_back(dyn_cast<NamedDecl>(TmpParam));
Faisal Vali6a79ca12013-06-08 19:39:00 +0000378 } else {
379 // If we failed to parse a template parameter, skip until we find
380 // a comma or closing brace.
Alexey Bataevee6507d2013-11-18 08:17:37 +0000381 SkipUntil(tok::comma, tok::greater, tok::greatergreater,
382 StopAtSemi | StopBeforeMatch);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000383 }
384
385 // Did we find a comma or the end of the template parameter list?
386 if (Tok.is(tok::comma)) {
387 ConsumeToken();
Daniel Marjamakie59f8d72015-06-18 10:59:26 +0000388 } else if (Tok.isOneOf(tok::greater, tok::greatergreater)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000389 // Don't consume this... that's done by template parser.
390 break;
391 } else {
392 // Somebody probably forgot to close the template. Skip ahead and
393 // try to get out of the expression. This error is currently
394 // subsumed by whatever goes on in ParseTemplateParameter.
395 Diag(Tok.getLocation(), diag::err_expected_comma_greater);
Alexey Bataevee6507d2013-11-18 08:17:37 +0000396 SkipUntil(tok::comma, tok::greater, tok::greatergreater,
397 StopAtSemi | StopBeforeMatch);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000398 return false;
399 }
400 }
401 return true;
402}
403
404/// \brief Determine whether the parser is at the start of a template
405/// type parameter.
406bool Parser::isStartOfTemplateTypeParameter() {
407 if (Tok.is(tok::kw_class)) {
408 // "class" may be the start of an elaborated-type-specifier or a
409 // type-parameter. Per C++ [temp.param]p3, we prefer the type-parameter.
410 switch (NextToken().getKind()) {
411 case tok::equal:
412 case tok::comma:
413 case tok::greater:
414 case tok::greatergreater:
415 case tok::ellipsis:
416 return true;
417
418 case tok::identifier:
419 // This may be either a type-parameter or an elaborated-type-specifier.
420 // We have to look further.
421 break;
422
423 default:
424 return false;
425 }
426
427 switch (GetLookAheadToken(2).getKind()) {
428 case tok::equal:
429 case tok::comma:
430 case tok::greater:
431 case tok::greatergreater:
432 return true;
433
434 default:
435 return false;
436 }
437 }
438
439 if (Tok.isNot(tok::kw_typename))
440 return false;
441
442 // C++ [temp.param]p2:
443 // There is no semantic difference between class and typename in a
444 // template-parameter. typename followed by an unqualified-id
445 // names a template type parameter. typename followed by a
446 // qualified-id denotes the type in a non-type
447 // parameter-declaration.
448 Token Next = NextToken();
449
450 // If we have an identifier, skip over it.
451 if (Next.getKind() == tok::identifier)
452 Next = GetLookAheadToken(2);
453
454 switch (Next.getKind()) {
455 case tok::equal:
456 case tok::comma:
457 case tok::greater:
458 case tok::greatergreater:
459 case tok::ellipsis:
460 return true;
461
462 default:
463 return false;
464 }
465}
466
467/// ParseTemplateParameter - Parse a template-parameter (C++ [temp.param]).
468///
469/// template-parameter: [C++ temp.param]
470/// type-parameter
471/// parameter-declaration
472///
473/// type-parameter: (see below)
474/// 'class' ...[opt] identifier[opt]
475/// 'class' identifier[opt] '=' type-id
476/// 'typename' ...[opt] identifier[opt]
477/// 'typename' identifier[opt] '=' type-id
478/// 'template' '<' template-parameter-list '>'
479/// 'class' ...[opt] identifier[opt]
480/// 'template' '<' template-parameter-list '>' 'class' identifier[opt]
481/// = id-expression
482Decl *Parser::ParseTemplateParameter(unsigned Depth, unsigned Position) {
483 if (isStartOfTemplateTypeParameter())
484 return ParseTypeParameter(Depth, Position);
485
486 if (Tok.is(tok::kw_template))
487 return ParseTemplateTemplateParameter(Depth, Position);
488
489 // If it's none of the above, then it must be a parameter declaration.
490 // NOTE: This will pick up errors in the closure of the template parameter
491 // list (e.g., template < ; Check here to implement >> style closures.
492 return ParseNonTypeTemplateParameter(Depth, Position);
493}
494
495/// ParseTypeParameter - Parse a template type parameter (C++ [temp.param]).
496/// Other kinds of template parameters are parsed in
497/// ParseTemplateTemplateParameter and ParseNonTypeTemplateParameter.
498///
499/// type-parameter: [C++ temp.param]
500/// 'class' ...[opt][C++0x] identifier[opt]
501/// 'class' identifier[opt] '=' type-id
502/// 'typename' ...[opt][C++0x] identifier[opt]
503/// 'typename' identifier[opt] '=' type-id
504Decl *Parser::ParseTypeParameter(unsigned Depth, unsigned Position) {
Daniel Marjamakie59f8d72015-06-18 10:59:26 +0000505 assert(Tok.isOneOf(tok::kw_class, tok::kw_typename) &&
Faisal Vali6a79ca12013-06-08 19:39:00 +0000506 "A type-parameter starts with 'class' or 'typename'");
507
508 // Consume the 'class' or 'typename' keyword.
509 bool TypenameKeyword = Tok.is(tok::kw_typename);
510 SourceLocation KeyLoc = ConsumeToken();
511
512 // Grab the ellipsis (if given).
Faisal Vali6a79ca12013-06-08 19:39:00 +0000513 SourceLocation EllipsisLoc;
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000514 if (TryConsumeToken(tok::ellipsis, EllipsisLoc)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000515 Diag(EllipsisLoc,
516 getLangOpts().CPlusPlus11
517 ? diag::warn_cxx98_compat_variadic_templates
518 : diag::ext_variadic_templates);
519 }
520
521 // Grab the template parameter name (if given)
522 SourceLocation NameLoc;
Craig Topper161e4db2014-05-21 06:02:52 +0000523 IdentifierInfo *ParamName = nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000524 if (Tok.is(tok::identifier)) {
525 ParamName = Tok.getIdentifierInfo();
526 NameLoc = ConsumeToken();
Daniel Marjamakie59f8d72015-06-18 10:59:26 +0000527 } else if (Tok.isOneOf(tok::equal, tok::comma, tok::greater,
528 tok::greatergreater)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000529 // Unnamed template parameter. Don't have to do anything here, just
530 // don't consume this token.
531 } else {
Alp Tokerec543272013-12-24 09:48:30 +0000532 Diag(Tok.getLocation(), diag::err_expected) << tok::identifier;
Craig Topper161e4db2014-05-21 06:02:52 +0000533 return nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000534 }
535
Nikola Smiljanic69fdc9f2014-06-06 02:58:59 +0000536 // Recover from misplaced ellipsis.
537 bool AlreadyHasEllipsis = EllipsisLoc.isValid();
538 if (TryConsumeToken(tok::ellipsis, EllipsisLoc))
539 DiagnoseMisplacedEllipsis(EllipsisLoc, NameLoc, AlreadyHasEllipsis, true);
540
Faisal Vali6a79ca12013-06-08 19:39:00 +0000541 // Grab a default argument (if available).
542 // Per C++0x [basic.scope.pdecl]p9, we parse the default argument before
543 // we introduce the type parameter into the local scope.
544 SourceLocation EqualLoc;
545 ParsedType DefaultArg;
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000546 if (TryConsumeToken(tok::equal, EqualLoc))
Craig Topper161e4db2014-05-21 06:02:52 +0000547 DefaultArg = ParseTypeName(/*Range=*/nullptr,
Faisal Vali6a79ca12013-06-08 19:39:00 +0000548 Declarator::TemplateTypeArgContext).get();
Faisal Vali6a79ca12013-06-08 19:39:00 +0000549
Nikola Smiljanic69fdc9f2014-06-06 02:58:59 +0000550 return Actions.ActOnTypeParameter(getCurScope(), TypenameKeyword, EllipsisLoc,
551 KeyLoc, ParamName, NameLoc, Depth, Position,
552 EqualLoc, DefaultArg);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000553}
554
555/// ParseTemplateTemplateParameter - Handle the parsing of template
556/// template parameters.
557///
558/// type-parameter: [C++ temp.param]
Richard Smith78e1ca62014-06-16 15:51:22 +0000559/// 'template' '<' template-parameter-list '>' type-parameter-key
Faisal Vali6a79ca12013-06-08 19:39:00 +0000560/// ...[opt] identifier[opt]
Richard Smith78e1ca62014-06-16 15:51:22 +0000561/// 'template' '<' template-parameter-list '>' type-parameter-key
562/// identifier[opt] = id-expression
563/// type-parameter-key:
564/// 'class'
565/// 'typename' [C++1z]
Faisal Vali6a79ca12013-06-08 19:39:00 +0000566Decl *
567Parser::ParseTemplateTemplateParameter(unsigned Depth, unsigned Position) {
568 assert(Tok.is(tok::kw_template) && "Expected 'template' keyword");
569
570 // Handle the template <...> part.
571 SourceLocation TemplateLoc = ConsumeToken();
Faisal Valif241b0d2017-08-25 18:24:20 +0000572 SmallVector<NamedDecl*,8> TemplateParams;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000573 SourceLocation LAngleLoc, RAngleLoc;
574 {
575 ParseScope TemplateParmScope(this, Scope::TemplateParamScope);
576 if (ParseTemplateParameters(Depth + 1, TemplateParams, LAngleLoc,
577 RAngleLoc)) {
Craig Topper161e4db2014-05-21 06:02:52 +0000578 return nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000579 }
580 }
581
Richard Smith78e1ca62014-06-16 15:51:22 +0000582 // Provide an ExtWarn if the C++1z feature of using 'typename' here is used.
Faisal Vali6a79ca12013-06-08 19:39:00 +0000583 // Generate a meaningful error if the user forgot to put class before the
584 // identifier, comma, or greater. Provide a fixit if the identifier, comma,
Richard Smith78e1ca62014-06-16 15:51:22 +0000585 // or greater appear immediately or after 'struct'. In the latter case,
586 // replace the keyword with 'class'.
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000587 if (!TryConsumeToken(tok::kw_class)) {
Daniel Marjamakie59f8d72015-06-18 10:59:26 +0000588 bool Replace = Tok.isOneOf(tok::kw_typename, tok::kw_struct);
Richard Smith78e1ca62014-06-16 15:51:22 +0000589 const Token &Next = Tok.is(tok::kw_struct) ? NextToken() : Tok;
590 if (Tok.is(tok::kw_typename)) {
591 Diag(Tok.getLocation(),
592 getLangOpts().CPlusPlus1z
Aaron Ballmandd69ef32014-08-19 15:55:55 +0000593 ? diag::warn_cxx14_compat_template_template_param_typename
Richard Smith78e1ca62014-06-16 15:51:22 +0000594 : diag::ext_template_template_param_typename)
595 << (!getLangOpts().CPlusPlus1z
596 ? FixItHint::CreateReplacement(Tok.getLocation(), "class")
597 : FixItHint());
Daniel Marjamakie59f8d72015-06-18 10:59:26 +0000598 } else if (Next.isOneOf(tok::identifier, tok::comma, tok::greater,
599 tok::greatergreater, tok::ellipsis)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000600 Diag(Tok.getLocation(), diag::err_class_on_template_template_param)
601 << (Replace ? FixItHint::CreateReplacement(Tok.getLocation(), "class")
602 : FixItHint::CreateInsertion(Tok.getLocation(), "class "));
Richard Smith78e1ca62014-06-16 15:51:22 +0000603 } else
Faisal Vali6a79ca12013-06-08 19:39:00 +0000604 Diag(Tok.getLocation(), diag::err_class_on_template_template_param);
605
606 if (Replace)
607 ConsumeToken();
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000608 }
Faisal Vali6a79ca12013-06-08 19:39:00 +0000609
610 // Parse the ellipsis, if given.
611 SourceLocation EllipsisLoc;
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000612 if (TryConsumeToken(tok::ellipsis, EllipsisLoc))
Faisal Vali6a79ca12013-06-08 19:39:00 +0000613 Diag(EllipsisLoc,
614 getLangOpts().CPlusPlus11
615 ? diag::warn_cxx98_compat_variadic_templates
616 : diag::ext_variadic_templates);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000617
618 // Get the identifier, if given.
619 SourceLocation NameLoc;
Craig Topper161e4db2014-05-21 06:02:52 +0000620 IdentifierInfo *ParamName = nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000621 if (Tok.is(tok::identifier)) {
622 ParamName = Tok.getIdentifierInfo();
623 NameLoc = ConsumeToken();
Daniel Marjamakie59f8d72015-06-18 10:59:26 +0000624 } else if (Tok.isOneOf(tok::equal, tok::comma, tok::greater,
625 tok::greatergreater)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000626 // Unnamed template parameter. Don't have to do anything here, just
627 // don't consume this token.
628 } else {
Alp Tokerec543272013-12-24 09:48:30 +0000629 Diag(Tok.getLocation(), diag::err_expected) << tok::identifier;
Craig Topper161e4db2014-05-21 06:02:52 +0000630 return nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000631 }
632
Nikola Smiljanic69fdc9f2014-06-06 02:58:59 +0000633 // Recover from misplaced ellipsis.
634 bool AlreadyHasEllipsis = EllipsisLoc.isValid();
635 if (TryConsumeToken(tok::ellipsis, EllipsisLoc))
636 DiagnoseMisplacedEllipsis(EllipsisLoc, NameLoc, AlreadyHasEllipsis, true);
637
Faisal Vali6a79ca12013-06-08 19:39:00 +0000638 TemplateParameterList *ParamList =
639 Actions.ActOnTemplateParameterList(Depth, SourceLocation(),
640 TemplateLoc, LAngleLoc,
Craig Topper96225a52015-12-24 23:58:25 +0000641 TemplateParams,
Hubert Tongf608c052016-04-29 18:05:37 +0000642 RAngleLoc, nullptr);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000643
644 // Grab a default argument (if available).
645 // Per C++0x [basic.scope.pdecl]p9, we parse the default argument before
646 // we introduce the template parameter into the local scope.
647 SourceLocation EqualLoc;
648 ParsedTemplateArgument DefaultArg;
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000649 if (TryConsumeToken(tok::equal, EqualLoc)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000650 DefaultArg = ParseTemplateTemplateArgument();
651 if (DefaultArg.isInvalid()) {
652 Diag(Tok.getLocation(),
653 diag::err_default_template_template_parameter_not_template);
Alexey Bataevee6507d2013-11-18 08:17:37 +0000654 SkipUntil(tok::comma, tok::greater, tok::greatergreater,
655 StopAtSemi | StopBeforeMatch);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000656 }
657 }
658
659 return Actions.ActOnTemplateTemplateParameter(getCurScope(), TemplateLoc,
660 ParamList, EllipsisLoc,
661 ParamName, NameLoc, Depth,
662 Position, EqualLoc, DefaultArg);
663}
664
665/// ParseNonTypeTemplateParameter - Handle the parsing of non-type
666/// template parameters (e.g., in "template<int Size> class array;").
667///
668/// template-parameter:
669/// ...
670/// parameter-declaration
671Decl *
672Parser::ParseNonTypeTemplateParameter(unsigned Depth, unsigned Position) {
673 // Parse the declaration-specifiers (i.e., the type).
674 // FIXME: The type should probably be restricted in some way... Not all
675 // declarators (parts of declarators?) are accepted for parameters.
676 DeclSpec DS(AttrFactory);
Akira Hatanaka12ddcee2017-06-26 18:46:12 +0000677 ParseDeclarationSpecifiers(DS, ParsedTemplateInfo(), AS_none,
678 DSC_template_param);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000679
680 // Parse this as a typename.
681 Declarator ParamDecl(DS, Declarator::TemplateParamContext);
682 ParseDeclarator(ParamDecl);
683 if (DS.getTypeSpecType() == DeclSpec::TST_unspecified) {
684 Diag(Tok.getLocation(), diag::err_expected_template_parameter);
Craig Topper161e4db2014-05-21 06:02:52 +0000685 return nullptr;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000686 }
687
Nikola Smiljanic69fdc9f2014-06-06 02:58:59 +0000688 // Recover from misplaced ellipsis.
689 SourceLocation EllipsisLoc;
690 if (TryConsumeToken(tok::ellipsis, EllipsisLoc))
691 DiagnoseMisplacedEllipsisInDeclarator(EllipsisLoc, ParamDecl);
692
Faisal Vali6a79ca12013-06-08 19:39:00 +0000693 // If there is a default value, parse it.
694 // Per C++0x [basic.scope.pdecl]p9, we parse the default argument before
695 // we introduce the template parameter into the local scope.
696 SourceLocation EqualLoc;
697 ExprResult DefaultArg;
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000698 if (TryConsumeToken(tok::equal, EqualLoc)) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000699 // C++ [temp.param]p15:
700 // When parsing a default template-argument for a non-type
701 // template-parameter, the first non-nested > is taken as the
702 // end of the template-parameter-list rather than a greater-than
703 // operator.
704 GreaterThanIsOperatorScope G(GreaterThanIsOperator, false);
Faisal Valid143a0c2017-04-01 21:30:49 +0000705 EnterExpressionEvaluationContext ConstantEvaluated(
706 Actions, Sema::ExpressionEvaluationContext::ConstantEvaluated);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000707
Kaelyn Takata999dd852014-12-02 23:32:20 +0000708 DefaultArg = Actions.CorrectDelayedTyposInExpr(ParseAssignmentExpression());
Faisal Vali6a79ca12013-06-08 19:39:00 +0000709 if (DefaultArg.isInvalid())
Alexey Bataevee6507d2013-11-18 08:17:37 +0000710 SkipUntil(tok::comma, tok::greater, StopAtSemi | StopBeforeMatch);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000711 }
712
713 // Create the parameter.
714 return Actions.ActOnNonTypeTemplateParameter(getCurScope(), ParamDecl,
715 Depth, Position, EqualLoc,
Nikola Smiljanic01a75982014-05-29 10:55:11 +0000716 DefaultArg.get());
Faisal Vali6a79ca12013-06-08 19:39:00 +0000717}
718
Nikola Smiljanic69fdc9f2014-06-06 02:58:59 +0000719void Parser::DiagnoseMisplacedEllipsis(SourceLocation EllipsisLoc,
720 SourceLocation CorrectLoc,
721 bool AlreadyHasEllipsis,
722 bool IdentifierHasName) {
723 FixItHint Insertion;
724 if (!AlreadyHasEllipsis)
725 Insertion = FixItHint::CreateInsertion(CorrectLoc, "...");
726 Diag(EllipsisLoc, diag::err_misplaced_ellipsis_in_declaration)
727 << FixItHint::CreateRemoval(EllipsisLoc) << Insertion
728 << !IdentifierHasName;
729}
730
731void Parser::DiagnoseMisplacedEllipsisInDeclarator(SourceLocation EllipsisLoc,
732 Declarator &D) {
733 assert(EllipsisLoc.isValid());
734 bool AlreadyHasEllipsis = D.getEllipsisLoc().isValid();
735 if (!AlreadyHasEllipsis)
736 D.setEllipsisLoc(EllipsisLoc);
737 DiagnoseMisplacedEllipsis(EllipsisLoc, D.getIdentifierLoc(),
738 AlreadyHasEllipsis, D.hasName());
739}
740
Faisal Vali6a79ca12013-06-08 19:39:00 +0000741/// \brief Parses a '>' at the end of a template list.
742///
743/// If this function encounters '>>', '>>>', '>=', or '>>=', it tries
744/// to determine if these tokens were supposed to be a '>' followed by
745/// '>', '>>', '>=', or '>='. It emits an appropriate diagnostic if necessary.
746///
747/// \param RAngleLoc the location of the consumed '>'.
748///
Douglas Gregor85f3f952015-07-07 03:57:15 +0000749/// \param ConsumeLastToken if true, the '>' is consumed.
750///
751/// \param ObjCGenericList if true, this is the '>' closing an Objective-C
752/// type parameter or type argument list, rather than a C++ template parameter
753/// or argument list.
Serge Pavlovb716b3c2013-08-10 05:54:47 +0000754///
755/// \returns true, if current token does not start with '>', false otherwise.
Faisal Vali6a79ca12013-06-08 19:39:00 +0000756bool Parser::ParseGreaterThanInTemplateList(SourceLocation &RAngleLoc,
Douglas Gregor85f3f952015-07-07 03:57:15 +0000757 bool ConsumeLastToken,
758 bool ObjCGenericList) {
Faisal Vali6a79ca12013-06-08 19:39:00 +0000759 // What will be left once we've consumed the '>'.
760 tok::TokenKind RemainingToken;
761 const char *ReplacementStr = "> >";
762
763 switch (Tok.getKind()) {
764 default:
Alp Toker383d2c42014-01-01 03:08:43 +0000765 Diag(Tok.getLocation(), diag::err_expected) << tok::greater;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000766 return true;
767
768 case tok::greater:
769 // Determine the location of the '>' token. Only consume this token
770 // if the caller asked us to.
771 RAngleLoc = Tok.getLocation();
772 if (ConsumeLastToken)
773 ConsumeToken();
774 return false;
775
776 case tok::greatergreater:
777 RemainingToken = tok::greater;
778 break;
779
780 case tok::greatergreatergreater:
781 RemainingToken = tok::greatergreater;
782 break;
783
784 case tok::greaterequal:
785 RemainingToken = tok::equal;
786 ReplacementStr = "> =";
787 break;
788
789 case tok::greatergreaterequal:
790 RemainingToken = tok::greaterequal;
791 break;
792 }
793
794 // This template-id is terminated by a token which starts with a '>'. Outside
795 // C++11, this is now error recovery, and in C++11, this is error recovery if
Eli Bendersky36a61932014-06-20 13:09:59 +0000796 // the token isn't '>>' or '>>>'.
797 // '>>>' is for CUDA, where this sequence of characters is parsed into
798 // tok::greatergreatergreater, rather than two separate tokens.
Douglas Gregor85f3f952015-07-07 03:57:15 +0000799 //
800 // We always allow this for Objective-C type parameter and type argument
801 // lists.
Faisal Vali6a79ca12013-06-08 19:39:00 +0000802 RAngleLoc = Tok.getLocation();
Faisal Vali6a79ca12013-06-08 19:39:00 +0000803 Token Next = NextToken();
Douglas Gregor85f3f952015-07-07 03:57:15 +0000804 if (!ObjCGenericList) {
805 // The source range of the '>>' or '>=' at the start of the token.
806 CharSourceRange ReplacementRange =
807 CharSourceRange::getCharRange(RAngleLoc,
808 Lexer::AdvanceToTokenCharacter(RAngleLoc, 2, PP.getSourceManager(),
809 getLangOpts()));
Faisal Vali6a79ca12013-06-08 19:39:00 +0000810
Douglas Gregor85f3f952015-07-07 03:57:15 +0000811 // A hint to put a space between the '>>'s. In order to make the hint as
812 // clear as possible, we include the characters either side of the space in
813 // the replacement, rather than just inserting a space at SecondCharLoc.
814 FixItHint Hint1 = FixItHint::CreateReplacement(ReplacementRange,
815 ReplacementStr);
816
817 // A hint to put another space after the token, if it would otherwise be
818 // lexed differently.
819 FixItHint Hint2;
820 if ((RemainingToken == tok::greater ||
821 RemainingToken == tok::greatergreater) &&
822 (Next.isOneOf(tok::greater, tok::greatergreater,
823 tok::greatergreatergreater, tok::equal,
824 tok::greaterequal, tok::greatergreaterequal,
825 tok::equalequal)) &&
826 areTokensAdjacent(Tok, Next))
827 Hint2 = FixItHint::CreateInsertion(Next.getLocation(), " ");
828
829 unsigned DiagId = diag::err_two_right_angle_brackets_need_space;
830 if (getLangOpts().CPlusPlus11 &&
831 (Tok.is(tok::greatergreater) || Tok.is(tok::greatergreatergreater)))
832 DiagId = diag::warn_cxx98_compat_two_right_angle_brackets;
833 else if (Tok.is(tok::greaterequal))
834 DiagId = diag::err_right_angle_bracket_equal_needs_space;
835 Diag(Tok.getLocation(), DiagId) << Hint1 << Hint2;
836 }
Faisal Vali6a79ca12013-06-08 19:39:00 +0000837
838 // Strip the initial '>' from the token.
Bruno Cardoso Lopes428a5aa2016-01-31 00:47:51 +0000839 Token PrevTok = Tok;
Faisal Vali6a79ca12013-06-08 19:39:00 +0000840 if (RemainingToken == tok::equal && Next.is(tok::equal) &&
841 areTokensAdjacent(Tok, Next)) {
842 // Join two adjacent '=' tokens into one, for cases like:
843 // void (*p)() = f<int>;
844 // return f<int>==p;
845 ConsumeToken();
846 Tok.setKind(tok::equalequal);
847 Tok.setLength(Tok.getLength() + 1);
848 } else {
849 Tok.setKind(RemainingToken);
850 Tok.setLength(Tok.getLength() - 1);
851 }
852 Tok.setLocation(Lexer::AdvanceToTokenCharacter(RAngleLoc, 1,
853 PP.getSourceManager(),
854 getLangOpts()));
855
Bruno Cardoso Lopes428a5aa2016-01-31 00:47:51 +0000856 // The advance from '>>' to '>' in a ObjectiveC template argument list needs
857 // to be properly reflected in the token cache to allow correct interaction
858 // between annotation and backtracking.
859 if (ObjCGenericList && PrevTok.getKind() == tok::greatergreater &&
860 RemainingToken == tok::greater && PP.IsPreviousCachedToken(PrevTok)) {
861 PrevTok.setKind(RemainingToken);
862 PrevTok.setLength(1);
Bruno Cardoso Lopesfb9b6cd2016-02-05 19:36:39 +0000863 // Break tok::greatergreater into two tok::greater but only add the second
864 // one in case the client asks to consume the last token.
865 if (ConsumeLastToken)
866 PP.ReplacePreviousCachedToken({PrevTok, Tok});
867 else
868 PP.ReplacePreviousCachedToken({PrevTok});
Bruno Cardoso Lopes428a5aa2016-01-31 00:47:51 +0000869 }
870
Faisal Vali6a79ca12013-06-08 19:39:00 +0000871 if (!ConsumeLastToken) {
872 // Since we're not supposed to consume the '>' token, we need to push
873 // this token and revert the current token back to the '>'.
874 PP.EnterToken(Tok);
875 Tok.setKind(tok::greater);
876 Tok.setLength(1);
877 Tok.setLocation(RAngleLoc);
878 }
879 return false;
880}
881
882
883/// \brief Parses a template-id that after the template name has
884/// already been parsed.
885///
886/// This routine takes care of parsing the enclosed template argument
887/// list ('<' template-parameter-list [opt] '>') and placing the
888/// results into a form that can be transferred to semantic analysis.
889///
Faisal Vali6a79ca12013-06-08 19:39:00 +0000890/// \param ConsumeLastToken if true, then we will consume the last
891/// token that forms the template-id. Otherwise, we will leave the
892/// last token in the stream (e.g., so that it can be replaced with an
893/// annotation token).
894bool
Richard Smith9a420f92017-05-10 21:47:30 +0000895Parser::ParseTemplateIdAfterTemplateName(bool ConsumeLastToken,
Faisal Vali6a79ca12013-06-08 19:39:00 +0000896 SourceLocation &LAngleLoc,
897 TemplateArgList &TemplateArgs,
898 SourceLocation &RAngleLoc) {
899 assert(Tok.is(tok::less) && "Must have already parsed the template-name");
900
901 // Consume the '<'.
902 LAngleLoc = ConsumeToken();
903
904 // Parse the optional template-argument-list.
905 bool Invalid = false;
906 {
907 GreaterThanIsOperatorScope G(GreaterThanIsOperator, false);
908 if (Tok.isNot(tok::greater) && Tok.isNot(tok::greatergreater))
909 Invalid = ParseTemplateArgumentList(TemplateArgs);
910
911 if (Invalid) {
912 // Try to find the closing '>'.
Alexey Bataevee6507d2013-11-18 08:17:37 +0000913 if (ConsumeLastToken)
914 SkipUntil(tok::greater, StopAtSemi);
915 else
916 SkipUntil(tok::greater, StopAtSemi | StopBeforeMatch);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000917 return true;
918 }
919 }
920
Douglas Gregor85f3f952015-07-07 03:57:15 +0000921 return ParseGreaterThanInTemplateList(RAngleLoc, ConsumeLastToken,
922 /*ObjCGenericList=*/false);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000923}
924
925/// \brief Replace the tokens that form a simple-template-id with an
926/// annotation token containing the complete template-id.
927///
928/// The first token in the stream must be the name of a template that
929/// is followed by a '<'. This routine will parse the complete
930/// simple-template-id and replace the tokens with a single annotation
931/// token with one of two different kinds: if the template-id names a
932/// type (and \p AllowTypeAnnotation is true), the annotation token is
933/// a type annotation that includes the optional nested-name-specifier
934/// (\p SS). Otherwise, the annotation token is a template-id
935/// annotation that does not include the optional
936/// nested-name-specifier.
937///
938/// \param Template the declaration of the template named by the first
939/// token (an identifier), as returned from \c Action::isTemplateName().
940///
941/// \param TNK the kind of template that \p Template
942/// refers to, as returned from \c Action::isTemplateName().
943///
944/// \param SS if non-NULL, the nested-name-specifier that precedes
945/// this template name.
946///
947/// \param TemplateKWLoc if valid, specifies that this template-id
948/// annotation was preceded by the 'template' keyword and gives the
949/// location of that keyword. If invalid (the default), then this
950/// template-id was not preceded by a 'template' keyword.
951///
952/// \param AllowTypeAnnotation if true (the default), then a
953/// simple-template-id that refers to a class template, template
954/// template parameter, or other template that produces a type will be
955/// replaced with a type annotation token. Otherwise, the
956/// simple-template-id is always replaced with a template-id
957/// annotation token.
958///
959/// If an unrecoverable parse error occurs and no annotation token can be
960/// formed, this function returns true.
961///
962bool Parser::AnnotateTemplateIdToken(TemplateTy Template, TemplateNameKind TNK,
963 CXXScopeSpec &SS,
964 SourceLocation TemplateKWLoc,
965 UnqualifiedId &TemplateName,
966 bool AllowTypeAnnotation) {
967 assert(getLangOpts().CPlusPlus && "Can only annotate template-ids in C++");
968 assert(Template && Tok.is(tok::less) &&
969 "Parser isn't at the beginning of a template-id");
970
971 // Consume the template-name.
972 SourceLocation TemplateNameLoc = TemplateName.getSourceRange().getBegin();
973
974 // Parse the enclosed template argument list.
975 SourceLocation LAngleLoc, RAngleLoc;
976 TemplateArgList TemplateArgs;
Richard Smith9a420f92017-05-10 21:47:30 +0000977 bool Invalid = ParseTemplateIdAfterTemplateName(false, LAngleLoc,
Faisal Vali6a79ca12013-06-08 19:39:00 +0000978 TemplateArgs,
979 RAngleLoc);
980
981 if (Invalid) {
982 // If we failed to parse the template ID but skipped ahead to a >, we're not
983 // going to be able to form a token annotation. Eat the '>' if present.
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000984 TryConsumeToken(tok::greater);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000985 return true;
986 }
987
988 ASTTemplateArgsPtr TemplateArgsPtr(TemplateArgs);
989
990 // Build the annotation token.
991 if (TNK == TNK_Type_template && AllowTypeAnnotation) {
Richard Smith74f02342017-01-19 21:00:13 +0000992 TypeResult Type = Actions.ActOnTemplateIdType(
993 SS, TemplateKWLoc, Template, TemplateName.Identifier,
994 TemplateNameLoc, LAngleLoc, TemplateArgsPtr, RAngleLoc);
Faisal Vali6a79ca12013-06-08 19:39:00 +0000995 if (Type.isInvalid()) {
Richard Smith74f02342017-01-19 21:00:13 +0000996 // If we failed to parse the template ID but skipped ahead to a >, we're
997 // not going to be able to form a token annotation. Eat the '>' if
998 // present.
Alp Tokera3ebe6e2013-12-17 14:12:37 +0000999 TryConsumeToken(tok::greater);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001000 return true;
1001 }
1002
1003 Tok.setKind(tok::annot_typename);
1004 setTypeAnnotation(Tok, Type.get());
1005 if (SS.isNotEmpty())
1006 Tok.setLocation(SS.getBeginLoc());
1007 else if (TemplateKWLoc.isValid())
1008 Tok.setLocation(TemplateKWLoc);
1009 else
1010 Tok.setLocation(TemplateNameLoc);
1011 } else {
1012 // Build a template-id annotation token that can be processed
1013 // later.
1014 Tok.setKind(tok::annot_template_id);
Faisal Vali43caf672017-05-23 01:07:12 +00001015
1016 IdentifierInfo *TemplateII =
1017 TemplateName.getKind() == UnqualifiedId::IK_Identifier
1018 ? TemplateName.Identifier
1019 : nullptr;
1020
1021 OverloadedOperatorKind OpKind =
1022 TemplateName.getKind() == UnqualifiedId::IK_Identifier
1023 ? OO_None
1024 : TemplateName.OperatorFunctionId.Operator;
1025
Erik Verbruggenaa603c32017-08-22 10:54:40 +00001026 TemplateIdAnnotation *TemplateId = TemplateIdAnnotation::Create(
1027 SS, TemplateKWLoc, TemplateNameLoc, TemplateII, OpKind, Template, TNK,
Faisal Vali43caf672017-05-23 01:07:12 +00001028 LAngleLoc, RAngleLoc, TemplateArgs, TemplateIds);
1029
Faisal Vali6a79ca12013-06-08 19:39:00 +00001030 Tok.setAnnotationValue(TemplateId);
1031 if (TemplateKWLoc.isValid())
1032 Tok.setLocation(TemplateKWLoc);
1033 else
1034 Tok.setLocation(TemplateNameLoc);
1035 }
1036
1037 // Common fields for the annotation token
1038 Tok.setAnnotationEndLoc(RAngleLoc);
1039
1040 // In case the tokens were cached, have Preprocessor replace them with the
1041 // annotation token.
1042 PP.AnnotateCachedTokens(Tok);
1043 return false;
1044}
1045
1046/// \brief Replaces a template-id annotation token with a type
1047/// annotation token.
1048///
1049/// If there was a failure when forming the type from the template-id,
1050/// a type annotation token will still be created, but will have a
1051/// NULL type pointer to signify an error.
Richard Smith62559bd2017-02-01 21:36:38 +00001052///
1053/// \param IsClassName Is this template-id appearing in a context where we
1054/// know it names a class, such as in an elaborated-type-specifier or
1055/// base-specifier? ('typename' and 'template' are unneeded and disallowed
1056/// in those contexts.)
1057void Parser::AnnotateTemplateIdTokenAsType(bool IsClassName) {
Faisal Vali6a79ca12013-06-08 19:39:00 +00001058 assert(Tok.is(tok::annot_template_id) && "Requires template-id tokens");
1059
1060 TemplateIdAnnotation *TemplateId = takeTemplateIdAnnotation(Tok);
1061 assert((TemplateId->Kind == TNK_Type_template ||
1062 TemplateId->Kind == TNK_Dependent_template_name) &&
1063 "Only works for type and dependent templates");
1064
1065 ASTTemplateArgsPtr TemplateArgsPtr(TemplateId->getTemplateArgs(),
1066 TemplateId->NumArgs);
1067
1068 TypeResult Type
1069 = Actions.ActOnTemplateIdType(TemplateId->SS,
1070 TemplateId->TemplateKWLoc,
1071 TemplateId->Template,
Richard Smith74f02342017-01-19 21:00:13 +00001072 TemplateId->Name,
Faisal Vali6a79ca12013-06-08 19:39:00 +00001073 TemplateId->TemplateNameLoc,
1074 TemplateId->LAngleLoc,
1075 TemplateArgsPtr,
Richard Smith62559bd2017-02-01 21:36:38 +00001076 TemplateId->RAngleLoc,
1077 /*IsCtorOrDtorName*/false,
1078 IsClassName);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001079 // Create the new "type" annotation token.
1080 Tok.setKind(tok::annot_typename);
David Blaikieefdccaa2016-01-15 23:43:34 +00001081 setTypeAnnotation(Tok, Type.isInvalid() ? nullptr : Type.get());
Faisal Vali6a79ca12013-06-08 19:39:00 +00001082 if (TemplateId->SS.isNotEmpty()) // it was a C++ qualified type name.
1083 Tok.setLocation(TemplateId->SS.getBeginLoc());
1084 // End location stays the same
1085
1086 // Replace the template-id annotation token, and possible the scope-specifier
1087 // that precedes it, with the typename annotation token.
1088 PP.AnnotateCachedTokens(Tok);
1089}
1090
1091/// \brief Determine whether the given token can end a template argument.
1092static bool isEndOfTemplateArgument(Token Tok) {
Daniel Marjamakie59f8d72015-06-18 10:59:26 +00001093 return Tok.isOneOf(tok::comma, tok::greater, tok::greatergreater);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001094}
1095
1096/// \brief Parse a C++ template template argument.
1097ParsedTemplateArgument Parser::ParseTemplateTemplateArgument() {
1098 if (!Tok.is(tok::identifier) && !Tok.is(tok::coloncolon) &&
1099 !Tok.is(tok::annot_cxxscope))
1100 return ParsedTemplateArgument();
1101
1102 // C++0x [temp.arg.template]p1:
1103 // A template-argument for a template template-parameter shall be the name
1104 // of a class template or an alias template, expressed as id-expression.
1105 //
1106 // We parse an id-expression that refers to a class template or alias
1107 // template. The grammar we parse is:
1108 //
1109 // nested-name-specifier[opt] template[opt] identifier ...[opt]
1110 //
1111 // followed by a token that terminates a template argument, such as ',',
1112 // '>', or (in some cases) '>>'.
1113 CXXScopeSpec SS; // nested-name-specifier, if present
David Blaikieefdccaa2016-01-15 23:43:34 +00001114 ParseOptionalCXXScopeSpecifier(SS, nullptr,
Faisal Vali6a79ca12013-06-08 19:39:00 +00001115 /*EnteringContext=*/false);
David Blaikieefdccaa2016-01-15 23:43:34 +00001116
Faisal Vali6a79ca12013-06-08 19:39:00 +00001117 ParsedTemplateArgument Result;
1118 SourceLocation EllipsisLoc;
1119 if (SS.isSet() && Tok.is(tok::kw_template)) {
1120 // Parse the optional 'template' keyword following the
1121 // nested-name-specifier.
1122 SourceLocation TemplateKWLoc = ConsumeToken();
1123
1124 if (Tok.is(tok::identifier)) {
1125 // We appear to have a dependent template name.
1126 UnqualifiedId Name;
1127 Name.setIdentifier(Tok.getIdentifierInfo(), Tok.getLocation());
1128 ConsumeToken(); // the identifier
Alp Toker094e5212014-01-05 03:27:11 +00001129
1130 TryConsumeToken(tok::ellipsis, EllipsisLoc);
1131
Faisal Vali6a79ca12013-06-08 19:39:00 +00001132 // If the next token signals the end of a template argument,
1133 // then we have a dependent template name that could be a template
1134 // template argument.
1135 TemplateTy Template;
1136 if (isEndOfTemplateArgument(Tok) &&
David Blaikieefdccaa2016-01-15 23:43:34 +00001137 Actions.ActOnDependentTemplateName(
1138 getCurScope(), SS, TemplateKWLoc, Name,
1139 /*ObjectType=*/nullptr,
1140 /*EnteringContext=*/false, Template))
Faisal Vali6a79ca12013-06-08 19:39:00 +00001141 Result = ParsedTemplateArgument(SS, Template, Name.StartLocation);
1142 }
1143 } else if (Tok.is(tok::identifier)) {
1144 // We may have a (non-dependent) template name.
1145 TemplateTy Template;
1146 UnqualifiedId Name;
1147 Name.setIdentifier(Tok.getIdentifierInfo(), Tok.getLocation());
1148 ConsumeToken(); // the identifier
Alp Tokera3ebe6e2013-12-17 14:12:37 +00001149
1150 TryConsumeToken(tok::ellipsis, EllipsisLoc);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001151
1152 if (isEndOfTemplateArgument(Tok)) {
1153 bool MemberOfUnknownSpecialization;
David Blaikieefdccaa2016-01-15 23:43:34 +00001154 TemplateNameKind TNK = Actions.isTemplateName(
1155 getCurScope(), SS,
1156 /*hasTemplateKeyword=*/false, Name,
1157 /*ObjectType=*/nullptr,
1158 /*EnteringContext=*/false, Template, MemberOfUnknownSpecialization);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001159 if (TNK == TNK_Dependent_template_name || TNK == TNK_Type_template) {
1160 // We have an id-expression that refers to a class template or
1161 // (C++0x) alias template.
1162 Result = ParsedTemplateArgument(SS, Template, Name.StartLocation);
1163 }
1164 }
1165 }
1166
1167 // If this is a pack expansion, build it as such.
1168 if (EllipsisLoc.isValid() && !Result.isInvalid())
1169 Result = Actions.ActOnPackExpansion(Result, EllipsisLoc);
1170
1171 return Result;
1172}
1173
1174/// ParseTemplateArgument - Parse a C++ template argument (C++ [temp.names]).
1175///
1176/// template-argument: [C++ 14.2]
1177/// constant-expression
1178/// type-id
1179/// id-expression
1180ParsedTemplateArgument Parser::ParseTemplateArgument() {
1181 // C++ [temp.arg]p2:
1182 // In a template-argument, an ambiguity between a type-id and an
1183 // expression is resolved to a type-id, regardless of the form of
1184 // the corresponding template-parameter.
1185 //
Faisal Vali56f1de42017-05-20 19:58:04 +00001186 // Therefore, we initially try to parse a type-id - and isCXXTypeId might look
1187 // up and annotate an identifier as an id-expression during disambiguation,
1188 // so enter the appropriate context for a constant expression template
1189 // argument before trying to disambiguate.
1190
1191 EnterExpressionEvaluationContext EnterConstantEvaluated(
1192 Actions, Sema::ExpressionEvaluationContext::ConstantEvaluated);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001193 if (isCXXTypeId(TypeIdAsTemplateArgument)) {
1194 SourceLocation Loc = Tok.getLocation();
Craig Topper161e4db2014-05-21 06:02:52 +00001195 TypeResult TypeArg = ParseTypeName(/*Range=*/nullptr,
Faisal Vali6a79ca12013-06-08 19:39:00 +00001196 Declarator::TemplateTypeArgContext);
1197 if (TypeArg.isInvalid())
1198 return ParsedTemplateArgument();
1199
1200 return ParsedTemplateArgument(ParsedTemplateArgument::Type,
1201 TypeArg.get().getAsOpaquePtr(),
1202 Loc);
1203 }
1204
1205 // Try to parse a template template argument.
1206 {
1207 TentativeParsingAction TPA(*this);
1208
1209 ParsedTemplateArgument TemplateTemplateArgument
1210 = ParseTemplateTemplateArgument();
1211 if (!TemplateTemplateArgument.isInvalid()) {
1212 TPA.Commit();
1213 return TemplateTemplateArgument;
1214 }
1215
1216 // Revert this tentative parse to parse a non-type template argument.
1217 TPA.Revert();
1218 }
1219
1220 // Parse a non-type template argument.
1221 SourceLocation Loc = Tok.getLocation();
Faisal Vali56f1de42017-05-20 19:58:04 +00001222 ExprResult ExprArg = ParseConstantExpressionInExprEvalContext(MaybeTypeCast);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001223 if (ExprArg.isInvalid() || !ExprArg.get())
1224 return ParsedTemplateArgument();
1225
1226 return ParsedTemplateArgument(ParsedTemplateArgument::NonType,
Nikola Smiljanic01a75982014-05-29 10:55:11 +00001227 ExprArg.get(), Loc);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001228}
1229
1230/// \brief Determine whether the current tokens can only be parsed as a
1231/// template argument list (starting with the '<') and never as a '<'
1232/// expression.
1233bool Parser::IsTemplateArgumentList(unsigned Skip) {
1234 struct AlwaysRevertAction : TentativeParsingAction {
1235 AlwaysRevertAction(Parser &P) : TentativeParsingAction(P) { }
1236 ~AlwaysRevertAction() { Revert(); }
1237 } Tentative(*this);
1238
1239 while (Skip) {
Richard Smithaf3b3252017-05-18 19:21:48 +00001240 ConsumeAnyToken();
Faisal Vali6a79ca12013-06-08 19:39:00 +00001241 --Skip;
1242 }
1243
1244 // '<'
Alp Tokera3ebe6e2013-12-17 14:12:37 +00001245 if (!TryConsumeToken(tok::less))
Faisal Vali6a79ca12013-06-08 19:39:00 +00001246 return false;
Faisal Vali6a79ca12013-06-08 19:39:00 +00001247
1248 // An empty template argument list.
1249 if (Tok.is(tok::greater))
1250 return true;
1251
1252 // See whether we have declaration specifiers, which indicate a type.
Richard Smithee390432014-05-16 01:56:53 +00001253 while (isCXXDeclarationSpecifier() == TPResult::True)
Richard Smithaf3b3252017-05-18 19:21:48 +00001254 ConsumeAnyToken();
Faisal Vali6a79ca12013-06-08 19:39:00 +00001255
1256 // If we have a '>' or a ',' then this is a template argument list.
Daniel Marjamakie59f8d72015-06-18 10:59:26 +00001257 return Tok.isOneOf(tok::greater, tok::comma);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001258}
1259
1260/// ParseTemplateArgumentList - Parse a C++ template-argument-list
1261/// (C++ [temp.names]). Returns true if there was an error.
1262///
1263/// template-argument-list: [C++ 14.2]
1264/// template-argument
1265/// template-argument-list ',' template-argument
1266bool
1267Parser::ParseTemplateArgumentList(TemplateArgList &TemplateArgs) {
Faisal Vali56f1de42017-05-20 19:58:04 +00001268
Serge Pavlov6a7ffbe2014-04-13 16:52:03 +00001269 ColonProtectionRAIIObject ColonProtection(*this, false);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001270
Alp Tokera3ebe6e2013-12-17 14:12:37 +00001271 do {
Faisal Vali6a79ca12013-06-08 19:39:00 +00001272 ParsedTemplateArgument Arg = ParseTemplateArgument();
Alp Tokera3ebe6e2013-12-17 14:12:37 +00001273 SourceLocation EllipsisLoc;
1274 if (TryConsumeToken(tok::ellipsis, EllipsisLoc))
Faisal Vali6a79ca12013-06-08 19:39:00 +00001275 Arg = Actions.ActOnPackExpansion(Arg, EllipsisLoc);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001276
1277 if (Arg.isInvalid()) {
Alexey Bataevee6507d2013-11-18 08:17:37 +00001278 SkipUntil(tok::comma, tok::greater, StopAtSemi | StopBeforeMatch);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001279 return true;
1280 }
1281
1282 // Save this template argument.
1283 TemplateArgs.push_back(Arg);
1284
1285 // If the next token is a comma, consume it and keep reading
1286 // arguments.
Alp Tokera3ebe6e2013-12-17 14:12:37 +00001287 } while (TryConsumeToken(tok::comma));
Faisal Vali6a79ca12013-06-08 19:39:00 +00001288
1289 return false;
1290}
1291
1292/// \brief Parse a C++ explicit template instantiation
1293/// (C++ [temp.explicit]).
1294///
1295/// explicit-instantiation:
1296/// 'extern' [opt] 'template' declaration
1297///
1298/// Note that the 'extern' is a GNU extension and C++11 feature.
1299Decl *Parser::ParseExplicitInstantiation(unsigned Context,
1300 SourceLocation ExternLoc,
1301 SourceLocation TemplateLoc,
1302 SourceLocation &DeclEnd,
1303 AccessSpecifier AS) {
1304 // This isn't really required here.
1305 ParsingDeclRAIIObject
1306 ParsingTemplateParams(*this, ParsingDeclRAIIObject::NoParent);
1307
1308 return ParseSingleDeclarationAfterTemplate(Context,
1309 ParsedTemplateInfo(ExternLoc,
1310 TemplateLoc),
1311 ParsingTemplateParams,
1312 DeclEnd, AS);
1313}
1314
1315SourceRange Parser::ParsedTemplateInfo::getSourceRange() const {
1316 if (TemplateParams)
1317 return getTemplateParamsRange(TemplateParams->data(),
1318 TemplateParams->size());
1319
1320 SourceRange R(TemplateLoc);
1321 if (ExternLoc.isValid())
1322 R.setBegin(ExternLoc);
1323 return R;
1324}
1325
Richard Smithe40f2ba2013-08-07 21:41:30 +00001326void Parser::LateTemplateParserCallback(void *P, LateParsedTemplate &LPT) {
1327 ((Parser *)P)->ParseLateTemplatedFuncDef(LPT);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001328}
1329
1330/// \brief Late parse a C++ function template in Microsoft mode.
Richard Smithe40f2ba2013-08-07 21:41:30 +00001331void Parser::ParseLateTemplatedFuncDef(LateParsedTemplate &LPT) {
David Majnemerf0a84f22013-08-16 08:29:13 +00001332 if (!LPT.D)
Faisal Vali6a79ca12013-06-08 19:39:00 +00001333 return;
1334
1335 // Get the FunctionDecl.
Alp Tokera2794f92014-01-22 07:29:52 +00001336 FunctionDecl *FunD = LPT.D->getAsFunction();
Faisal Vali6a79ca12013-06-08 19:39:00 +00001337 // Track template parameter depth.
1338 TemplateParameterDepthRAII CurTemplateDepthTracker(TemplateParameterDepth);
1339
1340 // To restore the context after late parsing.
Richard Smithb0b68012015-05-11 23:09:06 +00001341 Sema::ContextRAII GlobalSavedContext(
1342 Actions, Actions.Context.getTranslationUnitDecl());
Faisal Vali6a79ca12013-06-08 19:39:00 +00001343
1344 SmallVector<ParseScope*, 4> TemplateParamScopeStack;
1345
1346 // Get the list of DeclContexts to reenter.
1347 SmallVector<DeclContext*, 4> DeclContextsToReenter;
Hans Wennborgb6d4e8c2014-05-02 02:01:07 +00001348 DeclContext *DD = FunD;
Faisal Vali6a79ca12013-06-08 19:39:00 +00001349 while (DD && !DD->isTranslationUnit()) {
1350 DeclContextsToReenter.push_back(DD);
1351 DD = DD->getLexicalParent();
1352 }
1353
1354 // Reenter template scopes from outermost to innermost.
Craig Topper61ac9062013-07-08 03:55:09 +00001355 SmallVectorImpl<DeclContext *>::reverse_iterator II =
Faisal Vali6a79ca12013-06-08 19:39:00 +00001356 DeclContextsToReenter.rbegin();
1357 for (; II != DeclContextsToReenter.rend(); ++II) {
Hans Wennborgb6d4e8c2014-05-02 02:01:07 +00001358 TemplateParamScopeStack.push_back(new ParseScope(this,
1359 Scope::TemplateParamScope));
1360 unsigned NumParamLists =
1361 Actions.ActOnReenterTemplateScope(getCurScope(), cast<Decl>(*II));
1362 CurTemplateDepthTracker.addDepth(NumParamLists);
1363 if (*II != FunD) {
1364 TemplateParamScopeStack.push_back(new ParseScope(this, Scope::DeclScope));
1365 Actions.PushDeclContext(Actions.getCurScope(), *II);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001366 }
Faisal Vali6a79ca12013-06-08 19:39:00 +00001367 }
Faisal Vali6a79ca12013-06-08 19:39:00 +00001368
Richard Smithe40f2ba2013-08-07 21:41:30 +00001369 assert(!LPT.Toks.empty() && "Empty body!");
Faisal Vali6a79ca12013-06-08 19:39:00 +00001370
1371 // Append the current token at the end of the new token stream so that it
1372 // doesn't get lost.
Richard Smithe40f2ba2013-08-07 21:41:30 +00001373 LPT.Toks.push_back(Tok);
David Blaikie2eabcc92016-02-09 18:52:09 +00001374 PP.EnterTokenStream(LPT.Toks, true);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001375
1376 // Consume the previously pushed token.
1377 ConsumeAnyToken(/*ConsumeCodeCompletionTok=*/true);
Daniel Marjamakie59f8d72015-06-18 10:59:26 +00001378 assert(Tok.isOneOf(tok::l_brace, tok::colon, tok::kw_try) &&
1379 "Inline method not starting with '{', ':' or 'try'");
Faisal Vali6a79ca12013-06-08 19:39:00 +00001380
1381 // Parse the method body. Function body parsing code is similar enough
1382 // to be re-used for method bodies as well.
Momchil Velikov57c681f2017-08-10 15:43:06 +00001383 ParseScope FnScope(this, Scope::FnScope | Scope::DeclScope |
1384 Scope::CompoundStmtScope);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001385
1386 // Recreate the containing function DeclContext.
Nico Weber55048cf2014-08-15 22:15:00 +00001387 Sema::ContextRAII FunctionSavedContext(Actions,
1388 Actions.getContainingDC(FunD));
Faisal Vali6a79ca12013-06-08 19:39:00 +00001389
1390 Actions.ActOnStartOfFunctionDef(getCurScope(), FunD);
1391
1392 if (Tok.is(tok::kw_try)) {
Richard Smithe40f2ba2013-08-07 21:41:30 +00001393 ParseFunctionTryBlock(LPT.D, FnScope);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001394 } else {
1395 if (Tok.is(tok::colon))
Richard Smithe40f2ba2013-08-07 21:41:30 +00001396 ParseConstructorInitializer(LPT.D);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001397 else
Richard Smithe40f2ba2013-08-07 21:41:30 +00001398 Actions.ActOnDefaultCtorInitializers(LPT.D);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001399
1400 if (Tok.is(tok::l_brace)) {
Alp Tokera2794f92014-01-22 07:29:52 +00001401 assert((!isa<FunctionTemplateDecl>(LPT.D) ||
1402 cast<FunctionTemplateDecl>(LPT.D)
1403 ->getTemplateParameters()
Hans Wennborgb6d4e8c2014-05-02 02:01:07 +00001404 ->getDepth() == TemplateParameterDepth - 1) &&
Faisal Vali6a79ca12013-06-08 19:39:00 +00001405 "TemplateParameterDepth should be greater than the depth of "
1406 "current template being instantiated!");
Richard Smithe40f2ba2013-08-07 21:41:30 +00001407 ParseFunctionStatementBody(LPT.D, FnScope);
1408 Actions.UnmarkAsLateParsedTemplate(FunD);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001409 } else
Craig Topper161e4db2014-05-21 06:02:52 +00001410 Actions.ActOnFinishFunctionBody(LPT.D, nullptr);
Faisal Vali6a79ca12013-06-08 19:39:00 +00001411 }
1412
1413 // Exit scopes.
1414 FnScope.Exit();
Craig Topper61ac9062013-07-08 03:55:09 +00001415 SmallVectorImpl<ParseScope *>::reverse_iterator I =
Faisal Vali6a79ca12013-06-08 19:39:00 +00001416 TemplateParamScopeStack.rbegin();
1417 for (; I != TemplateParamScopeStack.rend(); ++I)
1418 delete *I;
Faisal Vali6a79ca12013-06-08 19:39:00 +00001419}
1420
1421/// \brief Lex a delayed template function for late parsing.
1422void Parser::LexTemplateFunctionForLateParsing(CachedTokens &Toks) {
1423 tok::TokenKind kind = Tok.getKind();
1424 if (!ConsumeAndStoreFunctionPrologue(Toks)) {
1425 // Consume everything up to (and including) the matching right brace.
1426 ConsumeAndStoreUntil(tok::r_brace, Toks, /*StopAtSemi=*/false);
1427 }
1428
1429 // If we're in a function-try-block, we need to store all the catch blocks.
1430 if (kind == tok::kw_try) {
1431 while (Tok.is(tok::kw_catch)) {
1432 ConsumeAndStoreUntil(tok::l_brace, Toks, /*StopAtSemi=*/false);
1433 ConsumeAndStoreUntil(tok::r_brace, Toks, /*StopAtSemi=*/false);
1434 }
1435 }
1436}