1 //===--- Parser.cpp - C Language Family Parser ----------------------------===// 2 // 3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions. 4 // See https://llvm.org/LICENSE.txt for license information. 5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception 6 // 7 //===----------------------------------------------------------------------===// 8 // 9 // This file implements the Parser interfaces. 10 // 11 //===----------------------------------------------------------------------===// 12 13 #include "clang/Parse/Parser.h" 14 #include "clang/AST/ASTConsumer.h" 15 #include "clang/AST/ASTContext.h" 16 #include "clang/AST/DeclTemplate.h" 17 #include "clang/Basic/FileManager.h" 18 #include "clang/Parse/ParseDiagnostic.h" 19 #include "clang/Parse/RAIIObjectsForParser.h" 20 #include "clang/Sema/DeclSpec.h" 21 #include "clang/Sema/ParsedTemplate.h" 22 #include "clang/Sema/Scope.h" 23 #include "llvm/Support/Path.h" 24 using namespace clang; 25 26 27 namespace { 28 /// A comment handler that passes comments found by the preprocessor 29 /// to the parser action. 30 class ActionCommentHandler : public CommentHandler { 31 Sema &S; 32 33 public: 34 explicit ActionCommentHandler(Sema &S) : S(S) { } 35 36 bool HandleComment(Preprocessor &PP, SourceRange Comment) override { 37 S.ActOnComment(Comment); 38 return false; 39 } 40 }; 41 } // end anonymous namespace 42 43 IdentifierInfo *Parser::getSEHExceptKeyword() { 44 // __except is accepted as a (contextual) keyword 45 if (!Ident__except && (getLangOpts().MicrosoftExt || getLangOpts().Borland)) 46 Ident__except = PP.getIdentifierInfo("__except"); 47 48 return Ident__except; 49 } 50 51 Parser::Parser(Preprocessor &pp, Sema &actions, bool skipFunctionBodies) 52 : PP(pp), PreferredType(pp.isCodeCompletionEnabled()), Actions(actions), 53 Diags(PP.getDiagnostics()), GreaterThanIsOperator(true), 54 ColonIsSacred(false), InMessageExpression(false), 55 TemplateParameterDepth(0), ParsingInObjCContainer(false) { 56 SkipFunctionBodies = pp.isCodeCompletionEnabled() || skipFunctionBodies; 57 Tok.startToken(); 58 Tok.setKind(tok::eof); 59 Actions.CurScope = nullptr; 60 NumCachedScopes = 0; 61 CurParsedObjCImpl = nullptr; 62 63 // Add #pragma handlers. These are removed and destroyed in the 64 // destructor. 65 initializePragmaHandlers(); 66 67 CommentSemaHandler.reset(new ActionCommentHandler(actions)); 68 PP.addCommentHandler(CommentSemaHandler.get()); 69 70 PP.setCodeCompletionHandler(*this); 71 } 72 73 DiagnosticBuilder Parser::Diag(SourceLocation Loc, unsigned DiagID) { 74 return Diags.Report(Loc, DiagID); 75 } 76 77 DiagnosticBuilder Parser::Diag(const Token &Tok, unsigned DiagID) { 78 return Diag(Tok.getLocation(), DiagID); 79 } 80 81 /// Emits a diagnostic suggesting parentheses surrounding a 82 /// given range. 83 /// 84 /// \param Loc The location where we'll emit the diagnostic. 85 /// \param DK The kind of diagnostic to emit. 86 /// \param ParenRange Source range enclosing code that should be parenthesized. 87 void Parser::SuggestParentheses(SourceLocation Loc, unsigned DK, 88 SourceRange ParenRange) { 89 SourceLocation EndLoc = PP.getLocForEndOfToken(ParenRange.getEnd()); 90 if (!ParenRange.getEnd().isFileID() || EndLoc.isInvalid()) { 91 // We can't display the parentheses, so just dig the 92 // warning/error and return. 93 Diag(Loc, DK); 94 return; 95 } 96 97 Diag(Loc, DK) 98 << FixItHint::CreateInsertion(ParenRange.getBegin(), "(") 99 << FixItHint::CreateInsertion(EndLoc, ")"); 100 } 101 102 static bool IsCommonTypo(tok::TokenKind ExpectedTok, const Token &Tok) { 103 switch (ExpectedTok) { 104 case tok::semi: 105 return Tok.is(tok::colon) || Tok.is(tok::comma); // : or , for ; 106 default: return false; 107 } 108 } 109 110 bool Parser::ExpectAndConsume(tok::TokenKind ExpectedTok, unsigned DiagID, 111 StringRef Msg) { 112 if (Tok.is(ExpectedTok) || Tok.is(tok::code_completion)) { 113 ConsumeAnyToken(); 114 return false; 115 } 116 117 // Detect common single-character typos and resume. 118 if (IsCommonTypo(ExpectedTok, Tok)) { 119 SourceLocation Loc = Tok.getLocation(); 120 { 121 DiagnosticBuilder DB = Diag(Loc, DiagID); 122 DB << FixItHint::CreateReplacement( 123 SourceRange(Loc), tok::getPunctuatorSpelling(ExpectedTok)); 124 if (DiagID == diag::err_expected) 125 DB << ExpectedTok; 126 else if (DiagID == diag::err_expected_after) 127 DB << Msg << ExpectedTok; 128 else 129 DB << Msg; 130 } 131 132 // Pretend there wasn't a problem. 133 ConsumeAnyToken(); 134 return false; 135 } 136 137 SourceLocation EndLoc = PP.getLocForEndOfToken(PrevTokLocation); 138 const char *Spelling = nullptr; 139 if (EndLoc.isValid()) 140 Spelling = tok::getPunctuatorSpelling(ExpectedTok); 141 142 DiagnosticBuilder DB = 143 Spelling 144 ? Diag(EndLoc, DiagID) << FixItHint::CreateInsertion(EndLoc, Spelling) 145 : Diag(Tok, DiagID); 146 if (DiagID == diag::err_expected) 147 DB << ExpectedTok; 148 else if (DiagID == diag::err_expected_after) 149 DB << Msg << ExpectedTok; 150 else 151 DB << Msg; 152 153 return true; 154 } 155 156 bool Parser::ExpectAndConsumeSemi(unsigned DiagID) { 157 if (TryConsumeToken(tok::semi)) 158 return false; 159 160 if (Tok.is(tok::code_completion)) { 161 handleUnexpectedCodeCompletionToken(); 162 return false; 163 } 164 165 if ((Tok.is(tok::r_paren) || Tok.is(tok::r_square)) && 166 NextToken().is(tok::semi)) { 167 Diag(Tok, diag::err_extraneous_token_before_semi) 168 << PP.getSpelling(Tok) 169 << FixItHint::CreateRemoval(Tok.getLocation()); 170 ConsumeAnyToken(); // The ')' or ']'. 171 ConsumeToken(); // The ';'. 172 return false; 173 } 174 175 return ExpectAndConsume(tok::semi, DiagID); 176 } 177 178 void Parser::ConsumeExtraSemi(ExtraSemiKind Kind, DeclSpec::TST TST) { 179 if (!Tok.is(tok::semi)) return; 180 181 bool HadMultipleSemis = false; 182 SourceLocation StartLoc = Tok.getLocation(); 183 SourceLocation EndLoc = Tok.getLocation(); 184 ConsumeToken(); 185 186 while ((Tok.is(tok::semi) && !Tok.isAtStartOfLine())) { 187 HadMultipleSemis = true; 188 EndLoc = Tok.getLocation(); 189 ConsumeToken(); 190 } 191 192 // C++11 allows extra semicolons at namespace scope, but not in any of the 193 // other contexts. 194 if (Kind == OutsideFunction && getLangOpts().CPlusPlus) { 195 if (getLangOpts().CPlusPlus11) 196 Diag(StartLoc, diag::warn_cxx98_compat_top_level_semi) 197 << FixItHint::CreateRemoval(SourceRange(StartLoc, EndLoc)); 198 else 199 Diag(StartLoc, diag::ext_extra_semi_cxx11) 200 << FixItHint::CreateRemoval(SourceRange(StartLoc, EndLoc)); 201 return; 202 } 203 204 if (Kind != AfterMemberFunctionDefinition || HadMultipleSemis) 205 Diag(StartLoc, diag::ext_extra_semi) 206 << Kind << DeclSpec::getSpecifierName(TST, 207 Actions.getASTContext().getPrintingPolicy()) 208 << FixItHint::CreateRemoval(SourceRange(StartLoc, EndLoc)); 209 else 210 // A single semicolon is valid after a member function definition. 211 Diag(StartLoc, diag::warn_extra_semi_after_mem_fn_def) 212 << FixItHint::CreateRemoval(SourceRange(StartLoc, EndLoc)); 213 } 214 215 bool Parser::expectIdentifier() { 216 if (Tok.is(tok::identifier)) 217 return false; 218 if (const auto *II = Tok.getIdentifierInfo()) { 219 if (II->isCPlusPlusKeyword(getLangOpts())) { 220 Diag(Tok, diag::err_expected_token_instead_of_objcxx_keyword) 221 << tok::identifier << Tok.getIdentifierInfo(); 222 // Objective-C++: Recover by treating this keyword as a valid identifier. 223 return false; 224 } 225 } 226 Diag(Tok, diag::err_expected) << tok::identifier; 227 return true; 228 } 229 230 void Parser::checkCompoundToken(SourceLocation FirstTokLoc, 231 tok::TokenKind FirstTokKind, CompoundToken Op) { 232 if (FirstTokLoc.isInvalid()) 233 return; 234 SourceLocation SecondTokLoc = Tok.getLocation(); 235 236 // If either token is in a macro, we expect both tokens to come from the same 237 // macro expansion. 238 if ((FirstTokLoc.isMacroID() || SecondTokLoc.isMacroID()) && 239 PP.getSourceManager().getFileID(FirstTokLoc) != 240 PP.getSourceManager().getFileID(SecondTokLoc)) { 241 Diag(FirstTokLoc, diag::warn_compound_token_split_by_macro) 242 << (FirstTokKind == Tok.getKind()) << FirstTokKind << Tok.getKind() 243 << static_cast<int>(Op) << SourceRange(FirstTokLoc); 244 Diag(SecondTokLoc, diag::note_compound_token_split_second_token_here) 245 << (FirstTokKind == Tok.getKind()) << Tok.getKind() 246 << SourceRange(SecondTokLoc); 247 return; 248 } 249 250 // We expect the tokens to abut. 251 if (Tok.hasLeadingSpace() || Tok.isAtStartOfLine()) { 252 SourceLocation SpaceLoc = PP.getLocForEndOfToken(FirstTokLoc); 253 if (SpaceLoc.isInvalid()) 254 SpaceLoc = FirstTokLoc; 255 Diag(SpaceLoc, diag::warn_compound_token_split_by_whitespace) 256 << (FirstTokKind == Tok.getKind()) << FirstTokKind << Tok.getKind() 257 << static_cast<int>(Op) << SourceRange(FirstTokLoc, SecondTokLoc); 258 return; 259 } 260 } 261 262 //===----------------------------------------------------------------------===// 263 // Error recovery. 264 //===----------------------------------------------------------------------===// 265 266 static bool HasFlagsSet(Parser::SkipUntilFlags L, Parser::SkipUntilFlags R) { 267 return (static_cast<unsigned>(L) & static_cast<unsigned>(R)) != 0; 268 } 269 270 /// SkipUntil - Read tokens until we get to the specified token, then consume 271 /// it (unless no flag StopBeforeMatch). Because we cannot guarantee that the 272 /// token will ever occur, this skips to the next token, or to some likely 273 /// good stopping point. If StopAtSemi is true, skipping will stop at a ';' 274 /// character. 275 /// 276 /// If SkipUntil finds the specified token, it returns true, otherwise it 277 /// returns false. 278 bool Parser::SkipUntil(ArrayRef<tok::TokenKind> Toks, SkipUntilFlags Flags) { 279 // We always want this function to skip at least one token if the first token 280 // isn't T and if not at EOF. 281 bool isFirstTokenSkipped = true; 282 while (true) { 283 // If we found one of the tokens, stop and return true. 284 for (unsigned i = 0, NumToks = Toks.size(); i != NumToks; ++i) { 285 if (Tok.is(Toks[i])) { 286 if (HasFlagsSet(Flags, StopBeforeMatch)) { 287 // Noop, don't consume the token. 288 } else { 289 ConsumeAnyToken(); 290 } 291 return true; 292 } 293 } 294 295 // Important special case: The caller has given up and just wants us to 296 // skip the rest of the file. Do this without recursing, since we can 297 // get here precisely because the caller detected too much recursion. 298 if (Toks.size() == 1 && Toks[0] == tok::eof && 299 !HasFlagsSet(Flags, StopAtSemi) && 300 !HasFlagsSet(Flags, StopAtCodeCompletion)) { 301 while (Tok.isNot(tok::eof)) 302 ConsumeAnyToken(); 303 return true; 304 } 305 306 switch (Tok.getKind()) { 307 case tok::eof: 308 // Ran out of tokens. 309 return false; 310 311 case tok::annot_pragma_openmp: 312 case tok::annot_attr_openmp: 313 case tok::annot_pragma_openmp_end: 314 // Stop before an OpenMP pragma boundary. 315 if (OpenMPDirectiveParsing) 316 return false; 317 ConsumeAnnotationToken(); 318 break; 319 case tok::annot_module_begin: 320 case tok::annot_module_end: 321 case tok::annot_module_include: 322 // Stop before we change submodules. They generally indicate a "good" 323 // place to pick up parsing again (except in the special case where 324 // we're trying to skip to EOF). 325 return false; 326 327 case tok::code_completion: 328 if (!HasFlagsSet(Flags, StopAtCodeCompletion)) 329 handleUnexpectedCodeCompletionToken(); 330 return false; 331 332 case tok::l_paren: 333 // Recursively skip properly-nested parens. 334 ConsumeParen(); 335 if (HasFlagsSet(Flags, StopAtCodeCompletion)) 336 SkipUntil(tok::r_paren, StopAtCodeCompletion); 337 else 338 SkipUntil(tok::r_paren); 339 break; 340 case tok::l_square: 341 // Recursively skip properly-nested square brackets. 342 ConsumeBracket(); 343 if (HasFlagsSet(Flags, StopAtCodeCompletion)) 344 SkipUntil(tok::r_square, StopAtCodeCompletion); 345 else 346 SkipUntil(tok::r_square); 347 break; 348 case tok::l_brace: 349 // Recursively skip properly-nested braces. 350 ConsumeBrace(); 351 if (HasFlagsSet(Flags, StopAtCodeCompletion)) 352 SkipUntil(tok::r_brace, StopAtCodeCompletion); 353 else 354 SkipUntil(tok::r_brace); 355 break; 356 case tok::question: 357 // Recursively skip ? ... : pairs; these function as brackets. But 358 // still stop at a semicolon if requested. 359 ConsumeToken(); 360 SkipUntil(tok::colon, 361 SkipUntilFlags(unsigned(Flags) & 362 unsigned(StopAtCodeCompletion | StopAtSemi))); 363 break; 364 365 // Okay, we found a ']' or '}' or ')', which we think should be balanced. 366 // Since the user wasn't looking for this token (if they were, it would 367 // already be handled), this isn't balanced. If there is a LHS token at a 368 // higher level, we will assume that this matches the unbalanced token 369 // and return it. Otherwise, this is a spurious RHS token, which we skip. 370 case tok::r_paren: 371 if (ParenCount && !isFirstTokenSkipped) 372 return false; // Matches something. 373 ConsumeParen(); 374 break; 375 case tok::r_square: 376 if (BracketCount && !isFirstTokenSkipped) 377 return false; // Matches something. 378 ConsumeBracket(); 379 break; 380 case tok::r_brace: 381 if (BraceCount && !isFirstTokenSkipped) 382 return false; // Matches something. 383 ConsumeBrace(); 384 break; 385 386 case tok::semi: 387 if (HasFlagsSet(Flags, StopAtSemi)) 388 return false; 389 LLVM_FALLTHROUGH; 390 default: 391 // Skip this token. 392 ConsumeAnyToken(); 393 break; 394 } 395 isFirstTokenSkipped = false; 396 } 397 } 398 399 //===----------------------------------------------------------------------===// 400 // Scope manipulation 401 //===----------------------------------------------------------------------===// 402 403 /// EnterScope - Start a new scope. 404 void Parser::EnterScope(unsigned ScopeFlags) { 405 if (NumCachedScopes) { 406 Scope *N = ScopeCache[--NumCachedScopes]; 407 N->Init(getCurScope(), ScopeFlags); 408 Actions.CurScope = N; 409 } else { 410 Actions.CurScope = new Scope(getCurScope(), ScopeFlags, Diags); 411 } 412 } 413 414 /// ExitScope - Pop a scope off the scope stack. 415 void Parser::ExitScope() { 416 assert(getCurScope() && "Scope imbalance!"); 417 418 // Inform the actions module that this scope is going away if there are any 419 // decls in it. 420 Actions.ActOnPopScope(Tok.getLocation(), getCurScope()); 421 422 Scope *OldScope = getCurScope(); 423 Actions.CurScope = OldScope->getParent(); 424 425 if (NumCachedScopes == ScopeCacheSize) 426 delete OldScope; 427 else 428 ScopeCache[NumCachedScopes++] = OldScope; 429 } 430 431 /// Set the flags for the current scope to ScopeFlags. If ManageFlags is false, 432 /// this object does nothing. 433 Parser::ParseScopeFlags::ParseScopeFlags(Parser *Self, unsigned ScopeFlags, 434 bool ManageFlags) 435 : CurScope(ManageFlags ? Self->getCurScope() : nullptr) { 436 if (CurScope) { 437 OldFlags = CurScope->getFlags(); 438 CurScope->setFlags(ScopeFlags); 439 } 440 } 441 442 /// Restore the flags for the current scope to what they were before this 443 /// object overrode them. 444 Parser::ParseScopeFlags::~ParseScopeFlags() { 445 if (CurScope) 446 CurScope->setFlags(OldFlags); 447 } 448 449 450 //===----------------------------------------------------------------------===// 451 // C99 6.9: External Definitions. 452 //===----------------------------------------------------------------------===// 453 454 Parser::~Parser() { 455 // If we still have scopes active, delete the scope tree. 456 delete getCurScope(); 457 Actions.CurScope = nullptr; 458 459 // Free the scope cache. 460 for (unsigned i = 0, e = NumCachedScopes; i != e; ++i) 461 delete ScopeCache[i]; 462 463 resetPragmaHandlers(); 464 465 PP.removeCommentHandler(CommentSemaHandler.get()); 466 467 PP.clearCodeCompletionHandler(); 468 469 DestroyTemplateIds(); 470 } 471 472 /// Initialize - Warm up the parser. 473 /// 474 void Parser::Initialize() { 475 // Create the translation unit scope. Install it as the current scope. 476 assert(getCurScope() == nullptr && "A scope is already active?"); 477 EnterScope(Scope::DeclScope); 478 Actions.ActOnTranslationUnitScope(getCurScope()); 479 480 // Initialization for Objective-C context sensitive keywords recognition. 481 // Referenced in Parser::ParseObjCTypeQualifierList. 482 if (getLangOpts().ObjC) { 483 ObjCTypeQuals[objc_in] = &PP.getIdentifierTable().get("in"); 484 ObjCTypeQuals[objc_out] = &PP.getIdentifierTable().get("out"); 485 ObjCTypeQuals[objc_inout] = &PP.getIdentifierTable().get("inout"); 486 ObjCTypeQuals[objc_oneway] = &PP.getIdentifierTable().get("oneway"); 487 ObjCTypeQuals[objc_bycopy] = &PP.getIdentifierTable().get("bycopy"); 488 ObjCTypeQuals[objc_byref] = &PP.getIdentifierTable().get("byref"); 489 ObjCTypeQuals[objc_nonnull] = &PP.getIdentifierTable().get("nonnull"); 490 ObjCTypeQuals[objc_nullable] = &PP.getIdentifierTable().get("nullable"); 491 ObjCTypeQuals[objc_null_unspecified] 492 = &PP.getIdentifierTable().get("null_unspecified"); 493 } 494 495 Ident_instancetype = nullptr; 496 Ident_final = nullptr; 497 Ident_sealed = nullptr; 498 Ident_abstract = nullptr; 499 Ident_override = nullptr; 500 Ident_GNU_final = nullptr; 501 Ident_import = nullptr; 502 Ident_module = nullptr; 503 504 Ident_super = &PP.getIdentifierTable().get("super"); 505 506 Ident_vector = nullptr; 507 Ident_bool = nullptr; 508 Ident_Bool = nullptr; 509 Ident_pixel = nullptr; 510 if (getLangOpts().AltiVec || getLangOpts().ZVector) { 511 Ident_vector = &PP.getIdentifierTable().get("vector"); 512 Ident_bool = &PP.getIdentifierTable().get("bool"); 513 Ident_Bool = &PP.getIdentifierTable().get("_Bool"); 514 } 515 if (getLangOpts().AltiVec) 516 Ident_pixel = &PP.getIdentifierTable().get("pixel"); 517 518 Ident_introduced = nullptr; 519 Ident_deprecated = nullptr; 520 Ident_obsoleted = nullptr; 521 Ident_unavailable = nullptr; 522 Ident_strict = nullptr; 523 Ident_replacement = nullptr; 524 525 Ident_language = Ident_defined_in = Ident_generated_declaration = nullptr; 526 527 Ident__except = nullptr; 528 529 Ident__exception_code = Ident__exception_info = nullptr; 530 Ident__abnormal_termination = Ident___exception_code = nullptr; 531 Ident___exception_info = Ident___abnormal_termination = nullptr; 532 Ident_GetExceptionCode = Ident_GetExceptionInfo = nullptr; 533 Ident_AbnormalTermination = nullptr; 534 535 if(getLangOpts().Borland) { 536 Ident__exception_info = PP.getIdentifierInfo("_exception_info"); 537 Ident___exception_info = PP.getIdentifierInfo("__exception_info"); 538 Ident_GetExceptionInfo = PP.getIdentifierInfo("GetExceptionInformation"); 539 Ident__exception_code = PP.getIdentifierInfo("_exception_code"); 540 Ident___exception_code = PP.getIdentifierInfo("__exception_code"); 541 Ident_GetExceptionCode = PP.getIdentifierInfo("GetExceptionCode"); 542 Ident__abnormal_termination = PP.getIdentifierInfo("_abnormal_termination"); 543 Ident___abnormal_termination = PP.getIdentifierInfo("__abnormal_termination"); 544 Ident_AbnormalTermination = PP.getIdentifierInfo("AbnormalTermination"); 545 546 PP.SetPoisonReason(Ident__exception_code,diag::err_seh___except_block); 547 PP.SetPoisonReason(Ident___exception_code,diag::err_seh___except_block); 548 PP.SetPoisonReason(Ident_GetExceptionCode,diag::err_seh___except_block); 549 PP.SetPoisonReason(Ident__exception_info,diag::err_seh___except_filter); 550 PP.SetPoisonReason(Ident___exception_info,diag::err_seh___except_filter); 551 PP.SetPoisonReason(Ident_GetExceptionInfo,diag::err_seh___except_filter); 552 PP.SetPoisonReason(Ident__abnormal_termination,diag::err_seh___finally_block); 553 PP.SetPoisonReason(Ident___abnormal_termination,diag::err_seh___finally_block); 554 PP.SetPoisonReason(Ident_AbnormalTermination,diag::err_seh___finally_block); 555 } 556 557 if (getLangOpts().CPlusPlusModules) { 558 Ident_import = PP.getIdentifierInfo("import"); 559 Ident_module = PP.getIdentifierInfo("module"); 560 } 561 562 Actions.Initialize(); 563 564 // Prime the lexer look-ahead. 565 ConsumeToken(); 566 } 567 568 void Parser::DestroyTemplateIds() { 569 for (TemplateIdAnnotation *Id : TemplateIds) 570 Id->Destroy(); 571 TemplateIds.clear(); 572 } 573 574 /// Parse the first top-level declaration in a translation unit. 575 /// 576 /// translation-unit: 577 /// [C] external-declaration 578 /// [C] translation-unit external-declaration 579 /// [C++] top-level-declaration-seq[opt] 580 /// [C++20] global-module-fragment[opt] module-declaration 581 /// top-level-declaration-seq[opt] private-module-fragment[opt] 582 /// 583 /// Note that in C, it is an error if there is no first declaration. 584 bool Parser::ParseFirstTopLevelDecl(DeclGroupPtrTy &Result, 585 Sema::ModuleImportState &ImportState) { 586 Actions.ActOnStartOfTranslationUnit(); 587 588 // For C++20 modules, a module decl must be the first in the TU. We also 589 // need to track module imports. 590 ImportState = Sema::ModuleImportState::FirstDecl; 591 bool NoTopLevelDecls = ParseTopLevelDecl(Result, ImportState); 592 593 // C11 6.9p1 says translation units must have at least one top-level 594 // declaration. C++ doesn't have this restriction. We also don't want to 595 // complain if we have a precompiled header, although technically if the PCH 596 // is empty we should still emit the (pedantic) diagnostic. 597 // If the main file is a header, we're only pretending it's a TU; don't warn. 598 if (NoTopLevelDecls && !Actions.getASTContext().getExternalSource() && 599 !getLangOpts().CPlusPlus && !getLangOpts().IsHeaderFile) 600 Diag(diag::ext_empty_translation_unit); 601 602 return NoTopLevelDecls; 603 } 604 605 /// ParseTopLevelDecl - Parse one top-level declaration, return whatever the 606 /// action tells us to. This returns true if the EOF was encountered. 607 /// 608 /// top-level-declaration: 609 /// declaration 610 /// [C++20] module-import-declaration 611 bool Parser::ParseTopLevelDecl(DeclGroupPtrTy &Result, 612 Sema::ModuleImportState &ImportState) { 613 DestroyTemplateIdAnnotationsRAIIObj CleanupRAII(*this); 614 615 // Skip over the EOF token, flagging end of previous input for incremental 616 // processing 617 if (PP.isIncrementalProcessingEnabled() && Tok.is(tok::eof)) 618 ConsumeToken(); 619 620 Result = nullptr; 621 switch (Tok.getKind()) { 622 case tok::annot_pragma_unused: 623 HandlePragmaUnused(); 624 return false; 625 626 case tok::kw_export: 627 switch (NextToken().getKind()) { 628 case tok::kw_module: 629 goto module_decl; 630 631 // Note: no need to handle kw_import here. We only form kw_import under 632 // the Modules TS, and in that case 'export import' is parsed as an 633 // export-declaration containing an import-declaration. 634 635 // Recognize context-sensitive C++20 'export module' and 'export import' 636 // declarations. 637 case tok::identifier: { 638 IdentifierInfo *II = NextToken().getIdentifierInfo(); 639 if ((II == Ident_module || II == Ident_import) && 640 GetLookAheadToken(2).isNot(tok::coloncolon)) { 641 if (II == Ident_module) 642 goto module_decl; 643 else 644 goto import_decl; 645 } 646 break; 647 } 648 649 default: 650 break; 651 } 652 break; 653 654 case tok::kw_module: 655 module_decl: 656 Result = ParseModuleDecl(ImportState); 657 return false; 658 659 case tok::kw_import: 660 import_decl: { 661 Decl *ImportDecl = ParseModuleImport(SourceLocation(), ImportState); 662 Result = Actions.ConvertDeclToDeclGroup(ImportDecl); 663 return false; 664 } 665 666 case tok::annot_module_include: 667 Actions.ActOnModuleInclude(Tok.getLocation(), 668 reinterpret_cast<Module *>( 669 Tok.getAnnotationValue())); 670 ConsumeAnnotationToken(); 671 return false; 672 673 case tok::annot_module_begin: 674 Actions.ActOnModuleBegin(Tok.getLocation(), reinterpret_cast<Module *>( 675 Tok.getAnnotationValue())); 676 ConsumeAnnotationToken(); 677 ImportState = Sema::ModuleImportState::NotACXX20Module; 678 return false; 679 680 case tok::annot_module_end: 681 Actions.ActOnModuleEnd(Tok.getLocation(), reinterpret_cast<Module *>( 682 Tok.getAnnotationValue())); 683 ConsumeAnnotationToken(); 684 ImportState = Sema::ModuleImportState::NotACXX20Module; 685 return false; 686 687 case tok::eof: 688 // Check whether -fmax-tokens= was reached. 689 if (PP.getMaxTokens() != 0 && PP.getTokenCount() > PP.getMaxTokens()) { 690 PP.Diag(Tok.getLocation(), diag::warn_max_tokens_total) 691 << PP.getTokenCount() << PP.getMaxTokens(); 692 SourceLocation OverrideLoc = PP.getMaxTokensOverrideLoc(); 693 if (OverrideLoc.isValid()) { 694 PP.Diag(OverrideLoc, diag::note_max_tokens_total_override); 695 } 696 } 697 698 // Late template parsing can begin. 699 Actions.SetLateTemplateParser(LateTemplateParserCallback, nullptr, this); 700 if (!PP.isIncrementalProcessingEnabled()) 701 Actions.ActOnEndOfTranslationUnit(); 702 //else don't tell Sema that we ended parsing: more input might come. 703 return true; 704 705 case tok::identifier: 706 // C++2a [basic.link]p3: 707 // A token sequence beginning with 'export[opt] module' or 708 // 'export[opt] import' and not immediately followed by '::' 709 // is never interpreted as the declaration of a top-level-declaration. 710 if ((Tok.getIdentifierInfo() == Ident_module || 711 Tok.getIdentifierInfo() == Ident_import) && 712 NextToken().isNot(tok::coloncolon)) { 713 if (Tok.getIdentifierInfo() == Ident_module) 714 goto module_decl; 715 else 716 goto import_decl; 717 } 718 break; 719 720 default: 721 break; 722 } 723 724 ParsedAttributes attrs(AttrFactory); 725 MaybeParseCXX11Attributes(attrs); 726 727 Result = ParseExternalDeclaration(attrs); 728 // An empty Result might mean a line with ';' or some parsing error, ignore 729 // it. 730 if (Result) { 731 if (ImportState == Sema::ModuleImportState::FirstDecl) 732 // First decl was not modular. 733 ImportState = Sema::ModuleImportState::NotACXX20Module; 734 else if (ImportState == Sema::ModuleImportState::ImportAllowed) 735 // Non-imports disallow further imports. 736 ImportState = Sema::ModuleImportState::ImportFinished; 737 } 738 return false; 739 } 740 741 /// ParseExternalDeclaration: 742 /// 743 /// external-declaration: [C99 6.9], declaration: [C++ dcl.dcl] 744 /// function-definition 745 /// declaration 746 /// [GNU] asm-definition 747 /// [GNU] __extension__ external-declaration 748 /// [OBJC] objc-class-definition 749 /// [OBJC] objc-class-declaration 750 /// [OBJC] objc-alias-declaration 751 /// [OBJC] objc-protocol-definition 752 /// [OBJC] objc-method-definition 753 /// [OBJC] @end 754 /// [C++] linkage-specification 755 /// [GNU] asm-definition: 756 /// simple-asm-expr ';' 757 /// [C++11] empty-declaration 758 /// [C++11] attribute-declaration 759 /// 760 /// [C++11] empty-declaration: 761 /// ';' 762 /// 763 /// [C++0x/GNU] 'extern' 'template' declaration 764 /// 765 /// [Modules-TS] module-import-declaration 766 /// 767 Parser::DeclGroupPtrTy Parser::ParseExternalDeclaration(ParsedAttributes &Attrs, 768 ParsingDeclSpec *DS) { 769 DestroyTemplateIdAnnotationsRAIIObj CleanupRAII(*this); 770 ParenBraceBracketBalancer BalancerRAIIObj(*this); 771 772 if (PP.isCodeCompletionReached()) { 773 cutOffParsing(); 774 return nullptr; 775 } 776 777 Decl *SingleDecl = nullptr; 778 switch (Tok.getKind()) { 779 case tok::annot_pragma_vis: 780 HandlePragmaVisibility(); 781 return nullptr; 782 case tok::annot_pragma_pack: 783 HandlePragmaPack(); 784 return nullptr; 785 case tok::annot_pragma_msstruct: 786 HandlePragmaMSStruct(); 787 return nullptr; 788 case tok::annot_pragma_align: 789 HandlePragmaAlign(); 790 return nullptr; 791 case tok::annot_pragma_weak: 792 HandlePragmaWeak(); 793 return nullptr; 794 case tok::annot_pragma_weakalias: 795 HandlePragmaWeakAlias(); 796 return nullptr; 797 case tok::annot_pragma_redefine_extname: 798 HandlePragmaRedefineExtname(); 799 return nullptr; 800 case tok::annot_pragma_fp_contract: 801 HandlePragmaFPContract(); 802 return nullptr; 803 case tok::annot_pragma_fenv_access: 804 case tok::annot_pragma_fenv_access_ms: 805 HandlePragmaFEnvAccess(); 806 return nullptr; 807 case tok::annot_pragma_fenv_round: 808 HandlePragmaFEnvRound(); 809 return nullptr; 810 case tok::annot_pragma_float_control: 811 HandlePragmaFloatControl(); 812 return nullptr; 813 case tok::annot_pragma_fp: 814 HandlePragmaFP(); 815 break; 816 case tok::annot_pragma_opencl_extension: 817 HandlePragmaOpenCLExtension(); 818 return nullptr; 819 case tok::annot_attr_openmp: 820 case tok::annot_pragma_openmp: { 821 AccessSpecifier AS = AS_none; 822 return ParseOpenMPDeclarativeDirectiveWithExtDecl(AS, Attrs); 823 } 824 case tok::annot_pragma_ms_pointers_to_members: 825 HandlePragmaMSPointersToMembers(); 826 return nullptr; 827 case tok::annot_pragma_ms_vtordisp: 828 HandlePragmaMSVtorDisp(); 829 return nullptr; 830 case tok::annot_pragma_ms_pragma: 831 HandlePragmaMSPragma(); 832 return nullptr; 833 case tok::annot_pragma_dump: 834 HandlePragmaDump(); 835 return nullptr; 836 case tok::annot_pragma_attribute: 837 HandlePragmaAttribute(); 838 return nullptr; 839 case tok::semi: 840 // Either a C++11 empty-declaration or attribute-declaration. 841 SingleDecl = 842 Actions.ActOnEmptyDeclaration(getCurScope(), Attrs, Tok.getLocation()); 843 ConsumeExtraSemi(OutsideFunction); 844 break; 845 case tok::r_brace: 846 Diag(Tok, diag::err_extraneous_closing_brace); 847 ConsumeBrace(); 848 return nullptr; 849 case tok::eof: 850 Diag(Tok, diag::err_expected_external_declaration); 851 return nullptr; 852 case tok::kw___extension__: { 853 // __extension__ silences extension warnings in the subexpression. 854 ExtensionRAIIObject O(Diags); // Use RAII to do this. 855 ConsumeToken(); 856 return ParseExternalDeclaration(Attrs); 857 } 858 case tok::kw_asm: { 859 ProhibitAttributes(Attrs); 860 861 SourceLocation StartLoc = Tok.getLocation(); 862 SourceLocation EndLoc; 863 864 ExprResult Result(ParseSimpleAsm(/*ForAsmLabel*/ false, &EndLoc)); 865 866 // Check if GNU-style InlineAsm is disabled. 867 // Empty asm string is allowed because it will not introduce 868 // any assembly code. 869 if (!(getLangOpts().GNUAsm || Result.isInvalid())) { 870 const auto *SL = cast<StringLiteral>(Result.get()); 871 if (!SL->getString().trim().empty()) 872 Diag(StartLoc, diag::err_gnu_inline_asm_disabled); 873 } 874 875 ExpectAndConsume(tok::semi, diag::err_expected_after, 876 "top-level asm block"); 877 878 if (Result.isInvalid()) 879 return nullptr; 880 SingleDecl = Actions.ActOnFileScopeAsmDecl(Result.get(), StartLoc, EndLoc); 881 break; 882 } 883 case tok::at: 884 return ParseObjCAtDirectives(Attrs); 885 case tok::minus: 886 case tok::plus: 887 if (!getLangOpts().ObjC) { 888 Diag(Tok, diag::err_expected_external_declaration); 889 ConsumeToken(); 890 return nullptr; 891 } 892 SingleDecl = ParseObjCMethodDefinition(); 893 break; 894 case tok::code_completion: 895 cutOffParsing(); 896 if (CurParsedObjCImpl) { 897 // Code-complete Objective-C methods even without leading '-'/'+' prefix. 898 Actions.CodeCompleteObjCMethodDecl(getCurScope(), 899 /*IsInstanceMethod=*/None, 900 /*ReturnType=*/nullptr); 901 } 902 Actions.CodeCompleteOrdinaryName( 903 getCurScope(), 904 CurParsedObjCImpl ? Sema::PCC_ObjCImplementation : Sema::PCC_Namespace); 905 return nullptr; 906 case tok::kw_import: { 907 Sema::ModuleImportState IS = Sema::ModuleImportState::NotACXX20Module; 908 if (getLangOpts().CPlusPlusModules) { 909 llvm_unreachable("not expecting a c++20 import here"); 910 ProhibitAttributes(Attrs); 911 } 912 SingleDecl = ParseModuleImport(SourceLocation(), IS); 913 } break; 914 case tok::kw_export: 915 if (getLangOpts().CPlusPlusModules || getLangOpts().ModulesTS) { 916 ProhibitAttributes(Attrs); 917 SingleDecl = ParseExportDeclaration(); 918 break; 919 } 920 // This must be 'export template'. Parse it so we can diagnose our lack 921 // of support. 922 LLVM_FALLTHROUGH; 923 case tok::kw_using: 924 case tok::kw_namespace: 925 case tok::kw_typedef: 926 case tok::kw_template: 927 case tok::kw_static_assert: 928 case tok::kw__Static_assert: 929 // A function definition cannot start with any of these keywords. 930 { 931 SourceLocation DeclEnd; 932 return ParseDeclaration(DeclaratorContext::File, DeclEnd, Attrs); 933 } 934 935 case tok::kw_static: 936 // Parse (then ignore) 'static' prior to a template instantiation. This is 937 // a GCC extension that we intentionally do not support. 938 if (getLangOpts().CPlusPlus && NextToken().is(tok::kw_template)) { 939 Diag(ConsumeToken(), diag::warn_static_inline_explicit_inst_ignored) 940 << 0; 941 SourceLocation DeclEnd; 942 return ParseDeclaration(DeclaratorContext::File, DeclEnd, Attrs); 943 } 944 goto dont_know; 945 946 case tok::kw_inline: 947 if (getLangOpts().CPlusPlus) { 948 tok::TokenKind NextKind = NextToken().getKind(); 949 950 // Inline namespaces. Allowed as an extension even in C++03. 951 if (NextKind == tok::kw_namespace) { 952 SourceLocation DeclEnd; 953 return ParseDeclaration(DeclaratorContext::File, DeclEnd, Attrs); 954 } 955 956 // Parse (then ignore) 'inline' prior to a template instantiation. This is 957 // a GCC extension that we intentionally do not support. 958 if (NextKind == tok::kw_template) { 959 Diag(ConsumeToken(), diag::warn_static_inline_explicit_inst_ignored) 960 << 1; 961 SourceLocation DeclEnd; 962 return ParseDeclaration(DeclaratorContext::File, DeclEnd, Attrs); 963 } 964 } 965 goto dont_know; 966 967 case tok::kw_extern: 968 if (getLangOpts().CPlusPlus && NextToken().is(tok::kw_template)) { 969 // Extern templates 970 SourceLocation ExternLoc = ConsumeToken(); 971 SourceLocation TemplateLoc = ConsumeToken(); 972 Diag(ExternLoc, getLangOpts().CPlusPlus11 ? 973 diag::warn_cxx98_compat_extern_template : 974 diag::ext_extern_template) << SourceRange(ExternLoc, TemplateLoc); 975 SourceLocation DeclEnd; 976 return Actions.ConvertDeclToDeclGroup(ParseExplicitInstantiation( 977 DeclaratorContext::File, ExternLoc, TemplateLoc, DeclEnd, Attrs)); 978 } 979 goto dont_know; 980 981 case tok::kw___if_exists: 982 case tok::kw___if_not_exists: 983 ParseMicrosoftIfExistsExternalDeclaration(); 984 return nullptr; 985 986 case tok::kw_module: 987 Diag(Tok, diag::err_unexpected_module_decl); 988 SkipUntil(tok::semi); 989 return nullptr; 990 991 default: 992 dont_know: 993 if (Tok.isEditorPlaceholder()) { 994 ConsumeToken(); 995 return nullptr; 996 } 997 // We can't tell whether this is a function-definition or declaration yet. 998 return ParseDeclarationOrFunctionDefinition(Attrs, DS); 999 } 1000 1001 // This routine returns a DeclGroup, if the thing we parsed only contains a 1002 // single decl, convert it now. 1003 return Actions.ConvertDeclToDeclGroup(SingleDecl); 1004 } 1005 1006 /// Determine whether the current token, if it occurs after a 1007 /// declarator, continues a declaration or declaration list. 1008 bool Parser::isDeclarationAfterDeclarator() { 1009 // Check for '= delete' or '= default' 1010 if (getLangOpts().CPlusPlus && Tok.is(tok::equal)) { 1011 const Token &KW = NextToken(); 1012 if (KW.is(tok::kw_default) || KW.is(tok::kw_delete)) 1013 return false; 1014 } 1015 1016 return Tok.is(tok::equal) || // int X()= -> not a function def 1017 Tok.is(tok::comma) || // int X(), -> not a function def 1018 Tok.is(tok::semi) || // int X(); -> not a function def 1019 Tok.is(tok::kw_asm) || // int X() __asm__ -> not a function def 1020 Tok.is(tok::kw___attribute) || // int X() __attr__ -> not a function def 1021 (getLangOpts().CPlusPlus && 1022 Tok.is(tok::l_paren)); // int X(0) -> not a function def [C++] 1023 } 1024 1025 /// Determine whether the current token, if it occurs after a 1026 /// declarator, indicates the start of a function definition. 1027 bool Parser::isStartOfFunctionDefinition(const ParsingDeclarator &Declarator) { 1028 assert(Declarator.isFunctionDeclarator() && "Isn't a function declarator"); 1029 if (Tok.is(tok::l_brace)) // int X() {} 1030 return true; 1031 1032 // Handle K&R C argument lists: int X(f) int f; {} 1033 if (!getLangOpts().CPlusPlus && 1034 Declarator.getFunctionTypeInfo().isKNRPrototype()) 1035 return isDeclarationSpecifier(); 1036 1037 if (getLangOpts().CPlusPlus && Tok.is(tok::equal)) { 1038 const Token &KW = NextToken(); 1039 return KW.is(tok::kw_default) || KW.is(tok::kw_delete); 1040 } 1041 1042 return Tok.is(tok::colon) || // X() : Base() {} (used for ctors) 1043 Tok.is(tok::kw_try); // X() try { ... } 1044 } 1045 1046 /// Parse either a function-definition or a declaration. We can't tell which 1047 /// we have until we read up to the compound-statement in function-definition. 1048 /// TemplateParams, if non-NULL, provides the template parameters when we're 1049 /// parsing a C++ template-declaration. 1050 /// 1051 /// function-definition: [C99 6.9.1] 1052 /// decl-specs declarator declaration-list[opt] compound-statement 1053 /// [C90] function-definition: [C99 6.7.1] - implicit int result 1054 /// [C90] decl-specs[opt] declarator declaration-list[opt] compound-statement 1055 /// 1056 /// declaration: [C99 6.7] 1057 /// declaration-specifiers init-declarator-list[opt] ';' 1058 /// [!C99] init-declarator-list ';' [TODO: warn in c99 mode] 1059 /// [OMP] threadprivate-directive 1060 /// [OMP] allocate-directive [TODO] 1061 /// 1062 Parser::DeclGroupPtrTy Parser::ParseDeclOrFunctionDefInternal( 1063 ParsedAttributes &Attrs, ParsingDeclSpec &DS, AccessSpecifier AS) { 1064 MaybeParseMicrosoftAttributes(DS.getAttributes()); 1065 // Parse the common declaration-specifiers piece. 1066 ParseDeclarationSpecifiers(DS, ParsedTemplateInfo(), AS, 1067 DeclSpecContext::DSC_top_level); 1068 1069 // If we had a free-standing type definition with a missing semicolon, we 1070 // may get this far before the problem becomes obvious. 1071 if (DS.hasTagDefinition() && DiagnoseMissingSemiAfterTagDefinition( 1072 DS, AS, DeclSpecContext::DSC_top_level)) 1073 return nullptr; 1074 1075 // C99 6.7.2.3p6: Handle "struct-or-union identifier;", "enum { X };" 1076 // declaration-specifiers init-declarator-list[opt] ';' 1077 if (Tok.is(tok::semi)) { 1078 auto LengthOfTSTToken = [](DeclSpec::TST TKind) { 1079 assert(DeclSpec::isDeclRep(TKind)); 1080 switch(TKind) { 1081 case DeclSpec::TST_class: 1082 return 5; 1083 case DeclSpec::TST_struct: 1084 return 6; 1085 case DeclSpec::TST_union: 1086 return 5; 1087 case DeclSpec::TST_enum: 1088 return 4; 1089 case DeclSpec::TST_interface: 1090 return 9; 1091 default: 1092 llvm_unreachable("we only expect to get the length of the class/struct/union/enum"); 1093 } 1094 1095 }; 1096 // Suggest correct location to fix '[[attrib]] struct' to 'struct [[attrib]]' 1097 SourceLocation CorrectLocationForAttributes = 1098 DeclSpec::isDeclRep(DS.getTypeSpecType()) 1099 ? DS.getTypeSpecTypeLoc().getLocWithOffset( 1100 LengthOfTSTToken(DS.getTypeSpecType())) 1101 : SourceLocation(); 1102 ProhibitAttributes(Attrs, CorrectLocationForAttributes); 1103 ConsumeToken(); 1104 RecordDecl *AnonRecord = nullptr; 1105 Decl *TheDecl = Actions.ParsedFreeStandingDeclSpec(getCurScope(), AS_none, 1106 DS, AnonRecord); 1107 DS.complete(TheDecl); 1108 if (AnonRecord) { 1109 Decl* decls[] = {AnonRecord, TheDecl}; 1110 return Actions.BuildDeclaratorGroup(decls); 1111 } 1112 return Actions.ConvertDeclToDeclGroup(TheDecl); 1113 } 1114 1115 DS.takeAttributesFrom(Attrs); 1116 1117 // ObjC2 allows prefix attributes on class interfaces and protocols. 1118 // FIXME: This still needs better diagnostics. We should only accept 1119 // attributes here, no types, etc. 1120 if (getLangOpts().ObjC && Tok.is(tok::at)) { 1121 SourceLocation AtLoc = ConsumeToken(); // the "@" 1122 if (!Tok.isObjCAtKeyword(tok::objc_interface) && 1123 !Tok.isObjCAtKeyword(tok::objc_protocol) && 1124 !Tok.isObjCAtKeyword(tok::objc_implementation)) { 1125 Diag(Tok, diag::err_objc_unexpected_attr); 1126 SkipUntil(tok::semi); 1127 return nullptr; 1128 } 1129 1130 DS.abort(); 1131 1132 const char *PrevSpec = nullptr; 1133 unsigned DiagID; 1134 if (DS.SetTypeSpecType(DeclSpec::TST_unspecified, AtLoc, PrevSpec, DiagID, 1135 Actions.getASTContext().getPrintingPolicy())) 1136 Diag(AtLoc, DiagID) << PrevSpec; 1137 1138 if (Tok.isObjCAtKeyword(tok::objc_protocol)) 1139 return ParseObjCAtProtocolDeclaration(AtLoc, DS.getAttributes()); 1140 1141 if (Tok.isObjCAtKeyword(tok::objc_implementation)) 1142 return ParseObjCAtImplementationDeclaration(AtLoc, DS.getAttributes()); 1143 1144 return Actions.ConvertDeclToDeclGroup( 1145 ParseObjCAtInterfaceDeclaration(AtLoc, DS.getAttributes())); 1146 } 1147 1148 // If the declspec consisted only of 'extern' and we have a string 1149 // literal following it, this must be a C++ linkage specifier like 1150 // 'extern "C"'. 1151 if (getLangOpts().CPlusPlus && isTokenStringLiteral() && 1152 DS.getStorageClassSpec() == DeclSpec::SCS_extern && 1153 DS.getParsedSpecifiers() == DeclSpec::PQ_StorageClassSpecifier) { 1154 Decl *TheDecl = ParseLinkage(DS, DeclaratorContext::File); 1155 return Actions.ConvertDeclToDeclGroup(TheDecl); 1156 } 1157 1158 return ParseDeclGroup(DS, DeclaratorContext::File); 1159 } 1160 1161 Parser::DeclGroupPtrTy Parser::ParseDeclarationOrFunctionDefinition( 1162 ParsedAttributes &Attrs, ParsingDeclSpec *DS, AccessSpecifier AS) { 1163 if (DS) { 1164 return ParseDeclOrFunctionDefInternal(Attrs, *DS, AS); 1165 } else { 1166 ParsingDeclSpec PDS(*this); 1167 // Must temporarily exit the objective-c container scope for 1168 // parsing c constructs and re-enter objc container scope 1169 // afterwards. 1170 ObjCDeclContextSwitch ObjCDC(*this); 1171 1172 return ParseDeclOrFunctionDefInternal(Attrs, PDS, AS); 1173 } 1174 } 1175 1176 /// ParseFunctionDefinition - We parsed and verified that the specified 1177 /// Declarator is well formed. If this is a K&R-style function, read the 1178 /// parameters declaration-list, then start the compound-statement. 1179 /// 1180 /// function-definition: [C99 6.9.1] 1181 /// decl-specs declarator declaration-list[opt] compound-statement 1182 /// [C90] function-definition: [C99 6.7.1] - implicit int result 1183 /// [C90] decl-specs[opt] declarator declaration-list[opt] compound-statement 1184 /// [C++] function-definition: [C++ 8.4] 1185 /// decl-specifier-seq[opt] declarator ctor-initializer[opt] 1186 /// function-body 1187 /// [C++] function-definition: [C++ 8.4] 1188 /// decl-specifier-seq[opt] declarator function-try-block 1189 /// 1190 Decl *Parser::ParseFunctionDefinition(ParsingDeclarator &D, 1191 const ParsedTemplateInfo &TemplateInfo, 1192 LateParsedAttrList *LateParsedAttrs) { 1193 // Poison SEH identifiers so they are flagged as illegal in function bodies. 1194 PoisonSEHIdentifiersRAIIObject PoisonSEHIdentifiers(*this, true); 1195 const DeclaratorChunk::FunctionTypeInfo &FTI = D.getFunctionTypeInfo(); 1196 TemplateParameterDepthRAII CurTemplateDepthTracker(TemplateParameterDepth); 1197 1198 // If this is C89 and the declspecs were completely missing, fudge in an 1199 // implicit int. We do this here because this is the only place where 1200 // declaration-specifiers are completely optional in the grammar. 1201 if (getLangOpts().isImplicitIntRequired() && D.getDeclSpec().isEmpty()) { 1202 Diag(D.getIdentifierLoc(), diag::warn_missing_type_specifier) 1203 << D.getDeclSpec().getSourceRange(); 1204 const char *PrevSpec; 1205 unsigned DiagID; 1206 const PrintingPolicy &Policy = Actions.getASTContext().getPrintingPolicy(); 1207 D.getMutableDeclSpec().SetTypeSpecType(DeclSpec::TST_int, 1208 D.getIdentifierLoc(), 1209 PrevSpec, DiagID, 1210 Policy); 1211 D.SetRangeBegin(D.getDeclSpec().getSourceRange().getBegin()); 1212 } 1213 1214 // If this declaration was formed with a K&R-style identifier list for the 1215 // arguments, parse declarations for all of the args next. 1216 // int foo(a,b) int a; float b; {} 1217 if (FTI.isKNRPrototype()) 1218 ParseKNRParamDeclarations(D); 1219 1220 // We should have either an opening brace or, in a C++ constructor, 1221 // we may have a colon. 1222 if (Tok.isNot(tok::l_brace) && 1223 (!getLangOpts().CPlusPlus || 1224 (Tok.isNot(tok::colon) && Tok.isNot(tok::kw_try) && 1225 Tok.isNot(tok::equal)))) { 1226 Diag(Tok, diag::err_expected_fn_body); 1227 1228 // Skip over garbage, until we get to '{'. Don't eat the '{'. 1229 SkipUntil(tok::l_brace, StopAtSemi | StopBeforeMatch); 1230 1231 // If we didn't find the '{', bail out. 1232 if (Tok.isNot(tok::l_brace)) 1233 return nullptr; 1234 } 1235 1236 // Check to make sure that any normal attributes are allowed to be on 1237 // a definition. Late parsed attributes are checked at the end. 1238 if (Tok.isNot(tok::equal)) { 1239 for (const ParsedAttr &AL : D.getAttributes()) 1240 if (AL.isKnownToGCC() && !AL.isStandardAttributeSyntax()) 1241 Diag(AL.getLoc(), diag::warn_attribute_on_function_definition) << AL; 1242 } 1243 1244 // In delayed template parsing mode, for function template we consume the 1245 // tokens and store them for late parsing at the end of the translation unit. 1246 if (getLangOpts().DelayedTemplateParsing && Tok.isNot(tok::equal) && 1247 TemplateInfo.Kind == ParsedTemplateInfo::Template && 1248 Actions.canDelayFunctionBody(D)) { 1249 MultiTemplateParamsArg TemplateParameterLists(*TemplateInfo.TemplateParams); 1250 1251 ParseScope BodyScope(this, Scope::FnScope | Scope::DeclScope | 1252 Scope::CompoundStmtScope); 1253 Scope *ParentScope = getCurScope()->getParent(); 1254 1255 D.setFunctionDefinitionKind(FunctionDefinitionKind::Definition); 1256 Decl *DP = Actions.HandleDeclarator(ParentScope, D, 1257 TemplateParameterLists); 1258 D.complete(DP); 1259 D.getMutableDeclSpec().abort(); 1260 1261 if (SkipFunctionBodies && (!DP || Actions.canSkipFunctionBody(DP)) && 1262 trySkippingFunctionBody()) { 1263 BodyScope.Exit(); 1264 return Actions.ActOnSkippedFunctionBody(DP); 1265 } 1266 1267 CachedTokens Toks; 1268 LexTemplateFunctionForLateParsing(Toks); 1269 1270 if (DP) { 1271 FunctionDecl *FnD = DP->getAsFunction(); 1272 Actions.CheckForFunctionRedefinition(FnD); 1273 Actions.MarkAsLateParsedTemplate(FnD, DP, Toks); 1274 } 1275 return DP; 1276 } 1277 else if (CurParsedObjCImpl && 1278 !TemplateInfo.TemplateParams && 1279 (Tok.is(tok::l_brace) || Tok.is(tok::kw_try) || 1280 Tok.is(tok::colon)) && 1281 Actions.CurContext->isTranslationUnit()) { 1282 ParseScope BodyScope(this, Scope::FnScope | Scope::DeclScope | 1283 Scope::CompoundStmtScope); 1284 Scope *ParentScope = getCurScope()->getParent(); 1285 1286 D.setFunctionDefinitionKind(FunctionDefinitionKind::Definition); 1287 Decl *FuncDecl = Actions.HandleDeclarator(ParentScope, D, 1288 MultiTemplateParamsArg()); 1289 D.complete(FuncDecl); 1290 D.getMutableDeclSpec().abort(); 1291 if (FuncDecl) { 1292 // Consume the tokens and store them for later parsing. 1293 StashAwayMethodOrFunctionBodyTokens(FuncDecl); 1294 CurParsedObjCImpl->HasCFunction = true; 1295 return FuncDecl; 1296 } 1297 // FIXME: Should we really fall through here? 1298 } 1299 1300 // Enter a scope for the function body. 1301 ParseScope BodyScope(this, Scope::FnScope | Scope::DeclScope | 1302 Scope::CompoundStmtScope); 1303 1304 // Parse function body eagerly if it is either '= delete;' or '= default;' as 1305 // ActOnStartOfFunctionDef needs to know whether the function is deleted. 1306 Sema::FnBodyKind BodyKind = Sema::FnBodyKind::Other; 1307 SourceLocation KWLoc; 1308 if (TryConsumeToken(tok::equal)) { 1309 assert(getLangOpts().CPlusPlus && "Only C++ function definitions have '='"); 1310 1311 if (TryConsumeToken(tok::kw_delete, KWLoc)) { 1312 Diag(KWLoc, getLangOpts().CPlusPlus11 1313 ? diag::warn_cxx98_compat_defaulted_deleted_function 1314 : diag::ext_defaulted_deleted_function) 1315 << 1 /* deleted */; 1316 BodyKind = Sema::FnBodyKind::Delete; 1317 } else if (TryConsumeToken(tok::kw_default, KWLoc)) { 1318 Diag(KWLoc, getLangOpts().CPlusPlus11 1319 ? diag::warn_cxx98_compat_defaulted_deleted_function 1320 : diag::ext_defaulted_deleted_function) 1321 << 0 /* defaulted */; 1322 BodyKind = Sema::FnBodyKind::Default; 1323 } else { 1324 llvm_unreachable("function definition after = not 'delete' or 'default'"); 1325 } 1326 1327 if (Tok.is(tok::comma)) { 1328 Diag(KWLoc, diag::err_default_delete_in_multiple_declaration) 1329 << (BodyKind == Sema::FnBodyKind::Delete); 1330 SkipUntil(tok::semi); 1331 } else if (ExpectAndConsume(tok::semi, diag::err_expected_after, 1332 BodyKind == Sema::FnBodyKind::Delete 1333 ? "delete" 1334 : "default")) { 1335 SkipUntil(tok::semi); 1336 } 1337 } 1338 1339 // Tell the actions module that we have entered a function definition with the 1340 // specified Declarator for the function. 1341 Sema::SkipBodyInfo SkipBody; 1342 Decl *Res = Actions.ActOnStartOfFunctionDef(getCurScope(), D, 1343 TemplateInfo.TemplateParams 1344 ? *TemplateInfo.TemplateParams 1345 : MultiTemplateParamsArg(), 1346 &SkipBody, BodyKind); 1347 1348 if (SkipBody.ShouldSkip) { 1349 // Do NOT enter SkipFunctionBody if we already consumed the tokens. 1350 if (BodyKind == Sema::FnBodyKind::Other) 1351 SkipFunctionBody(); 1352 1353 return Res; 1354 } 1355 1356 // Break out of the ParsingDeclarator context before we parse the body. 1357 D.complete(Res); 1358 1359 // Break out of the ParsingDeclSpec context, too. This const_cast is 1360 // safe because we're always the sole owner. 1361 D.getMutableDeclSpec().abort(); 1362 1363 if (BodyKind != Sema::FnBodyKind::Other) { 1364 Actions.SetFunctionBodyKind(Res, KWLoc, BodyKind); 1365 Stmt *GeneratedBody = Res ? Res->getBody() : nullptr; 1366 Actions.ActOnFinishFunctionBody(Res, GeneratedBody, false); 1367 return Res; 1368 } 1369 1370 // With abbreviated function templates - we need to explicitly add depth to 1371 // account for the implicit template parameter list induced by the template. 1372 if (auto *Template = dyn_cast_or_null<FunctionTemplateDecl>(Res)) 1373 if (Template->isAbbreviated() && 1374 Template->getTemplateParameters()->getParam(0)->isImplicit()) 1375 // First template parameter is implicit - meaning no explicit template 1376 // parameter list was specified. 1377 CurTemplateDepthTracker.addDepth(1); 1378 1379 if (SkipFunctionBodies && (!Res || Actions.canSkipFunctionBody(Res)) && 1380 trySkippingFunctionBody()) { 1381 BodyScope.Exit(); 1382 Actions.ActOnSkippedFunctionBody(Res); 1383 return Actions.ActOnFinishFunctionBody(Res, nullptr, false); 1384 } 1385 1386 if (Tok.is(tok::kw_try)) 1387 return ParseFunctionTryBlock(Res, BodyScope); 1388 1389 // If we have a colon, then we're probably parsing a C++ 1390 // ctor-initializer. 1391 if (Tok.is(tok::colon)) { 1392 ParseConstructorInitializer(Res); 1393 1394 // Recover from error. 1395 if (!Tok.is(tok::l_brace)) { 1396 BodyScope.Exit(); 1397 Actions.ActOnFinishFunctionBody(Res, nullptr); 1398 return Res; 1399 } 1400 } else 1401 Actions.ActOnDefaultCtorInitializers(Res); 1402 1403 // Late attributes are parsed in the same scope as the function body. 1404 if (LateParsedAttrs) 1405 ParseLexedAttributeList(*LateParsedAttrs, Res, false, true); 1406 1407 return ParseFunctionStatementBody(Res, BodyScope); 1408 } 1409 1410 void Parser::SkipFunctionBody() { 1411 if (Tok.is(tok::equal)) { 1412 SkipUntil(tok::semi); 1413 return; 1414 } 1415 1416 bool IsFunctionTryBlock = Tok.is(tok::kw_try); 1417 if (IsFunctionTryBlock) 1418 ConsumeToken(); 1419 1420 CachedTokens Skipped; 1421 if (ConsumeAndStoreFunctionPrologue(Skipped)) 1422 SkipMalformedDecl(); 1423 else { 1424 SkipUntil(tok::r_brace); 1425 while (IsFunctionTryBlock && Tok.is(tok::kw_catch)) { 1426 SkipUntil(tok::l_brace); 1427 SkipUntil(tok::r_brace); 1428 } 1429 } 1430 } 1431 1432 /// ParseKNRParamDeclarations - Parse 'declaration-list[opt]' which provides 1433 /// types for a function with a K&R-style identifier list for arguments. 1434 void Parser::ParseKNRParamDeclarations(Declarator &D) { 1435 // We know that the top-level of this declarator is a function. 1436 DeclaratorChunk::FunctionTypeInfo &FTI = D.getFunctionTypeInfo(); 1437 1438 // Enter function-declaration scope, limiting any declarators to the 1439 // function prototype scope, including parameter declarators. 1440 ParseScope PrototypeScope(this, Scope::FunctionPrototypeScope | 1441 Scope::FunctionDeclarationScope | Scope::DeclScope); 1442 1443 // Read all the argument declarations. 1444 while (isDeclarationSpecifier()) { 1445 SourceLocation DSStart = Tok.getLocation(); 1446 1447 // Parse the common declaration-specifiers piece. 1448 DeclSpec DS(AttrFactory); 1449 ParseDeclarationSpecifiers(DS); 1450 1451 // C99 6.9.1p6: 'each declaration in the declaration list shall have at 1452 // least one declarator'. 1453 // NOTE: GCC just makes this an ext-warn. It's not clear what it does with 1454 // the declarations though. It's trivial to ignore them, really hard to do 1455 // anything else with them. 1456 if (TryConsumeToken(tok::semi)) { 1457 Diag(DSStart, diag::err_declaration_does_not_declare_param); 1458 continue; 1459 } 1460 1461 // C99 6.9.1p6: Declarations shall contain no storage-class specifiers other 1462 // than register. 1463 if (DS.getStorageClassSpec() != DeclSpec::SCS_unspecified && 1464 DS.getStorageClassSpec() != DeclSpec::SCS_register) { 1465 Diag(DS.getStorageClassSpecLoc(), 1466 diag::err_invalid_storage_class_in_func_decl); 1467 DS.ClearStorageClassSpecs(); 1468 } 1469 if (DS.getThreadStorageClassSpec() != DeclSpec::TSCS_unspecified) { 1470 Diag(DS.getThreadStorageClassSpecLoc(), 1471 diag::err_invalid_storage_class_in_func_decl); 1472 DS.ClearStorageClassSpecs(); 1473 } 1474 1475 // Parse the first declarator attached to this declspec. 1476 Declarator ParmDeclarator(DS, DeclaratorContext::KNRTypeList); 1477 ParseDeclarator(ParmDeclarator); 1478 1479 // Handle the full declarator list. 1480 while (true) { 1481 // If attributes are present, parse them. 1482 MaybeParseGNUAttributes(ParmDeclarator); 1483 1484 // Ask the actions module to compute the type for this declarator. 1485 Decl *Param = 1486 Actions.ActOnParamDeclarator(getCurScope(), ParmDeclarator); 1487 1488 if (Param && 1489 // A missing identifier has already been diagnosed. 1490 ParmDeclarator.getIdentifier()) { 1491 1492 // Scan the argument list looking for the correct param to apply this 1493 // type. 1494 for (unsigned i = 0; ; ++i) { 1495 // C99 6.9.1p6: those declarators shall declare only identifiers from 1496 // the identifier list. 1497 if (i == FTI.NumParams) { 1498 Diag(ParmDeclarator.getIdentifierLoc(), diag::err_no_matching_param) 1499 << ParmDeclarator.getIdentifier(); 1500 break; 1501 } 1502 1503 if (FTI.Params[i].Ident == ParmDeclarator.getIdentifier()) { 1504 // Reject redefinitions of parameters. 1505 if (FTI.Params[i].Param) { 1506 Diag(ParmDeclarator.getIdentifierLoc(), 1507 diag::err_param_redefinition) 1508 << ParmDeclarator.getIdentifier(); 1509 } else { 1510 FTI.Params[i].Param = Param; 1511 } 1512 break; 1513 } 1514 } 1515 } 1516 1517 // If we don't have a comma, it is either the end of the list (a ';') or 1518 // an error, bail out. 1519 if (Tok.isNot(tok::comma)) 1520 break; 1521 1522 ParmDeclarator.clear(); 1523 1524 // Consume the comma. 1525 ParmDeclarator.setCommaLoc(ConsumeToken()); 1526 1527 // Parse the next declarator. 1528 ParseDeclarator(ParmDeclarator); 1529 } 1530 1531 // Consume ';' and continue parsing. 1532 if (!ExpectAndConsumeSemi(diag::err_expected_semi_declaration)) 1533 continue; 1534 1535 // Otherwise recover by skipping to next semi or mandatory function body. 1536 if (SkipUntil(tok::l_brace, StopAtSemi | StopBeforeMatch)) 1537 break; 1538 TryConsumeToken(tok::semi); 1539 } 1540 1541 // The actions module must verify that all arguments were declared. 1542 Actions.ActOnFinishKNRParamDeclarations(getCurScope(), D, Tok.getLocation()); 1543 } 1544 1545 1546 /// ParseAsmStringLiteral - This is just a normal string-literal, but is not 1547 /// allowed to be a wide string, and is not subject to character translation. 1548 /// Unlike GCC, we also diagnose an empty string literal when parsing for an 1549 /// asm label as opposed to an asm statement, because such a construct does not 1550 /// behave well. 1551 /// 1552 /// [GNU] asm-string-literal: 1553 /// string-literal 1554 /// 1555 ExprResult Parser::ParseAsmStringLiteral(bool ForAsmLabel) { 1556 if (!isTokenStringLiteral()) { 1557 Diag(Tok, diag::err_expected_string_literal) 1558 << /*Source='in...'*/0 << "'asm'"; 1559 return ExprError(); 1560 } 1561 1562 ExprResult AsmString(ParseStringLiteralExpression()); 1563 if (!AsmString.isInvalid()) { 1564 const auto *SL = cast<StringLiteral>(AsmString.get()); 1565 if (!SL->isAscii()) { 1566 Diag(Tok, diag::err_asm_operand_wide_string_literal) 1567 << SL->isWide() 1568 << SL->getSourceRange(); 1569 return ExprError(); 1570 } 1571 if (ForAsmLabel && SL->getString().empty()) { 1572 Diag(Tok, diag::err_asm_operand_wide_string_literal) 1573 << 2 /* an empty */ << SL->getSourceRange(); 1574 return ExprError(); 1575 } 1576 } 1577 return AsmString; 1578 } 1579 1580 /// ParseSimpleAsm 1581 /// 1582 /// [GNU] simple-asm-expr: 1583 /// 'asm' '(' asm-string-literal ')' 1584 /// 1585 ExprResult Parser::ParseSimpleAsm(bool ForAsmLabel, SourceLocation *EndLoc) { 1586 assert(Tok.is(tok::kw_asm) && "Not an asm!"); 1587 SourceLocation Loc = ConsumeToken(); 1588 1589 if (isGNUAsmQualifier(Tok)) { 1590 // Remove from the end of 'asm' to the end of the asm qualifier. 1591 SourceRange RemovalRange(PP.getLocForEndOfToken(Loc), 1592 PP.getLocForEndOfToken(Tok.getLocation())); 1593 Diag(Tok, diag::err_global_asm_qualifier_ignored) 1594 << GNUAsmQualifiers::getQualifierName(getGNUAsmQualifier(Tok)) 1595 << FixItHint::CreateRemoval(RemovalRange); 1596 ConsumeToken(); 1597 } 1598 1599 BalancedDelimiterTracker T(*this, tok::l_paren); 1600 if (T.consumeOpen()) { 1601 Diag(Tok, diag::err_expected_lparen_after) << "asm"; 1602 return ExprError(); 1603 } 1604 1605 ExprResult Result(ParseAsmStringLiteral(ForAsmLabel)); 1606 1607 if (!Result.isInvalid()) { 1608 // Close the paren and get the location of the end bracket 1609 T.consumeClose(); 1610 if (EndLoc) 1611 *EndLoc = T.getCloseLocation(); 1612 } else if (SkipUntil(tok::r_paren, StopAtSemi | StopBeforeMatch)) { 1613 if (EndLoc) 1614 *EndLoc = Tok.getLocation(); 1615 ConsumeParen(); 1616 } 1617 1618 return Result; 1619 } 1620 1621 /// Get the TemplateIdAnnotation from the token and put it in the 1622 /// cleanup pool so that it gets destroyed when parsing the current top level 1623 /// declaration is finished. 1624 TemplateIdAnnotation *Parser::takeTemplateIdAnnotation(const Token &tok) { 1625 assert(tok.is(tok::annot_template_id) && "Expected template-id token"); 1626 TemplateIdAnnotation * 1627 Id = static_cast<TemplateIdAnnotation *>(tok.getAnnotationValue()); 1628 return Id; 1629 } 1630 1631 void Parser::AnnotateScopeToken(CXXScopeSpec &SS, bool IsNewAnnotation) { 1632 // Push the current token back into the token stream (or revert it if it is 1633 // cached) and use an annotation scope token for current token. 1634 if (PP.isBacktrackEnabled()) 1635 PP.RevertCachedTokens(1); 1636 else 1637 PP.EnterToken(Tok, /*IsReinject=*/true); 1638 Tok.setKind(tok::annot_cxxscope); 1639 Tok.setAnnotationValue(Actions.SaveNestedNameSpecifierAnnotation(SS)); 1640 Tok.setAnnotationRange(SS.getRange()); 1641 1642 // In case the tokens were cached, have Preprocessor replace them 1643 // with the annotation token. We don't need to do this if we've 1644 // just reverted back to a prior state. 1645 if (IsNewAnnotation) 1646 PP.AnnotateCachedTokens(Tok); 1647 } 1648 1649 /// Attempt to classify the name at the current token position. This may 1650 /// form a type, scope or primary expression annotation, or replace the token 1651 /// with a typo-corrected keyword. This is only appropriate when the current 1652 /// name must refer to an entity which has already been declared. 1653 /// 1654 /// \param CCC Indicates how to perform typo-correction for this name. If NULL, 1655 /// no typo correction will be performed. 1656 Parser::AnnotatedNameKind 1657 Parser::TryAnnotateName(CorrectionCandidateCallback *CCC) { 1658 assert(Tok.is(tok::identifier) || Tok.is(tok::annot_cxxscope)); 1659 1660 const bool EnteringContext = false; 1661 const bool WasScopeAnnotation = Tok.is(tok::annot_cxxscope); 1662 1663 CXXScopeSpec SS; 1664 if (getLangOpts().CPlusPlus && 1665 ParseOptionalCXXScopeSpecifier(SS, /*ObjectType=*/nullptr, 1666 /*ObjectHasErrors=*/false, 1667 EnteringContext)) 1668 return ANK_Error; 1669 1670 if (Tok.isNot(tok::identifier) || SS.isInvalid()) { 1671 if (TryAnnotateTypeOrScopeTokenAfterScopeSpec(SS, !WasScopeAnnotation)) 1672 return ANK_Error; 1673 return ANK_Unresolved; 1674 } 1675 1676 IdentifierInfo *Name = Tok.getIdentifierInfo(); 1677 SourceLocation NameLoc = Tok.getLocation(); 1678 1679 // FIXME: Move the tentative declaration logic into ClassifyName so we can 1680 // typo-correct to tentatively-declared identifiers. 1681 if (isTentativelyDeclared(Name)) { 1682 // Identifier has been tentatively declared, and thus cannot be resolved as 1683 // an expression. Fall back to annotating it as a type. 1684 if (TryAnnotateTypeOrScopeTokenAfterScopeSpec(SS, !WasScopeAnnotation)) 1685 return ANK_Error; 1686 return Tok.is(tok::annot_typename) ? ANK_Success : ANK_TentativeDecl; 1687 } 1688 1689 Token Next = NextToken(); 1690 1691 // Look up and classify the identifier. We don't perform any typo-correction 1692 // after a scope specifier, because in general we can't recover from typos 1693 // there (eg, after correcting 'A::template B<X>::C' [sic], we would need to 1694 // jump back into scope specifier parsing). 1695 Sema::NameClassification Classification = Actions.ClassifyName( 1696 getCurScope(), SS, Name, NameLoc, Next, SS.isEmpty() ? CCC : nullptr); 1697 1698 // If name lookup found nothing and we guessed that this was a template name, 1699 // double-check before committing to that interpretation. C++20 requires that 1700 // we interpret this as a template-id if it can be, but if it can't be, then 1701 // this is an error recovery case. 1702 if (Classification.getKind() == Sema::NC_UndeclaredTemplate && 1703 isTemplateArgumentList(1) == TPResult::False) { 1704 // It's not a template-id; re-classify without the '<' as a hint. 1705 Token FakeNext = Next; 1706 FakeNext.setKind(tok::unknown); 1707 Classification = 1708 Actions.ClassifyName(getCurScope(), SS, Name, NameLoc, FakeNext, 1709 SS.isEmpty() ? CCC : nullptr); 1710 } 1711 1712 switch (Classification.getKind()) { 1713 case Sema::NC_Error: 1714 return ANK_Error; 1715 1716 case Sema::NC_Keyword: 1717 // The identifier was typo-corrected to a keyword. 1718 Tok.setIdentifierInfo(Name); 1719 Tok.setKind(Name->getTokenID()); 1720 PP.TypoCorrectToken(Tok); 1721 if (SS.isNotEmpty()) 1722 AnnotateScopeToken(SS, !WasScopeAnnotation); 1723 // We've "annotated" this as a keyword. 1724 return ANK_Success; 1725 1726 case Sema::NC_Unknown: 1727 // It's not something we know about. Leave it unannotated. 1728 break; 1729 1730 case Sema::NC_Type: { 1731 if (TryAltiVecVectorToken()) 1732 // vector has been found as a type id when altivec is enabled but 1733 // this is followed by a declaration specifier so this is really the 1734 // altivec vector token. Leave it unannotated. 1735 break; 1736 SourceLocation BeginLoc = NameLoc; 1737 if (SS.isNotEmpty()) 1738 BeginLoc = SS.getBeginLoc(); 1739 1740 /// An Objective-C object type followed by '<' is a specialization of 1741 /// a parameterized class type or a protocol-qualified type. 1742 ParsedType Ty = Classification.getType(); 1743 if (getLangOpts().ObjC && NextToken().is(tok::less) && 1744 (Ty.get()->isObjCObjectType() || 1745 Ty.get()->isObjCObjectPointerType())) { 1746 // Consume the name. 1747 SourceLocation IdentifierLoc = ConsumeToken(); 1748 SourceLocation NewEndLoc; 1749 TypeResult NewType 1750 = parseObjCTypeArgsAndProtocolQualifiers(IdentifierLoc, Ty, 1751 /*consumeLastToken=*/false, 1752 NewEndLoc); 1753 if (NewType.isUsable()) 1754 Ty = NewType.get(); 1755 else if (Tok.is(tok::eof)) // Nothing to do here, bail out... 1756 return ANK_Error; 1757 } 1758 1759 Tok.setKind(tok::annot_typename); 1760 setTypeAnnotation(Tok, Ty); 1761 Tok.setAnnotationEndLoc(Tok.getLocation()); 1762 Tok.setLocation(BeginLoc); 1763 PP.AnnotateCachedTokens(Tok); 1764 return ANK_Success; 1765 } 1766 1767 case Sema::NC_OverloadSet: 1768 Tok.setKind(tok::annot_overload_set); 1769 setExprAnnotation(Tok, Classification.getExpression()); 1770 Tok.setAnnotationEndLoc(NameLoc); 1771 if (SS.isNotEmpty()) 1772 Tok.setLocation(SS.getBeginLoc()); 1773 PP.AnnotateCachedTokens(Tok); 1774 return ANK_Success; 1775 1776 case Sema::NC_NonType: 1777 if (TryAltiVecVectorToken()) 1778 // vector has been found as a non-type id when altivec is enabled but 1779 // this is followed by a declaration specifier so this is really the 1780 // altivec vector token. Leave it unannotated. 1781 break; 1782 Tok.setKind(tok::annot_non_type); 1783 setNonTypeAnnotation(Tok, Classification.getNonTypeDecl()); 1784 Tok.setLocation(NameLoc); 1785 Tok.setAnnotationEndLoc(NameLoc); 1786 PP.AnnotateCachedTokens(Tok); 1787 if (SS.isNotEmpty()) 1788 AnnotateScopeToken(SS, !WasScopeAnnotation); 1789 return ANK_Success; 1790 1791 case Sema::NC_UndeclaredNonType: 1792 case Sema::NC_DependentNonType: 1793 Tok.setKind(Classification.getKind() == Sema::NC_UndeclaredNonType 1794 ? tok::annot_non_type_undeclared 1795 : tok::annot_non_type_dependent); 1796 setIdentifierAnnotation(Tok, Name); 1797 Tok.setLocation(NameLoc); 1798 Tok.setAnnotationEndLoc(NameLoc); 1799 PP.AnnotateCachedTokens(Tok); 1800 if (SS.isNotEmpty()) 1801 AnnotateScopeToken(SS, !WasScopeAnnotation); 1802 return ANK_Success; 1803 1804 case Sema::NC_TypeTemplate: 1805 if (Next.isNot(tok::less)) { 1806 // This may be a type template being used as a template template argument. 1807 if (SS.isNotEmpty()) 1808 AnnotateScopeToken(SS, !WasScopeAnnotation); 1809 return ANK_TemplateName; 1810 } 1811 LLVM_FALLTHROUGH; 1812 case Sema::NC_VarTemplate: 1813 case Sema::NC_FunctionTemplate: 1814 case Sema::NC_UndeclaredTemplate: { 1815 // We have a type, variable or function template followed by '<'. 1816 ConsumeToken(); 1817 UnqualifiedId Id; 1818 Id.setIdentifier(Name, NameLoc); 1819 if (AnnotateTemplateIdToken( 1820 TemplateTy::make(Classification.getTemplateName()), 1821 Classification.getTemplateNameKind(), SS, SourceLocation(), Id)) 1822 return ANK_Error; 1823 return ANK_Success; 1824 } 1825 case Sema::NC_Concept: { 1826 UnqualifiedId Id; 1827 Id.setIdentifier(Name, NameLoc); 1828 if (Next.is(tok::less)) 1829 // We have a concept name followed by '<'. Consume the identifier token so 1830 // we reach the '<' and annotate it. 1831 ConsumeToken(); 1832 if (AnnotateTemplateIdToken( 1833 TemplateTy::make(Classification.getTemplateName()), 1834 Classification.getTemplateNameKind(), SS, SourceLocation(), Id, 1835 /*AllowTypeAnnotation=*/false, /*TypeConstraint=*/true)) 1836 return ANK_Error; 1837 return ANK_Success; 1838 } 1839 } 1840 1841 // Unable to classify the name, but maybe we can annotate a scope specifier. 1842 if (SS.isNotEmpty()) 1843 AnnotateScopeToken(SS, !WasScopeAnnotation); 1844 return ANK_Unresolved; 1845 } 1846 1847 bool Parser::TryKeywordIdentFallback(bool DisableKeyword) { 1848 assert(Tok.isNot(tok::identifier)); 1849 Diag(Tok, diag::ext_keyword_as_ident) 1850 << PP.getSpelling(Tok) 1851 << DisableKeyword; 1852 if (DisableKeyword) 1853 Tok.getIdentifierInfo()->revertTokenIDToIdentifier(); 1854 Tok.setKind(tok::identifier); 1855 return true; 1856 } 1857 1858 /// TryAnnotateTypeOrScopeToken - If the current token position is on a 1859 /// typename (possibly qualified in C++) or a C++ scope specifier not followed 1860 /// by a typename, TryAnnotateTypeOrScopeToken will replace one or more tokens 1861 /// with a single annotation token representing the typename or C++ scope 1862 /// respectively. 1863 /// This simplifies handling of C++ scope specifiers and allows efficient 1864 /// backtracking without the need to re-parse and resolve nested-names and 1865 /// typenames. 1866 /// It will mainly be called when we expect to treat identifiers as typenames 1867 /// (if they are typenames). For example, in C we do not expect identifiers 1868 /// inside expressions to be treated as typenames so it will not be called 1869 /// for expressions in C. 1870 /// The benefit for C/ObjC is that a typename will be annotated and 1871 /// Actions.getTypeName will not be needed to be called again (e.g. getTypeName 1872 /// will not be called twice, once to check whether we have a declaration 1873 /// specifier, and another one to get the actual type inside 1874 /// ParseDeclarationSpecifiers). 1875 /// 1876 /// This returns true if an error occurred. 1877 /// 1878 /// Note that this routine emits an error if you call it with ::new or ::delete 1879 /// as the current tokens, so only call it in contexts where these are invalid. 1880 bool Parser::TryAnnotateTypeOrScopeToken() { 1881 assert((Tok.is(tok::identifier) || Tok.is(tok::coloncolon) || 1882 Tok.is(tok::kw_typename) || Tok.is(tok::annot_cxxscope) || 1883 Tok.is(tok::kw_decltype) || Tok.is(tok::annot_template_id) || 1884 Tok.is(tok::kw___super)) && 1885 "Cannot be a type or scope token!"); 1886 1887 if (Tok.is(tok::kw_typename)) { 1888 // MSVC lets you do stuff like: 1889 // typename typedef T_::D D; 1890 // 1891 // We will consume the typedef token here and put it back after we have 1892 // parsed the first identifier, transforming it into something more like: 1893 // typename T_::D typedef D; 1894 if (getLangOpts().MSVCCompat && NextToken().is(tok::kw_typedef)) { 1895 Token TypedefToken; 1896 PP.Lex(TypedefToken); 1897 bool Result = TryAnnotateTypeOrScopeToken(); 1898 PP.EnterToken(Tok, /*IsReinject=*/true); 1899 Tok = TypedefToken; 1900 if (!Result) 1901 Diag(Tok.getLocation(), diag::warn_expected_qualified_after_typename); 1902 return Result; 1903 } 1904 1905 // Parse a C++ typename-specifier, e.g., "typename T::type". 1906 // 1907 // typename-specifier: 1908 // 'typename' '::' [opt] nested-name-specifier identifier 1909 // 'typename' '::' [opt] nested-name-specifier template [opt] 1910 // simple-template-id 1911 SourceLocation TypenameLoc = ConsumeToken(); 1912 CXXScopeSpec SS; 1913 if (ParseOptionalCXXScopeSpecifier(SS, /*ObjectType=*/nullptr, 1914 /*ObjectHasErrors=*/false, 1915 /*EnteringContext=*/false, nullptr, 1916 /*IsTypename*/ true)) 1917 return true; 1918 if (SS.isEmpty()) { 1919 if (Tok.is(tok::identifier) || Tok.is(tok::annot_template_id) || 1920 Tok.is(tok::annot_decltype)) { 1921 // Attempt to recover by skipping the invalid 'typename' 1922 if (Tok.is(tok::annot_decltype) || 1923 (!TryAnnotateTypeOrScopeToken() && Tok.isAnnotation())) { 1924 unsigned DiagID = diag::err_expected_qualified_after_typename; 1925 // MS compatibility: MSVC permits using known types with typename. 1926 // e.g. "typedef typename T* pointer_type" 1927 if (getLangOpts().MicrosoftExt) 1928 DiagID = diag::warn_expected_qualified_after_typename; 1929 Diag(Tok.getLocation(), DiagID); 1930 return false; 1931 } 1932 } 1933 if (Tok.isEditorPlaceholder()) 1934 return true; 1935 1936 Diag(Tok.getLocation(), diag::err_expected_qualified_after_typename); 1937 return true; 1938 } 1939 1940 TypeResult Ty; 1941 if (Tok.is(tok::identifier)) { 1942 // FIXME: check whether the next token is '<', first! 1943 Ty = Actions.ActOnTypenameType(getCurScope(), TypenameLoc, SS, 1944 *Tok.getIdentifierInfo(), 1945 Tok.getLocation()); 1946 } else if (Tok.is(tok::annot_template_id)) { 1947 TemplateIdAnnotation *TemplateId = takeTemplateIdAnnotation(Tok); 1948 if (!TemplateId->mightBeType()) { 1949 Diag(Tok, diag::err_typename_refers_to_non_type_template) 1950 << Tok.getAnnotationRange(); 1951 return true; 1952 } 1953 1954 ASTTemplateArgsPtr TemplateArgsPtr(TemplateId->getTemplateArgs(), 1955 TemplateId->NumArgs); 1956 1957 Ty = TemplateId->isInvalid() 1958 ? TypeError() 1959 : Actions.ActOnTypenameType( 1960 getCurScope(), TypenameLoc, SS, TemplateId->TemplateKWLoc, 1961 TemplateId->Template, TemplateId->Name, 1962 TemplateId->TemplateNameLoc, TemplateId->LAngleLoc, 1963 TemplateArgsPtr, TemplateId->RAngleLoc); 1964 } else { 1965 Diag(Tok, diag::err_expected_type_name_after_typename) 1966 << SS.getRange(); 1967 return true; 1968 } 1969 1970 SourceLocation EndLoc = Tok.getLastLoc(); 1971 Tok.setKind(tok::annot_typename); 1972 setTypeAnnotation(Tok, Ty); 1973 Tok.setAnnotationEndLoc(EndLoc); 1974 Tok.setLocation(TypenameLoc); 1975 PP.AnnotateCachedTokens(Tok); 1976 return false; 1977 } 1978 1979 // Remembers whether the token was originally a scope annotation. 1980 bool WasScopeAnnotation = Tok.is(tok::annot_cxxscope); 1981 1982 CXXScopeSpec SS; 1983 if (getLangOpts().CPlusPlus) 1984 if (ParseOptionalCXXScopeSpecifier(SS, /*ObjectType=*/nullptr, 1985 /*ObjectHasErrors=*/false, 1986 /*EnteringContext*/ false)) 1987 return true; 1988 1989 return TryAnnotateTypeOrScopeTokenAfterScopeSpec(SS, !WasScopeAnnotation); 1990 } 1991 1992 /// Try to annotate a type or scope token, having already parsed an 1993 /// optional scope specifier. \p IsNewScope should be \c true unless the scope 1994 /// specifier was extracted from an existing tok::annot_cxxscope annotation. 1995 bool Parser::TryAnnotateTypeOrScopeTokenAfterScopeSpec(CXXScopeSpec &SS, 1996 bool IsNewScope) { 1997 if (Tok.is(tok::identifier)) { 1998 // Determine whether the identifier is a type name. 1999 if (ParsedType Ty = Actions.getTypeName( 2000 *Tok.getIdentifierInfo(), Tok.getLocation(), getCurScope(), &SS, 2001 false, NextToken().is(tok::period), nullptr, 2002 /*IsCtorOrDtorName=*/false, 2003 /*NonTrivialTypeSourceInfo*/true, 2004 /*IsClassTemplateDeductionContext*/true)) { 2005 SourceLocation BeginLoc = Tok.getLocation(); 2006 if (SS.isNotEmpty()) // it was a C++ qualified type name. 2007 BeginLoc = SS.getBeginLoc(); 2008 2009 /// An Objective-C object type followed by '<' is a specialization of 2010 /// a parameterized class type or a protocol-qualified type. 2011 if (getLangOpts().ObjC && NextToken().is(tok::less) && 2012 (Ty.get()->isObjCObjectType() || 2013 Ty.get()->isObjCObjectPointerType())) { 2014 // Consume the name. 2015 SourceLocation IdentifierLoc = ConsumeToken(); 2016 SourceLocation NewEndLoc; 2017 TypeResult NewType 2018 = parseObjCTypeArgsAndProtocolQualifiers(IdentifierLoc, Ty, 2019 /*consumeLastToken=*/false, 2020 NewEndLoc); 2021 if (NewType.isUsable()) 2022 Ty = NewType.get(); 2023 else if (Tok.is(tok::eof)) // Nothing to do here, bail out... 2024 return false; 2025 } 2026 2027 // This is a typename. Replace the current token in-place with an 2028 // annotation type token. 2029 Tok.setKind(tok::annot_typename); 2030 setTypeAnnotation(Tok, Ty); 2031 Tok.setAnnotationEndLoc(Tok.getLocation()); 2032 Tok.setLocation(BeginLoc); 2033 2034 // In case the tokens were cached, have Preprocessor replace 2035 // them with the annotation token. 2036 PP.AnnotateCachedTokens(Tok); 2037 return false; 2038 } 2039 2040 if (!getLangOpts().CPlusPlus) { 2041 // If we're in C, we can't have :: tokens at all (the lexer won't return 2042 // them). If the identifier is not a type, then it can't be scope either, 2043 // just early exit. 2044 return false; 2045 } 2046 2047 // If this is a template-id, annotate with a template-id or type token. 2048 // FIXME: This appears to be dead code. We already have formed template-id 2049 // tokens when parsing the scope specifier; this can never form a new one. 2050 if (NextToken().is(tok::less)) { 2051 TemplateTy Template; 2052 UnqualifiedId TemplateName; 2053 TemplateName.setIdentifier(Tok.getIdentifierInfo(), Tok.getLocation()); 2054 bool MemberOfUnknownSpecialization; 2055 if (TemplateNameKind TNK = Actions.isTemplateName( 2056 getCurScope(), SS, 2057 /*hasTemplateKeyword=*/false, TemplateName, 2058 /*ObjectType=*/nullptr, /*EnteringContext*/false, Template, 2059 MemberOfUnknownSpecialization)) { 2060 // Only annotate an undeclared template name as a template-id if the 2061 // following tokens have the form of a template argument list. 2062 if (TNK != TNK_Undeclared_template || 2063 isTemplateArgumentList(1) != TPResult::False) { 2064 // Consume the identifier. 2065 ConsumeToken(); 2066 if (AnnotateTemplateIdToken(Template, TNK, SS, SourceLocation(), 2067 TemplateName)) { 2068 // If an unrecoverable error occurred, we need to return true here, 2069 // because the token stream is in a damaged state. We may not 2070 // return a valid identifier. 2071 return true; 2072 } 2073 } 2074 } 2075 } 2076 2077 // The current token, which is either an identifier or a 2078 // template-id, is not part of the annotation. Fall through to 2079 // push that token back into the stream and complete the C++ scope 2080 // specifier annotation. 2081 } 2082 2083 if (Tok.is(tok::annot_template_id)) { 2084 TemplateIdAnnotation *TemplateId = takeTemplateIdAnnotation(Tok); 2085 if (TemplateId->Kind == TNK_Type_template) { 2086 // A template-id that refers to a type was parsed into a 2087 // template-id annotation in a context where we weren't allowed 2088 // to produce a type annotation token. Update the template-id 2089 // annotation token to a type annotation token now. 2090 AnnotateTemplateIdTokenAsType(SS); 2091 return false; 2092 } 2093 } 2094 2095 if (SS.isEmpty()) 2096 return false; 2097 2098 // A C++ scope specifier that isn't followed by a typename. 2099 AnnotateScopeToken(SS, IsNewScope); 2100 return false; 2101 } 2102 2103 /// TryAnnotateScopeToken - Like TryAnnotateTypeOrScopeToken but only 2104 /// annotates C++ scope specifiers and template-ids. This returns 2105 /// true if there was an error that could not be recovered from. 2106 /// 2107 /// Note that this routine emits an error if you call it with ::new or ::delete 2108 /// as the current tokens, so only call it in contexts where these are invalid. 2109 bool Parser::TryAnnotateCXXScopeToken(bool EnteringContext) { 2110 assert(getLangOpts().CPlusPlus && 2111 "Call sites of this function should be guarded by checking for C++"); 2112 assert(MightBeCXXScopeToken() && "Cannot be a type or scope token!"); 2113 2114 CXXScopeSpec SS; 2115 if (ParseOptionalCXXScopeSpecifier(SS, /*ObjectType=*/nullptr, 2116 /*ObjectHasErrors=*/false, 2117 EnteringContext)) 2118 return true; 2119 if (SS.isEmpty()) 2120 return false; 2121 2122 AnnotateScopeToken(SS, true); 2123 return false; 2124 } 2125 2126 bool Parser::isTokenEqualOrEqualTypo() { 2127 tok::TokenKind Kind = Tok.getKind(); 2128 switch (Kind) { 2129 default: 2130 return false; 2131 case tok::ampequal: // &= 2132 case tok::starequal: // *= 2133 case tok::plusequal: // += 2134 case tok::minusequal: // -= 2135 case tok::exclaimequal: // != 2136 case tok::slashequal: // /= 2137 case tok::percentequal: // %= 2138 case tok::lessequal: // <= 2139 case tok::lesslessequal: // <<= 2140 case tok::greaterequal: // >= 2141 case tok::greatergreaterequal: // >>= 2142 case tok::caretequal: // ^= 2143 case tok::pipeequal: // |= 2144 case tok::equalequal: // == 2145 Diag(Tok, diag::err_invalid_token_after_declarator_suggest_equal) 2146 << Kind 2147 << FixItHint::CreateReplacement(SourceRange(Tok.getLocation()), "="); 2148 LLVM_FALLTHROUGH; 2149 case tok::equal: 2150 return true; 2151 } 2152 } 2153 2154 SourceLocation Parser::handleUnexpectedCodeCompletionToken() { 2155 assert(Tok.is(tok::code_completion)); 2156 PrevTokLocation = Tok.getLocation(); 2157 2158 for (Scope *S = getCurScope(); S; S = S->getParent()) { 2159 if (S->isFunctionScope()) { 2160 cutOffParsing(); 2161 Actions.CodeCompleteOrdinaryName(getCurScope(), 2162 Sema::PCC_RecoveryInFunction); 2163 return PrevTokLocation; 2164 } 2165 2166 if (S->isClassScope()) { 2167 cutOffParsing(); 2168 Actions.CodeCompleteOrdinaryName(getCurScope(), Sema::PCC_Class); 2169 return PrevTokLocation; 2170 } 2171 } 2172 2173 cutOffParsing(); 2174 Actions.CodeCompleteOrdinaryName(getCurScope(), Sema::PCC_Namespace); 2175 return PrevTokLocation; 2176 } 2177 2178 // Code-completion pass-through functions 2179 2180 void Parser::CodeCompleteDirective(bool InConditional) { 2181 Actions.CodeCompletePreprocessorDirective(InConditional); 2182 } 2183 2184 void Parser::CodeCompleteInConditionalExclusion() { 2185 Actions.CodeCompleteInPreprocessorConditionalExclusion(getCurScope()); 2186 } 2187 2188 void Parser::CodeCompleteMacroName(bool IsDefinition) { 2189 Actions.CodeCompletePreprocessorMacroName(IsDefinition); 2190 } 2191 2192 void Parser::CodeCompletePreprocessorExpression() { 2193 Actions.CodeCompletePreprocessorExpression(); 2194 } 2195 2196 void Parser::CodeCompleteMacroArgument(IdentifierInfo *Macro, 2197 MacroInfo *MacroInfo, 2198 unsigned ArgumentIndex) { 2199 Actions.CodeCompletePreprocessorMacroArgument(getCurScope(), Macro, MacroInfo, 2200 ArgumentIndex); 2201 } 2202 2203 void Parser::CodeCompleteIncludedFile(llvm::StringRef Dir, bool IsAngled) { 2204 Actions.CodeCompleteIncludedFile(Dir, IsAngled); 2205 } 2206 2207 void Parser::CodeCompleteNaturalLanguage() { 2208 Actions.CodeCompleteNaturalLanguage(); 2209 } 2210 2211 bool Parser::ParseMicrosoftIfExistsCondition(IfExistsCondition& Result) { 2212 assert((Tok.is(tok::kw___if_exists) || Tok.is(tok::kw___if_not_exists)) && 2213 "Expected '__if_exists' or '__if_not_exists'"); 2214 Result.IsIfExists = Tok.is(tok::kw___if_exists); 2215 Result.KeywordLoc = ConsumeToken(); 2216 2217 BalancedDelimiterTracker T(*this, tok::l_paren); 2218 if (T.consumeOpen()) { 2219 Diag(Tok, diag::err_expected_lparen_after) 2220 << (Result.IsIfExists? "__if_exists" : "__if_not_exists"); 2221 return true; 2222 } 2223 2224 // Parse nested-name-specifier. 2225 if (getLangOpts().CPlusPlus) 2226 ParseOptionalCXXScopeSpecifier(Result.SS, /*ObjectType=*/nullptr, 2227 /*ObjectHasErrors=*/false, 2228 /*EnteringContext=*/false); 2229 2230 // Check nested-name specifier. 2231 if (Result.SS.isInvalid()) { 2232 T.skipToEnd(); 2233 return true; 2234 } 2235 2236 // Parse the unqualified-id. 2237 SourceLocation TemplateKWLoc; // FIXME: parsed, but unused. 2238 if (ParseUnqualifiedId(Result.SS, /*ObjectType=*/nullptr, 2239 /*ObjectHadErrors=*/false, /*EnteringContext*/ false, 2240 /*AllowDestructorName*/ true, 2241 /*AllowConstructorName*/ true, 2242 /*AllowDeductionGuide*/ false, &TemplateKWLoc, 2243 Result.Name)) { 2244 T.skipToEnd(); 2245 return true; 2246 } 2247 2248 if (T.consumeClose()) 2249 return true; 2250 2251 // Check if the symbol exists. 2252 switch (Actions.CheckMicrosoftIfExistsSymbol(getCurScope(), Result.KeywordLoc, 2253 Result.IsIfExists, Result.SS, 2254 Result.Name)) { 2255 case Sema::IER_Exists: 2256 Result.Behavior = Result.IsIfExists ? IEB_Parse : IEB_Skip; 2257 break; 2258 2259 case Sema::IER_DoesNotExist: 2260 Result.Behavior = !Result.IsIfExists ? IEB_Parse : IEB_Skip; 2261 break; 2262 2263 case Sema::IER_Dependent: 2264 Result.Behavior = IEB_Dependent; 2265 break; 2266 2267 case Sema::IER_Error: 2268 return true; 2269 } 2270 2271 return false; 2272 } 2273 2274 void Parser::ParseMicrosoftIfExistsExternalDeclaration() { 2275 IfExistsCondition Result; 2276 if (ParseMicrosoftIfExistsCondition(Result)) 2277 return; 2278 2279 BalancedDelimiterTracker Braces(*this, tok::l_brace); 2280 if (Braces.consumeOpen()) { 2281 Diag(Tok, diag::err_expected) << tok::l_brace; 2282 return; 2283 } 2284 2285 switch (Result.Behavior) { 2286 case IEB_Parse: 2287 // Parse declarations below. 2288 break; 2289 2290 case IEB_Dependent: 2291 llvm_unreachable("Cannot have a dependent external declaration"); 2292 2293 case IEB_Skip: 2294 Braces.skipToEnd(); 2295 return; 2296 } 2297 2298 // Parse the declarations. 2299 // FIXME: Support module import within __if_exists? 2300 while (Tok.isNot(tok::r_brace) && !isEofOrEom()) { 2301 ParsedAttributes Attrs(AttrFactory); 2302 MaybeParseCXX11Attributes(Attrs); 2303 DeclGroupPtrTy Result = ParseExternalDeclaration(Attrs); 2304 if (Result && !getCurScope()->getParent()) 2305 Actions.getASTConsumer().HandleTopLevelDecl(Result.get()); 2306 } 2307 Braces.consumeClose(); 2308 } 2309 2310 /// Parse a declaration beginning with the 'module' keyword or C++20 2311 /// context-sensitive keyword (optionally preceded by 'export'). 2312 /// 2313 /// module-declaration: [Modules TS + P0629R0] 2314 /// 'export'[opt] 'module' module-name attribute-specifier-seq[opt] ';' 2315 /// 2316 /// global-module-fragment: [C++2a] 2317 /// 'module' ';' top-level-declaration-seq[opt] 2318 /// module-declaration: [C++2a] 2319 /// 'export'[opt] 'module' module-name module-partition[opt] 2320 /// attribute-specifier-seq[opt] ';' 2321 /// private-module-fragment: [C++2a] 2322 /// 'module' ':' 'private' ';' top-level-declaration-seq[opt] 2323 Parser::DeclGroupPtrTy 2324 Parser::ParseModuleDecl(Sema::ModuleImportState &ImportState) { 2325 SourceLocation StartLoc = Tok.getLocation(); 2326 2327 Sema::ModuleDeclKind MDK = TryConsumeToken(tok::kw_export) 2328 ? Sema::ModuleDeclKind::Interface 2329 : Sema::ModuleDeclKind::Implementation; 2330 2331 assert( 2332 (Tok.is(tok::kw_module) || 2333 (Tok.is(tok::identifier) && Tok.getIdentifierInfo() == Ident_module)) && 2334 "not a module declaration"); 2335 SourceLocation ModuleLoc = ConsumeToken(); 2336 2337 // Attributes appear after the module name, not before. 2338 // FIXME: Suggest moving the attributes later with a fixit. 2339 DiagnoseAndSkipCXX11Attributes(); 2340 2341 // Parse a global-module-fragment, if present. 2342 if (getLangOpts().CPlusPlusModules && Tok.is(tok::semi)) { 2343 SourceLocation SemiLoc = ConsumeToken(); 2344 if (ImportState != Sema::ModuleImportState::FirstDecl) { 2345 Diag(StartLoc, diag::err_global_module_introducer_not_at_start) 2346 << SourceRange(StartLoc, SemiLoc); 2347 return nullptr; 2348 } 2349 if (MDK == Sema::ModuleDeclKind::Interface) { 2350 Diag(StartLoc, diag::err_module_fragment_exported) 2351 << /*global*/0 << FixItHint::CreateRemoval(StartLoc); 2352 } 2353 ImportState = Sema::ModuleImportState::GlobalFragment; 2354 return Actions.ActOnGlobalModuleFragmentDecl(ModuleLoc); 2355 } 2356 2357 // Parse a private-module-fragment, if present. 2358 if (getLangOpts().CPlusPlusModules && Tok.is(tok::colon) && 2359 NextToken().is(tok::kw_private)) { 2360 if (MDK == Sema::ModuleDeclKind::Interface) { 2361 Diag(StartLoc, diag::err_module_fragment_exported) 2362 << /*private*/1 << FixItHint::CreateRemoval(StartLoc); 2363 } 2364 ConsumeToken(); 2365 SourceLocation PrivateLoc = ConsumeToken(); 2366 DiagnoseAndSkipCXX11Attributes(); 2367 ExpectAndConsumeSemi(diag::err_private_module_fragment_expected_semi); 2368 ImportState = Sema::ModuleImportState::PrivateFragment; 2369 return Actions.ActOnPrivateModuleFragmentDecl(ModuleLoc, PrivateLoc); 2370 } 2371 2372 SmallVector<std::pair<IdentifierInfo *, SourceLocation>, 2> Path; 2373 if (ParseModuleName(ModuleLoc, Path, /*IsImport*/ false)) 2374 return nullptr; 2375 2376 // Parse the optional module-partition. 2377 SmallVector<std::pair<IdentifierInfo *, SourceLocation>, 2> Partition; 2378 if (Tok.is(tok::colon)) { 2379 SourceLocation ColonLoc = ConsumeToken(); 2380 if (!getLangOpts().CPlusPlusModules) 2381 Diag(ColonLoc, diag::err_unsupported_module_partition) 2382 << SourceRange(ColonLoc, Partition.back().second); 2383 // Recover by ignoring the partition name. 2384 else if (ParseModuleName(ModuleLoc, Partition, /*IsImport*/ false)) 2385 return nullptr; 2386 } 2387 2388 // We don't support any module attributes yet; just parse them and diagnose. 2389 ParsedAttributes Attrs(AttrFactory); 2390 MaybeParseCXX11Attributes(Attrs); 2391 ProhibitCXX11Attributes(Attrs, diag::err_attribute_not_module_attr, 2392 /*DiagnoseEmptyAttrs=*/false, 2393 /*WarnOnUnknownAttrs=*/true); 2394 2395 ExpectAndConsumeSemi(diag::err_module_expected_semi); 2396 2397 return Actions.ActOnModuleDecl(StartLoc, ModuleLoc, MDK, Path, Partition, 2398 ImportState); 2399 } 2400 2401 /// Parse a module import declaration. This is essentially the same for 2402 /// Objective-C and C++20 except for the leading '@' (in ObjC) and the 2403 /// trailing optional attributes (in C++). 2404 /// 2405 /// [ObjC] @import declaration: 2406 /// '@' 'import' module-name ';' 2407 /// [ModTS] module-import-declaration: 2408 /// 'import' module-name attribute-specifier-seq[opt] ';' 2409 /// [C++20] module-import-declaration: 2410 /// 'export'[opt] 'import' module-name 2411 /// attribute-specifier-seq[opt] ';' 2412 /// 'export'[opt] 'import' module-partition 2413 /// attribute-specifier-seq[opt] ';' 2414 /// 'export'[opt] 'import' header-name 2415 /// attribute-specifier-seq[opt] ';' 2416 Decl *Parser::ParseModuleImport(SourceLocation AtLoc, 2417 Sema::ModuleImportState &ImportState) { 2418 SourceLocation StartLoc = AtLoc.isInvalid() ? Tok.getLocation() : AtLoc; 2419 2420 SourceLocation ExportLoc; 2421 TryConsumeToken(tok::kw_export, ExportLoc); 2422 2423 assert((AtLoc.isInvalid() ? Tok.isOneOf(tok::kw_import, tok::identifier) 2424 : Tok.isObjCAtKeyword(tok::objc_import)) && 2425 "Improper start to module import"); 2426 bool IsObjCAtImport = Tok.isObjCAtKeyword(tok::objc_import); 2427 SourceLocation ImportLoc = ConsumeToken(); 2428 2429 // For C++20 modules, we can have "name" or ":Partition name" as valid input. 2430 SmallVector<std::pair<IdentifierInfo *, SourceLocation>, 2> Path; 2431 bool IsPartition = false; 2432 Module *HeaderUnit = nullptr; 2433 if (Tok.is(tok::header_name)) { 2434 // This is a header import that the preprocessor decided we should skip 2435 // because it was malformed in some way. Parse and ignore it; it's already 2436 // been diagnosed. 2437 ConsumeToken(); 2438 } else if (Tok.is(tok::annot_header_unit)) { 2439 // This is a header import that the preprocessor mapped to a module import. 2440 HeaderUnit = reinterpret_cast<Module *>(Tok.getAnnotationValue()); 2441 ConsumeAnnotationToken(); 2442 } else if (Tok.is(tok::colon)) { 2443 SourceLocation ColonLoc = ConsumeToken(); 2444 if (!getLangOpts().CPlusPlusModules) 2445 Diag(ColonLoc, diag::err_unsupported_module_partition) 2446 << SourceRange(ColonLoc, Path.back().second); 2447 // Recover by leaving partition empty. 2448 else if (ParseModuleName(ColonLoc, Path, /*IsImport*/ true)) 2449 return nullptr; 2450 else 2451 IsPartition = true; 2452 } else { 2453 if (ParseModuleName(ImportLoc, Path, /*IsImport*/ true)) 2454 return nullptr; 2455 } 2456 2457 ParsedAttributes Attrs(AttrFactory); 2458 MaybeParseCXX11Attributes(Attrs); 2459 // We don't support any module import attributes yet. 2460 ProhibitCXX11Attributes(Attrs, diag::err_attribute_not_import_attr, 2461 /*DiagnoseEmptyAttrs=*/false, 2462 /*WarnOnUnknownAttrs=*/true); 2463 2464 if (PP.hadModuleLoaderFatalFailure()) { 2465 // With a fatal failure in the module loader, we abort parsing. 2466 cutOffParsing(); 2467 return nullptr; 2468 } 2469 2470 // Diagnose mis-imports. 2471 bool SeenError = true; 2472 switch (ImportState) { 2473 case Sema::ModuleImportState::ImportAllowed: 2474 SeenError = false; 2475 break; 2476 case Sema::ModuleImportState::FirstDecl: 2477 case Sema::ModuleImportState::NotACXX20Module: 2478 // We can only import a partition within a module purview. 2479 if (IsPartition) 2480 Diag(ImportLoc, diag::err_partition_import_outside_module); 2481 else 2482 SeenError = false; 2483 break; 2484 case Sema::ModuleImportState::GlobalFragment: 2485 // We can only have pre-processor directives in the global module 2486 // fragment. We cannot import a named modules here, however we have a 2487 // header unit import. 2488 if (!HeaderUnit || HeaderUnit->Kind != Module::ModuleKind::ModuleHeaderUnit) 2489 Diag(ImportLoc, diag::err_import_in_wrong_fragment) << IsPartition << 0; 2490 else 2491 SeenError = false; 2492 break; 2493 case Sema::ModuleImportState::ImportFinished: 2494 if (getLangOpts().CPlusPlusModules) 2495 Diag(ImportLoc, diag::err_import_not_allowed_here); 2496 else 2497 SeenError = false; 2498 break; 2499 case Sema::ModuleImportState::PrivateFragment: 2500 Diag(ImportLoc, diag::err_import_in_wrong_fragment) << IsPartition << 1; 2501 break; 2502 } 2503 if (SeenError) { 2504 ExpectAndConsumeSemi(diag::err_module_expected_semi); 2505 return nullptr; 2506 } 2507 2508 DeclResult Import; 2509 if (HeaderUnit) 2510 Import = 2511 Actions.ActOnModuleImport(StartLoc, ExportLoc, ImportLoc, HeaderUnit); 2512 else if (!Path.empty()) 2513 Import = Actions.ActOnModuleImport(StartLoc, ExportLoc, ImportLoc, Path, 2514 IsPartition); 2515 ExpectAndConsumeSemi(diag::err_module_expected_semi); 2516 if (Import.isInvalid()) 2517 return nullptr; 2518 2519 // Using '@import' in framework headers requires modules to be enabled so that 2520 // the header is parseable. Emit a warning to make the user aware. 2521 if (IsObjCAtImport && AtLoc.isValid()) { 2522 auto &SrcMgr = PP.getSourceManager(); 2523 auto FE = SrcMgr.getFileEntryRefForID(SrcMgr.getFileID(AtLoc)); 2524 if (FE && llvm::sys::path::parent_path(FE->getDir().getName()) 2525 .endswith(".framework")) 2526 Diags.Report(AtLoc, diag::warn_atimport_in_framework_header); 2527 } 2528 2529 return Import.get(); 2530 } 2531 2532 /// Parse a C++ Modules TS / Objective-C module name (both forms use the same 2533 /// grammar). 2534 /// 2535 /// module-name: 2536 /// module-name-qualifier[opt] identifier 2537 /// module-name-qualifier: 2538 /// module-name-qualifier[opt] identifier '.' 2539 bool Parser::ParseModuleName( 2540 SourceLocation UseLoc, 2541 SmallVectorImpl<std::pair<IdentifierInfo *, SourceLocation>> &Path, 2542 bool IsImport) { 2543 // Parse the module path. 2544 while (true) { 2545 if (!Tok.is(tok::identifier)) { 2546 if (Tok.is(tok::code_completion)) { 2547 cutOffParsing(); 2548 Actions.CodeCompleteModuleImport(UseLoc, Path); 2549 return true; 2550 } 2551 2552 Diag(Tok, diag::err_module_expected_ident) << IsImport; 2553 SkipUntil(tok::semi); 2554 return true; 2555 } 2556 2557 // Record this part of the module path. 2558 Path.push_back(std::make_pair(Tok.getIdentifierInfo(), Tok.getLocation())); 2559 ConsumeToken(); 2560 2561 if (Tok.isNot(tok::period)) 2562 return false; 2563 2564 ConsumeToken(); 2565 } 2566 } 2567 2568 /// Try recover parser when module annotation appears where it must not 2569 /// be found. 2570 /// \returns false if the recover was successful and parsing may be continued, or 2571 /// true if parser must bail out to top level and handle the token there. 2572 bool Parser::parseMisplacedModuleImport() { 2573 while (true) { 2574 switch (Tok.getKind()) { 2575 case tok::annot_module_end: 2576 // If we recovered from a misplaced module begin, we expect to hit a 2577 // misplaced module end too. Stay in the current context when this 2578 // happens. 2579 if (MisplacedModuleBeginCount) { 2580 --MisplacedModuleBeginCount; 2581 Actions.ActOnModuleEnd(Tok.getLocation(), 2582 reinterpret_cast<Module *>( 2583 Tok.getAnnotationValue())); 2584 ConsumeAnnotationToken(); 2585 continue; 2586 } 2587 // Inform caller that recovery failed, the error must be handled at upper 2588 // level. This will generate the desired "missing '}' at end of module" 2589 // diagnostics on the way out. 2590 return true; 2591 case tok::annot_module_begin: 2592 // Recover by entering the module (Sema will diagnose). 2593 Actions.ActOnModuleBegin(Tok.getLocation(), 2594 reinterpret_cast<Module *>( 2595 Tok.getAnnotationValue())); 2596 ConsumeAnnotationToken(); 2597 ++MisplacedModuleBeginCount; 2598 continue; 2599 case tok::annot_module_include: 2600 // Module import found where it should not be, for instance, inside a 2601 // namespace. Recover by importing the module. 2602 Actions.ActOnModuleInclude(Tok.getLocation(), 2603 reinterpret_cast<Module *>( 2604 Tok.getAnnotationValue())); 2605 ConsumeAnnotationToken(); 2606 // If there is another module import, process it. 2607 continue; 2608 default: 2609 return false; 2610 } 2611 } 2612 return false; 2613 } 2614 2615 bool BalancedDelimiterTracker::diagnoseOverflow() { 2616 P.Diag(P.Tok, diag::err_bracket_depth_exceeded) 2617 << P.getLangOpts().BracketDepth; 2618 P.Diag(P.Tok, diag::note_bracket_depth); 2619 P.cutOffParsing(); 2620 return true; 2621 } 2622 2623 bool BalancedDelimiterTracker::expectAndConsume(unsigned DiagID, 2624 const char *Msg, 2625 tok::TokenKind SkipToTok) { 2626 LOpen = P.Tok.getLocation(); 2627 if (P.ExpectAndConsume(Kind, DiagID, Msg)) { 2628 if (SkipToTok != tok::unknown) 2629 P.SkipUntil(SkipToTok, Parser::StopAtSemi); 2630 return true; 2631 } 2632 2633 if (getDepth() < P.getLangOpts().BracketDepth) 2634 return false; 2635 2636 return diagnoseOverflow(); 2637 } 2638 2639 bool BalancedDelimiterTracker::diagnoseMissingClose() { 2640 assert(!P.Tok.is(Close) && "Should have consumed closing delimiter"); 2641 2642 if (P.Tok.is(tok::annot_module_end)) 2643 P.Diag(P.Tok, diag::err_missing_before_module_end) << Close; 2644 else 2645 P.Diag(P.Tok, diag::err_expected) << Close; 2646 P.Diag(LOpen, diag::note_matching) << Kind; 2647 2648 // If we're not already at some kind of closing bracket, skip to our closing 2649 // token. 2650 if (P.Tok.isNot(tok::r_paren) && P.Tok.isNot(tok::r_brace) && 2651 P.Tok.isNot(tok::r_square) && 2652 P.SkipUntil(Close, FinalToken, 2653 Parser::StopAtSemi | Parser::StopBeforeMatch) && 2654 P.Tok.is(Close)) 2655 LClose = P.ConsumeAnyToken(); 2656 return true; 2657 } 2658 2659 void BalancedDelimiterTracker::skipToEnd() { 2660 P.SkipUntil(Close, Parser::StopBeforeMatch); 2661 consumeClose(); 2662 } 2663